🤔 💭 🧐 What if, What if we built our own self-hosted / small-web / community-built/run Internet on top of the Internet using Wireguard as the underlying tech? What if we ran our own Root DNS servers? What if we set a zero tolerance policy on bots, spammers and other kind of abuse that should never have existed in the first place. Hmmmm
Seven calls, 16 minutes, no answer. More Optus emergency failures exposed
Optus customers have come forward to report more cases of triple-0 calls failing outside the embattled telcos previously admitted outages. ⌘ Read more
CodeQL zero to hero part 5: Debugging queries
Learn to debug and fix your CodeQL queries.
The post CodeQL zero to hero part 5: Debugging queries appeared first on The GitHub Blog. ⌘ Read more
@bender@twtxt.net Seriously I have zero clue 🤣 I don’t read or watch any news so I have no idea 🤦♂️
Sinfonias de Aço (de Manuel Melo)
(aos Sábados das 12h às 15h, na Rádio Barcelos)
Emissão de 23 Agosto 2025
39 músicas de bandas portuguesas, incluindo 7 que integram o catálogo da ANTI-DEMOS-CRACIA:
. The Dreams Never End - Perdido
. Marciano - John Said
. Ameeba - Lizard Face
. Sci Fi Industries - TriVial
. Kokori – Time Traveler (sedation mix)
. Turning Point – Espelho
. Zero à Esquerda - Porque Tens Tanto Poder
https://www.sinfonias.org/playlists/1961-playlist-podcast-23-agosto-2025
I’m using #Filen (@filen@filen) for a while now and I’m very pleased with it!
«Affordable zero-knowledge end to end encrypted cloud storage made in Germany.» Works on #Linux, nice well thought features.
So I’m going to share a referral link because «For every friend you invite to Filen you receive 10 GB - and your friend also receives 10B. It’s that easy»:
I have been using #Filen (@filen@filen) for a while now and I’m very pleased with it!
«Affordable zero-knowledge end to end encrypted cloud storage made in Germany.» Works on #Linux, nice well thought features.
So I’m going to share a referral link because «For every friend you invite to Filen you receive 10 GB - and your friend also receives 10B. It’s that easy»:
“Num momento em que a UE deve investir numa maior utilização de renováveis e na suficiência energética como meios para aumentar a sua resiliência ambiental e económica, este suposto acordo comercial agora firmado vem aumentar a dependência dos combustíveis fósseis (importados), pôr em perigo os objetivos de descarbonização (que já ficam aquém do que a ciência indica que seria necessário) e dar um sinal contrário à sociedade e aos mercados.
A ZERO, tal como o EEB, apela ao Parlamento Europeu e aos Estados-Membros para que analisem e rejeitem quaisquer elementos do acordo que prejudiquem os objetivos climáticos, a soberania energética ou a credibilidade internacional da Europa.”
Since Fastly acquired and recently shut down glitch.com, some of my ancient webapps are no longer available, nor do I have any plans to make them available again - all had either zero, or very few monthly visits, used outdated libraries and would be a waste of money, to continue hosting and updating elsewhere.
All art archives remain unaffected and all projects shut down before 2025, were already permanently deleted, but if there’s someone out there, still relying on the recently discontinued projects, somehow - you can reach out and request their source code.
These requests will only be honoured, until the end of this year, when we plan to permanently delete, all of this data (both webapps and files only hosted on Amazons CDN).
Canine out °_°
@birb@birb https://zero.ong/feed/
@anacat@anacat ei, chegaste a arranjar o flipper zero? Rende?
Ainda na saga do “caminhar no sentido oposto ao necessário”, “Aeroporto de Lisboa: voos a meio da noite duplicam”
https://zero.ong/noticias/aeroporto-de-lisboa-voos-a-meio-da-noite-duplicam/
“Para estar em linha com o Acordo de Paris, a União Europeia deveria ambicionar a neutralidade climática já em 2040, com cortes reais dentro do território europeu, sem compensações externas, garantindo uma transição justa para os setores mais vulneráveis e, no fundo, um investimento na competitividade europeia no longo prazo. O Governo português, que também já está a baixar a ambição ao pretender reduções mais leves das emissões numa primeira fase por parte da UE é chamado a exigir mais ambição e uma governação climática transparente, reforçando a urgência de medidas consistentes num momento em que a Humanidade não pode esperar por meias-medidas.”
2/2
A newsletter pode ser subscrita aqui: https://zero.ong/newsletter/
Francisco Ferreira da #ZERO:
“A União Europeia (UE) está a dizer adeus à ambição climática. Esta semana, em contraste com sinais evidentes de um clima em alteração com temperaturas recordes em toda a Europa, a Comissão Europeia apresentou, com meses de atraso, a meta climática para 2040, propondo uma redução de pelo menos 90% das emissões face a 1990. No entanto, esta meta inclui mecanismos de flexibilidade, como créditos de carbono internacionais e compensações intersectoriais, que enfraquecem a ambição necessária num momento crítico de agravamento da crise climática.
Este atraso compromete também as metais europeias para 2035 a aprovar na COP30 no Brasil no final deste ano e enfraquece a liderança global da UE ao sinalizar falta de determinação política. Estas flexibilidades inaceitáveis, pois permitem desresponsabilizar setores emissores e adiar a transição, ignorando recomendações científicas que apontavam para reduções entre 90% e 95% sem tais mecanismos. A proposta surge num contexto político adverso após as eleições europeias de 2024, com um recuo climático generalizado, tendo a Comissão optado por um compromisso frágil para evitar confrontos com governos menos ambiciosos, como os da Polónia e Hungria. Esta é uma oportunidade perdida de promover a liderança climática europeia.”
½
Okay, here’s a thing I like about Rust: Returning things as Option
and error handling. (Or the more complex Result
, but it’s easier to explain with Option
.)
fn mydiv(num: f64, denom: f64) -> Option<f64> {
// (Let’s ignore precision issues for a second.)
if denom == 0.0 {
return None;
} else {
return Some(num / denom);
}
}
fn main() {
// Explicit, verbose version:
let num: f64 = 123.0;
let denom: f64 = 456.0;
let wrapped_res = mydiv(num, denom);
if wrapped_res.is_some() {
println!("Unwrapped result: {}", wrapped_res.unwrap());
}
// Shorter version using "if let":
if let Some(res) = mydiv(123.0, 456.0) {
println!("Here’s a result: {}", res);
}
if let Some(res) = mydiv(123.0, 0.0) {
println!("Huh, we divided by zero? This never happens. {}", res);
}
}
You can’t divide by zero, so the function returns an “error” in that case. (Option
isn’t really used for errors, IIUC, but the basic idea is the same for Result
.)
Option
is an enum. It can have the value Some
or None
. In the case of Some
, you can attach additional data to the enum. In this case, we are attaching a floating point value.
The caller then has to decide: Is the value None
or Some
? Did the function succeed or not? If it is Some
, the caller can do .unwrap()
on this enum to get the inner value (the floating point value). If you do .unwrap()
on a None
value, the program will panic and die.
The if let
version using destructuring is much shorter and, once you got used to it, actually quite nice.
Now the trick is that you must somehow handle these two cases. You must either call something like .unwrap()
or do destructuring or something, otherwise you can’t access the attached value at all. As I understand it, it is impossible to just completely ignore error cases. And the compiler enforces it.
(In case of Result
, the compiler would warn you if you ignore the return value entirely. So something like doing write()
and then ignoring the return value would be caught as well.)
@bender@twtxt.net i’ve been trying to lock in!! it’s so hard but i really gotta relearn how to focus and just zero-in on what i need to do. ADHD kicking my ass but i’m fighting it!!
[$] Zero-copy for FUSE
In a combined storage and filesystem session at the 2025 Linux Storage,
Filesystem, Memory Management, and BPF Summit (LSFMM+BPF), Keith Busch led
a discussion about zero-copy operations for the Filesystem\
in Userspace (FUSE) subsystem. The session was proposed
by his colleague, David Wei, who could not make it to the summit, so Busch
filled in, though he noted that “I do … ⌘ Read more
[$] System-wide encrypted DNS
The increasing sophistication of attackers has organizations
realizing that perimeter-based security models are inadequate. Many
are planning to transition their internal networks to a zero-trust\
architecture. This requires every communication on the network to
be encrypted, authenticated, and authorized. This can be achieved in
applications and services by using modern communication
protocols. However, the world still depends on Domain Name Syste … ⌘ Read more
O disco sai no sábado, mas já começa a passar pelas rádios - #kokori esteve com “Zero Game (Metal Mix)” no último episódio do “Sinfonias de Aço” que pode ser ouvido em https://sinfonias.org/playlists/1928-playlist-podcast-24-maio-2025 .
@bender@twtxt.net Here’s a short-list:
- Simple, minimal syntax—master the core in hours, not months.
- CSP-style concurrency (goroutines & channels)—safe, scalable parallelism.
- Blazing-fast compiler & single-binary deploys—zero runtime dependencies.
- Rich stdlib & built-in tooling (gofmt, go test, modules).
- No heavy frameworks or hidden magic—unlike Java/C++/Python overhead.
LILYGO T-Embed SI4732 Combines ESP32 S3 with All Band Radio Tuning
LILYGO has introduced a new version of its T-Embed series that incorporates the SI4732 A10 tuner module. This version supports AM, FM, shortwave, and longwave radio bands in a handheld format that visually resembles devices like the Flipper Zero. The T-Embed SI4732 uses the ESP32 S3 microcontroller with a dual-core LX7 processor clocked at 240 […] ⌘ Read more
I have zero mental energy for programming at the moment. 🫤
I’ll try to implement the new hashing stuff in jenny before the “deadline”. But I don’t think you’ll see any texudus development from me in the near future. ☹️
Coin-Sized RA4M1-Zero Board Features 32-Bit RA4M1 MCU
The RA4M1-Zero is a compact development board based on Renesas’ 32-bit RA4M1 MCU. Running at 48 MHz with a built-in FPU, it features firmware encryption, secure boot, and a castellated design for easy integration into custom hardware. The board uses the R7FA4M1AB3CFM microcontroller from the RA4M1 family. It includes 256 KB of flash memory, 32 […] ⌘ Read more
NLnet announces funding for 42 FOSS projects
The NLnet Foundation has announced
the projects that have received funding from its October call
for grant proposals from the Next\
Generation Internet (NGI) Zero Commons Fund.
The selected projects all contribute, one way or another, to the
mission of the Commons Fund: reclaiming the … ⌘ Read more
Regex Isn’t Hard - Tim Kellogg 👈 this is a pretty good conscience article on regexes, and I agree, regex isn’t that hard™ – However I think I can make the TL;DR even shorter 😅
Regex core subset (portable across languages):
Character sets
• a matches “a”
• [a-z] any lowercase
• [a-zA-Z0-9] alphanumeric
• [^ab] any char but a or b
Repetition (applies to the preceding atom)
• ? zero or one
• * zero or more
• + one or more
Groups
• (ab)+ matches “ab”, “abab”, …
• Capture for extract/substitute via $1 or \1
Operators
• foo|bar = foo or bar
• ^ start anchor
• $ end anchor
Ignore non‑portable shortcuts: \w, ., {n}, *?, lookarounds.
Seem like it’s a server-client thingy? 🤔 I much prefer tools in this case and defer the responsibility of storage to something else. I really like restic
for that reason and the fact that it’s pretty rock solid. I have zero complaints 😅
Gmail Showing 1 Unread Message? Here’s How to Find It
If you’re the type of person who likes to maintain Inbox Zero, or who recently went and tidied up their Gmail inbox to get every email marked as read, you may come across a frustrating situation where Gmail shows 1 unread message, and you simply can’t locate that unread email message in Gmail. If you … Read More ⌘ Read more
Little guy did not think twice, zero remorse 😂 ⌘ Read more
@prologic@twtxt.net Not sure if the confirmation helps at all. You just condition yourself to immediately press y
on a daily basis.
Apart from that, aborting the removal should probably terminate the function with a non-zero exit code, something like return 1
.
I’m not much a fan of registry limit/offset paging. I think I prefer the cursor/count method. And starting at zero for first and max for latest.
I’m happy to note that tomorrow is already Friday. However, looking back on the week, I can’t think of anything terribly useful I’ve accomplished. Hard to distinguish it from a plain zero. Again. Hmm. Anyway, looking forward to the weekend.
Two years of being adorable, zero years of paying rent ⌘ Read more
The True Meaning of ‘Zero G” ⌘ Read more
@lyse@lyse.isobeef.org Yeah, what else does one need? 😅
I added more instructions, made it portable (so it runs on my own OS as well as Linux/DOS/whatever), and the assembler is now good enough to be used in the build process to compile the bootloader:
That is pretty cool. 😎
It’s still a “naive” assembler. There are zero optimizations and it can’t do macros (so I had to resort to using cpp
). Since nothing is optimized, it uses longer opcodes than NASM and that makes the bootloader 11 bytes too large. 🥴 I avoided that for now by removing some cosmetic output from the bootloader.
Apple Resumes Offering Interest-Free Financing on iPhones in Canada
Apple’s financing partner Affirm this month started offering interest-free financing on iPhone purchases in Canada again, after stopping doing so in mid-2023. With a 0% loan from Affirm, you can pay for an iPhone over 24 months with zero interest added.
 Banana Pi Showcases BPI-CanMV-K230D Zero with Canaan K230D Chip Design
(Updated) Banana Pi Showcases BPI-CanMV-K230D Zero with Canaan K230D Chip Design ⌘ Read more
‘The Aloha Project’ announces new Haveno mainnet instance with zero fees
alohamarkus1 from The Aloha Project 2 has announced3 the launch of Haveno Aloha 4, a new public Haveno instance running on Monero’s main network that apparently doesn’t charge any fees:
So I have been working on an ‘alternate’ network [..] it’s out now on mainnet but should require some testing, if anyone wants to help? [..] we have generous sponsors, that means haveno-aloh … ⌘ Read more
(Updated) Quartz64 Zero: A Low-Cost SBC Featuring Rockchip RK3566T with 64-bit Arm and 32-bit RISC-V CPUs
Quartz64 Zero: A Low-Cost SBC Featuring Rockchip RK3566T with 64-bit ARM and 32-bit RISC-V CPUs
Pine64 recently introduced the Quartz64 Zero, a compact and economical single board computer featuring the Rockchip RK3566T SoC. Designed for both hobbyists and commercial applications, this board offers scalable features and a guaranteed long … ⌘ Read more
I’d like to see them fine me 2% of zero dollars
@sorenpeter@darch.dk It’s nobody’s fault! 😇 It’s all part of the fun with them Ones and Zeros
When we passed a few horses in the forest, there was really strong soup odor in the air. It didn’t smell like horse at all, but soup. Maybe they’ve been soup horses, chickens were out of stock.
29°C, zero wind, extremely humid, luckily the sun was behind the clouds. I’m soaking wet, sweat ran down in streams and dripped in my eyes, it burned a bit. The sky is getting a little dark, I hope the thunderstorm and rain are really arriving here later. Rain had always been finally cancelled the couple last days.
I’m gotta go cool off my fingers now, they’re swollen from the heat.
Banana Pi Showcases BPI-CanMV-K230D Zero with Canaan K230D Chip Design
The Banana Pi BPI-CanMV-K230D-Zero is an upcoming single-board computer for AIoT applications, developed in collaboration with Canaan Technology. Featuring the Kendryte K230D chip, it provides local AI inference capabilities, making it useful for DIY projects and embedded systems. At the core of the BPI-CanMV-K230D-Zero is the Kendryte K230D chip from Canaan’s Kendryte AIoT series. This […] ⌘ Read more
@prologic@twtxt.net The headline is interesting and sent me down a rabbit hole understanding what the paper (https://aclanthology.org/2024.acl-long.279/) actually says.
The result is interesting, but the Neuroscience News headline greatly overstates it. If I’ve understood right, they are arguing (with strong evidence) that the simple technique of making neural nets bigger and bigger isn’t quite as magically effective as people say — if you use it on its own. In particular, they evaluate LLMs without two common enhancements, in-context learning and instruction tuning. Both of those involve using a small number of examples of the particular task to improve the model’s performance, and they turn them off because they are not part of what is called “emergence”: “an ability to solve a task which is absent in smaller models, but present in LLMs”.
They show that these restricted LLMs only outperform smaller models (i.e demonstrate emergence) on certain tasks, and then (end of Section 4.1) discuss the nature of those few tasks that showed emergence.
I’d love to hear more from someone more familiar with this stuff. (I’ve done research that touches on ML, but neural nets and especially LLMs aren’t my area at all.) In particular, how compelling is this finding that zero-shot learning (i.e. without in-context learning or instruction tuning) remains hard as model size grows.
Quartz64 Zero: A Low-Cost SBC Featuring Rockchip RK3566T with 64-bit Arm and 32-bit RISC-V CPUs
Quartz64 Zero: A Low-Cost SBC Featuring Rockchip RK3566T with 64-bit ARM and 32-bit RISC-V CPUs
Pine64 recently introduced the Quartz64 Zero, a compact and economical single board computer featuring the Rockchip RK3566T SoC. Designed for both hobbyists and commercial applications, this board offers scalable features and a guaranteed long-term supply. ⌘ Read more
CodeQL zero to hero part 3: Security research with CodeQL
Learn how to use CodeQL for security research and improve your security research workflow.
The post CodeQL zero to hero part 3: Security research with CodeQL appeared first on The GitHub Blog. ⌘ Read more
(Updated) Radxa previews ZERO 3E Single Board Computer with GbE port
(Updated) Radxa previews ZERO 3E Single Board Computer with GbE port ⌘ Read more
‘Blackout Bowen is stuck in the past’: Chris Kenny slams Labor’s nuclear energy stance
Sky News host Chris Kenny says the debate over energy and the race to net-zero “continues”.
Mr Kenny said Climate and Energy Minister Chris Bowen has repeatedly “refused” to transition to nuclear energy.
“A new poll though shows that blackout Bowen is stuck in the past and losing the argument.
“55 per cent of voters now suppor … ⌘ Read more
Affordable Radxa ZERO 3W Featuring Up to 8GB RAM and Onboard eMMC Storage
Radxa’s ZERO 3W is an ultra-small single board computer with high-performance capabilities. Based on the Rockchip RK3566 and supporting Wi-Fi6 / BT 5.4, this compact device is designed to cater to a wide range of users, from IoT developers to hobbyists. Equipped with the Rockchip RK3566, the ZERO 3W supports various graphics standards like OpenGL […] ⌘ Read more
DietPi January 2024 news (version 9.0)
DietPi’s latest release, version 9.0, rolled out today, marks a significant update for the lightweight Linux OS, renowned for its efficiency on single-board computers. This release phases out support for the older Debian Buster version, introduces compatibility with the new 1.5 GB Orange Pi Zero 3, and brings several enhancements and bug fixes across the […] ⌘ Read more
Low Profile Radxa X2L SBC Featuring Intel J4125 and RP2040 Microcontroller
The Radxa X2L, powered by the Intel Celeron Processor J4125, is a compact yet robust mini-computer designed to cater to a wide range of computing needs. It’s a perfect blend of performance, connectivity, and versatility, making it suitable for both personal and professional use. Unlike other recent Radxa offerings such as the Radxa Zero 3E, […] ⌘ Read more
Авторы Zenless Zone Zero сделали героиню Николь менее сексуальной — игроки недовольны
Её грудь уменьшилась и теперь меньше трясётся.
Тестирование экшена Zenless Zone Zero от авторов Genshin Impact начнётся 24 ноября
Приглашения уже отправили.
ei pessoal não é tão bom haver zero anúncios no meio dos toots?
Things You Thought You Knew - Worldlines, Rainbows, & Zero ⌘ Read more
CodeQL zero to hero part 2: getting started with CodeQL
Learn the basics of CodeQL and how to use it for security research! In this blog, we will teach you how to leverage GitHub’s static analysis tool CodeQL to write custom CodeQL queries. ⌘ Read more
Rooting with root cause: finding a variant of a Project Zero bug
In this blog, I’ll look at CVE-2022-46395, a variant of CVE-2022-36449 (Project Zero issue 2327), and use it to gain arbitrary kernel code execution and root privileges from the untrusted app domain on an Android phone that uses the Arm Mali GPU. I’ll also explain how root cause analysis of CVE-2022-36449 led to the discovery of CVE-2022-46395. ⌘ Read more
CodeQL zero to hero part 1: the fundamentals of static analysis for vulnerability research
Learn more about static analysis and how to use it for security research!
In this blog post series, we will take a closer look at static analysis concepts, present GitHub’s static analysis tool CodeQL, and teach you how to leverage static analysis for security research by writing custom CodeQL queries. ⌘ Read more
@prologic@twtxt.net Yeah, apparently it was a bit of old new (according to twitter), but still - looking forward to have a risc-v desktop system. :)
Hopefully it’ll not be too long until something like that hits the market with a price that I can pay for it.
I do have 2 risk-v devices already, one mangopi (like a raspberrypi zero), and one HiFive1 Rev B (like a arduino).
The Hifive rev B was a waste of time and money for me - but I bought it anyways, too ‘embedded’ for my liking, so not easy to make things work on that. The mangopi is perfect, got all my desktop stuff set up on that running debian.
@bender@twtxt.net Yeah, that is correct :) I use it for testing, but I set it up as any desktop system as close as I can, with all the things I usually use.
I’m really excited about riscv - I have another board as well, which is more like a arduino, but I never got that one to do anything useful, but the mangopo - is as you say more usefull since it’s just like a raspberrypi zero, and works very well.
But I am looking forward to that day I can have a proper desktop system (or laptop) with riscv. There was a board released some time ago that let you do that, but the price was a bit too high for me .So now I wait for the next thing to come out.
but also the amount of time a broken clock is right has measure zero
rapidly oscillating between nibbanic zero-ontology and plotinian “badness is non-being” views
Still making Quake maps? Consider making one titled “feed your vore fetish”, where you fight only vores, the four-legged zero-eyed spider things that fling you-seeking purple exploding boogers
Most zero-sum games are actually negative-sum games, because of transaction costs
Don’t you hate it when you try to get to Inbox Zero, make it to Inbox Three, and then by week’s end you’ve got even more messages that you can’t get out of your inbox permanently?
humans have invented mathematics surprisingly early (while the status of the number zero was still being debated in ancient greece), and programming surprisingly late (although algorithms were around for a long time, they didn’t catch on until later, even though they seem like an at least equally intuitive concept?)
which doesn’t have to be this way! blue tribe & anti-agi risk people have mostly orthogonal concerns (i really don’t see the overlap of algorithmic fairness & agent foundations, tbqhwy), and probably ample opportunities for trade (which blue-triber actually cares about compute governance etc.?) but i think zero-sum anti-trade genre affiliation thinking from blue-tribes side will prevent most of that mutually beneficial governance from happening.
Quando uma empresa começa a omitir episódios de um programa de televisão da versão completa, então isso é um convite aberto da empresa para que todos possam piratear o programa com zero objecções éticas.
Neil deGrasse Tyson Explains Zero ⌘ Read more
GoCN 每日新闻(2022-01-19)
GoCN 每日新闻(2022-01-19)- Go1.18 新特性:多 Module 工作区模式https://mp.weixin.qq.com/s/Aa9s_ORDVfzbj915aJD5_w
- Go 中的可视化 - 绘制股票信息https://www.ardanlabs.com/blog/2022/01/visualizations-in-go.html
- 带你彻底击溃跳表原理及其 Golang 实现!(内含图解) https://mp.weixin.qq.com/s/5wrHQz_LqeQn3NLuF8yu0A
- go-zero 对接分布式事务 dtm 保姆式教程[https://github.com/Mikaelemmmm/gozerodtm](h … ⌘ Read more
Trying to get down to Reading List Zero before I need to go back to work next year. The latest to be removed from the list because I read the thing: https://ngnghm.github.io/
梦想总是要有的 - 工作 20 年程序员的 2021 年度总结
跌宕起伏的 2021 年快要过去了,今年对我来说经历的实在太多,提笔做个简单的总结吧。
去年的年终总结,我给自己立了两个 flag。
第一个虽然不可量化,不是一个好的目标,但我认为完成的还是不错的,go-zero 的工程效率已经得到了社区的广泛认可,感谢所有使用和� … ⌘ Read more
a zero dependency shell script that makes it really simple to manage your text notes [[https://github.com/nickjj/notes]] #links
Now, onto the real question: what to eat? Partner isn’t home, so zero nutritional supplements have been consumed, and I have been lazy enough not to go out to fetch me something. So… hmm, yeah. Going to an eight years old niece birthday “roller scatting” party in an hour, maybe I get lucky with a slice of pizza, or two. 🤣
what,,, you are trying to do good? how about I complain about you wanting to do good, and accuse you of being evil, even though on further questioning I would agree your actions are at worst net-zero?
In reply to: CNN - Breaking News, Latest News and Videos
Bottom line is that we have zero years left to avoid dangerous climate change, because it’s here ⌘ Read more
~/Downloads zero.
Finally got to e-mail inbox zero. Now for my other inboxen.
I have launched my owwn tilde on raspberry pi zero! But for now avalible only thought tor. If interested message me on irc
Tired: Inbox Zero. Inspired: Tot Zero.
One of the problems with trying to get to inbox zero is that some of the older messages deserve to be saved but don’t really belong in any kind of final resting place…
2x3: {lives in social/physical reality}×{views things generally as positive/zero/negative sum}. To be honest, I think there’s relatively few people in social positive sum reality frames.
: qualia relationism: the properties of qualia are defined by their relations to other qualia (but distinguish ordinal rankings for properties of qualia without a zero-point from cardinal properties of qualia without a zero-point). E.g., the hedonic treadmill is not accidental, but a deep fact of the universe.
: qualia internalism: the properties of a quale are internal to the quale, and therefore the properties of different qualia can be projected onto a cardinal scale with zero point.
Second achievement of the hour: Ulysses Inbox Zero.
Achievement of the hour: https://tot.rocks/-dots Zero.
Achievement of the weekend: Ulysses Inbox Zero.
My idea of a fun Saturday night: achieving Camera Roll Zero.
Nice explanation of the difference between 1/0 and 0/0: https://blog.plover.com/math/division-by-zero.html
Project Zero: The Curious Case of Convexity Confusion https://googleprojectzero.blogspot.com/2019/02/the-curious-case-of-convexity-confusion.html
I have sold zero copies of my game since the launch sale ended. I’m not sure if I need to cut the original price in half or if people literally just only buy games when they are on sale.
Who can forget those scenes in Count Zero where they all stand around eating soup? / Boing Boing https://boingboing.net/2019/02/14/cream-of-panther-modern.html
My furnace broke & the furnace repair guy is snowed in, & it’ll be going below zero tonight. So, I had to run to walmart & buy a bunch of space heaters, & I’ll be up all night making sure nothing catches on fire :(
Let’s be real, here. Approximately zero of you on this social network are not also on tumblr. (And, I am cross-posting this to several social networks.) The culture isn’t gonna change much with a post-tumblr exodus.