Mostly tech people I enjoy - BlogFlock2025-04-03T01:53:17.219ZBlogFlockJulia Evans, Ploum.net, Tiny Subversions, Leonora Tindall on Nora Codes, Without boats, dreams dry up, Daniel Bogan, Constantin, Nicky FloweRSS, Pluralistic: Daily links from Cory Doctorow, Izzy Muerte on Self Unemployed, Eniko Fox, Weblog on marginalia.nu, Slava Akhmechet, Molly White, Ethan Marcotte, Julia Evans, Luna’s Blog, Hundred Rabbits, Derek Sivers, Heather ⬢ Flowers, Terence Eden’s Blog, remy sharp's b:logAn opinionated HTML Serializer for PHP 8.4 - Terence Eden’s Bloghttps://shkspr.mobi/blog/?p=593222025-04-02T11:34:36.000Z<p>A few days ago, <a href="https://shkspr.mobi/blog/2025/03/pretty-print-html-using-php-8-4s-new-html-dom/">I wrote a shitty pretty-printer</a> for PHP 8.4's new <a href="https://www.php.net/manual/en/class.dom-htmldocument.php">Dom\HTMLDocument class</a>.</p>
<p>I've since re-written it to be faster and more stylistically correct.</p>
<p>It turns this:</p>
<pre><code class="language-html"><html lang="en-GB"><head><title id="something">Test</title></head><body><h1 class="top upper">Testing</h1><main><p>Some <em>HTML</em> and an <img src="example.png" alt="Alternate Text"></p>Text not in an element<ol><li>List</li><li>Another list</li></ol></main></body></html>
</code></pre>
<p>Into this:</p>
<pre><code class="language-html"><!doctype html>
<html lang=en-GB>
<head>
<title id=something>Test</title>
</head>
<body>
<h1 class="top upper">Testing</h1>
<main>
<p>
Some
<em>HTML</em>
and an
<img src=example.png alt="Alternate Text">
</p>
Text not in an element
<ol>
<li>List</li>
<li>Another list</li>
</ol>
</main>
</body>
</html>
</code></pre>
<p>I say it is "opinionated" because it does the following:</p>
<ul>
<li>Attributes are unquoted unless necessary.</li>
<li>Every element is logically indented.</li>
<li>Text content of CSS and JS is unaltered. No pretty-printing, minification, or checking for correctness.</li>
<li>Text content of elements <em>may</em> have extra newlines and tabs. Browsers will tend to ignore multiple whitespaces unless the CSS tells them otherwise.
<ul>
<li>This fucks up <code><pre></code> blocks which contain markup.</li>
</ul></li>
</ul>
<p>It is primarily designed to make the <em>markup</em> easy to read. Because <a href="https://libraries.mit.edu/150books/2011/05/11/1985/">according to the experts</a>:</p>
<blockquote> <p>A computer language is not just a way of getting a computer to perform operations but rather … it is a novel formal medium for expressing ideas about methodology. Thus, programs must be written for people to read, and only incidentally for machines to execute.</p></blockquote>
<p>I'm <em>fairly</em> sure this all works properly. But feel free to argue in the comments or <a href="https://gitlab.com/edent/pretty-print-html-using-php/">send me a pull request</a>.</p>
<p>Here's how it works.</p>
<h2 id="when-is-an-element-not-an-element-when-it-is-a-void"><a href="https://shkspr.mobi/blog/2025/04/an-opinionated-html-serializer-for-php-8-4/#when-is-an-element-not-an-element-when-it-is-a-void" class="heading-link">When is an element not an element? When it is a void!</a></h2>
<p>Modern HTML has the concept of "<a href="https://developer.mozilla.org/en-US/docs/Glossary/Void_element">Void Elements</a>". Normally, something like <code><a></code> <em>must</em> eventually be followed by a closing <code></a></code>. But Void Elements don't need closing.</p>
<p>This keeps a list of elements which must not be explicitly closed.</p>
<pre><code class="language-php">$void_elements = [
"area",
"base",
"br",
"col",
"embed",
"hr",
"img",
"input",
"link",
"meta",
"param",
"source",
"track",
"wbr",
];
</code></pre>
<h2 id="tabs-%f0%9f%86%9a-space"><a href="https://shkspr.mobi/blog/2025/04/an-opinionated-html-serializer-for-php-8-4/#tabs-%f0%9f%86%9a-space" class="heading-link">Tabs <img src="https://s.w.org/images/core/emoji/15.0.3/72x72/1f19a.png" alt="🆚" class="wp-smiley" style="height: 1em; max-height: 1em;"/> Space</a></h2>
<p>Tabs, obviously. Users can set their tab width to their personal preference and it won't get confused with semantically significant whitespace.</p>
<pre><code class="language-php">$indent_character = "\t";
</code></pre>
<h2 id="setting-up-the-dom"><a href="https://shkspr.mobi/blog/2025/04/an-opinionated-html-serializer-for-php-8-4/#setting-up-the-dom" class="heading-link">Setting up the DOM</a></h2>
<p>The new HTMLDocument should be broadly familiar to anyone who has used the previous one.</p>
<pre><code class="language-php">$html = '<html lang="en-GB"><head><title id="something">Test</title></head><body><h1 class="top upper">Testing</h1><main><p>Some <em>HTML</em> and an <img src="example.png" alt="Alternate Text"></p>Text not in an element<ol><li>List</li><li>Another list</li></ol></main></body></html>>'
$dom = Dom\HTMLDocument::createFromString( $html, LIBXML_NOERROR, "UTF-8" );
</code></pre>
<p>This automatically adds <code><head></code> and <code><body></code> elements. If you don't want that, use the <a href="https://www.php.net/manual/en/libxml.constants.php#constant.libxml-html-noimplied"><code>LIBXML_HTML_NOIMPLIED</code> flag</a>:</p>
<pre><code class="language-php">$dom = Dom\HTMLDocument::createFromString( $html, LIBXML_NOERROR | LIBXML_HTML_NOIMPLIED, "UTF-8" );
</code></pre>
<h2 id="to-quote-or-not-to-quote"><a href="https://shkspr.mobi/blog/2025/04/an-opinionated-html-serializer-for-php-8-4/#to-quote-or-not-to-quote" class="heading-link">To Quote or Not To Quote?</a></h2>
<p>Traditionally, HTML attributes needed quotes:</p>
<pre><code class="language-html"><img src="example.png" class="avatar no-border" id="user-123">
</code></pre>
<p>Modern HTML allows those attributes to be <em>un</em>quoted as long as they don't contain <a href="https://infra.spec.whatwg.org/#ascii-whitespace">ASCII Whitespace</a> or <a href="https://html.spec.whatwg.org/multipage/syntax.html#unquoted">certain other characters</a></p>
<p>For example, the above becomes:</p>
<pre><code class="language-html"><img src=example.png class="avatar no-border" id=user-123>
</code></pre>
<p>This function looks for the presence of those characters:</p>
<pre><code class="language-php">function value_unquoted( $haystack )
{
// Must not contain specific characters
$needles = [
// https://infra.spec.whatwg.org/#ascii-whitespace
"\t", "\n", "\f", "\n", " ",
// https://html.spec.whatwg.org/multipage/syntax.html#unquoted
"\"", "'", "=", "<", ">", "`" ];
foreach ( $needles as $needle )
{
if ( str_contains( $haystack, $needle ) )
{
return false;
}
}
// Must not be null
if ( $haystack == null ) { return false; }
return true;
}
</code></pre>
<h2 id="re-re-re-recursion"><a href="https://shkspr.mobi/blog/2025/04/an-opinionated-html-serializer-for-php-8-4/#re-re-re-recursion" class="heading-link">Re-re-re-recursion</a></h2>
<p>I've tried to document this as best I can.</p>
<p>It traverses the DOM tree, printing out correctly indented opening elements and their attributes. If there's text content, that's printed. If an element needs closing, that's printed with the appropriate indentation.</p>
<pre><code class="language-php">function serializeHTML( $node, $treeIndex = 0, $output = "")
{
global $indent_character, $preserve_internal_whitespace, $void_elements;
// Manually add the doctype to start.
if ( $output == "" ) {
$output .= "<!doctype html>\n";
}
if( property_exists( $node, "localName" ) ) {
// This is an Element.
// Get all the Attributes (id, class, src, &c.).
$attributes = "";
if ( property_exists($node, "attributes")) {
foreach( $node->attributes as $attribute ) {
$value = $attribute->nodeValue;
// Only add " if the value contains specific characters.
$quote = value_unquoted( $value ) ? "" : "\"";
$attributes .= " {$attribute->nodeName}={$quote}{$value}{$quote}";
}
}
// Print the opening element and all attributes.
$output .= "<{$node->localName}{$attributes}>";
} else if( property_exists( $node, "nodeName" ) && $node->nodeName == "#comment" ) {
// Comment
$output .= "<!-- {$node->textContent} -->";
}
// Increase indent.
$treeIndex++;
$tabStart = "\n" . str_repeat( $indent_character, $treeIndex );
$tabEnd = "\n" . str_repeat( $indent_character, $treeIndex - 1);
// Does this node have children?
if( property_exists( $node, "childElementCount" ) && $node->childElementCount > 0 ) {
// Loop through the children.
$i=0;
while( $childNode = $node->childNodes->item( $i++ ) ) {
// Is this a text node?
if ($childNode->nodeType == 3 ) {
// Only print output if there's no HTML inside the content.
// Ignore Void Elements.
if (
!str_contains( $childNode->textContent, "<" ) &&
property_exists( $childNode, "localName" ) &&
!in_array( $childNode->localName, $void_elements ) )
{
$output .= $tabStart . $childNode->textContent;
}
} else {
$output .= $tabStart;
}
// Recursively indent all children.
$output = serializeHTML( $childNode, $treeIndex, $output );
};
// Suffix with a "\n" and a suitable number of "\t"s.
$output .= "{$tabEnd}";
} else if ( property_exists( $node, "childElementCount" ) && property_exists( $node, "innerHTML" ) ) {
// If there are no children and the node contains content, print the contents.
$output .= $node->innerHTML;
}
// Close the element, unless it is a void.
if( property_exists( $node, "localName" ) && !in_array( $node->localName, $void_elements ) ) {
$output .= "</{$node->localName}>";
}
// Return a string of fully indented HTML.
return $output;
}
</code></pre>
<h2 id="print-it-out"><a href="https://shkspr.mobi/blog/2025/04/an-opinionated-html-serializer-for-php-8-4/#print-it-out" class="heading-link">Print it out</a></h2>
<p>The serialized string hardcodes the <code><!doctype html></code> - which is probably fine. The full HTML is shown with:</p>
<pre><code class="language-php">echo serializeHTML( $dom->documentElement );
</code></pre>
<h2 id="next-steps"><a href="https://shkspr.mobi/blog/2025/04/an-opinionated-html-serializer-for-php-8-4/#next-steps" class="heading-link">Next Steps</a></h2>
<p>Please <a href="https://gitlab.com/edent/pretty-print-html-using-php/">raise any issues on GitLab</a> or leave a comment.</p>
Pluralistic: Anyone who trusts an AI therapist needs their head examined (01 Apr 2025) - Pluralistic: Daily links from Cory Doctorowhttps://pluralistic.net/?p=106372025-04-01T12:28:11.000Z<p><!--
Tags:
ai, ai therapy, salon, privacy, corporate espionage, shoggoths, artificial intelligence, chatbots, llms, mental health, large language models, medical privacy
Summary:
Anyone who trusts an AI therapist needs their head examined; Hey look at this; Upcoming appearances; Upcoming appearances; Recent appearances; Latest books; Upcoming books
URL:
https://pluralistic.net/2025/04/01/doctor-robo-blabbermouth/
Title:
Pluralistic: Anyone who trusts an AI therapist needs their head examined (01 Apr 2025) doctor-robo-blabbermouth
Bullet:
🪿
Separator:
6969696969696969696969696969696969696969696969696969696969696
Top Sources:
None
--><br />
<a href="https://pluralistic.net/2025/04/01/doctor-robo-blabbermouth/"><img data-recalc-dims="1" decoding="async" class="xmasthead_link" src="https://i0.wp.com/craphound.com/images/01Apr2025.jpg?w=840&ssl=1"/></a></p>
<h1 class="toch1">Today's links</h1>
<ul class="toc">
<li class="xToC"><a href="https://pluralistic.net/2025/04/01/doctor-robo-blabbermouth/#fool-me-once-etc-etc">Anyone who trusts an AI therapist needs their head examined</a>: Same goes for trusting an AI with your trade secrets.
</li>
<li class="xToC"><a href="https://pluralistic.net/2025/04/01/doctor-robo-blabbermouth/#linkdump">Hey look at this</a>: Delights to delectate.
</li>
<li class="xToC"><a href="https://pluralistic.net/2025/04/01/doctor-robo-blabbermouth/#retro">Object permanence</a>: 2010, 2015, 2020, 2024
</li>
<li class="xToC"><a href="https://pluralistic.net/2025/04/01/doctor-robo-blabbermouth/#upcoming">Upcoming appearances</a>: Where to find me.
</li>
<li class="xToC"><a href="https://pluralistic.net/2025/04/01/doctor-robo-blabbermouth/#upcoming">Upcoming appearances</a>: Where to find me.
</li>
<li class="xToC"><a href="https://pluralistic.net/2025/04/01/doctor-robo-blabbermouth/#recent">Recent appearances</a>: Where I've been.
</li>
<li class="xToC"><a href="https://pluralistic.net/2025/04/01/doctor-robo-blabbermouth/#latest">Latest books</a>: You keep readin' em, I'll keep writin' 'em.
</li>
<li class="xToC"><a href="https://pluralistic.net/2025/04/01/doctor-robo-blabbermouth/#upcoming-books">Upcoming books</a>: Like I said, I'll keep writin' 'em.
</li>
<li class="xToC"><a href="https://pluralistic.net/2025/04/01/doctor-robo-blabbermouth/#bragsheet">Colophon</a>: All the rest.
</li>
</ul>
<p><span id="more-10637"></span></p>
<hr/>
<p><a name="fool-me-once-etc-etc"></a><br />
<img data-recalc-dims="1" decoding="async" alt="Sigmund Freud's study with his famous couch. Behind the couch stands an altered version of the classic Freud portrait in which he is smoking a cigar. Freud's clothes and cigar have all been tinted in bright neon colors. His head has been replaced with the glaring red eye of HAL9000 from Kubrick's '2001: A Space Odyssey.' His legs have been replaced with a tangle of tentacles." src="https://i0.wp.com/craphound.com/images/ai-therapist3.jpg?w=840&ssl=1"/></p>
<h1>Anyone who trusts an AI therapist needs their head examined (<a href="https://pluralistic.net/2025/04/01/doctor-robo-blabbermouth/#fool-me-once-etc-etc">permalink</a>)</h1>
<p>There's a debate to be had about whether AI chatbots make good psychotherapists. This is not an area of my expertise, so I'm not going to weigh in on that debate. But nevertheless, I think that if you use an AI therapist, you need your head examined:</p>
<p><a href="https://www.salon.com/2025/03/30/some-argue-ai-therapy-can-break-down-mental-health-stigma--others-warn-it-could-make-it-worse/">https://www.salon.com/2025/03/30/some-argue-ai-therapy-can-break-down-mental-health-stigma–others-warn-it-could-make-it-worse/</a></p>
<p>I'm not an expert on psychotherapy, but I <em>am</em> an expert on privacy and corporate misconduct, and holy <em>shit</em> is the idea of a chatbot psychotherapist running on some Big Tech cloud a <em>terrible</em> idea. Because while I'm no expert on therapy, I have benefited from therapy, and I know this for certain: therapy <em>requires</em> confidentiality.</p>
<p>Shrinks are <em>incredibly</em> careful about privacy. For example: when my brother was getting married, my therapist was invited to the wedding. His daughter and my brother's fiancee were close friends, and my brother's fiancee had grown up staying over at their house and wanted her friend and her friend's parents at the wedding. My therapist sat me down and said, "Now listen, I take confidentiality very seriously. If you want me to, I will pretend not to know you at the wedding. No one needs to know that you're seeing me or – any therapist."</p>
<p>I told him I didn't mind people knowing I'd seen him, but just that little fastidious gesture confirmed the trust I'd put in Alan. It meant that I could openly and freely discuss things I'd never told anyone before, and that I never told anyone ever again. Having those genuinely open conversations transformed my life, for the better.</p>
<p>Now consider the chatbot therapist: what are its privacy safeguards? Well, the companies may make some promises about what they will and won't do with the transcripts of your AI sessions, but they are lying. Of course they're lying! AI companies lie about what their technology can do (of course). They lie about what their technologies <em>will</em> do. They lie about money. But most of all, <em>they lie about data</em>.</p>
<p>There is no subject on which AI companies have been more consistently, flagrantly, grotesquely dishonest than training data. When it comes to getting more data, AI companies will lie, cheat and steal in ways that would seem hacky if you wrote them into fiction, like they were pulp-novel dope fiends:</p>
<p><a href="https://arstechnica.com/ai/2025/03/devs-say-ai-crawlers-dominate-traffic-forcing-blocks-on-entire-countries/">https://arstechnica.com/ai/2025/03/devs-say-ai-crawlers-dominate-traffic-forcing-blocks-on-entire-countries/</a></p>
<p>When an AI company tells you it won't use your intimate secrets as training data, they are lying. Of course they're lying! This isn't just <em>any</em> data, it's data that isn't replicated elsewhere on the internet. It's rare – it's <em>unique</em>. It's a competitive advantage. AI companies will 100%, without exception, totally use your private therapy data as training data.</p>
<p>What's more: they will <em>leak</em> your therapy sessions. They will leak them because they can't figure out how to prevent models from vomiting up their training data verbatim:</p>
<p><a href="https://www.theatlantic.com/technology/archive/2024/01/chatgpt-memorization-lawsuit/677099/">https://www.theatlantic.com/technology/archive/2024/01/chatgpt-memorization-lawsuit/677099/</a></p>
<p>But they'll also leak because tech companies leak like hell. They are <em>crawling</em> with insider threats. If the AI company sticks around long enough, it'll leak your secrets. And if it goes bankrupt? That's even worse! When tech companies go bust, the first thing their creditors do is sell off their warehouses full of private data. The more private and compromising that data is, the harder they'll try to sell it:</p>
<p><a href="https://www.eff.org/deeplinks/2025/03/how-delete-your-23andme-data">https://www.eff.org/deeplinks/2025/03/how-delete-your-23andme-data</a></p>
<p>Now, maybe you're thinking, "OK, but that's a small price to pay if we can finally get therapy for <em>everyone</em>." After all, the country – the world – is in the midst of a terrible mental health crisis and there's a dire shortage of therapists.</p>
<p>Now, let's stipulate for the moment to the idea that chatbots are substitutes for human therapists – that, at the very least, they're better than nothing. I don't think that's true, but let's say it is. Even so, this is a bad tradeoff.</p>
<p>Here, try this thought-experiment: someone figures out a great business-model for to pay for therapy for poor people. "We turned therapy into a livestreamed reality TV show. If you're too poor to afford a therapist, you can go to one of our partially trained livestreamer therapists, who will broadcast all of your secrets to anyone who watches. There's a permanent archive of these sessions, and the worst people in the world comb through it 24/7 looking for embarrassing stuff to repost and go viral with. What, you don't like that? Oh, I see: you just don't think poor people deserve mental health. I guess the perfect really <em>is</em> the enemy of the good."</p>
<p>This gambit is called "predatory inclusion." Think of Spike Lee shilling cryptocurrency scams as a way to "build Black wealth" or Mary Kay promising to "empower women" by embroiling them in a bank-account-draining, multi-level marketing cult. Having your personal, intimate secrets sold, leaked, published or otherwise exploited is <em>worse</em> for your mental health than not getting therapy in the first place, in the same way that having your money stolen by a Bitcoin grifter or Mary Kay is worse than not being able to access investment opportunities in the first place.</p>
<p>But it's not just people struggling with their mental health who shouldn't be sharing sensitive data with chatbots – it's <em>everyone</em>. All those business applications that AI companies are pushing, the kind where you entrust an AI with your firm's most commercially sensitive data? Are you <em>crazy</em>? These companies will not only leak that data, they'll sell it to your competition. Hell, Microsoft <em>already</em> does this with Office365 analytics:</p>
<p><a href="https://pluralistic.net/2021/02/24/gwb-rumsfeld-monsters/#bossware">https://pluralistic.net/2021/02/24/gwb-rumsfeld-monsters/#bossware</a></p>
<p>These companies lie <em>all the time</em> about everything, but the thing they lie most about is how they handle sensitive data. It's wild that anyone has to be reminded of this. Letting AI companies handle your sensitive data is like turning arsonists loose in your library with a can of gasoline, a book of matches, and a pinky-promise that <em>this time</em>, they won't set anything on fire.</p>
<p>(<i>Image: <a href="https://commons.wikimedia.org/wiki/File:Study_with_the_couch,_Freud_Museum_London,_18M0143.jpg">Zde</a>, <a href="https://creativecommons.org/licenses/by-sa/4.0/deed.en">CC BY-SA 4.0</a>, modified</i>)</p>
<hr/>
<p><a name="linkdump"></a></p>
<h1>Hey look at this (<a href="https://pluralistic.net/2025/04/01/doctor-robo-blabbermouth/#linkdump">permalink</a>)</h1>
<p><img data-recalc-dims="1" decoding="async" src="https://i0.wp.com/craphound.com/images/heylookatthis2.jpg?w=840&ssl=1"/></p>
<ul>
<li>Tariffs, Abundance and Why America Can't Build <a href="https://www.thebignewsletter.com/p/monopoly-round-up-tariffs-abundance">https://www.thebignewsletter.com/p/monopoly-round-up-tariffs-abundance</a></p>
</li>
<li>
<p>Global Working Conditions Matter for American Workers <a href="https://prospect.org/labor/2025-03-30-global-working-conditions-matter-american-workers-su-tai-ilab/">https://prospect.org/labor/2025-03-30-global-working-conditions-matter-american-workers-su-tai-ilab/</a></p>
</li>
<li>
<p>"An off switch? She'll get years for that." <a href="https://www.jwz.org/blog/2025/03/an-off-switch-shell-get-years-for-that-2/">https://www.jwz.org/blog/2025/03/an-off-switch-shell-get-years-for-that-2/</a></p>
</li>
</ul>
<hr/>
<p><a name="retro"></a><br />
<img data-recalc-dims="1" height="416" width="796" decoding="async" alt="A Wayback Machine banner." src="https://i0.wp.com/craphound.com/images/wayback-machine-hed-796x416.png?resize=796%2C416&ssl=1"/></p>
<h1>Object permanence (<a href="https://pluralistic.net/2025/04/01/doctor-robo-blabbermouth/#retro">permalink</a>)</h1>
<p>#15yrsago Noteworthy Modern Occurances: the Digital Economy Bill <a href="https://www.openrightsgroup.org/blog/disconnection-notices-served/">https://www.openrightsgroup.org/blog/disconnection-notices-served/</a></p>
<p>#15yrsago Digital Economy Bill: the last hours <a href="https://www.youtube.com/watch?v=gOyg1GUY18U">https://www.youtube.com/watch?v=gOyg1GUY18U</a></p>
<p>#5yrsago Turn on wifi sharing <a href="https://pluralistic.net/2020/04/02/eff-livestream-today/#digital-divide">https://pluralistic.net/2020/04/02/eff-livestream-today/#digital-divide</a></p>
<p>#5yrsago Coronavirus travel posters https://pluralistic.net/2020/04/02/eff-livestream-today/#jennifer-baer</p>
<p>#5yrsago How you are subsidizing the otherwise unprofitable Fox News <a href="https://pluralistic.net/2020/04/02/eff-livestream-today/#unfoxmycablebox">https://pluralistic.net/2020/04/02/eff-livestream-today/#unfoxmycablebox</a></p>
<p>#5yrsago Ted Chiang on pandemics as idiot plots <a href="https://pluralistic.net/2020/04/02/eff-livestream-today/#disaster-capitalism">https://pluralistic.net/2020/04/02/eff-livestream-today/#disaster-capitalism</a></p>
<p>#5yrsago Bird's "Black Mirror" mass layoffs <a href="https://pluralistic.net/2020/04/02/eff-livestream-today/#2-mins">https://pluralistic.net/2020/04/02/eff-livestream-today/#2-mins</a></p>
<p>#5yrsago UK public health official endorses official reagents for covid tests <a href="https://pluralistic.net/2020/04/02/eff-livestream-today/#unauthorized-reagents">https://pluralistic.net/2020/04/02/eff-livestream-today/#unauthorized-reagents</a></p>
<p>#5yrsago A promising, plausible plan for "privacy-preserving" surveillance <a href="https://pluralistic.net/2020/04/02/eff-livestream-today/#pepp-pt">https://pluralistic.net/2020/04/02/eff-livestream-today/#pepp-pt</a></p>
<p>#5yrsago Private equity titan squats on empty hospital <a href="https://pluralistic.net/2020/04/02/eff-livestream-today/#joel-kills">https://pluralistic.net/2020/04/02/eff-livestream-today/#joel-kills</a></p>
<p>#1yrago Prison-tech company bribed jails to ban in-person visits <a href="https://pluralistic.net/2024/04/02/captive-customers/#guillotine-watch">https://pluralistic.net/2024/04/02/captive-customers/#guillotine-watch</a></p>
<hr/>
<p><a name="upcoming"></a></p>
<h1>Upcoming appearances (<a href="https://pluralistic.net/2025/04/01/doctor-robo-blabbermouth/#upcoming">permalink</a>)</h1>
<p><img data-recalc-dims="1" decoding="async" alt="A photo of me onstage, giving a speech, pounding the podium." src="https://i0.wp.com/craphound.com/images/appearances2.jpg?w=840&ssl=1"/></p>
<hr/>
<p><a name="upcoming"></a></p>
<h1>Upcoming appearances (<a href="https://pluralistic.net/2025/04/01/doctor-robo-blabbermouth/#upcoming">permalink</a>)</h1>
<p><img data-recalc-dims="1" decoding="async" alt="A photo of me onstage, giving a speech, pounding the podium." src="https://i0.wp.com/craphound.com/images/appearances2.jpg?w=840&ssl=1"/></p>
<ul>
<li>Chicago: Picks and Shovels with Peter Sagal, Apr 2<br />
<a href="https://exileinbookville.com/events/44853">https://exileinbookville.com/events/44853</a></p>
</li>
<li>
<p>Chicago: ABA Techshow, Apr 3<br />
<a href="https://www.techshow.com/">https://www.techshow.com/</a></p>
</li>
<li>
<p>Bloomington: Picks and Shovels at Morgenstern, Apr 4<br />
<a href="https://morgensternbooks.com/event/2025-04-04/author-event-cory-doctorow">https://morgensternbooks.com/event/2025-04-04/author-event-cory-doctorow</a></p>
</li>
<li>
<p>Bloomington: Ostrom Center, Apr 4<br />
<a href="https://events.iu.edu/ostromworkshop/event/1843316-hls-beyond-the-web-cory-doctorow">https://events.iu.edu/ostromworkshop/event/1843316-hls-beyond-the-web-cory-doctorow</a></p>
</li>
<li>
<p>Pittsburgh: Picks and Shovels at White Whale Books, May 15<br />
<a href="https://whitewhalebookstore.com/events/20250515">https://whitewhalebookstore.com/events/20250515</a></p>
</li>
<li>
<p>Pittsburgh: PyCon, May 16<br />
<a href="https://us.pycon.org/2025/schedule/">https://us.pycon.org/2025/schedule/</a></p>
</li>
<li>
<p>PDX: Teardown 2025, Jun 20-22<br />
<a href="https://www.crowdsupply.com/teardown/portland-2025">https://www.crowdsupply.com/teardown/portland-2025</a></p>
</li>
<li>
<p>PDX: Picks and Shovels at Barnes and Noble, Jun 20<br />
<a href="https://stores.barnesandnoble.com/event/9780062183697-0">https://stores.barnesandnoble.com/event/9780062183697-0</a></p>
</li>
<li>
<p>New Orleans: DeepSouthCon63, Oct 10-12, 2025<br />
<a href="http://www.contraflowscifi.org/">http://www.contraflowscifi.org/</a></p>
</li>
</ul>
<hr/>
<p><a name="recent"></a><br />
<img data-recalc-dims="1" decoding="async" alt="A screenshot of me at my desk, doing a livecast." src="https://i0.wp.com/craphound.com/images/recentappearances2.jpg?w=840&ssl=1"/></p>
<h1>Recent appearances (<a href="https://pluralistic.net/2025/04/01/doctor-robo-blabbermouth/#recent">permalink</a>)</h1>
<ul>
<li>Fire the unelected social media dictators (Al Jazeera Upfront)<br />
<a href="https://www.youtube.com/watch?v=KXa4DzhkUZ8">https://www.youtube.com/watch?v=KXa4DzhkUZ8</a></p>
</li>
<li>
<p>Capitalists Hate Capitalism (MMT Podcast)<br />
<a href="https://pileusmmt.libsyn.com/195-capitalists-hate-capitalism-with-cory-doctorow">https://pileusmmt.libsyn.com/195-capitalists-hate-capitalism-with-cory-doctorow</a></p>
</li>
<li>
<p>How to Destroy Our Tech Overlords (Homeless Romantic)<br />
<a href="https://www.youtube.com/watch?v=epma2B0wjzU">https://www.youtube.com/watch?v=epma2B0wjzU</a></p>
</li>
</ul>
<hr/>
<p><a name="latest"></a><br />
<img data-recalc-dims="1" decoding="async" alt="A grid of my books with Will Stahle covers.." src="https://i0.wp.com/craphound.com/images/recent.jpg?w=840&ssl=1"/></p>
<h1>Latest books (<a href="https://pluralistic.net/2025/04/01/doctor-robo-blabbermouth/#latest">permalink</a>)</h1>
<ul>
<li>
<ul>
<li>Picks and Shovels: a sequel to "Red Team Blues," about the heroic era of the PC, Tor Books (US), Head of Zeus (UK), February 2025 (<a href="https://us.macmillan.com/books/9781250865908/picksandshovels">https://us.macmillan.com/books/9781250865908/picksandshovels</a>).</li>
</ul>
</li>
<li>The Bezzle: a sequel to "Red Team Blues," about prison-tech and other grifts, Tor Books (US), Head of Zeus (UK), February 2024 (<a href="http://the-bezzle.org">the-bezzle.org</a>). Signed, personalized copies at Dark Delicacies (<a href="https://www.darkdel.com/store/p3062/Available_Feb_20th%3A_The_Bezzle_HB.html#/">https://www.darkdel.com/store/p3062/Available_Feb_20th%3A_The_Bezzle_HB.html#/</a>).</p>
</li>
<li>
<p>"The Lost Cause:" a solarpunk novel of hope in the climate emergency, Tor Books (US), Head of Zeus (UK), November 2023 (<a href="http://lost-cause.org">http://lost-cause.org</a>). Signed, personalized copies at Dark Delicacies (<a href="https://www.darkdel.com/store/p3007/Pre-Order_Signed_Copies%3A_The_Lost_Cause_HB.html#/">https://www.darkdel.com/store/p3007/Pre-Order_Signed_Copies%3A_The_Lost_Cause_HB.html#/</a>)</p>
</li>
<li>
<p>"The Internet Con": A nonfiction book about interoperability and Big Tech (Verso) September 2023 (<a href="http://seizethemeansofcomputation.org">http://seizethemeansofcomputation.org</a>). Signed copies at Book Soup (<a href="https://www.booksoup.com/book/9781804291245">https://www.booksoup.com/book/9781804291245</a>).</p>
</li>
<li>
<p>"Red Team Blues": "A grabby, compulsive thriller that will leave you knowing more about how the world works than you did before." Tor Books <a href="http://redteamblues.com">http://redteamblues.com</a>. Signed copies at Dark Delicacies (US): <a href="https://www.darkdel.com/store/p2873/Wed%2C_Apr_26th_6pm%3A_Red_Team_Blues%3A_A_Martin_Hench_Novel_HB.html#/"> and Forbidden Planet (UK): <a href="https://forbiddenplanet.com/385004-red-team-blues-signed-edition-hardcover/">https://forbiddenplanet.com/385004-red-team-blues-signed-edition-hardcover/</a>.</p>
</li>
<li>
<p>"Chokepoint Capitalism: How to Beat Big Tech, Tame Big Content, and Get Artists Paid, with Rebecca Giblin", on how to unrig the markets for creative labor, Beacon Press/Scribe 2022 <a href="https://chokepointcapitalism.com">https://chokepointcapitalism.com</a></p>
</li>
<li>
<p>"Attack Surface": The third Little Brother novel, a standalone technothriller for adults. The <em>Washington Post</em> called it "a political cyberthriller, vigorous, bold and savvy about the limits of revolution and resistance." Order signed, personalized copies from Dark Delicacies <a href="https://www.darkdel.com/store/p1840/Available_Now%3A_Attack_Surface.html">https://www.darkdel.com/store/p1840/Available_Now%3A_Attack_Surface.html</a></p>
</li>
<li>
<p>"How to Destroy Surveillance Capitalism": an anti-monopoly pamphlet analyzing the true harms of surveillance capitalism and proposing a solution. <a href="https://onezero.medium.com/how-to-destroy-surveillance-capitalism-8135e6744d59?sk=f6cd10e54e20a07d4c6d0f3ac011af6b">https://onezero.medium.com/how-to-destroy-surveillance-capitalism-8135e6744d59?sk=f6cd10e54e20a07d4c6d0f3ac011af6b</a></a>) (signed copies: <a href="https://www.darkdel.com/store/p2024/Available_Now%3A__How_to_Destroy_Surveillance_Capitalism.html">https://www.darkdel.com/store/p2024/Available_Now%3A__How_to_Destroy_Surveillance_Capitalism.html</a>)</p>
</li>
<li>
<p>"Little Brother/Homeland": A reissue omnibus edition with a new introduction by Edward Snowden: <a href="https://us.macmillan.com/books/9781250774583">https://us.macmillan.com/books/9781250774583</a>; personalized/signed copies here: <a href="https://www.darkdel.com/store/p1750/July%3A__Little_Brother_%26_Homeland.html">https://www.darkdel.com/store/p1750/July%3A__Little_Brother_%26_Homeland.html</a></p>
</li>
<li>
<p>"Poesy the Monster Slayer" a picture book about monsters, bedtime, gender, and kicking ass. Order here: <a href="https://us.macmillan.com/books/9781626723627">https://us.macmillan.com/books/9781626723627</a>. Get a personalized, signed copy here: <a href="https://www.darkdel.com/store/p2682/Corey_Doctorow%3A_Poesy_the_Monster_Slayer_HB.html#/">https://www.darkdel.com/store/p2682/Corey_Doctorow%3A_Poesy_the_Monster_Slayer_HB.html#/</a>.</p>
</li>
</ul>
<hr/>
<p><a name="upcoming-books"></a><br />
<img data-recalc-dims="1" decoding="async" alt="A cardboard book box with the Macmillan logo." src="https://i0.wp.com/craphound.com/images/upcoming-books.jpg?w=840&ssl=1"/></p>
<h1>Upcoming books (<a href="https://pluralistic.net/2025/04/01/doctor-robo-blabbermouth/#upcoming-books">permalink</a>)</h1>
<ul>
<li>Enshittification: Why Everything Suddenly Got Worse and What to Do About It, Farrar, Straus, Giroux, October 7 2025<br />
<a href="https://us.macmillan.com/books/9780374619329/enshittification/">https://us.macmillan.com/books/9780374619329/enshittification/</a></p>
</li>
<li>
<p>Unauthorized Bread: a middle-grades graphic novel adapted from my novella about refugees, toasters and DRM, FirstSecond, 2026</p>
</li>
<li>
<p>Enshittification, Why Everything Suddenly Got Worse and What to Do About It (the graphic novel), Firstsecond, 2026</p>
</li>
<li>
<p>The Memex Method, Farrar, Straus, Giroux, 2026</p>
</li>
</ul>
<hr/>
<p><a name="bragsheet"></a><br />
<img data-recalc-dims="1" decoding="async" src="https://i0.wp.com/craphound.com/images/colophon2.jpg?w=840&ssl=1"/></p>
<h1>Colophon (<a href="https://pluralistic.net/2025/04/01/doctor-robo-blabbermouth/#bragsheet">permalink</a>)</h1>
<p>Today's top sources:</p>
<p><b>Currently writing: </b></p>
<ul>
<li>Enshittification: a nonfiction book about platform decay for Farrar, Straus, Giroux. Status: second pass edit underway (readaloud)</p>
</li>
<li>
<p>A Little Brother short story about DIY insulin PLANNING</p>
</li>
<li>
<p>Picks and Shovels, a Martin Hench noir thriller about the heroic era of the PC. FORTHCOMING TOR BOOKS FEB 2025</p>
</li>
</ul>
<p><b>Latest podcast:</b> Why I don't like AI art <a href="https://craphound.com/news/2025/03/30/why-i-dont-like-ai-art/">https://craphound.com/news/2025/03/30/why-i-dont-like-ai-art/</a></p>
<hr/>
<p><img data-recalc-dims="1" decoding="async" src="https://i0.wp.com/craphound.com/images/by.svg.png?w=840&ssl=1"/></p>
<p>This work – excluding any serialized fiction – is licensed under a Creative Commons Attribution 4.0 license. That means you can use it any way you like, including commercially, provided that you attribute it to me, Cory Doctorow, and include a link to pluralistic.net.</p>
<p><a href="https://creativecommons.org/licenses/by/4.0/">https://creativecommons.org/licenses/by/4.0/</a></p>
<p>Quotations and images are not included in this license; they are included either under a limitation or exception to copyright, or on the basis of a separate license. Please exercise caution.</p>
<hr/>
<h1>How to get Pluralistic:</h1>
<p>Blog (no ads, tracking, or data-collection):</p>
<p><a href="http://pluralistic.net">Pluralistic.net</a></p>
<p>Newsletter (no ads, tracking, or data-collection):</p>
<p><a href="https://pluralistic.net/plura-list">https://pluralistic.net/plura-list</a></p>
<p>Mastodon (no ads, tracking, or data-collection):</p>
<p><a href="https://mamot.fr/@pluralistic">https://mamot.fr/@pluralistic</a></p>
<p>Medium (no ads, paywalled):</p>
<p><a href="https://doctorow.medium.com/">https://doctorow.medium.com/</a></p>
<p>Twitter (mass-scale, unrestricted, third-party surveillance and advertising):</p>
<p><a href="https://twitter.com/doctorow">https://twitter.com/doctorow</a></p>
<p>Tumblr (mass-scale, unrestricted, third-party surveillance and advertising):</p>
<p><a href="https://mostlysignssomeportents.tumblr.com/tagged/pluralistic">https://mostlysignssomeportents.tumblr.com/tagged/pluralistic</a></p>
<p>"<em>When life gives you SARS, you make sarsaparilla</em>" -Joey "Accordion Guy" DeVilla</p>
<p>ISSN: 3066-764X</p>
Goodbye Offpunk, Welcome XKCDpunk! - Ploum.nethttps://ploum.net/2025-04-01-xkcdpunk.html2025-04-01T00:00:00.000Z<h1>Goodbye Offpunk, Welcome XKCDpunk!</h1>
<p>For the last three years, I’ve been working on Offpunk, a command-line gemini and web browser. </p>
<ul>
<li><a href="https://offpunk.net">Offpunk.net</a></li>
</ul>
<p>While my initial goal was to browse the Geminisphere offline, the mission has slowly morphed into cleaning and unenshitiffying the modern web, offering users a minimalistic way of browsing any website with interesting content.</p>
<ul>
<li><a href="/2022-03-24-ansi_html.html">Rendering the Web with Pictures in Your Terminal (ploum.net)</a></li>
</ul>
<h2 id="soustitre-1">Focusing on essentials</h2>
<p>From the start, it was clear that Offpunk would focus on essentials. If a website needs JavaScript to be read, it is considered as non-essential. </p>
<p>It worked surprisingly well. In fact, in multiple occurrence, I’ve discovered that some websites work better in Offpunk than in Firefox. I can comfortably read their content in the former, not in the latter.</p>
<p>By default, Offpunk blocks domains deemed as nonessentials or too enshitified like twitter, X, facebook, linkedin, tiktok. (those are configurable, of course. Defaults are in offblocklist.py).</p>
<p>Cleaning websites, blocking worst offenders. That’s good. But it is only a start.</p>
<p>It’s time to go further, to really cut out all the crap from the web. </p>
<p>And, honestly, besides XKCD comics, everything is crap on the modern web.</p>
<blockquote> As an online technical discussion grows longer, the probability of a comparison with an existing XKCD comic approaches 1.<br> – XKCD’s law<br></blockquote>
<ul>
<li><a href="/xkcds-law/index.html">XKCD’s law (ploum.net)</a></li>
</ul>
<p>If we know that we will end our discussion with an XKCD’s comic, why not cut all the fluff? Why don’t we go straight to the conclusion in a true minimalistic fashion?</p>
<h2 id="soustitre-2">Introducing XKCDpunk</h2>
<p>That’s why I’m proud to announce that, starting with today’s release, Offpunk 2.7 will now be known as XKCDpunk 1.0.</p>
<ul>
<li><a href="https://xkcdpunk.net">Xkcdpunk.net</a></li>
</ul>
<p>XKCDpunk includes a new essential command "xkcd" which, as you guessed, takes an integer as a parameter and display the relevant XKCD comic in your terminal, while caching it to be able to browse it offline.</p>
<figure>
<a href="/files/xkcdpunk1.png"><img alt="Screenshot of XKCDpunk showing comic 626" src="/files/xkcdpunk1.png" width="450" class="center"></a>
<figcaption>Screenshot of XKCDpunk showing comic 626</figcaption>
</figure>
<p>Of course, this is only an early release. I need to clean a lot of code to remove everything not related to accessing xkcd.com. Every non-xkcd related domain will be added to offblocklist.py. </p>
<p>I also need to clean every occurrence of "Offpunk" to change the name. All offpunk.net needs to be migrated to xkcd.net. Roma was not built in one day.</p>
<p>Don’t hesitate to install an "offpunk" package, as it will still be called in most distributions.</p>
<ul>
<li><a href="https://repology.org/project/offpunk/versions">offpunk package versions - Repology (repology.org)</a></li>
</ul>
<p>And report bugs on the xkcdpunk’s mailinglist.</p>
<ul>
<li><a href="https://lists.sr.ht/~lioploum/offpunk-users">xkcdpunk-users on lists.sr.ht</a></li>
</ul>
<p>Goodbye Offpunk, welcome XKCDpunk!</p>
<div class="signature"><p>I’m <a href="https://fr.wikipedia.org/wiki/Ploum">Ploum</a>, a writer and an engineer. I like to explore how technology impacts society. You can subscribe <a href="https://listes.ploum.net/mailman3/lists/en.listes.ploum.net/">by email</a> or <a href="/atom_en.xml">by rss</a>. I value privacy and never share your adress.</p>
<p>I write <a href="https://pvh-editions.com/ploum">science-fiction novels in French</a>. For <a href="https://bikepunk.fr">Bikepunk</a>, my new post-apocalyptic-cyclist book, my publisher is looking for contacts in other countries to distribute it in languages other than French. If you can help, <a href="about.html">contact me</a>!</p>
</div>Pluralistic: Private-sector Trumpism (31 Mar 2025) - Pluralistic: Daily links from Cory Doctorowhttps://pluralistic.net/?p=106242025-03-31T13:08:04.000Z<p><!--
Tags:
monopoly, monopolies, monopolism, madison square gardens, autocrats of trade, facial recognition, property rights, human rights, property rights vs human rights
Summary:
Private-sector Trumpism; Hey look at this; Upcoming appearances; Upcoming appearances; Recent appearances; Latest books; Upcoming books
URL:
https://pluralistic.net/2025/03/31/madison-square-garden/
Title:
Pluralistic: Private-sector Trumpism (31 Mar 2025) madison-square-garden
Bullet:
🩻
Separator:
6969696969696969696969696969696969696969696969696969696969696
Top Sources:
Today's top sources: Slashdot (https://slashdot.org/).
--><br />
<a href="https://pluralistic.net/2025/03/31/madison-square-garden/"><img data-recalc-dims="1" decoding="async" class="xmasthead_link" src="https://i0.wp.com/craphound.com/images/31Mar2025.jpg?w=840&ssl=1"/></a></p>
<h1 class="toch1">Today's links</h1>
<ul class="toc">
<li class="xToC"><a href="https://pluralistic.net/2025/03/31/madison-square-garden/#autocrats-of-trade">Private-sector Trumpism</a>: Monopoly, facial recognition and property rights all add up to a private system of government.
</li>
<li class="xToC"><a href="https://pluralistic.net/2025/03/31/madison-square-garden/#linkdump">Hey look at this</a>: Delights to delectate.
</li>
<li class="xToC"><a href="https://pluralistic.net/2025/03/31/madison-square-garden/#retro">Object permanence</a>: 2010, 2020, 2024
</li>
<li class="xToC"><a href="https://pluralistic.net/2025/03/31/madison-square-garden/#upcoming">Upcoming appearances</a>: Where to find me.
</li>
<li class="xToC"><a href="https://pluralistic.net/2025/03/31/madison-square-garden/#upcoming">Upcoming appearances</a>: Where to find me.
</li>
<li class="xToC"><a href="https://pluralistic.net/2025/03/31/madison-square-garden/#recent">Recent appearances</a>: Where I've been.
</li>
<li class="xToC"><a href="https://pluralistic.net/2025/03/31/madison-square-garden/#latest">Latest books</a>: You keep readin' em, I'll keep writin' 'em.
</li>
<li class="xToC"><a href="https://pluralistic.net/2025/03/31/madison-square-garden/#upcoming-books">Upcoming books</a>: Like I said, I'll keep writin' 'em.
</li>
<li class="xToC"><a href="https://pluralistic.net/2025/03/31/madison-square-garden/#bragsheet">Colophon</a>: All the rest.
</li>
</ul>
<p><span id="more-10624"></span></p>
<hr/>
<p><a name="autocrats-of-trade"></a><br />
<img data-recalc-dims="1" decoding="async" alt="The Las Vegas Sphere as seen by night, with the lights of Vegas behind it. The Sphere itself has been replaced with the glaring red eye of HAL 9000 from Kubrick's '2001: A Space Odyssey,' and centered on it is a Madison Square Garden logo. The Sphere has been topped with Trump's hair." src="https://i0.wp.com/craphound.com/images/msg-fr-trump.jpg?w=840&ssl=1"/></p>
<h1>Private-sector Trumpism (<a href="https://pluralistic.net/2025/03/31/madison-square-garden/#autocrats-of-trade">permalink</a>)</h1>
<p>Trumpism is a mixture of grievance, surveillance, and pettiness: "I will never forgive your mockery, I have records of you doing it, and I will punish you and everyone who associates with you for it." Think of how he's going after the (cowardly BigLaw firms:</p>
<p><a href="https://abovethelaw.com/2025/03/skadden-makes-100-million-settlement-with-trump-in-pro-bono-payola/">https://abovethelaw.com/2025/03/skadden-makes-100-million-settlement-with-trump-in-pro-bono-payola/</a></p>
<p>Trump is the realization of decades of warning about ubiquitous private and public surveillance – that someday, all of this surveillance would be turned to the systematic dismantling of human rights and punishing of dissent.</p>
<p>23 years ago, I was staying in London with some friends, scouting for a flat to live in. After at day in town, I came back and we ordered a curry and had a nice chat. I mentioned how discomfited I'd been by all the CCTV cameras that had sprouted at the front of every private building, to say nothing of all the public cameras installed by local councils and the police. My friend dismissed this as a kind of American, hyper-individualistic privacy purism, explaining that these cameras were there for public safety – to catch flytippers, vandals, muggers, boy racers tearing unsafely through the streets. My fear about having my face captured by all these cameras was little more than superstitious dread. It's not like they were capturing my soul.</p>
<p>Now, I knew that my friend had recently marched in one of the massive demonstrations against Bush and Blair's illegal invasion plans for Iraq. "Look," I said, "you marched in the street to stand up and be counted. But even so, how would you have felt if – as a condition of protesting – you were forced to first record your identity in a government record-book?" My friend had signed petitions, he'd marched in the street, but even so, he had to admit that there would be some kind of chilling effect if your identity had to be captured as a condition of participating in public political events.</p>
<p>Trump has divided the country into two groups of people: "citizens" (who are sometimes only semi-citizens) and immigrants (who have no rights):</p>
<p><a href="https://crookedtimber.org/2025/03/29/trumps-war-on-immigrants-is-the-cancellation-of-free-society/#fn-53926-1">https://crookedtimber.org/2025/03/29/trumps-war-on-immigrants-is-the-cancellation-of-free-society/#fn-53926-1</a></p>
<p>Trump has asserted that he can arrest and deport immigrants (and some semi-citizens) for saying things he doesn't like, or even liking social media posts he disapproves of. He's argued that he can condemn people to life in an offshore slave-labor camp if he doesn't like their tattoos. It is tyranny, built on ubiquitous surveillance, fueled by spite and grievance.</p>
<p>One of Trumpism's most important tenets is that private institutions should have the legal right to discriminate against minorities that he doesn't like. For example, he's trying to end the CFPB's enforcement action against Townstone, a mortgage broker that practiced rampant racial discrimination:</p>
<p><a href="https://prospect.org/justice/2025-03-28-trump-scrambles-pardon-corporate-criminals-townstone-boeing-cfpb/">https://prospect.org/justice/2025-03-28-trump-scrambles-pardon-corporate-criminals-townstone-boeing-cfpb/</a></p>
<p>By contrast, Trump abhors the idea that private institutions should be allowed to discriminate against the people he likes, hence his holy war against "DEI":</p>
<p><a href="https://www.cnbc.com/2025/03/29/trump-administration-warns-european-companies-to-comply-with-anti-dei-order.html">https://www.cnbc.com/2025/03/29/trump-administration-warns-european-companies-to-comply-with-anti-dei-order.html</a></p>
<p>This is the crux of Wilhoit's Law, an important and true definition of "conservativism":</p>
<blockquote><p>
Conservatism consists of exactly one proposition, to wit: There must be in-groups whom the law protectes but does not bind, alongside out-groups whom the law binds but does not protect.
</p></blockquote>
<p><a href="https://crookedtimber.org/2018/03/21/liberals-against-progressives/#comment-729288">https://crookedtimber.org/2018/03/21/liberals-against-progressives/#comment-729288</a></p>
<p>Wilhoit's definition is an important way of framing how conservatives view the role of the state. But there's another definition I like, one that's more about how we relate to one-another, which I heard from Steven Brust: "Ask, 'What's more important: human rights or property rights?' Anyone who answers 'property rights <em>are</em> human rights' is a conservative."</p>
<p>Thus the idea that a mortgage broker or an employer or a banker or a landlord should be able to discriminate against you because of the color of your skin, your sexual orientation, your gender, or your beliefs. If "property rights <em>are</em> human rights," then the human right not to rent to a same-sex couple is co-equal with the couple's human right to shelter.</p>
<p>The property rights/human rights distinction isn't just a way to cleave right from left – it's also a way to distinguish the left from liberals. Liberals will tell you that 'it's not censorship if it's done privately' – on the grounds that private property owners have the <em>absolute</em> right to decide which speech they will or won't permit. Charitably, we can say that some of these people are simply drawing a false equivalence between "violating the First Amendment" and "censorship":</p>
<p><a href="https://pluralistic.net/2022/12/04/yes-its-censorship/">https://pluralistic.net/2022/12/04/yes-its-censorship/</a></p>
<p>But while private censorship is <em>often</em> less consequential than state censorship, that isn't always true, and even when it is, that doesn't mean that private censorship poses no danger to free expression.</p>
<p>Consider a thought experiment in which a restaurant chain called "No Politics At the Dinner Table Cafe" buys up every eatery in town, and then maintains its monopoly by sewing up exclusive deals with local food producers, and then expands into babershops, taxis and workplace cafeterias, enforcing a rule in all these spaces that bans discussions of politics:</p>
<p><a href="https://locusmag.com/2020/01/cory-doctorow-inaction-is-a-form-of-action/">https://locusmag.com/2020/01/cory-doctorow-inaction-is-a-form-of-action/</a></p>
<p>Here we see how monopoly, combined with property rights, creates a system of censorship that is every bit as consequential as a government rule. And if all of those facilities were to add AI-backed cameras and mics that automatically monitored all our conversations for forbidden political speech, then surveillance would complete the package, yielding private censorship that is effectively indistinguishable from government censorship – with the main difference being that the First Amendment permits the former and prohibits the latter.</p>
<p>The fear that private wealth could lead to a system of private <em>rule</em> has been in America since its founding, when Benjamin Franklin tried (unsuccessfully) to put a ban on monopolies into the US Constitution. A century later, Senator John Sherman wrote the Sherman Act, the first antitrust bill, defending it on the Senate floor by saying:</p>
<blockquote><p>
If we would not submit to an emperor we should not submit to an autocrat of trade.
</p></blockquote>
<p><a href="https://pluralistic.net/2022/02/20/we-should-not-endure-a-king/">https://pluralistic.net/2022/02/20/we-should-not-endure-a-king/</a></p>
<p>40 years ago, neoliberal economists ended America's century-long war on monopolies, declaring monopolies to be "efficient" and convincing Carter, then Reagan, then all their successors (except Biden) to encourage monopolies to form. The US government all but totally suspended enforcement of its antitrust laws, permitting anticompetitive mergers, predatory pricing, and illegal price discrimination. In so doing, they transformed America into a monopolist's playground, where versions of the No Politics At the Dinner Table Cafe have conquered every sector of our economy:</p>
<p><a href="https://www.openmarketsinstitute.org/learn/monopoly-by-the-numbers">https://www.openmarketsinstitute.org/learn/monopoly-by-the-numbers</a></p>
<p>This is especially true of our speech forums – the vast online platforms that have become the primary means by which we engage in politics, civics, family life, and more. These platforms are able to decide who may speak, what they may say, and what we may hear:</p>
<p><a href="https://pluralistic.net/2022/12/10/e2e/#the-censors-pen">https://pluralistic.net/2022/12/10/e2e/#the-censors-pen</a></p>
<p>These platforms are optimized for mass surveillance, and, when coupled with private sector facial recognition databases, it is now possible to realize the nightmare scenario I mooted in London 23 years ago. As you move through both the virtual and physical world, you can be identified, your political speech can be attributed to you, and it can be used as a basis for discrimination against you:</p>
<p><a href="https://pluralistic.net/2023/09/20/steal-your-face/#hoan-ton-that">https://pluralistic.net/2023/09/20/steal-your-face/#hoan-ton-that</a></p>
<p>This is how things work at the US border, of course, where border guards are turning away academics for having anti-Trump views:</p>
<p><a href="https://www.nytimes.com/2025/03/20/world/europe/us-france-scientist-entry-trump-messages.html">https://www.nytimes.com/2025/03/20/world/europe/us-france-scientist-entry-trump-messages.html</a></p>
<p>It's not just borders, though. Large, private enterprises own large swathes of our world. They have the unlimited property right to exclude people from their properties. And they can spy on us as much as they want, because it's not just antitrust law that withered over the past four decades, it's also <em>privacy</em> law. The last consumer privacy law Congress bestirred itself to pass was 1988's "Video Privacy Protection Act," which bans video-store clerks from disclosing your VHS rentals. The failure to act on privacy – like the failure to act on monopoly – has created a vacuum that has been filled up with private power. Today, it's normal for your every action – every utterance, every movement, every purchase – to be captured, stored, combined, analyzed, and, of course <em>sold</em>.</p>
<p>With vast property holdings, total property rights, and no privacy law, companies have become the autocrats of trade, able to regulate our speech and association in ways that can no longer be readily distinguished state conduct that is at least theoretically prohibited by the First Amendment.</p>
<p>Take Madison Square Garden, a corporate octopus that owns theaters, venues and sport stadiums and teams around the country. The company is notoriously vindictive, thanks to a spate of incidents in which the company used facial recognition cameras to bar anyone who worked at a law-firm that was suing the company from entering any of its premises:</p>
<p><a href="https://www.nytimes.com/2022/12/22/nyregion/madison-square-garden-facial-recognition.html">https://www.nytimes.com/2022/12/22/nyregion/madison-square-garden-facial-recognition.html</a></p>
<p>This practice was upheld by the courts, on the grounds that the property rights of MSG trumped the human rights of random low-level personnel at giant law firms where one lawyer out of thousands happened to be suing the company:</p>
<p><a href="https://www.nbcnewyork.com/news/local/madison-square-gardens-ban-on-lawyers-suing-them-can-remain-in-place-court-rules/4194985/">https://www.nbcnewyork.com/news/local/madison-square-gardens-ban-on-lawyers-suing-them-can-remain-in-place-court-rules/4194985/</a></p>
<p>Take your kid's Girl Scout troop on an outing to Radio City Music Hall? Sure, just quit your job and go work for another firm.</p>
<p>But that was just for starters. Now, MSG has started combing social media to identify random individuals who have criticized the company, and has added <em>their</em> faces to the database of people who can't enter their premises. For example, a New Yorker named Frank Miller has been banned for life from all MSG properties because, 20 years ago, he designed a t-shirt making fun of MSG CEO James Dolan:</p>
<p><a href="https://www.theverge.com/news/637228/madison-square-garden-james-dolan-facial-recognition-fan-ban">https://www.theverge.com/news/637228/madison-square-garden-james-dolan-facial-recognition-fan-ban</a></p>
<p>This is private-sector Trumpism, and it's just getting started.</p>
<p>Take hotels: the entire hotel industry has collapsed into two gigachains: Marriott and Hilton. Both companies are notoriously bad employers and at constant war with their unions (and with nonunion employees hoping to unionize in the face of flagrant, illegal union-busting). If you post criticism online of both hotel chains for hiring scabs, say, and <em>they</em> add you to a facial recognition blocklist, will you be able to get a hotel room?</p>
<p>After more than a decade of Uber and Lyft's illegal predatory pricing, many cities have lost their private taxi fleets and massively disinvested in their public transit. If Uber and Lyft start compiling dossiers of online critics, could you lose the ability to get from anywhere to anywhere, in dozens of cities?</p>
<p>Private equity has rolled up pet groomers, funeral parlors, and dialysis centers. What happens if the PE barons running those massive conglomerates decide to exclude their critics from any business in their portfolio? How would it feel to be shut out of your mother's funeral because you shit-talked the CEO of Foundation Partners Group?</p>
<p><a href="https://kffhealthnews.org/news/article/funeral-homes-private-equity-death-care/">https://kffhealthnews.org/news/article/funeral-homes-private-equity-death-care/</a></p>
<p>More to the point: once this stuff starts happening, who will dare to criticize corporate criminals online, where their speech can be captured and used against them, by private-sector Trumps armed with facial recognition and the absurd notion that property rights aren't just human rights – they're the <em>ultimate</em> human rights?</p>
<p>The old fears of Benjamin Franklin and John Sherman have come to pass. We live among autocrats of trade, and don't even pretend the Constitution controls what these private sector governments can do to us.</p>
<p>(<i>Image: <a href="https://commons.wikimedia.org/wiki/File:HAL9000.svg">Cryteria</a>, <a href="https://creativecommons.org/licenses/by/3.0/deed.en">CC BY 3.0</a>, modified</i>)</p>
<hr/>
<p><a name="linkdump"></a></p>
<h1>Hey look at this (<a href="https://pluralistic.net/2025/03/31/madison-square-garden/#linkdump">permalink</a>)</h1>
<p><img data-recalc-dims="1" decoding="async" src="https://i0.wp.com/craphound.com/images/heylookatthis2.jpg?w=840&ssl=1"/></p>
<ul>
<li>Aint Been Doin Nothin if You Aint Been Called a Red <a href="https://www.youtube.com/watch?v=UCedPmK4E4I">https://www.youtube.com/watch?v=UCedPmK4E4I</a> h/t r/LateStageCapitalism</p>
</li>
<li>
<p>Know Your Rights – City of Burbank <a href="https://www.burbankca.gov/know_your_rights">https://www.burbankca.gov/know_your_rights</a></p>
</li>
<li>
<p>The Tech Fantasy That Powers A.I. Is Running on Fumes <a href="https://www.nytimes.com/2025/03/29/opinion/ai-tech-innovation.html">https://www.nytimes.com/2025/03/29/opinion/ai-tech-innovation.html</a> (h/t Nelson Minar)</p>
</li>
</ul>
<hr/>
<p><a name="retro"></a><br />
<img data-recalc-dims="1" height="416" width="796" decoding="async" alt="A Wayback Machine banner." src="https://i0.wp.com/craphound.com/images/wayback-machine-hed-796x416.png?resize=796%2C416&ssl=1"/></p>
<h1>Object permanence (<a href="https://pluralistic.net/2025/03/31/madison-square-garden/#retro">permalink</a>)</h1>
<p>#15yrsago Why I won’t buy an iPad (and think you shouldn’t, either) <a href="https://memex.craphound.com/2010/04/01/why-i-wont-buy-an-ipad-and-think-you-shouldnt-either/">https://memex.craphound.com/2010/04/01/why-i-wont-buy-an-ipad-and-think-you-shouldnt-either/</a></p>
<p>#5yrsago Solar as a beneficial fad <a href="https://pluralistic.net/2020/04/01/pluralistic:-01-apr-2020/#pv-or-bust">https://pluralistic.net/2020/04/01/pluralistic:-01-apr-2020/#pv-or-bust</a></p>
<p>#5yrsago American employment exceptionalism <a href="https://pluralistic.net/2020/04/01/pluralistic:-01-apr-2020/#usausausa">https://pluralistic.net/2020/04/01/pluralistic:-01-apr-2020/#usausausa</a></p>
<p>#5yrsago Tiktok Kremlinology <a href="https://pluralistic.net/2020/04/01/pluralistic:-01-apr-2020/#going-pandemic">https://pluralistic.net/2020/04/01/pluralistic:-01-apr-2020/#going-pandemic</a></p>
<p>#5yrsago Alteon cuts covid-fighters' pay <a href="https://pluralistic.net/2020/04/01/pluralistic:-01-apr-2020/#private-equity">https://pluralistic.net/2020/04/01/pluralistic:-01-apr-2020/#private-equity</a></p>
<p>#5yrsago Snowden's Box <a href="https://pluralistic.net/2020/04/01/pluralistic:-01-apr-2020/#94-1054-Eleu-St">https://pluralistic.net/2020/04/01/pluralistic:-01-apr-2020/#94-1054-Eleu-St</a></p>
<p>#1yrago Humans are not perfectly vigilant <a href="https://pluralistic.net/2024/04/01/human-in-the-loop/#monkey-in-the-middle">https://pluralistic.net/2024/04/01/human-in-the-loop/#monkey-in-the-middle</a></p>
<hr/>
<p><a name="upcoming"></a></p>
<h1>Upcoming appearances (<a href="https://pluralistic.net/2025/03/31/madison-square-garden/#upcoming">permalink</a>)</h1>
<p><img data-recalc-dims="1" decoding="async" alt="A photo of me onstage, giving a speech, pounding the podium." src="https://i0.wp.com/craphound.com/images/appearances2.jpg?w=840&ssl=1"/></p>
<hr/>
<p><a name="upcoming"></a></p>
<h1>Upcoming appearances (<a href="https://pluralistic.net/2025/03/31/madison-square-garden/#upcoming">permalink</a>)</h1>
<p><img data-recalc-dims="1" decoding="async" alt="A photo of me onstage, giving a speech, pounding the podium." src="https://i0.wp.com/craphound.com/images/appearances2.jpg?w=840&ssl=1"/></p>
<ul>
<li>Chicago: Picks and Shovels with Peter Sagal, Apr 2<br />
<a href="https://exileinbookville.com/events/44853">https://exileinbookville.com/events/44853</a></p>
</li>
<li>
<p>Chicago: ABA Techshow, Apr 3<br />
<a href="https://www.techshow.com/">https://www.techshow.com/</a></p>
</li>
<li>
<p>Bloomington: Picks and Shovels at Morgenstern, Apr 4<br />
<a href="https://morgensternbooks.com/event/2025-04-04/author-event-cory-doctorow">https://morgensternbooks.com/event/2025-04-04/author-event-cory-doctorow</a></p>
</li>
<li>
<p>Bloomington: Ostrom Center, Apr 4<br />
<a href="https://events.iu.edu/ostromworkshop/event/1843316-hls-beyond-the-web-cory-doctorow">https://events.iu.edu/ostromworkshop/event/1843316-hls-beyond-the-web-cory-doctorow</a></p>
</li>
<li>
<p>Pittsburgh: Picks and Shovels at White Whale Books, May 15<br />
<a href="https://whitewhalebookstore.com/events/20250515">https://whitewhalebookstore.com/events/20250515</a></p>
</li>
<li>
<p>Pittsburgh: PyCon, May 16<br />
<a href="https://us.pycon.org/2025/schedule/">https://us.pycon.org/2025/schedule/</a></p>
</li>
<li>
<p>PDX: Teardown 2025, Jun 20-22<br />
<a href="https://www.crowdsupply.com/teardown/portland-2025">https://www.crowdsupply.com/teardown/portland-2025</a></p>
</li>
<li>
<p>PDX: Picks and Shovels at Barnes and Noble, Jun 20<br />
<a href="https://stores.barnesandnoble.com/event/9780062183697-0">https://stores.barnesandnoble.com/event/9780062183697-0</a></p>
</li>
<li>
<p>New Orleans: DeepSouthCon63, Oct 10-12, 2025<br />
<a href="http://www.contraflowscifi.org/">http://www.contraflowscifi.org/</a></p>
</li>
</ul>
<hr/>
<p><a name="recent"></a><br />
<img data-recalc-dims="1" decoding="async" alt="A screenshot of me at my desk, doing a livecast." src="https://i0.wp.com/craphound.com/images/recentappearances2.jpg?w=840&ssl=1"/></p>
<h1>Recent appearances (<a href="https://pluralistic.net/2025/03/31/madison-square-garden/#recent">permalink</a>)</h1>
<ul>
<li>Fire the unelected social media dictators (Al Jazeera Upfront)<br />
<a href="https://www.youtube.com/watch?v=KXa4DzhkUZ8">https://www.youtube.com/watch?v=KXa4DzhkUZ8</a></p>
</li>
<li>
<p>Capitalists Hate Capitalism (MMT Podcast)<br />
<a href="https://pileusmmt.libsyn.com/195-capitalists-hate-capitalism-with-cory-doctorow">https://pileusmmt.libsyn.com/195-capitalists-hate-capitalism-with-cory-doctorow</a></p>
</li>
<li>
<p>How to Destroy Our Tech Overlords (Homeless Romantic)<br />
<a href="https://www.youtube.com/watch?v=epma2B0wjzU">https://www.youtube.com/watch?v=epma2B0wjzU</a></p>
</li>
</ul>
<hr/>
<p><a name="latest"></a><br />
<img data-recalc-dims="1" decoding="async" alt="A grid of my books with Will Stahle covers.." src="https://i0.wp.com/craphound.com/images/recent.jpg?w=840&ssl=1"/></p>
<h1>Latest books (<a href="https://pluralistic.net/2025/03/31/madison-square-garden/#latest">permalink</a>)</h1>
<ul>
<li>
<ul>
<li>Picks and Shovels: a sequel to "Red Team Blues," about the heroic era of the PC, Tor Books (US), Head of Zeus (UK), February 2025 (<a href="https://us.macmillan.com/books/9781250865908/picksandshovels">https://us.macmillan.com/books/9781250865908/picksandshovels</a>).</li>
</ul>
</li>
<li>The Bezzle: a sequel to "Red Team Blues," about prison-tech and other grifts, Tor Books (US), Head of Zeus (UK), February 2024 (<a href="http://the-bezzle.org">the-bezzle.org</a>). Signed, personalized copies at Dark Delicacies (<a href="https://www.darkdel.com/store/p3062/Available_Feb_20th%3A_The_Bezzle_HB.html#/">https://www.darkdel.com/store/p3062/Available_Feb_20th%3A_The_Bezzle_HB.html#/</a>).</p>
</li>
<li>
<p>"The Lost Cause:" a solarpunk novel of hope in the climate emergency, Tor Books (US), Head of Zeus (UK), November 2023 (<a href="http://lost-cause.org">http://lost-cause.org</a>). Signed, personalized copies at Dark Delicacies (<a href="https://www.darkdel.com/store/p3007/Pre-Order_Signed_Copies%3A_The_Lost_Cause_HB.html#/">https://www.darkdel.com/store/p3007/Pre-Order_Signed_Copies%3A_The_Lost_Cause_HB.html#/</a>)</p>
</li>
<li>
<p>"The Internet Con": A nonfiction book about interoperability and Big Tech (Verso) September 2023 (<a href="http://seizethemeansofcomputation.org">http://seizethemeansofcomputation.org</a>). Signed copies at Book Soup (<a href="https://www.booksoup.com/book/9781804291245">https://www.booksoup.com/book/9781804291245</a>).</p>
</li>
<li>
<p>"Red Team Blues": "A grabby, compulsive thriller that will leave you knowing more about how the world works than you did before." Tor Books <a href="http://redteamblues.com">http://redteamblues.com</a>. Signed copies at Dark Delicacies (US): <a href="https://www.darkdel.com/store/p2873/Wed%2C_Apr_26th_6pm%3A_Red_Team_Blues%3A_A_Martin_Hench_Novel_HB.html#/"> and Forbidden Planet (UK): <a href="https://forbiddenplanet.com/385004-red-team-blues-signed-edition-hardcover/">https://forbiddenplanet.com/385004-red-team-blues-signed-edition-hardcover/</a>.</p>
</li>
<li>
<p>"Chokepoint Capitalism: How to Beat Big Tech, Tame Big Content, and Get Artists Paid, with Rebecca Giblin", on how to unrig the markets for creative labor, Beacon Press/Scribe 2022 <a href="https://chokepointcapitalism.com">https://chokepointcapitalism.com</a></p>
</li>
<li>
<p>"Attack Surface": The third Little Brother novel, a standalone technothriller for adults. The <em>Washington Post</em> called it "a political cyberthriller, vigorous, bold and savvy about the limits of revolution and resistance." Order signed, personalized copies from Dark Delicacies <a href="https://www.darkdel.com/store/p1840/Available_Now%3A_Attack_Surface.html">https://www.darkdel.com/store/p1840/Available_Now%3A_Attack_Surface.html</a></p>
</li>
<li>
<p>"How to Destroy Surveillance Capitalism": an anti-monopoly pamphlet analyzing the true harms of surveillance capitalism and proposing a solution. <a href="https://onezero.medium.com/how-to-destroy-surveillance-capitalism-8135e6744d59?sk=f6cd10e54e20a07d4c6d0f3ac011af6b">https://onezero.medium.com/how-to-destroy-surveillance-capitalism-8135e6744d59?sk=f6cd10e54e20a07d4c6d0f3ac011af6b</a></a>) (signed copies: <a href="https://www.darkdel.com/store/p2024/Available_Now%3A__How_to_Destroy_Surveillance_Capitalism.html">https://www.darkdel.com/store/p2024/Available_Now%3A__How_to_Destroy_Surveillance_Capitalism.html</a>)</p>
</li>
<li>
<p>"Little Brother/Homeland": A reissue omnibus edition with a new introduction by Edward Snowden: <a href="https://us.macmillan.com/books/9781250774583">https://us.macmillan.com/books/9781250774583</a>; personalized/signed copies here: <a href="https://www.darkdel.com/store/p1750/July%3A__Little_Brother_%26_Homeland.html">https://www.darkdel.com/store/p1750/July%3A__Little_Brother_%26_Homeland.html</a></p>
</li>
<li>
<p>"Poesy the Monster Slayer" a picture book about monsters, bedtime, gender, and kicking ass. Order here: <a href="https://us.macmillan.com/books/9781626723627">https://us.macmillan.com/books/9781626723627</a>. Get a personalized, signed copy here: <a href="https://www.darkdel.com/store/p2682/Corey_Doctorow%3A_Poesy_the_Monster_Slayer_HB.html#/">https://www.darkdel.com/store/p2682/Corey_Doctorow%3A_Poesy_the_Monster_Slayer_HB.html#/</a>.</p>
</li>
</ul>
<hr/>
<p><a name="upcoming-books"></a><br />
<img data-recalc-dims="1" decoding="async" alt="A cardboard book box with the Macmillan logo." src="https://i0.wp.com/craphound.com/images/upcoming-books.jpg?w=840&ssl=1"/></p>
<h1>Upcoming books (<a href="https://pluralistic.net/2025/03/31/madison-square-garden/#upcoming-books">permalink</a>)</h1>
<ul>
<li>Enshittification: Why Everything Suddenly Got Worse and What to Do About It, Farrar, Straus, Giroux, October 7 2025<br />
<a href="https://us.macmillan.com/books/9780374619329/enshittification/">https://us.macmillan.com/books/9780374619329/enshittification/</a></p>
</li>
<li>
<p>Unauthorized Bread: a middle-grades graphic novel adapted from my novella about refugees, toasters and DRM, FirstSecond, 2026</p>
</li>
<li>
<p>Enshittification, Why Everything Suddenly Got Worse and What to Do About It (the graphic novel), Firstsecond, 2026</p>
</li>
<li>
<p>The Memex Method, Farrar, Straus, Giroux, 2026</p>
</li>
</ul>
<hr/>
<p><a name="bragsheet"></a><br />
<img data-recalc-dims="1" decoding="async" src="https://i0.wp.com/craphound.com/images/colophon2.jpg?w=840&ssl=1"/></p>
<h1>Colophon (<a href="https://pluralistic.net/2025/03/31/madison-square-garden/#bragsheet">permalink</a>)</h1>
<p>Today's top sources: Slashdot (<a href="https://slashdot.org/">https://slashdot.org/</a>).</p>
<p><b>Currently writing: </b></p>
<ul>
<li>Enshittification: a nonfiction book about platform decay for Farrar, Straus, Giroux. Status: second pass edit underway (readaloud)</p>
</li>
<li>
<p>A Little Brother short story about DIY insulin PLANNING</p>
</li>
<li>
<p>Picks and Shovels, a Martin Hench noir thriller about the heroic era of the PC. FORTHCOMING TOR BOOKS FEB 2025</p>
</li>
</ul>
<p><b>Latest podcast:</b> Why I don't like AI art <a href="https://craphound.com/news/2025/03/30/why-i-dont-like-ai-art/">https://craphound.com/news/2025/03/30/why-i-dont-like-ai-art/</a></p>
<hr/>
<p><img data-recalc-dims="1" decoding="async" src="https://i0.wp.com/craphound.com/images/by.svg.png?w=840&ssl=1"/></p>
<p>This work – excluding any serialized fiction – is licensed under a Creative Commons Attribution 4.0 license. That means you can use it any way you like, including commercially, provided that you attribute it to me, Cory Doctorow, and include a link to pluralistic.net.</p>
<p><a href="https://creativecommons.org/licenses/by/4.0/">https://creativecommons.org/licenses/by/4.0/</a></p>
<p>Quotations and images are not included in this license; they are included either under a limitation or exception to copyright, or on the basis of a separate license. Please exercise caution.</p>
<hr/>
<h1>How to get Pluralistic:</h1>
<p>Blog (no ads, tracking, or data-collection):</p>
<p><a href="http://pluralistic.net">Pluralistic.net</a></p>
<p>Newsletter (no ads, tracking, or data-collection):</p>
<p><a href="https://pluralistic.net/plura-list">https://pluralistic.net/plura-list</a></p>
<p>Mastodon (no ads, tracking, or data-collection):</p>
<p><a href="https://mamot.fr/@pluralistic">https://mamot.fr/@pluralistic</a></p>
<p>Medium (no ads, paywalled):</p>
<p><a href="https://doctorow.medium.com/">https://doctorow.medium.com/</a></p>
<p>Twitter (mass-scale, unrestricted, third-party surveillance and advertising):</p>
<p><a href="https://twitter.com/doctorow">https://twitter.com/doctorow</a></p>
<p>Tumblr (mass-scale, unrestricted, third-party surveillance and advertising):</p>
<p><a href="https://mostlysignssomeportents.tumblr.com/tagged/pluralistic">https://mostlysignssomeportents.tumblr.com/tagged/pluralistic</a></p>
<p>"<em>When life gives you SARS, you make sarsaparilla</em>" -Joey "Accordion Guy" DeVilla</p>
<p>ISSN: 3066-764X</p>
Pretty Print HTML using PHP 8.4's new HTML DOM - Terence Eden’s Bloghttps://shkspr.mobi/blog/?p=592382025-03-31T11:34:54.000Z<p>Those whom the gods would send mad, they first teach recursion.</p>
<p>PHP 8.4 introduces a new <a href="https://www.php.net/manual/en/class.dom-htmldocument.php">Dom\HTMLDocument class</a> it is a modern HTML5 replacement for the ageing XHTML based DOMDocument. You can <a href="https://wiki.php.net/rfc/domdocument_html5_parser">read more about how it works</a> - the short version is that it reads and correctly sanitises HTML and turns it into a nested object. Hurrah!</p>
<p>The one thing it <em>doesn't</em> do is pretty-printing. When you call <code>$dom->saveHTML()</code> it will output something like:</p>
<pre><code class="language-html"><html lang="en-GB"><head><title>Test</title></head><body><h1>Testing</h1><main><p>Some <em>HTML</em> and an <img src="example.png"></p><ol><li>List</li><li>Another list</li></ol></main></body></html>
</code></pre>
<p>Perfect for a computer to read, but slightly tricky for humans.</p>
<p>As was <a href="https://libraries.mit.edu/150books/2011/05/11/1985/">written by the sages</a>:</p>
<blockquote> <p>A computer language is not just a way of getting a computer to perform operations but rather … it is a novel formal medium for expressing ideas about methodology. Thus, programs must be written for people to read, and only incidentally for machines to execute.</p></blockquote>
<p>HTML <em>is</em> a programming language. Making markup easy to read for humans is a fine and noble goal. The aim is to turn the single line above into something like:</p>
<pre><code class="language-html"><html lang="en-GB">
<head>
<title>Test</title>
</head>
<body>
<h1>Testing</h1>
<main>
<p>Some <em>HTML</em> and an <img src="example.png"></p>
<ol>
<li>List</li>
<li>Another list</li>
</ol>
</main>
</body>
</html>
</code></pre>
<p>Cor! That's much better!</p>
<p>I've cobbled together a script which is <em>broadly</em> accurate. There are a million-and-one edge cases and about twice as many personal preferences. This aims to be quick, simple, and basically fine. I am indebted to <a href="https://topic.alibabacloud.com/a/php-domdocument-recursive-formatting-of-indented-html-documents_4_86_30953142.html">this random Chinese script</a> and to <a href="https://github.com/wasinger/html-pretty-min">html-pretty-min</a>.</p>
<h2 id="step-by-step"><a href="https://shkspr.mobi/blog/2025/03/pretty-print-html-using-php-8-4s-new-html-dom/#step-by-step" class="heading-link">Step By Step</a></h2>
<p>I'm going to walk through how everything works. This is as much for my benefit as for yours! This is beta code. It sorta-kinda-works for me. Think of it as a first pass at an attempt to prove that something can be done. Please don't use it in production!</p>
<h3 id="setting-up-the-dom"><a href="https://shkspr.mobi/blog/2025/03/pretty-print-html-using-php-8-4s-new-html-dom/#setting-up-the-dom" class="heading-link">Setting up the DOM</a></h3>
<p>The new HTMLDocument should be broadly familiar to anyone who has used the previous one.</p>
<pre><code class="language-php">$html = '<html lang="en-GB"><head><title>Test</title></head><body><h1>Testing</h1><main><p>Some <em>HTML</em> and an <img src="example.png"></p><ol><li>List<li>Another list</body></html>'
$dom = Dom\HTMLDocument::createFromString( $html, LIBXML_NOERROR, "UTF-8" );
</code></pre>
<p>This automatically adds <code><head></code> and <code><body></code> elements. If you don't want that, use the <a href="https://www.php.net/manual/en/libxml.constants.php#constant.libxml-html-noimplied"><code>LIBXML_HTML_NOIMPLIED</code> flag</a>:</p>
<pre><code class="language-php">$dom = Dom\HTMLDocument::createFromString( $html, LIBXML_NOERROR | LIBXML_HTML_NOIMPLIED, "UTF-8" );
</code></pre>
<h3 id="where-not-to-indent"><a href="https://shkspr.mobi/blog/2025/03/pretty-print-html-using-php-8-4s-new-html-dom/#where-not-to-indent" class="heading-link">Where <em>not</em> to indent</a></h3>
<p>There are certain elements whose contents shouldn't be pretty-printed because it might change the meaning or layout of the text. For example, in a paragraph:</p>
<pre><code class="language-html"><p>
Some
<em>
HT
<strong>M</strong>
L
</em>
</p>
</code></pre>
<p>I've picked these elements from <a href="https://html.spec.whatwg.org/multipage/text-level-semantics.html#text-level-semantics">text-level semantics</a> and a few others which I consider sensible. Feel free to edit this list if you want.</p>
<pre><code class="language-php">$preserve_internal_whitespace = [
"a",
"em", "strong", "small",
"s", "cite", "q",
"dfn", "abbr",
"ruby", "rt", "rp",
"data", "time",
"pre", "code", "var", "samp", "kbd",
"sub", "sup",
"b", "i", "mark", "u",
"bdi", "bdo",
"span",
"h1", "h2", "h3", "h4", "h5", "h6",
"p",
"li",
"button", "form", "input", "label", "select", "textarea",
];
</code></pre>
<p>The function has an option to <em>force</em> indenting every time it encounters an element.</p>
<h3 id="tabs-%f0%9f%86%9a-space"><a href="https://shkspr.mobi/blog/2025/03/pretty-print-html-using-php-8-4s-new-html-dom/#tabs-%f0%9f%86%9a-space" class="heading-link">Tabs <img src="https://s.w.org/images/core/emoji/15.0.3/72x72/1f19a.png" alt="🆚" class="wp-smiley" style="height: 1em; max-height: 1em;"/> Space</a></h3>
<p>Tabs, obviously. Users can set their tab width to their personal preference and it won't get confused with semantically significant whitespace.</p>
<pre><code class="language-php">$indent_character = "\t";
</code></pre>
<h3 id="recursive-function"><a href="https://shkspr.mobi/blog/2025/03/pretty-print-html-using-php-8-4s-new-html-dom/#recursive-function" class="heading-link">Recursive Function</a></h3>
<p>This function reads through each node in the HTML tree. If the node should be indented, the function inserts a new node with the requisite number of tabs before the existing node. It also adds a suffix node to indent the next line appropriately. It then goes through the node's children and recursively repeats the process.</p>
<p><strong>This modifies the existing Document</strong>.</p>
<pre><code class="language-php">function prettyPrintHTML( $node, $treeIndex = 0, $forceWhitespace = false )
{
global $indent_character, $preserve_internal_whitespace;
// If this node contains content which shouldn't be separately indented
// And if whitespace is not forced
if ( property_exists( $node, "localName" ) && in_array( $node->localName, $preserve_internal_whitespace ) && !$forceWhitespace ) {
return;
}
// Does this node have children?
if( property_exists( $node, "childElementCount" ) && $node->childElementCount > 0 ) {
// Move in a step
$treeIndex++;
$tabStart = "\n" . str_repeat( $indent_character, $treeIndex );
$tabEnd = "\n" . str_repeat( $indent_character, $treeIndex - 1);
// Remove any existing indenting at the start of the line
$node->innerHTML = trim($node->innerHTML);
// Loop through the children
$i=0;
while( $childNode = $node->childNodes->item( $i++ ) ) {
// Was the *previous* sibling a text-only node?
// If so, don't add a previous newline
if ( $i > 0 ) {
$olderSibling = $node->childNodes->item( $i-1 );
if ( $olderSibling->nodeType == XML_TEXT_NODE && !$forceWhitespace ) {
$i++;
continue;
}
$node->insertBefore( $node->ownerDocument->createTextNode( $tabStart ), $childNode );
}
$i++;
// Recursively indent all children
prettyPrintHTML( $childNode, $treeIndex, $forceWhitespace );
};
// Suffix with a node which has "\n" and a suitable number of "\t"
$node->appendChild( $node->ownerDocument->createTextNode( $tabEnd ) );
}
}
</code></pre>
<h3 id="printing-it-out"><a href="https://shkspr.mobi/blog/2025/03/pretty-print-html-using-php-8-4s-new-html-dom/#printing-it-out" class="heading-link">Printing it out</a></h3>
<p>First, call the function. <strong>This modifies the existing Document</strong>.</p>
<pre><code class="language-php">prettyPrintHTML( $dom->documentElement );
</code></pre>
<p>Then call <a href="https://www.php.net/manual/en/dom-htmldocument.savehtml.php">the normal <code>saveHtml()</code> serialiser</a>:</p>
<pre><code class="language-php">echo $dom->saveHTML();
</code></pre>
<p>Note - this does not print a <code><!doctype html></code> - you'll need to include that manually if you're intending to use the entire document.</p>
<h2 id="licence"><a href="https://shkspr.mobi/blog/2025/03/pretty-print-html-using-php-8-4s-new-html-dom/#licence" class="heading-link">Licence</a></h2>
<p>I consider the above too trivial to licence - but you may treat it as MIT if that makes you happy.</p>
<h2 id="thoughts-comments-next-steps"><a href="https://shkspr.mobi/blog/2025/03/pretty-print-html-using-php-8-4s-new-html-dom/#thoughts-comments-next-steps" class="heading-link">Thoughts? Comments? Next steps?</a></h2>
<p>I've not written any formal tests, nor have I measured its speed, there may be subtle-bugs, and catastrophic errors. I know it doesn't work well if the HTML is already indented. It mysteriously prints double newlines for some unfathomable reason.</p>
<p>I'd love to know if you find this useful. Please <a href="https://gitlab.com/edent/pretty-print-html-using-php/">get involved on GitLab</a> or drop a comment here.</p>
Gadget Review: Windfall Energy Saving Plug (Beta) ★★★★☆ - Terence Eden’s Bloghttps://shkspr.mobi/blog/?p=591922025-03-30T11:34:48.000Z<p>The good folks at <a href="https://www.windfallenergy.com/">Windfall Energy</a> have sent me one of their interesting new plugs to beta test.</p>
<img loading="lazy" decoding="async" src="https://shkspr.mobi/blog/wp-content/uploads/2025/03/Windfall-plug.jpg" alt="A small smartplug with a glowing red power symbol." width="1024" height="771" class="aligncenter size-full wp-image-59193"/>
<p>OK, an Internet connected smart plug. What's so interesting about that?</p>
<blockquote> <p>Our Windfall Plug turns on at the optimal times in the middle of the night to charge and power your devices with green energy.</p></blockquote>
<p>Ah! Now that <em>is</em> interesting.</p>
<p>The proposition is brilliantly simple:</p>
<ol>
<li>Connect the smart-plug to your WiFi.</li>
<li>Plug your bike / laptop / space heater into the smart-plug.</li>
<li>When electricity is cleanest, the smart-plug automatically switches on.</li>
</ol>
<p>The first thing to get out of the way is, yes, you could build this yourself. If you're happy re-flashing firmware, mucking about with NodeRED, and integrating carbon intensity APIs with your HomeAssistant running on a Rasbperry Pi - then this <em>isn't</em> for you.</p>
<p>This is a plug-n-play(!) solution for people who don't want to have to manually update their software because of a DST change.</p>
<h2 id="beta"><a href="https://shkspr.mobi/blog/2025/03/gadget-review-windfall-energy-saving-plug-beta/#beta" class="heading-link">Beta</a></h2>
<p>This is a beta product. It isn't yet available. Some of the things I'm reviewing will change. You can <a href="https://www.windfallenergy.com/">join the waitlist for more information</a>.</p>
<h2 id="connecting"><a href="https://shkspr.mobi/blog/2025/03/gadget-review-windfall-energy-saving-plug-beta/#connecting" class="heading-link">Connecting</a></h2>
<p>The same as every other IoT device. Connect to its local WiFi network from your phone. Tell it which network to connect to and a password. Done.</p>
<p>If you run into trouble, <a href="https://www.windfallenergy.com/plug-setup">there's a handy help page</a>.</p>
<h2 id="website"><a href="https://shkspr.mobi/blog/2025/03/gadget-review-windfall-energy-saving-plug-beta/#website" class="heading-link">Website</a></h2>
<p>Not much too it at the moment - because it is in beta - but it lets you name the plug and control it.</p>
<img loading="lazy" decoding="async" src="https://shkspr.mobi/blog/wp-content/uploads/2025/03/Your-Devices-fs8.png" alt="Your Devices. Batmobile Charger. Next Windfall Hours: 23:00 for 2.0 hours." width="1010" height="632" class="alignleft size-full wp-image-59195"/>
<p>Turning the plug on and off is a single click. Setting it to "Windfall Mode" turns on the magic. You can also fiddle about with a few settings.</p>
<img loading="lazy" decoding="async" src="https://shkspr.mobi/blog/wp-content/uploads/2025/03/settings-fs8.png" alt="Settings screen letting you change the name and icon." width="935" height="1390" class="aligncenter size-full wp-image-59196"/>
<p>The names and icons would be useful if you had a dozen of these. I like the fact that you can change how long the charging cycle is. 30 minutes might be enough for something low power, but something bigger may need longer.</p>
<p>One thing to note, you can control it by pressing a button on the unit or you can toggle its power from the website. If you manually turn it on or off you will need to manually toggle it back to Windfall mode using the website.</p>
<p>There's also a handy - if slightly busy - graph which shows you the upcoming carbon intensity of the UK grid.</p>
<img loading="lazy" decoding="async" src="https://shkspr.mobi/blog/wp-content/uploads/2025/03/Energy-Mix-fs8.png" alt="Complex graph showing mix of energy sources." width="1024" height="500" class="aligncenter size-full wp-image-59200"/>
<p>You can also monitor the energy draw of devices connected to it. Handy to see just how much electricity and CO2 emissions a device is burning through.</p>
<img loading="lazy" decoding="async" src="https://shkspr.mobi/blog/wp-content/uploads/2025/03/Emissions-fs8.png" alt="Graph showing a small amount of electricity use and a graph of carbon intensity." width="1024" height="341" class="aligncenter size-full wp-image-59202"/>
<p>That's it. For a beta product, there's a decent amount of functionality. There's nothing extraneous like Alexa integration. Ideally this is the sort of thing you configure once, and then leave behind a cupboard for years.</p>
<h2 id="is-it-worth-it"><a href="https://shkspr.mobi/blog/2025/03/gadget-review-windfall-energy-saving-plug-beta/#is-it-worth-it" class="heading-link">Is it worth it?</a></h2>
<p>I think this is an extremely useful device with a few caveats.</p>
<p>Firstly, how much green energy are you going to use? Modern phones have pretty small batteries. Using this to charge your phone overnight is a false economy. Charging an eBike or similar is probably worthwhile. Anything with a decent-sized battery is a good candidate.</p>
<p>Secondly, will your devices work with it? Most things like air-conditioners or kettles don't turn on from the plug alone. Something like a space-heater is perfect for this sort of use - as soon as the switch is flicked, they start working.</p>
<p>Thirdly, what's the risk of only supplying power for a few hours overnight? I wouldn't recommend putting a chest-freezer on this (unless you like melted and then refrozen ice-cream). But for a device with a battery, it is probably fine.</p>
<p>Fourthly, it needs a stable WiFi connection. If its connection to the mothership stops, it loses Windfall mode. It can still be manually controlled - but it will need adequate signal on a reliable connection to be useful.</p>
<p>Finally, as with any Internet connected device, you introduce a small security risk. This doesn't need local network access, so it can sit quite happily on a guest network without spying on your other devices. But you do give up control to a 3rd party. If they got hacked, someone could turn off your plugs or rapidly power-cycle them. That may not be a significant issue, but one to bear in mind.</p>
<p>If you're happy with that (and I am) then I think this is simple way to take advantage of cheaper, greener electricity overnight. Devices like these <a href="https://shkspr.mobi/blog/2021/10/no-you-cant-save-30-per-year-by-switching-off-your-standby-devices/">use barely any electricity while in standby</a> - so if you're on a dynamic pricing tariff, it won't cost you much to run.</p>
<h2 id="interested"><a href="https://shkspr.mobi/blog/2025/03/gadget-review-windfall-energy-saving-plug-beta/#interested" class="heading-link">Interested?</a></h2>
<p>You can <a href="https://www.windfallenergy.com/">join the waitlist for more information</a>.</p>
How to prevent Payment Pointer fraud - Terence Eden’s Bloghttps://shkspr.mobi/blog/?p=591722025-03-29T12:34:31.000Z<p>There's a new Web Standard in town! Meet <a href="https://webmonetization.org">WebMonetization</a> - it aims to be a low effort way to help users passively pay website owners.</p>
<p>The pitch is simple. A website owner places a single new line in their HTML's <code><head></code> - something like this:</p>
<pre><code class="language-html"><link rel="monetization" href="https://wallet.example.com/edent" />
</code></pre>
<p>That address is a "<a href="https://paymentpointers.org/">Payment Pointer</a>". As a user browses the web, their browser takes note of all the sites they've visited. At the end of the month, the funds in the user's digital wallet are split proportionally between the sites which have enabled WebMonetization. The user's budget is under their control and there are various technical measures to stop websites hijacking funds.</p>
<p>This could be revolutionary<sup id="fnref:coil"><a href="https://shkspr.mobi/blog/2025/03/how-to-prevent-payment-pointer-fraud/#fn:coil" class="footnote-ref" title="To be fair, Coil tried this in 2020 and it didn't take off. But the new standard has a lot less cryptocurrency bollocks, so maybe it'll work this time?" role="doc-noteref">0</a></sup>.</p>
<p>But there are some interesting fraud angles to consider. Let me give you a couple of examples.</p>
<h2 id="pointer-hijacking"><a href="https://shkspr.mobi/blog/2025/03/how-to-prevent-payment-pointer-fraud/#pointer-hijacking" class="heading-link">Pointer Hijacking</a></h2>
<p>Suppose I hacked into a popular site like BBC.co.uk and surreptitiously included my link in their HTML. Even if I was successful for just a few minutes, I could syphon off a significant amount of money.</p>
<p>At the moment, the WebMonetization plugin <em>only</em> looks at the page's HTML to find payment pointers. There's no way to say "This site doesn't use WebMonetization" or an out-of-band way to signal which Payment Pointer is correct. Obviously there are lots of ways to profit from hacking a website - but most of them are ostentatious or require the user to interact. This is subtle and silent.</p>
<p>How long would it take you to notice that a single meta element had snuck into some complex markup? When you discover it, what can you do? Money sent to that wallet can be transferred out in an instant. You might be able to get the wallet provider to freeze the funds or suspend the account, but that may not get you any money back.</p>
<h3 id="possible-solutions"><a href="https://shkspr.mobi/blog/2025/03/how-to-prevent-payment-pointer-fraud/#possible-solutions" class="heading-link">Possible Solutions</a></h3>
<p>Perhaps the username associated with a Payment Pointer should be that of the website it uses? something like <code>href="https://wallet.example.com/shkspr.mobi"</code></p>
<p>That's superficially attractive, but comes with issues. I might have several domains - do I want to create a pointer for each of them?</p>
<p>There's also a legitimate use-case for having my pointer on someone else's site. Suppose I write a guest article for someone - their website might contain:</p>
<pre><code class="language-html"><link rel="monetization" href="https://wallet.example.com/edent" />
<link rel="monetization" href="https://wallet.coin_base.biz/BigSite" />
</code></pre>
<p>Which would allow us to split the revenue.</p>
<p>Similarly, a site like GitHub might let me use my Payment Pointer when people are visiting my specific page.</p>
<p>So, perhaps site owners should add a <a href="https://en.wikipedia.org/wiki/Well-known_URI">.well-known directive</a> which lists acceptable Pointers? Well, if I have the ability to add arbitrary HTML to a site, I might also be able to upload files. So it isn't particularly robust protection.</p>
<p>Alright, what are other ways typically used to prove the legitimacy of data? DNS maybe? As <a href="https://knowyourmeme.com/memes/one-more-lane-bro-one-more-lane-will-fix-it">the popular meme goes</a>:</p>
<blockquote class="social-embed" id="social-embed-114213713873874536" lang="en" itemscope="" itemtype="https://schema.org/SocialMediaPosting"><header class="social-embed-header" itemprop="author" itemscope="" itemtype="https://schema.org/Person"><a href="https://infosec.exchange/@atax1a" class="social-embed-user" itemprop="url"><img decoding="async" class="social-embed-avatar" src="https://media.infosec.exchange/infosec.exchange/accounts/avatars/109/323/500/710/698/443/original/20fd7265ad1541f5.png" alt="" itemprop="image"/><div class="social-embed-user-names"><p class="social-embed-user-names-name" itemprop="name">@atax1a@infosec.exchange</p>mx alex tax1a - 2020 (5)</div></a><img decoding="async" class="social-embed-logo" alt="Mastodon" src="data:image/svg+xml,%3Csvg xmlns='http://www.w3.org/2000/svg' aria-label='Mastodon' role='img' viewBox='0 0 512 512' fill='%23fff'%3E%3Cpath d='m0 0H512V512H0'/%3E%3ClinearGradient id='a' y2='1'%3E%3Cstop offset='0' stop-color='%236364ff'/%3E%3Cstop offset='1' stop-color='%23563acc'/%3E%3C/linearGradient%3E%3Cpath fill='url(%23a)' d='M317 381q-124 28-123-39 69 15 149 2 67-13 72-80 3-101-3-116-19-49-72-58-98-10-162 0-56 10-75 58-12 31-3 147 3 32 9 53 13 46 70 69 83 23 138-9'/%3E%3Cpath d='M360 293h-36v-93q-1-26-29-23-20 3-20 34v47h-36v-47q0-31-20-34-30-3-30 28v88h-36v-91q1-51 44-60 33-5 51 21l9 15 9-15q16-26 51-21 43 9 43 60'/%3E%3C/svg%3E"/></header><section class="social-embed-text" itemprop="articleBody"><p><span class="h-card" translate="no"><a href="https://mastodon.social/@jwz" class="u-url mention" rel="nofollow noopener" target="_blank">@<span>jwz</span></a></span> <span class="h-card" translate="no"><a href="https://toad.social/@grumpybozo" class="u-url mention" rel="nofollow noopener" target="_blank">@<span>grumpybozo</span></a></span> just one more public key in a TXT record, that'll fix email, just gotta add one more TXT record bro</p><div class="social-embed-media-grid"></div></section><hr class="social-embed-hr"/><footer class="social-embed-footer"><a href="https://infosec.exchange/@atax1a/114213713873874536"><span aria-label="198 likes" class="social-embed-meta">❤️ 198</span><span aria-label="5 replies" class="social-embed-meta">💬 5</span><span aria-label="85 reposts" class="social-embed-meta">🔁 85</span><time datetime="2025-03-23T20:49:28.047Z" itemprop="datePublished">20:49 - Sun 23 March 2025</time></a></footer></blockquote>
<p>Someone with the ability to publish on a website is <em>less</em> likely to have access to DNS records. So having (yet another) DNS record could provide some protection. But DNS is tricky to get right, annoying to update, and a pain to repeatedly configure if you're constantly adding and removing legitimate users.</p>
<h2 id="reputation-hijacking"><a href="https://shkspr.mobi/blog/2025/03/how-to-prevent-payment-pointer-fraud/#reputation-hijacking" class="heading-link">Reputation Hijacking</a></h2>
<p>Suppose the propaganda experts in The People's Republic of Blefuscu decide to launch a fake site for your favourite political cause. It contains all sorts of horrible lies about a political candidate and tarnishes the reputation of something you hold dear. The sneaky tricksters put in a Payment Pointer which is the same as the legitimate site.</p>
<p>"This must be an official site," people say. "Look! It even funnels money to the same wallet as the other official sites!"</p>
<p>There's no way to disclaim money sent to you. Perhaps a political opponent operates an illegal Bonsai Kitten farm - but puts your Payment Pointer on it.</p>
<p>"I don't squash kittens into jars!" You cry as they drag you away. The police are unconvinced "Then why are you profiting from it?"</p>
<h3 id="possible-solutions"><a href="https://shkspr.mobi/blog/2025/03/how-to-prevent-payment-pointer-fraud/#possible-solutions" class="heading-link">Possible Solutions</a></h3>
<p>A wallet provider needs to be able to list which sites are <em>your</em> sites.</p>
<p>You log in to your wallet provider and fill in a list of websites you want your Payment Pointer to work on. Add your blog, your recipe site, your homemade video forum etc. When a user browses a website, they see the Payment Pointer and ask it for a list of valid sites. If "BonsaiKitten.biz" isn't on there, no payment is sent.</p>
<p>Much like OAuth, there is an administrative hassle to this. You may need to regularly update the sites you use, and hope that your forgetfulness doesn't cost you in lost income.</p>
<h2 id="final-thoughts"><a href="https://shkspr.mobi/blog/2025/03/how-to-prevent-payment-pointer-fraud/#final-thoughts" class="heading-link">Final Thoughts</a></h2>
<p>I'm moderately excited about WebMonetization. If it lives up to its promises, it could unleash a new wave of sustainable creativity across the web. If it is easier to make micropayments or donations to sites you like, without being subject to the invasive tracking of adverts, that would be brilliant.</p>
<p>The problems I've identified above are (I hope) minor. Someone sending you money without your consent may be concerning, but there's not much of an economic incentive to enrich your foes.</p>
<p>Think I'm wrong? Reckon you've found another fraudulent avenue? Want to argue about whether this is a likely problem? Stick a comment in the box.</p>
<div class="footnotes" role="doc-endnotes">
<hr/>
<ol start="0">
<li id="fn:coil" role="doc-endnote">
<p>To be fair, <a href="https://shkspr.mobi/blog/2020/10/adding-web-monetization-to-your-site-using-coil/">Coil tried this in 2020</a> and it didn't take off. But the new standard has a lot less cryptocurrency bollocks, so maybe it'll work this time? <a href="https://shkspr.mobi/blog/2025/03/how-to-prevent-payment-pointer-fraud/#fnref:coil" class="footnote-backref" role="doc-backlink">↩︎</a></p>
</li>
</ol>
</div>
Pluralistic: Big Tech and "captive audience venues" (28 Mar 2025) - Pluralistic: Daily links from Cory Doctorowhttps://pluralistic.net/?p=106112025-03-28T18:19:15.000Z<p><!--
Tags:
interop, interoperability, comcom, competitive compatibility, felony contempt of business model, adversarial interoperability, street pricing, captive audience venues, groundwork collective, enshittification, we dont have to care were the phone company, regulation, competition, privatized gains socialized losses, sportsball, aviation, travel, monopolism
Summary:
Big Tech and "captive audience venues"; Hey look at this; Upcoming appearances; Recent appearances; Latest books; Upcoming books
URL:
https://pluralistic.net/2025/03/28/street-pricing/
Title:
Pluralistic: Big Tech and "captive audience venues" (28 Mar 2025) street-pricing
Bullet:
🌮
Separator:
6969696969696969696969696969696969696969696969696969696969696
Top Sources:
Today's top sources: Naked Capitalism (https://www.nakedcapitalism.com/).
--><br />
<a href="https://pluralistic.net/2025/03/28/street-pricing/"><img data-recalc-dims="1" decoding="async" class="xmasthead_link" src="https://i0.wp.com/craphound.com/images/28Mar2025.jpg?w=840&ssl=1"/></a></p>
<h1 class="toch1">Today's links</h1>
<ul class="toc">
<li class="xToC"><a href="https://pluralistic.net/2025/03/28/street-pricing/#sportball-analogies">Big Tech and "captive audience venues"</a>: The digital equivalent of baseball stadiums and airport concourses.
</li>
<li class="xToC"><a href="https://pluralistic.net/2025/03/28/street-pricing/#linkdump">Hey look at this</a>: Delights to delectate.
</li>
<li class="xToC"><a href="https://pluralistic.net/2025/03/28/street-pricing/#retro">Object permanence</a>: 2005, 2010, 2015, 2020, 2024
</li>
<li class="xToC"><a href="https://pluralistic.net/2025/03/28/street-pricing/#upcoming">Upcoming appearances</a>: Where to find me.
</li>
<li class="xToC"><a href="https://pluralistic.net/2025/03/28/street-pricing/#recent">Recent appearances</a>: Where I've been.
</li>
<li class="xToC"><a href="https://pluralistic.net/2025/03/28/street-pricing/#latest">Latest books</a>: You keep readin' em, I'll keep writin' 'em.
</li>
<li class="xToC"><a href="https://pluralistic.net/2025/03/28/street-pricing/#upcoming-books">Upcoming books</a>: Like I said, I'll keep writin' 'em.
</li>
<li class="xToC"><a href="https://pluralistic.net/2025/03/28/street-pricing/#bragsheet">Colophon</a>: All the rest.
</li>
</ul>
<p><span id="more-10611"></span></p>
<hr/>
<p><a name="sportball-analogies"></a><br />
<img data-recalc-dims="1" decoding="async" alt="A black and white vintage photo of a man in a trenchcoat and trilby, sitting at a diner counter drinking a coffee, beneath a sans-serif, all-caps sign reading SANDWICHES. The image has been altered. The wallpaper in the diner is a detail from a US $100 bill. The foreground of the picture is a set of pitted, iron prison bars, which cast a shadow over the image." src="https://i0.wp.com/craphound.com/images/captive-audience.jpg?w=840&ssl=1"/></p>
<h1>Big Tech and "captive audience venues" (<a href="https://pluralistic.net/2025/03/28/street-pricing/#sportball-analogies">permalink</a>)</h1>
<p>Enshittification is what you get when tech companies, run by the common-or-garden mediocre sociopaths who end up at the top of most businesses, are unshackled from any consequence for indulging their worst, greediest impulses:</p>
<p><a href="https://pluralistic.net/2025/01/20/capitalist-unrealism/#praxis">https://pluralistic.net/2025/01/20/capitalist-unrealism/#praxis</a></p>
<p>The reason Facebook was once a nice place to hang out and talk with your friends and isn't anymore is that Mark Zuckerberg is no longer disciplined by competitors like Instagram (which he bought) nor by regulators (whom he captured), nor by interoperable tech like ad-blockers and alternative clients (which he uses IP law to destroy) nor by his own workforce (who have become disposable thanks to workforce supply catching up with demand). It used to be that Mark Zuckerberg couldn't really move the enshittification lever in the Facebook C-suite because these disciplining forces gummed it up. He had to worry about losing users, or about users installing alternative technology, or about regulators hitting him hard enough to hurt, or about workplace revolts. Now, he doesn't have to worry about these things, so he's indulging the impulses that he's had since the earliest days in his Harvard dorm, when he was a mere larval incel cooking up an online service to help him rate the fuckability of his female classmates.</p>
<p>When we had defenses, Mark Zuckerberg had to respect them. Now that we're defenseless, he's shameless. He's insatiable. He will devour us to the marrow.</p>
<p>When I'm explaining enshittification to normies, I often make comparisons to other places where you can't escape like airports and sports stadiums: "Facebook can afford to abuse you once they have you locked for the same reason that water costs $7/bottle on the other side of the airport TSA checkpoint." It's an extremely apt comparison, as you can verify for yourself by reading "Shakedown at the Snack Counter: The Case for Street Pricing," a new report from the Groundwork Collective:</p>
<p><a href="https://groundworkcollaborative.org/work/street-pricing/">https://groundworkcollaborative.org/work/street-pricing/</a></p>
<p>"Shakedown" makes the point that – as is the case with tech giants – sports stadiums and airports are creatures of vast public subsidy. If this seems counterintuitive, try Mariana Mazzucato's <em>Entrepreneurial State</em>, which lists all the ways in which the tech revolution represents a privatization of publicly funded research, as with the iPhone, whose semiconductors, internet connection, voice assistant technology, touchscreen and other components all count the public as a key investor:</p>
<p><a href="https://www.pbs.org/newshour/economy/the-entrepreneurial-state-appl">https://www.pbs.org/newshour/economy/the-entrepreneurial-state-appl</a></p>
<p>And, as with airports and sports stadiums, the proprietors of the iPhone business are able to reap this gigantic public subsidy without taking on any public duties. Regulators that <em>could</em> impose some kind of public service obligations as quid pro quo for using public funds are AWOL, or worse, captured and complicit in the ongoing, publicly financed ripoff:</p>
<p><a href="https://pluralistic.net/2024/08/15/private-law/#thirty-percent-vig">https://pluralistic.net/2024/08/15/private-law/#thirty-percent-vig</a></p>
<p>Airport, stadiums and tech platforms are all walled gardens – roach motels that are hard to escape once they've been entered. Thus the scorching prices of stadium and airport food, and the 30% transaction fees imposed by Apple and Google on app revenues (this is 1,000% higher than the average fees charged by the rest of the payment processing industry!), the 51% fees extracted by Google/Meta from advertisers and publishers (compare with the historical average of 15%), and the 45-51% that Amazon takes out of every dollar earned by its platform sellers. Once you're locked in, they can turn the screws, either by gouging buyers directly, or by gouging sellers, who pass those additional costs onto buyers.</p>
<p>Groundwork has a proposal to address this in physical settings: regulation. Specifically, a "street pricing" regulation that keeps the charges for food and drinks within these walled gardens to prices comparable to those on the outside. They note that these regulations enjoy wide, bipartisan support. 76% of Republicans support a regulation that can only be described as "price controls," two words that normally trigger head-explosions in the right.</p>
<p>How is it that such a commanding majority of Republicans can get behind government price controls? Simple: it's <em>obvious</em> that when a company no longer faces market discipline – when they're the only game in town (or on the other side of the TSA checkpoint) – that government discipline has to fill the vacuum, and if it doesn't, you will get mercilessly screwed.</p>
<p>This is where enshittification – a form of monopolistic decay unique to the tech sector – departs from everyday monopoly abuse in other sectors, like aviation and league sports. Tech has an in-built flexibility, the inescapable property of "interoperability" that comes standard with every digital system thanks to the universal nature of computers themselves.</p>
<p>Interoperable technologies let you hack Instagram to restore it to the state of privacy- and attention-respecting glory that made it a success in the first place:</p>
<p><a href="https://pluralistic.net/2023/02/05/battery-vampire/#drained">https://pluralistic.net/2023/02/05/battery-vampire/#drained</a></p>
<p>They let you monitor Facebook's failures to uphold its own promises about not profiting from paid political disinformation:</p>
<p><a href="https://pluralistic.net/2021/08/06/get-you-coming-and-going/#potemkin-research-program">https://pluralistic.net/2021/08/06/get-you-coming-and-going/#potemkin-research-program</a></p>
<p>They let you claw back control over how Facebook's feeds are constructed:</p>
<p><a href="https://pluralistic.net/2021/10/08/unfollow-everything/#shut-the-zuck-up">https://pluralistic.net/2021/10/08/unfollow-everything/#shut-the-zuck-up</a></p>
<p>They let Apple customers maintain their privacy, even if they have the temerity to be friends with Android users:</p>
<p><a href="https://pluralistic.net/2023/12/07/blue-bubbles-for-all/#never-underestimate-the-determination-of-a-kid-who-is-time-rich-and-cash-poor">https://pluralistic.net/2023/12/07/blue-bubbles-for-all/#never-underestimate-the-determination-of-a-kid-who-is-time-rich-and-cash-poor</a></p>
<p>They let shoppers use Amazon to order from local mom-and-pop stores:</p>
<p><a href="https://pluralistic.net/2022/07/10/view-a-sku/">https://pluralistic.net/2022/07/10/view-a-sku/</a></p>
<p>They even let you destroy the net worth – and power – of Elon Musk:</p>
<p><a href="https://pluralistic.net/2025/03/08/turnabout/#is-fair-play">https://pluralistic.net/2025/03/08/turnabout/#is-fair-play</a></p>
<p>Interoperability creates a unique, easily administered source of discipline over tech bosses that just isn't available as a means of countering the ripoffs we see elsewhere, including in sports stadiums and airports. That means that, far from being <em>harder</em> to fix than other disgusting scams in our society, tech is <em>easier</em> to fix. All that stands in the way is the IP laws that criminalize the kind of reverse-engineering work that allow the users of technology to have the final say over how the devices and services they rely on work:</p>
<p><a href="https://locusmag.com/2020/09/cory-doctorow-ip/">https://locusmag.com/2020/09/cory-doctorow-ip/</a></p>
<p>Those IP laws were spread around the world by the US Trade Representative, who insisted that every country that wanted to export its products to the US without punitive tariffs <em>must</em> pass laws protecting the rent-extracting scams of US tech giants. With those tariff promises now in tatters, there's never been a better time for the rest of the world to jettison those Big Tech-protecting laws:</p>
<p><a href="https://pluralistic.net/2025/01/15/beauty-eh/#its-the-only-war-the-yankees-lost-except-for-vietnam-and-also-the-alamo-and-the-bay-of-ham">https://pluralistic.net/2025/01/15/beauty-eh/#its-the-only-war-the-yankees-lost-except-for-vietnam-and-also-the-alamo-and-the-bay-of-ham</a></p>
<p>(<i>Image: <a href="https://commons.wikimedia.org/wiki/File:South-Station-snack-bar-1970.jpg">Daniel Brody</a>, <a href="https://creativecommons.org/licenses/by-sa/4.0/deed.en">CC BY-SA 4.0</a>, modified</i>)</p>
<hr/>
<p><a name="linkdump"></a></p>
<h1>Hey look at this (<a href="https://pluralistic.net/2025/03/28/street-pricing/#linkdump">permalink</a>)</h1>
<p><img data-recalc-dims="1" decoding="async" src="https://i0.wp.com/craphound.com/images/heylookatthis2.jpg?w=840&ssl=1"/></p>
<ul>
<li>FTC Commissioners File Suit to Contest Trump’s Alleged Firing <a href="https://prospect.org/justice/2025-03-27-ftc-commissioners-file-suit-trumps-alleged-firing/">https://prospect.org/justice/2025-03-27-ftc-commissioners-file-suit-trumps-alleged-firing/</a></p>
</li>
<li>
<p>Screamboat Is a Both a Steamboat Willie Horror Movie and Hardcore Disney Fan Film <a href="https://gizmodo.com/screamboat-director-interview-steamboat-willie-disney-2000581124">https://gizmodo.com/screamboat-director-interview-steamboat-willie-disney-2000581124</a></p>
</li>
<li>
<p>Ploopy upgraded its new Classic 2 open-source trackball with better scrolling <a href="https://www.theverge.com/news/637794/ploopyploopy-classic-2-trackball-open-source-upgrade">https://www.theverge.com/news/637794/ploopyploopy-classic-2-trackball-open-source-upgrade</a></p>
</li>
</ul>
<hr/>
<p><a name="retro"></a><br />
<img data-recalc-dims="1" height="416" width="796" decoding="async" alt="A Wayback Machine banner." src="https://i0.wp.com/craphound.com/images/wayback-machine-hed-796x416.png?resize=796%2C416&ssl=1"/></p>
<h1>Object permanence (<a href="https://pluralistic.net/2025/03/28/street-pricing/#retro">permalink</a>)</h1>
<p>#20yrsago How HDTV killed firefighters, birthed the Broadcast Flag, and screwed America <a href="https://web.archive.org/web/20051020180115/http://nationaljournal.com/about/njweekly/stories/2005/0218njsp.htm">https://web.archive.org/web/20051020180115/http://nationaljournal.com/about/njweekly/stories/2005/0218njsp.htm</a></p>
<p>#15yrsago ACLU prevails: US Fed Judge invalidates gene patent <a href="https://www.aclu.org/cases/association-molecular-pathology-v-myriad-genetics">https://www.aclu.org/cases/association-molecular-pathology-v-myriad-genetics</a></p>
<p>#15yrsago UK record lobby has vehement feelings on Digital Economy Bill debate, won’t say what they are <a href="https://www.theguardian.com/technology/2010/mar/29/digital-economy-bill-bpi-doctorow">https://www.theguardian.com/technology/2010/mar/29/digital-economy-bill-bpi-doctorow</a></p>
<p>#15yrsago Leaked doc: EU wants to destroy and rewrite Canada’s IP laws <a href="https://www.michaelgeist.ca/2010/03/ceta-demands/">https://www.michaelgeist.ca/2010/03/ceta-demands/</a></p>
<p>#10yrsago Stephen King versus Maine’s lying governor <a href="https://www.rawstory.com/2015/03/stephen-king-hammers-maine-governor-for-doubling-down-hes-not-man-enough-to-admit-he-made-a-mistake/">https://www.rawstory.com/2015/03/stephen-king-hammers-maine-governor-for-doubling-down-hes-not-man-enough-to-admit-he-made-a-mistake/</a></p>
<p>#5yrsago Don't worry about groceries <a href="https://pluralistic.net/2020/03/29/grifters-gonna-grift/#germophobia">https://pluralistic.net/2020/03/29/grifters-gonna-grift/#germophobia</a></p>
<p>#5yrsago California's missing medical stockpile <a href="https://pluralistic.net/2020/03/29/grifters-gonna-grift/#austerity-kills">https://pluralistic.net/2020/03/29/grifters-gonna-grift/#austerity-kills</a></p>
<p>#5yrsago Cozy Catastrophes <a href="https://pluralistic.net/2020/03/29/grifters-gonna-grift/#wyndhamesque">https://pluralistic.net/2020/03/29/grifters-gonna-grift/#wyndhamesque</a></p>
<p>#5yrsago Andrew Cuomo is not your woke bae <a href="https://pluralistic.net/2020/03/29/grifters-gonna-grift/#comparative-virtue">https://pluralistic.net/2020/03/29/grifters-gonna-grift/#comparative-virtue</a></p>
<p>#5yrsago Alex Jones's one-two punch <a href="https://pluralistic.net/2020/03/29/grifters-gonna-grift/#filter-for-vulnerable">https://pluralistic.net/2020/03/29/grifters-gonna-grift/#filter-for-vulnerable</a></p>
<p>#1yrago Subprime gadgets <a href="https://pluralistic.net/2024/03/29/boobytrap/#device-lock-controller">https://pluralistic.net/2024/03/29/boobytrap/#device-lock-controller</a></p>
<hr/>
<p><a name="upcoming"></a></p>
<h1>Upcoming appearances (<a href="https://pluralistic.net/2025/03/28/street-pricing/#upcoming">permalink</a>)</h1>
<p><img data-recalc-dims="1" decoding="async" alt="A photo of me onstage, giving a speech, pounding the podium." src="https://i0.wp.com/craphound.com/images/appearances2.jpg?w=840&ssl=1"/></p>
<ul>
<li>Chicago: Picks and Shovels with Peter Sagal, Apr 2<br />
<a href="https://exileinbookville.com/events/44853">https://exileinbookville.com/events/44853</a></p>
</li>
<li>
<p>Chicago: ABA Techshow, Apr 3<br />
<a href="https://www.techshow.com/">https://www.techshow.com/</a></p>
</li>
<li>
<p>Bloomington: Picks and Shovels at Morgenstern, Apr 4<br />
<a href="https://morgensternbooks.com/event/2025-04-04/author-event-cory-doctorow">https://morgensternbooks.com/event/2025-04-04/author-event-cory-doctorow</a></p>
</li>
<li>
<p>Pittsburgh: Picks and Shovels at White Whale Books, May 15<br />
<a href="https://whitewhalebookstore.com/events/20250515">https://whitewhalebookstore.com/events/20250515</a></p>
</li>
<li>
<p>Pittsburgh: PyCon, May 16<br />
<a href="https://us.pycon.org/2025/schedule/">https://us.pycon.org/2025/schedule/</a></p>
</li>
<li>
<p>PDX: Teardown 2025, Jun 20-22<br />
<a href="https://www.crowdsupply.com/teardown/portland-2025">https://www.crowdsupply.com/teardown/portland-2025</a></p>
</li>
<li>
<p>PDX: Picks and Shovels at Barnes and Noble, Jun 20<br />
<a href="https://stores.barnesandnoble.com/event/9780062183697-0">https://stores.barnesandnoble.com/event/9780062183697-0</a></p>
</li>
<li>
<p>New Orleans: DeepSouthCon63, Oct 10-12, 2025<br />
<a href="http://www.contraflowscifi.org/">http://www.contraflowscifi.org/</a></p>
</li>
</ul>
<hr/>
<p><a name="recent"></a><br />
<img data-recalc-dims="1" decoding="async" alt="A screenshot of me at my desk, doing a livecast." src="https://i0.wp.com/craphound.com/images/recentappearances2.jpg?w=840&ssl=1"/></p>
<h1>Recent appearances (<a href="https://pluralistic.net/2025/03/28/street-pricing/#recent">permalink</a>)</h1>
<ul>
<li>Fire the unelected social media dictators (Al Jazeera Upfront)<br />
<a href="https://www.youtube.com/watch?v=KXa4DzhkUZ8">https://www.youtube.com/watch?v=KXa4DzhkUZ8</a></p>
</li>
<li>
<p>Capitalists Hate Capitalism (MMT Podcast)<br />
<a href="https://pileusmmt.libsyn.com/195-capitalists-hate-capitalism-with-cory-doctorow">https://pileusmmt.libsyn.com/195-capitalists-hate-capitalism-with-cory-doctorow</a></p>
</li>
<li>
<p>How to Destroy Our Tech Overlords (Homeless Romantic)<br />
<a href="https://www.youtube.com/watch?v=epma2B0wjzU">https://www.youtube.com/watch?v=epma2B0wjzU</a></p>
</li>
</ul>
<hr/>
<p><a name="latest"></a><br />
<img data-recalc-dims="1" decoding="async" alt="A grid of my books with Will Stahle covers.." src="https://i0.wp.com/craphound.com/images/recent.jpg?w=840&ssl=1"/></p>
<h1>Latest books (<a href="https://pluralistic.net/2025/03/28/street-pricing/#latest">permalink</a>)</h1>
<ul>
<li>
<ul>
<li>Picks and Shovels: a sequel to "Red Team Blues," about the heroic era of the PC, Tor Books (US), Head of Zeus (UK), February 2025 (<a href="https://us.macmillan.com/books/9781250865908/picksandshovels">https://us.macmillan.com/books/9781250865908/picksandshovels</a>).</li>
</ul>
</li>
<li>The Bezzle: a sequel to "Red Team Blues," about prison-tech and other grifts, Tor Books (US), Head of Zeus (UK), February 2024 (<a href="http://the-bezzle.org">the-bezzle.org</a>). Signed, personalized copies at Dark Delicacies (<a href="https://www.darkdel.com/store/p3062/Available_Feb_20th%3A_The_Bezzle_HB.html#/">https://www.darkdel.com/store/p3062/Available_Feb_20th%3A_The_Bezzle_HB.html#/</a>).</p>
</li>
<li>
<p>"The Lost Cause:" a solarpunk novel of hope in the climate emergency, Tor Books (US), Head of Zeus (UK), November 2023 (<a href="http://lost-cause.org">http://lost-cause.org</a>). Signed, personalized copies at Dark Delicacies (<a href="https://www.darkdel.com/store/p3007/Pre-Order_Signed_Copies%3A_The_Lost_Cause_HB.html#/">https://www.darkdel.com/store/p3007/Pre-Order_Signed_Copies%3A_The_Lost_Cause_HB.html#/</a>)</p>
</li>
<li>
<p>"The Internet Con": A nonfiction book about interoperability and Big Tech (Verso) September 2023 (<a href="http://seizethemeansofcomputation.org">http://seizethemeansofcomputation.org</a>). Signed copies at Book Soup (<a href="https://www.booksoup.com/book/9781804291245">https://www.booksoup.com/book/9781804291245</a>).</p>
</li>
<li>
<p>"Red Team Blues": "A grabby, compulsive thriller that will leave you knowing more about how the world works than you did before." Tor Books <a href="http://redteamblues.com">http://redteamblues.com</a>. Signed copies at Dark Delicacies (US): <a href="https://www.darkdel.com/store/p2873/Wed%2C_Apr_26th_6pm%3A_Red_Team_Blues%3A_A_Martin_Hench_Novel_HB.html#/"> and Forbidden Planet (UK): <a href="https://forbiddenplanet.com/385004-red-team-blues-signed-edition-hardcover/">https://forbiddenplanet.com/385004-red-team-blues-signed-edition-hardcover/</a>.</p>
</li>
<li>
<p>"Chokepoint Capitalism: How to Beat Big Tech, Tame Big Content, and Get Artists Paid, with Rebecca Giblin", on how to unrig the markets for creative labor, Beacon Press/Scribe 2022 <a href="https://chokepointcapitalism.com">https://chokepointcapitalism.com</a></p>
</li>
<li>
<p>"Attack Surface": The third Little Brother novel, a standalone technothriller for adults. The <em>Washington Post</em> called it "a political cyberthriller, vigorous, bold and savvy about the limits of revolution and resistance." Order signed, personalized copies from Dark Delicacies <a href="https://www.darkdel.com/store/p1840/Available_Now%3A_Attack_Surface.html">https://www.darkdel.com/store/p1840/Available_Now%3A_Attack_Surface.html</a></p>
</li>
<li>
<p>"How to Destroy Surveillance Capitalism": an anti-monopoly pamphlet analyzing the true harms of surveillance capitalism and proposing a solution. <a href="https://onezero.medium.com/how-to-destroy-surveillance-capitalism-8135e6744d59?sk=f6cd10e54e20a07d4c6d0f3ac011af6b">https://onezero.medium.com/how-to-destroy-surveillance-capitalism-8135e6744d59?sk=f6cd10e54e20a07d4c6d0f3ac011af6b</a></a>) (signed copies: <a href="https://www.darkdel.com/store/p2024/Available_Now%3A__How_to_Destroy_Surveillance_Capitalism.html">https://www.darkdel.com/store/p2024/Available_Now%3A__How_to_Destroy_Surveillance_Capitalism.html</a>)</p>
</li>
<li>
<p>"Little Brother/Homeland": A reissue omnibus edition with a new introduction by Edward Snowden: <a href="https://us.macmillan.com/books/9781250774583">https://us.macmillan.com/books/9781250774583</a>; personalized/signed copies here: <a href="https://www.darkdel.com/store/p1750/July%3A__Little_Brother_%26_Homeland.html">https://www.darkdel.com/store/p1750/July%3A__Little_Brother_%26_Homeland.html</a></p>
</li>
<li>
<p>"Poesy the Monster Slayer" a picture book about monsters, bedtime, gender, and kicking ass. Order here: <a href="https://us.macmillan.com/books/9781626723627">https://us.macmillan.com/books/9781626723627</a>. Get a personalized, signed copy here: <a href="https://www.darkdel.com/store/p2682/Corey_Doctorow%3A_Poesy_the_Monster_Slayer_HB.html#/">https://www.darkdel.com/store/p2682/Corey_Doctorow%3A_Poesy_the_Monster_Slayer_HB.html#/</a>.</p>
</li>
</ul>
<hr/>
<p><a name="upcoming-books"></a><br />
<img data-recalc-dims="1" decoding="async" alt="A cardboard book box with the Macmillan logo." src="https://i0.wp.com/craphound.com/images/upcoming-books.jpg?w=840&ssl=1"/></p>
<h1>Upcoming books (<a href="https://pluralistic.net/2025/03/28/street-pricing/#upcoming-books">permalink</a>)</h1>
<ul>
<li>Enshittification: Why Everything Suddenly Got Worse and What to Do About It, Farrar, Straus, Giroux, October 7 2025<br />
<a href="https://us.macmillan.com/books/9780374619329/enshittification/">https://us.macmillan.com/books/9780374619329/enshittification/</a></p>
</li>
<li>
<p>Unauthorized Bread: a middle-grades graphic novel adapted from my novella about refugees, toasters and DRM, FirstSecond, 2026</p>
</li>
<li>
<p>Enshittification, Why Everything Suddenly Got Worse and What to Do About It (the graphic novel), Firstsecond, 2026</p>
</li>
<li>
<p>The Memex Method, Farrar, Straus, Giroux, 2026</p>
</li>
</ul>
<hr/>
<p><a name="bragsheet"></a><br />
<img data-recalc-dims="1" decoding="async" src="https://i0.wp.com/craphound.com/images/colophon2.jpeg?w=840&ssl=1"/></p>
<h1>Colophon (<a href="https://pluralistic.net/2025/03/28/street-pricing/#bragsheet">permalink</a>)</h1>
<p>Today's top sources: Naked Capitalism (<a href="https://www.nakedcapitalism.com/">https://www.nakedcapitalism.com/</a>).</p>
<p><b>Currently writing: </b></p>
<ul>
<li>Enshittification: a nonfiction book about platform decay for Farrar, Straus, Giroux. Status: second pass edit underway (readaloud)</p>
</li>
<li>
<p>A Little Brother short story about DIY insulin PLANNING</p>
</li>
<li>
<p>Picks and Shovels, a Martin Hench noir thriller about the heroic era of the PC. FORTHCOMING TOR BOOKS FEB 2025</p>
</li>
</ul>
<p><b>Latest podcast:</b> With Great Power Came No Responsibility: How Enshittification Conquered the 21st Century and How We Can Overthrow It <a href="https://craphound.com/news/2025/02/26/with-great-power-came-no-responsibility-how-enshittification-conquered-the-21st-century-and-how-we-can-overthrow-it/">https://craphound.com/news/2025/02/26/with-great-power-came-no-responsibility-how-enshittification-conquered-the-21st-century-and-how-we-can-overthrow-it/</a></p>
<hr/>
<p><img data-recalc-dims="1" decoding="async" src="https://i0.wp.com/craphound.com/images/by.svg.png?w=840&ssl=1"/></p>
<p>This work – excluding any serialized fiction – is licensed under a Creative Commons Attribution 4.0 license. That means you can use it any way you like, including commercially, provided that you attribute it to me, Cory Doctorow, and include a link to pluralistic.net.</p>
<p><a href="https://creativecommons.org/licenses/by/4.0/">https://creativecommons.org/licenses/by/4.0/</a></p>
<p>Quotations and images are not included in this license; they are included either under a limitation or exception to copyright, or on the basis of a separate license. Please exercise caution.</p>
<hr/>
<h1>How to get Pluralistic:</h1>
<p>Blog (no ads, tracking, or data-collection):</p>
<p><a href="http://pluralistic.net">Pluralistic.net</a></p>
<p>Newsletter (no ads, tracking, or data-collection):</p>
<p><a href="https://pluralistic.net/plura-list">https://pluralistic.net/plura-list</a></p>
<p>Mastodon (no ads, tracking, or data-collection):</p>
<p><a href="https://mamot.fr/@pluralistic">https://mamot.fr/@pluralistic</a></p>
<p>Medium (no ads, paywalled):</p>
<p><a href="https://doctorow.medium.com/">https://doctorow.medium.com/</a></p>
<p>Twitter (mass-scale, unrestricted, third-party surveillance and advertising):</p>
<p><a href="https://twitter.com/doctorow">https://twitter.com/doctorow</a></p>
<p>Tumblr (mass-scale, unrestricted, third-party surveillance and advertising):</p>
<p><a href="https://mostlysignssomeportents.tumblr.com/tagged/pluralistic">https://mostlysignssomeportents.tumblr.com/tagged/pluralistic</a></p>
<p>"<em>When life gives you SARS, you make sarsaparilla</em>" -Joey "Accordion Guy" DeVilla</p>
<p>ISSN: 3066-764X</p>
Book Review: The Wicked of the Earth by A. D. Bergin ★★★★★ - Terence Eden’s Bloghttps://shkspr.mobi/blog/?p=591212025-03-28T12:34:42.000Z<p><img decoding="async" src="https://shkspr.mobi/blog/wp-content/uploads/2025/03/cover-1.jpg" alt="Book cover with a city in the background." width="200" class="alignleft size-full wp-image-59122"/>My friend Andrew has written a cracking novel. The English Civil Wars have left a fragile and changing world. The scarred and weary inhabitants of Newcastle Upon Tyne enlist a Scottish "Pricker" to rid themselves of the witches who shamelessly defy god.</p>
<p>Many are accused, and many hang despite their protestations. The town settles into an uneasy peace. And then, from London, rides a man determined to understand why his sister was accused and whether she yet lives.</p>
<p>Stories about the witch trials usually focus on the immediate horror - this is a superb look at the aftermath. Why do people turn on each other? What secrets will men murder for? How deep does guilt run?</p>
<p>It's a tangled tale, with a large dash of historial research to flesh it out. There's a lot of local slang to work through (another advantage of having an eReader with a comprehensive dictionary!) and some frenetic swordplay. It is bloody and gruesome without being excessive.</p>
<p>The audiobook is 99p on Audible - read by the superb <a href="https://cliff-chapman.com/">Cliff Chapman</a> - and the eBook is only £2.99 direct from the publisher.</p>
Quote from man sued: "What are you gonna do, sue me?" - Molly White's microblog feed67e61de98fd143491947f44e2025-03-28T03:56:25.000Z<article><div class="entry h-entry hentry"><header><h2 class="p-name">Quote from man sued: "What are you gonna do, sue me?"</h2><br/></header><div class="content e-content"><p>Kevin O'Leary has <a href="https://www.courtlistener.com/docket/69798755/1/oleary-v-armstrong/">sued</a> crypto personality Ben Armstrong (aka "BitBoy Crypto") for repeatedly claiming O'Leary murdered two people.</p><div class="media-wrapper invert-on-dark"><a href="https://storage.mollywhite.net/micro/cc6240fece1a25cdb952_Screenshot-2025-03-27-at-11.15.02---PM.png" data-fslightbox=ff818448f07c88199bbf><img src="https://storage.mollywhite.net/micro/cc6240fece1a25cdb952_Screenshot-2025-03-27-at-11.15.02---PM.png" alt="27. On March 19, 2025, Armstrong unleashed another tweet accusing O’Leary of committing “actual crimes”: “Doesn’t everybody think it’s weird that I’ve been publicly calling … @kevinolearytv [a] murderer[] and yet not a single word or legal action? It’s almost like they ‘can’t’ because a lawsuit would open up their actual crimes and they know it.”" /></a></div><p>(O'Leary and his wife were indeed involved in a boating collision that killed two people in 2019; O'Leary states in the lawsuit that it was his wife driving the boat, and she was acquitted of any charges.)</p><p>BitBoy also suggested that O'Leary was trying to have him killed, and claimed he'd swatted him. Shortly after, he posted O'Leary's cell phone number and encouraged his followers to "call a real life murderer"</p><div class="media-wrapper"><a href="https://storage.mollywhite.net/micro/0c0c1528a505288c2fb1_Screenshot-2025-03-27-at-11.31.03---PM.png" data-fslightbox=036f4540febc12de04d0><img src="https://storage.mollywhite.net/micro/0c0c1528a505288c2fb1_Screenshot-2025-03-27-at-11.31.03---PM.png" alt="Armstong launched his defamatory campaign on March 17, 2025. On that day, he posted the following: “You guys think I’m kidding about all this stuff and all these claims. There is a reason my life is actually in danger. Kevin O’Leary has already verifiably murdered one couple in Toronto.” Over 30,000 people viewed this tweet.
Tweet screenshot:
The BitBoy
@BenArmstrongsX
You guys think I'm kidding about all this stuff and all these claims.
There is a reason my life is actually in danger.
Kevin O'Leary has already verifiably murdered one couple in Toronto. You don't think Mr One-To-2-Inch would try to kill the old BitBoy?
He SWATTED me once" /></a></div><div class="media-wrapper"><a href="https://storage.mollywhite.net/micro/59dd97a76e0b224de5dc_Screenshot-2025-03-27-at-11.29.32---PM.png" data-fslightbox=d05557974506cf31cd4f><img src="https://storage.mollywhite.net/micro/59dd97a76e0b224de5dc_Screenshot-2025-03-27-at-11.29.32---PM.png" alt="Tweet screenshot:
The BitBoy
@BenArmstrongsX
Hey @kevinolearytv, what the fuck are you going to do with me?
You can't sue me. You can't stop me. You can't shut me up.
I'm a rabid dog with my teeth sunk deep into your leg.
Your usual tricks don't work.
Going to be hard to put the rabid dog down with everyone watching." /></a></div><p>Amusingly, BitBoy once tried to file a defamation lawsuit of his own against a YouTuber who called him a "shady dirtbag". He dropped the suit almost immediately after the YouTuber raised over $200,000 for his defense, and Armstrong admitted he didn't know lawsuits were public.</p><p>It's not clear that BitBoy even knows he's been sued yet; he was arrested two days ago after sending threatening emails to the judge in a <i>different</i> defamation case he's facing from his former business partners after he publicly accused them of various crimes.</p><img src="https://www.mollywhite.net/assets/images/placeholder_social.png" alt="Illustration of Molly White sitting and typing on a laptop, on a purple background with 'Molly White' in white serif." style="display: none;"/></div><footer class="footer"><div class="flex-row post-meta"><div class="timestamp-block"><div class="timestamp">Posted: <a href="https://www.mollywhite.net/micro/entry/202503272352"><time class="dt-published" datetime="2025-03-28T03:56:25+00:00" title="March 28, 2025 at 3:56 AM UTC">March 28, 2025 at 3:56 AM UTC</time>. </a></div></div><div class="social-links"> <span> Also posted to: </span><a class="social-link u-syndication twitter" href="https://twitter.com/molly0xFFF/status/1905461106010706314" title="Twitter" rel="syndication">Twitter, </a><a class="social-link u-syndication mastodon" href="https://hachyderm.io/@molly0xfff/114237906857221535" title="Mastodon" rel="syndication">Mastodon, </a><a class="social-link u-syndication bluesky" href="https://bsky.app/profile/molly.wiki/post/3llfujri52k2f" title="Bluesky" rel="syndication">Bluesky</a></div></div><div class="bottomRow"><div class="tags">Tagged: <a class="tag p-category" href="https://www.mollywhite.net/micro/tag/crypto" title="See all micro posts tagged "crypto"" rel="category tag">crypto</a>, <a class="tag p-category" href="https://www.mollywhite.net/micro/tag/law" title="See all micro posts tagged "law"" rel="category tag">law</a>. </div></div></footer></div></article>BASEBALL'S BACK (and i'm feeling slightly melancholy) - Nicky FloweRSSblogname-0327252025-03-28T03:16:00.000Z<p>I adore it when people say that baseball is America’s pastime. It may have been true 65 years ago but I would say that right now gambling on baseball is a much bigger pastime than baseball itself, and gambling on football is assuredly more popular than both of them combined. Gaming, apathy, and abusing waitstaff would blow baseball out of the water in an America’s pastime competition. But I’ve never minded that. I appreciate the ultimate meaninglessness of baseball more and more as each Opening Day arrives.</p>
<p>As I write this, I’m watching a game I don’t care about beyond wanting to see the Cardinals lose (EDIT: Boooooo they won, the Twins disappoint yet again). It’s being displayed on my wonderful CRT television, on the futon that serves as the basis of my entertainment center. I’m only kind of watching it; it’s mostly for background noise and after I’m done writing this, I’m gonna start making a casserole for dinner. It’s the perfect sport for all this. Of course, when my team (the Cubs) comes on later tonight, I’m gonna be glued to the screen. They’re starting Opening Day down 0-2, which is very funny to me and I would very much like them to make it 1-2 and I’ve missed my baseball guys very much. I hope they do well and have fun and beat the shit out of the other guys. I hate whoever the guys are that we’re playing tonight, I can’t remember. But when I need to, I can shift baseball into the background again and it fits there just as well. It’s extremely comforting and it feels funny that that’s the case but I need all the comfort I can get lately.</p>
<p>It’s funny that any of it is happening at a professional level and it’s taken so seriously. I love that guys will get so upset at this silly game that <a href="https://www.youtube.com/watch?v=HEHOSuxuo1o">they’ll punch their own hands apart</a>. And I don’t want to detract from the vast amount of talent and athleticism these guys all have! I would argue the silliness enhances the seriousness. It wouldn’t be serious if it wasn’t so silly. It’s a sport full of contradictions like that. I’m glad to have it back.</p>
<p><strong>Nicky Flowers - 03/27/25 - If only they'd quit it with the regional cable brodcast blackouts... and the other problems too. - (send any comments/questions to hello at nickyflowers dot com)</strong></p>Pluralistic: Reality-Based Communities (27 Mar 2025) - Pluralistic: Daily links from Cory Doctorowhttps://pluralistic.net/?p=106022025-03-27T15:05:36.000Z<p><!--
Tags:
luigi mangione, thomas piketty, piketty, inequality, unitedhealthcare, late-stage capitalism, reality-based community, guillotine watch, climate, climate emergency, payday loans, gwot, steins law,
Summary:
Reality-Based Communities; Hey look at this; Upcoming appearances; Recent appearances; Latest books; Upcoming books
URL:
https://pluralistic.net/2025/03/27/use-your-mentality/
Title:
Pluralistic: Reality-Based Communities (27 Mar 2025) use-your-mentality
Bullet:
🥅
Separator:
6969696969696969696969696969696969696969696969696969696969696
Top Sources:
None
--><br />
<a href="https://pluralistic.net/2025/03/27/use-your-mentality/"><img data-recalc-dims="1" decoding="async" class="xmasthead_link" src="https://i0.wp.com/craphound.com/images/27Mar2025.jpg?w=840&ssl=1"/></a></p>
<h1 class="toch1">Today's links</h1>
<ul class="toc">
<li class="xToC"><a href="https://pluralistic.net/2025/03/27/use-your-mentality/#face-up-to-reality">Reality-Based Communities</a>: Anything that can't go on forever eventually stops.
</li>
<li class="xToC"><a href="https://pluralistic.net/2025/03/27/use-your-mentality/#linkdump">Hey look at this</a>: Delights to delectate.
</li>
<li class="xToC"><a href="https://pluralistic.net/2025/03/27/use-your-mentality/#retro">Object permanence</a>: 2010, 2015, 2020, 2024
</li>
<li class="xToC"><a href="https://pluralistic.net/2025/03/27/use-your-mentality/#upcoming">Upcoming appearances</a>: Where to find me.
</li>
<li class="xToC"><a href="https://pluralistic.net/2025/03/27/use-your-mentality/#recent">Recent appearances</a>: Where I've been.
</li>
<li class="xToC"><a href="https://pluralistic.net/2025/03/27/use-your-mentality/#latest">Latest books</a>: You keep readin' em, I'll keep writin' 'em.
</li>
<li class="xToC"><a href="https://pluralistic.net/2025/03/27/use-your-mentality/#upcoming-books">Upcoming books</a>: Like I said, I'll keep writin' 'em.
</li>
<li class="xToC"><a href="https://pluralistic.net/2025/03/27/use-your-mentality/#bragsheet">Colophon</a>: All the rest.
</li>
</ul>
<p><span id="more-10602"></span></p>
<hr/>
<p><a name="face-up-to-reality"></a><br />
<img data-recalc-dims="1" decoding="async" alt="Robin Hood, as seen from the back. He stands before a plinth atop which sits a guillotine with a hapless aristocrat strapped to it, an executioner holding the rope. To one side is an archery target with an arrow in the bullseye position. The background is a waving American flag, heavily halftoned." src="https://i0.wp.com/craphound.com/images/reality-based-community.jpg?w=840&ssl=1"/></p>
<h1>Reality-Based Communities (<a href="https://pluralistic.net/2025/03/27/use-your-mentality/#face-up-to-reality">permalink</a>)</h1>
<p>Remember the Global War on Terror? I know, it's been a minute. But there was a time when we were all meant to take terrorism – <em>real</em> terrorism, the knocking-down-buildings kind, not the being-mean-to-Teslas kind – seriously.</p>
<p>Back in the early oughts, I remember picking up a copy of the <em>Financial Times</em> in an airport lounge and flipping through it, and coming across an "advice to corporate management" column in which the question was, "Should I take out terrorism insurance for my business?" The columnist's answer: "The actual risk to your business of a terrorism-related disruption rounds to zero. However: a) your shareholders don't understand this, an b) your insurance company does. That means that you can buy a very large amount of terrorism insurance for a very small amount of money, making this a cheap price to pay to mollify your easily frightened investors."</p>
<p>I never forgot that little piece of writing. It was a powerful reminder that successful large-scale enterprises must attend to the world as it is, not as ideology dictates that it should be. This was – and is – a deeply heterodox position among the ideological defenders of capitalism, who continue to uphold Milton Friedman's maxim that:</p>
<blockquote><p>
Truly important and significant hypotheses will be found to have "assumptions" that are wildly inaccurate descriptive representations of reality, and, in general, the more significant the theory, the more unrealistic the assumptions (in this sense)
</p></blockquote>
<p><a href="https://pluralistic.net/2025/02/17/caliper-ai/#racism-machine">https://pluralistic.net/2025/02/17/caliper-ai/#racism-machine</a></p>
<p>These ideologues – who often cross over from boardrooms into governments – are with the GW Bush official who dismissed a journalist as a member of the "reality-based community":</p>
<blockquote><p>
When we act, we create our own reality. And while you're studying that reality—judiciously, as you will—we'll act again, creating other new realities, which you can study too, and that's how things will sort out. We're history's actors…and you, all of you, will be left to just study what we do.
</p></blockquote>
<p><a href="https://en.wikipedia.org/wiki/Reality-based_community">https://en.wikipedia.org/wiki/Reality-based_community</a></p>
<p>But ultimately, <em>someone</em> has to make investments and plans that take accord of the world as it is, the adversaries they face, the real and material emergencies unfolding around them. When the Pentagon announces that henceforth the climate emergency will take a prime place in its threat assessments and budgets, that's not "the military going woke" – it's the military joining the reality-based community:</p>
<p><a href="https://www.defensenews.com/opinion/commentary/2021/10/26/the-pentagon-has-to-include-climate-risk-in-all-of-its-plans-and-budgets/">https://www.defensenews.com/opinion/commentary/2021/10/26/the-pentagon-has-to-include-climate-risk-in-all-of-its-plans-and-budgets/</a></p>
<p>This explains the radical shear between the <em>Wall Street Journal</em>'s editorial page – in which you'll learn that governments can't solve <em>any</em> problems and markets solve <em>all</em> problems (including the problem of governments) – and the news reporting within, in which the critical role of the state in regulating and fueling markets is acknowledged.</p>
<p>The tension between the right's ideologues in boardrooms and governments and the operational people in charge of keeping the machines running has only escalated since the War on Terror days. There's an important sense in which leftists – as materialists – are playing the same game as these operational managers of capitalism. Take Thomas Piketty, the socialist economist whose blockbuster 2013 book <em>Capital in the 21st Century</em> argued that rising inequality threatened capitalism itself:</p>
<p><a href="https://memex.craphound.com/2014/06/24/thomas-pikettys-capital-in-the-21st-century/">https://memex.craphound.com/2014/06/24/thomas-pikettys-capital-in-the-21st-century/</a></p>
<p>By analyzing three centuries' worth of capital flows, Piketty showed that when inequality reached a certain tipping point, the result was societal upheaval that continued until so much capital had been destroyed that inequality was reduced (because everyone had been pauperized). Piketty appealed to capitalism's technocrats to institute redistributive programs. His point was that building hospitals and schools was ultimately cheaper than paying for the guard-labor you'd need to keep people from building guillotines outside the gates of your walled estate.</p>
<p>The rise and rise of surveillance tech, and its successors, such as lethal drones and offshore gulags, can be seen as a tacit acknowledgment of Piketty's thesis. By lowering the cost of guard labor, it might possible to stabilize a society with higher levels of inequality, by identifying and neutralizing the people who are radicalized by the system's unfairness before you get an outbreak of guillotines:</p>
<p><a href="https://pluralistic.net/2020/08/13/better-to-have-loved/#less-lethals">https://pluralistic.net/2020/08/13/better-to-have-loved/#less-lethals</a></p>
<p>But reality is stubborn. Capitalism's defenders can insist that society will continue to function while wages stagnate and greedflation stokes the cost of living crisis, but ultimately, the military can't afford to have a fighting force that's in hock to payday lender usurers who are tormenting their families with arm-breaker collection calls:</p>
<p><a href="https://www.nakedcapitalism.com/2025/03/payday-loan-apps-cost-new-yorkers-500-million-plus-new-study-estimates.html">https://www.nakedcapitalism.com/2025/03/payday-loan-apps-cost-new-yorkers-500-million-plus-new-study-estimates.html</a></p>
<p>As Stein's Law – a bedrock of finance – has it, "anything that can't go on forever eventually stops." The ideologues of capitalism can insist that Luigi Mangione is a monster and an aberration, an armed freeloader who wants something for nothing. But privately, their own security forces are telling them otherwise.</p>
<p>Writing for <em>The American Prospect</em>, Daniel Boguslaw reports on a leaked intelligence dossier from the Connecticut regional intelligence center – a "fusion center" created as part of the War on Terror – wherein we learn that the American people sees Mangione as a modern Robin Hood:</p>
<p><a href="https://prospect.org/justice/2025-03-27-intelligence-dossier-compares-luigi-mangione-robin-hood/">https://prospect.org/justice/2025-03-27-intelligence-dossier-compares-luigi-mangione-robin-hood/</a></p>
<blockquote><p>
Many view Thompson as a symbolic representation of both as reports of insurance companies denying life sustaining medication coverage circulate online. It is not an unfair comparison to equate the current reaction toward Mangione to the reactions to Robin Hood, citizens may see Mangione’s alleged actions as an attack against a system designed to work against them.
</p></blockquote>
<p><a href="https://drive.google.com/file/d/1hM3IZbnzk_cMk7evX2Urnwh5zxhRHpD5/view">https://drive.google.com/file/d/1hM3IZbnzk_cMk7evX2Urnwh5zxhRHpD5/view</a></p>
<p>The Connecticut fusion center isn't the only part of capitalism's operational wing that's taking notice of this. Today, Ken Klippenstein reports on an FBI threat assessment about the "heightened threat to CEOs":</p>
<p><a href="https://www.kenklippenstein.com/p/fbi-becomes-rent-a-cops-for-ceos">https://www.kenklippenstein.com/p/fbi-becomes-rent-a-cops-for-ceos</a></p>
<p>The report comes from the FBI's counter-terrorism wing, which (Klippenstein notes) is in the business of rooting out "pre-crime" – identifying people who haven't committed a crime and neutralizing them. As Klippenstein writes, Trump AG Pam Bondi and FBI Director Kash Patel have both vowed to treat anti-Tesla protests as acts of terror. That's the view from the top, but back on the front lines of the Connecticut fusion center, things are more reality-based:</p>
<blockquote><p>
[The public] may view the ensuing manhunt and subsequent arrest of Mangione as NYPD, and largely policing as a whole, as a tool that is willing to expend massive resources to protect the wealthy, while the average citizen is left to their own means for personal security.
</p></blockquote>
<p>Any good investor knows that anything that can't go on forever eventually stops. The only question is: will that halt is a controlled braking action, or a collision with reality's brick wall?</p>
<p>(<i>Image: <a href="https://www.flickr.com/photos/leehaywood/4659575229/">Lee Haywood</a>, <a href="https://creativecommons.org/licenses/by-sa/2.0/">CC BY-SA 2.0</a>, modified</i>)</p>
<hr/>
<p><a name="linkdump"></a></p>
<h1>Hey look at this (<a href="https://pluralistic.net/2025/03/27/use-your-mentality/#linkdump">permalink</a>)</h1>
<p><img data-recalc-dims="1" decoding="async" src="https://i0.wp.com/craphound.com/images/heylookatthis2.jpg?w=840&ssl=1"/></p>
<ul>
<li>Locus Awards Poll Login <a href="https://poll.voting.locusmag.com">https://poll.voting.locusmag.com</a></p>
</li>
<li>
<p>How to Delete Your 23andMe Data <a href="https://www.eff.org/deeplinks/2025/03/how-delete-your-23andme-data">https://www.eff.org/deeplinks/2025/03/how-delete-your-23andme-data</a></p>
</li>
<li>
<p>China built hundreds of AI data centers to catch the AI boom. Now many stand unused. <a href="https://www.technologyreview.com/2025/03/26/1113802/china-ai-data-centers-unused/">https://www.technologyreview.com/2025/03/26/1113802/china-ai-data-centers-unused/</a></p>
</li>
</ul>
<hr/>
<p><a name="retro"></a><br />
<img data-recalc-dims="1" height="416" width="796" decoding="async" alt="A Wayback Machine banner." src="https://i0.wp.com/craphound.com/images/wayback-machine-hed-796x416.png?resize=796%2C416&ssl=1"/></p>
<h1>Object permanence (<a href="https://pluralistic.net/2025/03/27/use-your-mentality/#retro">permalink</a>)</h1>
<p>#15yrsago Battlefield Earth screenwriter apologises <a href="https://nypost.com/2010/03/28/i-penned-the-suckiest-movie-ever-sorry/">https://nypost.com/2010/03/28/i-penned-the-suckiest-movie-ever-sorry/</a></p>
<p>#15yrsago UK government’s smoke-filled room legislative process <a href="https://www.theguardian.com/commentisfree/2010/mar/28/pre-election-parliamentary-wash-up">https://www.theguardian.com/commentisfree/2010/mar/28/pre-election-parliamentary-wash-up</a></p>
<p>#15yrsago UK government wants to secretly read your postal mail <a href="https://www.theguardian.com/commentisfree/henryporter/2010/mar/27/intercepting-mail-stasi-tax-inspectors">https://www.theguardian.com/commentisfree/henryporter/2010/mar/27/intercepting-mail-stasi-tax-inspectors</a></p>
<p>#10yrsago What it’s like to teach evolution at the University of Kentucky <a href="https://orionmagazine.org/article/defending-darwin/">https://orionmagazine.org/article/defending-darwin/</a></p>
<p>#10yrsago Prisoner escapes by faking an email ordering his release https://www.bbc.com/news/uk-england-london-32095189</p>
<p>#10yrsago 8-bit photo gun made from a Game Boy and a thermal printer <a href="https://vtol.cc/filter/works/gbg-8">https://vtol.cc/filter/works/gbg-8</a></p>
<p>#5yrsago Employers scramble to buy remote-worker spyware <a href="https://pluralistic.net/2020/03/28/unreciprocated-solidarity/#one-way-solidarity">https://pluralistic.net/2020/03/28/unreciprocated-solidarity/#one-way-solidarity</a></p>
<p>#5yrsago United gets $25B stimulus and announces layoffs <a href="https://pluralistic.net/2020/03/28/unreciprocated-solidarity/#friendly-skies">https://pluralistic.net/2020/03/28/unreciprocated-solidarity/#friendly-skies</a></p>
<p>#5yrsago Trump officials killed Walmart opioid prosecutions <a href="https://pluralistic.net/2020/03/28/unreciprocated-solidarity/#walmart-heroin">https://pluralistic.net/2020/03/28/unreciprocated-solidarity/#walmart-heroin</a></p>
<p>#5yrsago Boardgame Remix Kit <a href="https://pluralistic.net/2020/03/28/unreciprocated-solidarity/#hide-n-seek">https://pluralistic.net/2020/03/28/unreciprocated-solidarity/#hide-n-seek</a></p>
<p>#5yrsago The Pandemic Playbook <a href="https://pluralistic.net/2020/03/28/unreciprocated-solidarity/#pebkac">https://pluralistic.net/2020/03/28/unreciprocated-solidarity/#pebkac</a></p>
<p>#5yrsago Charter techs get $25 gift cards instead of hazard pay <a href="https://pluralistic.net/2020/03/28/unreciprocated-solidarity/#charter-sucks">https://pluralistic.net/2020/03/28/unreciprocated-solidarity/#charter-sucks</a></p>
<p>#1yrago The credit card fee victory is a defeat <a href="https://pluralistic.net/2024/03/28/concentrated-benefits/#diffuse-harms">https://pluralistic.net/2024/03/28/concentrated-benefits/#diffuse-harms</a></p>
<hr/>
<p><a name="upcoming"></a></p>
<h1>Upcoming appearances (<a href="https://pluralistic.net/2025/03/27/use-your-mentality/#upcoming">permalink</a>)</h1>
<p><img data-recalc-dims="1" decoding="async" alt="A photo of me onstage, giving a speech, pounding the podium." src="https://i0.wp.com/craphound.com/images/appearances2.jpg?w=840&ssl=1"/></p>
<ul>
<li>Chicago: Picks and Shovels with Peter Sagal, Apr 2<br />
<a href="https://exileinbookville.com/events/44853">https://exileinbookville.com/events/44853</a></p>
</li>
<li>
<p>Chicago: ABA Techshow, Apr 3<br />
<a href="https://www.techshow.com/">https://www.techshow.com/</a></p>
</li>
<li>
<p>Bloomington: Picks and Shovels at Morgenstern, Apr 4<br />
<a href="https://morgensternbooks.com/event/2025-04-04/author-event-cory-doctorow">https://morgensternbooks.com/event/2025-04-04/author-event-cory-doctorow</a></p>
</li>
<li>
<p>Pittsburgh: Picks and Shovels at White Whale Books, May 15<br />
<a href="https://whitewhalebookstore.com/events/20250515">https://whitewhalebookstore.com/events/20250515</a></p>
</li>
<li>
<p>Pittsburgh: PyCon, May 16<br />
<a href="https://us.pycon.org/2025/schedule/">https://us.pycon.org/2025/schedule/</a></p>
</li>
<li>
<p>PDX: Teardown 2025, Jun 20-22<br />
<a href="https://www.crowdsupply.com/teardown/portland-2025">https://www.crowdsupply.com/teardown/portland-2025</a></p>
</li>
<li>
<p>PDX: Picks and Shovels at Barnes and Noble, Jun 20<br />
<a href="https://stores.barnesandnoble.com/event/9780062183697-0">https://stores.barnesandnoble.com/event/9780062183697-0</a></p>
</li>
<li>
<p>New Orleans: DeepSouthCon63, Oct 10-12, 2025<br />
<a href="http://www.contraflowscifi.org/">http://www.contraflowscifi.org/</a></p>
</li>
</ul>
<hr/>
<p><a name="recent"></a><br />
<img data-recalc-dims="1" decoding="async" alt="A screenshot of me at my desk, doing a livecast." src="https://i0.wp.com/craphound.com/images/recentappearances2.jpg?w=840&ssl=1"/></p>
<h1>Recent appearances (<a href="https://pluralistic.net/2025/03/27/use-your-mentality/#recent">permalink</a>)</h1>
<ul>
<li>Capitalists Hate Capitalism (MMT Podcast)<br />
<a href="https://pileusmmt.libsyn.com/195-capitalists-hate-capitalism-with-cory-doctorow">https://pileusmmt.libsyn.com/195-capitalists-hate-capitalism-with-cory-doctorow</a></p>
</li>
<li>
<p>How to Destroy Our Tech Overlords (Homeless Romantic)<br />
<a href="https://www.youtube.com/watch?v=epma2B0wjzU">https://www.youtube.com/watch?v=epma2B0wjzU</a></p>
</li>
<li>
<p>The internet that could have been was ruined by billionaires (Real News Network)<br />
<a href="https://therealnews.com/the-internet-that-could-have-been-was-ruined-by-billionaires">https://therealnews.com/the-internet-that-could-have-been-was-ruined-by-billionaires</a></p>
</li>
</ul>
<hr/>
<p><a name="latest"></a><br />
<img data-recalc-dims="1" decoding="async" alt="A grid of my books with Will Stahle covers.." src="https://i0.wp.com/craphound.com/images/recent.jpg?w=840&ssl=1"/></p>
<h1>Latest books (<a href="https://pluralistic.net/2025/03/27/use-your-mentality/#latest">permalink</a>)</h1>
<ul>
<li>
<ul>
<li>Picks and Shovels: a sequel to "Red Team Blues," about the heroic era of the PC, Tor Books (US), Head of Zeus (UK), February 2025 (<a href="https://us.macmillan.com/books/9781250865908/picksandshovels">https://us.macmillan.com/books/9781250865908/picksandshovels</a>).</li>
</ul>
</li>
<li>The Bezzle: a sequel to "Red Team Blues," about prison-tech and other grifts, Tor Books (US), Head of Zeus (UK), February 2024 (<a href="http://the-bezzle.org">the-bezzle.org</a>). Signed, personalized copies at Dark Delicacies (<a href="https://www.darkdel.com/store/p3062/Available_Feb_20th%3A_The_Bezzle_HB.html#/">https://www.darkdel.com/store/p3062/Available_Feb_20th%3A_The_Bezzle_HB.html#/</a>).</p>
</li>
<li>
<p>"The Lost Cause:" a solarpunk novel of hope in the climate emergency, Tor Books (US), Head of Zeus (UK), November 2023 (<a href="http://lost-cause.org">http://lost-cause.org</a>). Signed, personalized copies at Dark Delicacies (<a href="https://www.darkdel.com/store/p3007/Pre-Order_Signed_Copies%3A_The_Lost_Cause_HB.html#/">https://www.darkdel.com/store/p3007/Pre-Order_Signed_Copies%3A_The_Lost_Cause_HB.html#/</a>)</p>
</li>
<li>
<p>"The Internet Con": A nonfiction book about interoperability and Big Tech (Verso) September 2023 (<a href="http://seizethemeansofcomputation.org">http://seizethemeansofcomputation.org</a>). Signed copies at Book Soup (<a href="https://www.booksoup.com/book/9781804291245">https://www.booksoup.com/book/9781804291245</a>).</p>
</li>
<li>
<p>"Red Team Blues": "A grabby, compulsive thriller that will leave you knowing more about how the world works than you did before." Tor Books <a href="http://redteamblues.com">http://redteamblues.com</a>. Signed copies at Dark Delicacies (US): <a href="https://www.darkdel.com/store/p2873/Wed%2C_Apr_26th_6pm%3A_Red_Team_Blues%3A_A_Martin_Hench_Novel_HB.html#/"> and Forbidden Planet (UK): <a href="https://forbiddenplanet.com/385004-red-team-blues-signed-edition-hardcover/">https://forbiddenplanet.com/385004-red-team-blues-signed-edition-hardcover/</a>.</p>
</li>
<li>
<p>"Chokepoint Capitalism: How to Beat Big Tech, Tame Big Content, and Get Artists Paid, with Rebecca Giblin", on how to unrig the markets for creative labor, Beacon Press/Scribe 2022 <a href="https://chokepointcapitalism.com">https://chokepointcapitalism.com</a></p>
</li>
<li>
<p>"Attack Surface": The third Little Brother novel, a standalone technothriller for adults. The <em>Washington Post</em> called it "a political cyberthriller, vigorous, bold and savvy about the limits of revolution and resistance." Order signed, personalized copies from Dark Delicacies <a href="https://www.darkdel.com/store/p1840/Available_Now%3A_Attack_Surface.html">https://www.darkdel.com/store/p1840/Available_Now%3A_Attack_Surface.html</a></p>
</li>
<li>
<p>"How to Destroy Surveillance Capitalism": an anti-monopoly pamphlet analyzing the true harms of surveillance capitalism and proposing a solution. <a href="https://onezero.medium.com/how-to-destroy-surveillance-capitalism-8135e6744d59?sk=f6cd10e54e20a07d4c6d0f3ac011af6b">https://onezero.medium.com/how-to-destroy-surveillance-capitalism-8135e6744d59?sk=f6cd10e54e20a07d4c6d0f3ac011af6b</a></a>) (signed copies: <a href="https://www.darkdel.com/store/p2024/Available_Now%3A__How_to_Destroy_Surveillance_Capitalism.html">https://www.darkdel.com/store/p2024/Available_Now%3A__How_to_Destroy_Surveillance_Capitalism.html</a>)</p>
</li>
<li>
<p>"Little Brother/Homeland": A reissue omnibus edition with a new introduction by Edward Snowden: <a href="https://us.macmillan.com/books/9781250774583">https://us.macmillan.com/books/9781250774583</a>; personalized/signed copies here: <a href="https://www.darkdel.com/store/p1750/July%3A__Little_Brother_%26_Homeland.html">https://www.darkdel.com/store/p1750/July%3A__Little_Brother_%26_Homeland.html</a></p>
</li>
<li>
<p>"Poesy the Monster Slayer" a picture book about monsters, bedtime, gender, and kicking ass. Order here: <a href="https://us.macmillan.com/books/9781626723627">https://us.macmillan.com/books/9781626723627</a>. Get a personalized, signed copy here: <a href="https://www.darkdel.com/store/p2682/Corey_Doctorow%3A_Poesy_the_Monster_Slayer_HB.html#/">https://www.darkdel.com/store/p2682/Corey_Doctorow%3A_Poesy_the_Monster_Slayer_HB.html#/</a>.</p>
</li>
</ul>
<hr/>
<p><a name="upcoming-books"></a><br />
<img data-recalc-dims="1" decoding="async" alt="A cardboard book box with the Macmillan logo." src="https://i0.wp.com/craphound.com/images/upcoming-books.jpg?w=840&ssl=1"/></p>
<h1>Upcoming books (<a href="https://pluralistic.net/2025/03/27/use-your-mentality/#upcoming-books">permalink</a>)</h1>
<ul>
<li>Enshittification: Why Everything Suddenly Got Worse and What to Do About It, Farrar, Straus, Giroux, October 7 2025<br />
<a href="https://us.macmillan.com/books/9780374619329/enshittification/">https://us.macmillan.com/books/9780374619329/enshittification/</a></p>
</li>
<li>
<p>Unauthorized Bread: a middle-grades graphic novel adapted from my novella about refugees, toasters and DRM, FirstSecond, 2026</p>
</li>
<li>
<p>Enshittification, Why Everything Suddenly Got Worse and What to Do About It (the graphic novel), Firstsecond, 2026</p>
</li>
<li>
<p>The Memex Method, Farrar, Straus, Giroux, 2026</p>
</li>
</ul>
<hr/>
<p><a name="bragsheet"></a><br />
<img data-recalc-dims="1" decoding="async" src="https://i0.wp.com/craphound.com/images/colophon2.jpeg?w=840&ssl=1"/></p>
<h1>Colophon (<a href="https://pluralistic.net/2025/03/27/use-your-mentality/#bragsheet">permalink</a>)</h1>
<p>Today's top sources:</p>
<p><b>Currently writing: </b></p>
<ul>
<li>Enshittification: a nonfiction book about platform decay for Farrar, Straus, Giroux. Status: second pass edit underway (readaloud)</p>
</li>
<li>
<p>A Little Brother short story about DIY insulin PLANNING</p>
</li>
<li>
<p>Picks and Shovels, a Martin Hench noir thriller about the heroic era of the PC. FORTHCOMING TOR BOOKS FEB 2025</p>
</li>
</ul>
<p><b>Latest podcast:</b> With Great Power Came No Responsibility: How Enshittification Conquered the 21st Century and How We Can Overthrow It <a href="https://craphound.com/news/2025/02/26/with-great-power-came-no-responsibility-how-enshittification-conquered-the-21st-century-and-how-we-can-overthrow-it/">https://craphound.com/news/2025/02/26/with-great-power-came-no-responsibility-how-enshittification-conquered-the-21st-century-and-how-we-can-overthrow-it/</a></p>
<hr/>
<p><img data-recalc-dims="1" decoding="async" src="https://i0.wp.com/craphound.com/images/by.svg.png?w=840&ssl=1"/></p>
<p>This work – excluding any serialized fiction – is licensed under a Creative Commons Attribution 4.0 license. That means you can use it any way you like, including commercially, provided that you attribute it to me, Cory Doctorow, and include a link to pluralistic.net.</p>
<p><a href="https://creativecommons.org/licenses/by/4.0/">https://creativecommons.org/licenses/by/4.0/</a></p>
<p>Quotations and images are not included in this license; they are included either under a limitation or exception to copyright, or on the basis of a separate license. Please exercise caution.</p>
<hr/>
<h1>How to get Pluralistic:</h1>
<p>Blog (no ads, tracking, or data-collection):</p>
<p><a href="http://pluralistic.net">Pluralistic.net</a></p>
<p>Newsletter (no ads, tracking, or data-collection):</p>
<p><a href="https://pluralistic.net/plura-list">https://pluralistic.net/plura-list</a></p>
<p>Mastodon (no ads, tracking, or data-collection):</p>
<p><a href="https://mamot.fr/@pluralistic">https://mamot.fr/@pluralistic</a></p>
<p>Medium (no ads, paywalled):</p>
<p><a href="https://doctorow.medium.com/">https://doctorow.medium.com/</a></p>
<p>Twitter (mass-scale, unrestricted, third-party surveillance and advertising):</p>
<p><a href="https://twitter.com/doctorow">https://twitter.com/doctorow</a></p>
<p>Tumblr (mass-scale, unrestricted, third-party surveillance and advertising):</p>
<p><a href="https://mostlysignssomeportents.tumblr.com/tagged/pluralistic">https://mostlysignssomeportents.tumblr.com/tagged/pluralistic</a></p>
<p>"<em>When life gives you SARS, you make sarsaparilla</em>" -Joey "Accordion Guy" DeVilla</p>
<p>ISSN: 3066-764X</p>
Book Review: The Little Book of Ikigai - The secret Japanese way to live a happy and long life by Ken Mogi ★★☆☆☆ - Terence Eden’s Bloghttps://shkspr.mobi/blog/?p=591292025-03-27T12:34:24.000Z<p><img decoding="async" src="https://shkspr.mobi/blog/wp-content/uploads/2025/03/cover-2.jpg" alt="Two koi carp swim on a book cover." width="200" class="alignleft size-full wp-image-59130"/>Can a Japanese mindset help you find fulfilment in life? Based on this book - the answer is "no".</p>
<p>The Little Book of Ikigai is full of trite and unconvincing snippets of half-baked wisdom. It is stuffed with a slurry of low-grade Orientalism which I would have expected from a book written a hundred years ago. I honestly can't work out what the purpose of the book is. Part of it is travelogue (isn't Japan fascinating!) and part of it is history (isn't Japanese <em>culture</em> fascinating!). The majority tries hard to convince the reader that Japanese practices are the one-true path to a happy and fulfilling life.</p>
<p>Yet, it almost immediately undermines its own thesis by proclaiming:</p>
<blockquote> <p>Of course, ephemeral joy is not necessarily a trademark of Japan. For example, the French take sensory pleasures seriously. So do the Italians. Or, for that matter, the Russians, the Chinese, or even the English. Every culture has its own inspiration to offer.</p></blockquote>
<p>So… what's the point?</p>
<p>In discussing how to find satisfaction in life, it offers up what I thought was a cautionary tale about the dangers of obsession:</p>
<blockquote> <p>For many years, Watanabe did not take any holidays, except for a week at New Year and another week in the middle of August. The rest of the time, Watanabe has been standing behind the bars of Est! seven days a week, all year around.</p></blockquote>
<p>But, apparently, that's something to be emulated. Work/life balance? Nah!</p>
<p>I can't overstate just how much tosh there is in here.</p>
<blockquote> <p>Seen from the inner perspective of ikigai, the border between winner and losers gradually melts. Ultimately there is no difference between winners and losers. It is all about being human.</p></blockquote>
<p>Imagine there was a Gashapon machine which dispensed little capsules of plasticy kōans. You'd stick in a coin and out would pop:</p>
<blockquote> <p>You don’t have to blow your own trumpet to be heard. You can just whisper, sometimes to yourself.</p></blockquote>
<p>Think of it like a surface-level TED talk. Designed to make dullards think they're learning some deep secret when all they're getting is the mechanically reclaimed industrial byproducts of truth.</p>
<p>There are hints of the quack Jordan Peterson with sentences reminding us that:</p>
<blockquote> <p>Needless to say, you don’t have to be born in Japan to practise the custom of getting up early.</p></blockquote>
<p>In amongst all the Wikipedia-list padding, there was one solitary thing I found useful. The idea of the "<a href="https://en.wikipedia.org/wiki/Focusing_illusion">Focusing Illusion</a>"</p>
<blockquote> <p>Researchers have been investigating a phenomenon called ‘focusing illusion’. People tend to regard certain things in life as necessary for happiness, while in fact they aren’t. The term ‘focusing illusion’ comes from the idea that you can be focused on a particular aspect of life, so much so that you can believe that your whole happiness depends on it. Some have the focusing illusion on, say, marriage as a prerequisite condition for happiness. In that case, they will feel unhappy so long as they remain single. Some will complain that they cannot be happy because they don’t have enough money, while others will be convinced they are unhappy because they don’t have a proper job.</p>
<p>In having a focusing illusion, you create your own reason for feeling unhappy.</p></blockquote>
<p>Evidently my "focusing illusion" is that if I just read enough books, I'll finally understand what makes people fall for nonsense like this.</p>
Crawl Order and Disorder - Weblog on marginalia.nuhttps://www.marginalia.nu/log/a_117_crawl_order/2025-03-27T00:00:00.000ZA problem the search engine’s crawler has struggled with for some time is that it takes a fairly long time to finish up, usually spending several days wrapping up the final few domains.
This has been actualized recently, since the migration to slop crawl data has dropped memory requirements of the crawler by something like 80%, and as such I’ve been able to increase the number of crawling tasks, which has led to a bizarre case where 99.Pluralistic: The AOC-Sanders anti-oligarch tour is all about organizing (26 Mar 2025) - Pluralistic: Daily links from Cory Doctorowhttps://pluralistic.net/?p=105982025-03-26T17:59:20.000Z<p><!--
Tags:
bernie sanders, aoc, movement building, not me us, democrats, anti-oligarchy tour, micah sifry
Summary:
The AOC-Sanders anti-oligarch tour is all about organizing; Hey look at this; Upcoming appearances; Recent appearances; Latest books; Upcoming books
URL:
https://pluralistic.net/2025/03/26/not-me-us/
Title:
Pluralistic: The AOC-Sanders anti-oligarch tour is all about organizing (26 Mar 2025) not-me-us
Bullet:
⛰
Separator:
6969696969696969696969696969696969696969696969696969696969696
Top Sources:
None
--><br />
<a href="https://pluralistic.net/2025/03/26/not-me-us/"><img data-recalc-dims="1" decoding="async" class="xmasthead_link" src="https://i0.wp.com/craphound.com/images/26Mar2025.jpg?w=840&ssl=1"/></a></p>
<h1 class="toch1">Today's links</h1>
<ul class="toc">
<li class="xToC"><a href="https://pluralistic.net/2025/03/26/not-me-us/#the-people-no">The AOC-Sanders anti-oligarch tour is all about organizing</a>: The courage to govern WITH, not OVER.
</li>
<li class="xToC"><a href="https://pluralistic.net/2025/03/26/not-me-us/#linkdump">Hey look at this</a>: Delights to delectate.
</li>
<li class="xToC"><a href="https://pluralistic.net/2025/03/26/not-me-us/#retro">Object permanence</a>: 2015, 2020, 2024
</li>
<li class="xToC"><a href="https://pluralistic.net/2025/03/26/not-me-us/#upcoming">Upcoming appearances</a>: Where to find me.
</li>
<li class="xToC"><a href="https://pluralistic.net/2025/03/26/not-me-us/#recent">Recent appearances</a>: Where I've been.
</li>
<li class="xToC"><a href="https://pluralistic.net/2025/03/26/not-me-us/#latest">Latest books</a>: You keep readin' em, I'll keep writin' 'em.
</li>
<li class="xToC"><a href="https://pluralistic.net/2025/03/26/not-me-us/#upcoming-books">Upcoming books</a>: Like I said, I'll keep writin' 'em.
</li>
<li class="xToC"><a href="https://pluralistic.net/2025/03/26/not-me-us/#bragsheet">Colophon</a>: All the rest.
</li>
</ul>
<p><span id="more-10598"></span></p>
<hr/>
<p><a name="the-people-no"></a><br />
<img data-recalc-dims="1" decoding="async" alt="A modified version of the IWW 'The Hand That Will Rule the World - One Big Union' cartoon. The original depicts a collection of workers raising their fists, such that all their fists have merged into one gigantic fist. The image has been modified to add AOC sticking out from behind the fist on the left, speaking into a mic and raising her hand. From behind the right side of the fist emerges Bernie Sanders in mittens and mask, an iconic image of Sanders at the 2021 Biden inauguration." src="https://i0.wp.com/craphound.com/images/anti-oligarch-organizing.jpg?w=840&ssl=1"/></p>
<h1>The AOC-Sanders anti-oligarch tour is all about organizing (<a href="https://pluralistic.net/2025/03/26/not-me-us/#the-people-no">permalink</a>)</h1>
<p>It's hard to imagine today, but Barack Obama ran as a populist outsider, buoyed into office by a grassroots organizing campaign that used an incredibly innovative online organizing tool called MyBarackObama.com, which directly connected rank-and-file supporters so they could self-organize, creating an unstoppable force.</p>
<p>But as far as Obama was concerned, MyBarackObama.com was a <em>campaigning</em> tool, not a <em>governing</em> tool. The last thing Obama wanted was a clamorous electorate jostling his elbow while he made the grand bargains that defined his presidency: secret drone killings, immunity for telcos that profited from in illegal NSA spying, impunity for CIA torturers, bailing out bankers, complicity in the foreclosure epidemic, and, of course, unlimited free money for health insurance companies through the ACA.</p>
<p>Obama ran like a populist, but governed like Chuck Schumer. Meanwhile, the GOP of his day was dominated by its own "grassroots" groups, the Tea Party movement that was funded and organized by the Kochs but who quickly slipped the leash and became an ungovernable force that conquered the party. It turns out that the kind of people who get really involved in party activism are, well, <em>passionate</em> (a less charitable term might be <em>cranks</em> – and I say this as a certified, grade-A crank). They really believe in the principles that bring them into party activism, and the only people they hate more than the other party are their own sellout leaders (oh, hi, Senator Fetterman!).</p>
<p>For a leader whose theory of governance involves a lot of back-room favor-trading and Extremely Grown Up compromising, an activated, organized base represents a powerful obstacle. Obama's seeming genius was his ability to awaken a grassroots campaigning force that he could then hit pause on once he attained office, then re-activate on demand (Obama "revived" MyBarackObama.com for his second presidential campaign):</p>
<p><a href="https://www.computerworld.com/article/1532634/barack-obama-s-big-data-won-the-us-election-2.html">https://www.computerworld.com/article/1532634/barack-obama-s-big-data-won-the-us-election-2.html</a></p>
<p>But ultimately, I think we have to conclude that Obama's strategy was a losing one. By putting his own organization into an induced coma between elections, Obama lost an important source of discipline and feedback that would have told him when his compromises overstepped the tolerance of the electorate – and the fact that Obama didn't have an organized base meant that his Democratic Party rivals and his Republican opponents could force him into bad compromises, as with the ACA.</p>
<p>Contrast Obama with another "populist outsider" in the Democratic Party: Bernie Sanders. Sanders has never been afraid of his own base or their passion. Members of his staff disproportionately come from community and union organizing backgrounds. Think of the difference between Sanders' "Not me, US" and "Our revolution" slogans and Obama's dotcom URL, "MyBarackObama.com." Sanders' presidential campaigns were always organizing campaigns, and he's kept those going in non-election years.</p>
<p>Since Trump/Musk's shock therapy assault on American democracy, Bernie Sanders and Alexandria Ocasio-Cortez have been made headlines with a series of gigantic rallies across the country. The two Democratic Socialists have turned out vast crowds in Republican strongholds: 11,000 in Greely, CO; 15,000 in Tempe, AZ – and even bigger crowds in traditional Democratic turf: 34,000 in Denver.</p>
<p>Writing for <em>The American Prospect</em>, Micah Sifry describes the larger strategy behind these rallies. According to Faiz Shakur, the Sanders staffer who's organizing the events, the point of these events is to build a massive, grassroots organization that gets shit done:</p>
<p><a href="https://prospect.org/politics/2025-03-26-bernies-fighting-oligarchy-tour-organizing/">https://prospect.org/politics/2025-03-26-bernies-fighting-oligarchy-tour-organizing/</a></p>
<p>The campaign is hiring full-time organizers in "Iowa, Nebraska, Wisconsin, and several Western states," and they're already actively fighting in state-level battles, like a Colorado bill to make it easier to form a union:</p>
<p><a href="https://www.cpr.org/2025/02/03/colorado-labor-peace-action-union-history/">https://www.cpr.org/2025/02/03/colorado-labor-peace-action-union-history/</a></p>
<p>These people-powered movements are mobilizing directly against Musk's dark money operation, like the Wisconsin Supreme Court election where Musk is paying people $100 each to vote against Susan Crawford, a progressive candidate:</p>
<p><a href="https://prospect.org/justice/2025-03-21-wisconsin-court-election-drawing-elon-musks-money/">https://prospect.org/justice/2025-03-21-wisconsin-court-election-drawing-elon-musks-money/</a></p>
<p>The campaign is using online RSVPs to build out mailing lists. One interesting fact from Sifry's article: 65% of the signups are from people who are new to Sanders' mailing lists. 107,000 people have RSVPed so far. You can sign up here:</p>
<p><a href="https://berniesanders.com/oligarchy/">https://berniesanders.com/oligarchy/</a></p>
<p>Rationalization is easy to slip into and impossible to avoid. Politicians who make themselves beholden to organized supporters who really care about the issues are armoring themselves against the enormous pressure on elected representatives to make compromises. Both Sanders and Ocasio-Cortez have made compromises in their careers that I disagree with. I don't support them because I think they're perfect or immune to self-serving justifications. I support them because they are deliberately putting themselves in a position where it's <em>much</em> harder for them to make excuses and get away with it.</p>
<p>(<i>Image: <a href="https://commons.wikimedia.org/wiki/File:Sanders_rally_Council_Bluffs_IMG_4014_(49036624512).jpg">Matt A.J.</a>, <a href="https://creativecommons.org/licenses/by/2.0/deed.en">CC BY 2.0</a>, modified</i>)</p>
<hr/>
<p><a name="linkdump"></a></p>
<h1>Hey look at this (<a href="https://pluralistic.net/2025/03/26/not-me-us/#linkdump">permalink</a>)</h1>
<p><img data-recalc-dims="1" decoding="async" src="https://i0.wp.com/craphound.com/images/heylookatthis2.jpg?w=840&ssl=1"/></p>
<ul>
<li>I won't connect my dishwasher to your stupid cloud <a href="https://www.jeffgeerling.com/blog/2025/i-wont-connect-my-dishwasher-your-stupid-cloud">https://www.jeffgeerling.com/blog/2025/i-wont-connect-my-dishwasher-your-stupid-cloud</a></p>
</li>
<li>
<p>Insult to Injury: Trump's Tax on Paying Taxes <a href="https://www.creditslips.org/creditslips/2025/03/insult-to-injury-trumps-tax-on-paying-taxes.html">https://www.creditslips.org/creditslips/2025/03/insult-to-injury-trumps-tax-on-paying-taxes.html</a></p>
</li>
</ul>
<hr/>
<p><a name="retro"></a><br />
<img data-recalc-dims="1" height="416" width="796" decoding="async" alt="A Wayback Machine banner." src="https://i0.wp.com/craphound.com/images/wayback-machine-hed-796x416.png?resize=796%2C416&ssl=1"/></p>
<h1>Object permanence (<a href="https://pluralistic.net/2025/03/26/not-me-us/#retro">permalink</a>)</h1>
<p>#10yrsago San Francisco Sheriff’s Deputy ring accused of pit-fighting inmates <a href="https://www.sfgate.com/crime/article/S-F-jail-inmates-forced-to-fight-Adachi-says-6161221.php">https://www.sfgate.com/crime/article/S-F-jail-inmates-forced-to-fight-Adachi-says-6161221.php</a></p>
<p>#10yrsago Welfare encourages entrepreneurship <a href="https://www.theatlantic.com/politics/archive/2015/03/welfare-makes-america-more-entrepreneurial/388598/">https://www.theatlantic.com/politics/archive/2015/03/welfare-makes-america-more-entrepreneurial/388598/</a></p>
<p>#10yrsago Here’s the TSA’s stupid, secret list of behavioral terrorism tells <a href="https://theintercept.com/2015/03/27/revealed-tsas-closely-held-behavior-checklist-spot-terrorists/">https://theintercept.com/2015/03/27/revealed-tsas-closely-held-behavior-checklist-spot-terrorists/</a></p>
<p>#5yrsago Reasonable covid food-safety advice <a href="https://pluralistic.net/2020/03/27/just-asking-questions/#germophobes">https://pluralistic.net/2020/03/27/just-asking-questions/#germophobes</a></p>
<p>#5yrsago Boris Johnson has coronavirus <a href="https://pluralistic.net/2020/03/27/just-asking-questions/#bojo">https://pluralistic.net/2020/03/27/just-asking-questions/#bojo</a></p>
<p>#5yrsago States prep for postal voting <a href="https://pluralistic.net/2020/03/27/just-asking-questions/#save-usps">https://pluralistic.net/2020/03/27/just-asking-questions/#save-usps</a></p>
<p>#5yrsago Plutes cash in on stimulus <a href="https://pluralistic.net/2020/03/27/just-asking-questions/#stimulus-scam">https://pluralistic.net/2020/03/27/just-asking-questions/#stimulus-scam</a></p>
<p>#5yrsago The US is now the epicenter of the pandemic <a href="https://pluralistic.net/2020/03/27/just-asking-questions/#suicide-cults">https://pluralistic.net/2020/03/27/just-asking-questions/#suicide-cults</a></p>
<p>#1yrago End of the line for corporate sovereignty <a href="https://pluralistic.net/2024/03/27/korporate-kangaroo-kourts/#corporate-sovereignty">https://pluralistic.net/2024/03/27/korporate-kangaroo-kourts/#corporate-sovereignty</a></p>
<hr/>
<p><a name="upcoming"></a></p>
<h1>Upcoming appearances (<a href="https://pluralistic.net/2025/03/26/not-me-us/#upcoming">permalink</a>)</h1>
<p><img data-recalc-dims="1" decoding="async" alt="A photo of me onstage, giving a speech, pounding the podium." src="https://i0.wp.com/craphound.com/images/appearances2.jpg?w=840&ssl=1"/></p>
<ul>
<li>Chicago: Picks and Shovels with Peter Sagal, Apr 2<br />
<a href="https://exileinbookville.com/events/44853">https://exileinbookville.com/events/44853</a></p>
</li>
<li>
<p>Chicago: ABA Techshow, Apr 3<br />
<a href="https://www.techshow.com/">https://www.techshow.com/</a></p>
</li>
<li>
<p>Bloomington: Picks and Shovels at Morgenstern, Apr 4<br />
<a href="https://morgensternbooks.com/event/2025-04-04/author-event-cory-doctorow">https://morgensternbooks.com/event/2025-04-04/author-event-cory-doctorow</a></p>
</li>
<li>
<p>Pittsburgh: Picks and Shovels at White Whale Books, May 15<br />
<a href="https://whitewhalebookstore.com/events/20250515">https://whitewhalebookstore.com/events/20250515</a></p>
</li>
<li>
<p>Pittsburgh: PyCon, May 16<br />
<a href="https://us.pycon.org/2025/schedule/">https://us.pycon.org/2025/schedule/</a></p>
</li>
<li>
<p>PDX: Teardown 2025, Jun 20-22<br />
<a href="https://www.crowdsupply.com/teardown/portland-2025">https://www.crowdsupply.com/teardown/portland-2025</a></p>
</li>
<li>
<p>PDX: Picks and Shovels at Barnes and Noble, Jun 20<br />
<a href="https://stores.barnesandnoble.com/event/9780062183697-0">https://stores.barnesandnoble.com/event/9780062183697-0</a></p>
</li>
<li>
<p>New Orleans: DeepSouthCon63, Oct 10-12, 2025<br />
<a href="http://www.contraflowscifi.org/">http://www.contraflowscifi.org/</a></p>
</li>
</ul>
<hr/>
<p><a name="recent"></a><br />
<img data-recalc-dims="1" decoding="async" alt="A screenshot of me at my desk, doing a livecast." src="https://i0.wp.com/craphound.com/images/recentappearances2.jpg?w=840&ssl=1"/></p>
<h1>Recent appearances (<a href="https://pluralistic.net/2025/03/26/not-me-us/#recent">permalink</a>)</h1>
<ul>
<li>Capitalists Hate Capitalism (MMT Podcast)<br />
<a href="https://pileusmmt.libsyn.com/195-capitalists-hate-capitalism-with-cory-doctorow">https://pileusmmt.libsyn.com/195-capitalists-hate-capitalism-with-cory-doctorow</a></p>
</li>
<li>
<p>How to Destroy Our Tech Overlords (Homeless Romantic)<br />
<a href="https://www.youtube.com/watch?v=epma2B0wjzU">https://www.youtube.com/watch?v=epma2B0wjzU</a></p>
</li>
<li>
<p>The internet that could have been was ruined by billionaires (Real News Network)<br />
<a href="https://therealnews.com/the-internet-that-could-have-been-was-ruined-by-billionaires">https://therealnews.com/the-internet-that-could-have-been-was-ruined-by-billionaires</a></p>
</li>
</ul>
<hr/>
<p><a name="latest"></a><br />
<img data-recalc-dims="1" decoding="async" alt="A grid of my books with Will Stahle covers.." src="https://i0.wp.com/craphound.com/images/recent.jpg?w=840&ssl=1"/></p>
<h1>Latest books (<a href="https://pluralistic.net/2025/03/26/not-me-us/#latest">permalink</a>)</h1>
<ul>
<li>
<ul>
<li>Picks and Shovels: a sequel to "Red Team Blues," about the heroic era of the PC, Tor Books (US), Head of Zeus (UK), February 2025 (<a href="https://us.macmillan.com/books/9781250865908/picksandshovels">https://us.macmillan.com/books/9781250865908/picksandshovels</a>).</li>
</ul>
</li>
<li>The Bezzle: a sequel to "Red Team Blues," about prison-tech and other grifts, Tor Books (US), Head of Zeus (UK), February 2024 (<a href="http://the-bezzle.org">the-bezzle.org</a>). Signed, personalized copies at Dark Delicacies (<a href="https://www.darkdel.com/store/p3062/Available_Feb_20th%3A_The_Bezzle_HB.html#/">https://www.darkdel.com/store/p3062/Available_Feb_20th%3A_The_Bezzle_HB.html#/</a>).</p>
</li>
<li>
<p>"The Lost Cause:" a solarpunk novel of hope in the climate emergency, Tor Books (US), Head of Zeus (UK), November 2023 (<a href="http://lost-cause.org">http://lost-cause.org</a>). Signed, personalized copies at Dark Delicacies (<a href="https://www.darkdel.com/store/p3007/Pre-Order_Signed_Copies%3A_The_Lost_Cause_HB.html#/">https://www.darkdel.com/store/p3007/Pre-Order_Signed_Copies%3A_The_Lost_Cause_HB.html#/</a>)</p>
</li>
<li>
<p>"The Internet Con": A nonfiction book about interoperability and Big Tech (Verso) September 2023 (<a href="http://seizethemeansofcomputation.org">http://seizethemeansofcomputation.org</a>). Signed copies at Book Soup (<a href="https://www.booksoup.com/book/9781804291245">https://www.booksoup.com/book/9781804291245</a>).</p>
</li>
<li>
<p>"Red Team Blues": "A grabby, compulsive thriller that will leave you knowing more about how the world works than you did before." Tor Books <a href="http://redteamblues.com">http://redteamblues.com</a>. Signed copies at Dark Delicacies (US): <a href="https://www.darkdel.com/store/p2873/Wed%2C_Apr_26th_6pm%3A_Red_Team_Blues%3A_A_Martin_Hench_Novel_HB.html#/"> and Forbidden Planet (UK): <a href="https://forbiddenplanet.com/385004-red-team-blues-signed-edition-hardcover/">https://forbiddenplanet.com/385004-red-team-blues-signed-edition-hardcover/</a>.</p>
</li>
<li>
<p>"Chokepoint Capitalism: How to Beat Big Tech, Tame Big Content, and Get Artists Paid, with Rebecca Giblin", on how to unrig the markets for creative labor, Beacon Press/Scribe 2022 <a href="https://chokepointcapitalism.com">https://chokepointcapitalism.com</a></p>
</li>
<li>
<p>"Attack Surface": The third Little Brother novel, a standalone technothriller for adults. The <em>Washington Post</em> called it "a political cyberthriller, vigorous, bold and savvy about the limits of revolution and resistance." Order signed, personalized copies from Dark Delicacies <a href="https://www.darkdel.com/store/p1840/Available_Now%3A_Attack_Surface.html">https://www.darkdel.com/store/p1840/Available_Now%3A_Attack_Surface.html</a></p>
</li>
<li>
<p>"How to Destroy Surveillance Capitalism": an anti-monopoly pamphlet analyzing the true harms of surveillance capitalism and proposing a solution. <a href="https://onezero.medium.com/how-to-destroy-surveillance-capitalism-8135e6744d59?sk=f6cd10e54e20a07d4c6d0f3ac011af6b">https://onezero.medium.com/how-to-destroy-surveillance-capitalism-8135e6744d59?sk=f6cd10e54e20a07d4c6d0f3ac011af6b</a></a>) (signed copies: <a href="https://www.darkdel.com/store/p2024/Available_Now%3A__How_to_Destroy_Surveillance_Capitalism.html">https://www.darkdel.com/store/p2024/Available_Now%3A__How_to_Destroy_Surveillance_Capitalism.html</a>)</p>
</li>
<li>
<p>"Little Brother/Homeland": A reissue omnibus edition with a new introduction by Edward Snowden: <a href="https://us.macmillan.com/books/9781250774583">https://us.macmillan.com/books/9781250774583</a>; personalized/signed copies here: <a href="https://www.darkdel.com/store/p1750/July%3A__Little_Brother_%26_Homeland.html">https://www.darkdel.com/store/p1750/July%3A__Little_Brother_%26_Homeland.html</a></p>
</li>
<li>
<p>"Poesy the Monster Slayer" a picture book about monsters, bedtime, gender, and kicking ass. Order here: <a href="https://us.macmillan.com/books/9781626723627">https://us.macmillan.com/books/9781626723627</a>. Get a personalized, signed copy here: <a href="https://www.darkdel.com/store/p2682/Corey_Doctorow%3A_Poesy_the_Monster_Slayer_HB.html#/">https://www.darkdel.com/store/p2682/Corey_Doctorow%3A_Poesy_the_Monster_Slayer_HB.html#/</a>.</p>
</li>
</ul>
<hr/>
<p><a name="upcoming-books"></a><br />
<img data-recalc-dims="1" decoding="async" alt="A cardboard book box with the Macmillan logo." src="https://i0.wp.com/craphound.com/images/upcoming-books.jpg?w=840&ssl=1"/></p>
<h1>Upcoming books (<a href="https://pluralistic.net/2025/03/26/not-me-us/#upcoming-books">permalink</a>)</h1>
<ul>
<li>Enshittification: Why Everything Suddenly Got Worse and What to Do About It, Farrar, Straus, Giroux, October 7 2025<br />
<a href="https://us.macmillan.com/books/9780374619329/enshittification/">https://us.macmillan.com/books/9780374619329/enshittification/</a></p>
</li>
<li>
<p>Unauthorized Bread: a middle-grades graphic novel adapted from my novella about refugees, toasters and DRM, FirstSecond, 2026</p>
</li>
<li>
<p>Enshittification, Why Everything Suddenly Got Worse and What to Do About It (the graphic novel), Firstsecond, 2026</p>
</li>
<li>
<p>The Memex Method, Farrar, Straus, Giroux, 2026</p>
</li>
</ul>
<hr/>
<p><a name="bragsheet"></a><br />
<img data-recalc-dims="1" decoding="async" src="https://i0.wp.com/craphound.com/images/colophon2.jpeg?w=840&ssl=1"/></p>
<h1>Colophon (<a href="https://pluralistic.net/2025/03/26/not-me-us/#bragsheet">permalink</a>)</h1>
<p>Today's top sources:</p>
<p><b>Currently writing: </b></p>
<ul>
<li>Enshittification: a nonfiction book about platform decay for Farrar, Straus, Giroux. Status: second pass edit underway (readaloud)</p>
</li>
<li>
<p>A Little Brother short story about DIY insulin PLANNING</p>
</li>
<li>
<p>Picks and Shovels, a Martin Hench noir thriller about the heroic era of the PC. FORTHCOMING TOR BOOKS FEB 2025</p>
</li>
</ul>
<p><b>Latest podcast:</b> With Great Power Came No Responsibility: How Enshittification Conquered the 21st Century and How We Can Overthrow It <a href="https://craphound.com/news/2025/02/26/with-great-power-came-no-responsibility-how-enshittification-conquered-the-21st-century-and-how-we-can-overthrow-it/">https://craphound.com/news/2025/02/26/with-great-power-came-no-responsibility-how-enshittification-conquered-the-21st-century-and-how-we-can-overthrow-it/</a></p>
<hr/>
<p><img data-recalc-dims="1" decoding="async" src="https://i0.wp.com/craphound.com/images/by.svg.png?w=840&ssl=1"/></p>
<p>This work – excluding any serialized fiction – is licensed under a Creative Commons Attribution 4.0 license. That means you can use it any way you like, including commercially, provided that you attribute it to me, Cory Doctorow, and include a link to pluralistic.net.</p>
<p><a href="https://creativecommons.org/licenses/by/4.0/">https://creativecommons.org/licenses/by/4.0/</a></p>
<p>Quotations and images are not included in this license; they are included either under a limitation or exception to copyright, or on the basis of a separate license. Please exercise caution.</p>
<hr/>
<h1>How to get Pluralistic:</h1>
<p>Blog (no ads, tracking, or data-collection):</p>
<p><a href="http://pluralistic.net">Pluralistic.net</a></p>
<p>Newsletter (no ads, tracking, or data-collection):</p>
<p><a href="https://pluralistic.net/plura-list">https://pluralistic.net/plura-list</a></p>
<p>Mastodon (no ads, tracking, or data-collection):</p>
<p><a href="https://mamot.fr/@pluralistic">https://mamot.fr/@pluralistic</a></p>
<p>Medium (no ads, paywalled):</p>
<p><a href="https://doctorow.medium.com/">https://doctorow.medium.com/</a></p>
<p>Twitter (mass-scale, unrestricted, third-party surveillance and advertising):</p>
<p><a href="https://twitter.com/doctorow">https://twitter.com/doctorow</a></p>
<p>Tumblr (mass-scale, unrestricted, third-party surveillance and advertising):</p>
<p><a href="https://mostlysignssomeportents.tumblr.com/tagged/pluralistic">https://mostlysignssomeportents.tumblr.com/tagged/pluralistic</a></p>
<p>"<em>When life gives you SARS, you make sarsaparilla</em>" -Joey "Accordion Guy" DeVilla</p>
<p>ISSN: 3066-764X</p>
Note published on March 26, 2025 at 1:40 PM UTC - Molly White's microblog feed67e403c98fd143491947f31d2025-03-26T13:40:25.000Z<article><div class="entry h-entry hentry"><header></header><div class="content e-content"><div class="media-wrapper"><a href="https://storage.mollywhite.net/micro/2ef5d6063db8a7c75bf9_Screenshot-2025-03-26-at-9.35.56---AM.png" data-fslightbox=5f133e8d08aa4963cd6f><img src="https://storage.mollywhite.net/micro/2ef5d6063db8a7c75bf9_Screenshot-2025-03-26-at-9.35.56---AM.png" alt="Screenshot of a Signal message from Pete Hegseth: "More to follow (per timeline) / We are currently clean on OPSEC / Godspeed to our Warriors."" /></a></div><p>"we are currently clean on OPSEC", you write to the group chat with the journalist </p><img src="https://www.mollywhite.net/assets/images/placeholder_social.png" alt="Illustration of Molly White sitting and typing on a laptop, on a purple background with 'Molly White' in white serif." style="display: none;"/></div><footer class="footer"><div class="flex-row post-meta"><div class="timestamp-block"><div class="timestamp">Posted: <a href="https://www.mollywhite.net/micro/entry/202503260937"><time class="dt-published" datetime="2025-03-26T13:40:25+00:00" title="March 26, 2025 at 1:40 PM UTC">March 26, 2025 at 1:40 PM UTC</time>. </a></div></div><div class="social-links"> <span> Also posted to: </span><a class="social-link u-syndication twitter" href="https://twitter.com/molly0xFFF/status/1904891201037148441" title="Twitter" rel="syndication">Twitter, </a><a class="social-link u-syndication mastodon" href="https://hachyderm.io/@molly0xfff/114229013970460823" title="Mastodon" rel="syndication">Mastodon, </a><a class="social-link u-syndication bluesky" href="https://bsky.app/profile/molly.wiki/post/3llbvyxum6s2o" title="Bluesky" rel="syndication">Bluesky</a></div></div><div class="bottomRow"><div class="tags">Tagged: <a class="tag p-category" href="https://www.mollywhite.net/micro/tag/us_politics" title="See all micro posts tagged "US politics"" rel="category tag">US politics</a>. </div></div></footer></div></article>Create a Table of Contents based on HTML Heading Elements - Terence Eden’s Bloghttps://shkspr.mobi/blog/?p=591052025-03-26T12:34:31.000Z<p>Some of my blog posts are long<sup id="fnref:too"><a href="https://shkspr.mobi/blog/2025/03/create-a-table-of-contents-based-on-html-heading-elements/#fn:too" class="footnote-ref" title="Too long really, but who can be bothered to edit?" role="doc-noteref">0</a></sup>. They have lots of HTML headings like <code><h2></code> and <code><h3></code>. Say, wouldn't it be super-awesome to have something magically generate a Table of Contents? I've built a utility which runs server-side using PHP. Give it some HTML and it will construct a Table of Contents.</p>
<p>Let's dive in!</p>
<p></p><nav id="toc"><menu><li><h2 id="table-of-contents"><a href="https://shkspr.mobi/blog/2025/03/create-a-table-of-contents-based-on-html-heading-elements/#table-of-contents" class="heading-link">Table of Contents</a></h2><menu><li><a href="https://shkspr.mobi/blog/2025/03/create-a-table-of-contents-based-on-html-heading-elements/#background">Background</a><menu><li><a href="https://shkspr.mobi/blog/2025/03/create-a-table-of-contents-based-on-html-heading-elements/#heading-example">Heading Example</a></li><li><a href="https://shkspr.mobi/blog/2025/03/create-a-table-of-contents-based-on-html-heading-elements/#what-is-the-purpose-of-a-table-of-contents">What is the purpose of a table of contents?</a></li></menu></li><li><a href="https://shkspr.mobi/blog/2025/03/create-a-table-of-contents-based-on-html-heading-elements/#code">Code</a><menu><li><a href="https://shkspr.mobi/blog/2025/03/create-a-table-of-contents-based-on-html-heading-elements/#load-the-html">Load the HTML</a></li><li><a href="https://shkspr.mobi/blog/2025/03/create-a-table-of-contents-based-on-html-heading-elements/#parse-the-html">Parse the HTML</a></li><li><a href="https://shkspr.mobi/blog/2025/03/create-a-table-of-contents-based-on-html-heading-elements/#recursive-looping">Recursive looping</a><menu><li><a href="https://shkspr.mobi/blog/2025/03/create-a-table-of-contents-based-on-html-heading-elements/"></a><menu><li><a href="https://shkspr.mobi/blog/2025/03/create-a-table-of-contents-based-on-html-heading-elements/"></a><menu><li><a href="https://shkspr.mobi/blog/2025/03/create-a-table-of-contents-based-on-html-heading-elements/#missing-content">Missing content</a></li></menu></li></menu></li></menu></li><li><a href="https://shkspr.mobi/blog/2025/03/create-a-table-of-contents-based-on-html-heading-elements/#converting-to-html">Converting to HTML</a></li></menu></li><li><a href="https://shkspr.mobi/blog/2025/03/create-a-table-of-contents-based-on-html-heading-elements/#semantic-correctness">Semantic Correctness</a><menu><li><a href="https://shkspr.mobi/blog/2025/03/create-a-table-of-contents-based-on-html-heading-elements/#epub-example">ePub Example</a></li><li><a href="https://shkspr.mobi/blog/2025/03/create-a-table-of-contents-based-on-html-heading-elements/#split-the-difference-with-a-menu">Split the difference with a menu</a></li><li><a href="https://shkspr.mobi/blog/2025/03/create-a-table-of-contents-based-on-html-heading-elements/#where-should-the-heading-go">Where should the heading go?</a></li></menu></li><li><a href="https://shkspr.mobi/blog/2025/03/create-a-table-of-contents-based-on-html-heading-elements/#conclusion">Conclusion</a></li></menu></li></menu></nav><p></p>
<h2 id="background"><a href="https://shkspr.mobi/blog/2025/03/create-a-table-of-contents-based-on-html-heading-elements/#background" class="heading-link">Background</a></h2>
<p>HTML has <a href="https://html.spec.whatwg.org/multipage/sections.html#the-h1,-h2,-h3,-h4,-h5,-and-h6-elements">six levels of headings</a><sup id="fnref:beatles"><a href="https://shkspr.mobi/blog/2025/03/create-a-table-of-contents-based-on-html-heading-elements/#fn:beatles" class="footnote-ref" title="Although Paul McCartney disagrees." role="doc-noteref">1</a></sup> - <code><h1></code> is the main heading for content, <code><h2></code> is a sub-heading, <code><h3></code> is a sub-sub-heading, and so on.</p>
<p>Together, they form a hierarchy.</p>
<h3 id="heading-example"><a href="https://shkspr.mobi/blog/2025/03/create-a-table-of-contents-based-on-html-heading-elements/#heading-example" class="heading-link">Heading Example</a></h3>
<p>HTML headings are expected to be used a bit like this (I've nested this example so you can see the hierarchy):</p>
<pre><code class="language-html"><h1>The Theory of Everything</h1>
<h2>Experiments</h2>
<h3>First attempt</h3>
<h3>Second attempt</h3>
<h2>Equipment</h2>
<h3>Broken equipment</h3>
<h4>Repaired equipment</h4>
<h3>Working Equipment</h3>
…
</code></pre>
<h3 id="what-is-the-purpose-of-a-table-of-contents"><a href="https://shkspr.mobi/blog/2025/03/create-a-table-of-contents-based-on-html-heading-elements/#what-is-the-purpose-of-a-table-of-contents" class="heading-link">What is the purpose of a table of contents?</a></h3>
<p>Wayfinding. On a long document, it is useful to be able to see an overview of the contents and then immediately navigate to the desired location.</p>
<p>The ToC has to provide a hierarchical view of all the headings and then link to them.</p>
<h2 id="code"><a href="https://shkspr.mobi/blog/2025/03/create-a-table-of-contents-based-on-html-heading-elements/#code" class="heading-link">Code</a></h2>
<p>I'm running this as part of a WordPress plugin. You may need to adapt it for your own use.</p>
<h3 id="load-the-html"><a href="https://shkspr.mobi/blog/2025/03/create-a-table-of-contents-based-on-html-heading-elements/#load-the-html" class="heading-link">Load the HTML</a></h3>
<p>This uses <a href="https://www.php.net/manual/en/class.domdocument.php">PHP's DOMdocument</a>. I've manually added a <code>UTF-8</code> header so that Unicode is preserved. If your HTML already has that, you can remove the addition from the code.</p>
<pre><code class="language-php">// Load it into a DOM for manipulation
$dom = new DOMDocument();
// Suppress warnings about HTML errors
libxml_use_internal_errors( true );
// Force UTF-8 support
$dom->loadHTML( "<!DOCTYPE html><html><head><meta charset=UTF-8></head><body>" . $content, LIBXML_NOERROR | LIBXML_NOWARNING );
libxml_clear_errors();
</code></pre>
<h3 id="parse-the-html"><a href="https://shkspr.mobi/blog/2025/03/create-a-table-of-contents-based-on-html-heading-elements/#parse-the-html" class="heading-link">Parse the HTML</a></h3>
<p>It is not a good idea to use Regular Expressions to parse HTML - no matter how well-formed you think it is. Instead, use <a href="https://www.php.net/manual/en/class.domxpath.php">XPath</a> to extract data from the DOM.</p>
<pre><code class="language-php">// Parse with XPath
$xpath = new DOMXPath( $dom );
// Look for all h* elements
$headings = $xpath->query( "//h1 | //h2 | //h3 | //h4 | //h5 | //h6" );
</code></pre>
<p>This produces an array with all the heading elements in the order they appear in the document.</p>
<h3 id="recursive-looping"><a href="https://shkspr.mobi/blog/2025/03/create-a-table-of-contents-based-on-html-heading-elements/#recursive-looping" class="heading-link">Recursive looping</a></h3>
<p>This is a bit knotty. It produces a nested array of the elements, their <code>id</code> attributes, and text. The end result should be something like:</p>
<pre><code class="language-_">array (
array (
'text' => '<h2>Table of Contents</h2>',
'raw' => true,
),
array (
'text' => 'The Theory of Everything',
'id' => 'the-theory-of-everything',
'children' =>
array (
array (
'text' => 'Experiments',
'id' => 'experiments',
'children' =>
array (
array (
'text' => 'First attempt',
'id' => 'first-attempt',
),
array (
'text' => 'Second attempt',
'id' => 'second-attempt',
</code></pre>
<p>The code is moderately complex, but I've commented it as best as I can.</p>
<pre><code class="language-php">// Start an array to hold all the headings in a hierarchy
$root = [];
// Add an h2 with the title
$root[] = [
"text" => "<h2>Table of Contents</h2>",
"raw" => true,
"children" => []
];
// Stack to track current hierarchy level
$stack = [&$root];
// Loop through the headings
foreach ($headings as $heading) {
// Get the information
// Expecting <h2 id="something">Text</h2>
$element = $heading->nodeName; // e.g. h2, h3, h4, etc
$text = trim( $heading->textContent );
$id = $heading->getAttribute( "id" );
// h2 becomes 2, h3 becomes 3 etc
$level = (int) substr($element, 1);
// Get data from element
$node = array(
"text" => $text,
"id" => $id ,
"children" => []
);
// Ensure there are no gaps in the heading hierarchy
while ( count( $stack ) > $level ) {
array_pop( $stack );
}
// If a gap exists (e.g., h4 without an immediately preceding h3), create placeholders
while ( count( $stack ) < $level ) {
// What's the last element in the stack?
$stackSize = count( $stack );
$lastIndex = count( $stack[ $stackSize - 1] ) - 1;
if ($lastIndex < 0) {
// If there is no previous sibling, create a placeholder parent
$stack[$stackSize - 1][] = [
"text" => "", // This could have some placeholder text to warn the user?
"children" => []
];
$stack[] = &$stack[count($stack) - 1][0]['children'];
} else {
$stack[] = &$stack[count($stack) - 1][$lastIndex]['children'];
}
}
// Add the node to the current level
$stack[count($stack) - 1][] = $node;
$stack[] = &$stack[count($stack) - 1][count($stack[count($stack) - 1]) - 1]['children'];
}
</code></pre>
<h6 id="missing-content"><a href="https://shkspr.mobi/blog/2025/03/create-a-table-of-contents-based-on-html-heading-elements/#missing-content" class="heading-link">Missing content</a></h6>
<p>The trickiest part of the above is dealing with missing elements in the hierarchy. If you're <em>sure</em> you don't ever skip from an <code><h3></code> to an <code><h6></code>, you can get rid of some of the code dealing with that edge case.</p>
<h3 id="converting-to-html"><a href="https://shkspr.mobi/blog/2025/03/create-a-table-of-contents-based-on-html-heading-elements/#converting-to-html" class="heading-link">Converting to HTML</a></h3>
<p>OK, there's a hierarchical array, how does it become HTML?</p>
<p>Again, a little bit of recursion:</p>
<pre><code class="language-php">function arrayToHTMLList( $array, $style = "ul" )
{
$html = "";
// Loop through the array
foreach( $array as $element ) {
// Get the data of this element
$text = $element["text"];
$id = $element["id"];
$children = $element["children"];
$raw = $element["raw"] ?? false;
if ( $raw ) {
// Add it to the HTML without adding an internal link
$html .= "<li>{$text}";
} else {
// Add it to the HTML
$html .= "<li><a href=#{$id}>{$text}</a>";
}
// If the element has children
if ( sizeof( $children ) > 0 ) {
// Recursively add it to the HTML
$html .= "<{$style}>" . arrayToHTMLList( $children, $style ) . "</{$style}>";
}
}
return $html;
}
</code></pre>
<h2 id="semantic-correctness"><a href="https://shkspr.mobi/blog/2025/03/create-a-table-of-contents-based-on-html-heading-elements/#semantic-correctness" class="heading-link">Semantic Correctness</a></h2>
<p>Finally, what should a table of contents look like in HTML? There is no <code><toc></code> element, so what is most appropriate?</p>
<h3 id="epub-example"><a href="https://shkspr.mobi/blog/2025/03/create-a-table-of-contents-based-on-html-heading-elements/#epub-example" class="heading-link">ePub Example</a></h3>
<p>Modern eBooks use the ePub standard which is based on HTML. Here's how <a href="https://kb.daisy.org/publishing/docs/navigation/toc.html">an ePub creates a ToC</a>.</p>
<pre><code class="language-html"><nav role="doc-toc" epub:type="toc" id="toc">
<h2>Table of Contents</h2>
<ol>
<li>
<a href="s01.xhtml">A simple link</a>
</li>
…
</ol>
</nav>
</code></pre>
<p>The modern(ish) <code><nav></code> element!</p>
<blockquote> <p>The nav element represents a section of a page that links to other pages or to parts within the page: a section with navigation links.
<a href="https://html.spec.whatwg.org/multipage/sections.html#the-nav-element">HTML Specification</a></p></blockquote>
<p>But there's a slight wrinkle. The ePub example above use <code><ol></code> an ordered list. The HTML example in the spec uses <code><ul></code> an <em>un</em>ordered list.</p>
<p>Which is right? Well, that depends on whether you think the contents on your page should be referred to in order or not. There is, however, a secret third way.</p>
<h3 id="split-the-difference-with-a-menu"><a href="https://shkspr.mobi/blog/2025/03/create-a-table-of-contents-based-on-html-heading-elements/#split-the-difference-with-a-menu" class="heading-link">Split the difference with a menu</a></h3>
<p>I decided to use <a href="https://developer.mozilla.org/en-US/docs/Web/HTML/Element/menu">the <code><menu></code> element</a> for my navigation. It is semantically the same as <code><ul></code> but just feels a bit closer to what I expect from navigation. Feel free to argue with me in the comments.</p>
<h3 id="where-should-the-heading-go"><a href="https://shkspr.mobi/blog/2025/03/create-a-table-of-contents-based-on-html-heading-elements/#where-should-the-heading-go" class="heading-link">Where should the heading go?</a></h3>
<p>I've put the title of the list into the list itself. That's valid HTML and, if my understanding is correct, should announce itself as the title of the navigation element to screen-readers and the like.</p>
<h2 id="conclusion"><a href="https://shkspr.mobi/blog/2025/03/create-a-table-of-contents-based-on-html-heading-elements/#conclusion" class="heading-link">Conclusion</a></h2>
<p>I've used <em>slightly</em> more heading in this post than I would usually, but hopefully the <a href="https://shkspr.mobi/blog/2025/03/create-a-table-of-contents-based-on-html-heading-elements/#table-of-contents">Table of Contents at the top</a> demonstrates how this works.</p>
<p>If you want to reuse this code, I consider it too trivial to licence. But, if it makes you happy, you can treat it as MIT.</p>
<p>Thoughts? Comments? Feedback? Drop a note in the box.</p>
<div class="footnotes" role="doc-endnotes">
<hr/>
<ol start="0">
<li id="fn:too" role="doc-endnote">
<p>Too long really, but who can be bothered to edit? <a href="https://shkspr.mobi/blog/2025/03/create-a-table-of-contents-based-on-html-heading-elements/#fnref:too" class="footnote-backref" role="doc-backlink">↩︎</a></p>
</li>
<li id="fn:beatles" role="doc-endnote">
<p>Although <a href="https://www.nme.com/news/music/paul-mccartney-12-1188735">Paul McCartney disagrees</a>. <a href="https://shkspr.mobi/blog/2025/03/create-a-table-of-contents-based-on-html-heading-elements/#fnref:beatles" class="footnote-backref" role="doc-backlink">↩︎</a></p>
</li>
</ol>
</div>
Pluralistic: Why I don't like AI art (25 Mar 2025) - Pluralistic: Daily links from Cory Doctorowhttps://pluralistic.net/?p=105932025-03-25T22:23:08.000Z<p><!--
Tags:
ai, art, uncanniness, eerieness, communicative intent, gen ai, generative ai, image generators, artificial intelligence, generative artificial intelligence, gen artificial intelligence, l
Summary:
Why I don't like AI art; Hey look at this; Upcoming appearances; Recent appearances; Latest books; Upcoming books
URL:
https://pluralistic.net/2025/03/25/communicative-intent/
Title:
Pluralistic: Why I don't like AI art (25 Mar 2025) communicative-intent
Bullet:
🌲
Separator:
6969696969696969696969696969696969696969696969696969696969696
Top Sources:
None
--><br />
<a href="https://pluralistic.net/2025/03/25/communicative-intent/"><img data-recalc-dims="1" decoding="async" class="xmasthead_link" src="https://i0.wp.com/craphound.com/images/25Mar2025.jpg?w=840&ssl=1"/></a></p>
<h1 class="toch1">Today's links</h1>
<ul class="toc">
<li class="xToC"><a href="https://pluralistic.net/2025/03/25/communicative-intent/#diluted">Why I don't like AI art</a>: I think I've figured it out.
</li>
<li class="xToC"><a href="https://pluralistic.net/2025/03/25/communicative-intent/#linkdump">Hey look at this</a>: Delights to delectate.
</li>
<li class="xToC"><a href="https://pluralistic.net/2025/03/25/communicative-intent/#retro">Object permanence</a>: 2010, 2015, 2020, 2024
</li>
<li class="xToC"><a href="https://pluralistic.net/2025/03/25/communicative-intent/#upcoming">Upcoming appearances</a>: Where to find me.
</li>
<li class="xToC"><a href="https://pluralistic.net/2025/03/25/communicative-intent/#recent">Recent appearances</a>: Where I've been.
</li>
<li class="xToC"><a href="https://pluralistic.net/2025/03/25/communicative-intent/#latest">Latest books</a>: You keep readin' em, I'll keep writin' 'em.
</li>
<li class="xToC"><a href="https://pluralistic.net/2025/03/25/communicative-intent/#upcoming-books">Upcoming books</a>: Like I said, I'll keep writin' 'em.
</li>
<li class="xToC"><a href="https://pluralistic.net/2025/03/25/communicative-intent/#bragsheet">Colophon</a>: All the rest.
</li>
</ul>
<p><span id="more-10593"></span></p>
<hr/>
<p><a name="diluted"></a><br />
<img data-recalc-dims="1" decoding="async" alt="Norman Rockwell’s ‘self portrait.’ All the Rockwell faces have been replaced with HAL 9000 from Kubrick’s ‘2001: A Space Odyssey.’ His signature has been modified with a series of rotations and extra symbols. He has ten fingers on his one visible hand." src="https://i0.wp.com/craphound.com/images/1bnUVhOW-yWtXqSefJYbIzQ.png?w=840&ssl=1"/></p>
<h1>Why I don't like AI art (<a href="https://pluralistic.net/2025/03/25/communicative-intent/#diluted">permalink</a>)</h1>
<p>A law professor friend tells me that LLMs have completely transformed the way she relates to grad students and post-docs – for the worse. And no, it's not that they're cheating on their homework or using LLMs to write briefs full of hallucinated cases.</p>
<p>The thing that LLMs have changed in my friend's law school is <em>letters of reference</em>. Historically, students would only ask a prof for a letter of reference if they knew the prof really rated them. Writing a good reference is a ton of work, and that's rather the point: the mere fact that a law prof was willing to write one for you represents a signal about how highly they value you. It's a form of proof of work.</p>
<p>But then came the chatbots and with them, the knowledge that a reference letter could be generated by feeding three bullet points to a chatbot and having it generate five paragraphs of florid nonsense based on those three short sentences. Suddenly, profs were expected to write letters for many, many students – not just the top performers.</p>
<p>Of course, this was also happening at other universities, meaning that when my friend's school opened up for postdocs, they were inundated with letters of reference from profs elsewhere. Naturally, they handled this flood by feeding each letter back into an LLM and asking it to boil it down to three bullet points. No one thinks that these are identical to the three bullet points that were used to generate the letters, but it's close enough, right?</p>
<p>Obviously, this is terrible. At this point, letters of reference might as well consist solely of three bullet-points on letterhead. After all, the entire communicative intent in a chatbot-generated letter is just those three bullets. Everything else is padding, and all it does is dilute the communicative intent of the work. No matter how grammatically correct or even stylistically interesting the AI generated sentences are, they have less communicative freight than the three original bullet points. After all, the AI doesn't know anything about the grad student, so anything it adds to those three bullet points are, by definition, irrelevant to the question of whether they're well suited for a postdoc.</p>
<p>Which brings me to art. As a working artist in his third decade of professional life, I've concluded that the point of art is to take a big, numinous, irreducible feeling that fills the artist's mind, and attempt to infuse that feeling into some artistic vessel – a book, a painting, a song, a dance, a sculpture, etc – in the hopes that this work will cause a loose facsimile of that numinous, irreducible feeling to manifest in someone else's mind.</p>
<p>Art, in other words, is an act of communication – and there you have the problem with AI art. As a writer, when I write a novel, I make tens – if not hundreds – of thousands of tiny decisions that are in service to this business of causing my big, irreducible, numinous feeling to materialize in your mind. Most of those decisions aren't even conscious, but they are <em>definitely</em> decisions, and I don't make them solely on the basis of probabilistic autocomplete. One of my novels may be good and it may be bad, but one thing is <em>definitely</em> is is rich in communicative intent. Every one of those microdecisions is an expression of artistic intent.</p>
<p>Now, I'm not much of a visual artist. I can't draw, though I really enjoy creating collages, which you can see here:</p>
<p><a href="https://www.flickr.com/photos/doctorow/albums/72177720316719208">https://www.flickr.com/photos/doctorow/albums/72177720316719208</a></p>
<p>I can tell you that every time I move a layer, change the color balance, or use the lasso tool to nip a few pixels out of a 19th century editorial cartoon that I'm matting into a modern backdrop, I'm making a communicative decision. The goal isn't "perfection" or "photorealism." I'm not trying to spin around really quick in order to get a look at the stuff behind me in Plato's cave. I am making communicative choices.</p>
<p>What's more: working with that lasso tool on a 10,000 pixel-wide Library of Congress scan of a painting from the cover of <em>Puck</em> magazine or a 15,000 pixel wide scan of Hieronymus Bosch's <em>Garden of Earthly Delights</em> means that I'm touching the smallest individual contours of each brushstroke. This is quite a meditative experience – but it's also quite a communicative one. Tracing the smallest irregularities in a brushstroke definitely materializes a theory of mind for me, in which I can feel the artist reaching out across time to convey something to me via the tiny microdecisions I'm going over with my cursor.</p>
<p>Herein lies the problem with AI art. Just like with a law school letter of reference generated from three bullet points, the prompt given to an AI to produce creative writing or an image is the sum total of the communicative intent infused into the work. The prompter has a big, numinous, irreducible feeling and they want to infuse it into a work in order to materialize versions of that feeling in your mind and mine. When they deliver a single line's worth of description into the prompt box, then – by definition – that's the only part that carries any communicative freight. The AI has taken one sentence's worth of actual communication intended to convey the big, numinous, irreducible feeling and diluted it amongst a thousand brushtrokes or 10,000 words. I think this is what we mean when we say AI art is soul-less and sterile. Like the five paragraphs of nonsense generated from three bullet points from a law prof, the AI is padding out the part that makes this art – the microdecisions intended to convey the big, numinous, irreducible feeling – with a bunch of stuff that has no communicative intent and therefore <em>can't</em> be art.</p>
<p>If my thesis is right, then the more you work with the AI, the more art-like its output becomes. If the AI generates 50 variations from your prompt and you choose one, that's one more microdecision infused into the work. If you re-prompt and re-re-prompt the AI to generate refinements, then each of those prompts is a new payload of microdecisions that the AI can spread out across all the words of pixels, increasing the amount of communicative intent in each one.</p>
<p>Finally: not all art is verbose. Marcel Duchamp's "Fountain" – a urinal signed "R. Mutt" – has very few communicative choices. Duchamp chose the urinal, chose the paint, painted the signature, came up with a title (probably some other choices went into it, too). It's a significant work of art. I know because when I look at it I feel a big, numinous irreducible feeling that Duchamp infused in the work so that I could experience a facsimile of Duchamp's artistic impulse.</p>
<p>There are individual sentences, brushstrokes, single dance-steps that initiate the upload of the creator's numinous, irreducible feeling directly into my brain. It's possible that a single <em>very good</em> prompt could produce text or an image that had artistic meaning. But it's not likely, in just the same way that scribbling three words on a sheet of paper or painting a single brushstroke will produce a meaningful work of art. Most art <em>is</em> somewhat verbose (but not all of it).</p>
<p>So there you have it: the reason I don't like AI art. It's not that AI artists lack for the big, numinous irreducible feelings. I firmly believe we <em>all</em> have those. The problem is that an AI prompt has <em>very little</em> communicative intent and nearly all (but not every) good piece of art has more communicative intent than fits into an AI prompt.</p>
<p>(<i>Image: <a href="https://commons.wikimedia.org/wiki/File:HAL9000.svg">Cryteria</a>, <a href="https://creativecommons.org/licenses/by/3.0/deed.en">CC BY 3.0</a>, modified</i>)</p>
<hr/>
<p><a name="linkdump"></a></p>
<h1>Hey look at this (<a href="https://pluralistic.net/2025/03/25/communicative-intent/#linkdump">permalink</a>)</h1>
<p><img data-recalc-dims="1" decoding="async" src="https://i0.wp.com/craphound.com/images/heylookatthis2.jpg?w=840&ssl=1"/></p>
<ul>
<li>Spammers are more consistent at making SPF, DKIM, and DMARC correct than are legitimate senders <a href="https://toad.social/@grumpybozo/114213600922816869">https://toad.social/@grumpybozo/114213600922816869</a></p>
</li>
<li>
<p>The Turd Reich <a href="https://mcusercontent.com/bd36014b9888db9081d204e78/files/27983e2f-9aa0-bf57-321f-53c4dbdeb252/the_turd_reich_A0_.pdf">https://mcusercontent.com/bd36014b9888db9081d204e78/files/27983e2f-9aa0-bf57-321f-53c4dbdeb252/the_turd_reich_A0_.pdf</a> (h/t Crystaltips)</p>
</li>
<li>
<p>Merchant of Menace: Trump and the Jews <a href="https://prospect.org/politics/2025-03-25-merchant-of-menace-trump-and-the-jews/">https://prospect.org/politics/2025-03-25-merchant-of-menace-trump-and-the-jews/</a></p>
</li>
</ul>
<hr/>
<p><a name="retro"></a><br />
<img data-recalc-dims="1" height="416" width="796" decoding="async" alt="A Wayback Machine banner." src="https://i0.wp.com/craphound.com/images/wayback-machine-hed-796x416.png?resize=796%2C416&ssl=1"/></p>
<h1>Object permanence (<a href="https://pluralistic.net/2025/03/25/communicative-intent/#retro">permalink</a>)</h1>
<p>#15yrsago Secret copyright treaty will sideline the UN and replace it with private club of rich countries <a href="https://www.michaelgeist.ca/2010/03/acta-superstructure/">https://www.michaelgeist.ca/2010/03/acta-superstructure/</a></p>
<p>#15yrsago Discarded photocopier hard drives stuffed full of corporate secrets <a href="https://web.archive.org/web/20100322192937/http://www.thestar.com/news/gta/article/781567--high-tech-copy-machines-a-gold-mine-for-data-thieves">https://web.archive.org/web/20100322192937/http://www.thestar.com/news/gta/article/781567–high-tech-copy-machines-a-gold-mine-for-data-thieves</a></p>
<p>#10yrsago If Indiana legalizes homophobic discrimination, Gen Con’s leaving Indianapolis <a href="https://files.gencon.com/Gen_Con_Statement_Regarding_SB101.pdf">https://files.gencon.com/Gen_Con_Statement_Regarding_SB101.pdf</a></p>
<p>#10yrsago Sandwars: the mafias whose illegal sand mines make whole islands vanish <a href="https://www.wired.com/2015/03/illegal-sand-mining/">https://www.wired.com/2015/03/illegal-sand-mining/<?a></p>
<p>#10yrsago Woman medicated in a psychiatric ward until she said Obama didn’t follow her on Twitter <a href="https://www.independent.co.uk/news/world/americas/woman-held-in-psychiatric-ward-after-correctly-saying-obama-follows-her-on-twitter-10132662.html">https://www.independent.co.uk/news/world/americas/woman-held-in-psychiatric-ward-after-correctly-saying-obama-follows-her-on-twitter-10132662.html</a></p>
<p>#10yrsago As crypto wars begin, FBI silently removes sensible advice to encrypt your devices <a href="https://www.techdirt.com/2015/03/26/fbi-quietly-removes-recommendation-to-encrypt-your-phone-as-fbi-director-warns-how-encryption-will-lead-to-tears/">https://www.techdirt.com/2015/03/26/fbi-quietly-removes-recommendation-to-encrypt-your-phone-as-fbi-director-warns-how-encryption-will-lead-to-tears/</a></p>
<p>#10yrsago Australia outlaws warrant canaries <a href="https://arstechnica.com/tech-policy/2015/03/australian-government-minister-dodge-new-data-retention-law-like-this/">https://arstechnica.com/tech-policy/2015/03/australian-government-minister-dodge-new-data-retention-law-like-this/</a></p>
<p>#10yrsago TPP leak: states give companies the right to repeal nations’ laws <a href="https://www.eff.org/deeplinks/2015/02/its-time-act-now-congress-poised-introduce-bill-fast-track-tpp-next-week">https://www.eff.org/deeplinks/2015/02/its-time-act-now-congress-poised-introduce-bill-fast-track-tpp-next-week</a></p>
<p>#5yrsago Social distancing and other diseases <a href="https://pluralistic.net/2020/03/26/badger-masks/#flu-too">https://pluralistic.net/2020/03/26/badger-masks/#flu-too</a></p>
<p>#5yrsago Record wind-power growth <a href="https://pluralistic.net/2020/03/26/badger-masks/#blows-blows">https://pluralistic.net/2020/03/26/badger-masks/#blows-blows</a></p>
<p>#5yrsago Sanders on GOP stimulus cruelty <a href="https://pluralistic.net/2020/03/26/badger-masks/#unlimited-cruelty">https://pluralistic.net/2020/03/26/badger-masks/#unlimited-cruelty</a></p>
<p>#5yrsago Canada nationalizes covid patents <a href="https://pluralistic.net/2020/03/26/badger-masks/#c13">https://pluralistic.net/2020/03/26/badger-masks/#c13</a></p>
<p>#5yrsago LoC plugs Little Brother <a href="https://pluralistic.net/2020/03/26/badger-masks/#lb-loc">https://pluralistic.net/2020/03/26/badger-masks/#lb-loc</a></p>
<p>#5yrsago The ideology of economics <a href="https://pluralistic.net/2020/03/26/badger-masks/#piketty">https://pluralistic.net/2020/03/26/badger-masks/#piketty</a></p>
<p>#1yrago Meatspace twiddling <a href="https://pluralistic.net/2024/03/26/glitchbread/#electronic-shelf-tags">https://pluralistic.net/2024/03/26/glitchbread/#electronic-shelf-tags</a></p>
<hr/>
<p><a name="upcoming"></a></p>
<h1>Upcoming appearances (<a href="https://pluralistic.net/2025/03/25/communicative-intent/#upcoming">permalink</a>)</h1>
<p><img data-recalc-dims="1" decoding="async" alt="A photo of me onstage, giving a speech, pounding the podium." src="https://i0.wp.com/craphound.com/images/appearances2.jpg?w=840&ssl=1"/></p>
<ul>
<li>Chicago: Picks and Shovels with Peter Sagal, Apr 2<br />
<a href="https://exileinbookville.com/events/44853">https://exileinbookville.com/events/44853</a></p>
</li>
<li>
<p>Chicago: ABA Techshow, Apr 3<br />
<a href="https://www.techshow.com/">https://www.techshow.com/</a></p>
</li>
<li>
<p>Bloomington: Picks and Shovels at Morgenstern, Apr 4<br />
<a href="https://morgensternbooks.com/event/2025-04-04/author-event-cory-doctorow">https://morgensternbooks.com/event/2025-04-04/author-event-cory-doctorow</a></p>
</li>
<li>
<p>Pittsburgh: Picks and Shovels at White Whale Books, May 15<br />
<a href="https://whitewhalebookstore.com/events/20250515">https://whitewhalebookstore.com/events/20250515</a></p>
</li>
<li>
<p>Pittsburgh: PyCon, May 16<br />
<a href="https://us.pycon.org/2025/schedule/">https://us.pycon.org/2025/schedule/</a></p>
</li>
<li>
<p>PDX: Teardown 2025, Jun 20-22<br />
<a href="https://www.crowdsupply.com/teardown/portland-2025">https://www.crowdsupply.com/teardown/portland-2025</a></p>
</li>
<li>
<p>PDX: Picks and Shovels at Barnes and Noble, Jun 20<br />
<a href="https://stores.barnesandnoble.com/event/9780062183697-0">https://stores.barnesandnoble.com/event/9780062183697-0</a></p>
</li>
<li>
<p>New Orleans: DeepSouthCon63, Oct 10-12, 2025<br />
<a href="http://www.contraflowscifi.org/">http://www.contraflowscifi.org/</a></p>
</li>
</ul>
<hr/>
<p><a name="recent"></a><br />
<img data-recalc-dims="1" decoding="async" alt="A screenshot of me at my desk, doing a livecast." src="https://i0.wp.com/craphound.com/images/recentappearances2.jpg?w=840&ssl=1"/></p>
<h1>Recent appearances (<a href="https://pluralistic.net/2025/03/25/communicative-intent/#recent">permalink</a>)</h1>
<ul>
<li>Capitalists Hate Capitalism (MMT Podcast)<br />
<a href="https://pileusmmt.libsyn.com/195-capitalists-hate-capitalism-with-cory-doctorow">https://pileusmmt.libsyn.com/195-capitalists-hate-capitalism-with-cory-doctorow</a></p>
</li>
<li>
<p>How to Destroy Our Tech Overlords (Homeless Romantic)<br />
<a href="https://www.youtube.com/watch?v=epma2B0wjzU">https://www.youtube.com/watch?v=epma2B0wjzU</a></p>
</li>
<li>
<p>The internet that could have been was ruined by billionaires (Real News Network)<br />
<a href="https://therealnews.com/the-internet-that-could-have-been-was-ruined-by-billionaires">https://therealnews.com/the-internet-that-could-have-been-was-ruined-by-billionaires</a></p>
</li>
</ul>
<hr/>
<p><a name="latest"></a><br />
<img data-recalc-dims="1" decoding="async" alt="A grid of my books with Will Stahle covers.." src="https://i0.wp.com/craphound.com/images/recent.jpg?w=840&ssl=1"/></p>
<h1>Latest books (<a href="https://pluralistic.net/2025/03/25/communicative-intent/#latest">permalink</a>)</h1>
<ul>
<li>
<ul>
<li>Picks and Shovels: a sequel to "Red Team Blues," about the heroic era of the PC, Tor Books (US), Head of Zeus (UK), February 2025 (<a href="https://us.macmillan.com/books/9781250865908/picksandshovels">https://us.macmillan.com/books/9781250865908/picksandshovels</a>).</li>
</ul>
</li>
<li>The Bezzle: a sequel to "Red Team Blues," about prison-tech and other grifts, Tor Books (US), Head of Zeus (UK), February 2024 (<a href="http://the-bezzle.org">the-bezzle.org</a>). Signed, personalized copies at Dark Delicacies (<a href="https://www.darkdel.com/store/p3062/Available_Feb_20th%3A_The_Bezzle_HB.html#/">https://www.darkdel.com/store/p3062/Available_Feb_20th%3A_The_Bezzle_HB.html#/</a>).</p>
</li>
<li>
<p>"The Lost Cause:" a solarpunk novel of hope in the climate emergency, Tor Books (US), Head of Zeus (UK), November 2023 (<a href="http://lost-cause.org">http://lost-cause.org</a>). Signed, personalized copies at Dark Delicacies (<a href="https://www.darkdel.com/store/p3007/Pre-Order_Signed_Copies%3A_The_Lost_Cause_HB.html#/">https://www.darkdel.com/store/p3007/Pre-Order_Signed_Copies%3A_The_Lost_Cause_HB.html#/</a>)</p>
</li>
<li>
<p>"The Internet Con": A nonfiction book about interoperability and Big Tech (Verso) September 2023 (<a href="http://seizethemeansofcomputation.org">http://seizethemeansofcomputation.org</a>). Signed copies at Book Soup (<a href="https://www.booksoup.com/book/9781804291245">https://www.booksoup.com/book/9781804291245</a>).</p>
</li>
<li>
<p>"Red Team Blues": "A grabby, compulsive thriller that will leave you knowing more about how the world works than you did before." Tor Books <a href="http://redteamblues.com">http://redteamblues.com</a>. Signed copies at Dark Delicacies (US): <a href="https://www.darkdel.com/store/p2873/Wed%2C_Apr_26th_6pm%3A_Red_Team_Blues%3A_A_Martin_Hench_Novel_HB.html#/"> and Forbidden Planet (UK): <a href="https://forbiddenplanet.com/385004-red-team-blues-signed-edition-hardcover/">https://forbiddenplanet.com/385004-red-team-blues-signed-edition-hardcover/</a>.</p>
</li>
<li>
<p>"Chokepoint Capitalism: How to Beat Big Tech, Tame Big Content, and Get Artists Paid, with Rebecca Giblin", on how to unrig the markets for creative labor, Beacon Press/Scribe 2022 <a href="https://chokepointcapitalism.com">https://chokepointcapitalism.com</a></p>
</li>
<li>
<p>"Attack Surface": The third Little Brother novel, a standalone technothriller for adults. The <em>Washington Post</em> called it "a political cyberthriller, vigorous, bold and savvy about the limits of revolution and resistance." Order signed, personalized copies from Dark Delicacies <a href="https://www.darkdel.com/store/p1840/Available_Now%3A_Attack_Surface.html">https://www.darkdel.com/store/p1840/Available_Now%3A_Attack_Surface.html</a></p>
</li>
<li>
<p>"How to Destroy Surveillance Capitalism": an anti-monopoly pamphlet analyzing the true harms of surveillance capitalism and proposing a solution. <a href="https://onezero.medium.com/how-to-destroy-surveillance-capitalism-8135e6744d59?sk=f6cd10e54e20a07d4c6d0f3ac011af6b">https://onezero.medium.com/how-to-destroy-surveillance-capitalism-8135e6744d59?sk=f6cd10e54e20a07d4c6d0f3ac011af6b</a></a>) (signed copies: <a href="https://www.darkdel.com/store/p2024/Available_Now%3A__How_to_Destroy_Surveillance_Capitalism.html">https://www.darkdel.com/store/p2024/Available_Now%3A__How_to_Destroy_Surveillance_Capitalism.html</a>)</p>
</li>
<li>
<p>"Little Brother/Homeland": A reissue omnibus edition with a new introduction by Edward Snowden: <a href="https://us.macmillan.com/books/9781250774583">https://us.macmillan.com/books/9781250774583</a>; personalized/signed copies here: <a href="https://www.darkdel.com/store/p1750/July%3A__Little_Brother_%26_Homeland.html">https://www.darkdel.com/store/p1750/July%3A__Little_Brother_%26_Homeland.html</a></p>
</li>
<li>
<p>"Poesy the Monster Slayer" a picture book about monsters, bedtime, gender, and kicking ass. Order here: <a href="https://us.macmillan.com/books/9781626723627">https://us.macmillan.com/books/9781626723627</a>. Get a personalized, signed copy here: <a href="https://www.darkdel.com/store/p2682/Corey_Doctorow%3A_Poesy_the_Monster_Slayer_HB.html#/">https://www.darkdel.com/store/p2682/Corey_Doctorow%3A_Poesy_the_Monster_Slayer_HB.html#/</a>.</p>
</li>
</ul>
<hr/>
<p><a name="upcoming-books"></a><br />
<img data-recalc-dims="1" decoding="async" alt="A cardboard book box with the Macmillan logo." src="https://i0.wp.com/craphound.com/images/upcoming-books.jpg?w=840&ssl=1"/></p>
<h1>Upcoming books (<a href="https://pluralistic.net/2025/03/25/communicative-intent/#upcoming-books">permalink</a>)</h1>
<ul>
<li>Enshittification: Why Everything Suddenly Got Worse and What to Do About It, Farrar, Straus, Giroux, October 7 2025<br />
<a href="https://us.macmillan.com/books/9780374619329/enshittification/">https://us.macmillan.com/books/9780374619329/enshittification/</a></p>
</li>
<li>
<p>Unauthorized Bread: a middle-grades graphic novel adapted from my novella about refugees, toasters and DRM, FirstSecond, 2026</p>
</li>
<li>
<p>Enshittification, Why Everything Suddenly Got Worse and What to Do About It (the graphic novel), Firstsecond, 2026</p>
</li>
<li>
<p>The Memex Method, Farrar, Straus, Giroux, 2026</p>
</li>
</ul>
<hr/>
<p><a name="bragsheet"></a><br />
<img data-recalc-dims="1" decoding="async" src="https://i0.wp.com/craphound.com/images/colophon2.jpeg?w=840&ssl=1"/></p>
<h1>Colophon (<a href="https://pluralistic.net/2025/03/25/communicative-intent/#bragsheet">permalink</a>)</h1>
<p>Today's top sources:</p>
<p><b>Currently writing: </b></p>
<ul>
<li>Enshittification: a nonfiction book about platform decay for Farrar, Straus, Giroux. Status: second pass edit underway (readaloud)</p>
</li>
<li>
<p>A Little Brother short story about DIY insulin PLANNING</p>
</li>
<li>
<p>Picks and Shovels, a Martin Hench noir thriller about the heroic era of the PC. FORTHCOMING TOR BOOKS FEB 2025</p>
</li>
</ul>
<p><b>Latest podcast:</b> With Great Power Came No Responsibility: How Enshittification Conquered the 21st Century and How We Can Overthrow It <a href="https://craphound.com/news/2025/02/26/with-great-power-came-no-responsibility-how-enshittification-conquered-the-21st-century-and-how-we-can-overthrow-it/">https://craphound.com/news/2025/02/26/with-great-power-came-no-responsibility-how-enshittification-conquered-the-21st-century-and-how-we-can-overthrow-it/</a></p>
<hr/>
<p><img data-recalc-dims="1" decoding="async" src="https://i0.wp.com/craphound.com/images/by.svg.png?w=840&ssl=1"/></p>
<p>This work – excluding any serialized fiction – is licensed under a Creative Commons Attribution 4.0 license. That means you can use it any way you like, including commercially, provided that you attribute it to me, Cory Doctorow, and include a link to pluralistic.net.</p>
<p><a href="https://creativecommons.org/licenses/by/4.0/">https://creativecommons.org/licenses/by/4.0/</a></p>
<p>Quotations and images are not included in this license; they are included either under a limitation or exception to copyright, or on the basis of a separate license. Please exercise caution.</p>
<hr/>
<h1>How to get Pluralistic:</h1>
<p>Blog (no ads, tracking, or data-collection):</p>
<p><a href="http://pluralistic.net">Pluralistic.net</a></p>
<p>Newsletter (no ads, tracking, or data-collection):</p>
<p><a href="https://pluralistic.net/plura-list">https://pluralistic.net/plura-list</a></p>
<p>Mastodon (no ads, tracking, or data-collection):</p>
<p><a href="https://mamot.fr/@pluralistic">https://mamot.fr/@pluralistic</a></p>
<p>Medium (no ads, paywalled):</p>
<p><a href="https://doctorow.medium.com/">https://doctorow.medium.com/</a></p>
<p>Twitter (mass-scale, unrestricted, third-party surveillance and advertising):</p>
<p><a href="https://twitter.com/doctorow">https://twitter.com/doctorow</a></p>
<p>Tumblr (mass-scale, unrestricted, third-party surveillance and advertising):</p>
<p><a href="https://mostlysignssomeportents.tumblr.com/tagged/pluralistic">https://mostlysignssomeportents.tumblr.com/tagged/pluralistic</a></p>
<p>"<em>When life gives you SARS, you make sarsaparilla</em>" -Joey "Accordion Guy" DeVilla</p>
<p>ISSN: 3066-764X<br />
</a></p>
You deserve a new book design. - Ethan Marcotte’s websitehttps://ethanmarcotte.com/wrote/you-deserve-a-new-book-design/2025-03-25T04:00:00.000Z<p>I recently rereleased <a href="https://ethanmarcotte.com/books/you-deserve-a-tech-union/"><cite>You Deserve a Tech Union</cite></a> as a self-published title, featuring a brand new design. For those who didn’t catch <a href="https://ethanmarcotte.com/wrote/refresh-a-new-look-for-you-deserve-a-tech-union/">the announcement</a>, here’s how the book looks now:</p>
<picture>
<source srcset="https://ethanmarcotte.com/media/book-photos/ydatu/stack-flare.webp, https://ethanmarcotte.com/media/book-photos/ydatu/stack-flare@2x.webp 2x" type="image/webp"/>
<img srcset="https://ethanmarcotte.com/media/book-photos/ydatu/stack-flare.jpg, https://ethanmarcotte.com/media/book-photos/ydatu/stack-flare@2x.jpg 2x" src="https://ethanmarcotte.com/media/book-photos/ydatu/stack-flare.jpg" alt="Five bright red copies of “You Deserve a Tech Union” are stacked on a gray wooden surface. The stack is flared slightly, so that the corners of the lower books are peeking out from below." width="1200" height="675"/>
</picture>
<p>I’m just so happy with how it came out. I hope you like it, too.</p>
<p>As I mentioned in the announcement, redesigning the book was part of the agreement I made when <a href="https://ethanmarcotte.com/wrote/reacquired/">I reacquired the rights to my books</a>: basically, if I wanted to keep selling any of my books, they’d need to look like <em>my</em> books. Easy enough, right?</p>
<p>Well, there’s a terrible trick here. You see, <a href="https://jasonsantamaria.com/">Jason Santa Maria</a> created the design for my former publisher’s titles, and I just loved the visual language he came up with. I’ll never forget opening my box of <a href="https://ethanmarcotte.com/books/responsive-web-design/"><cite>Responsive Web Design</cite></a>, picking up one of the copies, and thinking just how <em>right</em> everything felt as I leafed through its pages. Frankly, there was no chance I’d improve on Jason’s work; but just as importantly, I didn’t want to erase it.</p>
<p>This new version of <cite>You Deserve a Tech Union</cite> attempts to split that difference. If I’ve done my job right, this design should feel like a noticeable refresh, while still connecting with where the book began. The color is the primary carryover, and the interior layouts haven’t changed too much.<sup class="footnote-ref"><a class="footnote" href="https://ethanmarcotte.com/wrote/you-deserve-a-new-book-design/#fn-grids" id="fnref-fn-grids" aria-labelledby="title-footnotes">1</a></sup> The biggest departures were on the cover and — most importantly — the type. Here’s a short excerpt from the book’s colophon:</p>
<blockquote>
<p>The text is set in Tiempos Text and Untitled Sans, both by Klim Type Foundry. The headlines and book cover use Cambon Condensed by General Type Studio, as well as Klim Type Foundry’s Söhne.</p>
</blockquote>
<p>Longtime readers will be unsurprised to see some of those names — heck, maybe some of you are rolling your eyes a bit. But, hey, look: if someone told me that I could only use <a href="https://klim.co.nz/">Klim typefaces</a> for the rest of my days, I’d die happy. <a href="https://klim.co.nz/retail-fonts/tiempos-text/">Tiempos Text</a>, <a href="https://klim.co.nz/retail-fonts/soehne/">Söhne</a>, and <a href="https://klim.co.nz/retail-fonts/untitled-sans/">Untitled Sans</a> are all old favorites of mine, and they’re often starting points for me when I’m doing type exploration. And together, I think they made the book’s new interior shine.</p>
<p>Here’s how the text of <cite>You Deserve a Tech Union</cite> used to look, and how it looks now:</p>
<div class="comparison">
<figure>
<picture>
<source srcset="https://ethanmarcotte.com/media/ydatu-compare/inner-old.webp, https://ethanmarcotte.com/media/ydatu-compare/inner-old@2x.webp 2x" type="image/webp"/>
<img srcset="https://ethanmarcotte.com/media/ydatu-compare/inner-old.jpg, https://ethanmarcotte.com/media/ydatu-compare/inner-old@2x.jpg 2x" src="https://ethanmarcotte.com/media/ydatu-compare/inner-old.jpg" loading="lazy" alt="A screenshot of one page from the original version of “You Deserve a Tech Union”, taken from the first chapter, “Just Work”. A bright red subheading is shown on the page, which reads: “The power is already here, it’s just not evenly distributed”." width="792" height="1224"/>
</picture>
<figcaption>
A page from the book’s first chapter, showing the book’s original design.
</figcaption>
</figure>
<figure>
<picture>
<source srcset="https://ethanmarcotte.com/media/ydatu-compare/inner-new.webp, https://ethanmarcotte.com/media/ydatu-compare/inner-new@2x.webp 2x" type="image/webp"/>
<img srcset="https://ethanmarcotte.com/media/ydatu-compare/inner-new.jpg, https://ethanmarcotte.com/media/ydatu-compare/inner-new@2x.jpg 2x" src="https://ethanmarcotte.com/media/ydatu-compare/inner-new.jpg" loading="lazy" alt="A screenshot of one page from the updated version of “You Deserve a Tech Union”, taken from the first chapter, titled “Just Work”. A bright red subheading is shown on the page, which reads: “The power is already here, it’s just not evenly distributed”." width="792" height="1224"/>
</picture>
<figcaption>
Here’s the redesigned version of the same page, with Söhne, Tiempos Text, and Untitled Sans in full effect.
</figcaption>
</figure>
</div>
<p>Want a closer look? Well, here you go.</p>
<picture class="full">
<source srcset="https://ethanmarcotte.com/media/ydatu-compare/inner-compare.webp, https://ethanmarcotte.com/media/ydatu-compare/inner-compare@2x.webp 2x" type="image/webp"/>
<img srcset="https://ethanmarcotte.com/media/ydatu-compare/inner-compare.jpg, https://ethanmarcotte.com/media/ydatu-compare/inner-compare@2x.jpg 2x" src="https://ethanmarcotte.com/media/ydatu-compare/inner-compare.jpg" loading="lazy" alt="Two cropped screenshots from “You Deserve a Tech Union” overlaid on top of each other to show a comparison of the original and updated versions of the book. Each shows a detailed view of the same page of text. A bright red subheading is shown on both versions, which reads: “The power is already here, it’s just not evenly distributed”." width="700" height="700"/>
</picture>
<p><a href="https://silvadeau.wordpress.com/">Ron Bilodeau</a> and I spent a couple rounds finessing the text, but we were making small adjustments around the edges. The new type just felt <em>solid</em> from the very first pass.</p>
<p>But! We still needed a display face. Enter <a href="https://www.generaltypestudio.com/">General Type</a>’s <a href="https://www.generaltypestudio.com/fonts/cambon">Cambon</a>, whose flared terminals I always feel I could get lost in. For the book’s more prominent numbers, like those in the lead-in for every chapter, Cambon’s condensed family felt like a natural fit — <em>especially</em> after seeing how well it sidled up to the Söhne-set chapter titles.</p>
<div class="comparison">
<picture>
<source srcset="https://ethanmarcotte.com/media/ydatu-compare/ch2-old.webp, https://ethanmarcotte.com/media/ydatu-compare/ch2-old@2x.webp 2x" type="image/webp"/>
<img srcset="https://ethanmarcotte.com/media/ydatu-compare/ch2-old.jpg, https://ethanmarcotte.com/media/ydatu-compare/ch2-old@2x.jpg 2x" src="https://ethanmarcotte.com/media/ydatu-compare/ch2-old.jpg" loading="lazy" alt="A screenshot from the digital version of “You Deserve a Tech Union”, showing the original design for the first page of Chapter 2, titled “In Our Strength, Safety”." width="792" height="1224"/>
</picture>
<picture>
<source srcset="https://ethanmarcotte.com/media/ydatu-compare/ch2-new.webp, https://ethanmarcotte.com/media/ydatu-compare/ch2-new@2x.webp 2x" type="image/webp"/>
<img srcset="https://ethanmarcotte.com/media/ydatu-compare/ch2-new.jpg, https://ethanmarcotte.com/media/ydatu-compare/ch2-new@2x.jpg 2x" src="https://ethanmarcotte.com/media/ydatu-compare/ch2-new.jpg" loading="lazy" alt="A screenshot from the digital version of “You Deserve a Tech Union”, showing the updated design for the first page of Chapter 2, titled “In Our Strength, Safety”." width="792" height="1224"/>
</picture>
</div>
<p>Cambon Condensed worked a treat on the table of contents, too. I really do love how it sits alongside Tiempos and Untitled Sans.</p>
<figure>
<picture>
<source srcset="https://ethanmarcotte.com/media/ydatu-compare/toc-compare.webp, https://ethanmarcotte.com/media/ydatu-compare/toc-compare@2x.webp 2x" type="image/webp"/>
<img srcset="https://ethanmarcotte.com/media/ydatu-compare/toc-compare.jpg, https://ethanmarcotte.com/media/ydatu-compare/toc-compare@2x.jpg 2x" src="https://ethanmarcotte.com/media/ydatu-compare/toc-compare.jpg" loading="lazy" alt="Two cropped screenshots from “You Deserve a Tech Union” overlaid on top of each other, to show a comparison of the original and updated versions of the book. Each shows a detailed view of the book’s table of contents. Each chapter has a tall condensed number set in red, showing the page count. To the right of each number is the name and number of the corresponding chapter." width="700" height="700"/>
</picture>
<figcaption>
<p>Here’s a side-by-side of the two tables of contents<sup class="footnote-ref"><a class="footnote" href="https://ethanmarcotte.com/wrote/you-deserve-a-new-book-design/#fn-toc" id="fnref-fn-toc" aria-labelledby="title-footnotes">2</a></sup>, just to home in on what has (and hasn’t) changed.</p>
</figcaption>
</figure>
<p>And of course, Cambon and Söhne felt like such a good pairing on <cite>You Deserve a Tech Union</cite>’s new cover. This is the one area of the book where the departure’s more radical than what came before — but if you squint, I think you can see where it all started.</p>
<div class="comparison">
<picture>
<source srcset="https://ethanmarcotte.com/media/ydatu-compare/cover-old.webp, https://ethanmarcotte.com/media/ydatu-compare/cover-old@2x.webp 2x" type="image/webp"/>
<img srcset="https://ethanmarcotte.com/media/ydatu-compare/cover-old.jpg, https://ethanmarcotte.com/media/ydatu-compare/cover-old@2x.jpg 2x" src="https://ethanmarcotte.com/media/ydatu-compare/cover-old.jpg" loading="lazy" alt="The original cover for You Deserve a Tech Union, by Ethan Marcotte. The book’s cover has a deep rose red background, with the title set in imposing white capital letters." width="792" height="1224"/>
</picture>
<picture>
<source srcset="https://ethanmarcotte.com/media/ydatu-compare/cover-new.webp, https://ethanmarcotte.com/media/ydatu-compare/cover-new@2x.webp 2x" type="image/webp"/>
<img srcset="https://ethanmarcotte.com/media/ydatu-compare/cover-new.jpg, https://ethanmarcotte.com/media/ydatu-compare/cover-new@2x.jpg 2x" src="https://ethanmarcotte.com/media/ydatu-compare/cover-new.jpg" loading="lazy" alt="The new cover for You Deserve a Tech Union, by Ethan Marcotte. The book’s cover has a deep rose red background, with the title set in imposing white capital letters. A black illustration of a rose is winding its way out of the bowl of the “V” in “Deserve”." width="792" height="1224"/>
</picture>
</div>
<p>I still deeply love the original design, and always will: after all, it’s my first memory of the finished book. But I feel like this new design’s something that still stands on its own, while still feeling like it’s of a part with what came before.</p>
<p><img srcset="https://ethanmarcotte.com/media/ydatu-compare/old-and-new-stack.jpg, https://ethanmarcotte.com/media/ydatu-compare/old-and-new-stack@2x.jpg 2x" src="https://ethanmarcotte.com/media/ydatu-compare/old-and-new-stack.jpg" class="full" loading="lazy" alt="The old and new versions of “You Deserve a Tech Union” are stacked on a dark wooden surface. The new version is resting on top of the stack, but the pile is slightly flared so that the corners of the original design is peeking out from below." width="1200" height="675"/></p>
<p>If you’re interested, you can <a href="https://ethanmarcotte.com/wrote/refresh-a-new-look-for-you-deserve-a-tech-union/">read more about this new refreshed version</a>, or <a href="https://ethanmarcotte.com/books/you-deserve-a-tech-union/">buy your copy of <cite>You Deserve a Tech Union</cite></a> anywhere books are sold.</p>
<p>Thanks, as always, for reading.</p>
<hr/>
<div class="footnotes">
<h2 class="subhed-section subhed-dashed" id="title-footnotes">Footnotes</h2>
<ol><li id="fn-grids" class="footnote-item"><p>There were some slight adjustments, shifting a gutter or two. Nothing too major, no lives were lost, &c &c. <a href="https://ethanmarcotte.com/wrote/you-deserve-a-new-book-design/#fnref-fn-grids" class="reversefootnote">↩︎</a></p>
</li>
<li id="fn-toc" class="footnote-item"><p>English is an absolutely perfect language and cannot be improved upon in any way. <a href="https://ethanmarcotte.com/wrote/you-deserve-a-new-book-design/#fnref-fn-toc" class="reversefootnote">↩︎</a></p>
</li>
</ol>
</div>
<hr/>
<p>This has been “<a href="https://ethanmarcotte.com/wrote/you-deserve-a-new-book-design/">You deserve a new book design.</a>” a post from <a href="https://ethanmarcotte.com/wrote/">Ethan’s journal.</a></p>
<p><a href="mailto:listener+rss@ethanmarcotte.com?subject=Reply%20to:%20“You deserve a new book design.”">Reply via email</a></p>Marginalia Search receives second nlnet grant - Weblog on marginalia.nuhttps://www.marginalia.nu/log/a_116_grant_2.0/2025-03-25T00:00:00.000ZI’m happy and grateful to announce that the Marginalia Search project has been accepted for a second nlnet grant.
All the details are not yet finalized, but tentatively the grant will go toward addressing most of the items in the project roadmap for 2025.
I’ve already been working full time on the project since summer 2023, and this grant secures additional development time, and extends the runway to a comfortable degree.