-

@ 04c915da:3dfbecc9
2025-03-26 20:54:33
Capitalism is the most effective system for scaling innovation. The pursuit of profit is an incredibly powerful human incentive. Most major improvements to human society and quality of life have resulted from this base incentive. Market competition often results in the best outcomes for all.
That said, some projects can never be monetized. They are open in nature and a business model would centralize control. Open protocols like bitcoin and nostr are not owned by anyone and if they were it would destroy the key value propositions they provide. No single entity can or should control their use. Anyone can build on them without permission.
As a result, open protocols must depend on donation based grant funding from the people and organizations that rely on them. This model works but it is slow and uncertain, a grind where sustainability is never fully reached but rather constantly sought. As someone who has been incredibly active in the open source grant funding space, I do not think people truly appreciate how difficult it is to raise charitable money and deploy it efficiently.
Projects that can be monetized should be. Profitability is a super power. When a business can generate revenue, it taps into a self sustaining cycle. Profit fuels growth and development while providing projects independence and agency. This flywheel effect is why companies like Google, Amazon, and Apple have scaled to global dominance. The profit incentive aligns human effort with efficiency. Businesses must innovate, cut waste, and deliver value to survive.
Contrast this with non monetized projects. Without profit, they lean on external support, which can dry up or shift with donor priorities. A profit driven model, on the other hand, is inherently leaner and more adaptable. It is not charity but survival. When survival is tied to delivering what people want, scale follows naturally.
The real magic happens when profitable, sustainable businesses are built on top of open protocols and software. Consider the many startups building on open source software stacks, such as Start9, Mempool, and Primal, offering premium services on top of the open source software they build out and maintain. Think of companies like Block or Strike, which leverage bitcoin’s open protocol to offer their services on top. These businesses amplify the open software and protocols they build on, driving adoption and improvement at a pace donations alone could never match.
When you combine open software and protocols with profit driven business the result are lean, sustainable companies that grow faster and serve more people than either could alone. Bitcoin’s network, for instance, benefits from businesses that profit off its existence, while nostr will expand as developers monetize apps built on the protocol.
Capitalism scales best because competition results in efficiency. Donation funded protocols and software lay the groundwork, while market driven businesses build on top. The profit incentive acts as a filter, ensuring resources flow to what works, while open systems keep the playing field accessible, empowering users and builders. Together, they create a flywheel of innovation, growth, and global benefit.
-

@ b2d670de:907f9d4a
2025-03-25 20:17:57
This guide will walk you through setting up your own Strfry Nostr relay on a Debian/Ubuntu server and making it accessible exclusively as a TOR hidden service. By the end, you'll have a privacy-focused relay that operates entirely within the TOR network, enhancing both your privacy and that of your users.
## Table of Contents
1. Prerequisites
2. Initial Server Setup
3. Installing Strfry Nostr Relay
4. Configuring Your Relay
5. Setting Up TOR
6. Making Your Relay Available on TOR
7. Testing Your Setup]
8. Maintenance and Security
9. Troubleshooting
## Prerequisites
- A Debian or Ubuntu server
- Basic familiarity with command line operations (most steps are explained in detail)
- Root or sudo access to your server
## Initial Server Setup
First, let's make sure your server is properly set up and secured.
### Update Your System
Connect to your server via SSH and update your system:
```bash
sudo apt update
sudo apt upgrade -y
```
### Set Up a Basic Firewall
Install and configure a basic firewall:
```bash
sudo apt install ufw -y
sudo ufw allow ssh
sudo ufw enable
```
This allows SSH connections while blocking other ports for security.
## Installing Strfry Nostr Relay
This guide includes the full range of steps needed to build and set up Strfry. It's simply based on the current version of the `DEPLOYMENT.md` document in the Strfry GitHub repository. If the build/setup process is changed in the repo, this document could get outdated. If so, please report to me that something is outdated and check for updated steps [here](https://github.com/hoytech/strfry/blob/master/docs/DEPLOYMENT.md).
### Install Dependencies
First, let's install the necessary dependencies. Each package serves a specific purpose in building and running Strfry:
```bash
sudo apt install -y git build-essential libyaml-perl libtemplate-perl libregexp-grammars-perl libssl-dev zlib1g-dev liblmdb-dev libflatbuffers-dev libsecp256k1-dev libzstd-dev
```
Here's why each dependency is needed:
**Basic Development Tools:**
- `git`: Version control system used to clone the Strfry repository and manage code updates
- `build-essential`: Meta-package that includes compilers (gcc, g++), make, and other essential build tools
**Perl Dependencies** (used for Strfry's build scripts):
- `libyaml-perl`: Perl interface to parse YAML configuration files
- `libtemplate-perl`: Template processing system used during the build process
- `libregexp-grammars-perl`: Advanced regular expression handling for Perl scripts
**Core Libraries for Strfry:**
- `libssl-dev`: Development files for OpenSSL, used for secure connections and cryptographic operations
- `zlib1g-dev`: Compression library that Strfry uses to reduce data size
- `liblmdb-dev`: Lightning Memory-Mapped Database library, which Strfry uses for its high-performance database backend
- `libflatbuffers-dev`: Memory-efficient serialization library for structured data
- `libsecp256k1-dev`: Optimized C library for EC operations on curve secp256k1, essential for Nostr's cryptographic signatures
- `libzstd-dev`: Fast real-time compression algorithm for efficient data storage and transmission
### Clone and Build Strfry
Clone the Strfry repository:
```bash
git clone https://github.com/hoytech/strfry.git
cd strfry
```
Build Strfry:
```bash
git submodule update --init
make setup-golpe
make -j2 # This uses 2 CPU cores. Adjust based on your server (e.g., -j4 for 4 cores)
```
This build process will take several minutes, especially on servers with limited CPU resources, so go get a coffee and post some great memes on nostr in the meantime.
### Install Strfry
Install the Strfry binary to your system path:
```bash
sudo cp strfry /usr/local/bin
```
This makes the `strfry` command available system-wide, allowing it to be executed from any directory and by any user with the appropriate permissions.
## Configuring Your Relay
### Create Strfry User
Create a dedicated user for running Strfry. This enhances security by isolating the relay process:
```bash
sudo useradd -M -s /usr/sbin/nologin strfry
```
The `-M` flag prevents creating a home directory, and `-s /usr/sbin/nologin` prevents anyone from logging in as this user. This is a security best practice for service accounts.
### Create Data Directory
Create a directory for Strfry's data:
```bash
sudo mkdir /var/lib/strfry
sudo chown strfry:strfry /var/lib/strfry
sudo chmod 755 /var/lib/strfry
```
This creates a dedicated directory for Strfry's database and sets the appropriate permissions so that only the strfry user can write to it.
### Configure Strfry
Copy the sample configuration file:
```bash
sudo cp strfry.conf /etc/strfry.conf
```
Edit the configuration file:
```bash
sudo nano /etc/strfry.conf
```
Modify the database path:
```
# Find this line:
db = "./strfry-db/"
# Change it to:
db = "/var/lib/strfry/"
```
Check your system's hard limit for file descriptors:
```bash
ulimit -Hn
```
Update the `nofiles` setting in your configuration to match this value (or set to 0):
```
# Add or modify this line in the config (example if your limit is 524288):
nofiles = 524288
```
The `nofiles` setting determines how many open files Strfry can have simultaneously. Setting it to your system's hard limit (or 0 to use the system default) helps prevent "too many open files" errors if your relay becomes popular.
You might also want to customize your relay's information in the config file. Look for the `info` section and update it with your relay's name, description, and other details.
Set ownership of the configuration file:
```bash
sudo chown strfry:strfry /etc/strfry.conf
```
### Create Systemd Service
Create a systemd service file for managing Strfry:
```bash
sudo nano /etc/systemd/system/strfry.service
```
Add the following content:
```ini
[Unit]
Description=strfry relay service
[Service]
User=strfry
ExecStart=/usr/local/bin/strfry relay
Restart=on-failure
RestartSec=5
ProtectHome=yes
NoNewPrivileges=yes
ProtectSystem=full
LimitCORE=1000000000
[Install]
WantedBy=multi-user.target
```
This systemd service configuration:
- Runs Strfry as the dedicated strfry user
- Automatically restarts the service if it fails
- Implements security measures like `ProtectHome` and `NoNewPrivileges`
- Sets resource limits appropriate for a relay
Enable and start the service:
```bash
sudo systemctl enable strfry.service
sudo systemctl start strfry
```
Check the service status:
```bash
sudo systemctl status strfry
```
### Verify Relay is Running
Test that your relay is running locally:
```bash
curl localhost:7777
```
You should see a message indicating that the Strfry relay is running. This confirms that Strfry is properly installed and configured before we proceed to set up TOR.
## Setting Up TOR
Now let's make your relay accessible as a TOR hidden service.
### Install TOR
Install TOR from the package repositories:
```bash
sudo apt install -y tor
```
This installs the TOR daemon that will create and manage your hidden service.
### Configure TOR
Edit the TOR configuration file:
```bash
sudo nano /etc/tor/torrc
```
Scroll down to wherever you see a commented out part like this:
```
#HiddenServiceDir /var/lib/tor/hidden_service/
#HiddenServicePort 80 127.0.0.1:80
```
Under those lines, add the following lines to set up a hidden service for your relay:
```
HiddenServiceDir /var/lib/tor/strfry-relay/
HiddenServicePort 80 127.0.0.1:7777
```
This configuration:
- Creates a hidden service directory at `/var/lib/tor/strfry-relay/`
- Maps port 80 on your .onion address to port 7777 on your local machine
- Keeps all traffic encrypted within the TOR network
Create the directory for your hidden service:
```bash
sudo mkdir -p /var/lib/tor/strfry-relay/
sudo chown debian-tor:debian-tor /var/lib/tor/strfry-relay/
sudo chmod 700 /var/lib/tor/strfry-relay/
```
The strict permissions (700) are crucial for security as they ensure only the debian-tor user can access the directory containing your hidden service private keys.
Restart TOR to apply changes:
```bash
sudo systemctl restart tor
```
## Making Your Relay Available on TOR
### Get Your Onion Address
After restarting TOR, you can find your onion address:
```bash
sudo cat /var/lib/tor/strfry-relay/hostname
```
This will output something like `abcdefghijklmnopqrstuvwxyz234567.onion`, which is your relay's unique .onion address. This is what you'll share with others to access your relay.
### Understanding Onion Addresses
The .onion address is a special-format hostname that is automatically generated based on your hidden service's private key.
Your users will need to use this address with the WebSocket protocol prefix to connect: `ws://youronionaddress.onion`
## Testing Your Setup
### Test with a Nostr Client
The best way to test your relay is with an actual Nostr client that supports TOR:
1. Open your TOR browser
2. Go to your favorite client, either on clearnet or an onion service.
- Check out [this list](https://github.com/0xtrr/onion-service-nostr-clients?tab=readme-ov-file#onion-service-nostr-clients) of nostr clients available over TOR.
3. Add your relay URL: `ws://youronionaddress.onion` to your relay list
4. Try posting a note and see if it appears on your relay
- In some nostr clients, you can also click on a relay to get information about it like the relay name and description you set earlier in the stryfry config. If you're able to see the correct values for the name and the description, you were able to connect to the relay.
- Some nostr clients also gives you a status on what relays a note was posted to, this could also give you an indication that your relay works as expected.
Note that not all Nostr clients support TOR connections natively. Some may require additional configuration or use of TOR Browser. E.g. most mobile apps would most likely require a TOR proxy app running in the background (some have TOR support built in too).
## Maintenance and Security
### Regular Updates
Keep your system, TOR, and relay updated:
```bash
# Update system
sudo apt update
sudo apt upgrade -y
# Update Strfry
cd ~/strfry
git pull
git submodule update
make -j2
sudo cp strfry /usr/local/bin
sudo systemctl restart strfry
# Verify TOR is still running properly
sudo systemctl status tor
```
Regular updates are crucial for security, especially for TOR which may have security-critical updates.
### Database Management
Strfry has built-in database management tools. Check the Strfry documentation for specific commands related to database maintenance, such as managing event retention and performing backups.
### Monitoring Logs
To monitor your Strfry logs:
```bash
sudo journalctl -u strfry -f
```
To check TOR logs:
```bash
sudo journalctl -u tor -f
```
Monitoring logs helps you identify potential issues and understand how your relay is being used.
### Backup
This is not a best practices guide on how to do backups. Preferably, backups should be stored either offline or on a different machine than your relay server. This is just a simple way on how to do it on the same server.
```bash
# Stop the relay temporarily
sudo systemctl stop strfry
# Backup the database
sudo cp -r /var/lib/strfry /path/to/backup/location
# Restart the relay
sudo systemctl start strfry
```
Back up your TOR hidden service private key. The private key is particularly sensitive as it defines your .onion address - losing it means losing your address permanently. If you do a backup of this, ensure that is stored in a safe place where no one else has access to it.
```bash
sudo cp /var/lib/tor/strfry-relay/hs_ed25519_secret_key /path/to/secure/backup/location
```
## Troubleshooting
### Relay Not Starting
If your relay doesn't start:
```bash
# Check logs
sudo journalctl -u strfry -e
# Verify configuration
cat /etc/strfry.conf
# Check permissions
ls -la /var/lib/strfry
```
Common issues include:
- Incorrect configuration format
- Permission problems with the data directory
- Port already in use (another service using port 7777)
- Issues with setting the nofiles limit (setting it too big)
### TOR Hidden Service Not Working
If your TOR hidden service is not accessible:
```bash
# Check TOR logs
sudo journalctl -u tor -e
# Verify TOR is running
sudo systemctl status tor
# Check onion address
sudo cat /var/lib/tor/strfry-relay/hostname
# Verify TOR configuration
sudo cat /etc/tor/torrc
```
Common TOR issues include:
- Incorrect directory permissions
- TOR service not running
- Incorrect port mapping in torrc
### Testing Connectivity
If you're having trouble connecting to your service:
```bash
# Verify Strfry is listening locally
sudo ss -tulpn | grep 7777
# Check that TOR is properly running
sudo systemctl status tor
# Test the local connection directly
curl --include --no-buffer localhost:7777
```
---
## Privacy and Security Considerations
Running a Nostr relay as a TOR hidden service provides several important privacy benefits:
1. **Network Privacy**: Traffic to your relay is encrypted and routed through the TOR network, making it difficult to determine who is connecting to your relay.
2. **Server Anonymity**: The physical location and IP address of your server are concealed, providing protection against denial-of-service attacks and other targeting.
3. **Censorship Resistance**: TOR hidden services are more resilient against censorship attempts, as they don't rely on the regular DNS system and can't be easily blocked.
4. **User Privacy**: Users connecting to your relay through TOR enjoy enhanced privacy, as their connections are also encrypted and anonymized.
However, there are some important considerations:
- TOR connections are typically slower than regular internet connections
- Not all Nostr clients support TOR connections natively
- Running a hidden service increases the importance of keeping your server secure
---
Congratulations! You now have a Strfry Nostr relay running as a TOR hidden service. This setup provides a resilient, privacy-focused, and censorship-resistant communication channel that helps strengthen the Nostr network.
For further customization and advanced configuration options, refer to the [Strfry documentation](https://github.com/hoytech/strfry).
Consider sharing your relay's .onion address with the Nostr community to help grow the privacy-focused segment of the network!
If you plan on providing a relay service that the public can use (either for free or paid for), consider adding it to [this list](https://github.com/0xtrr/onion-service-nostr-relays). Only add it if you plan to run a stable and available relay.
-

@ bc52210b:20bfc6de
2025-03-25 20:17:22
CISA, or Cross-Input Signature Aggregation, is a technique in Bitcoin that allows multiple signatures from different inputs in a transaction to be combined into a single, aggregated signature. This is a big deal because Bitcoin transactions often involve multiple inputs (e.g., spending from different wallet outputs), each requiring its own signature. Normally, these signatures take up space individually, but CISA compresses them into one, making transactions more efficient.
This magic is possible thanks to the linearity property of Schnorr signatures, a type of digital signature introduced to Bitcoin with the Taproot upgrade. Unlike the older ECDSA signatures, Schnorr signatures have mathematical properties that allow multiple signatures to be added together into a single valid signature. Think of it like combining multiple handwritten signatures into one super-signature that still proves everyone signed off!
Fun Fact: CISA was considered for inclusion in Taproot but was left out to keep the upgrade simple and manageable. Adding CISA would’ve made Taproot more complex, so the developers hit pause on it—for now.
---
**CISA vs. Key Aggregation (MuSig, FROST): Don’t Get Confused!**
Before we go deeper, let’s clear up a common mix-up: CISA is not the same as protocols like MuSig or FROST. Here’s why:
* Signature Aggregation (CISA): Combines multiple signatures into one, each potentially tied to different public keys and messages (e.g., different transaction inputs).
* Key Aggregation (MuSig, FROST): Combines multiple public keys into a single aggregated public key, then generates one signature for that key.
**Key Differences:**
1. What’s Aggregated?
* CISA: Aggregates signatures.
* Key Aggregation: Aggregates public keys.
2. What the Verifier Needs
* CISA: The verifier needs all individual public keys and their corresponding messages to check the aggregated signature.
* Key Aggregation: The verifier only needs the single aggregated public key and one message.
3. When It Happens
* CISA: Used during transaction signing, when inputs are being combined into a transaction.
* MuSig: Used during address creation, setting up a multi-signature (multisig) address that multiple parties control.
So, CISA is about shrinking signature data in a transaction, while MuSig/FROST are about simplifying multisig setups. Different tools, different jobs!
---
**Two Flavors of CISA: Half-Agg and Full-Agg**
CISA comes in two modes:
* Full Aggregation (Full-Agg): Interactive, meaning signers need to collaborate during the signing process. (We’ll skip the details here since the query focuses on Half-Agg.)
* Half Aggregation (Half-Agg): Non-interactive, meaning signers can work independently, and someone else can combine the signatures later.
Since the query includes “CISA Part 2: Half Signature Aggregation,” let’s zoom in on Half-Agg.
---
**Half Signature Aggregation (Half-Agg) Explained**
**How It Works**
Half-Agg is a non-interactive way to aggregate Schnorr signatures. Here’s the process:
1. Independent Signing: Each signer creates their own Schnorr signature for their input, without needing to talk to the other signers.
2. Aggregation Step: An aggregator (could be anyone, like a wallet or node) takes all these signatures and combines them into one aggregated signature.
A Schnorr signature has two parts:
* R: A random point (32 bytes).
* s: A scalar value (32 bytes).
In Half-Agg:
* The R values from each signature are kept separate (one per input).
* The s values from all signatures are combined into a single s value.
**Why It Saves Space (~50%)**
Let’s break down the size savings with some math:
Before Aggregation:
* Each Schnorr signature = 64 bytes (32 for R + 32 for s).
* For n inputs: n × 64 bytes.
After Half-Agg:
* Keep n R values (32 bytes each) = 32 × n bytes.
* Combine all s values into one = 32 bytes.
* Total size: 32 × n + 32 bytes.
Comparison:
* Original: 64n bytes.
* Half-Agg: 32n + 32 bytes.
* For large n, the “+32” becomes small compared to 32n, so it’s roughly 32n, which is half of 64n. Hence, ~50% savings!
**Real-World Impact:**
Based on recent Bitcoin usage, Half-Agg could save:
* ~19.3% in space (reducing transaction size).
* ~6.9% in fees (since fees depend on transaction size). This assumes no major changes in how people use Bitcoin post-CISA.
---
**Applications of Half-Agg**
Half-Agg isn’t just a cool idea—it has practical uses:
1. Transaction-wide Aggregation
* Combine all signatures within a single transaction.
* Result: Smaller transactions, lower fees.
2. Block-wide Aggregation
* Combine signatures across all transactions in a Bitcoin block.
* Result: Even bigger space savings at the blockchain level.
3. Off-chain Protocols / P2P
* Use Half-Agg in systems like Lightning Network gossip messages.
* Benefit: Efficiency without needing miners or a Bitcoin soft fork.
---
**Challenges with Half-Agg**
While Half-Agg sounds awesome, it’s not without hurdles, especially at the block level:
1. Breaking Adaptor Signatures
* Adaptor signatures are special signatures used in protocols like Discreet Log Contracts (DLCs) or atomic swaps. They tie a signature to revealing a secret, ensuring fair exchanges.
* Aggregating signatures across a block might mess up these protocols, as the individual signatures get blended together, potentially losing the properties adaptor signatures rely on.
2. Impact on Reorg Recovery
* In Bitcoin, a reorganization (reorg) happens when the blockchain switches to a different chain of blocks. Transactions from the old chain need to be rebroadcast or reprocessed.
* If signatures are aggregated at the block level, it could complicate extracting individual transactions and their signatures during a reorg, slowing down recovery.
These challenges mean Half-Agg needs careful design, especially for block-wide use.
---
**Wrapping Up**
CISA is a clever way to make Bitcoin transactions more efficient by aggregating multiple Schnorr signatures into one, thanks to their linearity property. Half-Agg, the non-interactive mode, lets signers work independently, cutting signature size by about 50% (to 32n + 32 bytes from 64n bytes). It could save ~19.3% in space and ~6.9% in fees, with uses ranging from single transactions to entire blocks or off-chain systems like Lightning.
But watch out—block-wide Half-Agg could trip up adaptor signatures and reorg recovery, so it’s not a slam dunk yet. Still, it’s a promising tool for a leaner, cheaper Bitcoin future!
-

@ b17fccdf:b7211155
2025-03-25 11:23:36
Si vives en España, quizás hayas notado que no puedes acceder a ciertas páginas webs durante los fines de semana o en algunos días entre semana, entre ellas, la [guía de MiniBolt](https://minbolt.info/).
Esto tiene una **razón**, por supuesto una **solución**, además de una **conclusión**. Sin entrar en demasiados detalles:
## La razón
El **bloqueo a Cloudflare**, implementado desde hace casi dos meses por operadores de Internet (ISPs) en España (como Movistar, O2, DIGI, Pepephone, entre otros), se basa en una [orden judicial](https://www.poderjudicial.es/search/AN/openDocument/3c85bed480cbb1daa0a8778d75e36f0d/20221004) emitida tras una demanda de LALIGA (Fútbol). Esta medida busca combatir la piratería en España, un problema que afecta directamente a dicha organización.
Aunque la intención original era restringir el acceso a dominios específicos que difundieran dicho contenido, Cloudflare emplea el protocolo [ECH](https://developers.cloudflare.com/ssl/edge-certificates/ech) (Encrypted Client Hello), que oculta el nombre del dominio, el cual antes se transmitía en texto plano durante el proceso de establecimiento de una conexión TLS. Esta medida dificulta que las operadoras analicen el tráfico para aplicar **bloqueos basados en dominios**, lo que les obliga a recurrir a **bloqueos más amplios por IP o rangos de IP** para cumplir con la orden judicial.
Esta práctica tiene **consecuencias graves**, que han sido completamente ignoradas por quienes la ejecutan. Es bien sabido que una infraestructura de IP puede alojar numerosos dominios, tanto legítimos como no legítimos. La falta de un "ajuste fino" en los bloqueos provoca un **perjuicio para terceros**, **restringiendo el acceso a muchos dominios legítimos** que no tiene relación alguna con actividades ilícitas, pero que comparten las mismas IPs de Cloudflare con dominios cuestionables. Este es el caso de la [web de MiniBolt](https://minibolt.minibolt.info) y su dominio `minibolt.info`, los cuales **utilizan Cloudflare como proxy** para aprovechar las medidas de **seguridad, privacidad, optimización y servicios** adicionales que la plataforma ofrece de forma gratuita.
Si bien este bloqueo parece ser temporal (al menos durante la temporada 24/25 de fútbol, hasta finales de mayo), es posible que se reactive con el inicio de la nueva temporada.

## La solución
Obviamente, **MiniBolt no dejará de usar Cloudflare** como proxy por esta razón. Por lo que a continuación se exponen algunas medidas que como usuario puedes tomar para **evitar esta restricción** y poder acceder:
**~>** Utiliza **una VPN**:
Existen varias soluciones de proveedores de VPN, ordenadas según su reputación en privacidad:
- [IVPN](https://www.ivpn.net/es/)
- [Mullvad VPN](https://mullvad.net/es/vpn)
- [Proton VPN](https://protonvpn.com/es-es) (**gratis**)
- [Obscura VPN](https://obscura.net/) (**solo para macOS**)
- [Cloudfare WARP](https://developers.cloudflare.com/cloudflare-one/connections/connect-devices/warp/download-warp/) (**gratis**) + permite utilizar el modo proxy local para enrutar solo la navegación, debes utilizar la opción "WARP a través de proxy local" siguiendo estos pasos:
1. Inicia Cloudflare WARP y dentro de la pequeña interfaz haz click en la rueda dentada abajo a la derecha > "Preferencias" > "Avanzado" > "Configurar el modo proxy"
2. Marca la casilla "Habilite el modo proxy en este dispositivo"
3. Elige un "Puerto de escucha de proxy" entre 0-65535. ej: 1080, haz click en "Aceptar" y cierra la ventana de preferencias
4. Accede de nuevo a Cloudflare WARP y pulsa sobre el switch para habilitar el servicio.
3. Ahora debes apuntar el proxy del navegador a Cloudflare WARP, la configuración del navegador es similar a [esta](https://minibolt.minibolt.info/system/system/privacy#example-from-firefox) para el caso de navegadores basados en Firefox. Una vez hecho, deberías poder acceder a la [guía de MiniBolt](https://minibolt.minibolt.info/) sin problemas. Si tienes dudas, déjalas en comentarios e intentaré resolverlas. Más info [AQUÍ](https://bandaancha.eu/articulos/como-saltarse-bloqueo-webs-warp-vpn-9958).

**~>** [**Proxifica tu navegador para usar la red de Tor**](https://minibolt.minibolt.info/system/system/privacy#ssh-remote-access-through-tor), o utiliza el [**navegador oficial de Tor**](https://www.torproject.org/es/download/) (recomendado).

## La conclusión
Estos hechos ponen en tela de juicio los principios fundamentales de la neutralidad de la red, pilares esenciales de la [Declaración de Independencia del Ciberespacio](https://es.wikisource.org/wiki/Declaraci%C3%B3n_de_independencia_del_ciberespacio) que defiende un internet libre, sin restricciones ni censura. Dichos principios se han visto quebrantados sin precedentes en este país, confirmando que ese futuro distópico que muchos negaban, ya es una realidad.
Es momento de actuar y estar preparados: debemos **impulsar el desarrollo y la difusión** de las **herramientas anticensura** que tenemos a nuestro alcance, protegiendo así la **libertad digital** y asegurando un acceso equitativo a la información para todos
Este compromiso es uno de los **pilares fundamentales de MiniBolt,** lo que convierte este desafío en una oportunidad para poner a prueba las **soluciones anticensura** [ya disponibles](https://minibolt.minibolt.info/bonus-guides/system/tor-services), así como **las que están en camino**.
¡Censúrame si puedes, legislador! ¡La lucha por la privacidad y la libertad en Internet ya está en marcha!

---
Fuentes:
* https://bandaancha.eu/articulos/movistar-o2-deja-clientes-sin-acceso-11239
* https://bandaancha.eu/articulos/esta-nueva-sentencia-autoriza-bloqueos-11257
* https://bandaancha.eu/articulos/como-saltarse-bloqueo-webs-warp-vpn-9958
* https://bandaancha.eu/articulos/como-activar-ech-chrome-acceder-webs-10689
* https://comunidad.movistar.es/t5/Soporte-Fibra-y-ADSL/Problema-con-web-que-usan-Cloudflare/td-p/5218007
-

@ 3b7fc823:e194354f
2025-03-23 03:54:16
A quick guide for the less than technical savvy to set up their very own free private tor enabled email using Onionmail. Privacy is for everyone, not just the super cyber nerds.
Onion Mail is an anonymous POP3/SMTP email server program hosted by various people on the internet. You can visit this site and read the details: https://en.onionmail.info/
1. Download Tor Browser
First, if you don't already, go download Tor Browser. You are going to need it. https://www.torproject.org/
2. Sign Up
Using Tor browser go to the directory page (https://onionmail.info/directory.html) choose one of the servers and sign up for an account. I say sign up but it is just choosing a user name you want to go before the @xyz.onion email address and solving a captcha.
3. Account information
Once you are done signing up an Account information page will pop up. **MAKE SURE YOU SAVE THIS!!!** It has your address and passwords (for sending and receiving email) that you will need. If you lose them then you are shit out of luck.
4. Install an Email Client
You can use Claws Mail, Neomutt, or whatever, but for this example, we will be using Thunderbird.
a. Download Thunderbird email client
b. The easy setup popup page that wants your name, email, and password isn't going to like your user@xyz.onion address. Just enter something that looks like a regular email address such as name@example.com and the **Configure Manually**option will appear below. Click that.
5. Configure Incoming (POP3) Server
Under Incoming Server:
Protocol: POP3
Server or Hostname: xyz.onion (whatever your account info says)
Port: 110
Security: STARTTLS
Authentication: Normal password
Username: (your username)
Password: (POP3 password).
6. Configure Outgoing (SMTP) Server
Under Outgoing Server:
Server or Hostname: xyz.onion (whatever your account info says)
Port: 25
Security: STARTTLS
Authentication: Normal password
Username: (your username)
Password: (SMTP password).
7. Click on email at the top and change your address if you had to use a spoof one to get the configure manually to pop up.
8. Configure Proxy
a. Click the **gear icon** on the bottom left for settings. Scroll all the way down to **Network & Disk Space**. Click the **settings button** next to **Connection. Configure how Thunderbird connects to the internet**.
b. Select **Manual Proxy Configuration**. For **SOCKS Host** enter **127.0.0.1** and enter port **9050**. (if you are running this through a VM the port may be different)
c. Now check the box for **SOCKS5** and then **Proxy DNS when using SOCKS5** down at the bottom. Click OK
9. Check Email
For thunderbird to reach the onion mail server it has to be connected to tor. Depending on your local setup, it might be fine as is or you might have to have tor browser open in the background. Click on **inbox** and then the **little cloud icon** with the down arrow to check mail.
10. Security Exception
Thunderbird is not going to like that the onion mail server security certificate is self signed. A popup **Add Security Exception** will appear. Click **Confirm Security Exception**.
You are done. Enjoy your new private email service.
**REMEMBER: The server can read your emails unless they are encrypted. Go into account settings. Look down and click End-toEnd Encryption. Then add your OpenPGP key or open your OpenPGP Key Manager (you might have to download one if you don't already have one) and generate a new key for this account.**
-

@ 21335073:a244b1ad
2025-03-18 20:47:50
**Warning: This piece contains a conversation about difficult topics. Please proceed with caution.**
TL;DR please educate your children about online safety.
Julian Assange wrote in his 2012 book *Cypherpunks*, “This book is not a manifesto. There isn’t time for that. This book is a warning.” I read it a few times over the past summer. Those opening lines definitely stood out to me. I wish we had listened back then. He saw something about the internet that few had the ability to see. There are some individuals who are so close to a topic that when they speak, it’s difficult for others who aren’t steeped in it to visualize what they’re talking about. I didn’t read the book until more recently. If I had read it when it came out, it probably would have sounded like an unknown foreign language to me. Today it makes more sense.
This isn’t a manifesto. This isn’t a book. There is no time for that. It’s a warning and a possible solution from a desperate and determined survivor advocate who has been pulling and unraveling a thread for a few years. At times, I feel too close to this topic to make any sense trying to convey my pathway to my conclusions or thoughts to the general public. My hope is that if nothing else, I can convey my sense of urgency while writing this. This piece is a watchman’s warning.
When a child steps online, they are walking into a new world. A new reality. When you hand a child the internet, you are handing them possibilities—good, bad, and ugly. This is a conversation about lowering the potential of negative outcomes of stepping into that new world and how I came to these conclusions. I constantly compare the internet to the road. You wouldn’t let a young child run out into the road with no guidance or safety precautions. When you hand a child the internet without any type of guidance or safety measures, you are allowing them to play in rush hour, oncoming traffic. “Look left, look right for cars before crossing.” We almost all have been taught that as children. What are we taught as humans about safety before stepping into a completely different reality like the internet? Very little.
I could never really figure out why many folks in tech, privacy rights activists, and hackers seemed so cold to me while talking about online child sexual exploitation. I always figured that as a survivor advocate for those affected by these crimes, that specific, skilled group of individuals would be very welcoming and easy to talk to about such serious topics. I actually had one hacker laugh in my face when I brought it up while I was looking for answers. I thought maybe this individual thought I was accusing them of something I wasn’t, so I felt bad for asking. I was constantly extremely disappointed and would ask myself, “Why don’t they care? What could I say to make them care more? What could I say to make them understand the crisis and the level of suffering that happens as a result of the problem?”
I have been serving minor survivors of online child sexual exploitation for years. My first case serving a survivor of this specific crime was in 2018—a 13-year-old girl sexually exploited by a serial predator on Snapchat. That was my first glimpse into this side of the internet. I won a national award for serving the minor survivors of Twitter in 2023, but I had been working on that specific project for a few years. I was nominated by a lawyer representing two survivors in a legal battle against the platform. I’ve never really spoken about this before, but at the time it was a choice for me between fighting Snapchat or Twitter. I chose Twitter—or rather, Twitter chose me. I heard about the story of John Doe #1 and John Doe #2, and I was so unbelievably broken over it that I went to war for multiple years. I was and still am royally pissed about that case. As far as I was concerned, the John Doe #1 case proved that whatever was going on with corporate tech social media was so out of control that I didn’t have time to wait, so I got to work. It was reading the messages that John Doe #1 sent to Twitter begging them to remove his sexual exploitation that broke me. He was a child begging adults to do something. A passion for justice and protecting kids makes you do wild things. I was desperate to find answers about what happened and searched for solutions. In the end, the platform Twitter was purchased. During the acquisition, I just asked Mr. Musk nicely to prioritize the issue of detection and removal of child sexual exploitation without violating digital privacy rights or eroding end-to-end encryption. Elon thanked me multiple times during the acquisition, made some changes, and I was thanked by others on the survivors’ side as well.
I still feel that even with the progress made, I really just scratched the surface with Twitter, now X. I left that passion project when I did for a few reasons. I wanted to give new leadership time to tackle the issue. Elon Musk made big promises that I knew would take a while to fulfill, but mostly I had been watching global legislation transpire around the issue, and frankly, the governments are willing to go much further with X and the rest of corporate tech than I ever would. My work begging Twitter to make changes with easier reporting of content, detection, and removal of child sexual exploitation material—without violating privacy rights or eroding end-to-end encryption—and advocating for the minor survivors of the platform went as far as my principles would have allowed. I’m grateful for that experience. I was still left with a nagging question: “How did things get so bad with Twitter where the John Doe #1 and John Doe #2 case was able to happen in the first place?” I decided to keep looking for answers. I decided to keep pulling the thread.
I never worked for Twitter. This is often confusing for folks. I will say that despite being disappointed in the platform’s leadership at times, I loved Twitter. I saw and still see its value. I definitely love the survivors of the platform, but I also loved the platform. I was a champion of the platform’s ability to give folks from virtually around the globe an opportunity to speak and be heard.
I want to be clear that John Doe #1 really is my why. He is the inspiration. I am writing this because of him. He represents so many globally, and I’m still inspired by his bravery. One child’s voice begging adults to do something—I’m an adult, I heard him. I’d go to war a thousand more lifetimes for that young man, and I don’t even know his name. Fighting has been personally dark at times; I’m not even going to try to sugarcoat it, but it has been worth it.
The data surrounding the very real crime of online child sexual exploitation is available to the public online at any time for anyone to see. I’d encourage you to go look at the data for yourself. I believe in encouraging folks to check multiple sources so that you understand the full picture. If you are uncomfortable just searching around the internet for information about this topic, use the terms “CSAM,” “CSEM,” “SG-CSEM,” or “AI Generated CSAM.” The numbers don’t lie—it’s a nightmare that’s out of control. It’s a big business. The demand is high, and unfortunately, business is booming. Organizations collect the data, tech companies often post their data, governments report frequently, and the corporate press has covered a decent portion of the conversation, so I’m sure you can find a source that you trust.
Technology is changing rapidly, which is great for innovation as a whole but horrible for the crime of online child sexual exploitation. Those wishing to exploit the vulnerable seem to be adapting to each technological change with ease. The governments are so far behind with tackling these issues that as I’m typing this, it’s borderline irrelevant to even include them while speaking about the crime or potential solutions. Technology is changing too rapidly, and their old, broken systems can’t even dare to keep up. Think of it like the governments’ “War on Drugs.” Drugs won. In this case as well, the governments are not winning. The governments are talking about maybe having a meeting on potentially maybe having legislation around the crimes. The time to have that meeting would have been many years ago. I’m not advocating for governments to legislate our way out of this. I’m on the side of educating and innovating our way out of this.
I have been clear while advocating for the minor survivors of corporate tech platforms that I would not advocate for any solution to the crime that would violate digital privacy rights or erode end-to-end encryption. That has been a personal moral position that I was unwilling to budge on. This is an extremely unpopular and borderline nonexistent position in the anti-human trafficking movement and online child protection space. I’m often fearful that I’m wrong about this. I have always thought that a better pathway forward would have been to incentivize innovation for detection and removal of content. I had no previous exposure to privacy rights activists or Cypherpunks—actually, I came to that conclusion by listening to the voices of MENA region political dissidents and human rights activists. After developing relationships with human rights activists from around the globe, I realized how important privacy rights and encryption are for those who need it most globally. I was simply unwilling to give more power, control, and opportunities for mass surveillance to big abusers like governments wishing to enslave entire nations and untrustworthy corporate tech companies to potentially end some portion of abuses online. On top of all of it, it has been clear to me for years that all potential solutions outside of violating digital privacy rights to detect and remove child sexual exploitation online have not yet been explored aggressively. I’ve been disappointed that there hasn’t been more of a conversation around preventing the crime from happening in the first place.
What has been tried is mass surveillance. In China, they are currently under mass surveillance both online and offline, and their behaviors are attached to a social credit score. Unfortunately, even on state-run and controlled social media platforms, they still have child sexual exploitation and abuse imagery pop up along with other crimes and human rights violations. They also have a thriving black market online due to the oppression from the state. In other words, even an entire loss of freedom and privacy cannot end the sexual exploitation of children online. It’s been tried. There is no reason to repeat this method.
It took me an embarrassingly long time to figure out why I always felt a slight coldness from those in tech and privacy-minded individuals about the topic of child sexual exploitation online. I didn’t have any clue about the “Four Horsemen of the Infocalypse.” This is a term coined by Timothy C. May in 1988. I would have been a child myself when he first said it. I actually laughed at myself when I heard the phrase for the first time. I finally got it. The Cypherpunks weren’t wrong about that topic. They were so spot on that it is borderline uncomfortable. I was mad at first that they knew that early during the birth of the internet that this issue would arise and didn’t address it. Then I got over it because I realized that it wasn’t their job. Their job was—is—to write code. Their job wasn’t to be involved and loving parents or survivor advocates. Their job wasn’t to educate children on internet safety or raise awareness; their job was to write code.
They knew that child sexual abuse material would be shared on the internet. They said what would happen—not in a gleeful way, but a prediction. Then it happened.
I equate it now to a concrete company laying down a road. As you’re pouring the concrete, you can say to yourself, “A terrorist might travel down this road to go kill many, and on the flip side, a beautiful child can be born in an ambulance on this road.” Who or what travels down the road is not their responsibility—they are just supposed to lay the concrete. I’d never go to a concrete pourer and ask them to solve terrorism that travels down roads. Under the current system, law enforcement should stop terrorists before they even make it to the road. The solution to this specific problem is not to treat everyone on the road like a terrorist or to not build the road.
So I understand the perceived coldness from those in tech. Not only was it not their job, but bringing up the topic was seen as the equivalent of asking a free person if they wanted to discuss one of the four topics—child abusers, terrorists, drug dealers, intellectual property pirates, etc.—that would usher in digital authoritarianism for all who are online globally.
Privacy rights advocates and groups have put up a good fight. They stood by their principles. Unfortunately, when it comes to corporate tech, I believe that the issue of privacy is almost a complete lost cause at this point. It’s still worth pushing back, but ultimately, it is a losing battle—a ticking time bomb.
I do think that corporate tech providers could have slowed down the inevitable loss of privacy at the hands of the state by prioritizing the detection and removal of CSAM when they all started online. I believe it would have bought some time, fewer would have been traumatized by that specific crime, and I do believe that it could have slowed down the demand for content. If I think too much about that, I’ll go insane, so I try to push the “if maybes” aside, but never knowing if it could have been handled differently will forever haunt me. At night when it’s quiet, I wonder what I would have done differently if given the opportunity. I’ll probably never know how much corporate tech knew and ignored in the hopes that it would go away while the problem continued to get worse. They had different priorities. The most voiceless and vulnerable exploited on corporate tech never had much of a voice, so corporate tech providers didn’t receive very much pushback.
Now I’m about to say something really wild, and you can call me whatever you want to call me, but I’m going to say what I believe to be true. I believe that the governments are either so incompetent that they allowed the proliferation of CSAM online, or they knowingly allowed the problem to fester long enough to have an excuse to violate privacy rights and erode end-to-end encryption. The US government could have seized the corporate tech providers over CSAM, but I believe that they were so useful as a propaganda arm for the regimes that they allowed them to continue virtually unscathed.
That season is done now, and the governments are making the issue a priority. It will come at a high cost. Privacy on corporate tech providers is virtually done as I’m typing this. It feels like a death rattle. I’m not particularly sure that we had much digital privacy to begin with, but the illusion of a veil of privacy feels gone.
To make matters slightly more complex, it would be hard to convince me that once AI really gets going, digital privacy will exist at all.
I believe that there should be a conversation shift to preserving freedoms and human rights in a post-privacy society.
I don’t want to get locked up because AI predicted a nasty post online from me about the government. I’m not a doomer about AI—I’m just going to roll with it personally. I’m looking forward to the positive changes that will be brought forth by AI. I see it as inevitable. A bit of privacy was helpful while it lasted. Please keep fighting to preserve what is left of privacy either way because I could be wrong about all of this.
On the topic of AI, the addition of AI to the horrific crime of child sexual abuse material and child sexual exploitation in multiple ways so far has been devastating. It’s currently out of control. The genie is out of the bottle. I am hopeful that innovation will get us humans out of this, but I’m not sure how or how long it will take. We must be extremely cautious around AI legislation. It should not be illegal to innovate even if some bad comes with the good. I don’t trust that the governments are equipped to decide the best pathway forward for AI. Source: the entire history of the government.
I have been personally negatively impacted by AI-generated content. Every few days, I get another alert that I’m featured again in what’s called “deep fake pornography” without my consent. I’m not happy about it, but what pains me the most is the thought that for a period of time down the road, many globally will experience what myself and others are experiencing now by being digitally sexually abused in this way. If you have ever had your picture taken and posted online, you are also at risk of being exploited in this way. Your child’s image can be used as well, unfortunately, and this is just the beginning of this particular nightmare. It will move to more realistic interpretations of sexual behaviors as technology improves. I have no brave words of wisdom about how to deal with that emotionally. I do have hope that innovation will save the day around this specific issue. I’m nervous that everyone online will have to ID verify due to this issue. I see that as one possible outcome that could help to prevent one problem but inadvertently cause more problems, especially for those living under authoritarian regimes or anyone who needs to remain anonymous online. A zero-knowledge proof (ZKP) would probably be the best solution to these issues. There are some survivors of violence and/or sexual trauma who need to remain anonymous online for various reasons. There are survivor stories available online of those who have been abused in this way. I’d encourage you seek out and listen to their stories.
There have been periods of time recently where I hesitate to say anything at all because more than likely AI will cover most of my concerns about education, awareness, prevention, detection, and removal of child sexual exploitation online, etc.
Unfortunately, some of the most pressing issues we’ve seen online over the last few years come in the form of “sextortion.” Self-generated child sexual exploitation (SG-CSEM) numbers are continuing to be terrifying. I’d strongly encourage that you look into sextortion data. AI + sextortion is also a huge concern. The perpetrators are using the non-sexually explicit images of children and putting their likeness on AI-generated child sexual exploitation content and extorting money, more imagery, or both from minors online. It’s like a million nightmares wrapped into one. The wild part is that these issues will only get more pervasive because technology is harnessed to perpetuate horror at a scale unimaginable to a human mind.
Even if you banned phones and the internet or tried to prevent children from accessing the internet, it wouldn’t solve it. Child sexual exploitation will still be with us until as a society we start to prevent the crime before it happens. That is the only human way out right now.
There is no reset button on the internet, but if I could go back, I’d tell survivor advocates to heed the warnings of the early internet builders and to start education and awareness campaigns designed to prevent as much online child sexual exploitation as possible. The internet and technology moved quickly, and I don’t believe that society ever really caught up. We live in a world where a child can be groomed by a predator in their own home while sitting on a couch next to their parents watching TV. We weren’t ready as a species to tackle the fast-paced algorithms and dangers online. It happened too quickly for parents to catch up. How can you parent for the ever-changing digital world unless you are constantly aware of the dangers?
I don’t think that the internet is inherently bad. I believe that it can be a powerful tool for freedom and resistance. I’ve spoken a lot about the bad online, but there is beauty as well. We often discuss how victims and survivors are abused online; we rarely discuss the fact that countless survivors around the globe have been able to share their experiences, strength, hope, as well as provide resources to the vulnerable. I do question if giving any government or tech company access to censorship, surveillance, etc., online in the name of serving survivors might not actually impact a portion of survivors negatively. There are a fair amount of survivors with powerful abusers protected by governments and the corporate press. If a survivor cannot speak to the press about their abuse, the only place they can go is online, directly or indirectly through an independent journalist who also risks being censored. This scenario isn’t hard to imagine—it already happened in China. During #MeToo, a survivor in China wanted to post their story. The government censored the post, so the survivor put their story on the blockchain. I’m excited that the survivor was creative and brave, but it’s terrifying to think that we live in a world where that situation is a necessity.
I believe that the future for many survivors sharing their stories globally will be on completely censorship-resistant and decentralized protocols. This thought in particular gives me hope. When we listen to the experiences of a diverse group of survivors, we can start to understand potential solutions to preventing the crimes from happening in the first place.
My heart is broken over the gut-wrenching stories of survivors sexually exploited online. Every time I hear the story of a survivor, I do think to myself quietly, “What could have prevented this from happening in the first place?” My heart is with survivors.
My head, on the other hand, is full of the understanding that the internet should remain free. The free flow of information should not be stopped. My mind is with the innocent citizens around the globe that deserve freedom both online and offline.
The problem is that governments don’t only want to censor illegal content that violates human rights—they create legislation that is so broad that it can impact speech and privacy of all. “Don’t you care about the kids?” Yes, I do. I do so much that I’m invested in finding solutions. I also care about all citizens around the globe that deserve an opportunity to live free from a mass surveillance society. If terrorism happens online, I should not be punished by losing my freedom. If drugs are sold online, I should not be punished. I’m not an abuser, I’m not a terrorist, and I don’t engage in illegal behaviors. I refuse to lose freedom because of others’ bad behaviors online.
I want to be clear that on a long enough timeline, the governments will decide that they can be better parents/caregivers than you can if something isn’t done to stop minors from being sexually exploited online. The price will be a complete loss of anonymity, privacy, free speech, and freedom of religion online. I find it rather insulting that governments think they’re better equipped to raise children than parents and caretakers.
So we can’t go backwards—all that we can do is go forward. Those who want to have freedom will find technology to facilitate their liberation. This will lead many over time to decentralized and open protocols. So as far as I’m concerned, this does solve a few of my worries—those who need, want, and deserve to speak freely online will have the opportunity in most countries—but what about online child sexual exploitation?
When I popped up around the decentralized space, I was met with the fear of censorship. I’m not here to censor you. I don’t write code. I couldn’t censor anyone or any piece of content even if I wanted to across the internet, no matter how depraved. I don’t have the skills to do that.
I’m here to start a conversation. Freedom comes at a cost. You must always fight for and protect your freedom. I can’t speak about protecting yourself from all of the Four Horsemen because I simply don’t know the topics well enough, but I can speak about this one topic.
If there was a shortcut to ending online child sexual exploitation, I would have found it by now. There isn’t one right now. I believe that education is the only pathway forward to preventing the crime of online child sexual exploitation for future generations.
I propose a yearly education course for every child of all school ages, taught as a standard part of the curriculum. Ideally, parents/caregivers would be involved in the education/learning process.
**Course:**
- The creation of the internet and computers
- The fight for cryptography
- The tech supply chain from the ground up (example: human rights violations in the supply chain)
- Corporate tech
- Freedom tech
- Data privacy
- Digital privacy rights
- AI (history-current)
- Online safety (predators, scams, catfishing, extortion)
- Bitcoin
- Laws
- How to deal with online hate and harassment
- Information on who to contact if you are being abused online or offline
- Algorithms
- How to seek out the truth about news, etc., online
The parents/caregivers, homeschoolers, unschoolers, and those working to create decentralized parallel societies have been an inspiration while writing this, but my hope is that all children would learn this course, even in government ran schools. Ideally, parents would teach this to their own children.
The decentralized space doesn’t want child sexual exploitation to thrive. Here’s the deal: there has to be a strong prevention effort in order to protect the next generation. The internet isn’t going anywhere, predators aren’t going anywhere, and I’m not down to let anyone have the opportunity to prove that there is a need for more government. I don’t believe that the government should act as parents. The governments have had a chance to attempt to stop online child sexual exploitation, and they didn’t do it. Can we try a different pathway forward?
I’d like to put myself out of a job. I don’t want to ever hear another story like John Doe #1 ever again. This will require work. I’ve often called online child sexual exploitation the lynchpin for the internet. It’s time to arm generations of children with knowledge and tools. I can’t do this alone.
Individuals have fought so that I could have freedom online. I want to fight to protect it. I don’t want child predators to give the government any opportunity to take away freedom. Decentralized spaces are as close to a reset as we’ll get with the opportunity to do it right from the start. Start the youth off correctly by preventing potential hazards to the best of your ability.
The good news is anyone can work on this! I’d encourage you to take it and run with it. I added the additional education about the history of the internet to make the course more educational and fun. Instead of cleaning up generations of destroyed lives due to online sexual exploitation, perhaps this could inspire generations of those who will build our futures. Perhaps if the youth is armed with knowledge, they can create more tools to prevent the crime.
This one solution that I’m suggesting can be done on an individual level or on a larger scale. It should be adjusted depending on age, learning style, etc. It should be fun and playful.
This solution does not address abuse in the home or some of the root causes of offline child sexual exploitation. My hope is that it could lead to some survivors experiencing abuse in the home an opportunity to disclose with a trusted adult. The purpose for this solution is to prevent the crime of online child sexual exploitation before it occurs and to arm the youth with the tools to contact safe adults if and when it happens.
In closing, I went to hell a few times so that you didn’t have to. I spoke to the mothers of survivors of minors sexually exploited online—their tears could fill rivers. I’ve spoken with political dissidents who yearned to be free from authoritarian surveillance states. The only balance that I’ve found is freedom online for citizens around the globe and prevention from the dangers of that for the youth. Don’t slow down innovation and freedom. Educate, prepare, adapt, and look for solutions.
I’m not perfect and I’m sure that there are errors in this piece. I hope that you find them and it starts a conversation.
-

@ 21335073:a244b1ad
2025-03-18 14:43:08
**Warning: This piece contains a conversation about difficult topics. Please proceed with caution.**
TL;DR please educate your children about online safety.
Julian Assange wrote in his 2012 book *Cypherpunks*, “This book is not a manifesto. There isn’t time for that. This book is a warning.” I read it a few times over the past summer. Those opening lines definitely stood out to me. I wish we had listened back then. He saw something about the internet that few had the ability to see. There are some individuals who are so close to a topic that when they speak, it’s difficult for others who aren’t steeped in it to visualize what they’re talking about. I didn’t read the book until more recently. If I had read it when it came out, it probably would have sounded like an unknown foreign language to me. Today it makes more sense.
This isn’t a manifesto. This isn’t a book. There is no time for that. It’s a warning and a possible solution from a desperate and determined survivor advocate who has been pulling and unraveling a thread for a few years. At times, I feel too close to this topic to make any sense trying to convey my pathway to my conclusions or thoughts to the general public. My hope is that if nothing else, I can convey my sense of urgency while writing this. This piece is a watchman’s warning.
When a child steps online, they are walking into a new world. A new reality. When you hand a child the internet, you are handing them possibilities—good, bad, and ugly. This is a conversation about lowering the potential of negative outcomes of stepping into that new world and how I came to these conclusions. I constantly compare the internet to the road. You wouldn’t let a young child run out into the road with no guidance or safety precautions. When you hand a child the internet without any type of guidance or safety measures, you are allowing them to play in rush hour, oncoming traffic. “Look left, look right for cars before crossing.” We almost all have been taught that as children. What are we taught as humans about safety before stepping into a completely different reality like the internet? Very little.
I could never really figure out why many folks in tech, privacy rights activists, and hackers seemed so cold to me while talking about online child sexual exploitation. I always figured that as a survivor advocate for those affected by these crimes, that specific, skilled group of individuals would be very welcoming and easy to talk to about such serious topics. I actually had one hacker laugh in my face when I brought it up while I was looking for answers. I thought maybe this individual thought I was accusing them of something I wasn’t, so I felt bad for asking. I was constantly extremely disappointed and would ask myself, “Why don’t they care? What could I say to make them care more? What could I say to make them understand the crisis and the level of suffering that happens as a result of the problem?”
I have been serving minor survivors of online child sexual exploitation for years. My first case serving a survivor of this specific crime was in 2018—a 13-year-old girl sexually exploited by a serial predator on Snapchat. That was my first glimpse into this side of the internet. I won a national award for serving the minor survivors of Twitter in 2023, but I had been working on that specific project for a few years. I was nominated by a lawyer representing two survivors in a legal battle against the platform. I’ve never really spoken about this before, but at the time it was a choice for me between fighting Snapchat or Twitter. I chose Twitter—or rather, Twitter chose me. I heard about the story of John Doe #1 and John Doe #2, and I was so unbelievably broken over it that I went to war for multiple years. I was and still am royally pissed about that case. As far as I was concerned, the John Doe #1 case proved that whatever was going on with corporate tech social media was so out of control that I didn’t have time to wait, so I got to work. It was reading the messages that John Doe #1 sent to Twitter begging them to remove his sexual exploitation that broke me. He was a child begging adults to do something. A passion for justice and protecting kids makes you do wild things. I was desperate to find answers about what happened and searched for solutions. In the end, the platform Twitter was purchased. During the acquisition, I just asked Mr. Musk nicely to prioritize the issue of detection and removal of child sexual exploitation without violating digital privacy rights or eroding end-to-end encryption. Elon thanked me multiple times during the acquisition, made some changes, and I was thanked by others on the survivors’ side as well.
I still feel that even with the progress made, I really just scratched the surface with Twitter, now X. I left that passion project when I did for a few reasons. I wanted to give new leadership time to tackle the issue. Elon Musk made big promises that I knew would take a while to fulfill, but mostly I had been watching global legislation transpire around the issue, and frankly, the governments are willing to go much further with X and the rest of corporate tech than I ever would. My work begging Twitter to make changes with easier reporting of content, detection, and removal of child sexual exploitation material—without violating privacy rights or eroding end-to-end encryption—and advocating for the minor survivors of the platform went as far as my principles would have allowed. I’m grateful for that experience. I was still left with a nagging question: “How did things get so bad with Twitter where the John Doe #1 and John Doe #2 case was able to happen in the first place?” I decided to keep looking for answers. I decided to keep pulling the thread.
I never worked for Twitter. This is often confusing for folks. I will say that despite being disappointed in the platform’s leadership at times, I loved Twitter. I saw and still see its value. I definitely love the survivors of the platform, but I also loved the platform. I was a champion of the platform’s ability to give folks from virtually around the globe an opportunity to speak and be heard.
I want to be clear that John Doe #1 really is my why. He is the inspiration. I am writing this because of him. He represents so many globally, and I’m still inspired by his bravery. One child’s voice begging adults to do something—I’m an adult, I heard him. I’d go to war a thousand more lifetimes for that young man, and I don’t even know his name. Fighting has been personally dark at times; I’m not even going to try to sugarcoat it, but it has been worth it.
The data surrounding the very real crime of online child sexual exploitation is available to the public online at any time for anyone to see. I’d encourage you to go look at the data for yourself. I believe in encouraging folks to check multiple sources so that you understand the full picture. If you are uncomfortable just searching around the internet for information about this topic, use the terms “CSAM,” “CSEM,” “SG-CSEM,” or “AI Generated CSAM.” The numbers don’t lie—it’s a nightmare that’s out of control. It’s a big business. The demand is high, and unfortunately, business is booming. Organizations collect the data, tech companies often post their data, governments report frequently, and the corporate press has covered a decent portion of the conversation, so I’m sure you can find a source that you trust.
Technology is changing rapidly, which is great for innovation as a whole but horrible for the crime of online child sexual exploitation. Those wishing to exploit the vulnerable seem to be adapting to each technological change with ease. The governments are so far behind with tackling these issues that as I’m typing this, it’s borderline irrelevant to even include them while speaking about the crime or potential solutions. Technology is changing too rapidly, and their old, broken systems can’t even dare to keep up. Think of it like the governments’ “War on Drugs.” Drugs won. In this case as well, the governments are not winning. The governments are talking about maybe having a meeting on potentially maybe having legislation around the crimes. The time to have that meeting would have been many years ago. I’m not advocating for governments to legislate our way out of this. I’m on the side of educating and innovating our way out of this.
I have been clear while advocating for the minor survivors of corporate tech platforms that I would not advocate for any solution to the crime that would violate digital privacy rights or erode end-to-end encryption. That has been a personal moral position that I was unwilling to budge on. This is an extremely unpopular and borderline nonexistent position in the anti-human trafficking movement and online child protection space. I’m often fearful that I’m wrong about this. I have always thought that a better pathway forward would have been to incentivize innovation for detection and removal of content. I had no previous exposure to privacy rights activists or Cypherpunks—actually, I came to that conclusion by listening to the voices of MENA region political dissidents and human rights activists. After developing relationships with human rights activists from around the globe, I realized how important privacy rights and encryption are for those who need it most globally. I was simply unwilling to give more power, control, and opportunities for mass surveillance to big abusers like governments wishing to enslave entire nations and untrustworthy corporate tech companies to potentially end some portion of abuses online. On top of all of it, it has been clear to me for years that all potential solutions outside of violating digital privacy rights to detect and remove child sexual exploitation online have not yet been explored aggressively. I’ve been disappointed that there hasn’t been more of a conversation around preventing the crime from happening in the first place.
What has been tried is mass surveillance. In China, they are currently under mass surveillance both online and offline, and their behaviors are attached to a social credit score. Unfortunately, even on state-run and controlled social media platforms, they still have child sexual exploitation and abuse imagery pop up along with other crimes and human rights violations. They also have a thriving black market online due to the oppression from the state. In other words, even an entire loss of freedom and privacy cannot end the sexual exploitation of children online. It’s been tried. There is no reason to repeat this method.
It took me an embarrassingly long time to figure out why I always felt a slight coldness from those in tech and privacy-minded individuals about the topic of child sexual exploitation online. I didn’t have any clue about the “Four Horsemen of the Infocalypse.” This is a term coined by Timothy C. May in 1988. I would have been a child myself when he first said it. I actually laughed at myself when I heard the phrase for the first time. I finally got it. The Cypherpunks weren’t wrong about that topic. They were so spot on that it is borderline uncomfortable. I was mad at first that they knew that early during the birth of the internet that this issue would arise and didn’t address it. Then I got over it because I realized that it wasn’t their job. Their job was—is—to write code. Their job wasn’t to be involved and loving parents or survivor advocates. Their job wasn’t to educate children on internet safety or raise awareness; their job was to write code.
They knew that child sexual abuse material would be shared on the internet. They said what would happen—not in a gleeful way, but a prediction. Then it happened.
I equate it now to a concrete company laying down a road. As you’re pouring the concrete, you can say to yourself, “A terrorist might travel down this road to go kill many, and on the flip side, a beautiful child can be born in an ambulance on this road.” Who or what travels down the road is not their responsibility—they are just supposed to lay the concrete. I’d never go to a concrete pourer and ask them to solve terrorism that travels down roads. Under the current system, law enforcement should stop terrorists before they even make it to the road. The solution to this specific problem is not to treat everyone on the road like a terrorist or to not build the road.
So I understand the perceived coldness from those in tech. Not only was it not their job, but bringing up the topic was seen as the equivalent of asking a free person if they wanted to discuss one of the four topics—child abusers, terrorists, drug dealers, intellectual property pirates, etc.—that would usher in digital authoritarianism for all who are online globally.
Privacy rights advocates and groups have put up a good fight. They stood by their principles. Unfortunately, when it comes to corporate tech, I believe that the issue of privacy is almost a complete lost cause at this point. It’s still worth pushing back, but ultimately, it is a losing battle—a ticking time bomb.
I do think that corporate tech providers could have slowed down the inevitable loss of privacy at the hands of the state by prioritizing the detection and removal of CSAM when they all started online. I believe it would have bought some time, fewer would have been traumatized by that specific crime, and I do believe that it could have slowed down the demand for content. If I think too much about that, I’ll go insane, so I try to push the “if maybes” aside, but never knowing if it could have been handled differently will forever haunt me. At night when it’s quiet, I wonder what I would have done differently if given the opportunity. I’ll probably never know how much corporate tech knew and ignored in the hopes that it would go away while the problem continued to get worse. They had different priorities. The most voiceless and vulnerable exploited on corporate tech never had much of a voice, so corporate tech providers didn’t receive very much pushback.
Now I’m about to say something really wild, and you can call me whatever you want to call me, but I’m going to say what I believe to be true. I believe that the governments are either so incompetent that they allowed the proliferation of CSAM online, or they knowingly allowed the problem to fester long enough to have an excuse to violate privacy rights and erode end-to-end encryption. The US government could have seized the corporate tech providers over CSAM, but I believe that they were so useful as a propaganda arm for the regimes that they allowed them to continue virtually unscathed.
That season is done now, and the governments are making the issue a priority. It will come at a high cost. Privacy on corporate tech providers is virtually done as I’m typing this. It feels like a death rattle. I’m not particularly sure that we had much digital privacy to begin with, but the illusion of a veil of privacy feels gone.
To make matters slightly more complex, it would be hard to convince me that once AI really gets going, digital privacy will exist at all.
I believe that there should be a conversation shift to preserving freedoms and human rights in a post-privacy society.
I don’t want to get locked up because AI predicted a nasty post online from me about the government. I’m not a doomer about AI—I’m just going to roll with it personally. I’m looking forward to the positive changes that will be brought forth by AI. I see it as inevitable. A bit of privacy was helpful while it lasted. Please keep fighting to preserve what is left of privacy either way because I could be wrong about all of this.
On the topic of AI, the addition of AI to the horrific crime of child sexual abuse material and child sexual exploitation in multiple ways so far has been devastating. It’s currently out of control. The genie is out of the bottle. I am hopeful that innovation will get us humans out of this, but I’m not sure how or how long it will take. We must be extremely cautious around AI legislation. It should not be illegal to innovate even if some bad comes with the good. I don’t trust that the governments are equipped to decide the best pathway forward for AI. Source: the entire history of the government.
I have been personally negatively impacted by AI-generated content. Every few days, I get another alert that I’m featured again in what’s called “deep fake pornography” without my consent. I’m not happy about it, but what pains me the most is the thought that for a period of time down the road, many globally will experience what myself and others are experiencing now by being digitally sexually abused in this way. If you have ever had your picture taken and posted online, you are also at risk of being exploited in this way. Your child’s image can be used as well, unfortunately, and this is just the beginning of this particular nightmare. It will move to more realistic interpretations of sexual behaviors as technology improves. I have no brave words of wisdom about how to deal with that emotionally. I do have hope that innovation will save the day around this specific issue. I’m nervous that everyone online will have to ID verify due to this issue. I see that as one possible outcome that could help to prevent one problem but inadvertently cause more problems, especially for those living under authoritarian regimes or anyone who needs to remain anonymous online. A zero-knowledge proof (ZKP) would probably be the best solution to these issues. There are some survivors of violence and/or sexual trauma who need to remain anonymous online for various reasons. There are survivor stories available online of those who have been abused in this way. I’d encourage you seek out and listen to their stories.
There have been periods of time recently where I hesitate to say anything at all because more than likely AI will cover most of my concerns about education, awareness, prevention, detection, and removal of child sexual exploitation online, etc.
Unfortunately, some of the most pressing issues we’ve seen online over the last few years come in the form of “sextortion.” Self-generated child sexual exploitation (SG-CSEM) numbers are continuing to be terrifying. I’d strongly encourage that you look into sextortion data. AI + sextortion is also a huge concern. The perpetrators are using the non-sexually explicit images of children and putting their likeness on AI-generated child sexual exploitation content and extorting money, more imagery, or both from minors online. It’s like a million nightmares wrapped into one. The wild part is that these issues will only get more pervasive because technology is harnessed to perpetuate horror at a scale unimaginable to a human mind.
Even if you banned phones and the internet or tried to prevent children from accessing the internet, it wouldn’t solve it. Child sexual exploitation will still be with us until as a society we start to prevent the crime before it happens. That is the only human way out right now.
There is no reset button on the internet, but if I could go back, I’d tell survivor advocates to heed the warnings of the early internet builders and to start education and awareness campaigns designed to prevent as much online child sexual exploitation as possible. The internet and technology moved quickly, and I don’t believe that society ever really caught up. We live in a world where a child can be groomed by a predator in their own home while sitting on a couch next to their parents watching TV. We weren’t ready as a species to tackle the fast-paced algorithms and dangers online. It happened too quickly for parents to catch up. How can you parent for the ever-changing digital world unless you are constantly aware of the dangers?
I don’t think that the internet is inherently bad. I believe that it can be a powerful tool for freedom and resistance. I’ve spoken a lot about the bad online, but there is beauty as well. We often discuss how victims and survivors are abused online; we rarely discuss the fact that countless survivors around the globe have been able to share their experiences, strength, hope, as well as provide resources to the vulnerable. I do question if giving any government or tech company access to censorship, surveillance, etc., online in the name of serving survivors might not actually impact a portion of survivors negatively. There are a fair amount of survivors with powerful abusers protected by governments and the corporate press. If a survivor cannot speak to the press about their abuse, the only place they can go is online, directly or indirectly through an independent journalist who also risks being censored. This scenario isn’t hard to imagine—it already happened in China. During #MeToo, a survivor in China wanted to post their story. The government censored the post, so the survivor put their story on the blockchain. I’m excited that the survivor was creative and brave, but it’s terrifying to think that we live in a world where that situation is a necessity.
I believe that the future for many survivors sharing their stories globally will be on completely censorship-resistant and decentralized protocols. This thought in particular gives me hope. When we listen to the experiences of a diverse group of survivors, we can start to understand potential solutions to preventing the crimes from happening in the first place.
My heart is broken over the gut-wrenching stories of survivors sexually exploited online. Every time I hear the story of a survivor, I do think to myself quietly, “What could have prevented this from happening in the first place?” My heart is with survivors.
My head, on the other hand, is full of the understanding that the internet should remain free. The free flow of information should not be stopped. My mind is with the innocent citizens around the globe that deserve freedom both online and offline.
The problem is that governments don’t only want to censor illegal content that violates human rights—they create legislation that is so broad that it can impact speech and privacy of all. “Don’t you care about the kids?” Yes, I do. I do so much that I’m invested in finding solutions. I also care about all citizens around the globe that deserve an opportunity to live free from a mass surveillance society. If terrorism happens online, I should not be punished by losing my freedom. If drugs are sold online, I should not be punished. I’m not an abuser, I’m not a terrorist, and I don’t engage in illegal behaviors. I refuse to lose freedom because of others’ bad behaviors online.
I want to be clear that on a long enough timeline, the governments will decide that they can be better parents/caregivers than you can if something isn’t done to stop minors from being sexually exploited online. The price will be a complete loss of anonymity, privacy, free speech, and freedom of religion online. I find it rather insulting that governments think they’re better equipped to raise children than parents and caretakers.
So we can’t go backwards—all that we can do is go forward. Those who want to have freedom will find technology to facilitate their liberation. This will lead many over time to decentralized and open protocols. So as far as I’m concerned, this does solve a few of my worries—those who need, want, and deserve to speak freely online will have the opportunity in most countries—but what about online child sexual exploitation?
When I popped up around the decentralized space, I was met with the fear of censorship. I’m not here to censor you. I don’t write code. I couldn’t censor anyone or any piece of content even if I wanted to across the internet, no matter how depraved. I don’t have the skills to do that.
I’m here to start a conversation. Freedom comes at a cost. You must always fight for and protect your freedom. I can’t speak about protecting yourself from all of the Four Horsemen because I simply don’t know the topics well enough, but I can speak about this one topic.
If there was a shortcut to ending online child sexual exploitation, I would have found it by now. There isn’t one right now. I believe that education is the only pathway forward to preventing the crime of online child sexual exploitation for future generations.
I propose a yearly education course for every child of all school ages, taught as a standard part of the curriculum. Ideally, parents/caregivers would be involved in the education/learning process.
**Course:**
- The creation of the internet and computers
- The fight for cryptography
- The tech supply chain from the ground up (example: human rights violations in the supply chain)
- Corporate tech
- Freedom tech
- Data privacy
- Digital privacy rights
- AI (history-current)
- Online safety (predators, scams, catfishing, extortion)
- Bitcoin
- Laws
- How to deal with online hate and harassment
- Information on who to contact if you are being abused online or offline
- Algorithms
- How to seek out the truth about news, etc., online
The parents/caregivers, homeschoolers, unschoolers, and those working to create decentralized parallel societies have been an inspiration while writing this, but my hope is that all children would learn this course, even in government ran schools. Ideally, parents would teach this to their own children.
The decentralized space doesn’t want child sexual exploitation to thrive. Here’s the deal: there has to be a strong prevention effort in order to protect the next generation. The internet isn’t going anywhere, predators aren’t going anywhere, and I’m not down to let anyone have the opportunity to prove that there is a need for more government. I don’t believe that the government should act as parents. The governments have had a chance to attempt to stop online child sexual exploitation, and they didn’t do it. Can we try a different pathway forward?
I’d like to put myself out of a job. I don’t want to ever hear another story like John Doe #1 ever again. This will require work. I’ve often called online child sexual exploitation the lynchpin for the internet. It’s time to arm generations of children with knowledge and tools. I can’t do this alone.
Individuals have fought so that I could have freedom online. I want to fight to protect it. I don’t want child predators to give the government any opportunity to take away freedom. Decentralized spaces are as close to a reset as we’ll get with the opportunity to do it right from the start. Start the youth off correctly by preventing potential hazards to the best of your ability.
The good news is anyone can work on this! I’d encourage you to take it and run with it. I added the additional education about the history of the internet to make the course more educational and fun. Instead of cleaning up generations of destroyed lives due to online sexual exploitation, perhaps this could inspire generations of those who will build our futures. Perhaps if the youth is armed with knowledge, they can create more tools to prevent the crime.
This one solution that I’m suggesting can be done on an individual level or on a larger scale. It should be adjusted depending on age, learning style, etc. It should be fun and playful.
This solution does not address abuse in the home or some of the root causes of offline child sexual exploitation. My hope is that it could lead to some survivors experiencing abuse in the home an opportunity to disclose with a trusted adult. The purpose for this solution is to prevent the crime of online child sexual exploitation before it occurs and to arm the youth with the tools to contact safe adults if and when it happens.
In closing, I went to hell a few times so that you didn’t have to. I spoke to the mothers of survivors of minors sexually exploited online—their tears could fill rivers. I’ve spoken with political dissidents who yearned to be free from authoritarian surveillance states. The only balance that I’ve found is freedom online for citizens around the globe and prevention from the dangers of that for the youth. Don’t slow down innovation and freedom. Educate, prepare, adapt, and look for solutions.
I’m not perfect and I’m sure that there are errors in this piece. I hope that you find them and it starts a conversation.
-

@ a07fae46:7d83df92
2025-03-18 12:31:40
if the JFK documents come out and are nothing but old hat, it will be disappointing. but if they contain revelations, then they are an unalloyed good. unprecedented and extraordinary; worthy of praise and admiration. they murdered the president in broad daylight and kept 80,000 related documents secret for 60 years. the apparatus that did that and got away with it, is 100+ years in the making. the magic bullet was just the starting pistol of a new *era*; a *level up* in an [old game](https://archive.org/details/TragedyAndHope_501/page/n5/mode/2up?q=feudalist+fashion). it won't be dismantled and your republic delivered back with a bow in *2 months*. have a little humility and a little gratitude. cynicism is easy. it's peak mid-wittery. yeah no shit everything is corrupt and everyone's likely captured by [AIPAC](https://books.google.com/books/publisher/content?id=gKVKDwAAQBAJ&pg=PT68&img=1&zoom=3&hl=en&bul=1&sig=ACfU3U2pagVXTYdJOKxkAwmmFQpuSnoS5g&w=1280) or something beyond. YOU THINK AIPAC is the [ALL SEEING EYE](https://archive.org/details/the-all-seeing-eye-vol-1-5-manly-p.-hall-may-1923-sept-1931)?
you can keep going, if you want to, but have some awareness and appreciation for where we are and what it took to get here. the first 'you are fake news' was also a shot heard 'round the world and you are riding high on it's [Infrasound](https://en.wikipedia.org/wiki/Infrasound) wave, still reverberating; unappreciative of the profound delta in public awareness and understanding, and rate of change, that has occurred since that moment, in [2017](https://www.youtube.com/watch?v=Vqpzk-qGxMU). think about where we were back then, especially with corporate capture of the narrative. trump's bullheaded behavior, if only ego-driven, *is* what broke the spell. an *actual* moment of savage bravery is what allows for your current jaded affectation. black pilled is boring. it's intellectually lazy. it is low-resolution-thinking, no better than progressives who explain the myriad ills of the world through 'racism'. normalcy bias works both ways. i'm not grading you on a curve that includes NPCs. i'm grading you against those of us with a mind, on up. do better.
the best Webb-style doomer argument is essentially 'the mouse trap needs a piece of cheese in order to work'. ok, but it doesn't need 3 pieces of cheese, or 5. was FreeRoss the piece of cheese? was the SBR the cheese? real bitcoiners know how dumb the 'sbr is an attempt to takeover btc' narrative is, so extrapolate from that. what about withdrawal from the WHO? freeze and review of USAID et al? how many pieces of cheese before we realize it's not a trap? it's just a messy endeavor.
Good morning.
#jfkFiles #nostrOnly
-

@ bc52210b:20bfc6de
2025-03-14 20:39:20
When writing safety critical code, every arithmetic operation carries the potential for catastrophic failure—whether that’s a plane crash in aerospace engineering or a massive financial loss in a smart contract.
The stakes are incredibly high, and errors are not just bugs; they’re disasters waiting to happen. Smart contract developers need to shift their mindset: less like web developers, who might prioritize speed and iteration, and more like aerospace engineers, where precision, caution, and meticulous attention to detail are non-negotiable.
In practice, this means treating every line of code as a critical component, adopting rigorous testing, and anticipating worst-case scenarios—just as an aerospace engineer would ensure a system can withstand extreme conditions.
Safety critical code demands aerospace-level precision, and smart contract developers must rise to that standard to protect against the severe consequences of failure.
-

@ df173277:4ec96708
2025-02-07 00:41:34
## **Building Our Confidential Backend on Secure Enclaves**
With our newly released [private and confidential **Maple AI**](https://trymaple.ai/?ref=blog.opensecret.cloud) and the open sourcing of our [**OpenSecret** platform](https://github.com/OpenSecretCloud/opensecret?ref=blog.opensecret.cloud) code, I'm excited to present this technical primer on how we built our confidential compute platform leveraging **secure enclaves**. By combining AWS Nitro enclaves with end-to-end encryption and reproducible builds, our platform gives developers and end users the confidence that user data is protected, even at runtime, and that the code operating on their data has not been tampered with.
## **Auth and Databases Today**
As developers, we live in an era where protecting user data means "encryption at rest," plus some access policies and procedures. Developers typically run servers that:
1. Need to register users (authentication).
2. Collect and process user data in business-specific ways, often on the backend.
Even if data is encrypted at rest, it's commonly unlocked with a single master key or credentials the server holds. This means that data is visible during runtime to the application, system administrators, and potentially to the hosting providers. This scenario makes it difficult (or impossible) to guarantee that sensitive data isn't snooped on, memory-dumped, or used in unauthorized ways (for instance, training AI models behind the scenes).
## **"Just Trust Us" Isn't Good Enough**
In a traditional server architecture, users have to take it on faith that the code handling their data is the same code the operator claims to be running. Behind the scenes, applications can be modified or augmented to forward private information elsewhere, and there is no transparent way for users to verify otherwise. This lack of proof is unsettling, especially for services that process or store highly confidential data.
Administrators, developers, or cloud providers with privileged access can inspect memory in plaintext, attach debuggers, or gain complete visibility into stored information. Hackers who compromise these privileged levels can directly access sensitive data. Even with strict policies or promises of good conduct, the reality is that technical capabilities and misconfigurations can override words on paper. If a server master key can decrypt your data or can be accessed by an insider with root permissions, then "just trust us" loses much of its credibility.
The rise of AI platforms amplifies this dilemma. User data, often full of personal details, gets funneled into large-scale models that might be training or fine-tuning behind the scenes. Relying on vague assurances that "we don't look at your data" is no longer enough to prevent legitimate concerns about privacy and misuse. Now more than ever, providing a **strong, verifiable** guarantee that data remains off-limits, even when actively processed, has become a non-negotiable requirement for trustworthy services.
## **Current Attempts at Securing Data**
Current User Experience of E2EE Apps
While properly securing data is not easy, it isn't to say that no one is trying. Some solutions use **end-to-end encryption** (E2EE), where user data is encrypted client-side with a password or passphrase, so not even the server operator can decrypt it. That approach can be quite secure, but it also has its **limitations**:
1. **Key Management Nightmares**: If a user forgets their passphrase, the data is effectively lost, and there's no way to recover it from the developer's side.
2. **Feature Limitations**: Complex server-side operations (like offline/background tasks, AI queries, real-time collaboration, or heavy computation) can't easily happen if the server is never capable of processing decrypted data.
3. **Platform Silos**: Some solutions rely on iCloud, Google Drive, or local device storage. That can hamper multi-device usage or multi-OS compatibility.
Other approaches include self-hosting. However, these either burden users with dev ops overhead or revert to the "trust me" model for the server if you "self-host" on a cloud provider.
## **Secure Enclaves**
### **The Hybrid Approach**
Secure enclaves offer a compelling middle ground. They combine the privacy benefits of keeping data secure from prying admins while still allowing meaningful server-side computation. In a nutshell, an enclave is a protected environment within a machine, isolated at the hardware level, so that even if the OS or server is compromised, the data and code inside the enclave remain hidden.
App Service Running Inside Secure Enclave
### **High-Level Goal of Enclaves**
Enclaves, also known under the broader umbrella of **confidential computing**, aim to:\
• **Lock down data** so that only authorized code within the enclave can process the original plaintext data.\
• **Deny external inspection** by memory dumping, attaching a debugger, or intercepting plaintext network traffic.\
• **Prove** to external users or services that an enclave is running unmodified, approved code (this is where **remote attestation** comes in).
### **Different Secure Enclave Solutions**
[**AMD SEV**](https://www.amd.com/en/developer/sev.html?ref=blog.opensecret.cloud) **(Secure Encrypted Virtualization)** encrypts an entire virtual machine's memory so that even a compromised hypervisor cannot inspect or modify guest data. Its core concept is "lift-and-shift" security. No application refactoring is required because hardware-based encryption automatically protects the OS and all VM applications. Later enhancements (SEV-ES and SEV-SNP) added encryption of CPU register states and memory integrity protections, further limiting hypervisor tampering. This broad coverage means the guest OS is included in the trusted boundary. AMD SEV has matured into a robust solution for confidential VMs in multi-tenant clouds.
[**Intel TDX**](https://www.intel.com/content/www/us/en/developer/tools/trust-domain-extensions/overview.html?ref=blog.opensecret.cloud) **(Trust Domain Extensions)** shifts from process-level enclaves to full VM encryption, allowing an entire guest operating system and its applications to run in an isolated "trust domain." Like AMD SEV, Intel TDX encrypts and protects all memory the VM uses from hypervisors or other privileged software, so developers do not need to refactor their code to benefit from hardware-based confidentiality. This broader scope addresses many SGX limitations, such as strict memory bounds and the need to split out enclave-specific logic, and offers a more straightforward "lift-and-shift" path for running existing workloads privately. While SGX is now deprecated, TDX carries forward the core confidential computing principles but applies them at the virtual machine level for more substantial isolation, easier deployment, and the ability to scale up to large, memory-intensive applications.
[**Apple Secure Enclave and Private Compute**](https://security.apple.com/blog/private-cloud-compute/?ref=blog.opensecret.cloud) is a dedicated security coprocessor embedded in most Apple devices (iPhones, iPads, Macs) and now extended to Apple's server-side AI infrastructure. It runs its own microkernel, has hardware-protected memory, and securely manages operations such as biometric authentication, key storage, and cryptographic tasks. Apple's "Private Compute" approach in the cloud brings similar enclave capabilities to server-based AI, enabling on-device-grade privacy even when requests are processed in Apple's data centers.
[**AWS Nitro Enclaves**](https://docs.aws.amazon.com/enclaves/latest/user/nitro-enclave.html?ref=blog.opensecret.cloud) carve out a tightly isolated "mini-VM" from a parent EC2 instance, with its own vCPUs and memory guarded by dedicated Nitro cards. The enclave has no persistent storage and no external network access, significantly reducing the attack surface. Communication with the parent instance occurs over a secure local channel (vsock), and AWS offers hardware-based attestation so that secrets (e.g., encryption keys from AWS KMS) can be accessed only to the correct enclave. This design helps developers protect sensitive data or code even if the main EC2 instance's OS is compromised.
[**NVIDIA GPU TEEs**](https://www.nvidia.com/en-us/data-center/solutions/confidential-computing/?ref=blog.opensecret.cloud) **(Hopper H100 and Blackwell)** extend confidential computing to accelerated workloads by encrypting data in GPU memory and ensuring that even a privileged host cannot view or tamper with it. Data moving between CPU and GPU is encrypted in transit, so sensitive model weights or inputs remain protected during AI training or inference. NVIDIA's hardware and drivers handle secure data paths under the hood, allowing confidential large language model (LLM) workloads and other GPU-accelerated computations to run with minimal performance overhead and strong security guarantees.
### **Key Benefits**
One major advantage of enclaves is their ability to **keep memory completely off-limits** to outside prying eyes. Even administrators who can normally inspect processes at will are blocked from peeking into the enclave's protected memory space. The enclave model is a huge shift in the security model: it prevents casual inspection and defends against sophisticated memory dumping techniques that might otherwise leak secrets or sensitive data.
Another key benefit centers on cryptographic keys that are **never exposed outside the enclave**. Only verified code running inside the enclave environment can run decryption or signing operations, and it can only do so while that specific code is running. This ensures that compromised hosts or rogue processes, even those with high-level privileges, are unable to intercept or misuse the keys because the keys remain strictly within the trusted boundary of the hardware.
Enclaves can also offer the power of **remote attestation**, allowing external clients or systems to confirm that they're speaking to an authentic, untampered enclave. By validating the hardware's integrity measurements and enclave-specific proofs, the remote party can be confident in the underlying security properties, an important guarantee in multi-tenant environments or whenever trust boundaries extend across different organizations and networks.
Beyond that, **reproducible builds** can create a verifiable fingerprint proving which binary runs in the enclave. This is a step above a simple "trust us" approach. Anyone can independently recreate the enclave image and verify the resulting cryptographic hash by using a reproducible build system (for example, [our NixOS-based solution](https://github.com/OpenSecretCloud/opensecret/blob/master/flake.nix?ref=blog.opensecret.cloud)). If it matches, then users and developers know precisely how code handles their data, boosting confidence that no hidden changes exist.
It's worth noting that although enclaves shield you from software devs, cloud providers, and insider threats, you do have to trust the **hardware vendor** (Intel, AMD, Apple, AWS, or NVIDIA) to implement their microcode and firmware securely. The entire enclave model could be theoretically undermined if a CPU maker's root keys or manufacturing process were compromised. Fortunately, these companies undergo extensive audits and firmware validations (often with third-party researchers), and their remote attestation mechanisms allow you to confirm specific firmware versions before trusting an enclave. While this adds a layer of "vendor trust," it's still a far more contained risk than trusting an entire operating system or cloud stack, so enclaves remain a strong step forward in practical, confidential computing.
## **How We Use Secure Enclaves**
Now that we've covered the general idea of enclaves let's look at how we specifically implement them in OpenSecret, our developer platform for handling user auth, private keys, data encryption, and AI workloads.
### **Our Stack: AWS Nitro + Nvidia TEE**
• **AWS Nitro Enclaves for the backend**: All critical logic, authentication, private key management, and data encryption/decryption run inside an AWS Nitro Enclave.
• **Nvidia Trusted Execution for AI**: For large AI inference (such as the Llama 3.3 70B model), we utilize Nvidia's GPU-based TEEs to protect even GPU memory. This means users can feed sensitive data to the AI model **without** exposing it in plaintext to the GPU providers or us as the operator. [Edgeless Systems](https://www.edgeless.systems/?ref=blog.opensecret.cloud) is our Nvidia TEE provider, and due to the power of enclave verification, we don't need to worry about who runs the GPUs. We know requests can't be inspected or tampered with.
### **End-to-End Encryption from Client to Enclave**
Client-side Enclave Attestation from Maple AI
Before login or data upload, the user/client verifies the **enclave attestation** from our platform. This process proves that the specific Nitro Enclave is genuine and runs the exact code we've published. You can check this out live on [Maple AI's attestation page](https://trymaple.ai/proof?ref=blog.opensecret.cloud).
Based on the attestation, the client establishes a secure ephemeral communication channel that only that enclave can decrypt. While we take advantage of SSL, it is typically not terminated inside the enclave itself. To ensure there's full encrypted data transfer all the way through to the enclave, we establish this additional handshake based on the attestation document that is used for all API requests during the client session.
From there, the user's credentials, private keys, and data pass through this secure channel directly into the enclave, where they are decrypted and processed according to the user's request.
### **In-Enclave Operations**
At the core of OpenSecret's approach is the conviction that security-critical tasks must happen inside the enclave, where even administrative privileges or hypervisor-level compromise cannot expose plaintext data. This encompasses everything from when a user logs in to creating and managing sensitive cryptographic keys. By confining these operations to a protected hardware boundary, developers can focus on building their applications without worrying about accidental data leaks, insider threats, or malicious attempts to harvest credentials. The enclave becomes the ultimate gatekeeper: it controls how data flows and ensures that nothing escapes in plain form.
User Auth Methods running inside Enclave
A primary example is **user authentication**. All sign-in workflows, including email/password, OAuth, and upcoming passkey-based methods, are handled entirely within the enclave. As soon as a user's credentials enter our platform through the encrypted channel, they are routed straight into the protected environment, bypassing the host's operating system or any potential snooping channels. From there, authentication and session details remain in the enclave, ensuring that privileged outsiders cannot intercept or modify them. By centralizing these identity flows within a sealed environment, developers can assure their users that no one outside the enclave (including the cloud provider or the app's own sysadmins) can peek at, tamper with, or access sensitive login information.
Main Enclave Operations in OpenSecret
The same principle applies to **private key management**. Whether keys are created fresh in the enclave or securely transferred into it, they remain sealed away from the rest of the system. Operations like digital signing or content decryption happen only within the hardware boundary, so raw keys never appear in any log, file system, or memory space outside the enclave. Developers retain the functionality they need, such as verifying user actions, encrypting data, or enabling secure transactions without ever exposing keys to a broader (and more vulnerable) attack surface. User backup options exist as well, where the keys can be securely passed to the end user.
Realtime Encrypted Data Sync on Multiple Devices
Another crucial aspect is **data encryption at rest**. While user data ultimately needs to be stored somewhere outside the enclave, the unencrypted form of that data only exists transiently inside the protected environment. Encryption and decryption routines run within the enclave, which holds the encryption keys strictly in memory under hardware guards. If a user uploads data, it is promptly secured before it leaves the enclave. When data is retrieved, it remains encrypted until it reenters the protected region and is passed back to the user through the secured communication channel. This ensures that even if someone gains access to the underlying storage or intercepts data in transit, they will see only meaningless ciphertext.
Confidential AI Workloads
Finally, **confidential AI workloads** build upon this same pattern: the Nitro enclave re-encrypts data so it can be processed inside a GPU-based trusted execution environment (TEE) for inference or other advanced computations. Sensitive data, like user-generated text or private documents, never appears in the clear on the host or within GPU memory outside the TEE boundary. When an AI process finishes, only the results are returned to the enclave, which can then relay them securely to the requesting user. By seamlessly chaining enclaves together, from CPU-based Nitro Enclaves to GPU-accelerated TEEs, we can deliver robust, hardware-enforced privacy for virtually any type of server-side or AI-driven operation.
### **Reproducible Builds + Verification**
Client verifies enclave attestation document
We build our enclaves on **NixOS** with reproducible builds, ensuring that anyone can verify that the binary we publish is indeed the binary running in the enclave. This build process is essential for proving we haven't snuck in malicious code to exfiltrate data or collect sensitive logs.
Our code is fully open source ([GitHub: OpenSecret](https://github.com/OpenSecretCloud/opensecret?ref=blog.opensecret.cloud)), so you can audit or run it yourself. You can also verify that the cryptographic measurement the build process outputs matches the measurement reported by the enclave during attestation.
## **Putting It All Together**
OpenSecret Offering: Private Key Management, Encrypted Sync, Private AI, and Confidential Compute
By weaving secure enclaves into every step, from authentication to data handling to AI inference, we shift the burden of trust away from human policies and onto provable, hardware-based protections. For app developers, you can offer your users robust privacy guarantees without rewriting all your business logic or building an entire security stack from scratch. Whether you're storing user credentials or running complex operations on sensitive data, the enclave approach ensures plaintext remains inaccessible to even the most privileged parties outside the enclave boundary. Developers can focus on building great apps, while OpenSecret handles the cryptographic "lock and key" behind the scenes.
This model provides a secure-by-design environment for industries that demand strict data confidentiality, such as healthcare, fintech, cryptocurrency apps for secure key management, or decentralized identity platforms. Instead of worrying about memory dumps or backend tampering, you can trust that once data enters the enclave, it's sealed off from unauthorized eyes, including from the app developers themselves. And these safeguards don't just apply to niche use cases. Even general-purpose applications that handle login flows and user-generated content stand to benefit, especially as regulatory scrutiny grows around data privacy and insider threats.
Imagine a telehealth startup using OpenSecret enclaves to protect patient information for remote consultations. Not only would patient data remain encrypted at rest, but any AI-driven analytics to assist with diagnoses could be run privately within the enclave, ensuring no one outside the hardware boundary can peek at sensitive health records. A fintech company could similarly isolate confidential financial transactions, preventing even privileged insiders from viewing or tampering with raw transaction details. These real-world implementations give developers a clear path to adopting enclaves for serious privacy and compliance needs without overhauling their infrastructure.
OpenSecret aims to be a **full developer platform** with end-to-end security from day one. By incorporating user authentication, data storage, and GPU-based confidential AI into a single service, we eliminate many of the traditional hurdles in adopting enclaves. No more juggling separate tools for cryptographic key management, compliance controls, and runtime privacy. Instead, you get a unified stack that keeps data encrypted in transit, at rest, and in use.
Our solution also caters to the exploding demand for AI applications: with TEE-enabled GPU workloads, you can securely process sensitive data for text inference without ever exposing raw plaintext or sensitive documents to the host system.
The result is a new generation of apps that deliver advanced functionality, like real-time encrypted data sync or AI-driven insights, while preserving user privacy and meeting strict regulatory requirements. You don't have to rely on empty "trust us" promises because hardware enclaves, remote attestation, and reproducible builds collectively guarantee the code is running untampered. In short, OpenSecret offers the building blocks needed to create truly confidential services and experiences, allowing you to innovate while ensuring data protection remains ironclad.
## **Things to Come**
We're excited to build on our enclaved approach. Here's what's on our roadmap:
• **Production Launch**: We're using this in production now with [Maple AI](https://trymaple.ai/?ref=blog.opensecret.cloud) and have a developer preview playground up and running. We'll have the developer environment ready for production in a few months.\
• **Multi-Tenant Support**: Our platform currently works for single tenants, but we're opening this up so developers can onboard without needing a dedicated instance.\
• **Self-Serve Frontend**: A dev-friendly portal for provisioning apps, connecting OAuth or email providers, and managing users.\
• **External Key Signing Options**: Integrations with custom hardware security modules (HSMs) or customer-ran key managers that can only process data upon verifying the enclave attestation.\
• **Confidential Computing as a Service**: We'll expand our platform so that other developers can quickly create enclaves for specialized workloads without dealing with the complexities of Nitro or GPU TEEs.\
• **Additional SDKs**: In addition to our [JavaScript client-side SDK](https://github.com/OpenSecretCloud/OpenSecret-SDK?ref=blog.opensecret.cloud), we plan to launch official support for Rust, Python, Swift, Java, Go, and more.\
• **AI API Proxy with Attestation/Encryption**: We already provide an easy way to [access a Private AI through Maple AI](https://trymaple.ai/?ref=blog.opensecret.cloud), but we'd like to open this up more for existing tools and developers. We'll provide a proxy server that users can run on their local machines or servers that properly handle encryption to our OpenAI-compatible API.
## **Getting Started**
Ready to see enclaves in action? Here's how to dive in:\
1. **Run OpenSecret**: Check out our open-source repository at [OpenSecret on GitHub](https://github.com/OpenSecretCloud/opensecret?ref=blog.opensecret.cloud). You can run your own enclaved environment or try it out locally with Docker.\
2. **Review Our SDK**: Our [JavaScript client SDK](https://github.com/OpenSecretCloud/OpenSecret-SDK?ref=blog.opensecret.cloud) makes it easy to handle sign-ins, put/get encrypted data, sign with user private keys, etc. It handles attestation verification and encryption under the hood, making the API integration seamless.\
3. **Play with Maple AI**: Try out [Maple AI](https://blog.opensecret.cloud/maple-ai-private-encrypted-chat/) as an example of an AI app built directly on OpenSecret. Your queries are encrypted end to end, and the Llama model sees them only inside the TEE.\
4. **Developer Preview**: Contact us if you want an invite to our early dev platform. We'll guide you through our SDK and give you access to the preview server. We'd love to build with you and incorporate your feedback as we develop this further.
## **Conclusion**
By merging secure enclaves (AWS Nitro and Nvidia GPU TEEs), user authentication, private key management, and an end-to-end verifiable encrypted approach, **OpenSecret** provides a powerful platform where we protect user data during collection, storage, and processing. Whether it's for standard user management, handling private cryptographic keys, or powering AI inference, the technology ensures that **no one**, not even us or the cloud provider, can snoop on data in use.
**We believe** this is the future of trustworthy computing in the cloud. And it's **all open source**, so you don't have to just take our word for it: you can see and verify everything yourself.
Do you have questions, feedback, or a use case you'd like to test out? Come join us on [GitHub](https://github.com/OpenSecretCloud?ref=blog.opensecret.cloud), [Discord](https://discord.gg/ch2gjZAMGy?ref=blog.opensecret.cloud), or email us for a developer preview. We can't wait to see what you build!
*Thank you for reading, and welcome to the era of enclaved computing.*
-

@ df173277:4ec96708
2025-01-28 17:49:54
> Maple is an AI chat tool that allows you to have private conversations with a general-purpose AI assistant. Chats are synced automatically between devices so you can pick up where you left off.\
> [Start chatting for free.](https://trymaple.ai/)
We are excited to announce that [Maple AI](https://trymaple.ai/), our groundbreaking end-to-end encrypted AI chat app built on OpenSecret, is now publicly available. After months of beta testing, we are thrilled to bring this innovative technology to the world.
Maple is an AI chat tool that allows you to have private conversations with a general-purpose AI assistant. It can boost your productivity on work tasks such as writing documentation, creating presentations, and drafting emails. You can also use it for personal items like brainstorming ideas, sorting out life's challenges, and tutoring you on difficult coursework. All your chats are synced automatically in a secure way, so you can start on one device and pick up where you left off on another.
#### Why Secure and Private AI?
In today's digital landscape, it is increasingly evident that security and privacy are essential for individuals and organizations alike. Unfortunately, the current state of AI tools falls short. A staggering 48% of organizations enter non-public company information into AI apps, according to a [recent report by Cisco](https://www.cisco.com/c/en/us/about/trust-center/data-privacy-benchmark-study.html#~key-findings). This practice poses significant risks to company security and intellectual property.
Another concern is for journalists, who often work with sensitive information in hostile environments. Journalists need verification that their information remains confidential and protected when researching topics and communicating with sources in various languages. They are left to use underpowered local AI or input their data into potentially compromised cloud services.
At OpenSecret, we believe it is possible to have both the benefits of AI and the assurance of security and privacy. That's why we created Maple, an app that combines AI productivity with the protection of end-to-end encryption. Our platform ensures that your conversations with AI remain confidential, even from us. The power of the cloud meets the privacy of local.
#### How Does It Work?
Our server code is [open source](https://github.com/OpenSecretCloud/opensecret), and we use confidential computing to provide cryptographic proof that the code running on our servers is the same as the open-source code available for review. This process allows you to verify that your conversations are handled securely and privately without relying on trust. We live by the principle of "Don't trust, verify," and we believe this approach is essential for building in the digital age. You can read a more in-depth write-up on our technology later this week on this site.
#### How Much Does It Cost?
We are committed to making Maple AI accessible to everyone, so we offer a range of pricing plans to suit different needs and budgets. [Our Free plan allows for 10 chats per week, while our Starter plan ($5.99/month) and Pro plan ($20/month)](https://trymaple.ai/pricing) offer more comprehensive solutions for individuals and organizations with heavier workloads. We accept credit cards and Bitcoin (10% discount), allowing you to choose your preferred payment method.
- Free: $0
- Starter: $5.99/month
- Pro: $20/month
Our goal with Maple AI is to create a product that is secure through transparency. By combining open-source code, cryptography, and confidential computing, we can create a new standard for AI conversations - one that prioritizes your security and privacy.
Maple has quickly become a daily tool of productivity for our own work and those of our beta testers. We believe it will bring value to you as well. [Sign up now and start chatting privately with AI for free.](https://trymaple.ai/) Your secrets are safe in the open.
#### Are You An App Developer?
You can build an app like Maple. [OpenSecret provides secure auth, private key management, encrypted data sync, private AI, and more.](https://blog.opensecret.cloud/introducing-opensecret/) Our straightforward API behaves like other backends but automatically adds security and privacy. Use it to secure existing apps or brand-new projects. Protect yourself and your users from the liability of hosting personal data by checking out [OpenSecret](https://opensecret.cloud/).
<img src="https://blossom.primal.net/feb746d5e164e89f0d015646286b88237dce4158f8985e3caaf7e427cebde608.png">
Enjoy private AI Chat 🤘
<img src="https://blossom.primal.net/0594ec56e249de2754ea7dfc225a7ebd46bc298b5af168279ce71f17c2afada0.jpg">
-

@ df173277:4ec96708
2025-01-09 17:12:08
> Maple AI combines the best of both worlds – encryption and personal AI – to create a truly private AI experience. Discuss personal and company items with Maple, we can't read them even if we wanted to.\
> [Join the waitlist to get early access.](https://trymaple.ai)
We are a culture of app users. Every day, we give our personal information to websites and apps, hoping they are safe. Location data, eating habits, financial details, and health information are just a few examples of what we entrust to third parties. People are now entering a new era of computing that promises next-level benefits when given even more personal data: AI.
Should we sacrifice our privacy to unlock the productivity gains of AI? Should we hope our information won't be used in ways we disagree? We believe we can have the best of both worlds – privacy and personal AI – and have built a new project called Maple AI. Chat between you and an AI with full end-to-end encryption. We believe it's a game-changer for individuals seeking private and secure conversations.
#### Building a Private Foundation
Maple is built on our flagship product, [OpenSecret](https://opensecret.cloud), a backend platform for app developers that turns private encryption on by default. [The announcement post for OpenSecret explains our vision for an encrypted world and what the platform can do.](nostr:naddr1qvzqqqr4gupzphchxfm3ste32hfhkvczzxapme9gz5qvqtget6tylyd7wa8vjecgqqe5jmn5wfhkgatrd9hxwt20wpjku5m9vdex2apdw35x2tt9de3hy7tsw3jkgttzv93kketwvskhgur5w9nx5h52tpj) We think both users and developers benefit when sensitive personal information is encrypted in a private vault; it's a win-win.
#### The Power of Encrypted AI Chat
AI chat is a personal and intimate experience. It's a place to share your thoughts, feelings, and desires without fear of judgment. The more you share with an AI chatbot, the more powerful it becomes. It can offer personalized insights, suggestions, and guidance tailored to your unique needs and perspectives. However, this intimacy requires trust, and that's where traditional AI chatbots often fall short.
Traditional AI chats are designed to collect and analyze your data, often without your explicit consent. This data is used to improve the AI's performance, but it also creates a treasure trove of sensitive information that can be mined, sold, or even exploited by malicious actors. Maple AI takes a different approach. By using end-to-end encryption, we ensure that your conversations remain private and secure, even from us.
#### Technical Overview
So, how does Maple AI achieve this level of privacy and security? Here are some key technical aspects:
- **Private Key:** Each user has a unique private key that is automatically managed for them. This key encrypts and decrypts conversations, ensuring that only the user can access their data.
- **Secure Servers:** Our servers are designed with security in mind. We use secure enclaves to protect sensitive data and ensure that even our own team can't access your conversations.
- **Encrypted Sync:** One of Maple's most significant benefits is its encrypted sync feature. Unlike traditional AI chatbots, which store conversations in local storage or on standard cloud servers, Maple syncs your chats across all your devices. The private key managed by our secure servers means you can pick up where you left off on any device without worrying about your data being compromised.
- **Attestation and Open Code:** We publish our enclave code publicly. Using a process called attestation, users can verify that the code running on the enclave is the same as the code audited by the public.
- **Open Source LLM:** Maple uses major open-source models to maximize the openness of responses. The chat box does not filter what you can talk about. This transparency ensures that our AI is trustworthy and unbiased.
#### Personal and Work Use
Maple is secure enough to handle your personal questions and work tasks. Because we can't see what you chat about, you are free to use AI as an assistant on sensitive company items. Use it for small tasks like writing an important email or large tasks like developing your organization's strategy. Feed it sensitive information; it's just you and AI in the room. Attestation provides cryptographic proof that your corporate secrets are safe.
#### Local v Cloud
Today's AI tools provide different levels of privacy. The main options are to trust a third party with your unencrypted data, hoping they don't do anything with it, or run your own AI locally on an underpowered machine. We created a third option. Maple gives you the power of cloud computing combined with the privacy and security of a machine running on your desk. It's the best of both worlds.
#### Why the Maple name?
Privacy isn't just a human value - it's a natural one exemplified by the Maple tree. These organisms communicate with each other through a network of underground fungal hyphae, sending messages and sharing resources in a way that's completely invisible to organisms above ground. This discreet communication system allows Maple trees to thrive in even the most challenging environments. Our goal is to provide a way for everyone to communicate with AI securely so they can thrive in any environment.
#### Join the Waitlist
Maple AI will launch in early 2025 with free and paid plans. We can't wait to share it with the world. [Join our waitlist today to be among the first to experience the power of private AI chat.](https://trymaple.ai)
[](https://trymaple.ai/waitlist)
-

@ df173277:4ec96708
2025-01-09 17:02:52
> OpenSecret is a backend for app developers that turns private encryption on by default. When sensitive data is readable only by the user, it protects both the user and the developer, creating a more free and open internet. We'll be launching in 2025. [Join our waitlist to get early access.](https://opensecret.cloud)
In today's digital age, personal data is both an asset and a liability. With the rise of data breaches and cyber attacks, individuals and companies struggle to protect sensitive information. The consequences of a data breach can be devastating, resulting in financial losses, reputational damage, and compromised user trust. In 2023, the average data breach cost was $5 million, with some resulting in losses of over $1 billion.
Meanwhile, individuals face problems related to identity theft, personal safety, and public embarrassment. Think about the apps on your phone, even the one you're using to read this. How much data have you trusted to other people, and how would it feel if that data were leaked online?
Thankfully, some incredibly talented cypherpunks years ago gave the world cryptography. We can encrypt data, rendering it a secret between two people. So why then do we have data breaches?
> Cryptography at scale is hard.
#### The Cloud
The cloud has revolutionized how we store and process data, but it has limitations. While cloud providers offer encryption, it mainly protects data in transit. Once data is stored in the cloud, it's often encrypted with a shared key, which can be accessed by employees, third-party vendors, or compromised by hackers.
The solution is to generate a personal encryption password for each user, make sure they write it down, and, most importantly, hope they don't lose it. If the password is lost, the data is forever unreadable. That can be overwhelming, leading to low app usage.
> Private key encryption needs a UX upgrade.
## Enter OpenSecret
OpenSecret is a developer platform that enables encryption by default. Our platform provides a suite of security tools for app developers, including private key management, encrypted sync, private AI, and confidential compute.
Every user has a private vault for their data, which means only they can read it. Developers are free to store less sensitive data in a shared manner because there is still a need to aggregate data across the system.

### Private Key Management
Private key management is the superpower that enables personal encryption per user. When each user has a unique private key, their data can be truly private. Typically, using a private key is a challenging experience for the user because they must write down a long autogenerated number or phrase of 12-24 words. If they lose it, their data is gone.
OpenSecret uses secure enclaves to make private keys as easy as an everyday login experience that users are familiar with. Instead of managing a complicated key, the user logs in with an email address or a social media account.
The developer doesn't have to manage private keys and can focus on the app's user experience. The user doesn't have to worry about losing a private key and can jump into using your app.

### Encrypted Sync
With user keys safely managed, we can synchronize user data to every device while maintaining privacy. The user does not need to do complicated things like scanning QR codes from one device to the next. Just log in and go.
The user wins because the data is available on all their devices. The developer wins because only the user can read the data, so it isn't a liability to them.
### Private AI
Artificial intelligence is here and making its way into everything. The true power of AI is unleashed when it can act on personal and company data. The current options are to run your own AI locally on an underpowered machine or to trust a third party with your data, hoping they don't read it or use it for anything.
OpenSecret combines the power of cloud computing with the privacy and security of a machine running on your desk.
**Check out Maple AI**\
Try private AI for yourself! We built an app built with this service called [Maple AI](https://trymaple.ai). It is an AI chat that is 100% private in a verifiable manner. Give it your innermost thoughts or embarrassing ideas; we can't judge you. We built Maple using OpenSecret, which means you have a private key that is automatically managed for you, and your chat history is synchronized to all your devices. [Learn more about Maple AI - Private chat in the announcement post.](https://blog.opensecret.cloud/maple-ai-private-encrypted-chat/)

### Confidential Compute
Confidential computing is a game-changer for data security. It's like the secure hardware that powers Apple Pay and Google Pay on your phone but in the cloud. Users can verify through a process called attestation that their data is handled appropriately. OpenSecret can help you run your own custom app backend code that would benefit from the security of an enclave.
It's the new version of that lock on your web browser. When you see it, you know you're secure.

#### **But do we want our secrets to be open?**
OpenSecret renders a data breach practically useless. If hackers get into the backend, they enter a virtual hallway of locked private vaults. The leaked data would be gibberish, a secret in the open that is unreadable.
On the topic of openness, OpenSecret uses the power of open source to enable trust in the service. We publish our code in the open, and, using attestation, anyone can verify that private data is being handled as expected. This openness also provides developers with a backup option to safely and securely export their data.
> Don't trust, verify.
### **Join the Movement**
We're currently building out OpenSecret, and we invite you to join us on the journey. Our platform can work with your existing stack, and you can pick and choose the features you need. If you want to build apps with encryption enabled, [send us a message to get early access.](https://opensecret.cloud)
Users and companies deserve better encryption and privacy.\
Together, let's make that a reality.
[](https://opensecret.cloud)
-

@ bf95e1a4:ebdcc848
2025-03-28 13:56:06
This is a part of the Bitcoin Infinity Academy course on Knut Svanholm's book Bitcoin: Sovereignty Through Mathematics. For more information, check out our[ Geyser page](https://geyser.fund/project/infinity)!
## Financial Atheism
“Don’t trust, verify” is a common saying amongst bitcoiners that represents a sound attitude towards not only Bitcoin but all human power structures. In order to understand Bitcoin, one must admit that everything in society is man-made. Every civilization, every religion, every constitution, and every law is a product of human imagination. It wasn’t until as late as the 17th century that the scientific method started to become the dominant practice for describing how the world actually worked. Peer-to-peer review and repeated testing of a hypothesis are still quite recent human practices. Before this, we were basically just guessing and trusting authorities to a large extent. We still do this today, and despite our progress over the last couple of centuries, we still have a long way to go. Our brains are hardwired to follow the leader of the pack. The human brain is born with a plethora of cognitive biases pre-installed, and we have to work very hard to overcome them. We evolved to survive in relatively small groups, and our brains are thus not really made for seeing the bigger picture. Bitcoin’s proof-of-work algorithm is constructed in such a way that it is easy to verify that computational power was sacrificed in order to approve a block of transactions and claim its reward. In this way, no trust in any authority is required as it is relatively trivial to test the validity of a block and the transactions it contains. This is nothing short of a complete reimagining of how human society ought to be governed. The beauty of mathematics governs the Bitcoin system. Everything that ever happens in Bitcoin is open and verifiable to everyone, even to those who are not yet using it.
After the tragic events of 9/11 in 2001, Sam Harris started writing his book *The End of Faith*, which happened to be released around the same time as Richard Dawkins’ *The God Delusion*, Daniel Dennett's *Breaking the Spell*, and Christopher Hitchens’ *God Is Not Great: How Religion Poisons Everything*. These books kick-started what, in hindsight, has often been referred to as the new atheist movement, even though there has arguably never been anything new about atheism. Atheism must almost certainly have preceded religion since religious ideas require the person holding the idea to believe a certain doctrine or story. Atheism is nothing but the rejection of ways to describe the world that are not verifiable by experimentation. A fly on the wall is probably an atheist by this definition of the word. Atheism is often accused of being just another set of beliefs, but the word itself describes what it is much better — a lack of belief in theistic ideas. It is not a code of conduct or set of rules to live your life by; it is simply the rejection of that which cannot be scientifically verified. Many people, religious people, in particular, have a hard time grasping this. If you believe that a supernatural entity created everything in everyone's life, you might not be too comfortable with a word that describes a complete rejection of what you believe created everything, including the very atheist that the word describes. The amount of different religious worldviews that exist is probably equal to the sum of all religious people on the planet, but all world views that reject these superstitious beliefs require but one word. Atheism is not the opposite of religion but is simply the lack of it.
In 2008, another sub-culture movement of unbelief was born. Let’s call it *Financial Atheism* — the rejection of unverifiable value claims. With the invention of Bitcoin, a way of rejecting fraudulent expressions of a token’s value was born. Those of us fortunate enough to have been born in secular countries all enjoy not having the ideas of religious demagogues dictating our lives on a daily basis. We can choose which ideas to believe in and which to reject. What we still have very limited means of choosing, however, are the ways in which we express value to each other. We’re told to use a system in which we all have a certain number of value tokens assigned to our name, either as a number on a screen or as digits on paper notes. We all live in the collective hallucination that these numbers are somehow legit and that their authenticity is not to be questioned.
A Bitcoin balance assigned to a certain Bitcoin address might seem just as questionable to a layman, but if you have a basic understanding of the hashing algorithms and game theory behind it, it’s not. At the time of writing, the hash of the latest block on the Bitcoin blockchain begins with eighteen zeros in a row. These zeros represent the Proof of Work that ensures that this block is valid and that every transaction in it actually happened. If you can grasp the concept of a hashing algorithm, and if you have an intuition about mathematics, you realize the gargantuan amount of calculating effort that went into finding this particular hash. It is simply mind-blowing. To forge a false version of a hash beginning with eighteen zeros just wouldn’t be economically viable. Of course, you can never actually know that a 51% attack or some other attempt at corrupting the blockchain hasn’t occurred, but you can know that such an attack would require more than half of the network acting against their own economic interest. Bitcoin is not something to believe in. You don’t need to trust any authority because you can validate the plausibility of its authenticity yourself. It’s the financial equivalent of atheism or unbelief. Satoshi wasn’t Jesus. Satoshi was Brian of Nazareth, telling his followers to think for themselves.
The first law of thermodynamics, also known as the Law of Conservation of Energy, states that energy cannot be created or destroyed in an isolated system. The second law states that the entropy of any isolated system always increases, and the third law states that the entropy of a system approaches a constant value as the temperature approaches absolute zero. In the Bitcoin network, participants known as miners compete for new Bitcoin in a lottery with very fixed rules. The more hashing power (computing power) a miner contributes to the network, the higher his chances of winning the block reward, a specific amount of Bitcoin that is halved every four years. The difficulty of this lottery - in other words, the miner’s chance of winning it — is re-calibrated every 2016th block so that the average time it takes to find the next block is always roughly ten minutes. What this system produces is absolute scarcity; the amount of Bitcoin in existence at any moment in time is always predictable. The more time that passes, the slower the rate of coin issuance and the block reward slowly approaches zero. By the time it does, around the year 2140, the individual miner’s incentive to mine for a reward will, at least theoretically, have been replaced by an incentive to collect transaction fees from the participants of the network. Even now, the sum of all fees make up a non-trivial part of the miners’ revenue. Yet from a user’s point of view the fees are still very low, and as the network scales up using Layer 2 solutions such as the Lightning Network, they’re expected to remain low for quite a long time ahead.
Absolute scarcity is a concept that mankind has never encountered before. Arguably, this makes it the first man-made concept to ever be directly linked to the laws of physics. Everything anyone does requires a certain amount of energy. The very word *doing* implies that some kind of movement, some type of energy expenditure, needs to occur. As mentioned earlier, how we value things is entirely subjective. Different actions are of different value to different people. How we value different things is also inevitably linked to the supply of those things. Had the trapped-under-ice winter diver mentioned in chapter one been equipped with a scuba tank, he probably wouldn't have thought of his next breath as such a precious thing. The price a person is willing to pay for a good — in other words, the sum of one or more person’s actions — can be derived from two basic variables: The highly subjective *demand* for the good and the always-constrained-by-time-and-space *supply* of that same good. Note that if supply is sufficiently limited, there only needs to be a minimal amount of demand for a good for its price to increase.
One could argue that no one *needs* Bitcoin and that, therefore, Bitcoin would have no intrinsic value. One could also argue that there’s no such thing as intrinsic value since demand is always subjective. In any case, there will always be a cost to mine Bitcoin, and the more mining power in the network, the higher that cost. This cost, ensured by the Bitcoin network’s Proof-Of-Work algorithm, is probably as close to a pure energy cost as the price of a human activity will ever get. Once the mining rig is in place, a simple conversion process follows — energy in, scarce token out. Should the cost of production exceed the current price of the token, the miner can just choose not to sell, thereby limiting the supply of Bitcoin in circulation even more and eventually selling them for other goods whenever he sees fit. In this sense, Bitcoin is a battery. Perhaps the best battery ever invented.
Storing and moving electrical energy around has always been costly and wasteful. Bitcoin offers a way of converting energy into a small part of a specific number. A mathematical battery, if you will. It is important to remember that it does not convert energy into value *directly*, but rather electricity into digital scarcity — digital scarcity that can be used to express value. Energy cannot be created or destroyed in an isolated system, as the first law of thermodynamics clearly states. Bitcoin can express how much energy was sacrificed in order to acquire a share of the total sum. You can also acquire Bitcoin by buying it rather than mining it, but in doing so, you also spend energy. You somehow acquired the money with which you bought the Bitcoin. You, or someone else, sacrificed time and energy somewhere. Bitcoin lets you express that you see that there’s a connection between value and scarcity by letting you sacrifice effort to claim a part of the total sum.
The excitement we so-called "Bitcoin Maximalists" feel about Bitcoin does not come primarily from the enormous gains that those who hopped early onto the freight train have been blessed with. Nor is it because we’re “in it for the technology,” as can often be heard from opponents. Those of us who preach the near-divinity of this invention do so above all because we see the philosophical impacts of absolute scarcity in a commodity. The idea of a functioning solution to the double-spending problem in computerized money is an achievement that simply can’t be ignored. By solving the double-spending problem, Satoshi also made counterfeiting impossible, which in turn makes artificial inflation impossible. The world-changing potential of this invention cannot be understated. Not in the long run.
The more you think about it, the more the thought won’t give you any peace of mind. If this experiment works, if it’s real, it will take civilization to the next level. What we don’t know is how long this will take. Right now, debates in the Bitcoin space are about Bitcoin’s functionality as a medium of exchange and its potential as a good store of value. We might be missing the point. We cannot possibly know if a type of monetary token for which you’re completely responsible, with no third-party protection, will ever become a preferred medium of exchange for most transactions. Nor can we know if the price of Bitcoin will follow the hype-cycle path that we all want it to follow so that it can become the store of value that most maximalists claim it already is. Maybe we’ve been focused on the wrong things all along. Maybe Bitcoin’s greatest strength is in its functionality as a unit of account. After all, this is all that Bitcoin does. If you own 21 Bitcoin, you own one-millionth of the world's first absolutely scarce commodity. This might not make you rich overnight, but it just might have something to do with the opportunities available to your great-great-grandchildren.
Throughout history, whenever a prehistoric human tribe invented ceremonial burial, that tribe began to expand rapidly. Why? Because as soon as you invent belief in an afterlife, you also introduce the idea of self-sacrifice on a larger scale. People who held these beliefs were much easier for a despot to manipulate and send into battle with neighboring tribes. Religious leaders can use people’s fears and superstitions to have them commit all sorts of atrocities to their fellow man, and they still do so today. Belief in a “greater good” can be the most destructive idea that can pop up in a human mind. The Nazis of World War II Germany believed that exterminating Jews was for the “greater good” of their nation’s gene pool. Belief in noble causes often comes with unintended side effects, which can have disastrous consequences.
Religious leaders, political leaders, and other power-hungry sociopaths are responsible for the greatest crimes against humanity ever committed — namely, wars. Europeans often question the Second Amendment to the United States Constitution, which protects the right to bear arms, whenever a tragic school shooting occurs on the other side of the Atlantic. What everyone seems to forget is that less than a hundred years ago, Europe was at war with itself because its citizens had given too much power to their so-called leaders. The Nazis came to power in a democracy — never forget that. Our individual rights weren’t given to us by our leaders; we were born with them. Our leaders can’t give us anything; they can only force us to behave in certain ways. If we truly want to be in charge of our lives, we need to find the tools necessary to circumvent the bullshit ourselves.
### **About the Bitcoin Infinity Academy**
The Bitcoin Infinity Academy is an educational project built around [Knut Svanholm](http://primal.net/knut)’s books about Bitcoin and Austrian Economics. Each week, a whole chapter from one of the books is released for free on Highlighter, accompanied by a [video](https://www.youtube.com/@BitcoinInfinityShow) in which Knut and [Luke de Wolf](http://primal.net/luke) discuss that chapter’s ideas. You can join the discussions by signing up for one of the courses on our [Geyser](https://geyser.fund/project/infinity) page. Signed books, monthly calls, and lots of other benefits are also available.
-

@ e97aaffa:2ebd765d
2025-03-28 12:56:17
Nos últimos anos, tornei-me num acérrimo crítico do Euro, sobretudo da política monetária altamente expansionista realizada pelo Banco Central Europeu (BCE). Apesar de ser crítico, eu não desejo que Portugal volte a ter moeda própria.
No seguimento gráfico, é a variação do [IPC de Portugal nos últimos 60 anos]( https://www.pordata.pt/pt/estatisticas/inflacao/taxa-de-inflacao/taxa-de-inflacao-por-bens-e-servicos-portugal):

No gráfico inclui os momentos históricos, para uma melhor interpretação dos dados.
> O Índice de Preços ao Consumidor (IPC) é usado para observar tendências de inflação. É calculado com base no preço médio necessário para comprar um conjunto de bens de consumo e serviços num país, comparando com períodos anteriores.
É uma ferramenta utilizada para calcular a perda de poder de compra, mas é uma métrica que é facilmente manipulada em prol dos interesses dos governos.
## Análise histórica
No período marcelista, houve uma crescente inflação, devido a fatores, como os elevados custos da guerra e o fim dos acordos de Bretton Woods contribuíram para isso. Terminando com uma inflação superior a 13%.
Da Revolta dos Cravos (1974) até à adesão da CEE (atual União Europeia, UE), nos primeiros anos foram conturbados a nível político, mesmo após conquistar alguma estabilidade, em termos de política monetária foi um descalabro, com inflação entre 12% a 30% ao ano. Foi o pior momento na era moderna.
Com a entrada da CEE, Portugal ainda manteve a independência monetária, mas devido à entrada de muitos milhões de fundos europeus, essências para construir infraestrutura e desenvolver o país. Isto permitiu crescer e modernizar o país, gastando pouco dinheiro próprio, reduzindo a necessidade da expansão monetária e claro a inflação baixou.
Depois com a adesão ao Tratado de Maastricht, em 1991, onde estabeleceu as bases para a criação da União Económica e Monetária, que culminou na criação da moeda única europeia, o Euro. As bases eram bastante restritivas, os políticos portugueses foram obrigados a manter uma inflação baixa. Portugal perdeu a independência monetária em 1999, com a entrada em vigor da nova moeda, foi estabelecida a taxa de conversão entre escudos e euros, tendo o valor de 1 euro sido fixado em 200,482 escudos. A Euro entrou em vigor em 1999, mas o papel-moeda só entrou em circulação em 2002.
Assim, desde a criação até 2020, a inflação foi sempre abaixo de 5% ao ano, tendo um longo período abaixo dos 3%.
A chegada da pandemia, foi um descalabro no BCE, a expansão monetária foi exponencial, resultando numa forte subida no IPC, quase 8% em 2022, algo que não acontecia há 30 anos.
## Conclusão
Apesar dos últimos anos, a política monetária do BCE tem sido péssima, mesmo assim continua a ser muito melhor, se esta fosse efetuada em exclusividade por portugueses, não tenho quaisquer dúvidas disso. O passado demonstra isso, se voltarmos a ser independentes monetariamente, será desastroso, vamos virar rapidamente, a Venezuela da Europa.
Até temos boas reservas de ouro, mas mesmo assim não são suficientes, mesmo que se inclua outros ativos para permitir a criação de uma moeda lastreada, ela apenas duraria até à primeira crise. É inevitável, somos um país demasiado socialista.
A solução não é voltar ao escudo, mas sim o BCE deixar de imprimir dinheiro, como se não houvesse amanhã ou então optar por uma moeda total livre, sem intromissão de políticos.
O BCE vai parar de expandir a moeda?
Claro que não, eles estão encurralados, a expansão monetária é a única solução para elevada dívida soberana dos estados. A única certeza que eu tenho, a expansão do BCE, será sempre inferior ao do Banco de Portugal, se este estivesse o botão da impressão à sua disposição. Por volta dos 5% é muito mau, mas voltar para a casa dos 15% seria péssimo, esse seria o nosso destino.
É muito triste ter esta conclusão, isto é demonstrativo da falta de competência dos políticos e governantes portugueses e o povo também tem uma certa culpa. Por serem poucos exigentes em relação à qualidade dos políticos que elegem e por acreditar que existem almoços grátis.
#Bitcoin fixes this
-

@ 5d4b6c8d:8a1c1ee3
2025-03-28 12:30:11
I'm short on time this morning, so I'm just plagiarizing @grayruby's notes, with minor revisions.
# Territory Things:
- March Madness Points Challenge https://stacker.news/items/924541/r/Undisciplined
- IPL T20k Mania https://stacker.news/items/920125/r/Undisciplined
- CricZap https://stacker.news/items/919957/r/Undisciplined
- USA vs World https://stacker.news/items/923533/r/Undisciplined
- Any changes to NBA Prediction contest for March? (post coming today)
- Stackers voted to delay MLB Survivor
# NCAA:
- How many 1 seeds will make final four?
- Cooper Flagg is the consensus number 1 but will he be a great NBA player?
# NFL:
- Rule change proposals: Ban the tush push and make dynamic kickoff permanent
# NBA;
- Pre playoffs Power Rankings
# Blok'd Shots:
- Ovi with 6 to go
# MLB:
- opening day finally arrived
- American League is a crap shoot
- Fantasy MLB
# Betting:
- predyx markets
- Betplay- didn't work for me but how are you liking it?
And, as we do every week, we'll share an awesome @Aardvark sports fact.
What are we missing?
originally posted at https://stacker.news/items/927714
-

@ 57d1a264:69f1fee1
2025-03-28 10:32:15
Bitcoin.design community is organizing another Designathon, from May 4-18. Let's get creative with bitcoin together. More to come very soon.

The first edition was a bursting success! the website still there https://events.bitcoin.design, and here their previous [announcement](https://bitcoindesign.substack.com/p/the-bitcoin-designathon-2022).
Look forward for this to happen!
Spread the voice:
N: [https://njump.me/nevent1qqsv9w8p93tadlnyx0rkhexj5l48l...](https://njump.me/nevent1qqsv9w8p93tadlnyx0rkhexj5l48lmw9jc7nhhauyq5w3cm4nfsm3mstqtk6m)
X: https://x.com/bitcoin_design/status/1905547407405768927
originally posted at https://stacker.news/items/927650
-

@ 7d33ba57:1b82db35
2025-03-28 09:13:56
Girona, one of Catalonia’s most charming cities, is a perfect mix of history, culture, and gastronomy. Famous for its well-preserved medieval old town, colorful houses along the Onyar River, and Game of Thrones filming locations, Girona is a must-visit destination in northern Spain.

## **🏰 Top Things to See & Do in Girona**
### **1️⃣ Girona Cathedral (Catedral de Santa Maria) ⛪**
- One of **Spain’s most impressive cathedrals**, with **the widest Gothic nave in the world**.
- Famous as the **Great Sept of Baelor in Game of Thrones**.
- Climb the **steps for a breathtaking city view**.
### **2️⃣ Walk the Medieval Walls (Passeig de la Muralla) 🏰**
- Offers **panoramic views** of Girona and the surrounding countryside.
- A great way to see the city from above and explore its medieval history.

### **3️⃣ The Colorful Houses of the Onyar River 🌉**
- Girona’s **most iconic view**, with **brightly colored houses reflecting on the river**.
- Best viewed from the **Pont de les Peixateries Velles**, designed by **Gustave Eiffel**.
### **4️⃣ Explore the Jewish Quarter (El Call) 🏡**
- One of **Europe’s best-preserved Jewish quarters**, with **narrow, medieval streets**.
- Visit the **Museum of Jewish History** to learn about Girona’s Jewish heritage.

### **5️⃣ Arab Baths (Banys Àrabs) 🏛️**
- A **12th-century Romanesque bathhouse**, inspired by Moorish architecture.
- Features **a beautiful central dome with columns**.
### **6️⃣ Game of Thrones Filming Locations 🎬**
- Walk in the footsteps of **Arya Stark** through the city’s **winding streets**.
- Visit **the steps of the cathedral, the Jewish Quarter, and Arab Baths**, all featured in the series.
### **7️⃣ Eat at a Michelin-Starred Restaurant 🍽️**
- Girona is home to **El Celler de Can Roca**, a **3-Michelin-star restaurant**, ranked among the **best in the world**.
- Try **local Catalan dishes** like **"suquet de peix" (fish stew) and botifarra (Catalan sausage).**

## **🚗 How to Get to Girona**
✈️ **By Air:** Girona-Costa Brava Airport (GRO) is **20 min away**, with budget flights from Europe.
🚆 **By Train:** High-speed AVE trains connect **Barcelona (38 min), Madrid (3.5 hrs), and Paris (5.5 hrs)**.
🚘 **By Car:** 1 hr from **Barcelona**, 40 min from **Figueres (Dalí Museum)**.
🚌 **By Bus:** Direct buses from **Barcelona and the Costa Brava**.

## **💡 Tips for Visiting Girona**
✅ **Best time to visit?** **Spring & autumn (April–June & September–October)** for pleasant weather. 🌤️
✅ **Wear comfortable shoes** – The old town is **hilly with cobblestone streets**. 👟
✅ **Try xuixo** – A delicious **cream-filled pastry**, unique to Girona. 🥐
✅ **Visit early for Game of Thrones spots** – They get crowded during the day! 🎥
✅ **Take a day trip** – Explore nearby **Costa Brava beaches or Figueres (Dalí Museum).** 🏖️

-

@ a60e79e0:1e0e6813
2025-03-28 08:47:35
*This is a long form note of a post that lives on my Nostr educational website [Hello Nostr](https://hellonostr.xyz).*
When most people stumble across Nostr, they see is as a 'decentralized social media alternative' — something akin to Twitter (X), but free from corporate control. But the full name, "Notes and Other Stuff Transmitted by Relays", gives a clue that there’s more to it than just posting short messages. The 'notes' part is easy to grasp because it forms almost everyone's first touch point with the protocol. But the 'other stuff'? That’s where Nostr really gets exciting. The 'other stuff' is all the creative and experimental things people are building on Nostr, beyond simple text based notes.
Every action on Nostr is an event, a like, a post, a profile update, or even a payment. The 'Kind' is what specifies the purpose of each event. Kinds are the building blocks of how information is categorized and processed on the network, and the most popular become part of higher lever specification guidelines known as [Nostr Implementation Possibility - NIP](https://nostr-nips.com/). A NIP is a document that defines how something in Nostr should work, including the rules, standards, or features. NIPs define the type of 'other stuff' that be published and displayed by different styles of client to meet different purposes.
> Nostr isn’t locked into a single purpose. It’s a foundation for whatever 'other stuff' you can dream up.
>
# Types of Other Stuff
The 'other stuff' name is intentionally vague. Why? Because the possibilities of what can fall under this category are quite literally limitless. In the short time since Nostr's inception, the number of sub-categories that have been built on top of the Nostr's open protocol is mind bending. Here are a few examples:
1. Long-Form Content: Think blog posts or articles. [NIP-23](https://nostr-nips.com/nip-23).
2. Private Messaging: Encrypted chats between users. [NIP-04](https://nostr-nips.com/nip-04).
3. Communities: Group chats or forums like Reddit. [NIP-72](https://nostr-nips.com/nip-72)
4. Marketplaces: People listing stuff for sale, payable with zaps. [NIP-15](https://nostr-nips.com/nip-15)
5. Zaps: Value transfer over the Lightning Network. [NIP57](https://nostr-nips.com/nip-57)

# Popular 'Other Stuff' Clients
Here's a short list of some of the most recent and popular apps and clients that branch outside of the traditional micro-blogging use case and leverage the openness, and interoperability that Nostr can provide.
### Blogging (Long Form Content)
- [Habla](https://habla.news/) - *Web app for Nostr based blogs*
- [Highlighter](https://highlighter.com/) - *Web app that enables users to highlight, store and share content*
### Group Chats
- [Chachi Chat](https://chachi.chat/) - *Relay-based (NIP-29) group chat client*
- [0xchat](https://github.com/0xchat-app) - *Mobile based secure chat*
- [Flotilla](https://flotilla.social/) - *Web based chat app built for self-hosted communities*
- [Nostr Nests](https://nostrnests.com/) - *Web app for audio chats*
- [White Noise](https://github.com/erskingardner/whitenoise) - *Mobile based secure chat*

### Marketplaces
- [Shopstr](https://shopstr.store/) - *Permissionless marketplace for web*
- [Plebeian Market](https://plebeian.market/) - *Permissionless marketplace for web*
- [LNBits Market](https://github.com/lnbits/nostrmarket#nostr-market-nip-15---lnbits-extension) - *Permissionless marketplace for your node*
- [Mostro](https://github.com/MostroP2P/mostro) - *Nostr based Bitcoin P2P Marketplace*
### Photo/Video
- [Olas](https://github.com/pablof7z/snapstr/releases) - *An Intragram like client*
- [Freeflow](https://github.com/nostrlabs-io/freeflow) - *A TikTok like client*
### Music
- [Fountain](https://fountain.fm/) - *Podcast app with Nostr features*
- [Wavlake](https://wavlake.com/) - *A music app supporting the value-for-value ecosystem*

### Livestreaming
- [Zap.stream](https://zap.stream/) - *Nostr native live streams*
### Misc
- [Wikifreedia](https://wikifreedia.xyz/) - *Nostr based Wikipedia alternative*
- [Wikistr](https://wikistr.com/) - *Nostr based Wikipedia alternative*
- [Pollerama](https://pollerama.fun/) - *Nostr based polls*
- [Zap Store](https://zapstore.dev) - *The app store powered by your social graph*

The 'other stuff' in Nostr is what makes it special. It’s not just about replacing Twitter or Facebook, it’s about building a decentralized ecosystem where anything from private chats to marketplaces can thrive.
The beauty of Nostr is that it’s a flexible foundation. Developers can dream up new ideas and build them into clients, and the relays just keep humming along, passing the data around.
It’s still early days, so expect the 'other stuff' to grow wilder and weirder over time!
You can explore the evergrowing 'other stuff' ecosystem at [NostrApps.com](https://nostrapps.com/), [Nostr.net](https://nostr.net/) and [Awesome Nostr](https://github.com/aljazceru/awesome-nostr).
-

@ 45c41f21:c5446b7a
2025-03-28 08:02:16
“区块链行业究竟是在做什么?”——这个问题我到现在还没有想得很清楚。谈论起来可以说很多东西,“确权”、“让每一个比特都有了稀缺性”、“数字黄金”、“点对点支付”,但是具体到了行业落地,又容易陷入“赌场”这个有点乌烟瘴气的现实。
但我想有一点是比较明确的,那就是区块链行业肯定是一个围绕资产的行业。这些资产又跟传统的资产很不一样,最简单的特征是它们都是一个个的代币,通过自动化和可验证的代码铸造、控制,我们可以统称为链上资产。从比特币、以太坊到现在,这中间不管过去了多少不同的周期和浪潮,核心不变的都是出现新一轮受追捧的资产。
既然区块链是关于链上资产的行业,那么最重要的是未来会出现什么新的资产,有什么样的新资产会上链。要回答这个问题,又要我们回过头去看看,从行业诞生至今,区块链留下了哪些有意义的、没意义的,有价值的、没价值的资产。
因此,有必要讨论一下链上资产的分类。
链上资产的种类很多,但总体上我觉得可以按**满足需求的不同,**做一些功能性的划分。同时,抛开去中心化、抗审查等等大词,**链上资产与传统资产最重要的区别可以认为是安全性的来源**。传统资产在传统的社会系统和金融系统中产生,而链上资产是通过可验证代码控制的,所以它的安全性的依赖很清晰,要比现实世界简单很多。
在不同的区块链系统中,使用不同的技术(比如POW/POS),设置不同的规则,拥有不同的治理机制,都会影响安全性。“安全性”和“满足什么样的需求”之间既不是正交的,也不是完全耦合的。在不同层级的安全性之下,可能都会出现满足某一类相同需求的产品,用户使用哪种产品,只取决于自己的风险偏好。另一方面,有些需求只可能在某些特定的安全性保障下才能得到满足,比如跨国际的全球化的抗通胀价值存储。
这篇文章只讨论一些比较简单的分类,可以假设在不同的安全性保障下,每个分类都有可能出现对应的产品。有些安全性是产品内生功能的一部分,有些则完全不影响。同时,这些分类也完全是主观的看法,不一定正确,我所希望的是引发更多对资产进行讨论。
### 核心资产(高安全性、强需求支撑)
1. **比特币(BTC)**
- **核心价值**:全球化抗通胀、抗审查的“数字黄金”。
- **长期逻辑**:全球法币超发背景下,BTC作为去中心化硬通货的需求不可替代。
这是整个行业最重要的资产。也是整个行业最核心的东西。在这个定位下,只会有一个赢者通吃。其他试图竞争的都很难生存下来。它对安全性的要求也是最高的。
### 经过验证的资产分类
这部分的资产可以认为是行业诞生至今,已经经过验证的、满足某真实需求、会长期存在的资产。
1. **代表优质项目的资产(股票/ICO代币/治理代币等)**
- **核心价值**:类似于传统金融世界里的一级市场和二级市场。所谓的“优质”也不一定需要真实落地,可能是叙事/故事驱动,也可能有真实的现金流,但重要的是它能在市场上吸引人买卖。
- **关键指标**:团队是否持续营销和建设?生态是否增长?项目是否解决实际问题?
2. **DeFi 资产**
- **核心价值**:链上金融系统的“基础设施工具”。
- **需求来源**:对套利、链上资产理财的需求会永远存在。
3. **Meme币**
- **核心价值**:营销驱动+投机需求的结合体。
- **长期存在性**:人性对暴富故事的追逐不会消失(如Pump.fun、SHIB)。
4. **稳定币**
- **核心价值**:加密货币世界的“支付货币”。
- **需求刚性**:交易媒介、避险工具、跨境支付(如USDT、USDC)。
在不同的安全性保障下,上面这些资产大部分都会有对应的产品。
比如稳定币在安全性上可以有中心化的 USDT ,也有去中心化的算法稳定币。理论上,安全性对稳定币是非常重要的。但现实中,“流动性”可能才是给用户传达“这东西到底安不安全“的产品特点,也是比较主要的竞争点。
Meme 则完全不需要安全性,所以对创业者来说在哪里做都差不多。哪里用户更多就适合去哪里。有时,安全性反而是它的阻碍。DeFi 的话,因人而异。安全性高低是否影响用户使用,完全取决于用户自己的风险偏好。
### 还未经过验证的资产(需求可能存在)
- **NFT(收藏品)?**
艺术、身份标识、游戏道具的数字化载体,但流动性差、炒作属性也不见得有 Meme 这么强。会长期存在吗?打个问号。
- **DAO(准入/治理代币)?**
去中心化组织的准入权/管理权通证,依赖 DAO 本身的价值和实际治理参与度决定的价值。DeFi DAO 可能是唯一一个有点发展的方向,其他还非常不成熟,有待验证。
- **RWA(真实世界资产代币化)?**
房产、债券等上链,需要解决法律合规与链下资产映射问题。不确定。
- **社交/游戏/内容资产**
用户数据所有权货币化,还没有像样的有一些用户的产品,就更不用提形成规模经济了。
- **AI 相关的资产?**
是一个变数。如果未来会有成千上万的 AI 智能体与人类共存,链上是承载他们经济系统最合适的基础设施,这里会产生什么新的资产类型?值得期待。
这里面的资产类型,很多还没有找到真实的需求,至少没有经过验证。所以长期来看它们会是区块链行业的方向吗,需要打很多问号。既然需求本身没有得到验证,那么谈安全性对它们的影响,就更加无从谈起了。
当然,这里其实还有一个更有意思的部分,可以多聊一些。也就是**共同知识(法律/合同/规则/代码)**这一类资产。
在应用层,共同知识尚未有代币化的尝试,也难以对其具体价值做定量分析。但如果要说有的实践,以太坊通过交易收取 gas 费和 CKB 通过 Cell 存储状态收取“押金”算是一种在底层的 generalize 的尝试。这种尝试是定量的,可验证的。
以太坊的问题是经济模型不 make sense 导致状态爆炸,ckb 相比是更简单、更明确的。但这里的问题变成了,公链需要通过区块空间的竞争来展示这一种需求是否真的成立。区块空间越紧张,需求就越大。同时安全性越高,对共同知识的保障就越强,也会体现区块空间的价值。
但另一方面,是否有开发者在上面开发应用,会更大的影响这一点。因此开发工具、开发者生态在现阶段可能更重要。
### 最后
写到这里,发现很多资产似乎又是老生常谈。但从满足需求和安全性两个角度来思考,算是追本溯源的尝试。现在我们面临的处境是,问题还是老的问题,答案是否有新的答案,期待更多讨论。
-

@ 05cdefcd:550cc264
2025-03-28 08:00:15
The crypto world is full of buzzwords. One that I keep on hearing: “Bitcoin is its own asset class”.
While I have always been sympathetic to that view, I’ve always failed to understand the true meaning behind that statement.
Although I consider Bitcoin to be the prime innovation within the digital asset sector, my primary response has always been: How can bitcoin (BTC), a single asset, represent an entire asset class? Isn’t it Bitcoin and other digital assets that make up an asset class called crypto?
Well, I increasingly believe that most of crypto is just noise. Sure, it’s volatile noise that is predominately interesting for very sophisticated hedge funds, market makers or prop traders that are sophisticated enough to extract alpha – but it’s noise nonetheless and has no part to play in a long-term only portfolio of private retail investors (of which most of us are).
*Over multiple market cycles, nearly all altcoins underperform Bitcoin when measured in BTC terms. Source: Tradingview*
## Aha-Moment: Bitcoin keeps on giving
Still, how can Bitcoin, as a standalone asset, make up an entire asset class? The “aha-moment” to answer this question recently came to me in a [Less Noise More Signal interview](https://www.youtube.com/watch?v=YHRluf5uxzo) I did with [James Van Straten](https://www.linkedin.com/in/james-van-straten-8782b4112/), senior analyst at Coindesk.
Let me paraphrase him here: *“You can’t simply recreate the same ETF as BlackRock. To succeed in the Bitcoin space, new and innovative approaches are needed. This is where understanding Bitcoin not just as a single asset, but as an entire asset class, becomes essential. There are countless ways to build upon Bitcoin’s foundation—varied iterations that go beyond just holding the asset. This is precisely where the emergence of the Bitcoin-linked stock market is taking shape—and it's already underway.”*
And this is actually coming to fruition as we speak. Just in the last few days, we saw several products launch in that regard.
Obviously, MicroStrategy (now Strategy) is the pioneer of this. The company now [owns](https://www.strategy.com/purchases) 506,137 BTC, and while they’ll keep on buying more, they have also inspired many other companies to follow suit.
In fact, there are now already over 70 companies that have adopted Strategy’s Bitcoin playbook. One of the latest companies to buy Bitcoin for their corporate treasury is Rumble. The YouTube competitor just [announced](https://www.coindesk.com/markets/2025/03/12/video-sharing-platform-rumble-buys-188-btc-for-usd17-1m) their first Bitcoin purchase for $17 million.
Also, the gaming zombie company GameStop just announced to raise money to buy BTC for their corporate treasury.
*Gamestop to make BTC their hurdle rate. Source: X*
## ETF on Bitcoin companies
Given this proliferation of Bitcoin Treasury companies, it was only a matter of time before a financial product tracking these would emerge.
The popular crypto index fund provider Bitwise Investments has just launched this very product called the [Bitwise Bitcoin Standard Corporations ETF](https://ownbetf.com/) (OWNB).
The ETF tracks Bitcoin Treasury companies with over 1,000 BTC on their balance sheet. These companies invest in Bitcoin as a strategic reserve asset to protect the $5 trillion in low-yield cash that companies in the US commonly sit on.
*These are the top 10 holdings of OWNB. Source: Ownbetf*
## ETF on Bitcoin companies’ convertible bonds
Another instrument that fits seamlessly into the range of Bitcoin-linked stock market products is the [REX Bitcoin Corporate Treasury Convertible Bond ETF](https://www.rexshares.com/rex-launches-bitcoin-corporate-treasury-convertible-bond-etf/) (BMAX). The ETF provides exposure to the many different convertible bonds issued by companies that are actively moving onto a Bitcoin standard.
Convertible bonds are a valuable financing tool for companies looking to raise capital for Bitcoin purchases. Their strong demand is driven by the unique combination of equity-like upside and debt-like downside protection they offer.
For example, MicroStrategy's convertible bonds, in particular, have shown exceptional performance. For instance, MicroStrategy's 2031 bonds has shown a price rise of 101% over a one-year period, vastly outperforming MicroStrategy share (at 53%), Bitcoin (at 25%) and the ICE BofA U.S. Convertible Index (at 10%). The latter is the benchmark index for convertible bond funds, tracking the performance of U.S. dollar-denominated convertible securities in the U.S. market.
*The chart shows a comparison of ICE BofA U.S. Convertible Index, the Bloomberg Bitcoin index (BTC price), MicroStrategy share (MSTR), and MicroStrategy bond (0.875%, March 15 203). The convertible bond has been outperforming massively. Source: Bloomberg*
While the BMAX ETF faces challenges such as double taxation, which significantly reduces investor returns (explained in more detail here), it is likely that future products will emerge that address and improve upon these issues.
## Bitcoin yield products
The demand for a yield on Bitcoin has increased tremendously. Consequently, respective products have emerged.
Bitcoin yield products aim to generate alpha by capitalizing on volatility, market inefficiencies, and fragmentation within cryptocurrency markets. The objective is to achieve uncorrelated returns denominated in Bitcoin (BTC), with attractive risk-adjusted performance. Returns are derived exclusively from asset selection and trading strategies, eliminating reliance on directional market moves.
### Key strategies employed by these funds include:
- *Statistical Arbitrage:* Exploits short-term pricing discrepancies between closely related financial instruments—for instance, between Bitcoin and traditional assets, or Bitcoin and other digital assets. Traders utilize statistical models and historical price relationships to identify temporary inefficiencies.
- *Futures Basis Arbitrage:* Captures profits from differences between the spot price of Bitcoin and its futures contracts. Traders simultaneously buy or sell Bitcoin on spot markets and enter opposite positions in futures markets, benefiting as the prices converge.
- *Funding Arbitrage:* Generates returns by taking advantage of variations in Bitcoin funding rates across different markets or exchanges. Funding rates are periodic payments exchanged between long and short positions in perpetual futures contracts, allowing traders to profit from discrepancies without significant directional exposure.
- *Volatility/Option Arbitrage:* Seeks profits from differences between implied volatility (reflected in Bitcoin options prices) and expected realized volatility. Traders identify mispriced volatility in options related to Bitcoin or Bitcoin-linked equities, such as MSTR, and position accordingly to benefit from volatility normalization.
- *Market Making:* Involves continuously providing liquidity by simultaneously quoting bid (buy) and ask (sell) prices for Bitcoin. Market makers profit primarily through capturing the spread between these prices, thereby enhancing market efficiency and earning consistent returns.
- *Liquidity Provision in DeFi Markets:* Consists of depositing Bitcoin (usually as Wrapped BTC) into decentralized finance (DeFi) liquidity pools such as those on Uniswap, Curve, or Balancer. Liquidity providers earn fees paid by traders who execute swaps within these decentralized exchanges, creating steady yield opportunities.
Notable products currently available in this segment include the Syz Capital BTC Alpha Fund offered by Syz Capital and the Forteus Crypto Alpha Fund by Forteus.
## BTC-denominated share class
A Bitcoin-denominated share class refers to a specialized investment fund category in which share values, subscriptions (fund deposits), redemptions (fund withdrawals), and performance metrics are expressed entirely in Bitcoin (BTC), rather than in traditional fiat currencies such as USD or EUR.
Increasingly, both individual investors and institutions are adopting Bitcoin as their preferred benchmark—or "Bitcoin hurdle rate"—meaning that investment performance is evaluated directly against Bitcoin’s own price movements.
These Bitcoin-denominated share classes are designed specifically for investors seeking to preserve and grow their wealth in Bitcoin terms, rather than conventional fiat currencies. As a result, investors reduce their exposure to fiat-related risks. Furthermore, if Bitcoin outperforms fiat currencies, investors holding BTC-denominated shares will experience enhanced returns relative to traditional fiat-denominated investment classes.
X: https://x.com/pahueg
Podcast: https://www.youtube.com/@lessnoisemoresignalpodcast
Book: https://academy.saifedean.com/product/the-bitcoin-enlightenment-hardcover/
-

@ da0b9bc3:4e30a4a9
2025-03-28 07:27:06
Hello Stackers!
Welcome on into the ~Music Corner of the Saloon!
A place where we Talk Music. Share Tracks. Zap Sats.
So stay a while and listen.
🚨Don't forget to check out the pinned items in the territory homepage! You can always find the latest weeklies there!🚨
🚨Subscribe to the territory to ensure you never miss a post! 🚨
originally posted at https://stacker.news/items/927569
-

@ 502ab02a:a2860397
2025-03-28 04:57:18
จริงหรือ ว่าโอเมก้า3 ต้องมาจากปลาทะเลเท่านั้น
มีเรื่องที่น่าสนใจเรื่องนึงครับ ถ้าพูดถึงโอเมก้า-3 หลายคนอาจนึกถึงปลาทะเลน้ำลึก เช่น แซลมอน แมคเคอเรล หรือซาร์ดีน ซึ่งเป็นแหล่งโอเมก้า-3 ที่ร่างกายใช้ได้ดี แต่ในขณะเดียวกัน ก็มีกลุ่มคนที่พยายามบริโภคโอเมก้า-3 จากพืชแทน เช่น น้ำมันเมล็ดแฟลกซ์ น้ำมันเมล็ดเจีย หรือวอลนัท โดยหวังว่าจะได้รับประโยชน์เช่นเดียวกับการกินปลา แต่ที่เราเรียนรู้กันมาว่า โอเมก้า-3 จากพืชนั้น ร่างกายมนุษย์นำไปใช้ได้น้อยมาก หรือแทบไม่ได้เลย
สาเหตุหลักมาจากรูปแบบของโอเมก้า-3 ที่พบในแหล่งต่างๆ โอเมก้า-3 มีอยู่ 3 ชนิดหลัก ได้แก่
ALA (Alpha-Linolenic Acid) – พบในพืช
EPA (Eicosapentaenoic Acid) – พบในปลาทะเล
DHA (Docosahexaenoic Acid) – พบในปลาทะเล
ร่างกายสามารถใช้ EPA และ DHA ได้โดยตรง แต่สำหรับ ALA นั้น ร่างกายต้องผ่านกระบวนการเปลี่ยนแปลงทางชีวเคมีก่อน ซึ่งกระบวนการนี้ไม่มีประสิทธิภาพนัก โดยทั่วไปแล้ว
ALA แปลงเป็น EPA ได้เพียง 5-10%
ALA แปลงเป็น DHA ได้เพียง 0.5-5%
แปลว่า หากคุณกินเมล็ดแฟลกซ์หรือน้ำมันเมล็ดเจีย แม้ว่าจะมีปริมาณ ALA สูง แต่ร่างกายก็แทบไม่ได้รับ EPA และ DHA ในปริมาณที่เพียงพอเพื่อใช้ประโยชน์อย่างเต็มที่
ทำไมร่างกายแปลง ALA เป็น EPA/DHA ได้น้อย?
อันแรกเลยคือ เอนไซม์จำกัด กระบวนการเปลี่ยน ALA เป็น EPA และ DHA จะใช้เอนไซม์เดียวกับการแปลงโอเมก้า-6 ซึ่งมักถูกใช้ไปกับโอเมก้า-6 ที่มากเกินไปในอาหารปัจจุบันซะแล้วนั่นเอง ต่อมาคือ กระบวนการหลายขั้นตอน การเปลี่ยน ALA เป็น DHA ต้องผ่านหลายขั้นตอนทางชีวเคมี ทำให้มีการสูญเสียพลังงานและวัตถุดิบไปมาก และสุดท้าย ปัจจัยทางพันธุกรรมและเพศ บางคน โดยเฉพาะผู้หญิง อาจมีอัตราการเปลี่ยนที่สูงกว่าผู้ชายเล็กน้อย แต่ก็ยังต่ำเมื่อเทียบกับการได้รับ EPA/DHA จากปลาหรือสาหร่ายโดยตรง
โอเมก้า-6 ตัวการขัดขวางโอเมก้า-3 จากพืช
โอเมก้า-6 เป็นกรดไขมันจำเป็นที่พบมากในน้ำมันพืช เช่น น้ำมันถั่วเหลือง น้ำมันข้าวโพด และน้ำมันดอกทานตะวัน ซึ่งเป็นส่วนประกอบหลักของอาหารแปรรูปในปัจจุบัน ปัญหาคือ เอนไซม์ที่ใช้แปลง ALA ไปเป็น EPA/DHA เป็นตัวเดียวกับที่ใช้แปลงโอเมก้า-6 ไปเป็น AA (Arachidonic Acid) ซึ่งมีบทบาทในการอักเสบ หากเราบริโภคโอเมก้า-6 มากเกินไป (ซึ่งคนส่วนใหญ่ทำ5555) เอนไซม์เหล่านี้จะถูกใช้ไปกับโอเมก้า-6 มากกว่า ทำให้ ALA มีโอกาสแปลงเป็น EPA/DHA น้อยลงไปอีก
แล้วคนที่ไม่กินปลาหรือชาววีแกนควรทำอย่างไร?
สำหรับคนที่ไม่สามารถหรือไม่ต้องการกินปลา ก็จะมีการบริโภคน้ำมันสาหร่ายที่มี DHA โดยตรงเป็นทางเลือกที่ดีกว่าการหวังพึ่ง ALA จากพืช เพราะ DHA จากสาหร่ายสามารถดูดซึมและใช้ได้ทันทีเหมือน DHA จากปลา
ได้ด้วยเหรอ ?????
ผมเล่ากำเนิดของ DHA ในปลาให้ประมาณนี้ครับ
จริง ๆ แล้ว DHA ซึ่งเป็นโอเมก้า-3 ที่ร่างกายใช้ได้โดยตรง มาจาก Docosahexaenoic Acid ที่เกิดจากกระบวนการสังเคราะห์ตามธรรมชาติ ซึ่งสาหร่ายบางสายพันธุ์ เช่น Schizochytrium และ Crypthecodinium cohnii มีเอนไซม์ที่สามารถเปลี่ยนกรดไขมันพื้นฐานให้กลายเป็น DHA ได้เองซึ่งเป็นส่วนประกอบหลักในระบบนิเวศทะเล(พืชกักเก็บไขมันได้อย่างไร ผมเคยโพสไปแล้ว) โดยเฉพาะ สาหร่ายขนาดเล็ก (microalgae) สาหร่ายจึงเป็นสิ่งมีชีวิตในทะเลพัฒนาให้มี DHA สูงเพราะ DHA เป็นส่วนประกอบสำคัญที่ช่วยรักษาความยืดหยุ่นและความสมบูรณ์ของเยื่อหุ้มเซลล์ในสาหร่าย ทำให้พวกมันสามารถดำรงชีวิตในสภาพแวดล้อมที่มีอุณหภูมิต่ำในทะเลได้
จากนั้นก็เป็นไปตามห่วงโซ่อาหารครับ ปลาและสัตว์ทะเลอื่น ๆ ได้รับ DHA จากการบริโภคสาหร่ายหรือสัตว์เล็ก ๆ ที่กินสาหร่ายมาอีกที ดังนั้น DHA ในปลาเป็นผลมาจากการสะสมจากสาหร่ายโดยตรง นี่เป็นเหตุผลว่าทำไมปลาทะเลน้ำลึก เช่น แซลมอน แมคเคอเรล และซาร์ดีน ถึงมี DHA สูงนั่นเอง งว่ออออออ
ดังนั้น เมื่อคุณกิน DHA จากสาหร่าย ก็เท่ากับว่าคุณได้รับ DHA จากต้นกำเนิดแท้จริงในระบบนิเวศทะเลครับ
DHA ที่ได้มาจากสาหร่ายสามารถนำไปใช้ในร่างกายได้ทันทีโดยไม่ต้องผ่านกระบวนการเปลี่ยนแปลง เพราะมันอยู่ในรูป Triglyceride หรือ Phospholipid ซึ่งเป็นรูปแบบที่ร่างกายมนุษย์สามารถดูดซึมและนำไปใช้ได้ทันที ปลาไม่ได้แปลงโครงสร้าง DHA แต่เพียงสะสม DHA ไว้ในตัวจากการกินสาหร่าย ดังนั้นการรับประทาน DHA จากสาหร่ายก็ให้ผลเทียบเท่ากับการรับประทาน DHA จากปลา งานวิจัยหลายฉบับยืนยันว่า DHA จากสาหร่ายมีค่าการดูดซึม (Bioavailability) ใกล้เคียงกับ DHA จากน้ำมันปลา แต่หาเอาเองนะถ้าอยากอ่านฉบับเต็ม
การผลิตน้ำมันสาหร่ายนั้น เมื่อสาหร่ายเจริญเติบโตเต็มที่แล้ว เขาจะทำการเก็บเกี่ยวและสกัดน้ำมันโดยใช้เทคโนโลยีการแยกที่ทันสมัย ซึ่งช่วยรักษาให้ DHA ที่มีอยู่ในเซลล์สาหร่ายถูกเก็บรักษาไว้ในรูปแบบที่สามารถนำไปใช้ได้โดยตรง จากนั้นจะเข้าสู่การกรองหรือการปั่นแยก (centrifugation) เพื่อให้ได้มวลสาหร่ายที่เข้มข้น จากนั้นจึงทำให้แห้งเพื่อเตรียมเข้าสู่กระบวนการสกัด ซึ่งมีหลายวิธีอาทิเช่น
1 การสกัดด้วยตัวทำละลาย
ใช้ตัวทำละลาย เช่น เฮกเซน (Hexane) หรือ เอทานอล (Ethanol) เพื่อสกัดน้ำมันออกจากเซลล์สาหร่าย จากนั้นน้ำมันจะถูกนำไปกลั่นเพื่อแยกตัวทำละลายออก ทำให้ได้น้ำมันที่มีความบริสุทธิ์สูง
2. การสกัดด้วย CO₂ เหลว ใช้ คาร์บอนไดออกไซด์ในสถานะวิกฤติ (Supercritical CO₂) ซึ่งเป็นวิธีที่ทันสมัย ก๊าซ CO₂ จะถูกทำให้มีความดันสูงและอุณหภูมิที่เหมาะสมเพื่อกลายเป็นของเหลว แล้วใช้แยกน้ำมันออกจากเซลล์สาหร่าย วิธีนี้ช่วยให้ได้น้ำมันที่ ปราศจากตัวทำละลายเคมีและมีความบริสุทธิ์สูง
3. การสกัดด้วยการกดอัด หรือ Cold Pressed
เป็นวิธีที่ใช้แรงดันทางกลกดเซลล์สาหร่ายเพื่อให้ได้น้ำมันออกมา อันนี้เป็นการผลิตน้ำมันแบบออร์แกนิกเลยครับ แต่ให้ผลผลิตน้อยกว่าวิธีอื่น ๆ
น้ำมันที่ได้จากการสกัดจะผ่านการกลั่นด้วยกระบวนการต่าง ๆ เช่น
Winterization กำจัดไขมันที่ไม่จำเป็น
Molecular Distillation แยกสารตกค้าง เช่น โลหะหนักและสารปนเปื้อน
Deodorization กำจัดกลิ่นคาวของสาหร่าย
จากนั้นก็บรรจุใส่ซอฟท์เจล พร้อมจำหน่ายนั่นเองครับ
ก็ถือว่าเป็นอีกทางเลือกของชาววีแกน ที่ไม่สามารถกินปลาหรือสัตว์ทะเลได้ ก็น่าจะเฮกันดังๆได้เลยครับ จะได้มีตัวช่วยในการลดการอักเสบได้
ส่วนชาว food matrix ก็ต้องเรียนรู้ระบบครับ การกินจากปลาหรือสัตว์ทะเล ก็จะได้โปรตีน แร่ธาตุ วิตามินอื่นๆควบมากับตัวสัตว์ตามที่ธรรมชาติแพคมาให้
ถ้าจะเสริมเป็นน้ำมันสาหร่าย ก็สุดแล้วแต่ความต้องการครับ ไม่ใช่เรื่องแย่อะไร เว้นแต่ไปเทียบราคาเอาเองนะ 55555
#pirateketo #ฉลาก3รู้ #กูต้องรู้มั๊ย #ม้วนหางสิลูก #siamstr
-

@ a3bb06f6:19ac1b11
2025-03-28 02:36:38
“Until you make the unconscious conscious, it will continue to direct your life, and you will call it fate.” — Carl Jung
Most people don’t realize they’ve been robbed. Not in the dramatic, wallet-snatching sense, but in a quiet, systemic way that’s gone unnoticed for generations. If you’re feeling like no matter how hard you work, you can’t get ahead… you’re not imagining it.
It didn’t start as a scheme—*but one compromise after another*, it became one. Now, the system exploits you by design. This isn’t fate. It’s fiat.
The Unconscious Script: How Fiat Becomes Invisible From the moment you're born, you're placed into an economic system based on government-issued fiat currency. It becomes the air you breathe. You work for dollars. You save in dollars. You price **your time**, **your future**, and even **your dreams** in dollars.
But few stop to ask: What actually is a dollar? Who creates it? Why does it lose value?
This lack of questioning is the unconscious state. Fiat money is the background process running your life. You feel the effects—rising prices, shrinking savings, mounting debt—but you never see the root cause. So you blame yourself. Or “the economy.” Or call it fate.
The Lie of Neutral Money: Most believe money is just a neutral tool. But fiat is not neutral—it’s political power encoded into paper.
Governments can **print more of it at will**. Central banks can manipulate its supply, distort interest rates, and quietly tax you through inflation. Every time more money is created, your purchasing power shrinks.
But it happens slowly, like a leak in a tire. You don’t notice at first. You just feel like you’re working harder for less. The house is further out of reach. The groceries cost more. Retirement feels impossible.
And you accept it. Because no one told you it's designed this way.
<img src="https://blossom.primal.net/80cb04b171e15d56d1224a1458f0ca3ad9a440915c736e145186df1cc2f4979b.png">
Inflation Is the Invisible Thief, Inflation isn’t just a “cost of living increase.” It’s a state-sponsored form of theft.
When new money is created, it enters the system unevenly. Those closest to the money printer—banks, governments, **large corporations**—get the new dollars first. By the time it reaches you, prices have already risen. You’re buying the same goods with weaker money.
And yet, most people still save in fiat. They’re taught that hoarding cash is “safe.” They’re taught that 2% inflation is “normal.” But it’s not normal to work 40 hours a week and fall behind. That’s the product of unconscious acceptance.
The fiat system survives on one thing: your **ignorance**. It didn’t begin with malicious intent, but over time, it adapted to protect its own power—at your expense. As long as you don’t understand how money works, you won’t resist. You’ll blame yourself, or *capitalism*, or bad luck. **But never the system itself**.
This is why financial education is *never* prioritized in schools. This is why questioning monetary policy is left to economists and suits on CNBC. You were never taught how it works. And now the system depends on you staying confused—grinding, borrowing, complying, without ever asking why.
Making the Unconscious Conscious: Enter **Bitcoin**, Bitcoin breaks this spell.
<img src="https://blossom.primal.net/8373eb52ee7773e0ffc4591819ff984a27829e47741894456258e2a638029022.png">
It forces you to confront the nature of money—what it is, how it’s created, and why fiat fails. It teaches you that money doesn’t need to be printed, inflated, or controlled. That money can be fixed, finite, and **fair**.
Bitcoin is not just a new currency. It’s a tool of consciousness. It exposes the scam of fiat and offers a lifeboat to anyone ready to wake up.
Once you understand Bitcoin, you can’t unsee the problem. You begin to ask:
Why should I trust a system that steals my **time**? Why is saving discouraged, but debt rewarded? Why do I need permission to use my own money? These aren’t technical questions. They’re **moral** ones.
Consciousness Is Sovereignty: When you understand what fiat is, you stop calling your financial struggles “fate.” You start calling them what they are, outcomes of a broken system.
And once you see the system for what it is, you can choose to **exit**.
<img src="https://blossom.primal.net/a8766caf9dc043fa360dbf7c5e473201d72dfeede02a7f08abc9897367a33011.png">
Saving in Bitcoin is not speculation. It’s self-defense. It’s rejecting unconscious servitude. It’s reclaiming your **time**, your **labor**, your **future**.
In a fiat world, they own the money—so they own the rules. In a Bitcoin world, you own yourself.
That’s the power of making the unconscious conscious.
And that’s how you stop calling it fate.
-

@ fd06f542:8d6d54cd
2025-03-28 02:27:52
NIP-02
======
Follow List
-----------
`final` `optional`
A special event with kind `3`, meaning "follow list" is defined as having a list of `p` tags, one for each of the followed/known profiles one is following.
Each tag entry should contain the key for the profile, a relay URL where events from that key can be found (can be set to an empty string if not needed), and a local name (or "petname") for that profile (can also be set to an empty string or not provided), i.e., `["p", <32-bytes hex key>, <main relay URL>, <petname>]`.
The `.content` is not used.
For example:
```jsonc
{
"kind": 3,
"tags": [
["p", "91cf9..4e5ca", "wss://alicerelay.com/", "alice"],
["p", "14aeb..8dad4", "wss://bobrelay.com/nostr", "bob"],
["p", "612ae..e610f", "ws://carolrelay.com/ws", "carol"]
],
"content": "",
// other fields...
}
```
Every new following list that gets published overwrites the past ones, so it should contain all entries. Relays and clients SHOULD delete past following lists as soon as they receive a new one.
Whenever new follows are added to an existing list, clients SHOULD append them to the end of the list, so they are stored in chronological order.
## Uses
### Follow list backup
If one believes a relay will store their events for sufficient time, they can use this kind-3 event to backup their following list and recover on a different device.
### Profile discovery and context augmentation
A client may rely on the kind-3 event to display a list of followed people by profiles one is browsing; make lists of suggestions on who to follow based on the follow lists of other people one might be following or browsing; or show the data in other contexts.
### Relay sharing
A client may publish a follow list with good relays for each of their follows so other clients may use these to update their internal relay lists if needed, increasing censorship-resistance.
### Petname scheme
The data from these follow lists can be used by clients to construct local ["petname"](http://www.skyhunter.com/marcs/petnames/IntroPetNames.html) tables derived from other people's follow lists. This alleviates the need for global human-readable names. For example:
A user has an internal follow list that says
```json
[
["p", "21df6d143fb96c2ec9d63726bf9edc71", "", "erin"]
]
```
And receives two follow lists, one from `21df6d143fb96c2ec9d63726bf9edc71` that says
```json
[
["p", "a8bb3d884d5d90b413d9891fe4c4e46d", "", "david"]
]
```
and another from `a8bb3d884d5d90b413d9891fe4c4e46d` that says
```json
[
["p", "f57f54057d2a7af0efecc8b0b66f5708", "", "frank"]
]
```
When the user sees `21df6d143fb96c2ec9d63726bf9edc71` the client can show _erin_ instead;
When the user sees `a8bb3d884d5d90b413d9891fe4c4e46d` the client can show _david.erin_ instead;
When the user sees `f57f54057d2a7af0efecc8b0b66f5708` the client can show _frank.david.erin_ instead.
-

@ fd06f542:8d6d54cd
2025-03-28 02:24:00
NIP-01
======
Basic protocol flow description
-------------------------------
`draft` `mandatory`
This NIP defines the basic protocol that should be implemented by everybody. New NIPs may add new optional (or mandatory) fields and messages and features to the structures and flows described here.
## Events and signatures
Each user has a keypair. Signatures, public key, and encodings are done according to the [Schnorr signatures standard for the curve `secp256k1`](https://bips.xyz/340).
The only object type that exists is the `event`, which has the following format on the wire:
```jsonc
{
"id": <32-bytes lowercase hex-encoded sha256 of the serialized event data>,
"pubkey": <32-bytes lowercase hex-encoded public key of the event creator>,
"created_at": <unix timestamp in seconds>,
"kind": <integer between 0 and 65535>,
"tags": [
[<arbitrary string>...],
// ...
],
"content": <arbitrary string>,
"sig": <64-bytes lowercase hex of the signature of the sha256 hash of the serialized event data, which is the same as the "id" field>
}
```
To obtain the `event.id`, we `sha256` the serialized event. The serialization is done over the UTF-8 JSON-serialized string (which is described below) of the following structure:
```
[
0,
<pubkey, as a lowercase hex string>,
<created_at, as a number>,
<kind, as a number>,
<tags, as an array of arrays of non-null strings>,
<content, as a string>
]
```
To prevent implementation differences from creating a different event ID for the same event, the following rules MUST be followed while serializing:
- UTF-8 should be used for encoding.
- Whitespace, line breaks or other unnecessary formatting should not be included in the output JSON.
- The following characters in the content field must be escaped as shown, and all other characters must be included verbatim:
- A line break (`0x0A`), use `\n`
- A double quote (`0x22`), use `\"`
- A backslash (`0x5C`), use `\\`
- A carriage return (`0x0D`), use `\r`
- A tab character (`0x09`), use `\t`
- A backspace, (`0x08`), use `\b`
- A form feed, (`0x0C`), use `\f`
### Tags
Each tag is an array of one or more strings, with some conventions around them. Take a look at the example below:
```jsonc
{
"tags": [
["e", "5c83da77af1dec6d7289834998ad7aafbd9e2191396d75ec3cc27f5a77226f36", "wss://nostr.example.com"],
["p", "f7234bd4c1394dda46d09f35bd384dd30cc552ad5541990f98844fb06676e9ca"],
["a", "30023:f7234bd4c1394dda46d09f35bd384dd30cc552ad5541990f98844fb06676e9ca:abcd", "wss://nostr.example.com"],
["alt", "reply"],
// ...
],
// ...
}
```
The first element of the tag array is referred to as the tag _name_ or _key_ and the second as the tag _value_. So we can safely say that the event above has an `e` tag set to `"5c83da77af1dec6d7289834998ad7aafbd9e2191396d75ec3cc27f5a77226f36"`, an `alt` tag set to `"reply"` and so on. All elements after the second do not have a conventional name.
This NIP defines 3 standard tags that can be used across all event kinds with the same meaning. They are as follows:
- The `e` tag, used to refer to an event: `["e", <32-bytes lowercase hex of the id of another event>, <recommended relay URL, optional>, <32-bytes lowercase hex of the author's pubkey, optional>]`
- The `p` tag, used to refer to another user: `["p", <32-bytes lowercase hex of a pubkey>, <recommended relay URL, optional>]`
- The `a` tag, used to refer to an addressable or replaceable event
- for an addressable event: `["a", "<kind integer>:<32-bytes lowercase hex of a pubkey>:<d tag value>", <recommended relay URL, optional>]`
- for a normal replaceable event: `["a", "<kind integer>:<32-bytes lowercase hex of a pubkey>:", <recommended relay URL, optional>]` (note: include the trailing colon)
As a convention, all single-letter (only english alphabet letters: a-z, A-Z) key tags are expected to be indexed by relays, such that it is possible, for example, to query or subscribe to events that reference the event `"5c83da77af1dec6d7289834998ad7aafbd9e2191396d75ec3cc27f5a77226f36"` by using the `{"#e": ["5c83da77af1dec6d7289834998ad7aafbd9e2191396d75ec3cc27f5a77226f36"]}` filter. Only the first value in any given tag is indexed.
### Kinds
Kinds specify how clients should interpret the meaning of each event and the other fields of each event (e.g. an `"r"` tag may have a meaning in an event of kind 1 and an entirely different meaning in an event of kind 10002). Each NIP may define the meaning of a set of kinds that weren't defined elsewhere. [NIP-10](10.md), for instance, especifies the `kind:1` text note for social media applications.
This NIP defines one basic kind:
- `0`: **user metadata**: the `content` is set to a stringified JSON object `{name: <nickname or full name>, about: <short bio>, picture: <url of the image>}` describing the user who created the event. [Extra metadata fields](24.md#kind-0) may be set. A relay may delete older events once it gets a new one for the same pubkey.
And also a convention for kind ranges that allow for easier experimentation and flexibility of relay implementation:
- for kind `n` such that `1000 <= n < 10000 || 4 <= n < 45 || n == 1 || n == 2`, events are **regular**, which means they're all expected to be stored by relays.
- for kind `n` such that `10000 <= n < 20000 || n == 0 || n == 3`, events are **replaceable**, which means that, for each combination of `pubkey` and `kind`, only the latest event MUST be stored by relays, older versions MAY be discarded.
- for kind `n` such that `20000 <= n < 30000`, events are **ephemeral**, which means they are not expected to be stored by relays.
- for kind `n` such that `30000 <= n < 40000`, events are **addressable** by their `kind`, `pubkey` and `d` tag value -- which means that, for each combination of `kind`, `pubkey` and the `d` tag value, only the latest event MUST be stored by relays, older versions MAY be discarded.
In case of replaceable events with the same timestamp, the event with the lowest id (first in lexical order) should be retained, and the other discarded.
When answering to `REQ` messages for replaceable events such as `{"kinds":[0],"authors":[<hex-key>]}`, even if the relay has more than one version stored, it SHOULD return just the latest one.
These are just conventions and relay implementations may differ.
## Communication between clients and relays
Relays expose a websocket endpoint to which clients can connect. Clients SHOULD open a single websocket connection to each relay and use it for all their subscriptions. Relays MAY limit number of connections from specific IP/client/etc.
### From client to relay: sending events and creating subscriptions
Clients can send 3 types of messages, which must be JSON arrays, according to the following patterns:
* `["EVENT", <event JSON as defined above>]`, used to publish events.
* `["REQ", <subscription_id>, <filters1>, <filters2>, ...]`, used to request events and subscribe to new updates.
* `["CLOSE", <subscription_id>]`, used to stop previous subscriptions.
`<subscription_id>` is an arbitrary, non-empty string of max length 64 chars. It represents a subscription per connection. Relays MUST manage `<subscription_id>`s independently for each WebSocket connection. `<subscription_id>`s are not guaranteed to be globally unique.
`<filtersX>` is a JSON object that determines what events will be sent in that subscription, it can have the following attributes:
```json
{
"ids": <a list of event ids>,
"authors": <a list of lowercase pubkeys, the pubkey of an event must be one of these>,
"kinds": <a list of a kind numbers>,
"#<single-letter (a-zA-Z)>": <a list of tag values, for #e — a list of event ids, for #p — a list of pubkeys, etc.>,
"since": <an integer unix timestamp in seconds. Events must have a created_at >= to this to pass>,
"until": <an integer unix timestamp in seconds. Events must have a created_at <= to this to pass>,
"limit": <maximum number of events relays SHOULD return in the initial query>
}
```
Upon receiving a `REQ` message, the relay SHOULD return events that match the filter. Any new events it receives SHOULD be sent to that same websocket until the connection is closed, a `CLOSE` event is received with the same `<subscription_id>`, or a new `REQ` is sent using the same `<subscription_id>` (in which case a new subscription is created, replacing the old one).
Filter attributes containing lists (`ids`, `authors`, `kinds` and tag filters like `#e`) are JSON arrays with one or more values. At least one of the arrays' values must match the relevant field in an event for the condition to be considered a match. For scalar event attributes such as `authors` and `kind`, the attribute from the event must be contained in the filter list. In the case of tag attributes such as `#e`, for which an event may have multiple values, the event and filter condition values must have at least one item in common.
The `ids`, `authors`, `#e` and `#p` filter lists MUST contain exact 64-character lowercase hex values.
The `since` and `until` properties can be used to specify the time range of events returned in the subscription. If a filter includes the `since` property, events with `created_at` greater than or equal to `since` are considered to match the filter. The `until` property is similar except that `created_at` must be less than or equal to `until`. In short, an event matches a filter if `since <= created_at <= until` holds.
All conditions of a filter that are specified must match for an event for it to pass the filter, i.e., multiple conditions are interpreted as `&&` conditions.
A `REQ` message may contain multiple filters. In this case, events that match any of the filters are to be returned, i.e., multiple filters are to be interpreted as `||` conditions.
The `limit` property of a filter is only valid for the initial query and MUST be ignored afterwards. When `limit: n` is present it is assumed that the events returned in the initial query will be the last `n` events ordered by the `created_at`. Newer events should appear first, and in the case of ties the event with the lowest id (first in lexical order) should be first. It is safe to return less events than `limit` specifies, but it is expected that relays do not return (much) more events than requested so clients don't get unnecessarily overwhelmed by data.
### From relay to client: sending events and notices
Relays can send 5 types of messages, which must also be JSON arrays, according to the following patterns:
* `["EVENT", <subscription_id>, <event JSON as defined above>]`, used to send events requested by clients.
* `["OK", <event_id>, <true|false>, <message>]`, used to indicate acceptance or denial of an `EVENT` message.
* `["EOSE", <subscription_id>]`, used to indicate the _end of stored events_ and the beginning of events newly received in real-time.
* `["CLOSED", <subscription_id>, <message>]`, used to indicate that a subscription was ended on the server side.
* `["NOTICE", <message>]`, used to send human-readable error messages or other things to clients.
This NIP defines no rules for how `NOTICE` messages should be sent or treated.
- `EVENT` messages MUST be sent only with a subscription ID related to a subscription previously initiated by the client (using the `REQ` message above).
- `OK` messages MUST be sent in response to `EVENT` messages received from clients, they must have the 3rd parameter set to `true` when an event has been accepted by the relay, `false` otherwise. The 4th parameter MUST always be present, but MAY be an empty string when the 3rd is `true`, otherwise it MUST be a string formed by a machine-readable single-word prefix followed by a `:` and then a human-readable message. Some examples:
* `["OK", "b1a649ebe8...", true, ""]`
* `["OK", "b1a649ebe8...", true, "pow: difficulty 25>=24"]`
* `["OK", "b1a649ebe8...", true, "duplicate: already have this event"]`
* `["OK", "b1a649ebe8...", false, "blocked: you are banned from posting here"]`
* `["OK", "b1a649ebe8...", false, "blocked: please register your pubkey at https://my-expensive-relay.example.com"]`
* `["OK", "b1a649ebe8...", false, "rate-limited: slow down there chief"]`
* `["OK", "b1a649ebe8...", false, "invalid: event creation date is too far off from the current time"]`
* `["OK", "b1a649ebe8...", false, "pow: difficulty 26 is less than 30"]`
* `["OK", "b1a649ebe8...", false, "restricted: not allowed to write."]`
* `["OK", "b1a649ebe8...", false, "error: could not connect to the database"]`
- `CLOSED` messages MUST be sent in response to a `REQ` when the relay refuses to fulfill it. It can also be sent when a relay decides to kill a subscription on its side before a client has disconnected or sent a `CLOSE`. This message uses the same pattern of `OK` messages with the machine-readable prefix and human-readable message. Some examples:
* `["CLOSED", "sub1", "unsupported: filter contains unknown elements"]`
* `["CLOSED", "sub1", "error: could not connect to the database"]`
* `["CLOSED", "sub1", "error: shutting down idle subscription"]`
- The standardized machine-readable prefixes for `OK` and `CLOSED` are: `duplicate`, `pow`, `blocked`, `rate-limited`, `invalid`, `restricted`, and `error` for when none of that fits.
-

@ fd06f542:8d6d54cd
2025-03-28 02:21:20
# NIPs
NIPs stand for **Nostr Implementation Possibilities**.
They exist to document what may be implemented by [Nostr](https://github.com/nostr-protocol/nostr)-compatible _relay_ and _client_ software.
---
- [List](#list)
- [Event Kinds](#event-kinds)
- [Message Types](#message-types)
- [Client to Relay](#client-to-relay)
- [Relay to Client](#relay-to-client)
- [Standardized Tags](#standardized-tags)
- [Criteria for acceptance of NIPs](#criteria-for-acceptance-of-nips)
- [Is this repository a centralizing factor?](#is-this-repository-a-centralizing-factor)
- [How this repository works](#how-this-repository-works)
- [Breaking Changes](#breaking-changes)
- [License](#license)
---
## List
- [NIP-01: Basic protocol flow description](01.md)
- [NIP-02: Follow List](02.md)
- [NIP-03: OpenTimestamps Attestations for Events](03.md)
- [NIP-04: Encrypted Direct Message](04.md) --- **unrecommended**: deprecated in favor of [NIP-17](17.md)
- [NIP-05: Mapping Nostr keys to DNS-based internet identifiers](05.md)
- [NIP-06: Basic key derivation from mnemonic seed phrase](06.md)
- [NIP-07: `window.nostr` capability for web browsers](07.md)
- [NIP-08: Handling Mentions](08.md) --- **unrecommended**: deprecated in favor of [NIP-27](27.md)
- [NIP-09: Event Deletion Request](09.md)
- [NIP-10: Text Notes and Threads](10.md)
- [NIP-11: Relay Information Document](11.md)
- [NIP-13: Proof of Work](13.md)
- [NIP-14: Subject tag in text events](14.md)
- [NIP-15: Nostr Marketplace (for resilient marketplaces)](15.md)
- [NIP-17: Private Direct Messages](17.md)
- [NIP-18: Reposts](18.md)
- [NIP-19: bech32-encoded entities](19.md)
- [NIP-21: `nostr:` URI scheme](21.md)
- [NIP-22: Comment](22.md)
- [NIP-23: Long-form Content](23.md)
- [NIP-24: Extra metadata fields and tags](24.md)
- [NIP-25: Reactions](25.md)
- [NIP-26: Delegated Event Signing](26.md)
- [NIP-27: Text Note References](27.md)
- [NIP-28: Public Chat](28.md)
- [NIP-29: Relay-based Groups](29.md)
- [NIP-30: Custom Emoji](30.md)
- [NIP-31: Dealing with Unknown Events](31.md)
- [NIP-32: Labeling](32.md)
- [NIP-34: `git` stuff](34.md)
- [NIP-35: Torrents](35.md)
- [NIP-36: Sensitive Content](36.md)
- [NIP-37: Draft Events](37.md)
- [NIP-38: User Statuses](38.md)
- [NIP-39: External Identities in Profiles](39.md)
- [NIP-40: Expiration Timestamp](40.md)
- [NIP-42: Authentication of clients to relays](42.md)
- [NIP-44: Encrypted Payloads (Versioned)](44.md)
- [NIP-45: Counting results](45.md)
- [NIP-46: Nostr Remote Signing](46.md)
- [NIP-47: Nostr Wallet Connect](47.md)
- [NIP-48: Proxy Tags](48.md)
- [NIP-49: Private Key Encryption](49.md)
- [NIP-50: Search Capability](50.md)
- [NIP-51: Lists](51.md)
- [NIP-52: Calendar Events](52.md)
- [NIP-53: Live Activities](53.md)
- [NIP-54: Wiki](54.md)
- [NIP-55: Android Signer Application](55.md)
- [NIP-56: Reporting](56.md)
- [NIP-57: Lightning Zaps](57.md)
- [NIP-58: Badges](58.md)
- [NIP-59: Gift Wrap](59.md)
- [NIP-60: Cashu Wallet](60.md)
- [NIP-61: Nutzaps](61.md)
- [NIP-62: Request to Vanish](62.md)
- [NIP-64: Chess (PGN)](64.md)
- [NIP-65: Relay List Metadata](65.md)
- [NIP-66: Relay Discovery and Liveness Monitoring](66.md)
- [NIP-68: Picture-first feeds](68.md)
- [NIP-69: Peer-to-peer Order events](69.md)
- [NIP-70: Protected Events](70.md)
- [NIP-71: Video Events](71.md)
- [NIP-72: Moderated Communities](72.md)
- [NIP-73: External Content IDs](73.md)
- [NIP-75: Zap Goals](75.md)
- [NIP-78: Application-specific data](78.md)
- [NIP-84: Highlights](84.md)
- [NIP-86: Relay Management API](86.md)
- [NIP-88: Polls](88.md)
- [NIP-89: Recommended Application Handlers](89.md)
- [NIP-90: Data Vending Machines](90.md)
- [NIP-92: Media Attachments](92.md)
- [NIP-94: File Metadata](94.md)
- [NIP-96: HTTP File Storage Integration](96.md)
- [NIP-98: HTTP Auth](98.md)
- [NIP-99: Classified Listings](99.md)
- [NIP-7D: Threads](7D.md)
- [NIP-C7: Chats](C7.md)
## Event Kinds
| kind | description | NIP |
| ------------- | ------------------------------- | -------------------------------------- |
| `0` | User Metadata | [01](01.md) |
| `1` | Short Text Note | [10](10.md) |
| `2` | Recommend Relay | 01 (deprecated) |
| `3` | Follows | [02](02.md) |
| `4` | Encrypted Direct Messages | [04](04.md) |
| `5` | Event Deletion Request | [09](09.md) |
| `6` | Repost | [18](18.md) |
| `7` | Reaction | [25](25.md) |
| `8` | Badge Award | [58](58.md) |
| `9` | Chat Message | [C7](C7.md) |
| `10` | Group Chat Threaded Reply | 29 (deprecated) |
| `11` | Thread | [7D](7D.md) |
| `12` | Group Thread Reply | 29 (deprecated) |
| `13` | Seal | [59](59.md) |
| `14` | Direct Message | [17](17.md) |
| `15` | File Message | [17](17.md) |
| `16` | Generic Repost | [18](18.md) |
| `17` | Reaction to a website | [25](25.md) |
| `20` | Picture | [68](68.md) |
| `21` | Video Event | [71](71.md) |
| `22` | Short-form Portrait Video Event | [71](71.md) |
| `30` | internal reference | [NKBIP-03] |
| `31` | external web reference | [NKBIP-03] |
| `32` | hardcopy reference | [NKBIP-03] |
| `33` | prompt reference | [NKBIP-03] |
| `40` | Channel Creation | [28](28.md) |
| `41` | Channel Metadata | [28](28.md) |
| `42` | Channel Message | [28](28.md) |
| `43` | Channel Hide Message | [28](28.md) |
| `44` | Channel Mute User | [28](28.md) |
| `62` | Request to Vanish | [62](62.md) |
| `64` | Chess (PGN) | [64](64.md) |
| `818` | Merge Requests | [54](54.md) |
| `1018` | Poll Response | [88](88.md) |
| `1021` | Bid | [15](15.md) |
| `1022` | Bid confirmation | [15](15.md) |
| `1040` | OpenTimestamps | [03](03.md) |
| `1059` | Gift Wrap | [59](59.md) |
| `1063` | File Metadata | [94](94.md) |
| `1068` | Poll | [88](88.md) |
| `1111` | Comment | [22](22.md) |
| `1311` | Live Chat Message | [53](53.md) |
| `1617` | Patches | [34](34.md) |
| `1621` | Issues | [34](34.md) |
| `1622` | Git Replies (deprecated) | [34](34.md) |
| `1630`-`1633` | Status | [34](34.md) |
| `1971` | Problem Tracker | [nostrocket][nostrocket] |
| `1984` | Reporting | [56](56.md) |
| `1985` | Label | [32](32.md) |
| `1986` | Relay reviews | |
| `1987` | AI Embeddings / Vector lists | [NKBIP-02] |
| `2003` | Torrent | [35](35.md) |
| `2004` | Torrent Comment | [35](35.md) |
| `2022` | Coinjoin Pool | [joinstr][joinstr] |
| `4550` | Community Post Approval | [72](72.md) |
| `5000`-`5999` | Job Request | [90](90.md) |
| `6000`-`6999` | Job Result | [90](90.md) |
| `7000` | Job Feedback | [90](90.md) |
| `7374` | Reserved Cashu Wallet Tokens | [60](60.md) |
| `7375` | Cashu Wallet Tokens | [60](60.md) |
| `7376` | Cashu Wallet History | [60](60.md) |
| `9000`-`9030` | Group Control Events | [29](29.md) |
| `9041` | Zap Goal | [75](75.md) |
| `9321` | Nutzap | [61](61.md) |
| `9467` | Tidal login | [Tidal-nostr] |
| `9734` | Zap Request | [57](57.md) |
| `9735` | Zap | [57](57.md) |
| `9802` | Highlights | [84](84.md) |
| `10000` | Mute list | [51](51.md) |
| `10001` | Pin list | [51](51.md) |
| `10002` | Relay List Metadata | [65](65.md), [51](51.md) |
| `10003` | Bookmark list | [51](51.md) |
| `10004` | Communities list | [51](51.md) |
| `10005` | Public chats list | [51](51.md) |
| `10006` | Blocked relays list | [51](51.md) |
| `10007` | Search relays list | [51](51.md) |
| `10009` | User groups | [51](51.md), [29](29.md) |
| `10013` | Private event relay list | [37](37.md) |
| `10015` | Interests list | [51](51.md) |
| `10019` | Nutzap Mint Recommendation | [61](61.md) |
| `10030` | User emoji list | [51](51.md) |
| `10050` | Relay list to receive DMs | [51](51.md), [17](17.md) |
| `10063` | User server list | [Blossom][blossom] |
| `10096` | File storage server list | [96](96.md) |
| `10166` | Relay Monitor Announcement | [66](66.md) |
| `13194` | Wallet Info | [47](47.md) |
| `17375` | Cashu Wallet Event | [60](60.md) |
| `21000` | Lightning Pub RPC | [Lightning.Pub][lnpub] |
| `22242` | Client Authentication | [42](42.md) |
| `23194` | Wallet Request | [47](47.md) |
| `23195` | Wallet Response | [47](47.md) |
| `24133` | Nostr Connect | [46](46.md) |
| `24242` | Blobs stored on mediaservers | [Blossom][blossom] |
| `27235` | HTTP Auth | [98](98.md) |
| `30000` | Follow sets | [51](51.md) |
| `30001` | Generic lists | 51 (deprecated) |
| `30002` | Relay sets | [51](51.md) |
| `30003` | Bookmark sets | [51](51.md) |
| `30004` | Curation sets | [51](51.md) |
| `30005` | Video sets | [51](51.md) |
| `30007` | Kind mute sets | [51](51.md) |
| `30008` | Profile Badges | [58](58.md) |
| `30009` | Badge Definition | [58](58.md) |
| `30015` | Interest sets | [51](51.md) |
| `30017` | Create or update a stall | [15](15.md) |
| `30018` | Create or update a product | [15](15.md) |
| `30019` | Marketplace UI/UX | [15](15.md) |
| `30020` | Product sold as an auction | [15](15.md) |
| `30023` | Long-form Content | [23](23.md) |
| `30024` | Draft Long-form Content | [23](23.md) |
| `30030` | Emoji sets | [51](51.md) |
| `30040` | Curated Publication Index | [NKBIP-01] |
| `30041` | Curated Publication Content | [NKBIP-01] |
| `30063` | Release artifact sets | [51](51.md) |
| `30078` | Application-specific Data | [78](78.md) |
| `30166` | Relay Discovery | [66](66.md) |
| `30267` | App curation sets | [51](51.md) |
| `30311` | Live Event | [53](53.md) |
| `30315` | User Statuses | [38](38.md) |
| `30388` | Slide Set | [Corny Chat][cornychat-slideset] |
| `30402` | Classified Listing | [99](99.md) |
| `30403` | Draft Classified Listing | [99](99.md) |
| `30617` | Repository announcements | [34](34.md) |
| `30618` | Repository state announcements | [34](34.md) |
| `30818` | Wiki article | [54](54.md) |
| `30819` | Redirects | [54](54.md) |
| `31234` | Draft Event | [37](37.md) |
| `31388` | Link Set | [Corny Chat][cornychat-linkset] |
| `31890` | Feed | [NUD: Custom Feeds][NUD: Custom Feeds] |
| `31922` | Date-Based Calendar Event | [52](52.md) |
| `31923` | Time-Based Calendar Event | [52](52.md) |
| `31924` | Calendar | [52](52.md) |
| `31925` | Calendar Event RSVP | [52](52.md) |
| `31989` | Handler recommendation | [89](89.md) |
| `31990` | Handler information | [89](89.md) | |
| `32267` | Software Application | | |
| `34550` | Community Definition | [72](72.md) |
| `38383` | Peer-to-peer Order events | [69](69.md) |
| `39000-9` | Group metadata events | [29](29.md) |
[NUD: Custom Feeds]: https://wikifreedia.xyz/cip-01/
[nostrocket]: https://github.com/nostrocket/NIPS/blob/main/Problems.md
[lnpub]: https://github.com/shocknet/Lightning.Pub/blob/master/proto/autogenerated/client.md
[cornychat-slideset]: https://cornychat.com/datatypes#kind30388slideset
[cornychat-linkset]: https://cornychat.com/datatypes#kind31388linkset
[joinstr]: https://gitlab.com/1440000bytes/joinstr/-/blob/main/NIP.md
[NKBIP-01]: https://wikistr.com/nkbip-01*fd208ee8c8f283780a9552896e4823cc9dc6bfd442063889577106940fd927c1
[NKBIP-02]: https://wikistr.com/nkbip-02*fd208ee8c8f283780a9552896e4823cc9dc6bfd442063889577106940fd927c1
[NKBIP-03]: https://wikistr.com/nkbip-03*fd208ee8c8f283780a9552896e4823cc9dc6bfd442063889577106940fd927c1
[blossom]: https://github.com/hzrd149/blossom
[Tidal-nostr]: https://wikistr.com/tidal-nostr
## Message types
### Client to Relay
| type | description | NIP |
| ------- | --------------------------------------------------- | ----------- |
| `EVENT` | used to publish events | [01](01.md) |
| `REQ` | used to request events and subscribe to new updates | [01](01.md) |
| `CLOSE` | used to stop previous subscriptions | [01](01.md) |
| `AUTH` | used to send authentication events | [42](42.md) |
| `COUNT` | used to request event counts | [45](45.md) |
### Relay to Client
| type | description | NIP |
| -------- | ------------------------------------------------------- | ----------- |
| `EOSE` | used to notify clients all stored events have been sent | [01](01.md) |
| `EVENT` | used to send events requested to clients | [01](01.md) |
| `NOTICE` | used to send human-readable messages to clients | [01](01.md) |
| `OK` | used to notify clients if an EVENT was successful | [01](01.md) |
| `CLOSED` | used to notify clients that a REQ was ended and why | [01](01.md) |
| `AUTH` | used to send authentication challenges | [42](42.md) |
| `COUNT` | used to send requested event counts to clients | [45](45.md) |
## Standardized Tags
| name | value | other parameters | NIP |
| ----------------- | ------------------------------------ | ------------------------------- | -------------------------------------------------- |
| `a` | coordinates to an event | relay URL | [01](01.md) |
| `A` | root address | relay URL | [22](22.md) |
| `d` | identifier | -- | [01](01.md) |
| `e` | event id (hex) | relay URL, marker, pubkey (hex) | [01](01.md), [10](10.md) |
| `E` | root event id | relay URL | [22](22.md) |
| `f` | currency code | -- | [69](69.md) |
| `g` | geohash | -- | [52](52.md) |
| `h` | group id | -- | [29](29.md) |
| `i` | external identity | proof, url hint | [35](35.md), [39](39.md), [73](73.md) |
| `I` | root external identity | -- | [22](22.md) |
| `k` | kind | -- | [18](18.md), [25](25.md), [72](72.md), [73](73.md) |
| `K` | root scope | -- | [22](22.md) |
| `l` | label, label namespace | -- | [32](32.md) |
| `L` | label namespace | -- | [32](32.md) |
| `m` | MIME type | -- | [94](94.md) |
| `p` | pubkey (hex) | relay URL, petname | [01](01.md), [02](02.md), [22](22.md) |
| `P` | pubkey (hex) | -- | [22](22.md), [57](57.md) |
| `q` | event id (hex) | relay URL, pubkey (hex) | [18](18.md) |
| `r` | a reference (URL, etc) | -- | [24](24.md), [25](25.md) |
| `r` | relay url | marker | [65](65.md) |
| `s` | status | -- | [69](69.md) |
| `t` | hashtag | -- | [24](24.md), [34](34.md), [35](35.md) |
| `u` | url | -- | [61](61.md), [98](98.md) |
| `x` | hash | -- | [35](35.md), [56](56.md) |
| `y` | platform | -- | [69](69.md) |
| `z` | order number | -- | [69](69.md) |
| `-` | -- | -- | [70](70.md) |
| `alt` | summary | -- | [31](31.md) |
| `amount` | millisatoshis, stringified | -- | [57](57.md) |
| `bolt11` | `bolt11` invoice | -- | [57](57.md) |
| `challenge` | challenge string | -- | [42](42.md) |
| `client` | name, address | relay URL | [89](89.md) |
| `clone` | git clone URL | -- | [34](34.md) |
| `content-warning` | reason | -- | [36](36.md) |
| `delegation` | pubkey, conditions, delegation token | -- | [26](26.md) |
| `description` | description | -- | [34](34.md), [57](57.md), [58](58.md) |
| `emoji` | shortcode, image URL | -- | [30](30.md) |
| `encrypted` | -- | -- | [90](90.md) |
| `expiration` | unix timestamp (string) | -- | [40](40.md) |
| `file` | full path (string) | -- | [35](35.md) |
| `goal` | event id (hex) | relay URL | [75](75.md) |
| `image` | image URL | dimensions in pixels | [23](23.md), [52](52.md), [58](58.md) |
| `imeta` | inline metadata | -- | [92](92.md) |
| `lnurl` | `bech32` encoded `lnurl` | -- | [57](57.md) |
| `location` | location string | -- | [52](52.md), [99](99.md) |
| `name` | name | -- | [34](34.md), [58](58.md), [72](72.md) |
| `nonce` | random | difficulty | [13](13.md) |
| `preimage` | hash of `bolt11` invoice | -- | [57](57.md) |
| `price` | price | currency, frequency | [99](99.md) |
| `proxy` | external ID | protocol | [48](48.md) |
| `published_at` | unix timestamp (string) | -- | [23](23.md) |
| `relay` | relay url | -- | [42](42.md), [17](17.md) |
| `relays` | relay list | -- | [57](57.md) |
| `server` | file storage server url | -- | [96](96.md) |
| `subject` | subject | -- | [14](14.md), [17](17.md), [34](34.md) |
| `summary` | summary | -- | [23](23.md), [52](52.md) |
| `thumb` | badge thumbnail | dimensions in pixels | [58](58.md) |
| `title` | article title | -- | [23](23.md) |
| `tracker` | torrent tracker URL | -- | [35](35.md) |
| `web` | webpage URL | -- | [34](34.md) |
| `zap` | pubkey (hex), relay URL | weight | [57](57.md) |
Please update these lists when proposing new NIPs.
## Criteria for acceptance of NIPs
1. They should be fully implemented in at least two clients and one relay -- when applicable.
2. They should make sense.
3. They should be optional and backwards-compatible: care must be taken such that clients and relays that choose to not implement them do not stop working when interacting with the ones that choose to.
4. There should be no more than one way of doing the same thing.
5. Other rules will be made up when necessary.
## Is this repository a centralizing factor?
To promote interoperability, we need standards that everybody can follow, and we need them to define a **single way of doing each thing** without ever hurting **backwards-compatibility**, and for that purpose there is no way around getting everybody to agree on the same thing and keep a centralized index of these standards. However the fact that such an index exists doesn't hurt the decentralization of Nostr. _At any point the central index can be challenged if it is failing to fulfill the needs of the protocol_ and it can migrate to other places and be maintained by other people.
It can even fork into multiple versions, and then some clients would go one way, others would go another way, and some clients would adhere to both competing standards. This would hurt the simplicity, openness and interoperability of Nostr a little, but everything would still work in the short term.
There is a list of notable Nostr software developers who have commit access to this repository, but that exists mostly for practical reasons, as by the nature of the thing we're dealing with the repository owner can revoke membership and rewrite history as they want -- and if these actions are unjustified or perceived as bad or evil the community must react.
## How this repository works
Standards may emerge in two ways: the first way is that someone starts doing something, then others copy it; the second way is that someone has an idea of a new standard that could benefit multiple clients and the protocol in general without breaking **backwards-compatibility** and the principle of having **a single way of doing things**, then they write that idea and submit it to this repository, other interested parties read it and give their feedback, then once most people reasonably agree we codify that in a NIP which client and relay developers that are interested in the feature can proceed to implement.
These two ways of standardizing things are supported by this repository. Although the second is preferred, an effort will be made to codify standards emerged outside this repository into NIPs that can be later referenced and easily understood and implemented by others -- but obviously as in any human system discretion may be applied when standards are considered harmful.
## Breaking Changes
[Breaking Changes](BREAKING.md)
## License
All NIPs are public domain.
## Contributors
<a align="center" href="https://github.com/nostr-protocol/nips/graphs/contributors">
<img src="https://contrib.rocks/image?repo=nostr-protocol/nips" />
</a>
-

@ fd06f542:8d6d54cd
2025-03-28 02:14:43
{"coverurl":"https://cdn.nostrcheck.me/fd06f542bc6c06a39881810de917e6c5d277dfb51689a568ad7b7a548d6d54cd/5ad7189d30c9b49aa61652d98ac7853217b7e445f863be09f9745c49df9f514c.webp","title":"Nostr protocol","author":"fiatjaf"}
-

@ 84b0c46a:417782f5
2025-03-27 23:52:24
nostr:nevent1qqsw9v8usvahkqmmc9qavu6g834v09j6e2u2acdua24tk73dqc05xecgkanse
-

@ 2b24a1fa:17750f64
2025-03-28 10:07:04
Der Deutsche Bundestag wurde neu gewählt. Für einige Abgeordnete und Regierungsmitglieder heißt es Time to Say Goodbye. Abschied ist ein scharfes Schwert. 
[https://soundcloud.com/radiomuenchen/nachruf-2-olaf-der-zeitenwender](https://soundcloud.com/radiomuenchen/nachruf-2-olaf-der-zeitenwender?si=6c375088b6444c2d8aa7e8040fb1a79e\&utm_source=clipboard\&utm_medium=text\&utm_campaign=social_sharing)
Auch bei Radio München werden Trennungs- und Verlassenheitsgefühle getriggert. Umso mehr, wenn es sich nicht nur um duselige Allerweltsliebe handelt, sondern um den Abgang großer Helden. Sie bezahlten ihren todesmutigen und fast ehrenamtlichen Einsatz nicht mit dem Leben, jedoch mit der einen oder anderen Falte in Hemd oder Bluse, manchmal sogar im Gesicht. Was bleibt? Eine bescheidene Pension? Ein lausig bezahlter Manager-Job in einem Konzern? Wir wollen jedenfalls nicht, dass diese Volkshelden vom Zahn der Zeit abgenagt, vergessen werden und setzen ihnen deshalb ein bescheidenes akustisches, aber nachhaltiges Denkmal. Hören Sie die kleine satirische Reihe „Nachrufe“ von unserem Autor Jonny Rieder.\
Folge 2: Olaf der Zeitenwender
Sprecher: Karsten Troyke
Bild: Markus Mitterer für Radio München
Radio München\
[www.radiomuenchen.net/](http://www.radiomuenchen.net/%E2%80%8B "http://www.radiomuenchen.net/")\
@[radiomuenchen](https://soundcloud.com/radiomuenchen)\
[www.facebook.com/radiomuenchen](http://www.facebook.com/radiomuenchen "http://www.facebook.com/radiomuenchen")\
[www.instagram.com/radio\_muenchen/](http://www.instagram.com/radio_muenchen/ "http://www.instagram.com/radio_muenchen/")\
[twitter.com/RadioMuenchen](http://twitter.com/RadioMuenchen "http://twitter.com/RadioMuenchen")
Radio München ist eine gemeinnützige Unternehmung.\
Wir freuen uns, wenn Sie unsere Arbeit unterstützen.
GLS-Bank\
IBAN: DE65 4306 0967 8217 9867 00\
BIC: GENODEM1GLS
-

@ 4fe14ef2:f51992ec
2025-03-27 21:11:10
Hey Bitcoiners,
Leave a comment below to share your hustles and wins. Let us know what you've sold this week. Have you sold it for #sats or #zaps? It doesn't matter how big or small your item is, solid or #digital, product or #service.
Just share below what you’ve listed, swapped, and sold. Let everyone rave on your latest #deals!
New to ~AGORA? Dive into the #marketplace and turn your dusty gears into shiny #BTC!
originally posted at https://stacker.news/items/927256
-

@ 2b24a1fa:17750f64
2025-03-28 10:03:58
Zwischen Überzeugungsarbeit und Propaganda verläuft ein schmaler Grad. Aber so oder so: Wer die subtileren Werkzeuge hat und vor allem die Mittel um Menschen zu kaufen, die diese dann anwenden, hat eindeutig die besseren Karten. 
[https://soundcloud.com/radiomuenchen/unterwanderter-journalismus-oder-der-mediale-deep-state-wankt-von-milosz-matuschekcolor=ffd400](https://soundcloud.com/radiomuenchen/unterwanderter-journalismus-oder-der-mediale-deep-state-wankt-von-milosz-matuschek?si=45877e50143d4e10a22fc9a4be82970d\&utm_source=clipboard\&utm_medium=text\&utm_campaign=social_sharing)
Dass die Bevölkerung nun wissen will, mit welchen Mitteln sie auf welche Weise beeinflusst werden soll, ist selbstverständlich. Wie nuanciert diese Beeinflussung stattfinden kann, darauf haben uns unsere Hörer beim letzten Beitrag von Milosz Matuschek: „Die ersten Köpfe rollen“ gestoßen. Es ging um die staatliche amerikanische Behörde für internationale Entwicklungshilfe USAID. Matuschek schrieb: „Man liest was von AID im Namen und denkt, was man denken soll: klingt nach Bob Geldof, barmherzigen Schwestern und “Brot für die Welt”.“ Man hatte das nicht nur optisch wahrgenommen, nein, diese Behörde wurde hierzulande, in allen Medien US AID genannt, was unsere Sprecherin Sabrina Khalil übernahm. Dass die United States Agency for International Development in USA so nicht gesprochen wird, schrieben uns gleich mehrere aufmerksame Hörer. Es ist sicherlich keine Paranoia darüber nachzudenken, ob die Bedeutung unserer Sprache, unserer Wörter bis hin zur Aussprache im Fokus der Manipulation steht. Dafür wird sehr viel Geld locker gemacht und unter anderem in die Medien gepumpt.
Hören Sie heute den zweiten Teil der Reihe „Die Corona-Connection“ mit dem Titel: „Der mediale Deep State wankt“. Sprecherin: Sabrina Khalil.
Das freie Medienprojekt Pareto kann übrigens Unterstützung gebrauchen, dafür wurde ein Crowdfunding auf Geyser gestartet, wo man mit Bitcoin/Lightning-Spenden helfen kann. Und für Spenden auf dem klassischen Weg finden Sie die entsprechende Bankverbindung auf der Homepage pareto.space/de.
Nachzulesen unter: [www.freischwebende-intelligenz.org/p/unter…mediale](https://gate.sc?url=https%3A%2F%2Fwww.freischwebende-intelligenz.org%2Fp%2Funterwanderter-journalismus-der-mediale\&token=6fce3f-1-1743155866002 "https://www.freischwebende-intelligenz.org/p/unterwanderter-journalismus-der-mediale")
Foto: Gleichschaltung - sie melden exakt den gleichen Wortlaut.
-

@ 7d33ba57:1b82db35
2025-03-27 20:54:55
Andorra la Vella, the capital of Andorra, is a charming mix of mountain landscapes, duty-free shopping, and rich history. Nestled in the Pyrenees, it’s a great destination for skiing, hiking, and relaxing in thermal spas. Whether you’re here for outdoor adventures, tax-free shopping, or cultural experiences, Andorra la Vella has something for everyone.

## **🏔️ Top Things to See & Do in Andorra la Vella**
### **1️⃣ Shop in Avinguda Meritxell 🛍️**
- One of **Europe’s best duty-free shopping streets**, filled with **electronics, fashion, perfumes, and luxury goods**.
- Find **brands at lower prices than in Spain or France**.
### **2️⃣ Relax at Caldea Spa ♨️**
- The **largest thermal spa in Southern Europe**, with **hot springs, saunas, and lagoon pools**.
- A perfect place to unwind **after skiing or hiking**.

### **3️⃣ Visit the Church of Sant Esteve ⛪**
- A **beautiful Romanesque church** dating back to the **12th century**.
- Features **stone carvings and medieval frescoes**.
### **4️⃣ Explore the Historic Quarter (Barri Antic) 🏡**
- Walk through **narrow cobbled streets** filled with **traditional Andorran houses and charming cafés**.
- Visit **Casa de la Vall**, a **historic parliament building from the 16th century**.
### **5️⃣ Go Skiing or Snowboarding 🎿**
- Andorra is famous for its **world-class ski resorts**, **Grandvalira and Vallnord**, just **15-30 minutes away**.
- Ideal for **beginners and experienced skiers** alike.
### **6️⃣ Hiking in the Pyrenees 🥾**
- **Summer & autumn** offer **incredible hiking trails** with **mountain lakes and scenic views**.
- **Rec del Solà Trail** – A beautiful, easy path with panoramic views of the valley.
- **L’Estany Blau** – A moderate hike leading to a stunning blue lake.

### **7️⃣ Enjoy Andorran Cuisine 🍽️**
- **Escudella** – A hearty **Andorran stew with meat, beans, and vegetables** 🍲
- **Trinxat** – A mountain dish made of **potatoes, cabbage, and bacon** 🥓🥔
- **Embotits** – Local **cured meats and sausages**, perfect as tapas 🍖
- **Crema Andorrana** – A creamy, local dessert similar to Catalan crema 🍮

## **🚗 How to Get to Andorra la Vella**
✈️ **By Air:** The nearest airports are **Barcelona-El Prat (Spain, 2.5 hrs)** and **Toulouse-Blagnac (France, 2.5 hrs)**.
🚘 **By Car:** 2.5 hrs from **Barcelona**, 2.5 hrs from **Toulouse**, 3 hrs from **Perpignan**.
🚌 **By Bus:** Direct buses from **Barcelona, Toulouse, and Lleida**.
🚆 **By Train:** No direct train, but you can take a train to **L'Hospitalet-près-l'Andorre (France)** and continue by bus.

## **💡 Tips for Visiting Andorra la Vella**
✅ **Best time to visit?** **Winter for skiing, summer for hiking & shopping** ❄️🌞
✅ **Bring a passport** – Even though Andorra isn’t in the EU, border checks happen 🇦🇩
✅ **Try duty-free shopping** – Electronics, perfumes, and alcohol are cheaper 🛍️
✅ **Book ski passes in advance** – Resorts get busy in peak season 🎿
✅ **Wear comfy shoes** – The city has **steep streets and cobblestone paths** 👟
-

@ 7d33ba57:1b82db35
2025-03-27 20:23:58
Peñíscola, known as the “Gibraltar of Valencia”, is a stunning coastal town on Spain’s Costa del Azahar. Famous for its medieval castle, beautiful beaches, and charming old town, Peñíscola is a perfect mix of history, culture, and seaside relaxation. It’s also known as a filming location for Game of Thrones!

## **🏖️ Top Things to See & Do in Peñíscola**
### **1️⃣ Peñíscola Castle (Castillo del Papa Luna) 🏰**
- A **magnificent 13th-century castle** sitting on a rocky peninsula.
- Built by the **Knights Templar** and later home to **Pope Benedict XIII (Papa Luna)**.
- Offers **breathtaking views** of the Mediterranean and surrounding coastline.
### **2️⃣ Explore the Old Town 🏡**
- Wander through **narrow cobblestone streets**, lined with **whitewashed houses and flower-filled balconies**.
- Discover **hidden courtyards, charming shops, and seafood restaurants**.
- Enjoy the **picturesque sunset views** over the sea.

### **3️⃣ Relax on Playa Norte & Playa Sur 🏖️**
- **Playa Norte**: The **main beach**, known for its **golden sand and clear waters**.
- **Playa Sur**: Smaller and quieter, great for **relaxing away from the crowds**.
- Both beaches offer **water sports, sunbeds, and beach bars**.
### **4️⃣ Serra d’Irta Natural Park 🌿**
- A **stunning coastal nature reserve** with **hiking and biking trails**.
- Offers **hidden coves, rugged cliffs, and breathtaking sea views**.
- Ideal for **nature lovers and photographers**.

### **5️⃣ Game of Thrones Filming Locations 🎬**
- Peñíscola was featured in **Game of Thrones (Season 6) as Meereen**.
- Visit the **castle walls, old town alleys, and city gates** where key scenes were filmed.
### **6️⃣ Boat Trip Around the Castle ⛵**
- Take a **boat tour** for **unique views of the fortress from the sea**.
- Sunset cruises offer **magical golden-hour scenery**.

## **🍽️ What to Eat in Peñíscola**
- **Arroz a Banda** – A delicious **seafood rice dish**, typical of Valencia 🍚🐟
- **Suquet de Peix** – A **traditional fish stew** with potatoes and saffron 🍲
- **Langostinos de Vinaròs** – **Famous local prawns**, incredibly fresh 🍤
- **Caragols Punxents** – A local specialty of **small spicy snails** 🐌🌶️
- **Coca de llanda** – A **sweet sponge cake**, perfect with coffee 🍰

## **🚗 How to Get to Peñíscola**
✈️ **By Air:** The nearest airport is **Castellón Airport (40 min), Valencia (1.5 hrs), or Barcelona (2 hrs)**.
🚆 **By Train:** The nearest station is **Benicarló-Peñíscola**, just **7 km away**.
🚘 **By Car:** 1.5 hrs from **Valencia**, 2 hrs from **Barcelona**, 45 min from **Castellón**.
🚌 **By Bus:** Direct buses from **Barcelona, Valencia, and Castellón**.

## **💡 Tips for Visiting Peñíscola**
✅ **Best time to visit?** **Spring & summer (April–September)** for the best weather ☀️
✅ **Visit the castle early** – Mornings are less crowded and cooler 🏰
✅ **Take a sunset walk along the beach** – The views are stunning 🌅
✅ **Try a boat trip** – The castle looks incredible from the water ⛵
✅ **Wear comfortable shoes** – The old town streets are steep and cobbled 👟
-

@ 7d33ba57:1b82db35
2025-03-27 19:48:38
Tarifa, located at the southernmost tip of Spain, is a paradise for beach lovers, adventure seekers, and nature enthusiasts. Known for its strong winds, golden beaches, and laid-back atmosphere, it’s a top destination for kite surfing, whale watching, and exploring Andalusian history. Plus, it’s the perfect gateway to Morocco, just a short ferry ride away.

## **🏖️ Top Things to See & Do in Tarifa**
### **1️⃣ Playa de Los Lances 🏄♂️**
- A **long, sandy beach** famous for **kite surfing and windsurfing**.
- One of the best spots in Europe for **water sports enthusiasts**.
- Lined with **chiringuitos (beach bars)** where you can relax and enjoy the views.
### **2️⃣ Punta de Tarifa – The Southernmost Point of Europe 🌍**
- A unique spot where the **Atlantic Ocean meets the Mediterranean Sea**.
- Walk to **Isla de las Palomas**, a historic military zone (guided tours available).
- Incredible views of **Morocco, just 14 km away**.

### **3️⃣ Whale & Dolphin Watching Tours 🐬**
- Join a boat trip to see **orcas, dolphins, and sperm whales** in the Strait of Gibraltar.
- Best time: **April to October** for whale migrations.

### **4️⃣ Explore the Historic Old Town 🏰**
- Wander through **narrow, whitewashed streets** full of charm.
- Visit **Guzmán el Bueno Castle**, a **10th-century fortress** with panoramic views.
- Enjoy **lively tapas bars, boutique shops, and hidden courtyards**.

### **5️⃣ Playa de Bolonia & Baelo Claudia Ruins 🏛️**
- One of Spain’s most **unspoiled beaches**, with **dunes and turquoise waters**.
- Explore the **Roman ruins of Baelo Claudia**, an ancient **fishing village from 2,000 years ago**.
- Climb the **Duna de Bolonia**, a massive sand dune with breathtaking views.

### **6️⃣ Day Trip to Morocco 🇲🇦**
- Take a **35-minute ferry to Tangier** for a quick taste of **North African culture**.
- Explore **medinas, souks, and local cuisine** with a guided tour.
- Don’t forget your **passport**!

## **🍽️ What to Eat in Tarifa**
- **Atún Rojo (Red Tuna)** – Tarifa is famous for its **fresh bluefin tuna** 🍣
- **Tortillitas de Camarones** – Crispy shrimp fritters, a local delicacy 🍤
- **Choco Frito** – Fried cuttlefish, a must-try for seafood lovers 🦑
- **Andalusian Gazpacho** – A refreshing **cold tomato soup**, perfect for hot days 🍅
- **Mojama** – **Salt-cured tuna**, often eaten as a tapa with almonds 🐟

## **🚗 How to Get to Tarifa**
✈️ **By Air:** The nearest airports are **Gibraltar (45 min), Málaga (2 hrs), and Seville (2.5 hrs)**.
🚆 **By Train:** No direct train, but you can take one to **Algeciras (30 min drive from Tarifa)**.
🚘 **By Car:** 1.5 hrs from **Málaga**, 1 hr from **Cádiz**, 30 min from **Gibraltar**.
🚌 **By Bus:** Regular buses from **Seville, Málaga, Cádiz, and Algeciras**.
⛴️ **To Morocco:** Ferries run **daily** to **Tangier, Morocco (35 min ride)**.

## **💡 Tips for Visiting Tarifa**
✅ **Best time to visit?** **Spring to early autumn (April–October)** for great weather ☀️
✅ **Book water sports lessons early** – It’s a popular spot for kite surfing! 🏄♂️
✅ **Bring layers** – Tarifa can be **windy**, even in summer 🌬️
✅ **Visit early for whale watching** – Mornings usually have calmer seas 🐋
✅ **Take a day trip to Bolonia** – One of Spain’s most stunning hidden beaches 🏝️

-

@ fe9e99a0:5123e9a8
2025-03-27 18:37:28
Can’t seem to update anything
-

@ 000002de:c05780a7
2025-03-27 17:51:16
Regardless of what you have heard Capitalism isn't to blame for all the ills in modern life. Capitalism is simply free trade without centralize control. Of course there are many details I'm glossing over and degrees of freedom. Critics of capitalism rarely explain how it works. They complain about people buying too much stuff. People being over-weight. They complain about waste. People buying stuff they don't need. They complain that teachers aren't paid enough. They complain that professional athletes make too much money.
All of this boils down to two things.
1. People don't like what others choose to do
2. The products we see and world we live in is a result of the desires and values of the people
I agree with many of the critics of capitalism. There is a ton of crap. There's a ton of waste. There are professions I wish were more profitable and others I wish were less profitable. I'm going to ignore the state for once here. Obviously the state puts its thumb on the scales and distorts the market. But this isn't the main factor IMO. The main factor in the world we live in is us. The people. Our desires. Our values. The things we value are reflected in the market. People don't like to admit this because it is uncomfortable. We are spoiled, self-centered, brats that are desire machines. Yeah, you can blame advertising. You can blame "capitalism" but the alternative is starvation and death (socialism).
Its time for us to stop blaming freedom for all the ills in our society and take ownership for our actions. Its us. Thing is, I can't change you. But, I can change my actions. Adjust my values. Adjust my frame of view. I'd love to start hearing people take responsibility and self ownership. Start living out your values. Don't be a part of things that you view as problems. Be a part of solutions. I can't tell you what that looks like but if you think about it for a while you can come up with some things. Its easy to blame others. Its hard to take responsibility for yourself and own your flaws and mistakes.
What do you think?
_Inspired by @k00b's [post](https://stacker.news/items/926865)_
originally posted at https://stacker.news/items/927021
-

@ 9bde4214:06ca052b
2025-03-27 17:28:23
“The human spirit should remain in charge.”
[Pablo](https://njump.me/npub1l2vyh47mk2p0qlsku7hg0vn29faehy9hy34ygaclpn66ukqp3afqutajft) & [Gigi](https://njump.me/npub1dergggklka99wwrs92yz8wdjs952h2ux2ha2ed598ngwu9w7a6fsh9xzpc) talk about the wind.
nostr:nevent1qvzqqqqqqypzpx77gg2frul26xkzr0gaq9n842u50axpcjhdsa3yeu388vrv5pftqys8wumn8ghj7mn0wd68ytn9d9h82mny0fmkzmn6d9njuumsv93k2tcppemhxue69uhkummn9ekx7mp0qqszlf337y0lkg4sz5ax9ath4y5vk6rpqn9tfewaln2989zavvqrg4cpt2krs
In this dialogue:
- Wind
- More Wind
- Information Calories, and how to measure them
- [Digital Wellbeing](https://play.google.com/store/apps/details?id=com.google.android.apps.wellbeing)
- [Rescue Time](https://www.rescuetime.com/)
- Teleology of Technology
- Platforms get users [Hooked](https://www.uxmatters.com/mt/archives/2021/06/book-review-hooked-how-to-build-habit-forming-products.php) (book)
- Feeds are [slot machines](https://ihpi.umich.edu/news/social-media-copies-gambling-methods-create-psychological-cravings)
- Movie Walls
- Tweetdeck and [Notedeck](https://damus.io/notedeck/)
- IRC vs the modern feed
- 37Signals: “[Hey](https://www.hey.com/pricing/), let’s just charge users!”
- “[You wouldn’t zap a car crash](https://njump.me/nevent1qqsqm2lz4ru6wlydzpulgs8m60ylp4vufwsg55whlqgua6a93vp2y4gzyphydppzm7m554ecwq4gsgaek2qk32atse2l4t9ks57dpms4mmhfxzzxtzc)”
- Catering to our highest self VS catering to our lowest self
- Devolution of YouTube [5-star ratings](https://daringfireball.net/linked/2017/03/18/youtube-thumbs-stars) to thumb up/down to [views](https://www.makeuseof.com/the-real-reason-why-youtube-hid-dislikes/)
- Long videos vs shorts
- The internet had to monetize itself somehow (with [attention](https://dergigi.com/2022/12/18/a-vision-for-a-value-enabled-web/#attention))
- “Don’t be evil” and why Google had to [remove it](https://www.zdnet.com/article/google-erases-dont-be-evil-from-code-of-conduct-after-18-years/)
- [Questr](https://questr.vercel.app/): 2D exploration of nostr
- [ONOSENDAI](https://www.onosendai.tech/) by Arkinox
- Freedom tech & Freedom from Tech
- DAUs of jumper cables
- [Gossip](https://github.com/mikedilger/gossip) and it’s choices
- [“The secret to life is to send it”](https://highlighter.com/a/naddr1qvzqqqr4gupzqmjxss3dld622uu8q25gywum9qtg4w4cv4064jmg20xsac2aam5nqqxnzd3exsmrswfjxsurxvf3qvlsju)
- Flying water & flying bus stops
- [RSS readers](https://github.com/fiatjaf/narr), [Mailbrew](https://mailbrew.com/), and daily digests
- Nostr is high signal and less addictive
- Calling nostr posts “[tweets](https://nostr.band/?q=tweet+by%3Anpub1dergggklka99wwrs92yz8wdjs952h2ux2ha2ed598ngwu9w7a6fsh9xzpc)” and recordings being “on tape”
- Pivoting from nostr dialogues to a podcast about wind
- The unnecessary complexity of [NIP-96](https://github.com/nostr-protocol/nips/blob/master/96.md)
- [Blossom](https://github.com/hzrd149/blossom) (and wind)
- Undoing URLs, APIs, and REST
- ISBNs and cryptographic identifiers
- SaaS and the DAU metric
- [Highlighter](https://highlighter.com/)
- Not caring where stuff is hosted
- When is an edited thing a new thing?
- Edits, the edit wars, and [the case against edits](https://blog.udaya.dev/fiatjaf/ad84e3b3)
- [NIP-60](https://nips.nostr.com/60) and inconsistent balances
- Scroll to [text fragment](https://mgearon.com/html/text-fragments/) and best effort matching
- Proximity hashes & [locality-sensitive hashing](https://en.wikipedia.org/wiki/Locality-sensitive_hashing)
- Helping your Uncle Jack of a horse
- Helping your uncle [jack of a horse](https://en.wikipedia.org/wiki/Mr._Hands_\(album\))
- Can we fix it with WoT?
- [Vertex](https://vertexlab.io/) & vibe-coding a proper search for nostr
- Linking to hashtags & search queries
- Advanced search and why it’s great
- Search scopes & web of trust
- The UNIX tools of nostr
- Pablo’s [NDK snippets](https://nostr-dev-kit.github.io/ndk/snippets/)
- Meredith on the [privacy nightmare of Agentic AI](https://njump.me/nevent1qqsts24dta3nay5ypkhnqd8aphynhw7z89qw69sp3pceady2xujakygpzemhxue69uhhyetvv9ujumn0wd68ytnzv9hxgq3qguh5grefa7vkay4ps6udxg8lrqxg2kgr3qh9n4gduxut64nfxq0quyzs70)
- Blog-post-driven development ([Lightning Prisms](https://dergigi.com/2023/03/12/lightning-prisms/), [Highlighter](https://dergigi.com/2023/04/04/purple-text-orange-highlights/))
- Sandwich-style LLM prompting, Waterfall for LLMs ([HLDD / LLDD](https://gist.github.com/dskvr/b34f836b68ff2ca51bcc8fe7763eceec))
- “Speed itself is a feature”
- MCP & [DVMCP](https://mcp.so/server/dvmcp)
- Monorepos and git submodules
- [Olas](https://olas.app/) & NDK
- Pablo’s [RemindMe](https://njump.me/npub17hsu5gd24stmzuuezwvavgeuwwac233nfzg59dfyhf4fvel8n2sqw3d0k9) bot
- “Breaking changes kinda suck”
- Stories, shorts, TikTok, and OnlyFans
- LLM-generated sticker styles
- LLMs and [creativity](https://dergigi.com/2022/09/25/creativity/) (and Gigi’s [old email](https://gist.github.com/dergigi/04760fbcaa3769bb243db2b0e31c75df))
- “AI-generated art has no soul”
- Nostr, zaps, and realness
- Does the source matter?
- Poker client in [bitcoin v0.0.1](https://github.com/search?q=repo%3Atrottier%2Foriginal-bitcoin%20poker&type=code)
- Quotes from Hitler and how additional context changes meaning
- Greek finance minister on crypto and bitcoin ([Technofeudalism](https://www.goodreads.com/book/show/75560036-technofeudalism), book)
- Is more context always good?
- [Vervaeke’s AI argument](https://www.youtube.com/watch?v=A-_RdKiDbz4&list=PLND1JCRq8Vui2YOOfrxbeRwJk5jZPmAth)
- What is meaningful?
- How do you extract meaning from information?
- How do you extract meaning from experience?
- “[What the hell is water](https://youtu.be/ms2BvRbjOYo)”
- Creativity, imagination, hallucination, and losing touch with reality
- “[Bitcoin is singularity insurance](https://njump.me/nevent1qqswawr4cz68sjswhtdkat8qgnpfsc6wygx4xmq2d5gd5fg9extvl4gpzamhxue69uhhyetvv9ujumn0wd68ytnzv9hxgtczyphydppzm7m554ecwq4gsgaek2qk32atse2l4t9ks57dpms4mmhfxqcyqqqqqqg74yxgf)”
- Will vibe coding make developers obsolete?
- Knowing what to build vs knowing how to build
- 10min block time & the [physical limits of consensus](https://dergigi.com/threads/physical-limits)
- Satoshi’s reasons articulated in his [announcement post](https://satoshi.nakamotoinstitute.org/posts/p2pfoundation/1/)
- Why do anything? Why stack sats? Why have kids?
- All you need now is motivation
- Upcoming agents will actually do the thing
- Proliferation of writers: quantity VS quality
- Crisis of sameness & the problem of distribution
- Patronage, belle epoche, and [bitcoin art](https://x.com/FractalEncrypt)
- Niches, and how the internet fractioned society
- Joe’s songs
- Hyper-personalized stories
- Shared stories & myths ([Jonathan Pageau](https://www.thesymbolicworld.com/team/jonathan-pageau))
- Hyper-personalized apps VS shared apps
- Agency, free expression, and [free speech](https://dergigi.com/2024/03/25/speaking-freely-online/)
- Edgy content & [twitch meta](https://www.talkesport.com/news/what-is-the-twitch-meta-decoding-trends-and-controversies/), aka skating the line of demonetization and deplatforming
- Using attention as a proxy currency
- Farming eyeballs and brain cycles
- Engagement as a success metric & engagement bait
- “[You wouldn’t zap a car crash](https://njump.me/nevent1qqsqm2lz4ru6wlydzpulgs8m60ylp4vufwsg55whlqgua6a93vp2y4gzyphydppzm7m554ecwq4gsgaek2qk32atse2l4t9ks57dpms4mmhfxzzxtzc)”
- Attention economy is parasitic on humanity
- The importance of [speech](https://nostr-resources.com/) & [money](https://bitcoin-resources.com/)
- What should be done by a machine?
- What should be done by a human?
- “The human spirit should remain in charge”
- Our relationship with fiat money
- Active vs passive, agency vs serfdom
-

@ a012dc82:6458a70d
2025-03-27 14:23:51
The cryptocurrency market, known for its dramatic fluctuations, has always been a subject of intrigue and speculation. Bitcoin, as the pioneering digital currency, has been at the epicenter of this financial whirlwind. As we approach 2024, the anticipation surrounding Bitcoin's value is palpable, with potential investors and seasoned cryptocurrency enthusiasts keenly eyeing the market's movements. This article aims to dissect the recent forecasts for Bitcoin's price in the coming year, delve into the multifaceted factors influencing these predictions, and explore the broader implications for those contemplating an investment in Bitcoin.
**Table of Contents**
- 2024 Bitcoin Price Predictions: A New Peak on the …
- Key Factors Driving Bitcoin's Price
- The Halving Event
- Institutional Interest and ETFs
- Economic and Monetary Policies
- The Debate: To Buy or Not to Buy
- Risk Tolerance
- Market Dynamics
- Long-Term Perspective
- Caution and Speculation
- Conclusion
- FAQs
**2024 Bitcoin Price Predictions: A New Peak on the Horizon**
Recent analyses, particularly a notable report from UK fintech firm Finder, have painted an optimistic picture for Bitcoin in 2024. Experts within the field are forecasting a new zenith for Bitcoin, projecting it to reach an all-time high of $88,000, with expectations of the currency stabilizing around $77,000 by the end of the year. These projections represent a significant uptick from Bitcoin's current valuation and suggest a potentially lucrative year ahead for the digital currency. However, it's crucial to recognize that these predictions are not guarantees but educated guesses based on current market trends and historical data. The cryptocurrency market's inherent volatility means that while the potential for substantial gains exists, so too does the risk of dramatic losses. Investors should approach these predictions with cautious optimism, considering the broader economic and technological landscape that could impact Bitcoin's trajectory.
**Key Factors Driving Bitcoin's Price**
The anticipated surge in Bitcoin's value can be attributed to several key factors, each playing a pivotal role in shaping the currency's future:
**The Halving Event**
The Bitcoin halving event scheduled for April 2024 stands as a significant milestone. This event, which occurs approximately every four years, reduces the reward for mining Bitcoin transactions by half. Historically, halving events have led to a decrease in the supply of new Bitcoins entering the market, which, in turn, has led to price increases as demand outstrips supply. The 2024 halving is expected to follow this trend, contributing to the bullish outlook for Bitcoin's price. However, while past performance can offer insights, it is not indicative of future results. The halving's impact could be influenced by a myriad of factors, including changes in miner behavior, technological advancements, and shifts in investor sentiment.
**Institutional Interest and ETFs**
Another driving force behind the optimistic price predictions is the growing institutional interest in Bitcoin and the approval of Bitcoin ETFs in the United States. These developments have not only legitimized Bitcoin as an investment asset but also made it more accessible to a broader audience of traditional investors. The introduction of ETFs has bridged the gap between the conventional financial world and the burgeoning cryptocurrency market, providing a regulated and familiar avenue for investment. However, the influx of institutional money also brings new challenges, including increased market manipulation risks and the potential for regulatory crackdowns. Investors should remain vigilant, monitoring the evolving landscape and considering the long-term implications of institutional involvement in the cryptocurrency space.
**Economic and Monetary Policies**
Global economic conditions and monetary policies, particularly those enacted by the US Federal Reserve, are also critical factors influencing Bitcoin's price. In an environment of low interest rates and quantitative easing, investors have increasingly turned to alternative assets like Bitcoin as a hedge against inflation and currency devaluation. However, shifts in these policies could significantly impact investor behavior and market dynamics. A rise in interest rates or a tightening of monetary policy could lead to reduced liquidity in the market and a shift away from riskier assets, including Bitcoin. Conversely, continued economic uncertainty and inflationary pressures could bolster Bitcoin's appeal as a store of value.
**The Debate: To Buy or Not to Buy**
The decision to invest in Bitcoin, especially in light of the optimistic 2024 price predictions, is fraught with complexity:
**Risk Tolerance**
Bitcoin's notorious volatility cannot be overstated. The digital currency's price can experience dramatic swings within short periods, influenced by factors ranging from regulatory news to market sentiment. Potential investors must assess their risk tolerance and financial situation before entering the market. It's essential to consider whether you can withstand significant fluctuations in your investment's value and how such changes would impact your overall financial health.
**Market Dynamics**
Understanding the broader market dynamics and potential regulatory changes is crucial for anyone considering investing in Bitcoin. The cryptocurrency market does not operate in a vacuum; it is affected by global economic conditions, technological developments, and shifts in regulatory attitudes. Staying informed and adaptable is key, as today's market drivers could change rapidly, altering Bitcoin's price trajectory.
**Long-Term Perspective**
Adopting a long-term perspective is vital when investing in Bitcoin. While the allure of quick profits can be tempting, Bitcoin's history suggests that it is better suited as a long-term investment. The market's cyclical nature, characterized by boom-and-bust cycles, requires patience and a long-term outlook. Investors should avoid making impulsive decisions based on short-term price movements and instead focus on the underlying value and potential of Bitcoin as a revolutionary digital asset.
**Caution and Speculation**
Despite the bullish forecasts, a note of caution is warranted. The cryptocurrency market remains speculative, and while Bitcoin has established itself as the leading digital currency, its future is not guaranteed. The landscape is rife with uncertainties, from technological challenges to regulatory hurdles. Potential investors should approach Bitcoin with a balanced perspective, recognizing the possibilities while being acutely aware of the risks.
**Conclusion**
The predictions for Bitcoin's price in 2024 offer a glimpse into a potentially prosperous future for the digital currency. However, the decision to invest should not be taken lightly. Prospective investors must navigate a landscape marked by volatility, uncertainty, and rapid change. By thoroughly evaluating the market, staying informed about developments, and considering their long-term financial goals, individuals can make more informed decisions about their involvement in the Bitcoin market. Whether now is the right time to buy Bitcoin is a personal decision that depends on individual circumstances, risk tolerance, and investment strategy. As with any investment, there are no guarantees, but for those willing to embrace the risks, the rewards could be substantial.
**FAQs**
**Why is Bitcoin expected to reach new highs in 2024?**
Bitcoin's price is expected to surge due to factors like the halving event, increasing institutional interest, the approval of Bitcoin ETFs, and global economic conditions that favor alternative investments.
**What is a Bitcoin halving event?**
A Bitcoin halving event is when the reward for mining new blocks is halved, reducing the rate at which new bitcoins are generated. This event occurs approximately every four years and tends to impact the price due to reduced supply.
**Are Bitcoin ETFs significant for individual investors?**
Yes, Bitcoin ETFs provide individual investors with a regulated and familiar way to gain exposure to Bitcoin without directly purchasing or storing the cryptocurrency, potentially increasing its accessibility and demand.
**That's all for today**
**If you want more, be sure to follow us on:**
**NOSTR: croxroad@getalby.com**
**X: [@croxroadnewsco](https://x.com/croxroadnewsco)**
**Instagram: [@croxroadnews.co/](https://www.instagram.com/croxroadnews.co/)**
**Youtube: [@thebitcoinlibertarian](https://www.youtube.com/@thebitcoinlibertarian)**
**Store: https://croxroad.store**
**Subscribe to CROX ROAD Bitcoin Only Daily Newsletter**
**https://www.croxroad.co/subscribe**
**Get Orange Pill App And Connect With Bitcoiners In Your Area. Stack Friends Who Stack Sats
link: https://signup.theorangepillapp.com/opa/croxroad**
**Buy Bitcoin Books At Konsensus Network Store. 10% Discount With Code “21croxroad”
link: https://bitcoinbook.shop?ref=21croxroad**
*DISCLAIMER: None of this is financial advice. This newsletter is strictly educational and is not investment advice or a solicitation to buy or sell any assets or to make any financial decisions. Please be careful and do your own research.*
-

@ f1989a96:bcaaf2c1
2025-03-27 13:53:14
Good morning, readers!
Turkey’s currency plunged to a record low after the arrest of Istanbul Mayor Ekrem Imamoglu, one of President Recep Tayyip Erdogan’s main political rivals. This follows a pattern of escalating repression of opposition figures, which have been described as an effort to suppress competition ahead of primary elections. As economic conditions deteriorate, Erdogan is resorting to desperate measures — blocking social media, arresting dissenters, and tear-gassing protests — to maintain power over an increasingly restless populace.
In the Caribbean, we shed light on Cubans' struggles accessing remittances sent from family members abroad. This is a symptom of the regime's strict monetary controls over foreign currency. Cubans face long delays or can’t withdraw cash due to bank liquidity shortages. And when they can, remittances are converted into pesos at the overvalued official Cuban exchange rate. This effectively allows the Communist Party of Cuba (PCC) to loot the value from Cuban remittances.
In freedom tech news, we highlight Demand Pool, the first-ever Stratum V2 mining pool. Stratum V2 is a mining protocol designed to decentralize Bitcoin mining by letting individual miners create their own block templates rather than relying on centralized pools to do so for them. This improves censorship resistance and promotes a more decentralized and resilient Bitcoin network — critical features for human rights defenders and nonprofits using Bitcoin to protect against financial repression from authoritarian regimes.
We end by featuring Vijay Selvam's new book, “Principles of Bitcoin.” It offers a clear, first-principles guide to understanding how Bitcoin’s technology interacts with economics, politics, philosophy, and human rights. Whether you’re new to Bitcoin or looking to deepen your understanding, this book provides a solid foundation, and it even features a foreword by HRF Chief Strategy Officer Alex Gladstein.
**Now, let’s dive right in!**
### [**Subscribe Here**](https://mailchi.mp/hrf.org/financial-freedom-newsletter?mc_cid=bf652c0a5a)
## **GLOBAL NEWS**
#### **Turkey | Lira in Free Fall as Erdogan Arrests Political Rival**
Turkey’s lira plunged to a [record low ](https://www.reuters.com/markets/currencies/turkish-lira-plunges-record-low-after-erdogan-rival-detained-2025-03-19/)after officials arrested Istanbul Mayor Ekrem Imamoglu, President Recep Tayyip Erdogan’s main political rival. Imamoglu’s arrest comes ahead of [primary elections](https://www.reuters.com/world/europe/turkish-opposition-party-members-others-head-polls-primary-election-2025-03-23/) and follows the increasing repression of opposition figures in recent months, including the [suspension](https://www.politico.eu/article/musks-x-suspends-opposition-accounts-turkey-protest-civil-unrest-erdogan-imamoglu-istanbul-mayor/?ref=nobsbitcoin.com) of political opposition accounts on X. Officials also [arrested](https://x.com/yusufcan_en/status/1903703224336429432) Buğra Gökçe, head of the Istanbul Planning Agency, for publishing data exposing the country’s deepening poverty. The currency’s fallout and political repression have sparked [protests](https://www.bbc.com/news/articles/cpv43dd3vlgo) in Istanbul despite a four-day ban. The regime is [responding](https://www.bbc.com/news/articles/cpv43dd3vlgo) with tear gas and rubber bullets. Meanwhile, Turks dissenting online risk joining over a [dozen](https://www.bbc.com/news/articles/cpv43dd3vlgo?xtor=AL-71-%5Bpartner%5D-%5Bbbc.news.twitter%5D-%5Bheadline%5D-%5Bnews%5D-%5Bbizdev%5D-%5Bisapi%5D&at_bbc_team=editorial&at_ptr_name=twitter&at_campaign_type=owned&at_link_type=web_link&at_link_origin=BBCWorld&at_link_id=29897B8E-0579-11F0-9094-A9A3F4782A4F&at_medium=social&at_format=link&at_campaign=Social_Flow) other citizens recently arrested for “provocative” social media posts. Netblocks [reports](https://x.com/netblocks/status/1902812549587820888) that the Turkish regime imposed restrictions on social media and messaging to quell the uprising of Turks struggling with financial conditions and deepening repression.
#### **Cuba | Banks “Hijack” Citizen Remittances**
Cubans are [struggling](https://havanatimes.org/features/cuban-banks-hijack-family-remittances/) to access remittances sent from their families abroad. This is because the regime completely controls all incoming foreign currency transfers. When remittances arrive, communist banking authorities [force](https://havanatimes.org/features/cuban-banks-hijack-family-remittances/) their conversion into collapsing Cuban pesos or “Moneda Libremente Convertible” (MLC), Cuba’s digital currency with limited use. On top of this, Cubans receive pesos in their accounts based on the official Cuban exchange rate, which is far below the informal market rate. This allows the regime to opaquely siphon off much of the remittances’ real value. Even when the money clears, Cubans face long delays or can’t withdraw the cash due to banks’ liquidity shortages. Many Cubans are accusing these banks of “[hijacking](https://havanatimes.org/features/cuban-banks-hijack-family-remittances/)” their remittances. As inflation, electrical blackouts, and food shortages continue, remittances are more critical than ever for Cuban families. Yet, they’re blocked at every turn by a system designed to impoverish them.
#### **Pakistan | Announces Plans to Regulate Digital Assets**
Pakistan announced [plans](https://www.bloomberg.com/news/articles/2025-03-20/pakistan-plans-to-legalize-crypto-in-bid-for-foreign-investment) to create a regulatory framework for Bitcoin and digital assets to attract foreign investment and domestic economic activity. It’s a peculiar shift for a regime that regularly [suspends](https://time.com/6692687/pakistan-election-day-voting-violence-phone-service-disturbances/) the Internet, [censors](https://timesofindia.indiatimes.com/world/pakistan/social-media-platform-x-shutdown-continues-for-eighth-day-in-pakistan/articleshow/107983076.cms) social media, [represses](https://www.bbc.com/news/articles/czx6xvgqe1ko) opposition, and burdens its people with the [highest](https://www.firstpost.com/world/pakistan-tops-asia-in-living-costs-and-inflation-rates-report-reveals-13759245.html) cost of living in Asia. We suspect the plans indicate efforts to control the industry rather than empower individuals. The military-backed regime is also [exploring](https://tribune.com.pk/story/2507061/govt-proposes-changes-to-sbp-act) a Central Bank Digital Currency (CBDC) and tightening [controls](https://timesofindia.indiatimes.com/world/pakistan/amid-net-censorship-pakistan-offers-regulated-vpns/articleshow/115392568.cms) on VPN use, which are hardly the hallmarks of leadership committed to permissionless financial systems. But perhaps it matters little. Grassroots Bitcoin adoption in Pakistan already ranks among the highest in the world, with an estimated [15 to 20 million](https://archive.ph/5ctJq) users turning to digital assets to preserve their savings, circumvent financial controls, and escape the failures of a collapsing fiat system. HRF supported [Bitcoin Pakistan](https://bitcoinpk.org) with a grant to help translate resources into Urdu, a language spoken by 60 million people trapped in this repressive scenario.
#### **Russia | Piloting CBDC in Tatarstan to Test Smart Contract Functionality**
Russia’s central bank plans to [pilot](https://www.business-gazeta.ru/news/665855) its CBDC, the [digital ruble](https://cbdctracker.hrf.org/currency/russian-federation), in Tatarstan to test smart contract functionality. Specifically, the central bank will experiment with conditional spending, using smart contracts to restrict where and what users can spend money on. If these features are implemented, it will empower the Kremlin with micro-controls over Russians’ spending activity. Officials could program funds to expire, restrict purchases to regime-approved goods, or block transactions at certain locations — leaving users with no financial autonomy or privacy. Those who oppose the Russian dictatorship, such as activists, nonprofits, and dissenters, could be debanked with more ease, their assets frozen or confiscated without recourse.
#### **Nicaragua | Government Mandates Public Employees Declare All Assets**
In Nicaragua, dictator Daniel Ortega intensified state financial surveillance by mandating all public servants to [disclose](https://havanatimes.org/features/nicaraguan-public-employees-forced-to-declare-their-assets/) information on all personal and family assets. The mandate requires all public employees to declare everything from personal bank accounts, loans, vehicles, and other assets — as well as the assets and accounts of immediate family members. Those who do not comply face the [threat of termination](https://havanatimes.org/features/nicaraguan-public-employees-forced-to-declare-their-assets/). Ironically, despite the law requiring such disclosure, Ortega himself [has not declared](https://www.laprensani.com/2021/04/26/politica/2813926-demandan-a-la-contraloria-demostrar-a-cuanto-asciende-el-patrimonio-de-daniel-ortega-y-rosario-murillo) his assets since 2006. Under the guise of regulatory compliance, this policy is yet another link in the chain tightening state surveillance over Nicaraguan society. Bitcoin adoption continues to grow in this repressed Central American nation.
## BITCOIN AND FREEDOM TECH NEWS
#### **Demand Pool | First Stratum V2 Mining Pool Launches**
Bitcoin mining could become more decentralized and censorship-resistant with the launch of [Demand Pool](https://www.dmnd.work/upcoming/), the first mining pool to ever implement [Stratum V2](https://stratumprotocol.org/). Stratum V2 is open-source software that allows miners to build their own block templates, enabling more individual mining and less dependence on large and centralized mining pools. This helps maintain Bitcoin’s key features: its decentralized, permissionless, and uncensorable nature. All of which are crucial for human rights defenders and nonprofits bypassing the financial repression and surveillance of authoritarian regimes. Learn more [here](https://www.dmnd.work/upcoming/).
#### **Bitcoin Mining | Three Solo Blocks Found**
Three separate solo miners mined Bitcoin blocks in the past seven days. This marks the second, third, and fourth solo blocks [mined](https://x.com/SoloSatoshi/status/1903799018896998562) in the past two weeks alone, hinting at a surge in home mining. This promotes greater decentralization within the Bitcoin network because solo miners have little functional ability to censor. In contrast, large mining pools are points of failure that centralized interests can more easily pressure — to the detriment of activists and human rights defenders. The [first](https://x.com/BitcoinNewsCom/status/1903476768733810928) block was mined on March 21 by a miner using a self-hosted FutureBit Apollo machine that earned 3.125 BTC plus fees for processing block [888,737](https://mempool.space/block/00000000000000000000b7070e88525e4064ab36df7cfbe34d785bbc6eb491ea). Just days later, a solo miner with under 1 TH/s of self-hosted hash rate [found](https://x.com/BitcoinNewsCom/status/1903815849535799326) block [888,989](https://mempool.space/block/00000000000000000000a517d87e63ea04c7ec3dd51d20926e82cca5466dccaf), which became just the [third](https://x.com/BitcoinNewsCom/status/1903815849535799326) block ever to be mined using an open-source [Bitaxe](https://bitaxe.org/) device. Most recently, on March 24, a solo miner using a [$300 setup](https://x.com/alanknit/status/1904246256622322122) successfully [mined](https://x.com/pete_rizzo_/status/1904217846441201755) block [889,240](https://mempool.space/block/00000000000000000001deee311732e2ba928d33f0628a5d6320c537751835e3).
#### **Krux | Adds Taproot and Miniscript Support**
[Krux](https://github.com/selfcustody/krux), open-source software for building your own Bitcoin signing devices (hardware for Bitcoin self-custody), [released](https://github.com/selfcustody/krux/releases/tag/v25.03.0) an update that enhances privacy and flexibility. The update introduces support for Taproot, a past Bitcoin upgrade that improves privacy and security, and Miniscript, a simplified way to create more complex Bitcoin transaction rules. This allows users to manage multi-signature wallets (where more than one private key is required to interact with your Bitcoin) in a more private and flexible way. It also enables spending conditions that are harder to censor and easier to verify. Krux continues to support the struggle for financial freedom and human rights by breaking down barriers to Bitcoin self-custody. HRF has recognized this impact and awarded grants to open-source developers working on Krux to advance this mission.
#### **Cashu | Developing Tap-to-Pay Ecash**
[Calle](https://x.com/callebtc), the creator of [Cashu](http://cashu.me), an open-source Chaumian ecash protocol for Bitcoin integrated with the Lightning Network, is [developing](https://x.com/callebtc/status/1903079881325400407) a new tap-to-pay feature that enables instant, offline ecash payments via NFC. Ecash functions as a bearer asset, meaning the funds are stored directly on the user’s device. With tap-to-pay, it can be transferred with a single tap (similar to tapping your credit card). More generally, ecash offers fast, private transactions resistant to surveillance and censorship. But for activists and dissenters, this particular advancement makes private and permissionless payments more accessible and user-friendly. This development will be worth following closely. Watch a demo [here](https://x.com/callebtc/status/1903079881325400407).
#### **OpenSats | Announces 10th Wave of Bitcoin Grants**
[OpenSats](http://opensats.org), a public nonprofit that supports open-source software and projects, [announced](https://opensats.org/blog/tenth-wave-of-bitcoin-grants) its 10th wave of grants supporting Bitcoin initiatives. This round includes funding for [Stable Channels](https://stablechannels.com/), which enable stabilized Bitcoin-backed balances on the Lightning Network (allowing users to peg Bitcoin to fiat currencies in a self-custodial way) that provide stable, censorship-resistant payments. OpenSats also renewed its support for [Floresta](https://docs.getfloresta.sh/floresta/), a lightweight Bitcoin node (a computer that runs the Bitcoin software). It lowers entry barriers to running Bitcoin, helping make the network more decentralized and censorship-resistant.
#### **Bitcoin Policy Institute | Launches Bitcoin Summer Research Program**
The [Bitcoin Student Network](https://www.bitcoinstudentsnetwork.org/) (BSN) and the [Bitcoin Policy Institute](https://www.btcpolicy.org/) (BPI) are teaming up to offer students an eight-week research [internship](https://www.btcinternship.org/) this summer. The program is part of BPI’s Research Experiences for Undergraduates (REU) initiative and invites students passionate about the future of money, financial inclusion, and Bitcoin’s civil liberties impacts to conduct hands-on research. Participants will also receive mentorship from BPI researchers. The program runs from June 9 to Aug. 8, 2025, and includes an in-person colloquium in Washington, DC. It is an incredible opportunity for students worldwide, especially those living in oppressive regimes, to get involved with Bitcoin. Applications are open until April 7. Apply [here](https://www.btcinternship.org/).
## RECOMMENDED CONTENT
#### **Principles of Bitcoin by Vijay Selvam**
“Principles of Bitcoin” by Vijay Selvam is a new book offering a first-principles guide to understanding Bitcoin’s technology, economics, politics, and philosophy. With a foreword by HRF Chief Strategy Officer Alex Gladstein, the book cuts through the noise to explain why Bitcoin stands alone as a tool for individual empowerment and financial freedom. Selvam’s work makes the case for Bitcoin as a once-in-history invention shaping a more decentralized and equitable future. Read it [here](https://www.amazon.com/Principles-Bitcoin-Technology-Economics-Philosophy/dp/023122012X/).
#### **Rule Breakers — The True Story of Roya Mahboob**
“[Rule Breakers](https://hrf.org/latest/hrf-celebrates-the-release-of-rule-breakers-a-movie-on-afghanistans-roya-mahboob/)” is a new film that tells the true story of Roya Mahboob, Afghanistan’s first female tech CEO, who empowered young girls in Afghanistan with financial literacy, robotics, and financial freedom through Bitcoin. The film recounts Mahboob’s courageous work educating these girls despite huge personal risks under a regime that bans their education. It follows the story of Afghan Dreamers, the country’s first all-girls robotics team, and the obstacles they overcome to compete on the world stage. “Rule Breakers” is a testament to the power of education, innovation, and resilience in the face of oppression. It’s now in theaters, and you can watch the trailer [here](https://www.youtube.com/watch?v=CW_P4zT6i9A&t=2s).
*If this article was forwarded to you and you enjoyed reading it, please consider subscribing to the Financial Freedom Report [here](https://mailchi.mp/hrf.org/financial-freedom-newsletter?mc_cid=bf652c0a5a).*
*Support the newsletter by donating bitcoin to HRF’s Financial Freedom program [via BTCPay](https://hrf.org/btc).*\
*Want to contribute to the newsletter? Submit tips, stories, news, and ideas by emailing us at ffreport @ [hrf.org](http://hrf.org/)*
*The Bitcoin Development Fund (BDF) is accepting grant proposals on an ongoing basis. The Bitcoin Development Fund is looking to support Bitcoin developers, community builders, and educators. Submit proposals [here](https://forms.monday.com/forms/57019f8829449d9e729d9e3545a237ea?r=use1)*.
[**Subscribe to newsletter**](http://financialfreedomreport.org/)
[**Apply for a grant**](https://forms.monday.com/forms/57019f8829449d9e729d9e3545a237ea?r=use1&mc_cid=39c1c9b7e8&mc_eid=778e9876e3)
[**Support our work**](https://hrf.org/btc?mc_cid=39c1c9b7e8&mc_eid=778e9876e3)
[**Visit our website**](https://hrf.org/programs/financial-freedom/)
-

@ 401014b3:59d5476b
2025-03-27 13:48:10
Alright, baseball junkies, it’s March 27, 2025, and we’re diving into the crystal ball to predict the 2025 MLB season—straight through to the World Series champ! Spring Training’s wrapping up, Opening Day’s here, and the league’s loaded with talent, drama, and some sneaky contenders ready to shake things up. I’m breaking down each playoff team’s path, their strengths, weaknesses, and who’s got the juice to hoist the trophy in October. This ain’t some cookie-cutter chalk pick—let’s get gritty, let’s get bold, and let’s see who’s got the stones to win it all. Strap in, fam—here we go!
---
American League Playoff Teams: The AL Beast Mode
**New York Yankees**\
The Yankees are back, and they’re pissed after last year’s World Series loss to the Dodgers. Aaron Judge is coming off another MVP-caliber season (let’s say .310, 55 HRs, 130 RBIs), and Juan Soto’s bat (projected .290, 40 HRs) gives them a lethal 1-2 punch. Gerrit Cole anchors a rotation that’s top-5 in ERA (around 3.40), but the bullpen’s a question mark—closer Clay Holmes blew 13 saves in 2024, and they haven’t fixed that yet. They’ll win the AL East (95-67), but their postseason hinges on late-inning reliability.\
**Prediction**: ALCS run, but they fall short if the pen implodes.
**Houston Astros**\
The Astros are perennial AL West champs (projected 92-70), even with a slightly aging core. Jose Altuve (.300, 20 HRs) and Yordan Alvarez (.295, 35 HRs) keep the offense humming, and a rotation led by Framber Valdez (3.20 ERA) and Hunter Brown (3.50 ERA) is solid. Their bullpen, with Josh Hader (1.28 ERA in 2024), is lights-out. But injuries to key arms like Justin Verlander (aging at 42) could bite them.\
**Prediction**: ALDS exit—they’re good, but not great this year.
**Cleveland Guardians**\
The Guardians sneak into the playoffs as the AL Central champs (88-74). Jose Ramirez (.280, 35 HRs, 110 RBIs) is a one-man wrecking crew, and their rotation—Shane Bieber (3.00 ERA, if healthy) and Triston McKenzie (3.60 ERA)—keeps them in games. But their offense outside Ramirez is thin (team OPS around .720), and the bullpen’s inconsistent (4.00 ERA).\
**Prediction**: Wild Card exit—they’re scrappy but lack firepower.
**Tampa Bay Rays (Wild Card)**\
The Rays grab a Wild Card spot (90-72) with their usual mix of grit and analytics. Yandy Diaz (.290, 15 HRs) and Randy Arozarena (.270, 25 HRs) lead a balanced offense, while Shane McClanahan (3.10 ERA) and Zach Eflin (3.40 ERA) anchor the rotation. Their bullpen (top-10 in ERA at 3.50) is a strength, but depth issues (injuries to key prospects) could hurt.\
**Prediction**: ALDS run—they’re sneaky dangerous.
**Seattle Mariners (Wild Card)**\
The Mariners finally break through as a Wild Card (89-73), as predicted by some fans on X. Julio Rodriguez (.285, 30 HRs) and Cal Raleigh (.250, 35 HRs) power the offense, and a rotation of Luis Castillo (3.20 ERA), Logan Gilbert (3.30 ERA), and George Kirby (3.40 ERA) is the best in the AL (team ERA around 3.20). Their offense (bottom-10 in runs scored) is the Achilles’ heel.\
**Prediction**: ALCS run—they’re a pitcher’s dream, but the bats hold ‘em back.
**Baltimore Orioles (Wild Card)**\
The Orioles snag a Wild Card (87-75), but some fans on X call them a “surprise disappointment.” Gunnar Henderson (.280, 35 HRs) and Adley Rutschman (.270, 20 HRs) lead a young core, but the rotation—Corbin Burnes (3.00 ERA) and Grayson Rodriguez (3.70 ERA)—lacks depth after losing Kyle Bradish to injury. The bullpen (4.20 ERA) is shaky.\
**Prediction**: Wild Card exit—too many holes this year.
---
**National League Playoff Teams: The NL Wild West**
**Los Angeles Dodgers**\
The Dodgers are the NL West juggernaut (98-64), and some fans on X are already calling them World Series champs. Shohei Ohtani (.300, 50 HRs, 120 RBIs) is the NL MVP favorite, Mookie Betts (.290, 30 HRs) is elite, and Freddie Freeman (.310, 25 HRs) is steady. The rotation—Tyler Glasnow (3.10 ERA), Yoshinobu Yamamoto (3.30 ERA), and Walker Buehler (3.50 ERA)—is deep, and the bullpen (3.40 ERA) is solid. No weaknesses here.\
**Prediction**: World Series bound—they’re a machine.
**Philadelphia Phillies**\
The Phillies win the NL East (94-68) with a balanced attack. Bryce Harper (.290, 30 HRs) and Kyle Schwarber (.250, 40 HRs) mash, while Trea Turner (.300, 20 HRs) adds speed. The rotation—Zack Wheeler (3.00 ERA), Aaron Nola (3.40 ERA), and Ranger Suarez (3.60 ERA)—is top-tier, and the bullpen (3.50 ERA) is reliable. They’re built for October.\
Prediction: NLCS run—they’re legit contenders.
**Milwaukee Brewers**\
The Brewers take the NL Central (90-72) with a scrappy squad. Willy Adames (.270, 30 HRs) and William Contreras (.280, 20 HRs) lead the offense, while Freddy Peralta (3.30 ERA) and Brandon Woodruff (3.50 ERA, if healthy) anchor the rotation. Their bullpen (top-5 in ERA at 3.30) is a strength, but the offense (middle-of-the-pack in runs) can stall.\
**Prediction**: NLDS exit—not enough firepower.
**Atlanta Braves (Wild Card)**\
The Braves grab a Wild Card (91-71) despite injuries. Ronald Acuna Jr. (.290, 35 HRs) and Matt Olson (.270, 40 HRs) power the lineup, but the rotation—Chris Sale (3.20 ERA) and Max Fried (3.40 ERA)—is thin after Spencer Strider’s injury. The bullpen (3.60 ERA) is solid, but depth is a concern.\
**Prediction**: NLDS run—they’re talented but banged up.
**San Diego Padres (Wild Card)**\
The Padres snag a Wild Card (89-73) with a balanced attack. Fernando Tatis Jr. (.280, 35 HRs) and Manny Machado (.270, 30 HRs) lead the offense, while Dylan Cease (3.30 ERA) and Yu Darvish (3.50 ERA) anchor the rotation. The bullpen (3.70 ERA) is decent, but they lack a true closer.\
**Prediction**: Wild Card exit—not enough late-game juice.
**New York Mets (Wild Card)**\
The Mets sneak in as a Wild Card (88-74) with a breakout year. Francisco Lindor (.280, 30 HRs) and Pete Alonso (.260, 35 HRs) mash, while Kodai Senga (3.20 ERA) and Luis Severino (3.60 ERA) lead the rotation. The bullpen (4.00 ERA) is a weak spot, but their offense (top-10 in runs) keeps ‘em alive.\
**Prediction**: NLDS run—they’re scrappy but flawed.
---
**Playoff Breakdown: The Road to the World Series**
**AL Wild Card**:
- Rays over Guardians
- Mariners over Orioles
- Yankees over Rays
- Mariners over Astros
- Yankees vs. Mariners → Yankees (4-2)\
Judge and Soto go off, and the Mariners’ bats can’t keep up with New York’s firepower. Cole’s ace stuff seals it.
**NL Wild Card**:
- Braves over Padres
- Mets over Brewers
- Dodgers over Mets
- Phillies over Braves
- Dodgers vs. Phillies → Dodgers (4-3)\
Ohtani’s heroics (think a 3-HR game) and the Dodgers’ depth outlast Philly’s grit in a seven-game classic.
---
**World Series**: Yankees vs. Dodgers
Here we go—a rematch of last year’s epic clash! The Yankees are hungry for revenge, with Judge and Soto swinging for the fences (combined 5 HRs in the series). Cole (Game 1 gem, 7 IP, 2 ER) and Rodon (Game 5 win) keep it close, but the Dodgers’ lineup is relentless—Ohtani (.350, 2 HRs), Betts (.320, 3 doubles), and Freeman (.300, 8 RBIs) overwhelm New York’s shaky bullpen. Glasnow and Yamamoto each win a start, and the Dodgers’ pen (2.50 ERA in the series) slams the door. Dodgers win in 6—Ohtani’s walk-off in Game 6 seals it.
---
**The Final Buzzer**
The Dodgers are my 2025 World Series champs—they’ve got the star power, depth, and clutch factor to repeat. The Yankees make a valiant run, but their bullpen woes bite ‘em again. Hit me on X if you disagree, but this is my October gospel—let’s see who’s standing when the dust settles! Play ball, degenerates!
-

@ 9dd283b1:cf9b6beb
2025-03-27 12:22:58
Can someone please explain to me how this new STRF thing works? Cause I'm getting FTX / BlockFI vibes here. 18% Yield, no risk investment, bond killer, etc... Look at this post for example - https://x.com/AdamBLiv/status/1905106498398621846
originally posted at https://stacker.news/items/926635
-

@ 0861144c:e68a1caf
2025-03-27 11:37:38
Maybe we will never meet José. He is a mechanical engineer who works in a shop repairing vehicle air conditioners. After finishing high school, he decided not to go to college because he thought it was a waste of time. Instead, he tried his luck at a technical school for electromechanics near his house. On the first day, he fell in love with what he saw, and he did very well.
At first, he was just an assistant. Later, he managed two warehouses under his leadership, and eventually, he became the workshop manager. When a wave of corporate mergers came, José was not left behind, and the workshop where he worked was absorbed. For the better, he was appointed as General Manager of three workshops. Life was going well, but it was time to think about the future.
Amidst many jobs, he remembered reading or hearing about a coin... Bitcoin or something like that, which seemed to make sense as an investment source, not savings. He wanted to save for his retirement, so he went to a meetup near his city where they taught him how to set up his own self-custodial wallet. They taught him how to buy and sell, how to send and receive. He was happy. Like a dog with three tails, José now had power in his hands, and he knew it.
Let’s skip the next few months. He kept saving, and through a simple DCA (Dollar-Cost Averaging) program, he bought every month, and his portfolio grew significantly. As his social media algorithm started pointing towards crypto content, José began to see Bitcoin influencers talking about ETFs, how politicians were entering the political arena, taxes, withholding, account freezes, and a bunch of other stuff.
One of those afternoons, a friend of his brings over a new strain to smoke, saying it has hallucinogenic components. After taking some and feeling the effects, the friend asks José how his Bitcoin investments are going.
Despite giving him a positive answer, he takes a long sigh and tells him about the future.

*“The last time I went to a meetup, I found too many Bitcoiners focused on three things: politicians (not politics), ETFs, and non-economy topics, plus taxes. I told them I had read Facebook’s employee manual where [one of the points says](https://facebookcollection.wordpress.com/wp-content/uploads/2018/10/facebooks-little-red-book-office-of-ben-barry.pdf), ‘If we don’t create what will kill Facebook, someone outside will do it,’”* he paused, looked into his friend’s glassy eyes, and continued.
*“They called me crazy. They started telling me that countries would adopt Bitcoin, start buying, and begin regulating more seriously. What they didn’t realize is that they are already doing it.”* His friend took a heavy drag, José did too, and then he began explaining the plan for governments to passively take away your Bitcoins.
*“Step 1: The government won’t buy anything. It will simply use the monopoly of force to seize everything they can. By breaking down doors and seizing equipment, they will have enough leverage to start negotiating... this stage is crucial: don’t buy anything. Just flex the muscles to the population and remind them of their place in the world, that death and taxes are mandatory, even if you pay your taxes from the grave.”*
The friend remembered something about Trump’s Reserve, or was it Bukele’s? It got mixed up in his head, but he looked at José and, in silence, asked him to continue.
*“Step 2: Some will start showing sympathy to gather votes. That’s easy: politicians hunting with legal fantasies. Until, at some point, someone will say it’s time. Before that, there will be some who try to do things their way but won’t be able to. Organizations controlling monetary policies will step in and won’t let you do anything until they figure out what to do, and then...”* José interrupted himself with a heavy drag, *“...then comes step 3.”*
*“Step 3 is the most complicated. They will have to convince the population to hand over their Bitcoins, but passively. Executive Order 6102 in 1933 was a disaster of catastrophic proportions. Not to mention the gold looting of 1915 in the British Empire, which Europeans themselves rarely point out. So, what do we have in favor as a government? Legality. Okay, then, how do we get people to start giving their money voluntarily? Just like they were doing at the meetup: talking nonsense about politicians, projects with the state, and so on. And here’s the Trojan horse: ETFs.”*
*“Many people don’t understand, but the government will take its share and ‘recommend’ to investors that the best way to stay compliant with their tax obligations but still participate in the decentralized market is through Wall Street instruments. People will go directly there, put their Bitcoins on centralized exchanges, and won’t realize that, at any moment, step 4 will begin.”*
They stare at the stars while José points at a star, it's a large one, probably a planet exploding thousands of light-years away.
*“Step 4 is what I call [voluntary selection](https://stacker.news/items/385234). The ETFs will become a sort of bonds to maintain state power. They need a valuable instrument to sustain their power, and through promises of fair regulations and consumer protection, your Bitcoins will end up directly under state control. The correct way to buy Bitcoin will now be through ETFs authorized by friendly companies and regulated.”*
*“This, without ever forgetting that the raids on decentralized exchanges will continue. Through the weight of the law, they will try to go against those to keep confiscating. It’s true they won’t be able to hack my private key, but they’ll pull out my nails, kidnap me, and drug me to reveal everything. And then the final step... the kidnapping of Bitcoin.”*
*“Step 5 is the takeover. As we know, there are rebellious souls because people like me know that ETFs are a corrupt instrument of a corrupt government led by the same people who caused the 2008 crisis and other previous years’ crises so severe that WE ended up paying for them. How do you take us out of the game? You can’t, but you discourage us — [a classic sabotage tactic](https://www.cia.gov/static/5c875f3ec660e092cf893f60b4a288df/SimpleSabotage.pdf).”*
*“The first step is to get involved as volunteer developers in the Bitcoin Core. They will start well, just fixing bugs, participating. But one day, they will start offering pull-request packages, with small backdoors or intentionally doing things wrong. We will denounce them, but they will say it’s a conspiracy, that the government isn’t trying to take over anything, and everything will continue as usual.*
*The second step is to nominate a pro-ETF person within Bitcoin development, allowing this developer to lead projects related to creating ETF-Bitcoin integration. At that moment, capitulation will begin, new Bitcoin forks will emerge, and the whole scheme will restart. But the government already controls the core, completely forgotten amid ridiculous news about prices, who’s buying and who’s not. **Today, it’s more important if BlackRock bought than to check what’s happening in the Core**.”*
The friend realizes he’s getting hungry, looks at José seeking company, and José ends with one sentence.
*“It’s the stuff from that herb, man. **People wouldn’t be so stupid to fall into this game**... I feel like eating some pupusas.”*
And that’s a story, folks. Is it true or not... could it be?
originally posted at https://stacker.news/items/926599
-

@ 7d33ba57:1b82db35
2025-03-27 10:53:58
Sitges is known for its golden beaches, vibrant nightlife, and artistic charm. With a beautiful seafront promenade, historic old town, and a welcoming atmosphere, it’s a top destination for relaxation, culture, and fun on the **Costa Dorada.

## **🏖️ Top Things to See & Do in Sitges**
### **1️⃣ Stroll Along the Passeig Marítim 🌊**
- A **scenic seaside promenade** lined with palm trees, beaches, and restaurants.
- Perfect for **walking, cycling, or enjoying a sunset cocktail**.
### **2️⃣ Relax on the Beaches 🏖️**
- **Playa de la Fragata** – A central beach near the old town, great for families.
- **Playa de San Sebastián** – A smaller, quieter beach with local charm.
- **Playa del Balmins** – A well-known **nudist and LGBTQ+ friendly** beach.
- **Playa de l'Home Mort** – A hidden cove, popular for naturists.

### **3️⃣ Visit the Church of Sant Bartomeu i Santa Tecla ⛪**
- The **iconic church overlooking the sea**, a must-visit landmark.
- Amazing spot for **photos, especially at sunset**.
### **4️⃣ Explore the Old Town & Museums 🏛️**
- Wander through **charming whitewashed streets** filled with **boutique shops and cafés**.
- Visit **Museu Cau Ferrat**, home to **art by Santiago Rusiñol and Picasso**.
- Discover **Museu Maricel**, featuring **Romanesque and modernist art**.

### **5️⃣ Enjoy Sitges' Lively Nightlife & Festivals 🎭**
- Sitges is famous for its **bars, beach clubs, and LGBTQ+ friendly nightlife**.
- Visit in **February** for **Sitges Carnival**, one of Spain’s best! 🎉
- Experience the **Sitges Film Festival (October)**, known for horror & fantasy films.
### **6️⃣ Wine Tasting in Penedès 🍷**
- Take a short trip to **Penedès**, one of Spain’s best **Cava (sparkling wine) regions**.
- Tour **local wineries** and enjoy **wine tastings** just 30 minutes away.

## **🍽️ What to Eat in Sitges**
- **Xató** – A local **salad with cod, anchovies, and romesco sauce** 🥗
- **Suquet de Peix** – A Catalan **seafood stew with potatoes** 🍲🐟
- **Fideuà** – Similar to paella, but made with **short noodles instead of rice** 🍤
- **Crema Catalana** – A **delicious caramelized custard dessert** 🍮
- **Cava** – The **famous Catalan sparkling wine** from nearby Penedès 🍾

## **🚗 How to Get to Sitges**
🚆 **By Train:** 35 min from **Barcelona (Sants or Passeig de Gràcia stations)**.
🚘 **By Car:** 40 min from **Barcelona** via the **C-32 highway**.
🚌 **By Bus:** Direct buses from **Barcelona Airport (El Prat) and Tarragona**.
✈️ **By Air:** The nearest airport is **Barcelona-El Prat (BCN, 25 km away)**.

## **💡 Tips for Visiting Sitges**
✅ **Best time to visit?** **Spring to early autumn (April–October)** for beach weather ☀️
✅ **Avoid summer weekends** – It gets very busy with visitors from Barcelona 🏖️
✅ **Visit during Carnival or the Film Festival** for an unforgettable experience 🎭🎬
✅ **Explore beyond the beaches** – The old town and vineyards are worth it! 🍷
✅ **Try beachfront dining** – Enjoy fresh seafood with a sea view 🍽️🌊
-

@ 57d1a264:69f1fee1
2025-03-27 10:42:05
What we have been missing in [SN Press kit](https://stacker.news/items/872925/r/Design_r)? Most important, who the press kit is for? It's for us? It's for them? Them, who?
The first few editions of the press kit, I agree are mostly made by us, for us. A way to try to homogenize how we _speek_ out SN into the wild web. A way to have SN voice sync, loud and clear, to send out our message. In this case, I squeezed my mouse, creating a template for us [^1], stackers, to share when talking sales with possible businesses and merchants willing to invest some sats and engage with SN community. Here's the message and the sales pitch, v0.1:
## Reach Bitcoin’s Most Engaged Community – Zero Noise, Pure Signal.













- - -
Contributions to improve would be much appreciated. You can also help by simply commenting on each slide or leaving your feedback below, especially if you are a sale person or someone that has seen similar documents before.
This is the first interaction. Already noticed some issues, for example with the emojis and the fonts, especially when exporting, probably related to a penpot issue. The slides maybe render differently depending on the browser you're using.
- [▶️ Play](https://design.penpot.app/#/view?file-id=cec80257-5021-8137-8005-ef90a160b2c9&page-id=cec80257-5021-8137-8005-ef90a160b2ca§ion=interactions&index=0&interactions-mode=hide&zoom=fit) the file in your browser
- ⬇️ Save the [PDF file](https://mega.nz/file/TsBgkRoI#20HEb_zscozgJYlRGha0XiZvcXCJfLQONx2fc65WHKY)
@k00b it will be nice to have some real data, how we can get some basic audience insights? Even some inputs from Plausible, if still active, will be much useful.
[^1]: Territory founders. FYI: @Aardvark, @AGORA, @anna, @antic, @AtlantisPleb, @av, @Bell_curve, @benwehrman, @bitcoinplebdev, @Bitter, @BlokchainB, @ch0k1, @davidw, @ek, @elvismercury, @frostdragon, @grayruby, @HODLR, @inverselarp, @Jon_Hodl, @MaxAWebster, @mega_dreamer, @mrtali, @niftynei, @nout, @OneOneSeven, @PlebLab, @Public_N_M_E, @RDClark, @realBitcoinDog, @roytheholographicuniverse, @siggy47, @softsimon, @south_korea_ln, @theschoolofbitcoin, @TNStacker. @UCantDoThatDotNet, @Undisciplined
originally posted at https://stacker.news/items/926557
-

@ 7d33ba57:1b82db35
2025-03-27 10:35:25
Nerja is known for its stunning beaches, famous caves, and breathtaking sea views. With a charming old town, whitewashed houses, and a lively atmosphere, Nerja offers a perfect mix of relaxation, nature, and culture.

## **🏖️ Top Things to See & Do in Nerja**
### **1️⃣ Balcón de Europa 🌅**
- A **stunning viewpoint** with **panoramic views** of the Mediterranean.
- Lined with **palm trees, street musicians, and cafés**.
- A great spot for **sunset photos and people-watching**.

### **2️⃣ Nerja Caves (Cuevas de Nerja) 🏰**
- A **famous cave system** with **impressive stalactites and stalagmites**.
- Home to **prehistoric cave paintings**, estimated to be over **40,000 years old**.
- One of Spain’s most important **archaeological sites**.
### **3️⃣ Playa de Burriana 🏖️**
- The **best beach in Nerja**, with **golden sand and clear waters**.
- Offers **water sports**, including **kayaking and paddleboarding**.
- Many **chiringuitos (beach bars)** serving delicious **seafood paella**.
### **4️⃣ Kayaking to Maro Cliffs 🚣♂️**
- Paddle along the **coastline** to discover **hidden coves and waterfalls**.
- A unique way to explore the **Maro-Cerro Gordo Cliffs Natural Park**.

### **5️⃣ Frigiliana – The Most Beautiful White Village 🏡**
- Just **10 minutes from Nerja**, this **charming Andalusian village** is full of **whitewashed houses, cobbled streets, and colorful flowers**.
- Wander through **narrow alleyways** and enjoy **stunning mountain views**.
### **6️⃣ El Salón & Calahonda Beaches 🏝️**
- **Small, quiet beaches** just below the Balcón de Europa.
- Perfect for a **relaxing swim away from the crowds**.

## **🍽️ What to Eat in Nerja**
- **Espetos de Sardinas** – Grilled sardines on skewers, a classic Andalusian dish 🐟
- **Ajoblanco** – A cold almond and garlic soup, refreshing on hot days 🍲
- **Fried Fish (Pescaito Frito)** – A mix of **freshly caught seafood** 🦑🐠
- **Tarta de Almendra** – A traditional **almond cake**, perfect with coffee 🍰
- **Paella at Playa Burriana** – One of the best places to enjoy authentic **seafood paella** 🍤🍚

## **🚗 How to Get to Nerja**
✈️ **By Air:** The nearest airport is **Málaga Airport (AGP, 70 km, 50 min drive)**.
🚘 **By Car:** 50 min from **Málaga**, 1.5 hrs from **Granada**.
🚌 **By Bus:** Direct buses from **Málaga, Granada, and other Costa del Sol towns**.
🚆 **By Train:** No direct train, but you can take a train to Málaga and then a bus.

## **💡 Tips for Visiting Nerja**
✅ **Best time to visit?** **Spring & summer (April–September)** for the best weather ☀️
✅ **Book Nerja Cave tickets in advance** – It’s one of the most visited sites in Andalusia 🏰
✅ **Try kayaking or boat tours** – The coastline is stunning from the water 🚣♂️
✅ **Visit Frigiliana early** – To avoid crowds and enjoy the peaceful morning atmosphere 🌅
✅ **Wear comfortable shoes** – The old town has steep, cobbled streets 👟

-

@ da0b9bc3:4e30a4a9
2025-03-27 10:21:42
Hello Stackers!
Welcome on into the ~Music Corner of the Saloon!
A place where we Talk Music. Share Tracks. Zap Sats.
So stay a while and listen.
🚨Don't forget to check out the pinned items in the territory homepage! You can always find the latest weeklies there!🚨
🚨Subscribe to the territory to ensure you never miss a post! 🚨
originally posted at https://stacker.news/items/926553
-

@ 7d33ba57:1b82db35
2025-03-27 09:25:04
Los Narejos is a laid-back beach town on the Costa Cálida, located in the Murcia region of Spain. Known for its calm, warm waters, family-friendly beaches, and proximity to the Mar Menor lagoon, it’s an excellent destination for relaxation, water sports, and enjoying the Mediterranean lifestyle**.

## **🏖️ Top Things to See & Do in Los Narejos**
### **1️⃣ Playa de Los Narejos 🏖️**
- A **wide, sandy beach** with **shallow and warm waters**, perfect for families.
- **Palm-lined promenade** for walking, cycling, or enjoying seaside cafés.
- Excellent for **swimming, sunbathing, and beach sports**.
### **2️⃣ Mar Menor Lagoon 🌊**
- A **unique saltwater lagoon**, separated from the Mediterranean by La Manga.
- **Warmer and calmer waters** than the open sea, ideal for **safe swimming**.
- Known for its **healing mud baths** with **minerals beneficial for the skin**.

### **3️⃣ Watersports Paradise 🚤**
- A top spot for **kite surfing, windsurfing, sailing, and stand-up paddleboarding**.
- Several local schools offer **lessons for beginners and equipment rentals**.
- Great conditions for **kayaking** along the Mar Menor coastline.
### **4️⃣ Promenade Walk to Los Alcázares 🚶♂️**
- A **scenic coastal walk** from Los Narejos to **Los Alcázares**.
- Pass by **chiringuitos (beach bars)** serving fresh seafood and cocktails.
### **5️⃣ Local Markets & Shopping 🛍️**
- Visit the **Los Alcázares Market** (Tuesdays & Saturdays) for **local produce, clothes, and crafts**.
- Small boutique shops sell **Murcian souvenirs, ceramics, and wines**.

## **🍽️ What to Eat in Los Narejos**
- **Caldero Murciano** – A **traditional seafood rice dish**, full of flavor 🍚🐟
- **Dorada a la Sal** – Fresh **sea bream baked in salt**, a Mediterranean specialty 🐠
- **Tapas & Mariscos** – Try local seafood tapas like **grilled prawns, octopus, and clams** 🍤
- **Pastel de Carne** – A **Murcian meat pie**, perfect for a quick bite 🥧
- **Paparajotes** – A sweet treat made from **lemon leaves coated in batter and fried** 🍋🍩

## **🚗 How to Get to Los Narejos**
✈️ **By Air:** The nearest airport is **Región de Murcia Airport (RMU, 30 min drive)**.
🚆 **By Train:** Nearest station is in **Balsicas (20 min drive)**, with connections to Murcia and Cartagena.
🚘 **By Car:** 30 min from **Murcia**, 1 hr from **Alicante**, 20 min from **Cartagena**.
🚌 **By Bus:** Direct buses from **Murcia, Cartagena, and Alicante**.

## **💡 Tips for Visiting Los Narejos**
✅ **Best time to visit?** **Spring to early autumn (April–October)** for great weather ☀️
✅ **Try water sports** – Mar Menor is one of the safest places for beginners 🏄♂️
✅ **Bring a bike** – The flat terrain and coastal paths are great for cycling 🚴
✅ **Enjoy the sunset** – The Mar Menor has some of the most stunning sunset views 🌅
-

@ 7d33ba57:1b82db35
2025-03-27 08:55:21
L'Estartit is famous for its **stunning beaches, the Medes Islands, and incredible diving opportunities**. Once a small fishing village, it’s now a paradise for **nature lovers, water sports enthusiasts, and those seeking a relaxing Mediterranean escape**.

## **🏖️ Top Things to See & Do in L'Estartit**
### **1️⃣ Medes Islands (Illes Medes) 🏝️**
- A **protected marine reserve**, perfect for **snorkeling and scuba diving**.
- Explore **sea caves, coral reefs, and diverse marine life**.
- Take a **glass-bottom boat tour** to admire the underwater world without getting wet.
### **2️⃣ L'Estartit Beach 🏖️**
- A **long sandy beach** with shallow waters, ideal for families.
- Great for **swimming, sunbathing, and water sports** like windsurfing and kayaking.
- Offers fantastic views of the **Medes Islands**.

### **3️⃣ Montgrí Massif & Castle 🏰**
- Hike up to the **Montgrí Castle** for **panoramic views** of the Costa Brava.
- Trails through **rocky landscapes and Mediterranean forests**.
- A perfect spot for **hiking, mountain biking, and photography**.
### **4️⃣ Coastal Walking Route (Camí de Ronda) 🌊**
- A breathtaking **hiking trail along the cliffs**, connecting L'Estartit with nearby beaches and coves.
- Discover **hidden spots like Cala Pedrosa and Cala Ferriol**.

### **5️⃣ Explore the Old Town & Port ⚓**
- Wander through **narrow streets with local shops and seafood restaurants**.
- Visit the **Sant Genís Church**, a historic landmark in the town center.
- Enjoy a drink with a view at the **marina**.
### **6️⃣ Kayaking & Stand-Up Paddleboarding 🚣♂️**
- Paddle along the **coastline to explore caves, cliffs, and hidden coves**.
- A great way to experience the natural beauty of the area.

## **🍽️ What to Eat in L'Estartit**
- **Suquet de Peix** – Traditional Catalan **fish stew** 🐟
- **Arroz a la Cassola** – A **savory rice dish** with seafood 🍤
- **Fideuà** – Like **paella**, but made with short noodles instead of rice 🍜
- **Calamars a la Planxa** – Grilled squid with olive oil and garlic 🦑
- **Crema Catalana** – A classic Catalan **dessert similar to crème brûlée** 🍮

## **🚗 How to Get to L'Estartit**
🚆 **By Train:** The nearest train station is **Flaçà (30 min by car/taxi)** with connections from **Barcelona and Girona**.
🚘 **By Car:** 1.5 hrs from **Barcelona**, 45 min from **Girona**, 1 hr from **Figueres**.
🚌 **By Bus:** Direct buses from **Barcelona, Girona, and other Costa Brava towns**.
✈️ **By Air:** The nearest airport is **Girona-Costa Brava (GRO, 55 km)**.

## **💡 Tips for Visiting L'Estartit**
✅ **Best time to visit?** Late spring to early autumn (**May–September**) for warm weather 🌞
✅ **Book diving tours in advance** – Medes Islands are a top diving destination 🤿
✅ **Hike early in the morning** to avoid the heat & get the best views 🥾
✅ **Visit in June** for the **Havaneres Festival**, celebrating Catalan maritime music 🎶
-

@ 878dff7c:037d18bc
2025-03-27 22:37:47
## Australian Prime Minister Calls Election Amid Economic Challenges
### Summary:
Prime Minister Anthony Albanese has announced that Australia will hold federal elections on May 3. The election comes at a time when the nation faces significant economic uncertainties, including high inflation rates, elevated interest rates, and a housing crisis. Albanese's Labor government emphasizes plans for economic recovery, while opposition leader Peter Dutton's Coalition proposes public sector cuts and temporary fuel duty reductions. Both leaders are striving to address voter concerns over the cost-of-living crisis and economic stability.
Sources: <a href="https://www.theguardian.com/australia-news/2025/mar/28/australian-prime-minister-calls-election-amid-shadow-of-trump-and-cost-of-living-crisis" target="_blank">The Guardian - March 28, 2025</a>, <a href="https://apnews.com/article/b73f3a4bb9cbbc300cd797f34d4cc23b" target="_blank">AP News - March 28, 2025</a>
## Bill Gates Predicts AI to Replace Doctors and Teachers Within 10 Years
### Summary:
Bill Gates forecasts that artificial intelligence (AI) will significantly reduce human involvement in fields like medicine and education over the next decade. He envisions AI providing free, high-quality medical advice and tutoring, thereby democratizing access to these services. While acknowledging concerns about misinformation and rapid AI development, Gates remains optimistic about AI's potential to drive breakthroughs in healthcare, climate solutions, and education. He encourages young people to engage in AI-centric ventures, highlighting its transformative impact on industries and society.
Sources: <a href="https://nypost.com/2025/03/27/business/bill-gates-said-ai-will-replace-doctors-teachers-within-10-years/" target="_blank">New York Post - March 27, 2025</a>
## AI Poised to Transform Legal Profession by 2035
### Summary:
Artificial general intelligence (AGI) is projected to render traditional lawyer roles obsolete by 2035. AI systems are advancing to perform complex legal tasks such as advising, negotiating, and dispute resolution. While some legal professionals argue that AI cannot replicate human judgment and creativity, the emphasis on efficiency and outcomes suggests a future where AGI dominates legal services with minimal human intervention. Legal industry leaders are urged to prepare for this disruptive shift.
Sources: <a href="https://www.thetimes.co.uk/article/artificial-intelligence-could-replace-traditional-lawyers-by-2035-xwz2j0t2k" target="_blank">The Times - March 28, 2025</a>
## Queensland Faces Severe Flooding as Inland 'Sea' Emerges
### Summary:
Severe weather conditions, including heavy rain and potential flash flooding, have impacted central and southern inland Queensland, with significant rainfall between 200 to 400mm recorded. Towns like Adavale are inundated, prompting emergency warnings and the establishment of refuges for affected residents. Authorities urge residents to stay updated and follow safety advice.
Sources: <a href="https://www.news.com.au/technology/environment/qld-in-for-another-week-of-rain-amid-severe-weather-and-flood-warnings/news-story/d5e7ea97591060bb58c1d6ed54489209" target="_blank">News.com.au - 28 March 2025</a>, <a href="https://www.couriermail.com.au/news/queensland/weather/qld-weather-warnings-of-possible-200mm-deluge-major-flooding-as-communities-cut-off/news-story/457a21a269a535b28c52f919f8bc7bed" target="_blank">The Courier-Mail - 28 March 2025</a>, <a href="https://www.theguardian.com/australia-news/2025/mar/27/queensland-flood-warnings-rain-weather-forecast-bom" target="_blank">The Guardian - 28 March 2025</a>
## Opposition Leader Peter Dutton Outlines Election Platform
### Summary:
Opposition Leader Peter Dutton has presented his vision for Australia, promising significant funding for defense and proposing a new gas reservation policy aimed at lowering electricity prices. The Coalition's plans include fast-tracking gas projects, investing $1 billion in gas infrastructure, reducing public service staffing by 41,000 while preserving essential services, and decreasing permanent migration intake by 25% to increase housing supply. Dutton also announced reinstating subsidized mental health visits and new spending on youth mental health.
Sources: <a href="https://www.theguardian.com/australia-news/live/2025/mar/27/australia-politics-live-fuel-excise-cost-of-living-tax-cuts-salmon-election-anthony-albanese-peter-dutton-ntwnfb" target="_blank">The Guardian - March 28, 2025</a>, <a href="https://www.theaustralian.com.au/nation/who-is-peter-dutton-the-liberal-leader-and-his-top-team-for-the-2025-federal-election-explained/news-story/9d046731e51ed32dd4795c3820365c3a" target="_blank">The Australian - March 28, 2025</a>
## Opposition Leader Promises Significant Defense Funding
### Summary:
Peter Dutton, in his budget reply, promised significant funding for defense and a new gas reservation policy for the east coast, aimed at lowering electricity prices. The Coalition also plans to fast-track gas projects and invest $1 billion in gas infrastructure. Dutton announced slashing 41,000 public service workers while preserving essential services, and criticized Labor's gas policy. Immigration plans include reducing the permanent migration intake by 25% to increase housing supply. Dutton also proposed reinstating subsidized mental health visits and new spending on youth mental health. Labor, represented by Jason Clare, argued that the Coalition's policies, including the nuclear plan, are costly and criticized the tax implications under Dutton.
Sources: <a href="https://www.theguardian.com/australia-news/live/2025/mar/27/australia-politics-live-fuel-excise-cost-of-living-tax-cuts-salmon-election-anthony-albanese-peter-dutton-ntwnfb" target="_blank">The Guardian - March 28, 2025</a>
## Israeli Politicians Urge Australian MPs to Abandon Two-State Solution Policy
### Summary:
A group of Israeli Knesset members has called on Australian MPs to drop support for a two-state solution between Israel and Palestine. The letter, presented during an event at Australia's Parliament House, argues that establishing a Palestinian state could lead to Israel's destruction, citing recent conflicts as evidence. This appeal reflects deep skepticism within Israeli political circles about the viability of the peace process.
Sources: <a href="https://www.theguardian.com/australia-news/2025/mar/27/israeli-politicians-sign-letter-urging-coalition-to-dump-two-state-policy-ntwnfb" target="_blank">The Guardian - March 27, 2025</a>
## Stephen Jones Criticizes U.S. Protectionist Trade Policies
### Summary:
Outgoing Financial Services Minister Stephen Jones has criticized recent U.S. protectionist measures, including a 25% tariff on global car imports and Australian aluminum and steel. Jones emphasized the importance of open trade and a rules-based order for Australia's economic growth, highlighting concerns about the negative impact on Australian industries and the broader economy.
Sources: <a href="https://www.theaustralian.com.au/business/outgoing-financial-services-minister-jones-takes-swipe-at-us-protectionism/news-story/0c1fc10f2b57a8c6809f4dec333cc547" target="_blank">The Australian - March 28, 2025</a>
## New Anti-Smoking Warnings Criticized for Potential Backfire
### Summary:
Starting April 1, Australia will implement legislation requiring health warnings on individual cigarettes, with messages like "causes 16 cancers" and "poisons in every puff." However, social media users have mocked these warnings, suggesting they might make smoking appear "cool" and collectible rather than serving as deterrents. Despite the criticism, health officials assert that such on-product messages are part of a broader strategy to reduce smoking rates, citing positive results from similar approaches in Canada. The initiative aims to decrease the annual tobacco-related deaths in Australia, which currently exceed 24,000.
Sources: <a href="https://www.couriermail.com.au/news/queensland/poisons-in-every-puff-new-antismoking-messaging-slammed/news-story/2f77ecd3a943d3139539c2610af3400c" target="_blank">The Courier-Mail - March 28, 2025</a>
## 'Joe's Law' Introduced to Ban Future Hospital Privatization in NSW
### Summary:
The New South Wales government has announced "Joe's Law," a reform to prohibit the future privatization of acute public hospitals. This decision follows the death of two-year-old Joe Massa, who suffered a cardiac arrest and died after a prolonged wait in the emergency department of the privately managed Northern Beaches Hospital. The legislation aims to ensure that critical public services like emergency and surgical care remain under public control, preventing privatization. Additionally, a parliamentary inquiry into the hospital's services and a coronial investigation into Joe's death have been initiated.
Sources: <a href="https://www.theguardian.com/australia-news/2025/mar/27/joes-law-to-ban-future-hospital-privatisation-in-nsw" target="_blank">The Guardian - March 28, 2025</a>, <a href="https://www.news.com.au/lifestyle/health/health-problems/major-changes-coming-to-nsw-hospitals-after-death-of-twoyearold-joe-massa/news-story/fb93b0f0a9f2673a01eddfe89031fcb9" target="_blank">news.com.au - March 28, 2025</a>, <a href="https://www.dailytelegraph.com.au/newslocal/manly-daily/northern-beaches-hospital-probe-begins-into-safety-and-quality-of-health-services/news-story/72ea15981b26339eea92a15b4e9c498a" target="_blank">The Daily Telegraph - March 28, 2025</a>
## Determined Daisy Marks Major Milestone
### Summary:
Daisy, born with a rare chromosomal disorder, has achieved a significant health milestone by having her tracheostomy removed and is now learning to communicate using sign language. Her inspiring journey is one of several highlighted by the Good Friday Appeal, which supports the Royal Children's Hospital (RCH). The 2025 Appeal aims to fund further programs, research, and vital equipment at RCH, with contributions from events like North Melbourne's SuperClash fundraiser bringing joy to young patients ahead of the marquee match.
Sources: <a href="https://www.heraldsun.com.au/news/good-friday-appeal/good-friday-appeal-2025-star-roos-launch-superclash-fundraiser-with-special-visit/news-story/75fe74c62e52efb611436e9162c4d4d6" target="_blank">Herald Sun - March 27, 2025</a>
## Indonesia Seeks to Calm Investors After Stocks, Rupiah Slide
### Summary:
Indonesian officials are working to reassure investors following significant declines in the stock market and the rupiah. President Prabowo Subianto plans to meet with investors after the Eid-al-Fitr holiday to address concerns about government policies and fiscal stability. The rupiah recently hit its weakest level since 1998, and the main stock index fell 7.1%. Analysts attribute the selloff to poor communication on fiscal policies. The government aims to maintain the fiscal deficit within 3% of GDP and avoid political interference in its sovereign wealth fund. Efforts are also underway to deregulate the manufacturing sector and provide credits to labor-intensive industries. Bank Indonesia is prepared to intervene to stabilize the currency, emphasizing the economy's underlying strength. The rupiah has shown signs of recovery, and measures include easing buyback processes and offering more attractive investment instruments. Markets will monitor the mid-year budget update in July for signs of revenue shortfalls and spending adjustments.
Sources: <a href="https://www.reuters.com/markets/asia/indonesia-seeks-calm-investors-after-stocks-rupiah-slide-2025-03-27/" target="_blank">Reuters - 28 March 2025</a>
## Beijing to Escalate Taiwan Coercion in 2025
### Summary:
A report by the Office of the Director of National Intelligence highlights growing cooperation among China, Russia, Iran, and North Korea, posing significant challenges to U.S. global power. Closer ties between China and Russia, in particular, could present enduring risks to U.S. interests. The document points out China's military threat to the U.S., emphasizing its grey zone tactics and potential for stronger coercive action against Taiwan by 2025. The Ukraine conflict and its ongoing strategic risks, including nuclear escalation, are noted, as well as China's ambition to dominate AI by 2030 and its control over critical materials. The report also mentions the volatile Middle East, with Iran's expanding ties despite challenges, and North Korea's commitment to enhancing its nuclear capabilities. Additionally, threats from foreign drug actors and Islamic extremists, including Al-Qa'ida and a potential ISIS resurgence, are highlighted.
Sources: <a href="https://www.theaustralian.com.au/nation/politics/us-threat-assessment-sounds-the-alarm-on-china/news-story/cb582794c7a653b11cce8d3e61fc564b" target="_blank">The Australian - 28 March 2025</a>
## Fire Ant Infestation Could Cost Australian Households Over $1 Billion Annually
### Summary:
New modeling predicts that if fire ants become established in Australia, households may incur approximately $1.03 billion annually in control measures and related health and veterinary expenses. The invasive species could lead to up to 570,800 medical consultations and around 30 deaths each year due to stings. The electorates of Durack, O'Connor, Mayo, and Blair are projected to be most affected. Experts emphasize the need for increased federal funding for comprehensive eradication programs to prevent environmental damage and significant economic burdens on households.
Sources: <a href="https://www.theguardian.com/environment/2025/mar/28/australia-fire-ants-queensland-cost-eradication-pesticides" target="_blank">The Guardian - March 28, 2025</a>
## The Great Monetary Divide – Epi-3643
### Summary:
In this episode, host Jack Spirko discusses the rapid changes occurring in the global financial landscape. He highlights the European Union's announcement, led by European Central Bank President Christine Lagarde, to implement a Central Bank Digital Currency (CBDC) across member states by the upcoming fall. Spirko expresses concern that such a move could pave the way for a social credit system similar to China's, potentially leading to increased governmental control over individual financial activities.
Conversely, the episode explores developments in the United States, where the government is reportedly adopting Bitcoin as an economic reserve and integrating stablecoins into the financial system. Spirko suggests that these actions may indicate a divergent path from other global economies, potentially fostering a more decentralized financial environment.
Throughout the episode, Spirko emphasizes the importance of understanding these shifts and encourages listeners to consider how such changes might impact personal financial sovereignty and the broader economic landscape.
Please note that this summary is based on limited information available from the episode description and may not capture all the nuances discussed in the full podcast.
Sources: <a href="https://open.spotify.com/episode/5lUuCzX3wHfWdX6y6QtJGw" target="_blank">The Survival Podcast - 28 March 2025</a>, <a href="https://podcasts.apple.com/us/podcast/the-great-monetary-divide-epi-3643/id284148583?i=1000700006108&l=es-MX" target="_blank">Apple Podcasts - 28 March 2025</a>
-

@ 57d1a264:69f1fee1
2025-03-27 08:27:44
> The tech industry and its press have treated the rise of billion-scale social networks and ubiquitous smartphone apps as an unadulterated win for regular people, a triumph of usability and empowerment. They seldom talk about what we’ve lost along the way in this transition, and I find that younger folks may not even know how the web used to be.
`— Anil Dash, The Web We Lost, 13 Dec 2012`
https://www.youtube.com/watch?v=9KKMnoTTHJk&t=156s
So here’s a few glimpses of a web that’s mostly faded away: https://www.anildash.com/2012/12/13/the_web_we_lost/
The first step to disabusing them of this notion is for the people creating the next generation of social applications to learn a little bit of history, to know your shit, whether that’s about [Twitter’s business model](http://web.archive.org/web/20180120013123/http://anildash.com/2010/04/ten-years-of-twitter-ads.html) or [Google’s social features](http://web.archive.org/web/20170518203228/http://anildash.com/2012/04/why-you-cant-trust-tech-press-to-teach-you-about-the-tech-industry.html) or anything else. We have to know what’s been tried and failed, what good ideas were simply ahead of their time, and what opportunities have been lost in the current generation of dominant social networks.
originally posted at https://stacker.news/items/926499
-

@ 57d1a264:69f1fee1
2025-03-27 08:11:33
Explore and reimagine programming interfaces beyond text (visual, tactile, spatial).
> _"The most dangerous thought you can have as a creative person is to think you know what you're doing."_
`— Richard Hamming` [^1]
https://www.youtube.com/watch?v=8pTEmbeENF4
For his recent DBX Conference talk, Victor took attendees back to the year 1973, donning the uniform of an IBM systems engineer of the times, delivering his presentation on an overhead projector. The '60s and early '70s were a fertile time for CS ideas, reminds Victor, but even more importantly, it was a time of unfettered thinking, unconstrained by programming dogma, authority, and tradition.

_'The most dangerous thought that you can have as a creative person is to think that you know what you're doing,'_ explains Victor. 'Because once you think you know what you're doing you stop looking around for other ways of doing things and you stop being able to see other ways of doing things. You become blind.' He concludes, 'I think you have to say: _"We don't know what programming is. We don't know what computing is. We don't even know what a computer is."_ And once you truly understand that, and once you truly believe that, then you're free, and you can think anything.'
More details at https://worrydream.com/dbx/
[^1]: Richard Hamming -- [The Art of Doing Science and Engineering, p5](http://worrydream.com/refs/Hamming_1997_-_The_Art_of_Doing_Science_and_Engineering.pdf) (pdf ebook)
originally posted at https://stacker.news/items/926493
-

@ a8d1560d:3fec7a08
2025-03-27 03:12:03
I have made a big update to my Nostr desktop. Apps for images, videos and livestreams after their respective NIPs have been added, and the Raw Events app has been greatly improved. There are still some layout problems, but it all works (hopefully).
<https://websim.ai/@wholewish91244492/nostr-desktop>


-

@ 5d4b6c8d:8a1c1ee3
2025-03-27 02:20:34
I just finished watching the Lakers narrowly escape with a win over the Pacers, in Indiana. I watched it at [BetPlay](https://betplay.io/en/sportsbook?bt-path=%2Fbasketball%2Fusa%2Fnba-1669819088278523904), btw, where I'm now watching the late games.
Firstly, Lebron had a rough game: no made FG's in the first half (first time in approximately 20 years) and only 2 points. There was legit concern that his million consecutive games with double digits might finally end.
Coming into the fourth quarter, he still only had seven points and the Lakers had about a ten point lead. Once Lebron secured his 10 points it really seemed like they let up and the Pacers came roaring back. Shoutout to Myles Turner, who made a great pass breakup in transition on what would have been a lob dunk (I also think Doris may have said "just the tip" when describing how little contact he made with the ball).
Rui hit a couple of threes back-to-back, which felt huge, but the Lakers took their foot off the gas again. The Pacers kept it tight and even took a lead, thanks to Luka playing some of the worst defense you'll ever see.
With three seconds left and trailing by one, Luka shook his defender and put up a soft little floater...which bounced out only for Lebron to get the put-back at the buzzer and win the game.
The only thing that would have been better is if the tip-in had gotten Lebron his double digits.
originally posted at https://stacker.news/items/926406
-

@ 3c7dc2c5:805642a8
2025-03-26 21:49:02
## 🧠Quote(s) of the week:
The path to maximalism is littered with mistakes and paved with humility.' Anilsaido

Bitcoin is time because money itself is time.
Money is humanity’s battery: a way to store energy, labor, and resources for the future. It captures your past effort and preserves it for when you need it most. Fiat leaks. Bitcoin holds.
## 🧡Bitcoin news🧡
On the 18th of March:
➡️After ruling out a strategic bitcoin reserve, the Bank of Korea will launch a central bank digital currency pilot in April, per The Korea Times.
➡️'Metaplanet has acquired an additional 150 BTC for ~$12.5 million, achieving a BTC Yield of 60.8% YTD in 2025.
As of 3/18/2025, Metaplanet hodls 3,200 BTC, and is now a top 10 publicly listed holder of Bitcoin globally.' -Dylan LeClair
➡️Bitcoin entered a risk-off, distribution-dominant phase in early 2025, evidenced by frequent selling and hesitation to buy (yellow to orange dots). - AMB Crypto
➡️Bitwise CIO says Bitcoin should be at $200,000 today and says, “I think the number of companies buying Bitcoin is going to triple this year, I think Game Theory is on.”
“I think countries around the world are going to be buying Bitcoin. There is structurally more demand than supply in Bitcoin.”
➡️Bitcoin mining company Bitfarms buys Stronghold Digital for more than $110 million, making it the largest public-to-public acquisition in Bitcoin industry history.
➡️Bitcoin long-term HODLers become net buyers for the first time since September, per Compass Point Research.
"Buying/selling from HODLers is typically a leading indicator for BTC.
This cohort now owns 65% of BTC supply vs 63% last week vs 73% in early October." - Bitcoin News
➡️GlassNode: 'The Bitcoin market continues to adjust to its new price range after experiencing a -30% correction. Liquidity conditions are also contracting in both on-chain and futures markets.'
➡️Bitcoin now ranks 6th among the world's top monetary assets at $1.62 trillion, per Porkopolis.
➡️The EU isn't banning Bitcoin but using MiCA and other regulations to control it.
This involves stripping away privacy through transaction tracking, mandatory disclosures, and restrictions on self-custody.
The goal is control, not outright prohibition.
Excellent thread by Eli. Eli summarises the EU’s attack on Bitcoin and on Europeans’ rights:
https://x.com/i/web/status/1902048401908261146
Agree 100% with all of this. All these people who have been saying the EU pushing the industry forward with regulations are idiots. They are closing it off and pushing everyone to a CBDC.
Regarding the CBCD, here you will find a comprehensive summary of EU’s CBDC plans, by Efrat Fenigson:
```
https://bitcoinmagazine.com/politics/ecb-prepping-the-ground-for-digital-euro-launch
```
*On the 20th of March, the ECB posted the following statement on Twitter:
'The digital euro is not just about creating a new form of money, says Chief Economist Philip R. Lane.
It is about ensuring that Europe retains control over its monetary and financial destiny in the digital age against a backdrop of increasing geopolitical fragmentation.'
“It’s about ensuring that the EU retains control over its citizens.”
There, I fixed it for you if you missed the primary reason.
The Euro is a permissioned, centralized, censorable, inflationary, debt-based currency controlled by unelected bureaucrats.
Bitcoin is permissionless, decentralized, censorship-resistant, fixed in supply, and governed by code—not politicians.
Choose wisely.
➡️As mentioned in last week's Weekly Recap the US Government spends $3.3B per day in interest rate expense. If this doesn’t make you buy Bitcoin I’m not sure what will.

➡️In Kibera, Africa’s largest informal settlement, more than 40 merchants now accept and save in Bitcoin.
➡️The increase in 3-6 month-old UTXOs suggests accumulation during this market correction, a behavior historically critical in forming market bottoms and driving new price rallies.
➡️Just as Hal Finney predicted, Bitcoin will take over Wall Street: Multiple American Bitcoin companies are now seeking to become state or national banks, reports Reuters.
It is inevitable.
➡️Daniel Batten:
2021: 62 US Environmental Organizations write to coCongressaying Bitcoin is bad for the environment and has no use (based on Central Bank misinformation)
2025: US Environmental Organizations debunked (impossible, had they used Bitcoin)
Strange are the ways of karma.
Meanwhile,
➡️President Trump's Executive Director, Bo Hines, on digital assets: "We talked about ways of acquiring more Bitcoin in budget-neutral ways."
We want "as much as we can get."
When Bitcoin is at $200k. We will look back on March 2025 and say, how was everyone not buying. It was so obvious.
On the 19th of March:
➡️BLACKROCK: “The most sophisticated long-term Bitcoin accumulators are pretty excited about this dip. They see the correction as a buying opportunity."
On the 20th of March:
➡️SEC confirms that Bitcoin and Proof of Work mining are NOT securities under US law.

Source: [https://t.co/0ExsJniPIf](https://t.co/0ExsJniPIf)
➡️Bitcoin exchange Kraken has agreed to acquire NinjaTrader, the leading U.S. retail futures trading platform, for $1.5 billion—the largest deal ever of a Bitcoin company buying a traditional financial company.
➡️TRUMP: “I signed an order creating the brand new Strategic Bitcoin Reserve and the US digital asset stockpile which will allow the Federal government to maximize the value of its holdings.”
Tweet and hot take by Lola L33tz
"With the dollar-backed stablecoins, you'll help expand the dominance of the US Dollar [...] It will be at the top, and that's where we want to keep it"
'What he means is:
With dollar-backed stablecoins, the Global South will pivot towards digital Dollars over local currencies, allowing private, US government-controlled entities to replace bank accounts around the globe.
This does not just allow for the expansion of USD dominance by bypassing local governments – it gives the US unprecedented and direct control over worldwide economies as
every stablecoin can be effectively frozen on behalf of the US with the click of a button.'
Stablecoins = CBDCs
There is no technical fundamental difference between them.
It’s almost a guarantee that the EU CBDCs and U.S. stablecoins will be interchangeable.
➡️River: Bitcoin is coming for $128 trillion in global money.
You're not to late to Bitcoin.

On the 21st of March:
➡️Michael Saylor’s Strategy to raise $722.5M to buy more Bitcoin.
➡️Publicly traded Atai Life Sciences to buy $5 million in Bitcoin.
➡️Publicly traded HK Asia Holdings bought 10 Bitcoins worth $858,500 for its balance sheet.
➡️Another solo home miner has mined an entire Bitcoin block worth over $ 260.000,-.
On the 22nd of March:
➡️The University of Wyoming posted a new video explaining Bitcoin with Philosophy Professor Bradley Rettler
➡️Spot Bitcoin ETFs bought 8,775 BTC this week while miners only mined 3,150 Bitcoin.
On the 24th of March:
➡️Metaplanet finished the day as the 13th most liquid stock in Japan, with ¥50.4 billion ($336.6m) of daily trading volume, ahead of Toyota and Nintendo.
➡️River: There is a 275% gap between the inflation you're told and real inflation.

Bitcoin is insurance on the debt spiral. The U.S. Dollar has been devalued by more than 363% since 2000 – That’s a 14.5% devaluation per year. This means if your savings don’t grow by 14.5% annually, you’re falling behind. This is why we Bitcoin. Bitcoin is insurance on the debt spiral, grow your savings beyond the dollar’s devaluation!
➡️Bitcoin's compound annual growth rate (CAGR) over a 5-year rolling window is currently over 50%
➡️Strategy became the first publicly traded company to hold over 500,000 Bitcoin worth over $44 billion.
Strategy has acquired 6,911 BTC for ~$584.1 million at ~$84,529 per Bitcoin and has achieved a BTC Yield of 7.7% YTD 2025. As of 3/23/2025,
Strategy holds 506,137 BTC acquired for ~$33.7 billion at ~$66,608 per Bitcoin.
➡️CryptoQuant: Bitcoin's long-term holders are holding firm, with no significant selling pressure.
➡️Xapo Bank launches Bitcoin-backed USD loans up to $1M, with collateral secured in an MPC vault and no re-usage.
##
## 💸Traditional Finance / Macro:
👉🏽no news
🏦Banks:
👉🏽 no news
## 🌎Macro/Geopolitics:
On the 18th of March:
👉🏽Germany just changed its constitution to unleash a staggering ONE TRILLION in new debt. The German parliament has voted to take on hundreds of billions of euros of new government debt, to ease the debt brake rules, and to codify "climate neutrality by 2045" into the constitution.
On top of that, some extra money to Ukraine:
Germany's next Chancellor, Friedrich Merz, believes that Putin has gone to war against all of Europe. He argues that Russia has attacked Germany, as the Parliament breaks out in applause.
We continue to move further away from the "Europe is not part of the conflict" rhetoric. Germany’s self-inflicted delusion continues!
👉🏽Germany's first offshore wind farm closes after 15 years because it's too expensive to operate. Expect a car crash. The Alpha Ventus offshore wind farm near the German North Sea island of Borkum is set to be dismantled after being in operation for only 15 years. It has become too unprofitable to operate without massive subsidies.
[https://wattsupwiththat.com/2025/03/16/germanys-first-offshore-wind-farm-to-be-dismantled-after-just-15-years-of-operation/](https://wattsupwiththat.com/2025/03/16/germanys-first-offshore-wind-farm-to-be-dismantled-after-just-15-years-of-operation/)
Great thing that the Netherlands is investing heavily in offshore wind farms, even the biggest pension fund APB. Because nInE tImEs ChEaPeR tHaN gAs, right?
I hope they dismantle them & not leave them to rust into the sea. Right? Because climate!
Great response by Jasmine Birtles: "These vanity projects should never have been allowed to start. The phrase 'cheap renewable energy' is simply a falsehood. This kind of energy production only seems cheap because of the huge government subsidies that keep them going. I'm all for clean energy if it's possible to run it honestly and without huge subsidies, but while it doesn't seem to be viable we should stick with what is affordable and will keep the country going, rather than sacrificing the vulnerable to an impossible ideology."
👉🏽'Gold spot is now trading consistently over $3000, a record high. And with deliveries once again picking up at the Comex and war in the Middle East coming back with a vengeance, the next big spike is just a matter of time. As expected, once gold broke out above $3000,- it has gone vertical and is up 1% in the past hours, rising to a new record high of $3034, as it sets off for $4000' - ZeroHedge
👉🏽'We have just witnessed the biggest drop in US equity allocation on record. The collapse of US consumers:
Unemployment expectations in the US are now ABOVE 2020 levels and at their highest since 2008.
In 2024, a poll showed that a whopping 56% of Americans thought the US was in a recession.' - TKL

👉🏽OECD Projects Argentina to Have the Second Highest Economic Growth Worldwide in 2025
👉🏽A new blow to the Dutch chemical sector. The major producer LyondellBasell is permanently closing its factory at the Maasvlakte. This decision, announced on Tuesday afternoon, will result in the loss of approximately 160 jobs. The closure is a direct consequence of global overcapacity and high energy costs in the Netherlands.
An audit by the German firm E-Bridge, commissioned by the Dutch government, previously revealed that electricity costs for these companies in the Netherlands amount to €95 per megawatt-hour.
In comparison, this rate is €32 in France (66% lower), €45.60 in Germany (52% lower), and €56.05 per megawatt-hour in Belgium (41% lower).
According to E-Bridge, this difference is mainly due to the compensation that foreign governments provide to companies and the lower grid tariffs. In the Netherlands, costs have risen primarily to finance investments in the electricity grid, such as connecting multiple offshore wind farms.
Now read that segment on offshore wind farms. Mindblowing, innit?
Subsidies are not the solution—deregulation is. But Brussels won’t allow that. So, we’re heading toward even more regulation and nationalization.
On the 19th of March:
👉🏽The Fed makes multiple revisions to its 2025 economic data projections.
Powell finally found the "stag" and the "inflation":
Fed cuts year-end GDP forecast from 2.1% to 1.7%
Fed raises year-end core PCE forecast from 2.5% to 2.8%
Fed raises year-end unemployment forecast from 4.3% to 4.4%
Fed raises PCE inflation forecast from 2.5% to 2.7%
The Fed sees higher inflation and a weaker economy.
On the 20th of March:
Dutch Central Bank Director Klaas Knot "We are worried about American influence on our local payment infrastructure."
Paving the way for the European CBDC (after slowly but surely removing CASH MONEY from society).
Knot has completed his second term and will leave his office in July. Now, of course, pushing for the CBDC, before looking for a new job in Europe.
Anyway, DNB posts billions in losses.
De Nederlandsche Bank suffered a loss of over €3 billion last year, according to the annual report published on Thursday. This marks the second consecutive year of losses.
DNB incurs this loss because, as part of its monetary policy, it has lent out billions at relatively low rates while having to pay a higher rate to banks that park their money at the central bank.
But no losses on its gold. The gold reserves, meanwhile, increased in value by €12.6 billion. This amount is not included in the official profit and loss statement but is reflected on the bank's balance sheet.
For the Dutch readers/followers: Great article: Follow the Money 'Voor de megawinsten van ING, ABN Amro en Rabobank betaalt de Nederlandse burger een hoge prijs.'
```
https://archive.ph/ncvtk
```
On the 21st of March:
👉🏽'The Philadelphia Fed Manufacturing index dropped 5.6 points in March, to 12.5, its 2nd consecutive monthly decline.
6-month outlook for new orders fell by 30.8 points, to 2.3, the lowest in 3 years.
This marks the third-largest drop in history, only behind the 2008 Financial Crisis and December 1973.
Furthermore, 6-month business outlook dropped ~40 points to its lowest since January 2024.
All while prices paid rose 7.8 points, to 48.3, the highest since July 2022.
This is further evidence of weakening economic activity with rising prices.' TKL
👉🏽'China’s central bank gold reserves hit a record 73.6 million fine troy ounces in February.
China bought ~160,000 ounces of gold last month, posting their 4th consecutive monthly purchase.
Over the last 2.5 years, China’s gold reserves have jumped by 11.0 million ounces of gold.
Gold now reflects a record ~5.9% of China’s total foreign exchange reserves, or 2,290 tonnes.
Central banks continue to stock up on gold as if we are in a crisis.' -TKL
## 🎁If you have made it this far I would like to give you a little gift:
What Bitcoin Did: BITCOIN & THE END OF THE DOLLAR SYSTEM with Luke Gromen
They discuss:
- The Sovereign Debt Crisis
- If the US Will Reprice the Gold
- If we will See Triple Digit Inflation
- The End of The US Dollar System
Luke Gromen: A modest clarification: The end of the post-71 structure of the USD system is what the Trump Administration’s actions appear to be pursuing & will in due time achieve if they stay on the present course.
https://www.youtube.com/watch?v=0W2jEedynbc
Credit: I have used multiple sources!
My savings account: Bitcoin The tool I recommend for setting up a Bitcoin savings plan: PocketBitcoin especially suited for beginners or people who want to invest in Bitcoin with an automated investment plan once a week or monthly.
`Use the code SE3997`
Get your Bitcoin out of exchanges. Save them on a hardware wallet, run your own node...be your own bank. Not your keys, not your coins. It's that simple. ⠀⠀
⠀⠀ ⠀ ⠀⠀⠀
Do you think this post is helpful to you? If so, please share it and support my work with a zap.
▃▃▃▃▃▃▃▃▃▃▃▃▃▃▃▃▃▃
⭐ Many thanks⭐
Felipe - Bitcoin Friday!
▃▃▃▃▃▃▃▃▃▃▃▃▃▃▃▃▃▃
-

@ 3c7dc2c5:805642a8
2025-03-26 21:49:02
## 🧠Quote(s) of the week:
The path to maximalism is littered with mistakes and paved with humility.' Anilsaido

Bitcoin is time because money itself is time.
Money is humanity’s battery: a way to store energy, labor, and resources for the future. It captures your past effort and preserves it for when you need it most. Fiat leaks. Bitcoin holds.
## 🧡Bitcoin news🧡
On the 18th of March:
➡️After ruling out a strategic bitcoin reserve, the Bank of Korea will launch a central bank digital currency pilot in April, per The Korea Times.
➡️'Metaplanet has acquired an additional 150 BTC for ~$12.5 million, achieving a BTC Yield of 60.8% YTD in 2025.
As of 3/18/2025, Metaplanet hodls 3,200 BTC, and is now a top 10 publicly listed holder of Bitcoin globally.' -Dylan LeClair
➡️Bitcoin entered a risk-off, distribution-dominant phase in early 2025, evidenced by frequent selling and hesitation to buy (yellow to orange dots). - AMB Crypto
➡️Bitwise CIO says Bitcoin should be at $200,000 today and says, “I think the number of companies buying Bitcoin is going to triple this year, I think Game Theory is on.”
“I think countries around the world are going to be buying Bitcoin. There is structurally more demand than supply in Bitcoin.”
➡️Bitcoin mining company Bitfarms buys Stronghold Digital for more than $110 million, making it the largest public-to-public acquisition in Bitcoin industry history.
➡️Bitcoin long-term HODLers become net buyers for the first time since September, per Compass Point Research.
"Buying/selling from HODLers is typically a leading indicator for BTC.
This cohort now owns 65% of BTC supply vs 63% last week vs 73% in early October." - Bitcoin News
➡️GlassNode: 'The Bitcoin market continues to adjust to its new price range after experiencing a -30% correction. Liquidity conditions are also contracting in both on-chain and futures markets.'
➡️Bitcoin now ranks 6th among the world's top monetary assets at $1.62 trillion, per Porkopolis.
➡️The EU isn't banning Bitcoin but using MiCA and other regulations to control it.
This involves stripping away privacy through transaction tracking, mandatory disclosures, and restrictions on self-custody.
The goal is control, not outright prohibition.
Excellent thread by Eli. Eli summarises the EU’s attack on Bitcoin and on Europeans’ rights:
https://x.com/i/web/status/1902048401908261146
Agree 100% with all of this. All these people who have been saying the EU pushing the industry forward with regulations are idiots. They are closing it off and pushing everyone to a CBDC.
Regarding the CBCD, here you will find a comprehensive summary of EU’s CBDC plans, by Efrat Fenigson:
```
https://bitcoinmagazine.com/politics/ecb-prepping-the-ground-for-digital-euro-launch
```
*On the 20th of March, the ECB posted the following statement on Twitter:
'The digital euro is not just about creating a new form of money, says Chief Economist Philip R. Lane.
It is about ensuring that Europe retains control over its monetary and financial destiny in the digital age against a backdrop of increasing geopolitical fragmentation.'
“It’s about ensuring that the EU retains control over its citizens.”
There, I fixed it for you if you missed the primary reason.
The Euro is a permissioned, centralized, censorable, inflationary, debt-based currency controlled by unelected bureaucrats.
Bitcoin is permissionless, decentralized, censorship-resistant, fixed in supply, and governed by code—not politicians.
Choose wisely.
➡️As mentioned in last week's Weekly Recap the US Government spends $3.3B per day in interest rate expense. If this doesn’t make you buy Bitcoin I’m not sure what will.

➡️In Kibera, Africa’s largest informal settlement, more than 40 merchants now accept and save in Bitcoin.
➡️The increase in 3-6 month-old UTXOs suggests accumulation during this market correction, a behavior historically critical in forming market bottoms and driving new price rallies.
➡️Just as Hal Finney predicted, Bitcoin will take over Wall Street: Multiple American Bitcoin companies are now seeking to become state or national banks, reports Reuters.
It is inevitable.
➡️Daniel Batten:
2021: 62 US Environmental Organizations write to coCongressaying Bitcoin is bad for the environment and has no use (based on Central Bank misinformation)
2025: US Environmental Organizations debunked (impossible, had they used Bitcoin)
Strange are the ways of karma.
Meanwhile,
➡️President Trump's Executive Director, Bo Hines, on digital assets: "We talked about ways of acquiring more Bitcoin in budget-neutral ways."
We want "as much as we can get."
When Bitcoin is at $200k. We will look back on March 2025 and say, how was everyone not buying. It was so obvious.
On the 19th of March:
➡️BLACKROCK: “The most sophisticated long-term Bitcoin accumulators are pretty excited about this dip. They see the correction as a buying opportunity."
On the 20th of March:
➡️SEC confirms that Bitcoin and Proof of Work mining are NOT securities under US law.

Source: [https://t.co/0ExsJniPIf](https://t.co/0ExsJniPIf)
➡️Bitcoin exchange Kraken has agreed to acquire NinjaTrader, the leading U.S. retail futures trading platform, for $1.5 billion—the largest deal ever of a Bitcoin company buying a traditional financial company.
➡️TRUMP: “I signed an order creating the brand new Strategic Bitcoin Reserve and the US digital asset stockpile which will allow the Federal government to maximize the value of its holdings.”
Tweet and hot take by Lola L33tz
"With the dollar-backed stablecoins, you'll help expand the dominance of the US Dollar [...] It will be at the top, and that's where we want to keep it"
'What he means is:
With dollar-backed stablecoins, the Global South will pivot towards digital Dollars over local currencies, allowing private, US government-controlled entities to replace bank accounts around the globe.
This does not just allow for the expansion of USD dominance by bypassing local governments – it gives the US unprecedented and direct control over worldwide economies as
every stablecoin can be effectively frozen on behalf of the US with the click of a button.'
Stablecoins = CBDCs
There is no technical fundamental difference between them.
It’s almost a guarantee that the EU CBDCs and U.S. stablecoins will be interchangeable.
➡️River: Bitcoin is coming for $128 trillion in global money.
You're not to late to Bitcoin.

On the 21st of March:
➡️Michael Saylor’s Strategy to raise $722.5M to buy more Bitcoin.
➡️Publicly traded Atai Life Sciences to buy $5 million in Bitcoin.
➡️Publicly traded HK Asia Holdings bought 10 Bitcoins worth $858,500 for its balance sheet.
➡️Another solo home miner has mined an entire Bitcoin block worth over $ 260.000,-.
On the 22nd of March:
➡️The University of Wyoming posted a new video explaining Bitcoin with Philosophy Professor Bradley Rettler
➡️Spot Bitcoin ETFs bought 8,775 BTC this week while miners only mined 3,150 Bitcoin.
On the 24th of March:
➡️Metaplanet finished the day as the 13th most liquid stock in Japan, with ¥50.4 billion ($336.6m) of daily trading volume, ahead of Toyota and Nintendo.
➡️River: There is a 275% gap between the inflation you're told and real inflation.

Bitcoin is insurance on the debt spiral. The U.S. Dollar has been devalued by more than 363% since 2000 – That’s a 14.5% devaluation per year. This means if your savings don’t grow by 14.5% annually, you’re falling behind. This is why we Bitcoin. Bitcoin is insurance on the debt spiral, grow your savings beyond the dollar’s devaluation!
➡️Bitcoin's compound annual growth rate (CAGR) over a 5-year rolling window is currently over 50%
➡️Strategy became the first publicly traded company to hold over 500,000 Bitcoin worth over $44 billion.
Strategy has acquired 6,911 BTC for ~$584.1 million at ~$84,529 per Bitcoin and has achieved a BTC Yield of 7.7% YTD 2025. As of 3/23/2025,
Strategy holds 506,137 BTC acquired for ~$33.7 billion at ~$66,608 per Bitcoin.
➡️CryptoQuant: Bitcoin's long-term holders are holding firm, with no significant selling pressure.
➡️Xapo Bank launches Bitcoin-backed USD loans up to $1M, with collateral secured in an MPC vault and no re-usage.
##
## 💸Traditional Finance / Macro:
👉🏽no news
🏦Banks:
👉🏽 no news
## 🌎Macro/Geopolitics:
On the 18th of March:
👉🏽Germany just changed its constitution to unleash a staggering ONE TRILLION in new debt. The German parliament has voted to take on hundreds of billions of euros of new government debt, to ease the debt brake rules, and to codify "climate neutrality by 2045" into the constitution.
On top of that, some extra money to Ukraine:
Germany's next Chancellor, Friedrich Merz, believes that Putin has gone to war against all of Europe. He argues that Russia has attacked Germany, as the Parliament breaks out in applause.
We continue to move further away from the "Europe is not part of the conflict" rhetoric. Germany’s self-inflicted delusion continues!
👉🏽Germany's first offshore wind farm closes after 15 years because it's too expensive to operate. Expect a car crash. The Alpha Ventus offshore wind farm near the German North Sea island of Borkum is set to be dismantled after being in operation for only 15 years. It has become too unprofitable to operate without massive subsidies.
[https://wattsupwiththat.com/2025/03/16/germanys-first-offshore-wind-farm-to-be-dismantled-after-just-15-years-of-operation/](https://wattsupwiththat.com/2025/03/16/germanys-first-offshore-wind-farm-to-be-dismantled-after-just-15-years-of-operation/)
Great thing that the Netherlands is investing heavily in offshore wind farms, even the biggest pension fund APB. Because nInE tImEs ChEaPeR tHaN gAs, right?
I hope they dismantle them & not leave them to rust into the sea. Right? Because climate!
Great response by Jasmine Birtles: "These vanity projects should never have been allowed to start. The phrase 'cheap renewable energy' is simply a falsehood. This kind of energy production only seems cheap because of the huge government subsidies that keep them going. I'm all for clean energy if it's possible to run it honestly and without huge subsidies, but while it doesn't seem to be viable we should stick with what is affordable and will keep the country going, rather than sacrificing the vulnerable to an impossible ideology."
👉🏽'Gold spot is now trading consistently over $3000, a record high. And with deliveries once again picking up at the Comex and war in the Middle East coming back with a vengeance, the next big spike is just a matter of time. As expected, once gold broke out above $3000,- it has gone vertical and is up 1% in the past hours, rising to a new record high of $3034, as it sets off for $4000' - ZeroHedge
👉🏽'We have just witnessed the biggest drop in US equity allocation on record. The collapse of US consumers:
Unemployment expectations in the US are now ABOVE 2020 levels and at their highest since 2008.
In 2024, a poll showed that a whopping 56% of Americans thought the US was in a recession.' - TKL

👉🏽OECD Projects Argentina to Have the Second Highest Economic Growth Worldwide in 2025
👉🏽A new blow to the Dutch chemical sector. The major producer LyondellBasell is permanently closing its factory at the Maasvlakte. This decision, announced on Tuesday afternoon, will result in the loss of approximately 160 jobs. The closure is a direct consequence of global overcapacity and high energy costs in the Netherlands.
An audit by the German firm E-Bridge, commissioned by the Dutch government, previously revealed that electricity costs for these companies in the Netherlands amount to €95 per megawatt-hour.
In comparison, this rate is €32 in France (66% lower), €45.60 in Germany (52% lower), and €56.05 per megawatt-hour in Belgium (41% lower).
According to E-Bridge, this difference is mainly due to the compensation that foreign governments provide to companies and the lower grid tariffs. In the Netherlands, costs have risen primarily to finance investments in the electricity grid, such as connecting multiple offshore wind farms.
Now read that segment on offshore wind farms. Mindblowing, innit?
Subsidies are not the solution—deregulation is. But Brussels won’t allow that. So, we’re heading toward even more regulation and nationalization.
On the 19th of March:
👉🏽The Fed makes multiple revisions to its 2025 economic data projections.
Powell finally found the "stag" and the "inflation":
Fed cuts year-end GDP forecast from 2.1% to 1.7%
Fed raises year-end core PCE forecast from 2.5% to 2.8%
Fed raises year-end unemployment forecast from 4.3% to 4.4%
Fed raises PCE inflation forecast from 2.5% to 2.7%
The Fed sees higher inflation and a weaker economy.
On the 20th of March:
Dutch Central Bank Director Klaas Knot "We are worried about American influence on our local payment infrastructure."
Paving the way for the European CBDC (after slowly but surely removing CASH MONEY from society).
Knot has completed his second term and will leave his office in July. Now, of course, pushing for the CBDC, before looking for a new job in Europe.
Anyway, DNB posts billions in losses.
De Nederlandsche Bank suffered a loss of over €3 billion last year, according to the annual report published on Thursday. This marks the second consecutive year of losses.
DNB incurs this loss because, as part of its monetary policy, it has lent out billions at relatively low rates while having to pay a higher rate to banks that park their money at the central bank.
But no losses on its gold. The gold reserves, meanwhile, increased in value by €12.6 billion. This amount is not included in the official profit and loss statement but is reflected on the bank's balance sheet.
For the Dutch readers/followers: Great article: Follow the Money 'Voor de megawinsten van ING, ABN Amro en Rabobank betaalt de Nederlandse burger een hoge prijs.'
```
https://archive.ph/ncvtk
```
On the 21st of March:
👉🏽'The Philadelphia Fed Manufacturing index dropped 5.6 points in March, to 12.5, its 2nd consecutive monthly decline.
6-month outlook for new orders fell by 30.8 points, to 2.3, the lowest in 3 years.
This marks the third-largest drop in history, only behind the 2008 Financial Crisis and December 1973.
Furthermore, 6-month business outlook dropped ~40 points to its lowest since January 2024.
All while prices paid rose 7.8 points, to 48.3, the highest since July 2022.
This is further evidence of weakening economic activity with rising prices.' TKL
👉🏽'China’s central bank gold reserves hit a record 73.6 million fine troy ounces in February.
China bought ~160,000 ounces of gold last month, posting their 4th consecutive monthly purchase.
Over the last 2.5 years, China’s gold reserves have jumped by 11.0 million ounces of gold.
Gold now reflects a record ~5.9% of China’s total foreign exchange reserves, or 2,290 tonnes.
Central banks continue to stock up on gold as if we are in a crisis.' -TKL
## 🎁If you have made it this far I would like to give you a little gift:
What Bitcoin Did: BITCOIN & THE END OF THE DOLLAR SYSTEM with Luke Gromen
They discuss:
- The Sovereign Debt Crisis
- If the US Will Reprice the Gold
- If we will See Triple Digit Inflation
- The End of The US Dollar System
Luke Gromen: A modest clarification: The end of the post-71 structure of the USD system is what the Trump Administration’s actions appear to be pursuing & will in due time achieve if they stay on the present course.
https://www.youtube.com/watch?v=0W2jEedynbc
Credit: I have used multiple sources!
My savings account: Bitcoin The tool I recommend for setting up a Bitcoin savings plan: PocketBitcoin especially suited for beginners or people who want to invest in Bitcoin with an automated investment plan once a week or monthly.
`Use the code SE3997`
Get your Bitcoin out of exchanges. Save them on a hardware wallet, run your own node...be your own bank. Not your keys, not your coins. It's that simple. ⠀⠀
⠀⠀ ⠀ ⠀⠀⠀
Do you think this post is helpful to you? If so, please share it and support my work with a zap.
▃▃▃▃▃▃▃▃▃▃▃▃▃▃▃▃▃▃
⭐ Many thanks⭐
Felipe - Bitcoin Friday!
▃▃▃▃▃▃▃▃▃▃▃▃▃▃▃▃▃▃
-

@ a296b972:e5a7a2e8
2025-03-27 17:05:57
Wehrpflicht, Wehr-Pflicht… Da soll die allgemeine Wehrpflicht wieder eingeführt werden. Eine Frage taucht auf: Ist sie denn jemals abgeschafft worden? Ist die Wehrpflicht nicht untrennbar mit der Demokratie verbunden? Ist es nicht die Pflicht eines jeden Demokraten, sich zu wehren, wenn er sieht, wie die Demokratie vor die Hunde geht? Muss er sich nicht wehren, wenn er feststellt, dass die Freiheit scheibchenweise immer weniger wird?
 
In Absurd-Germanistan reizt ein wild gewordener Haufen Irrer in Berlin die Grenzen der Legalität bis zum Äußersten aus. Unterstützt von Erfüllungsgehilfen in der Rechtsprechung und den Medien. Neuester Coup: Zur größtmöglichen Intransparenz soll das Informationsfreiheitsgesetz abgeschafft werden. Unterstützt von einer eigenen Bundestagspolizei, geschützt von einem Wassergraben um den Reichstag. Die dunkle Seite der Macht baut eine Beton-Mauer auf, um größtmöglichen Abstand zum übelriechenden Volk, dass sie gewählt hat, zu gewährleisten. Und mit ekelhafter Regelmäßigkeit werden Knochen mit Fleischresten über die Mauer geworfen, die dann das dumme Volk zu verdauen hat. Das funktioniert derzeit noch, weil das Volk nicht in der Lage ist, eine Leiter an die Mauer zu stellen, um die Irren über die Mauer in den Wassergraben zu werfen und sich das saftige Hühnchen zu holen, das ihm, dem Volk sowieso gehört.
Unterdessen sinniert die entrückte Blase darüber, wie man dem Volk nachhaltig langfristigen Schaden zufügen kann. Aus rechtlichen Winkelzügen, falschen Versprechungen, Selbstbeweihräucherungen, ideologisch vergifteten Reden quillt die Verachtung gegenüber dem Volk und der Demokratie aus allen Poren. Und die wird dann durch Unseredemokratie verhöhnt, in der Schulden durch eine Wortneuschöpfung als Sondervermögen ausgegeben werden. Dreister und offensichtlicher kann man nicht lügen. Und das mit einer nie gekannten Chuzpe, dass einem nur noch der Atem stockt.
Jahrzehnte wurde den Deutschen abgewöhnt, stolz auf ihr Land zu sein. Die deutsche Fahne zeigen, hatte damals schon den Charme von „reeechts“. Wer von Vaterland und Heimat sprach, der bekam automatisch einen dunklen, schmalen Schatten zwischen Nasenmitte und Mund. Doch dann, als es mal wieder Spiele für’s Volk gab, durfte man auf einmal mit kleinen Wink-Elementen zeigen, dass man stolz auf elf Leute war, die hinter einem Ball herrennen und wenn sie ihn hatten, ihn dann wieder wegschossen. Damit nicht genug, es gab hochalberne Gamaschen für Außenspiegel und Diplomatenfähnchen in schwarz-rot-gold für des Deutschen liebstes Kind, das Auto.
Und jüngst kam einer daher, der wie von der Tarantel gestochen behauptete, dass der böse Russ hinter uns her ist, und man deshalb kriegstüchtig werden müsse, obwohl weit und breit nichts von ihm zu sehen war und er immer wieder wiederholte, dass er überhaupt gar keine Lust dazu hat, Deutschland auf unschöne Weise bereisen zu wollen.
Im Fieberwahn stimmten weitere Kriegstreiber in den Chor ein und ein deutscher Häuptling der Bleichgesichter, der ehedem Streubomben geächtet hatte, zuckte auf einmal nur verbal mit den Schultern. Das soll einer verstehen.
Und weil Deutschland von nichts und niemandem bedroht wird, muss deshalb dringend aufgerüstet werden, Kriegswirtschaft ist angesagt, die Wehrpflicht muss wieder her!
Eine Kriegsmaschinerie muss von Grund auf neu aufgebaut werden: Von der langen Feinripp-Unterhose mit Eingriff bis zum Panzer. Die ehemaligen Hermann-Göring-Werke müssen die Fließbänder zum Glühen bringen. Wir brauchen „Woffen, Woffen, Woffen“!
Das Ganze dauert 10 bis 20 Jahre. Hoffentlich reicht der im Samowar zubereitete Tee so lange, bis alles zertifiziert und DIN-Norm gerecht fertiggestellt ist. Man kann nur auf die christlich demokratische Unterstützung der nach einer europäischen Zentralregierung strebenden, deutschen Ex-Verteidigungsministerin mit Ambitionen zur Kaiserin von Europa hoffen. Ihre Expertise konnte sie ja dank ihres mit Bravour gemeisterten ehemaligen Amtes bereits unter Beweis stellen. Überhaupt, überall, wo das Militär im Hintergrund seine Finger im Spiel hat, ist die Wahl-Brüsselerin an vorderster Front. Zuletzt im Beschaffungswesen der 1. Pandemie-Spiele in Echtzeit unter realen Bedingungen.
Aber was nutzt das ganze schöne Zeug, die noch nicht bekleckerten jungfräulichen Gulasch-Kanonen, wenn sie keiner bedient und keiner seinen Henkelmann mit Feinkost füllen will.
Ja genau, es fehlen ja noch Menschen, in dem Metier Soldaten genannt.
Ein paar Natur-Wahnsinnige gibt es ja immer. Aber was ist mit denen, die vielleicht gar keinen Bock haben? Gerade frisch verliebt, von Papi das erste Auto vor die Tür gestellt bekommen, wegen Laktose-Intoleranz bitte nur einen Kriegs-Latte mit Hafermilch, und für mich bitte glutenfreie Marschverpflegung.
Was ist mit denen, die vielleicht checken, dass wir von einer Polit-Klicke regiert werden, die Deutschland an die Wand fährt und sich redlich Mühe gibt, eine positive Zukunft für die nächsten Generationen zu verunmöglichen?
Was ist mit denen, die von Anfang an gerafft haben, dass man mit einer Gen-Behandlung die Wehrkraft zersetzt?
Was ist mit denen, die die Pflicht, sich bestmöglich gesund zu halten, ernst genommen haben?
Was ist mit denen, die aus Sachzwängen oder Unwissenheit die Injektionen über sich haben ergehen lassen und heute feststellen, dass man sie verarscht hat?
Was ist mit denen, die sich an ihrem durchtrainierten Six-Pack nur noch durch Bilder erinnern können, weil sie seit der Verabreichung eines „nebenwirkungsfreien Elixiers“ nicht mehr auf die Beine kommen?
Man fragt sich, woher soll die Motivation kommen, sein gesundes oder herabgemindertes Immunsystem für ein Vaterland auf’s Spiel zu setzen, bei dem sich herausgestellt hat, dass der Vater ein Stiefvater der übelsten Sorte ist?
Da in Europa offensichtlich die Diplomatie zunächst abgeschafft ist, und demnächst vielleicht sogar unter Strafe gestellt wird, und man sich auf Uncle Sam auch nicht mehr verlassen kann, weil er so völlig das Gegenteil von dem unternimmt, was man von ihm erwartet hätte, wäre es überlegenswert, ob diejenigen jungen Männer im fortpflanzungsfähigen und -willigen Alter eventuell eine längere Reise ins Ausland antreten sollten. Ist nur so ein Gedanke.
Man kann ja immer noch mal wieder vorbeischauen, wenn es an den ungeschützten Außengrenzen wieder von Deutschland aus nach Vernunft duftet.
Aber vielleicht findet sich auch unter den Messerfachkräften der eine oder andere, der seine Künste und sein Leben für ein Land und Bürgergeld hergeben möchte. Schließlich können es die Allermeisten kaum abwarten, die deutschen Gepflogenheiten ungefiltert einzusaugen und dafür ihre kulturelle Herkunft und Religion wie einen alten Lumpen abzuwerfen. Was Besseres, als die Kultur der Denker und Dichter hat die Welt ohnehin noch nicht gesehen. Wer kann dem schon widerstehen?
Großer Dank gilt auch der deutschen Bevölkerung, die einem wildgewordenen andalusischen Stier gleich, in Scharen von einigen Tausenden von über 80 Millionen auf die Straße rennen, um ihrem Unbill Ausdruck zu verleihen. So eine Friedensmüdigkeit ist ansteckend und kann richtig mobilisieren. Man kann natürlich auch was von Zuhause aus tun: Sich laut empören und für durchziehende Truppen Kaffee kochen, oder dem Heimatschutz beim Stiefel putzen helfen. Im Ernst: So eine bräsige, behäbige, langweilige, unmotivierte, unkritische, informationsvergiftete, geduldige Herde von Faultieren hat es eigentlich nicht anders verdient, als dass man sie während ihres andauernden Langzeit-Wachkomas in einen Käfig sperrt und mit Bananen füttert.
Keiner, niemand kommt auf die Idee, dass es immer noch besser wäre, obwohl es keinerlei Anlass dazu gibt, russisch zu lernen, als sich als Kanonenfutter für einen Staat, der sein Volk verachtet, in die Gefahr zu begeben, im Ernstfall verstümmelt oder abgeschlachtet zu werden.
Man kann jetzt schon die heulenden Bubis sehen, wie sie sich unter Mutterns Rockschürze verkriechen, wenn sie merken würden, dass es in den Ballerspielen am Computer aber immer ganz anders war.
Der ganze inszenierte Spuk wäre sofort vorbei, wenn die Menschen ihr Gehirn einschalten würden. Dann würden sie feststellen, dass es unzählige Gründe dafür gibt **NEIN** zu sagen und **ICH MACH DA NICHT MIT**.
Wie machtlos wären die Kriegspfeifen in Berlin, wenn sie zu spüren bekämen, dass das deutsche Volk nicht mit Russland oder sonst wem im Krieg ist und nicht das geringste Interesse verspürt, daran etwas zu ändern. Deutschland besteht aus einem erbärmlichen Haufen Ja-Sagern in allen Lagern, die offensichtlich erst dann wach werden, wenn es nichts mehr zu Essen gibt und der Strom fürs externe Gehirn weg ist. Oh Gott, mein Leben hat keinen Sinn mehr! Was sind wir doch ein elender Haufen von Jammerlappen, die glauben, dass man gelebte Demokratie und Freiheit jederzeit im Online-Shop kaufen kann. Lieferung innerhalb 24 Stunden.
**Frieden – Mir – Pace – Peace**
*Dieser Beitrag wurde mit dem Pareto-Client geschrieben.*
-

@ ed84ce10:cccf4c2a
2025-03-27 14:55:40
## **Hackers are Destiny: Four Fulcrums of the Future**
*A Dora Ventures Thesis*
In “Why Software is Eating the World,” Marc Andreeson argued that software isn’t just a tool — it’s a societal force. At [DoraHacks](https://dorahacks.io/), we agree, but we go one step further.
It’s not software alone that reshapes the world. It’s hackers — those who BUIDL.
The real engine of change isn’t technology; it’s the people who choose to wield it.
[DoraHacks](https://dorahacks.io/) is building a global Hacker Movement — a self-organizing force powered by open source, freedom, and code. We’re not chasing buzzwords like “Web3” or geopolitical narratives. We’re building a new society. One based on a simple but radical question:
**What is truly worth building?**
Dora Ventures exists to serve that mission — a capital engine designed to coordinate, amplify, and capture value from the hacker revolution.
We are placing early and aggressive bets across four core leverage points:
## **I. FDA Free Society — The BioHack**
### **Freedom of Life Science is the foundation of a free society.**
Every meaningful technological revolution has challenged the existing power structure.
Today, the single most over-regulated, over-centralized, and innovation-hostile domain? Life Science.
It takes ten years and billions of dollars to bring a drug from lab to patient. Most innovation dies in the trenches of bureaucracy.
We don’t need anarchy. We need a new model:**A market-driven, patient-first biotech innovation stack.**
**The Problem:**
- The FDA approval process kills breakthrough therapies before they live.
- Big Pharma monopolies decouple price from value and destroy competition.
- The “Right to Try” is a legal afterthought, not a first principle.
- Bio startups can’t survive the upfront costs of traditional trials.
**The Opportunity:**
- Let markets and builders lead: give power back to patients, doctors, and founders.
- Rethink from first principles: not “Did it pass?” but “Does it work?”
- Reclaim the Right to Try: the real risk is dying while waiting.
- Build a hyper-competitive biofounder ecosystem — don’t just supply Big Pharma with IP.
- Supercharge biotech with software and AI: accelerate every layer of the stack.
The future of medicine does not belong to regulators. It belongs to the builders who refuse to wait.
**The FDA Free Society isn’t just a challenge to power — it’s a defense of life.**
## **II. Open Source Quantum**
### **Ethereum had 2015. Quantum software has 2025.**
Arthur C. Clarke said: *“Any sufficiently advanced technology is indistinguishable from magic.”*
Quantum is magic — until it’s programmable, repeatable, and shared. In other words: open source.
Dora Ventures is betting on the moment quantum computing becomes a hacker’s playground.
Hardware is entering the engineering phase. Software? Still a wasteland — which means pure upside for builders.
**We’re betting on:**
- **Quantum compilers & transpilers**: bridging classical and quantum logic.
- **Quantum cryptography**: building fundamentally new security layers.
- **Quantum applications** in AI, pharma, logistics, finance, space — everything.
We're not watching from the sidelines. We’re funding open-source tools, running hackathons, and building out the decentralized quantum dev stack.
**Open Source Quantum is not speculative.** It’s inevitable — and massively undercapitalized.
Now is the time to build.
## **III. Consumer Crypto — The Fat Apps Are Coming**
### **Crypto’s real revolution? Billion-user apps.**
Crypto is not the *alternative* to the internet. It’s the *next chapter* of the internet.
In the 1990s, HTTP and TCP/IP rewired information.
In the 2000s, web apps rewired commerce and communication.
In the 2010s, mobile apps rewired human behavior.
In the 2020s, crypto apps will onboard the next billion users.
**The infrastructure is ready. The fat apps are hatching.**
Dora Ventures is obsessed with one question:
**Who builds the PayPal and WeChat of the Web3 era?**
That’s where we place our bets.
**What we see coming:**
- Compliant stablecoins like USDC become digital dollars.
- Crypto-native payment rails rival VISA.
- Appchains built with Move + simplified UX onboard non-crypto users.
- On-chain creator economies that pay artists, devs, and communities directly.
Imagine this:
A fan in NYC uses USDC on a Move-based blockchain (Aptos) to buy a concert ticket via KYD Labs.
An Argentinian grabs a latte daily with Bitcoin sats on Lightning.
A friend group splits dinner bills via Yakihonne, a decentralized social platform.
**That’s not the future. That’s this year.**
We’re not funding protocols — we’re funding paradigm shifts in experience.
## **IV. Agentic Organizations — DAOs Without CEOs**
### **The end of corporations. The birth of autonomous orgs.**
In 2022, Sam Altman redefined “tools.”
In 2025, we’ll redefine “organizations.”
Future orgs won’t be hierarchies. They’ll be networks of autonomous agents.
**Agents** are the new work unit. They don’t sleep. They learn continuously. They self-schedule.
They’re not tools to help humans — they *are* the operating system of post-human orgs.
**What’s coming:**
- DAOs with agent-driven governance and privacy.
- Smart Widgets that deploy trade/social/payment agents in three lines of code.
- Privacy as a default layer in automation.
- A new generation of AI-native hackathon projects.
AI + blockchain isn’t a buzzword. It’s the genesis of *organizational intelligence.*
Yesterday, the company was an information processor.
Tomorrow, the DAO is an autonomous agent network.
**No CEOs. No approvals. No offices. Just coordination at the speed of compute.**
## **The Bet: BUIDL Freedom for Humanity**
FDA Free Society. Open Source Quantum. Consumer Crypto. Agentic Orgs.
These are not sci-fi. They are already happening.
At Dora Ventures, we don’t just back technologies.
We back builders who say:
“The system is broken — and I’m going to fix it myself.”
We back rebels who reject stagnation.
Who write code instead of complaints.
Who build networks instead of narratives.
Who refuse to ask permission to build the future.
Hackers are eating the world.
And in the age of AI, humanity will only survive if it chooses to become hackers — to use code, coordination, and imagination to build a world worth living in.
Let’s build.
-

@ 3c7dc2c5:805642a8
2025-03-26 21:48:58
## 🧠Quote(s) of the week:
The path to maximalism is littered with mistakes and paved with humility.' Anilsaido

Bitcoin is time because money itself is time.
Money is humanity’s battery: a way to store energy, labor, and resources for the future. It captures your past effort and preserves it for when you need it most. Fiat leaks. Bitcoin holds.
## 🧡Bitcoin news🧡
On the 18th of March:
➡️After ruling out a strategic bitcoin reserve, the Bank of Korea will launch a central bank digital currency pilot in April, per The Korea Times.
➡️'Metaplanet has acquired an additional 150 BTC for ~$12.5 million, achieving a BTC Yield of 60.8% YTD in 2025.
As of 3/18/2025, Metaplanet hodls 3,200 BTC, and is now a top 10 publicly listed holder of Bitcoin globally.' -Dylan LeClair
➡️Bitcoin entered a risk-off, distribution-dominant phase in early 2025, evidenced by frequent selling and hesitation to buy (yellow to orange dots). - AMB Crypto
➡️Bitwise CIO says Bitcoin should be at $200,000 today and says, “I think the number of companies buying Bitcoin is going to triple this year, I think Game Theory is on.”
“I think countries around the world are going to be buying Bitcoin. There is structurally more demand than supply in Bitcoin.”
➡️Bitcoin mining company Bitfarms buys Stronghold Digital for more than $110 million, making it the largest public-to-public acquisition in Bitcoin industry history.
➡️Bitcoin long-term HODLers become net buyers for the first time since September, per Compass Point Research.
"Buying/selling from HODLers is typically a leading indicator for BTC.
This cohort now owns 65% of BTC supply vs 63% last week vs 73% in early October." - Bitcoin News
➡️GlassNode: 'The Bitcoin market continues to adjust to its new price range after experiencing a -30% correction. Liquidity conditions are also contracting in both on-chain and futures markets.'
➡️Bitcoin now ranks 6th among the world's top monetary assets at $1.62 trillion, per Porkopolis.
➡️The EU isn't banning Bitcoin but using MiCA and other regulations to control it.
This involves stripping away privacy through transaction tracking, mandatory disclosures, and restrictions on self-custody.
The goal is control, not outright prohibition.
Excellent thread by Eli. Eli summarises the EU’s attack on Bitcoin and on Europeans’ rights:
https://x.com/i/web/status/1902048401908261146
Agree 100% with all of this. All these people who have been saying the EU pushing the industry forward with regulations are idiots. They are closing it off and pushing everyone to a CBDC.
Regarding the CBCD, here you will find a comprehensive summary of EU’s CBDC plans, by Efrat Fenigson:
```
https://bitcoinmagazine.com/politics/ecb-prepping-the-ground-for-digital-euro-launch
```
*On the 20th of March, the ECB posted the following statement on Twitter:
'The digital euro is not just about creating a new form of money, says Chief Economist Philip R. Lane.
It is about ensuring that Europe retains control over its monetary and financial destiny in the digital age against a backdrop of increasing geopolitical fragmentation.'
“It’s about ensuring that the EU retains control over its citizens.”
There, I fixed it for you if you missed the primary reason.
The Euro is a permissioned, centralized, censorable, inflationary, debt-based currency controlled by unelected bureaucrats.
Bitcoin is permissionless, decentralized, censorship-resistant, fixed in supply, and governed by code—not politicians.
Choose wisely.
➡️As mentioned in last week's Weekly Recap the US Government spends $3.3B per day in interest rate expense. If this doesn’t make you buy Bitcoin I’m not sure what will.

➡️In Kibera, Africa’s largest informal settlement, more than 40 merchants now accept and save in Bitcoin.
➡️The increase in 3-6 month-old UTXOs suggests accumulation during this market correction, a behavior historically critical in forming market bottoms and driving new price rallies.
➡️Just as Hal Finney predicted, Bitcoin will take over Wall Street: Multiple American Bitcoin companies are now seeking to become state or national banks, reports Reuters.
It is inevitable.
➡️Daniel Batten:
2021: 62 US Environmental Organizations write to coCongressaying Bitcoin is bad for the environment and has no use (based on Central Bank misinformation)
2025: US Environmental Organizations debunked (impossible, had they used Bitcoin)
Strange are the ways of karma.
Meanwhile,
➡️President Trump's Executive Director, Bo Hines, on digital assets: "We talked about ways of acquiring more Bitcoin in budget-neutral ways."
We want "as much as we can get."
When Bitcoin is at $200k. We will look back on March 2025 and say, how was everyone not buying. It was so obvious.
On the 19th of March:
➡️BLACKROCK: “The most sophisticated long-term Bitcoin accumulators are pretty excited about this dip. They see the correction as a buying opportunity."
On the 20th of March:
➡️SEC confirms that Bitcoin and Proof of Work mining are NOT securities under US law.

Source: [https://t.co/0ExsJniPIf](https://t.co/0ExsJniPIf)
➡️Bitcoin exchange Kraken has agreed to acquire NinjaTrader, the leading U.S. retail futures trading platform, for $1.5 billion—the largest deal ever of a Bitcoin company buying a traditional financial company.
➡️TRUMP: “I signed an order creating the brand new Strategic Bitcoin Reserve and the US digital asset stockpile which will allow the Federal government to maximize the value of its holdings.”
Tweet and hot take by Lola L33tz
"With the dollar-backed stablecoins, you'll help expand the dominance of the US Dollar [...] It will be at the top, and that's where we want to keep it"
'What he means is:
With dollar-backed stablecoins, the Global South will pivot towards digital Dollars over local currencies, allowing private, US government-controlled entities to replace bank accounts around the globe.
This does not just allow for the expansion of USD dominance by bypassing local governments – it gives the US unprecedented and direct control over worldwide economies as
every stablecoin can be effectively frozen on behalf of the US with the click of a button.'
Stablecoins = CBDCs
There is no technical fundamental difference between them.
It’s almost a guarantee that the EU CBDCs and U.S. stablecoins will be interchangeable.
➡️River: Bitcoin is coming for $128 trillion in global money.
You're not to late to Bitcoin.

On the 21st of March:
➡️Michael Saylor’s Strategy to raise $722.5M to buy more Bitcoin.
➡️Publicly traded Atai Life Sciences to buy $5 million in Bitcoin.
➡️Publicly traded HK Asia Holdings bought 10 Bitcoins worth $858,500 for its balance sheet.
➡️Another solo home miner has mined an entire Bitcoin block worth over $ 260.000,-.
On the 22nd of March:
➡️The University of Wyoming posted a new video explaining Bitcoin with Philosophy Professor Bradley Rettler
➡️Spot Bitcoin ETFs bought 8,775 BTC this week while miners only mined 3,150 Bitcoin.
On the 24th of March:
➡️Metaplanet finished the day as the 13th most liquid stock in Japan, with ¥50.4 billion ($336.6m) of daily trading volume, ahead of Toyota and Nintendo.
➡️River: There is a 275% gap between the inflation you're told and real inflation.

Bitcoin is insurance on the debt spiral. The U.S. Dollar has been devalued by more than 363% since 2000 – That’s a 14.5% devaluation per year. This means if your savings don’t grow by 14.5% annually, you’re falling behind. This is why we Bitcoin. Bitcoin is insurance on the debt spiral, grow your savings beyond the dollar’s devaluation!
➡️Bitcoin's compound annual growth rate (CAGR) over a 5-year rolling window is currently over 50%
➡️Strategy became the first publicly traded company to hold over 500,000 Bitcoin worth over $44 billion.
Strategy has acquired 6,911 BTC for ~$584.1 million at ~$84,529 per Bitcoin and has achieved a BTC Yield of 7.7% YTD 2025. As of 3/23/2025,
Strategy holds 506,137 BTC acquired for ~$33.7 billion at ~$66,608 per Bitcoin.
➡️CryptoQuant: Bitcoin's long-term holders are holding firm, with no significant selling pressure.
➡️Xapo Bank launches Bitcoin-backed USD loans up to $1M, with collateral secured in an MPC vault and no re-usage.
##
## 💸Traditional Finance / Macro:
👉🏽no news
🏦Banks:
👉🏽 no news
## 🌎Macro/Geopolitics:
On the 18th of March:
👉🏽Germany just changed its constitution to unleash a staggering ONE TRILLION in new debt. The German parliament has voted to take on hundreds of billions of euros of new government debt, to ease the debt brake rules, and to codify "climate neutrality by 2045" into the constitution.
On top of that, some extra money to Ukraine:
Germany's next Chancellor, Friedrich Merz, believes that Putin has gone to war against all of Europe. He argues that Russia has attacked Germany, as the Parliament breaks out in applause.
We continue to move further away from the "Europe is not part of the conflict" rhetoric. Germany’s self-inflicted delusion continues!
👉🏽Germany's first offshore wind farm closes after 15 years because it's too expensive to operate. Expect a car crash. The Alpha Ventus offshore wind farm near the German North Sea island of Borkum is set to be dismantled after being in operation for only 15 years. It has become too unprofitable to operate without massive subsidies.
[https://wattsupwiththat.com/2025/03/16/germanys-first-offshore-wind-farm-to-be-dismantled-after-just-15-years-of-operation/](https://wattsupwiththat.com/2025/03/16/germanys-first-offshore-wind-farm-to-be-dismantled-after-just-15-years-of-operation/)
Great thing that the Netherlands is investing heavily in offshore wind farms, even the biggest pension fund APB. Because nInE tImEs ChEaPeR tHaN gAs, right?
I hope they dismantle them & not leave them to rust into the sea. Right? Because climate!
Great response by Jasmine Birtles: "These vanity projects should never have been allowed to start. The phrase 'cheap renewable energy' is simply a falsehood. This kind of energy production only seems cheap because of the huge government subsidies that keep them going. I'm all for clean energy if it's possible to run it honestly and without huge subsidies, but while it doesn't seem to be viable we should stick with what is affordable and will keep the country going, rather than sacrificing the vulnerable to an impossible ideology."
👉🏽'Gold spot is now trading consistently over $3000, a record high. And with deliveries once again picking up at the Comex and war in the Middle East coming back with a vengeance, the next big spike is just a matter of time. As expected, once gold broke out above $3000,- it has gone vertical and is up 1% in the past hours, rising to a new record high of $3034, as it sets off for $4000' - ZeroHedge
👉🏽'We have just witnessed the biggest drop in US equity allocation on record. The collapse of US consumers:
Unemployment expectations in the US are now ABOVE 2020 levels and at their highest since 2008.
In 2024, a poll showed that a whopping 56% of Americans thought the US was in a recession.' - TKL

👉🏽OECD Projects Argentina to Have the Second Highest Economic Growth Worldwide in 2025
👉🏽A new blow to the Dutch chemical sector. The major producer LyondellBasell is permanently closing its factory at the Maasvlakte. This decision, announced on Tuesday afternoon, will result in the loss of approximately 160 jobs. The closure is a direct consequence of global overcapacity and high energy costs in the Netherlands.
An audit by the German firm E-Bridge, commissioned by the Dutch government, previously revealed that electricity costs for these companies in the Netherlands amount to €95 per megawatt-hour.
In comparison, this rate is €32 in France (66% lower), €45.60 in Germany (52% lower), and €56.05 per megawatt-hour in Belgium (41% lower).
According to E-Bridge, this difference is mainly due to the compensation that foreign governments provide to companies and the lower grid tariffs. In the Netherlands, costs have risen primarily to finance investments in the electricity grid, such as connecting multiple offshore wind farms.
Now read that segment on offshore wind farms. Mindblowing, innit?
Subsidies are not the solution—deregulation is. But Brussels won’t allow that. So, we’re heading toward even more regulation and nationalization.
On the 19th of March:
👉🏽The Fed makes multiple revisions to its 2025 economic data projections.
Powell finally found the "stag" and the "inflation":
Fed cuts year-end GDP forecast from 2.1% to 1.7%
Fed raises year-end core PCE forecast from 2.5% to 2.8%
Fed raises year-end unemployment forecast from 4.3% to 4.4%
Fed raises PCE inflation forecast from 2.5% to 2.7%
The Fed sees higher inflation and a weaker economy.
On the 20th of March:
Dutch Central Bank Director Klaas Knot "We are worried about American influence on our local payment infrastructure."
Paving the way for the European CBDC (after slowly but surely removing CASH MONEY from society).
Knot has completed his second term and will leave his office in July. Now, of course, pushing for the CBDC, before looking for a new job in Europe.
Anyway, DNB posts billions in losses.
De Nederlandsche Bank suffered a loss of over €3 billion last year, according to the annual report published on Thursday. This marks the second consecutive year of losses.
DNB incurs this loss because, as part of its monetary policy, it has lent out billions at relatively low rates while having to pay a higher rate to banks that park their money at the central bank.
But no losses on its gold. The gold reserves, meanwhile, increased in value by €12.6 billion. This amount is not included in the official profit and loss statement but is reflected on the bank's balance sheet.
For the Dutch readers/followers: Great article: Follow the Money 'Voor de megawinsten van ING, ABN Amro en Rabobank betaalt de Nederlandse burger een hoge prijs.'
```
https://archive.ph/ncvtk
```
On the 21st of March:
👉🏽'The Philadelphia Fed Manufacturing index dropped 5.6 points in March, to 12.5, its 2nd consecutive monthly decline.
6-month outlook for new orders fell by 30.8 points, to 2.3, the lowest in 3 years.
This marks the third-largest drop in history, only behind the 2008 Financial Crisis and December 1973.
Furthermore, 6-month business outlook dropped ~40 points to its lowest since January 2024.
All while prices paid rose 7.8 points, to 48.3, the highest since July 2022.
This is further evidence of weakening economic activity with rising prices.' TKL
👉🏽'China’s central bank gold reserves hit a record 73.6 million fine troy ounces in February.
China bought ~160,000 ounces of gold last month, posting their 4th consecutive monthly purchase.
Over the last 2.5 years, China’s gold reserves have jumped by 11.0 million ounces of gold.
Gold now reflects a record ~5.9% of China’s total foreign exchange reserves, or 2,290 tonnes.
Central banks continue to stock up on gold as if we are in a crisis.' -TKL
## 🎁If you have made it this far I would like to give you a little gift:
What Bitcoin Did: BITCOIN & THE END OF THE DOLLAR SYSTEM with Luke Gromen
They discuss:
- The Sovereign Debt Crisis
- If the US Will Reprice the Gold
- If we will See Triple Digit Inflation
- The End of The US Dollar System
Luke Gromen: A modest clarification: The end of the post-71 structure of the USD system is what the Trump Administration’s actions appear to be pursuing & will in due time achieve if they stay on the present course.
https://www.youtube.com/watch?v=0W2jEedynbc
Credit: I have used multiple sources!
My savings account: Bitcoin The tool I recommend for setting up a Bitcoin savings plan: PocketBitcoin especially suited for beginners or people who want to invest in Bitcoin with an automated investment plan once a week or monthly.
`Use the code SE3997`
Get your Bitcoin out of exchanges. Save them on a hardware wallet, run your own node...be your own bank. Not your keys, not your coins. It's that simple. ⠀⠀
⠀⠀ ⠀ ⠀⠀⠀
Do you think this post is helpful to you? If so, please share it and support my work with a zap.
▃▃▃▃▃▃▃▃▃▃▃▃▃▃▃▃▃▃
⭐ Many thanks⭐
Felipe - Bitcoin Friday!
▃▃▃▃▃▃▃▃▃▃▃▃▃▃▃▃▃▃
-

@ 3c7dc2c5:805642a8
2025-03-26 21:41:05
## 🧠Quote(s) of the week:
The path to maximalism is littered with mistakes and paved with humility.' Anilsaido
https://i.ibb.co/ZzcCHwgT/Gip-G0vdb-YAAV9-Mw-1.jpg
Bitcoin is time because money itself is time.
Money is humanity’s battery: a way to store energy, labor, and resources for the future. It captures your past effort and preserves it for when you need it most. Fiat leaks. Bitcoin holds.
## 🧡Bitcoin news🧡
On the 18th of March:
➡️After ruling out a strategic bitcoin reserve, the Bank of Korea will launch a central bank digital currency pilot in April, per The Korea Times.
➡️'Metaplanet has acquired an additional 150 BTC for ~$12.5 million, achieving a BTC Yield of 60.8% YTD in 2025.
As of 3/18/2025, Metaplanet hodls 3,200 BTC, and is now a top 10 publicly listed holder of Bitcoin globally.' -Dylan LeClair
➡️Bitcoin entered a risk-off, distribution-dominant phase in early 2025, evidenced by frequent selling and hesitation to buy (yellow to orange dots). - AMB Crypto
➡️Bitwise CIO says Bitcoin should be at $200,000 today and says, “I think the number of companies buying Bitcoin is going to triple this year, I think Game Theory is on.”
“I think countries around the world are going to be buying Bitcoin. There is structurally more demand than supply in Bitcoin.”
➡️Bitcoin mining company Bitfarms buys Stronghold Digital for more than $110 million, making it the largest public-to-public acquisition in Bitcoin industry history.
➡️Bitcoin long-term HODLers become net buyers for the first time since September, per Compass Point Research.
"Buying/selling from HODLers is typically a leading indicator for BTC.
This cohort now owns 65% of BTC supply vs 63% last week vs 73% in early October." - Bitcoin News
➡️GlassNode: 'The Bitcoin market continues to adjust to its new price range after experiencing a -30% correction. Liquidity conditions are also contracting in both on-chain and futures markets.'
➡️Bitcoin now ranks 6th among the world's top monetary assets at $1.62 trillion, per Porkopolis.
➡️The EU isn't banning Bitcoin but using MiCA and other regulations to control it.
This involves stripping away privacy through transaction tracking, mandatory disclosures, and restrictions on self-custody.
The goal is control, not outright prohibition.
Excellent thread by Eli. Eli summarises the EU’s attack on Bitcoin and on Europeans’ rights: https://x.com/EliNagarBrr/status/1902048401908261146
Agree 100% with all of this. All these people who have been saying the EU pushing the industry forward with regulations are idiots. They are closing it off and pushing everyone to a CBDC.
Regarding the CBCD, here you will find a comprehensive summary of EU’s CBDC plans, by Efrat Fenigson:
https://bitcoinmagazine.com/politics/ecb-prepping-the-ground-for-digital-euro-launch
*On the 20th of March, the ECB posted the following statement on Twitter:
'The digital euro is not just about creating a new form of money, says Chief Economist Philip R. Lane.
It is about ensuring that Europe retains control over its monetary and financial destiny in the digital age against a backdrop of increasing geopolitical fragmentation.'
“It’s about ensuring that the EU retains control over its citizens.”
There, I fixed it for you if you missed the primary reason.
The Euro is a permissioned, centralized, censorable, inflationary, debt-based currency controlled by unelected bureaucrats.
Bitcoin is permissionless, decentralized, censorship-resistant, fixed in supply, and governed by code—not politicians.
Choose wisely.
➡️As mentioned in last week's Weekly Recap the US Government spends $3.3B per day in interest rate expense. If this doesn’t make you buy Bitcoin I’m not sure what will.
https://i.ibb.co/sdt1GvfM/Gm-Vd-FBz-XQAA3t3-M-1.jpg
➡️In Kibera, Africa’s largest informal settlement, more than 40 merchants now accept and save in Bitcoin.
➡️The increase in 3-6 month-old UTXOs suggests accumulation during this market correction, a behavior historically critical in forming market bottoms and driving new price rallies.
➡️Just as Hal Finney predicted, Bitcoin will take over Wall Street: Multiple American Bitcoin companies are now seeking to become state or national banks, reports Reuters.
It is inevitable.
➡️Daniel Batten:
2021: 62 US Environmental Organizations write to coCongressaying Bitcoin is bad for the environment and has no use (based on Central Bank misinformation)
2025: US Environmental Organizations debunked (impossible, had they used Bitcoin)
Strange are the ways of karma.
Meanwhile,
➡️President Trump's Executive Director, Bo Hines, on digital assets: "We talked about ways of acquiring more Bitcoin in budget-neutral ways."
We want "as much as we can get."
When Bitcoin is at $200k. We will look back on March 2025 and say, how was everyone not buying. It was so obvious.
On the 19th of March:
➡️BLACKROCK: “The most sophisticated long-term Bitcoin accumulators are pretty excited about this dip. They see the correction as a buying opportunity."
On the 20th of March:
➡️SEC confirms that Bitcoin and Proof of Work mining are NOT securities under US law.
https://i.ibb.co/nWRHjnk/Gmg-Yxv-QWEAAgwx8.png
Source: https://t.co/0ExsJniPIf
➡️Bitcoin exchange Kraken has agreed to acquire NinjaTrader, the leading U.S. retail futures trading platform, for $1.5 billion—the largest deal ever of a Bitcoin company buying a traditional financial company.
➡️TRUMP: “I signed an order creating the brand new Strategic Bitcoin Reserve and the US digital asset stockpile which will allow the Federal government to maximize the value of its holdings.”
Tweet and hot take by Lola L33tz
"With the dollar-backed stablecoins, you'll help expand the dominance of the US Dollar [...] It will be at the top, and that's where we want to keep it"
'What he means is:
With dollar-backed stablecoins, the Global South will pivot towards digital Dollars over local currencies, allowing private, US government-controlled entities to replace bank accounts around the globe.
This does not just allow for the expansion of USD dominance by bypassing local governments – it gives the US unprecedented and direct control over worldwide economies as
every stablecoin can be effectively frozen on behalf of the US with the click of a button.'
Stablecoins = CBDCs
There is no technical fundamental difference between them.
It’s almost a guarantee that the EU CBDCs and U.S. stablecoins will be interchangeable.
➡️River: Bitcoin is coming for $128 trillion in global money.
You're not late to Bitcoin.
https://i.ibb.co/7thzHJMx/Gmf-Uvra-EAEV4-U0.png
On the 21st of March:
➡️Michael Saylor’s Strategy to raise $722.5M to buy more Bitcoin.
➡️Publicly traded Atai Life Sciences to buy $5 million in Bitcoin.
➡️Publicly traded HK Asia Holdings bought 10 Bitcoins worth $858,500 for its balance sheet.
➡️Another solo home miner has mined an entire Bitcoin block worth over $ 260.000,-.
On the 22nd of March:
➡️The University of Wyoming posted a new video explaining Bitcoin with Philosophy Professor Bradley Rettler
➡️Spot Bitcoin ETFs bought 8,775 BTC this week while miners only mined 3,150 Bitcoin.
On the 24th of March:
➡️Metaplanet finished the day as the 13th most liquid stock in Japan, with ¥50.4 billion ($336.6m) of daily trading volume, ahead of Toyota and Nintendo.
➡️River: There is a 275% gap between the inflation you're told and real inflation.
https://i.ibb.co/mCs2Lgcc/Gmz-4qc-WMAAzx-z.png
Bitcoin is insurance on the debt spiral. The U.S. Dollar has been devalued by more than 363% since 2000 – That’s a 14.5% devaluation per year. This means if your savings don’t grow by 14.5% annually, you’re falling behind. This is why we Bitcoin. Bitcoin is insurance on the debt spiral, grow your savings beyond the dollar’s devaluation!
➡️Bitcoin's compound annual growth rate (CAGR) over a 5-year rolling window is currently over 50%
➡️Strategy became the first publicly traded company to hold over 500,000 Bitcoin worth over $44 billion.
Strategy has acquired 6,911 BTC for ~$584.1 million at ~$84,529 per Bitcoin and has achieved a BTC Yield of 7.7% YTD 2025. As of 3/23/2025,
Strategy holds 506,137 BTC acquired for ~$33.7 billion at ~$66,608 per Bitcoin.
➡️CryptoQuant: Bitcoin's long-term holders are holding firm, with no significant selling pressure.
➡️Xapo Bank launches Bitcoin-backed USD loans up to $1M, with collateral secured in an MPC vault and no re-usage.
## 💸Traditional Finance / Macro:
👉🏽no news
### 🏦Banks:
👉🏽 no news
## 🌎Macro/Geopolitics:
On the 18th of March:
👉🏽Germany just changed its constitution to unleash a staggering ONE TRILLION in new debt. The German parliament has voted to take on hundreds of billions of euros of new government debt, to ease the debt brake rules, and to codify "climate neutrality by 2045" into the constitution.
On top of that, some extra money to Ukraine:
Germany's next Chancellor, Friedrich Merz, believes that Putin has gone to war against all of Europe. He argues that Russia has attacked Germany, as the Parliament breaks out in applause.
- We continue to move further away from the "Europe is not part of the conflict" rhetoric. Germany’s self-inflicted delusion continues!
👉🏽Germany's first offshore wind farm closes after 15 years because it's too expensive to operate. Expect a car crash. The Alpha Ventus offshore wind farm near the German North Sea island of Borkum is set to be dismantled after being in operation for only 15 years. It has become too unprofitable to operate without massive subsidies.
https://wattsupwiththat.com/2025/03/16/germanys-first-offshore-wind-farm-to-be-dismantled-after-just-15-years-of-operation/
Great thing that the Netherlands is investing heavily in offshore wind farms, even the biggest pension fund APB. Because nInE tImEs ChEaPeR tHaN gAs, right?
I hope they dismantle them & not leave them to rust into the sea. Right? Because climate!
Great response by Jasmine Birtles: "These vanity projects should never have been allowed to start. The phrase 'cheap renewable energy' is simply a falsehood. This kind of energy production only seems cheap because of the huge government subsidies that keep them going. I'm all for clean energy if it's possible to run it honestly and without huge subsidies, but while it doesn't seem to be viable we should stick with what is affordable and will keep the country going, rather than sacrificing the vulnerable to an impossible ideology."
👉🏽'Gold spot is now trading consistently over $3000, a record high. And with deliveries once again picking up at the Comex and war in the Middle East coming back with a vengeance, the next big spike is just a matter of time. As expected, once gold broke out above $3000,- it has gone vertical and is up 1% in the past hours, rising to a new record high of $3034, as it sets off for $4000' - ZeroHedge
👉🏽'We have just witnessed the biggest drop in US equity allocation on record. The collapse of US consumers:
Unemployment expectations in the US are now ABOVE 2020 levels and at their highest since 2008.
In 2024, a poll showed that a whopping 56% of Americans thought the US was in a recession.' - TKL
https://i.ibb.co/ycnRDpdf/Gm-VZMnb-XAAAt76r.png
👉🏽OECD Projects Argentina to Have the Second Highest Economic Growth Worldwide in 2025
👉🏽A new blow to the Dutch chemical sector. The major producer LyondellBasell is permanently closing its factory at the Maasvlakte. This decision, announced on Tuesday afternoon, will result in the loss of approximately 160 jobs. The closure is a direct consequence of global overcapacity and high energy costs in the Netherlands.
An audit by the German firm E-Bridge, commissioned by the Dutch government, previously revealed that electricity costs for these companies in the Netherlands amount to €95 per megawatt-hour.
In comparison, this rate is €32 in France (66% lower), €45.60 in Germany (52% lower), and €56.05 per megawatt-hour in Belgium (41% lower).
According to E-Bridge, this difference is mainly due to the compensation that foreign governments provide to companies and the lower grid tariffs. In the Netherlands, costs have risen primarily to finance investments in the electricity grid, such as connecting multiple offshore wind farms.
Now read that segment on offshore wind farms. Mindblowing, innit?
Subsidies are not the solution—deregulation is. But Brussels won’t allow that. So, we’re heading toward even more regulation and nationalization.
On the 19th of March:
👉🏽The Fed makes multiple revisions to its 2025 economic data projections.
Powell finally found the "stag" and the "inflation":
Fed cuts year-end GDP forecast from 2.1% to 1.7%
Fed raises year-end core PCE forecast from 2.5% to 2.8%
Fed raises year-end unemployment forecast from 4.3% to 4.4%
Fed raises PCE inflation forecast from 2.5% to 2.7%
The Fed sees higher inflation and a weaker economy.
On the 20th of March:
Dutch Central Bank Director Klaas Knot "We are worried about American influence on our local payment infrastructure."
Paving the way for the European CBDC (after slowly but surely removing CASH MONEY from society).
Knot has completed his second term and will leave his office in July. Now, of course, pushing for the CBDC, before looking for a new job in Europe.
Anyway, DNB posts billions in losses.
De Nederlandsche Bank suffered a loss of over €3 billion last year, according to the annual report published on Thursday. This marks the second consecutive year of losses.
DNB incurs this loss because, as part of its monetary policy, it has lent out billions at relatively low rates while having to pay a higher rate to banks that park their money at the central bank.
But no losses on its gold. The gold reserves, meanwhile, increased in value by €12.6 billion. This amount is not included in the official profit and loss statement but is reflected on the bank's balance sheet.
For the Dutch readers/followers: Great article: Follow the Money 'Voor de megawinsten van ING, ABN Amro en Rabobank betaalt de Nederlandse burger een hoge prijs.'
https://archive.ph/ncvtk
On the 21st of March:
👉🏽'The Philadelphia Fed Manufacturing index dropped 5.6 points in March, to 12.5, its 2nd consecutive monthly decline.
6-month outlook for new orders fell by 30.8 points, to 2.3, the lowest in 3 years.
This marks the third-largest drop in history, only behind the 2008 Financial Crisis and December 1973.
Furthermore, 6-month business outlook dropped ~40 points to its lowest since January 2024.
All while prices paid rose 7.8 points, to 48.3, the highest since July 2022.
This is further evidence of weakening economic activity with rising prices.' TKL
👉🏽'China’s central bank gold reserves hit a record 73.6 million fine troy ounces in February.
China bought ~160,000 ounces of gold last month, posting their 4th consecutive monthly purchase.
Over the last 2.5 years, China’s gold reserves have jumped by 11.0 million ounces of gold.
Gold now reflects a record ~5.9% of China’s total foreign exchange reserves, or 2,290 tonnes.
Central banks continue to stock up on gold as if we are in a crisis.' -TKL
## 🎁If you have made it this far I would like to give you a little gift:
What Bitcoin Did: BITCOIN & THE END OF THE DOLLAR SYSTEM with Luke Gromen
They discuss:
- The Sovereign Debt Crisis
- If the US Will Reprice the Gold
- If we will See Triple Digit Inflation
- The End of The US Dollar System
Luke Gromen: A modest clarification: The end of the post-71 structure of the USD system is what the Trump Administration’s actions appear to be pursuing & will in due time achieve if they stay on the present course.
https://t.co/IpakFaYqbL
Credit: I have used multiple sources!
My savings account: Bitcoin The tool I recommend for setting up a Bitcoin savings plan: PocketBitcoin especially suited for beginners or people who want to invest in Bitcoin with an automated investment plan once a week or monthly.
Use the code SE3997
Get your Bitcoin out of exchanges. Save them on a hardware wallet, run your own node...be your own bank. Not your keys, not your coins. It's that simple. ⠀⠀
⠀⠀ ⠀ ⠀⠀⠀
Do you think this post is helpful to you? If so, please share it and support my work with a zap.
▃▃▃▃▃▃▃▃▃▃▃▃▃▃▃▃▃▃
⭐ Many thanks⭐
Felipe - Bitcoin Friday!
▃▃▃▃▃▃▃▃▃▃▃▃▃▃▃▃▃▃
-

@ 3c7dc2c5:805642a8
2025-03-26 21:37:09
## 🧠Quote(s) of the week:
The path to maximalism is littered with mistakes and paved with humility.' Anilsaido
https://i.ibb.co/ZzcCHwgT/Gip-G0vdb-YAAV9-Mw-1.jpg
Bitcoin is time because money itself is time.
Money is humanity’s battery: a way to store energy, labor, and resources for the future. It captures your past effort and preserves it for when you need it most. Fiat leaks. Bitcoin holds.
## 🧡Bitcoin news🧡
On the 18th of March:
➡️After ruling out a strategic bitcoin reserve, the Bank of Korea will launch a central bank digital currency pilot in April, per The Korea Times.
➡️'Metaplanet has acquired an additional 150 BTC for ~$12.5 million, achieving a BTC Yield of 60.8% YTD in 2025.
As of 3/18/2025, Metaplanet hodls 3,200 BTC, and is now a top 10 publicly listed holder of Bitcoin globally.' -Dylan LeClair
➡️Bitcoin entered a risk-off, distribution-dominant phase in early 2025, evidenced by frequent selling and hesitation to buy (yellow to orange dots). - AMB Crypto
➡️Bitwise CIO says Bitcoin should be at $200,000 today and says, “I think the number of companies buying Bitcoin is going to triple this year, I think Game Theory is on.”
“I think countries around the world are going to be buying Bitcoin. There is structurally more demand than supply in Bitcoin.”
➡️Bitcoin mining company Bitfarms buys Stronghold Digital for more than $110 million, making it the largest public-to-public acquisition in Bitcoin industry history.
➡️Bitcoin long-term HODLers become net buyers for the first time since September, per Compass Point Research.
"Buying/selling from HODLers is typically a leading indicator for BTC.
This cohort now owns 65% of BTC supply vs 63% last week vs 73% in early October." - Bitcoin News
➡️GlassNode: 'The Bitcoin market continues to adjust to its new price range after experiencing a -30% correction. Liquidity conditions are also contracting in both on-chain and futures markets.'
➡️Bitcoin now ranks 6th among the world's top monetary assets at $1.62 trillion, per Porkopolis.
➡️The EU isn't banning Bitcoin but using MiCA and other regulations to control it.
This involves stripping away privacy through transaction tracking, mandatory disclosures, and restrictions on self-custody.
The goal is control, not outright prohibition.
Excellent thread by Eli. Eli summarises the EU’s attack on Bitcoin and on Europeans’ rights: https://x.com/EliNagarBrr/status/1902048401908261146
Agree 100% with all of this. All these people who have been saying the EU pushing the industry forward with regulations are idiots. They are closing it off and pushing everyone to a CBDC.
Regarding the CBCD, here you will find a comprehensive summary of EU’s CBDC plans, by Efrat Fenigson:
https://bitcoinmagazine.com/politics/ecb-prepping-the-ground-for-digital-euro-launch
*On the 20th of March, the ECB posted the following statement on Twitter:
'The digital euro is not just about creating a new form of money, says Chief Economist Philip R. Lane.
It is about ensuring that Europe retains control over its monetary and financial destiny in the digital age against a backdrop of increasing geopolitical fragmentation.'
“It’s about ensuring that the EU retains control over its citizens.”
There, I fixed it for you if you missed the primary reason.
The Euro is a permissioned, centralized, censorable, inflationary, debt-based currency controlled by unelected bureaucrats.
Bitcoin is permissionless, decentralized, censorship-resistant, fixed in supply, and governed by code—not politicians.
Choose wisely.
➡️As mentioned in last week's Weekly Recap the US Government spends $3.3B per day in interest rate expense. If this doesn’t make you buy Bitcoin I’m not sure what will.
https://i.ibb.co/sdt1GvfM/Gm-Vd-FBz-XQAA3t3-M-1.jpg
➡️In Kibera, Africa’s largest informal settlement, more than 40 merchants now accept and save in Bitcoin.
➡️The increase in 3-6 month-old UTXOs suggests accumulation during this market correction, a behavior historically critical in forming market bottoms and driving new price rallies.
➡️Just as Hal Finney predicted, Bitcoin will take over Wall Street: Multiple American Bitcoin companies are now seeking to become state or national banks, reports Reuters.
It is inevitable.
➡️Daniel Batten:
2021: 62 US Environmental Organizations write to coCongressaying Bitcoin is bad for the environment and has no use (based on Central Bank misinformation)
2025: US Environmental Organizations debunked (impossible, had they used Bitcoin)
Strange are the ways of karma.
Meanwhile,
➡️President Trump's Executive Director, Bo Hines, on digital assets: "We talked about ways of acquiring more Bitcoin in budget-neutral ways."
We want "as much as we can get."
When Bitcoin is at $200k. We will look back on March 2025 and say, how was everyone not buying. It was so obvious.
On the 19th of March:
➡️BLACKROCK: “The most sophisticated long-term Bitcoin accumulators are pretty excited about this dip. They see the correction as a buying opportunity."
On the 20th of March:
➡️SEC confirms that Bitcoin and Proof of Work mining are NOT securities under US law.
https://i.ibb.co/nWRHjnk/Gmg-Yxv-QWEAAgwx8.png
Source: https://t.co/0ExsJniPIf
➡️Bitcoin exchange Kraken has agreed to acquire NinjaTrader, the leading U.S. retail futures trading platform, for $1.5 billion—the largest deal ever of a Bitcoin company buying a traditional financial company.
➡️TRUMP: “I signed an order creating the brand new Strategic Bitcoin Reserve and the US digital asset stockpile which will allow the Federal government to maximize the value of its holdings.”
Tweet and hot take by Lola L33tz
"With the dollar-backed stablecoins, you'll help expand the dominance of the US Dollar [...] It will be at the top, and that's where we want to keep it"
'What he means is:
With dollar-backed stablecoins, the Global South will pivot towards digital Dollars over local currencies, allowing private, US government-controlled entities to replace bank accounts around the globe.
This does not just allow for the expansion of USD dominance by bypassing local governments – it gives the US unprecedented and direct control over worldwide economies as
every stablecoin can be effectively frozen on behalf of the US with the click of a button.'
Stablecoins = CBDCs
There is no technical fundamental difference between them.
It’s almost a guarantee that the EU CBDCs and U.S. stablecoins will be interchangeable.
➡️River: Bitcoin is coming for $128 trillion in global money.
You're not late to Bitcoin.
https://i.ibb.co/7thzHJMx/Gmf-Uvra-EAEV4-U0.png
On the 21st of March:
➡️Michael Saylor’s Strategy to raise $722.5M to buy more Bitcoin.
➡️Publicly traded Atai Life Sciences to buy $5 million in Bitcoin.
➡️Publicly traded HK Asia Holdings bought 10 Bitcoins worth $858,500 for its balance sheet.
➡️Another solo home miner has mined an entire Bitcoin block worth over $ 260.000,-.
On the 22nd of March:
➡️The University of Wyoming posted a new video explaining Bitcoin with Philosophy Professor Bradley Rettler
➡️Spot Bitcoin ETFs bought 8,775 BTC this week while miners only mined 3,150 Bitcoin.
On the 24th of March:
➡️Metaplanet finished the day as the 13th most liquid stock in Japan, with ¥50.4 billion ($336.6m) of daily trading volume, ahead of Toyota and Nintendo.
➡️River: There is a 275% gap between the inflation you're told and real inflation.
https://i.ibb.co/mCs2Lgcc/Gmz-4qc-WMAAzx-z.png
Bitcoin is insurance on the debt spiral. The U.S. Dollar has been devalued by more than 363% since 2000 – That’s a 14.5% devaluation per year. This means if your savings don’t grow by 14.5% annually, you’re falling behind. This is why we Bitcoin. Bitcoin is insurance on the debt spiral, grow your savings beyond the dollar’s devaluation!
➡️Bitcoin's compound annual growth rate (CAGR) over a 5-year rolling window is currently over 50%
➡️Strategy became the first publicly traded company to hold over 500,000 Bitcoin worth over $44 billion.
Strategy has acquired 6,911 BTC for ~$584.1 million at ~$84,529 per Bitcoin and has achieved a BTC Yield of 7.7% YTD 2025. As of 3/23/2025,
Strategy holds 506,137 BTC acquired for ~$33.7 billion at ~$66,608 per Bitcoin.
➡️CryptoQuant: Bitcoin's long-term holders are holding firm, with no significant selling pressure.
➡️Xapo Bank launches Bitcoin-backed USD loans up to $1M, with collateral secured in an MPC vault and no re-usage.
## 💸Traditional Finance / Macro:
👉🏽no news
### 🏦Banks:
👉🏽 no news
## 🌎Macro/Geopolitics:
On the 18th of March:
👉🏽Germany just changed its constitution to unleash a staggering ONE TRILLION in new debt. The German parliament has voted to take on hundreds of billions of euros of new government debt, to ease the debt brake rules, and to codify "climate neutrality by 2045" into the constitution.
On top of that, some extra money to Ukraine:
Germany's next Chancellor, Friedrich Merz, believes that Putin has gone to war against all of Europe. He argues that Russia has attacked Germany, as the Parliament breaks out in applause.
- We continue to move further away from the "Europe is not part of the conflict" rhetoric. Germany’s self-inflicted delusion continues!
👉🏽Germany's first offshore wind farm closes after 15 years because it's too expensive to operate. Expect a car crash. The Alpha Ventus offshore wind farm near the German North Sea island of Borkum is set to be dismantled after being in operation for only 15 years. It has become too unprofitable to operate without massive subsidies.
https://wattsupwiththat.com/2025/03/16/germanys-first-offshore-wind-farm-to-be-dismantled-after-just-15-years-of-operation/
Great thing that the Netherlands is investing heavily in offshore wind farms, even the biggest pension fund APB. Because nInE tImEs ChEaPeR tHaN gAs, right?
I hope they dismantle them & not leave them to rust into the sea. Right? Because climate!
Great response by Jasmine Birtles: "These vanity projects should never have been allowed to start. The phrase 'cheap renewable energy' is simply a falsehood. This kind of energy production only seems cheap because of the huge government subsidies that keep them going. I'm all for clean energy if it's possible to run it honestly and without huge subsidies, but while it doesn't seem to be viable we should stick with what is affordable and will keep the country going, rather than sacrificing the vulnerable to an impossible ideology."
👉🏽'Gold spot is now trading consistently over $3000, a record high. And with deliveries once again picking up at the Comex and war in the Middle East coming back with a vengeance, the next big spike is just a matter of time. As expected, once gold broke out above $3000,- it has gone vertical and is up 1% in the past hours, rising to a new record high of $3034, as it sets off for $4000' - ZeroHedge
👉🏽'We have just witnessed the biggest drop in US equity allocation on record. The collapse of US consumers:
Unemployment expectations in the US are now ABOVE 2020 levels and at their highest since 2008.
In 2024, a poll showed that a whopping 56% of Americans thought the US was in a recession.' - TKL
https://i.ibb.co/ycnRDpdf/Gm-VZMnb-XAAAt76r.png
👉🏽OECD Projects Argentina to Have the Second Highest Economic Growth Worldwide in 2025
👉🏽A new blow to the Dutch chemical sector. The major producer LyondellBasell is permanently closing its factory at the Maasvlakte. This decision, announced on Tuesday afternoon, will result in the loss of approximately 160 jobs. The closure is a direct consequence of global overcapacity and high energy costs in the Netherlands.
An audit by the German firm E-Bridge, commissioned by the Dutch government, previously revealed that electricity costs for these companies in the Netherlands amount to €95 per megawatt-hour.
In comparison, this rate is €32 in France (66% lower), €45.60 in Germany (52% lower), and €56.05 per megawatt-hour in Belgium (41% lower).
According to E-Bridge, this difference is mainly due to the compensation that foreign governments provide to companies and the lower grid tariffs. In the Netherlands, costs have risen primarily to finance investments in the electricity grid, such as connecting multiple offshore wind farms.
Now read that segment on offshore wind farms. Mindblowing, innit?
Subsidies are not the solution—deregulation is. But Brussels won’t allow that. So, we’re heading toward even more regulation and nationalization.
On the 19th of March:
👉🏽The Fed makes multiple revisions to its 2025 economic data projections.
Powell finally found the "stag" and the "inflation":
Fed cuts year-end GDP forecast from 2.1% to 1.7%
Fed raises year-end core PCE forecast from 2.5% to 2.8%
Fed raises year-end unemployment forecast from 4.3% to 4.4%
Fed raises PCE inflation forecast from 2.5% to 2.7%
The Fed sees higher inflation and a weaker economy.
On the 20th of March:
Dutch Central Bank Director Klaas Knot "We are worried about American influence on our local payment infrastructure."
Paving the way for the European CBDC (after slowly but surely removing CASH MONEY from society).
Knot has completed his second term and will leave his office in July. Now, of course, pushing for the CBDC, before looking for a new job in Europe.
Anyway, DNB posts billions in losses.
De Nederlandsche Bank suffered a loss of over €3 billion last year, according to the annual report published on Thursday. This marks the second consecutive year of losses.
DNB incurs this loss because, as part of its monetary policy, it has lent out billions at relatively low rates while having to pay a higher rate to banks that park their money at the central bank.
But no losses on its gold. The gold reserves, meanwhile, increased in value by €12.6 billion. This amount is not included in the official profit and loss statement but is reflected on the bank's balance sheet.
For the Dutch readers/followers: Great article: Follow the Money 'Voor de megawinsten van ING, ABN Amro en Rabobank betaalt de Nederlandse burger een hoge prijs.'
https://archive.ph/ncvtk
On the 21st of March:
👉🏽'The Philadelphia Fed Manufacturing index dropped 5.6 points in March, to 12.5, its 2nd consecutive monthly decline.
6-month outlook for new orders fell by 30.8 points, to 2.3, the lowest in 3 years.
This marks the third-largest drop in history, only behind the 2008 Financial Crisis and December 1973.
Furthermore, 6-month business outlook dropped ~40 points to its lowest since January 2024.
All while prices paid rose 7.8 points, to 48.3, the highest since July 2022.
This is further evidence of weakening economic activity with rising prices.' TKL
👉🏽'China’s central bank gold reserves hit a record 73.6 million fine troy ounces in February.
China bought ~160,000 ounces of gold last month, posting their 4th consecutive monthly purchase.
Over the last 2.5 years, China’s gold reserves have jumped by 11.0 million ounces of gold.
Gold now reflects a record ~5.9% of China’s total foreign exchange reserves, or 2,290 tonnes.
Central banks continue to stock up on gold as if we are in a crisis.' -TKL
## 🎁If you have made it this far I would like to give you a little gift:
What Bitcoin Did: BITCOIN & THE END OF THE DOLLAR SYSTEM with Luke Gromen
They discuss:
- The Sovereign Debt Crisis
- If the US Will Reprice the Gold
- If we will See Triple Digit Inflation
- The End of The US Dollar System
Luke Gromen: A modest clarification: The end of the post-71 structure of the USD system is what the Trump Administration’s actions appear to be pursuing & will in due time achieve if they stay on the present course.
https://t.co/IpakFaYqbL
Credit: I have used multiple sources!
My savings account: Bitcoin The tool I recommend for setting up a Bitcoin savings plan: PocketBitcoin especially suited for beginners or people who want to invest in Bitcoin with an automated investment plan once a week or monthly.
Use the code SE3997
Get your Bitcoin out of exchanges. Save them on a hardware wallet, run your own node...be your own bank. Not your keys, not your coins. It's that simple. ⠀⠀
⠀⠀ ⠀ ⠀⠀⠀
Do you think this post is helpful to you? If so, please share it and support my work with a zap.
▃▃▃▃▃▃▃▃▃▃▃▃▃▃▃▃▃▃
⭐ Many thanks⭐
Felipe - Bitcoin Friday!
▃▃▃▃▃▃▃▃▃▃▃▃▃▃▃▃▃▃
-

@ dfbbf851:ba4542b5
2025-03-27 13:45:12
Bitcoin (BTC) เป็นสกุลเงินดิจิทัลที่ได้รับความนิยมและถูกพูดถึงมากที่สุดในโลก นับตั้งแต่เปิดตัวในปี 2009 โดยบุคคลหรือกลุ่มที่ใช้นามแฝงว่า **Satoshi Nakamoto** 🎭
แต่คำถามสำคัญก็คือ... **Bitcoin เป็นอนาคตของการเงินโลกหรือว่าเป็นฟองสบู่ที่รอวันแตกกันแน่?** 🤔
---
### 🔹 **Bitcoin คืออะไร ?**
Bitcoin เป็นเงินดิจิทัลที่ทำงานบน **เทคโนโลยีบล็อกเชน (Blockchain)** ซึ่งช่วยให้การทำธุรกรรมมีความปลอดภัยและโปร่งใส 💡
🔸 **ไม่มีธนาคารกลางควบคุม**
🔸 **จำนวนจำกัดเพียง 21 ล้านเหรียญ**
🔸 **ใช้ระบบ "การขุด" (Mining) เพื่อยืนยันธุรกรรม**
---
### ✅ **ทำไม Bitcoin ได้รับความนิยม ?**
✨ **ไร้พรมแดน** – โอนเงินข้ามประเทศได้รวดเร็วและถูกกว่าธนาคาร
✨ **ความปลอดภัยสูง** – ใช้ระบบเข้ารหัสที่แข็งแกร่ง 🔐
✨ **สินทรัพย์ป้องกันเงินเฟ้อ** – มีจำนวนจำกัด จึงถูกมองว่าเป็น **"ทองคำดิจิทัล"** 🌎🏆
✨ **การยอมรับที่เพิ่มขึ้น** – บริษัทใหญ่ เช่น Tesla และ PayPal เริ่มเปิดรับ BTC
---
### ❌ **ความเสี่ยงของ Bitcoin**
⚠️ **ราคาผันผวนสูง** – อาจขึ้นหรือลงหลายพันดอลลาร์ภายในวันเดียว 📉📈
⚠️ **ยังไม่ถูกยอมรับทั่วโลก** – บางประเทศออกกฎหมายห้ามใช้ เช่น จีน 🚫
⚠️ **อาจถูกใช้ในทางผิดกฎหมาย** – เช่น การฟอกเงินในตลาดมืด 🕵️♂️
⚠️ **สิ้นเปลืองพลังงาน** – กระบวนการขุดใช้ไฟฟ้าปริมาณมาก ⚡🌱
---
### 🔮 **อนาคตของ Bitcoin จะเป็นอย่างไร ?**
นักลงทุนบางคนเชื่อว่า **Bitcoin จะเป็นอนาคตของระบบการเงินโลก** 💵🌍 ในขณะที่บางคนมองว่า **มันเป็นเพียงฟองสบู่ที่อาจแตกเมื่อไหร่ก็ได้** 💥
💡 ปัจจัยสำคัญที่อาจกำหนดอนาคตของ BTC ได้แก่:
✔️ **การยอมรับจากรัฐบาลและองค์กรใหญ่**
✔️ **กฎหมายและกฎระเบียบ** – หากรัฐบาลทั่วโลกออกกฎหมายสนับสนุน BTC อาจทำให้ราคาพุ่งสูง 🚀
✔️ **เทคโนโลยีใหม่ๆ** – เช่น **Lightning Network** ที่ช่วยให้การทำธุรกรรมเร็วขึ้นและถูกลง ⚡
---
### 🎯 **ปล.**
Bitcoin เป็น **นวัตกรรมการเงินที่เปลี่ยนโลก** 🌎 และอาจกลายเป็นสินทรัพย์สำคัญในอนาคต **แต่ก็มีความเสี่ยงสูง** นักลงทุนต้องศึกษาให้รอบคอบก่อนตัดสินใจลงทุน 📊💡
**แล้วท่านผู้อ่านล่ะครับ คิดว่า Bitcoin คืออนาคตของเงิน หรือเป็นเพียงกระแสชั่วคราวกันแน่ ?** 🤔
---
#Bitcoin #Crypto #Blockchain #BTC #ลงทุน #การเงิน #อนาคตการเงิน
-

@ dfbbf851:ba4542b5
2025-03-27 13:43:45
### 🌟 **บทนำ**
ในยุคดิจิทัลที่ทุกอย่างขับเคลื่อนด้วยเทคโนโลยี **Blockchain** เป็นหนึ่งในนวัตกรรมที่สร้างแรงสั่นสะเทือนมากที่สุด 🌍 หลายคนอาจรู้จัก Blockchain ผ่าน **Bitcoin** หรือ **Ethereum** แต่จริงๆ แล้ว มันสามารถนำไปใช้ได้หลากหลายกว่าที่คุณคิด !
💡 ลองจินตนาการถึงโลกที่ไม่มีตัวกลาง ไม่มีการโกงข้อมูล และทุกธุรกรรมสามารถตรวจสอบได้แบบ 100%... นี่แหละคือ **พลังของ Blockchain !**
---
### 🔎 **Blockchain คืออะไร ?**
Blockchain เป็นเทคโนโลยีที่ทำให้ข้อมูลมีความ **ปลอดภัย โปร่งใส และแก้ไขไม่ได้** ✅ ทุกธุรกรรมที่เกิดขึ้นจะถูกบันทึกลงใน "บล็อก" และเชื่อมต่อกันเป็นโซ่ (Chain) ซึ่งทำให้:
✅ **ไม่มีตัวกลาง (Decentralization)** – ไม่ต้องพึ่งธนาคารหรือบริษัทใดๆ
✅ **ปลอมแปลงยาก (Security)** – ใช้การเข้ารหัสระดับสูง 🔐
✅ **โปร่งใสตรวจสอบได้ (Transparency)** – ทุกคนสามารถเข้าดูข้อมูลได้แบบเรียลไทม์
---
### ⚙️ **Blockchain ทำงานอย่างไร ?**
1️⃣ **ธุรกรรมถูกสร้างขึ้น** เช่น การโอนเงิน 💸
2️⃣ **เครือข่ายตรวจสอบความถูกต้อง** ผ่านกลไกอย่าง Proof of Work (PoW) หรือ Proof of Stake (PoS)
3️⃣ **ธุรกรรมถูกบันทึกลงบล็อก** และเชื่อมโยงกับบล็อกก่อนหน้า 🔗
4️⃣ **ข้อมูลถูกกระจายไปยังทุกโหนด** ทำให้ไม่สามารถถูกแก้ไขย้อนหลังได้
✨ ง่ายๆ คือ **Blockchain ทำให้ข้อมูลมีความน่าเชื่อถือ และไม่มีใครสามารถควบคุมได้เพียงลำพัง !**
---
### 💡 **การประยุกต์ใช้ Blockchain ในโลกธุรกิจ**
🔥 **การเงินและธนาคาร** – ลดค่าธรรมเนียมการโอนเงินระหว่างประเทศ 🏦
🔥 **Supply Chain** – ติดตามสินค้าแบบเรียลไทม์ ป้องกันของปลอม 📦
🔥 **การดูแลสุขภาพ** – จัดเก็บข้อมูลผู้ป่วยแบบปลอดภัย 🏥
🔥 **อสังหาริมทรัพย์** – ซื้อขายบ้านโดยไม่ต้องพึ่งนายหน้า 🏡
🔥 **การเลือกตั้ง** – ป้องกันการโกงเสียงเลือกตั้งผ่านระบบดิจิทัล 🗳️
---
### 🚀 **อนาคตของ Blockchain**
Blockchain กำลังพัฒนาไปสู่เทคโนโลยีที่มีความ **เร็วขึ้น ปลอดภัยขึ้น และใช้พลังงานน้อยลง** ♻️ เทรนด์ที่น่าจับตามอง ได้แก่:
🔹 **CBDC (เงินดิจิทัลของธนาคารกลาง)** – กำลังมาแรง!
🔹 **DeFi (การเงินแบบไร้ตัวกลาง)** – พลิกโฉมการลงทุน
🔹 **NFT (สินทรัพย์ดิจิทัลไม่ซ้ำกัน)** – ปฏิวัติวงการศิลปะ 🎨
แม้ว่าจะยังมีข้อท้าทาย เช่น **ค่าธรรมเนียมสูง หรือการใช้พลังงานมากในบางระบบ** แต่ Blockchain กำลังมุ่งสู่อนาคตที่ยั่งยืนและเป็นมิตรกับสิ่งแวดล้อมมากขึ้น 🌱
---
### 🎯 ปล.
Blockchain **ไม่ใช่แค่เรื่องของ Bitcoin !** แต่เป็นเทคโนโลยีที่สามารถเปลี่ยนโลกในหลายด้าน 🌎 หากคุณเป็นนักธุรกิจ นักลงทุน หรือเพียงแค่คนที่อยากเข้าใจโลกดิจิทัลมากขึ้น **นี่คือเทคโนโลยีที่คุณไม่ควรมองข้าม !**
📢 แล้วคุณล่ะ คิดว่า Blockchain จะเปลี่ยนโลกไปอย่างไรบ้าง? มาพูดคุยกันในคอมเมนต์ได้เลย! 👇💬
---
#Blockchain #Crypto #DeFi #NFT #Web3 #Bitcoin #Innovation
-

@ 3c7dc2c5:805642a8
2025-03-26 21:25:44
## 🧠Quote(s) of the week:
The path to maximalism is littered with mistakes and paved with humility.' Anilsaido
https://i.ibb.co/ZzcCHwgT/Gip-G0vdb-YAAV9-Mw-1.jpg
Bitcoin is time because money itself is time.
Money is humanity’s battery: a way to store energy, labor, and resources for the future. It captures your past effort and preserves it for when you need it most. Fiat leaks. Bitcoin holds.
## 🧡Bitcoin news🧡
On the 18th of March:
➡️After ruling out a strategic bitcoin reserve, the Bank of Korea will launch a central bank digital currency pilot in April, per The Korea Times.
➡️'Metaplanet has acquired an additional 150 BTC for ~$12.5 million, achieving a BTC Yield of 60.8% YTD in 2025.
As of 3/18/2025, Metaplanet hodls 3,200 BTC, and is now a top 10 publicly listed holder of Bitcoin globally.' -Dylan LeClair
➡️Bitcoin entered a risk-off, distribution-dominant phase in early 2025, evidenced by frequent selling and hesitation to buy (yellow to orange dots). - AMB Crypto
➡️Bitwise CIO says Bitcoin should be at $200,000 today and says, “I think the number of companies buying Bitcoin is going to triple this year, I think Game Theory is on.”
“I think countries around the world are going to be buying Bitcoin. There is structurally more demand than supply in Bitcoin.”
➡️Bitcoin mining company Bitfarms buys Stronghold Digital for more than $110 million, making it the largest public-to-public acquisition in Bitcoin industry history.
➡️Bitcoin long-term HODLers become net buyers for the first time since September, per Compass Point Research.
"Buying/selling from HODLers is typically a leading indicator for BTC.
This cohort now owns 65% of BTC supply vs 63% last week vs 73% in early October." - Bitcoin News
➡️GlassNode: 'The Bitcoin market continues to adjust to its new price range after experiencing a -30% correction. Liquidity conditions are also contracting in both on-chain and futures markets.'
➡️Bitcoin now ranks 6th among the world's top monetary assets at $1.62 trillion, per Porkopolis.
➡️The EU isn't banning Bitcoin but using MiCA and other regulations to control it.
This involves stripping away privacy through transaction tracking, mandatory disclosures, and restrictions on self-custody.
The goal is control, not outright prohibition.
Excellent thread by Eli. Eli summarises the EU’s attack on Bitcoin and on Europeans’ rights: https://x.com/EliNagarBrr/status/1902048401908261146
Agree 100% with all of this. All these people who have been saying the EU pushing the industry forward with regulations are idiots. They are closing it off and pushing everyone to a CBDC.
Regarding the CBCD, here you will find a comprehensive summary of EU’s CBDC plans, by Efrat Fenigson:
https://bitcoinmagazine.com/politics/ecb-prepping-the-ground-for-digital-euro-launch
*On the 20th of March, the ECB posted the following statement on Twitter:
The digital euro is not just about creating a new form of money, says Chief Economist Philip R. Lane.
It is about ensuring that Europe retains control over its monetary and financial destiny in the digital age against a backdrop of increasing geopolitical fragmentation.
“It’s about ensuring that the EU retains control over its citizens.”
There, I fixed it for you if you missed the primary reason.
The Euro is a permissioned, centralized, censorable, inflationary, debt-based currency controlled by unelected bureaucrats.
Bitcoin is permissionless, decentralized, censorship-resistant, fixed in supply, and governed by code—not politicians.
Choose wisely.
➡️As mentioned in last week's Weekly Recap the US Government spends $3.3B per day in interest rate expense. If this doesn’t make you buy Bitcoin I’m not sure what will.
https://i.ibb.co/sdt1GvfM/Gm-Vd-FBz-XQAA3t3-M-1.jpg
➡️In Kibera, Africa’s largest informal settlement, more than 40 merchants now accept and save in Bitcoin.
➡️The increase in 3-6 month-old UTXOs suggests accumulation during this market correction, a behavior historically critical in forming market bottoms and driving new price rallies.
➡️Just as Hal Finney predicted, Bitcoin will take over Wall Street: Multiple American Bitcoin companies are now seeking to become state or national banks, reports Reuters.
It is inevitable.
➡️Daniel Batten:
2021: 62 US Environmental Organizations write to coCongressaying Bitcoin is bad for the environment and has no use (based on Central Bank misinformation)
2025: US Environmental Organizations debunked (impossible, had they used Bitcoin)
Strange are the ways of karma.
Meanwhile,
➡️President Trump's Executive Director, Bo Hines, on digital assets: "We talked about ways of acquiring more Bitcoin in budget-neutral ways."
We want "as much as we can get."
When Bitcoin is at $200k. We will look back on March 2025 and say, how was everyone not buying.
It was so obvious.
On the 19th of March:
➡️BLACKROCK: “The most sophisticated long-term Bitcoin accumulators are pretty excited about this dip. They see the correction as a buying opportunity."
On the 20th of March:
➡️SEC confirms that Bitcoin and Proof of Work mining are NOT securities under US law.
https://i.ibb.co/nWRHjnk/Gmg-Yxv-QWEAAgwx8.png
Source: https://t.co/0ExsJniPIf
➡️Bitcoin exchange Kraken has agreed to acquire NinjaTrader, the leading U.S. retail futures trading platform, for $1.5 billion—the largest deal ever of a Bitcoin company buying a traditional financial company.
➡️TRUMP: “I signed an order creating the brand new Strategic Bitcoin Reserve and the US digital asset stockpile which will allow the Federal government to maximize the value of its holdings.”
Tweet and hot take by Lola L33tz
"With the dollar-backed stablecoins, you'll help expand the dominance of the US Dollar [...] It will be at the top, and that's where we want to keep it"
'What he means is:
With dollar-backed stablecoins, the Global South will pivot towards digital Dollars over local currencies, allowing private, US government-controlled entities to replace bank accounts around the globe.
This does not just allow for the expansion of USD dominance by bypassing local governments – it gives the US unprecedented and direct control over worldwide economies as every stablecoin can be effectively frozen on behalf of the US with the click of a button.'
Stablecoins = CBDCs
There is no technical fundamental difference between them.
It’s almost a guarantee that the EU CBDCs and U.S. stablecoins will be interchangeable.
➡️River: Bitcoin is coming for $128 trillion in global money.
You're not late to Bitcoin.
https://i.ibb.co/7thzHJMx/Gmf-Uvra-EAEV4-U0.png
On the 21st of March:
➡️Michael Saylor’s Strategy to raise $722.5M to buy more Bitcoin.
➡️Publicly traded Atai Life Sciences to buy $5 million in Bitcoin.
➡️Publicly traded HK Asia Holdings bought 10 Bitcoins worth $858,500 for its balance sheet.
➡️Another solo home miner has mined an entire Bitcoin block worth over $ 260.000,-.
On the 22nd of March:
➡️The University of Wyoming posted a new video explaining Bitcoin with Philosophy Professor Bradley Rettler
➡️Spot Bitcoin ETFs bought 8,775 BTC this week while miners only mined 3,150 Bitcoin.
On the 24th of March:
➡️Metaplanet finished the day as the 13th most liquid stock in Japan, with ¥50.4 billion ($336.6m) of daily trading volume, ahead of Toyota and Nintendo.
➡️River: There is a 275% gap between the inflation you're told and real inflation.
https://i.ibb.co/mCs2Lgcc/Gmz-4qc-WMAAzx-z.png
Bitcoin is insurance on the debt spiral. The U.S. Dollar has been devalued by more than 363% since 2000 – That’s a 14.5% devaluation per year. This means if your savings don’t grow by 14.5% annually, you’re falling behind. This is why we Bitcoin. Bitcoin is insurance on the debt spiral, grow your savings beyond the dollar’s devaluation!
➡️Bitcoin's compound annual growth rate (CAGR) over a 5-year rolling window is currently over 50%
➡️Strategy became the first publicly traded company to hold over 500,000 Bitcoin worth over $44 billion.
Strategy has acquired 6,911 BTC for ~$584.1 million at ~$84,529 per Bitcoin and has achieved a BTC Yield of 7.7% YTD 2025. As of 3/23/2025,
Strategy holds 506,137 BTC acquired for ~$33.7 billion at ~$66,608 per Bitcoin.
➡️CryptoQuant: Bitcoin's long-term holders are holding firm, with no significant selling pressure.
➡️Xapo Bank launches Bitcoin-backed USD loans up to $1M, with collateral secured in an MPC vault and no re-usage.
## 💸Traditional Finance / Macro:
👉🏽no news
##
🏦Banks:
👉🏽 no news
## 🌎Macro/Geopolitics:
On the 18th of March:
👉🏽Germany just changed its constitution to unleash a staggering ONE TRILLION in new debt. The German parliament has voted to take on hundreds of billions of euros of new government debt, to ease the debt brake rules, and to codify "climate neutrality by 2045" into the constitution.
On top of that, some extra money to Ukraine:
Germany's next Chancellor, Friedrich Merz, believes that Putin has gone to war against all of Europe. He argues that Russia has attacked Germany, as the Parliament breaks out in applause.
- We continue to move further away from the "Europe is not part of the conflict" rhetoric. Germany’s self-inflicted delusion continues!
👉🏽Germany's first offshore wind farm closes after 15 years because it's too expensive to operate. Expect a car crash. The Alpha Ventus offshore wind farm near the German North Sea island of Borkum is set to be dismantled after being in operation for only 15 years. It has become too unprofitable to operate without massive subsidies.
https://wattsupwiththat.com/2025/03/16/germanys-first-offshore-wind-farm-to-be-dismantled-after-just-15-years-of-operation/
Great thing that the Netherlands is investing heavily in offshore wind farms, even the biggest pension fund APB. Because nInE tImEs ChEaPeR tHaN gAs, right?
I hope they dismantle them & not leave them to rust into the sea. Right? Because climate!
Great response by Jasmine Birtles: "These vanity projects should never have been allowed to start. The phrase 'cheap renewable energy' is simply a falsehood. This kind of energy production only seems cheap because of the huge government subsidies that keep them going. I'm all for clean energy if it's possible to run it honestly and without huge subsidies, but while it doesn't seem to be viable we should stick with what is affordable and will keep the country going, rather than sacrificing the vulnerable to an impossible ideology."
👉🏽'Gold spot is now trading consistently over $3000, a record high. And with deliveries once again picking up at the Comex and war in the Middle East coming back with a vengeance, the next big spike is just a matter of time. As expected, once gold broke out above $3000,- it has gone vertical and is up 1% in the past hours, rising to a new record high of $3034, as it sets off for $4000' - ZeroHedge
👉🏽'We have just witnessed the biggest drop in US equity allocation on record. The collapse of US consumers:
Unemployment expectations in the US are now ABOVE 2020 levels and at their highest since 2008.
In 2024, a poll showed that a whopping 56% of Americans thought the US was in a recession.' - TKL
https://i.ibb.co/ycnRDpdf/Gm-VZMnb-XAAAt76r.png
👉🏽OECD Projects Argentina to Have the Second Highest Economic Growth Worldwide in 2025
👉🏽A new blow to the Dutch chemical sector. The major producer LyondellBasell is permanently closing its factory at the Maasvlakte. This decision, announced on Tuesday afternoon, will result in the loss of approximately 160 jobs. The closure is a direct consequence of global overcapacity and high energy costs in the Netherlands.
An audit by the German firm E-Bridge, commissioned by the Dutch government, previously revealed that electricity costs for these companies in the Netherlands amount to €95 per megawatt-hour. In comparison, this rate is €32 in France (66% lower), €45.60 in Germany (52% lower), and €56.05 per megawatt-hour in Belgium (41% lower).
According to E-Bridge, this difference is mainly due to the compensation that foreign governments provide to companies and the lower grid tariffs. In the Netherlands, costs have risen primarily to finance investments in the electricity grid, such as connecting multiple offshore wind farms.
Now read that segment on offshore wind farms. Mindblowing, innit?
Subsidies are not the solution—deregulation is. But Brussels won’t allow that. So, we’re heading toward even more regulation and nationalization.
On the 19th of March:
👉🏽The Fed makes multiple revisions to its 2025 economic data projections.
Powell finally found the "stag" and the "inflation":
Fed cuts year-end GDP forecast from 2.1% to 1.7%
Fed raises year-end core PCE forecast from 2.5% to 2.8%
Fed raises year-end unemployment forecast from 4.3% to 4.4%
Fed raises PCE inflation forecast from 2.5% to 2.7%
The Fed sees higher inflation and a weaker economy.
On the 20th of March:
Dutch Central Bank Director Klaas Knot "We are worried about American influence on our local payment infrastructure."
Paving the way for the European CBDC (after slowly but surely removing CASH MONEY from society).
Knot has completed his second term and will leave his office in July. Now, of course, pushing for the CBDC, before looking for a new job in Europe.
Anyway, DNB posts billions in losses.
De Nederlandsche Bank suffered a loss of over €3 billion last year, according to the annual report published on Thursday. This marks the second consecutive year of losses.
DNB incurs this loss because, as part of its monetary policy, it has lent out billions at relatively low rates while having to pay a higher rate to banks that park their money at the central bank.
But no losses on its gold. The gold reserves, meanwhile, increased in value by €12.6 billion. This amount is not included in the official profit and loss statement but is reflected on the bank's balance sheet.
For the Dutch readers/followers: Great article:
Follow the Money 'Voor de megawinsten van ING, ABN Amro en Rabobank betaalt de Nederlandse burger een hoge prijs.'
https://archive.ph/ncvtk
On the 21st of March:
👉🏽'The Philadelphia Fed Manufacturing index dropped 5.6 points in March, to 12.5, its 2nd consecutive monthly decline.
6-month outlook for new orders fell by 30.8 points, to 2.3, the lowest in 3 years.
This marks the third-largest drop in history, only behind the 2008 Financial Crisis and December 1973.
Furthermore, 6-month business outlook dropped ~40 points to its lowest since January 2024.
All while prices paid rose 7.8 points, to 48.3, the highest since July 2022.
This is further evidence of weakening economic activity with rising prices.' TKL
👉🏽'China’s central bank gold reserves hit a record 73.6 million fine troy ounces in February.
China bought ~160,000 ounces of gold last month, posting their 4th consecutive monthly purchase.
Over the last 2.5 years, China’s gold reserves have jumped by 11.0 million ounces of gold.
Gold now reflects a record ~5.9% of China’s total foreign exchange reserves, or 2,290 tonnes.
Central banks continue to stock up on gold as if we are in a crisis.' -TKL
##
🎁If you have made it this far I would like to give you a little gift:
What Bitcoin Did: BITCOIN & THE END OF THE DOLLAR SYSTEM with Luke Gromen
They discuss:
- The Sovereign Debt Crisis
- If the US Will Reprice the Gold
- If we will See Triple Digit Inflation
- The End of The US Dollar System
Luke Gromen: A modest clarification: The end of the post-71 structure of the USD system is what the Trump Administration’s actions appear to be pursuing & will in due time achieve if they stay on the present course.
https://t.co/IpakFaYqbL
Credit: I have used multiple sources!
My savings account: Bitcoin The tool I recommend for setting up a Bitcoin savings plan: PocketBitcoin especially suited for beginners or people who want to invest in Bitcoin with an automated investment plan once a week or monthly.
Use the code SE3997
Get your Bitcoin out of exchanges. Save them on a hardware wallet, run your own node...be your own bank. Not your keys, not your coins. It's that simple. ⠀⠀⠀⠀ ⠀ ⠀⠀⠀
Do you think this post is helpful to you? If so, please share it and support my work with a zap.
▃▃▃▃▃▃▃▃▃▃▃▃▃▃▃▃▃▃
⭐ Many thanks⭐
Felipe - Bitcoin Friday!
▃▃▃▃▃▃▃▃▃▃▃▃▃▃▃▃▃▃
-

@ 3c7dc2c5:805642a8
2025-03-26 21:24:22
## 🧠Quote(s) of the week:
The path to maximalism is littered with mistakes and paved with humility.' Anilsaido
https://i.ibb.co/ZzcCHwgT/Gip-G0vdb-YAAV9-Mw-1.jpg
Bitcoin is time because money itself is time.
Money is humanity’s battery: a way to store energy, labor, and resources for the future. It captures your past effort and preserves it for when you need it most. Fiat leaks. Bitcoin holds.
## 🧡Bitcoin news🧡
On the 18th of March:
➡️After ruling out a strategic bitcoin reserve, the Bank of Korea will launch a central bank digital currency pilot in April, per The Korea Times.
➡️'Metaplanet has acquired an additional 150 BTC for ~$12.5 million, achieving a BTC Yield of 60.8% YTD in 2025.
As of 3/18/2025, Metaplanet hodls 3,200 BTC, and is now a top 10 publicly listed holder of Bitcoin globally.' -Dylan LeClair
➡️Bitcoin entered a risk-off, distribution-dominant phase in early 2025, evidenced by frequent selling and hesitation to buy (yellow to orange dots). - AMB Crypto
➡️Bitwise CIO says Bitcoin should be at $200,000 today and says, “I think the number of companies buying Bitcoin is going to triple this year, I think Game Theory is on.”
“I think countries around the world are going to be buying Bitcoin. There is structurally more demand than supply in Bitcoin.”
➡️Bitcoin mining company Bitfarms buys Stronghold Digital for more than $110 million, making it the largest public-to-public acquisition in Bitcoin industry history.
➡️Bitcoin long-term HODLers become net buyers for the first time since September, per Compass Point Research.
"Buying/selling from HODLers is typically a leading indicator for BTC.
This cohort now owns 65% of BTC supply vs 63% last week vs 73% in early October." - Bitcoin News
➡️GlassNode: 'The Bitcoin market continues to adjust to its new price range after experiencing a -30% correction. Liquidity conditions are also contracting in both on-chain and futures markets.'
➡️Bitcoin now ranks 6th among the world's top monetary assets at $1.62 trillion, per Porkopolis.
➡️The EU isn't banning Bitcoin but using MiCA and other regulations to control it.
This involves stripping away privacy through transaction tracking, mandatory disclosures, and restrictions on self-custody.
The goal is control, not outright prohibition.
Excellent thread by Eli. Eli summarises the EU’s attack on Bitcoin and on Europeans’ rights: https://x.com/EliNagarBrr/status/1902048401908261146
Agree 100% with all of this. All these people who have been saying the EU pushing the industry forward with regulations are idiots. They are closing it off and pushing everyone to a CBDC.
Regarding the CBCD, here you will find a comprehensive summary of EU’s CBDC plans, by Efrat Fenigson:
https://bitcoinmagazine.com/politics/ecb-prepping-the-ground-for-digital-euro-launch
*On the 20th of March, the ECB posted the following statement on Twitter:
The digital euro is not just about creating a new form of money, says Chief Economist Philip R. Lane.
It is about ensuring that Europe retains control over its monetary and financial destiny in the digital age against a backdrop of increasing geopolitical fragmentation.
“It’s about ensuring that the EU retains control over its citizens.”
There, I fixed it for you if you missed the primary reason.
The Euro is a permissioned, centralized, censorable, inflationary, debt-based currency controlled by unelected bureaucrats.
Bitcoin is permissionless, decentralized, censorship-resistant, fixed in supply, and governed by code—not politicians.
Choose wisely.
➡️As mentioned in last week's Weekly Recap the US Government spends $3.3B per day in interest rate expense. If this doesn’t make you buy Bitcoin I’m not sure what will.
https://i.ibb.co/sdt1GvfM/Gm-Vd-FBz-XQAA3t3-M-1.jpg
➡️In Kibera, Africa’s largest informal settlement, more than 40 merchants now accept and save in Bitcoin.
➡️The increase in 3-6 month-old UTXOs suggests accumulation during this market correction, a behavior historically critical in forming market bottoms and driving new price rallies.
➡️Just as Hal Finney predicted, Bitcoin will take over Wall Street: Multiple American Bitcoin companies are now seeking to become state or national banks, reports Reuters.
It is inevitable.
➡️Daniel Batten:
2021: 62 US Environmental Organizations write to coCongressaying Bitcoin is bad for the environment and has no use (based on Central Bank misinformation)
2025: US Environmental Organizations debunked (impossible, had they used Bitcoin)
Strange are the ways of karma.
Meanwhile,
➡️President Trump's Executive Director, Bo Hines, on digital assets: "We talked about ways of acquiring more Bitcoin in budget-neutral ways."
We want "as much as we can get."
When Bitcoin is at $200k. We will look back on March 2025 and say, how was everyone not buying.
It was so obvious.
On the 19th of March:
➡️BLACKROCK: “The most sophisticated long-term Bitcoin accumulators are pretty excited about this dip. They see the correction as a buying opportunity."
On the 20th of March:
➡️SEC confirms that Bitcoin and Proof of Work mining are NOT securities under US law.
https://i.ibb.co/nWRHjnk/Gmg-Yxv-QWEAAgwx8.png
Source: https://t.co/0ExsJniPIf
➡️Bitcoin exchange Kraken has agreed to acquire NinjaTrader, the leading U.S. retail futures trading platform, for $1.5 billion—the largest deal ever of a Bitcoin company buying a traditional financial company.
➡️TRUMP: “I signed an order creating the brand new Strategic Bitcoin Reserve and the US digital asset stockpile which will allow the Federal government to maximize the value of its holdings.”
Tweet and hot take by Lola L33tz
"With the dollar-backed stablecoins, you'll help expand the dominance of the US Dollar [...] It will be at the top, and that's where we want to keep it"
'What he means is:
With dollar-backed stablecoins, the Global South will pivot towards digital Dollars over local currencies, allowing private, US government-controlled entities to replace bank accounts around the globe.
This does not just allow for the expansion of USD dominance by bypassing local governments – it gives the US unprecedented and direct control over worldwide economies as every stablecoin can be effectively frozen on behalf of the US with the click of a button.'
Stablecoins = CBDCs
There is no technical fundamental difference between them.
It’s almost a guarantee that the EU CBDCs and U.S. stablecoins will be interchangeable.
➡️River: Bitcoin is coming for $128 trillion in global money.
You're not late to Bitcoin.
https://i.ibb.co/7thzHJMx/Gmf-Uvra-EAEV4-U0.png
On the 21st of March:
➡️Michael Saylor’s Strategy to raise $722.5M to buy more Bitcoin.
➡️Publicly traded Atai Life Sciences to buy $5 million in Bitcoin.
➡️Publicly traded HK Asia Holdings bought 10 Bitcoins worth $858,500 for its balance sheet.
➡️Another solo home miner has mined an entire Bitcoin block worth over $ 260.000,-.
On the 22nd of March:
➡️The University of Wyoming posted a new video explaining Bitcoin with Philosophy Professor Bradley Rettler
➡️Spot Bitcoin ETFs bought 8,775 BTC this week while miners only mined 3,150 Bitcoin.
On the 24th of March:
➡️Metaplanet finished the day as the 13th most liquid stock in Japan, with ¥50.4 billion ($336.6m) of daily trading volume, ahead of Toyota and Nintendo.
➡️River: There is a 275% gap between the inflation you're told and real inflation.
https://i.ibb.co/mCs2Lgcc/Gmz-4qc-WMAAzx-z.png
Bitcoin is insurance on the debt spiral. The U.S. Dollar has been devalued by more than 363% since 2000 – That’s a 14.5% devaluation per year. This means if your savings don’t grow by 14.5% annually, you’re falling behind. This is why we Bitcoin. Bitcoin is insurance on the debt spiral, grow your savings beyond the dollar’s devaluation!
➡️Bitcoin's compound annual growth rate (CAGR) over a 5-year rolling window is currently over 50%
➡️Strategy became the first publicly traded company to hold over 500,000 Bitcoin worth over $44 billion.
Strategy has acquired 6,911 BTC for ~$584.1 million at ~$84,529 per Bitcoin and has achieved a BTC Yield of 7.7% YTD 2025. As of 3/23/2025,
Strategy holds 506,137 BTC acquired for ~$33.7 billion at ~$66,608 per Bitcoin.
➡️CryptoQuant: Bitcoin's long-term holders are holding firm, with no significant selling pressure.
➡️Xapo Bank launches Bitcoin-backed USD loans up to $1M, with collateral secured in an MPC vault and no re-usage.
## 💸Traditional Finance / Macro:
👉🏽no news
##
🏦Banks:
👉🏽 no news
## 🌎Macro/Geopolitics:
On the 18th of March:
👉🏽Germany just changed its constitution to unleash a staggering ONE TRILLION in new debt. The German parliament has voted to take on hundreds of billions of euros of new government debt, to ease the debt brake rules, and to codify "climate neutrality by 2045" into the constitution.
On top of that, some extra money to Ukraine:
Germany's next Chancellor, Friedrich Merz, believes that Putin has gone to war against all of Europe. He argues that Russia has attacked Germany, as the Parliament breaks out in applause.
- We continue to move further away from the "Europe is not part of the conflict" rhetoric. Germany’s self-inflicted delusion continues!
👉🏽Germany's first offshore wind farm closes after 15 years because it's too expensive to operate. Expect a car crash. The Alpha Ventus offshore wind farm near the German North Sea island of Borkum is set to be dismantled after being in operation for only 15 years. It has become too unprofitable to operate without massive subsidies.
https://wattsupwiththat.com/2025/03/16/germanys-first-offshore-wind-farm-to-be-dismantled-after-just-15-years-of-operation/
Great thing that the Netherlands is investing heavily in offshore wind farms, even the biggest pension fund APB. Because nInE tImEs ChEaPeR tHaN gAs, right?
I hope they dismantle them & not leave them to rust into the sea. Right? Because climate!
Great response by Jasmine Birtles: "These vanity projects should never have been allowed to start. The phrase 'cheap renewable energy' is simply a falsehood. This kind of energy production only seems cheap because of the huge government subsidies that keep them going. I'm all for clean energy if it's possible to run it honestly and without huge subsidies, but while it doesn't seem to be viable we should stick with what is affordable and will keep the country going, rather than sacrificing the vulnerable to an impossible ideology."
👉🏽'Gold spot is now trading consistently over $3000, a record high. And with deliveries once again picking up at the Comex and war in the Middle East coming back with a vengeance, the next big spike is just a matter of time. As expected, once gold broke out above $3000,- it has gone vertical and is up 1% in the past hours, rising to a new record high of $3034, as it sets off for $4000' - ZeroHedge
👉🏽'We have just witnessed the biggest drop in US equity allocation on record. The collapse of US consumers:
Unemployment expectations in the US are now ABOVE 2020 levels and at their highest since 2008.
In 2024, a poll showed that a whopping 56% of Americans thought the US was in a recession.' - TKL
https://i.ibb.co/ycnRDpdf/Gm-VZMnb-XAAAt76r.png
👉🏽OECD Projects Argentina to Have the Second Highest Economic Growth Worldwide in 2025
👉🏽A new blow to the Dutch chemical sector. The major producer LyondellBasell is permanently closing its factory at the Maasvlakte. This decision, announced on Tuesday afternoon, will result in the loss of approximately 160 jobs. The closure is a direct consequence of global overcapacity and high energy costs in the Netherlands.
An audit by the German firm E-Bridge, commissioned by the Dutch government, previously revealed that electricity costs for these companies in the Netherlands amount to €95 per megawatt-hour. In comparison, this rate is €32 in France (66% lower), €45.60 in Germany (52% lower), and €56.05 per megawatt-hour in Belgium (41% lower).
According to E-Bridge, this difference is mainly due to the compensation that foreign governments provide to companies and the lower grid tariffs. In the Netherlands, costs have risen primarily to finance investments in the electricity grid, such as connecting multiple offshore wind farms.
Now read that segment on offshore wind farms. Mindblowing, innit?
Subsidies are not the solution—deregulation is. But Brussels won’t allow that. So, we’re heading toward even more regulation and nationalization.
On the 19th of March:
👉🏽The Fed makes multiple revisions to its 2025 economic data projections.
Powell finally found the "stag" and the "inflation":
Fed cuts year-end GDP forecast from 2.1% to 1.7%
Fed raises year-end core PCE forecast from 2.5% to 2.8%
Fed raises year-end unemployment forecast from 4.3% to 4.4%
Fed raises PCE inflation forecast from 2.5% to 2.7%
The Fed sees higher inflation and a weaker economy.
On the 20th of March:
Dutch Central Bank Director Klaas Knot "We are worried about American influence on our local payment infrastructure."
Paving the way for the European CBDC (after slowly but surely removing CASH MONEY from society).
Knot has completed his second term and will leave his office in July. Now, of course, pushing for the CBDC, before looking for a new job in Europe.
Anyway, DNB posts billions in losses.
De Nederlandsche Bank suffered a loss of over €3 billion last year, according to the annual report published on Thursday. This marks the second consecutive year of losses.
DNB incurs this loss because, as part of its monetary policy, it has lent out billions at relatively low rates while having to pay a higher rate to banks that park their money at the central bank.
But no losses on its gold. The gold reserves, meanwhile, increased in value by €12.6 billion. This amount is not included in the official profit and loss statement but is reflected on the bank's balance sheet.
For the Dutch readers/followers: Great article:
Follow the Money 'Voor de megawinsten van ING, ABN Amro en Rabobank betaalt de Nederlandse burger een hoge prijs.'
https://archive.ph/ncvtk
On the 21st of March:
👉🏽'The Philadelphia Fed Manufacturing index dropped 5.6 points in March, to 12.5, its 2nd consecutive monthly decline.
6-month outlook for new orders fell by 30.8 points, to 2.3, the lowest in 3 years.
This marks the third-largest drop in history, only behind the 2008 Financial Crisis and December 1973.
Furthermore, 6-month business outlook dropped ~40 points to its lowest since January 2024.
All while prices paid rose 7.8 points, to 48.3, the highest since July 2022.
This is further evidence of weakening economic activity with rising prices.' TKL
👉🏽'China’s central bank gold reserves hit a record 73.6 million fine troy ounces in February.
China bought ~160,000 ounces of gold last month, posting their 4th consecutive monthly purchase.
Over the last 2.5 years, China’s gold reserves have jumped by 11.0 million ounces of gold.
Gold now reflects a record ~5.9% of China’s total foreign exchange reserves, or 2,290 tonnes.
Central banks continue to stock up on gold as if we are in a crisis.' -TKL
##
🎁If you have made it this far I would like to give you a little gift:
What Bitcoin Did: BITCOIN & THE END OF THE DOLLAR SYSTEM with Luke Gromen
They discuss:
- The Sovereign Debt Crisis
- If the US Will Reprice the Gold
- If we will See Triple Digit Inflation
- The End of The US Dollar System
Luke Gromen: A modest clarification: The end of the post-71 structure of the USD system is what the Trump Administration’s actions appear to be pursuing & will in due time achieve if they stay on the present course.
https://t.co/IpakFaYqbL
Credit: I have used multiple sources!
My savings account: Bitcoin The tool I recommend for setting up a Bitcoin savings plan: PocketBitcoin especially suited for beginners or people who want to invest in Bitcoin with an automated investment plan once a week or monthly.
Use the code SE3997
Get your Bitcoin out of exchanges. Save them on a hardware wallet, run your own node...be your own bank. Not your keys, not your coins. It's that simple. ⠀⠀⠀⠀ ⠀ ⠀⠀⠀
Do you think this post is helpful to you? If so, please share it and support my work with a zap.
▃▃▃▃▃▃▃▃▃▃▃▃▃▃▃▃▃▃
⭐ Many thanks⭐
Felipe - Bitcoin Friday!
▃▃▃▃▃▃▃▃▃▃▃▃▃▃▃▃▃▃
-

@ c1e9ab3a:9cb56b43
2025-03-26 21:03:59
## Introduction
**Nutsax** is a capability-based access control system for **Nostr relays**, designed to provide flexible, privacy-preserving **rate limiting**, **permissioning**, and **operation-scoped token redemption**.
At its core, Nutsax introduces:
- **Blind-signed tokens**, issued by relays, for specific operation types.
- **Token redemption** as part of Nostr event publishing or interactions.
- **Encrypted token storage** using existing Nostr direct message infrastructure, allowing portable, persistent, and private storage of these tokens — the *Nutsax*.
This mechanism augments the existing Nostr protocol without disrupting adoption, requiring no changes to NIP-01 for clients or relays that don’t opt into the system.
## Motivation
Nostr relays currently have limited tools for abuse prevention and access control. Options like IP banning, whitelisting, or monetized access are coarse and often centralized.
Nutsax introduces:
- Fine-grained, **operation-specific access control** using cryptographic tokens.
- **Blind signature protocols** to issue tokens anonymously, preserving user privacy.
- A **native way to store and recover tokens** using Nostr’s encrypted event system.
This allows relays to offer:
- Optional access policies (e.g., “3 posts per hour unless you redeem a token”)
- Paid or invite-based features (e.g., long-term subscriptions, advanced filters)
- Temporary elevation of privileges (e.g., bypass slow mode for one message)
All without requiring accounts, emails, or linking identity beyond the user’s `npub`.
## Core Components
### 1. Operation Tokens
Tokens are blind-signed blobs issued by the relay, scoped to a specific **operation type** (e.g., `"write"`, `"filter-subscribe"`, `"broadcast"`).
- **Issued anonymously**: using a blind signature protocol.
- **Validated on redemption**: at message submission or interaction time.
- **Optional and redeemable**: the relay decides when to enforce token redemption.
Each token encodes:
- Operation type (string)
- Relay ID (to scope the token)
- Expiration (optional)
- Usage count or burn-on-use flag
- Random nonce (blindness)
Example (before blinding):
```json
{
"relay": "wss://relay.example",
"operation": "write",
"expires": 1720000000,
"nonce": "b2a8c3..."
}
```
This is then blinded and signed by the relay.
### 2. Token Redemption
Clients include tokens when submitting events or requests to the relay.
**Token included via event tag**:
```json
["token", "<base64-encoded-token>", "write"]
```
Redemption can happen:
- **Inline with any event** (kind 1, etc.)
- **As a standalone event** (e.g., ephemeral kind 20000)
- **During session initiation** (optional AUTH extension)
The relay validates the token:
- Is it well-formed?
- Is it valid for this relay and operation?
- Is it unexpired?
- Has it been used already? (for burn-on-use)
If valid, the relay accepts the event or upgrades the rate/permission scope.
### 3. Nutsax: Private Token Storage on Nostr
Tokens are stored securely in the client’s **Nutsax**, a persistent, private archive built on Nostr’s encrypted event system.
Each token is stored in a **kind 4** or **kind 44/24** event, encrypted with the client’s own `npub`.
Example:
```json
{
"kind": 4,
"tags": [
["p", "<your npub>"],
["token-type", "write"],
["relay", "wss://relay.example"]
],
"content": "<encrypted token blob>",
"created_at": 1234567890
}
```
This allows clients to:
- Persist tokens across restarts or device changes.
- Restore tokens after reinstalling or reauthenticating.
- Port tokens between devices.
All without exposing the tokens to the public or requiring external storage infrastructure.
## Client Lifecycle
### 1. Requesting Tokens
- Client authenticates to relay (e.g., via NIP-42).
- Requests blind-signed tokens:
- Sends blinded token requests.
- Receives blind signatures.
- Unblinds and verifies.
### 2. Storing Tokens
- Each token is encrypted to the user’s own `npub`.
- Stored as a DM (kind 4 or compatible encrypted event).
- Optional tagging for organization.
### 3. Redeeming Tokens
- When performing a token-gated operation (e.g., posting to a limited relay), client includes the appropriate token in the event.
- Relay validates and logs/consumes the token.
### 4. Restoring the Nutsax
- On device reinstallation or session reset, the client:
- Reconnects to relays.
- Scans encrypted DMs.
- Decrypts and reimports available tokens.
## Privacy Model
- Relays issuing tokens **do not know** which tokens were redeemed (blind signing).
- Tokens do not encode sender identity unless the client opts to do so.
- Only the recipient (`npub`) can decrypt their Nutsax.
- Redemption is pseudonymous — tied to a key, not to external identity.
## Optional Enhancements
- **Token index tag**: to allow fast search and categorization.
- **Multiple token types**: read, write, boost, subscribe, etc.
- **Token delegation**: future support for transferring tokens via encrypted DM to another `npub`.
- **Token revocation**: relays can publish blacklists or expiration feeds if needed.
## Compatibility
- Fully compatible with NIP-01, NIP-04 (encrypted DMs), and NIP-42 (authentication).
- Non-disruptive: relays and clients can ignore tokens if not supported.
- Ideal for layering on top of existing infrastructure and monetization strategies.
## Conclusion
**Nutsax** offers a privacy-respecting, decentralized way to manage access and rate limits in the Nostr ecosystem. With blind-signed, operation-specific tokens and encrypted, persistent storage using native Nostr mechanisms, it gives relays and clients new powers without sacrificing Nostr’s core principles: simplicity, openness, and cryptographic self-sovereignty.
-

@ 000002de:c05780a7
2025-03-26 20:41:36
I sadly do not recall where I heard this but I'm amazed sometimes that I can have heard something like "An eye for an eye and a tooth for a tooth" so many times and a thought never occur to me. For some background, I was raised in the church and have read the Bible many times over my life. I usually read it each year so I'm very familiar with the text.
When we read "An eye for an eye and a tooth for a tooth" in Exodus we often think of how terrible this sounds. But, in reality the principle here is that a just penalty should be in equal measure to the damage caused. In practice what we often see is escalation, not equality in response. Its incredibly destructive.
Jesus in the sermon on the mount said,
> “You have heard that it was said, ‘An eye for an eye and a tooth for a tooth.’ 39 But I say to you, Do not resist the one who is evil. But if anyone slaps you on the right cheek, turn to him the other also. 40 And if anyone would sue you and take your tunic, let him have your cloak as well. 41 And if anyone forces you to go one mile, go with him two miles. 42 Give to the one who begs from you, and do not refuse the one who would borrow from you.
> 43 “You have heard that it was said, ‘You shall love your neighbor and hate your enemy.’ 44 But I say to you, Love your enemies and pray for those who persecute you, 45 so that you may be sons of your Father who is in heaven. For he makes his sun rise on the evil and on the good, and sends rain on the just and on the unjust. 46 For if you love those who love you, what reward do you have? Do not even the tax collectors do the same? 47 And if you greet only your brothers, what more are you doing than others? Do not even the Gentiles do the same? 48 You therefore must be perfect, as your heavenly Father is perfect.
~ Matthew 5:38-48
There is something powerful in understanding the original intent and what Jesus adds. These days it seems many Christians have forgotten this teaching and the results. The results were that Europe was converted to Christianity. There is incredible power in loving your enemies. And not returning evil with evil. @k00b's [post](https://stacker.news/items/925986) prompted me to write this.
Edit:
The other thing that prompted this is watching how people in the church are allowing politics to fuel their behavior in destructive ways. As Christians we should realize that politics is not the answer. Its Jesus.
originally posted at https://stacker.news/items/926101
-

@ 7d33ba57:1b82db35
2025-03-26 20:26:11
L'Ampolla is a charming fishing village on the Costa Dorada, known for its pristine beaches, fresh seafood, and proximity to the Ebro Delta Natural Park. With a relaxed Mediterranean atmosphere, it’s an ideal destination for nature lovers, foodies, and beachgoers.

## **🏖️ Top Things to See & Do in L'Ampolla**
### **1️⃣ Beaches of L'Ampolla 🏝️**
- **Platja de l'Arenal** – A long, shallow **sandy beach**, perfect for families.
- **Platja Cap-Roig** – A stunning **cove with reddish cliffs and crystal-clear waters**.
- **Platja dels Capellans** – A **quiet beach**, ideal for relaxation.

### **2️⃣ Ebro Delta Natural Park 🌿**
- A **UNESCO Biosphere Reserve** home to **wetlands, rice fields, and flamingos**.
- Go **birdwatching, cycling, or take a boat tour** along the **Ebro River**.
- Try **kayaking** through the peaceful waterways.
### **3️⃣ Coastal Hiking & Biking 🚶♂️🚴**
- Follow the **GR-92 coastal trail** for breathtaking sea views.
- Enjoy the **Camí de Ronda**, a scenic path linking L'Ampolla with nearby beaches.

### **4️⃣ Fishing & Seafood Gastronomy 🎣🍽️**
- Visit the **port** to see traditional fishing boats bring in the daily catch.
- Enjoy **fresh oysters, mussels, and paella** in seaside restaurants.
### **5️⃣ Mirador de Bassa de les Olles 🌅**
- A **beautiful viewpoint** with fantastic views of the **Ebro Delta lagoons**.
- Best visited at **sunset** for a magical experience.

## **🍽️ What to Eat in L'Ampolla**
- **Arròs negre** – Black rice with squid ink 🍚🦑
- **Fideuà** – A seafood noodle dish, similar to paella 🍤
- **Oysters & mussels from the Ebro Delta** 🦪
- **Anguila en suquet** – Eel stew, a local specialty 🐟
- **Crema Catalana** – A delicious caramelized custard dessert 🍮

## **🚗 How to Get to L'Ampolla**
🚆 **By Train:** Direct trains from **Barcelona (2 hrs), Tarragona (1 hr), and Valencia (2.5 hrs)**
🚘 **By Car:** ~1.5 hrs from **Barcelona**, 45 min from **Tarragona**
🚌 **By Bus:** Regional buses connect L'Ampolla with **Tarragona and Tortosa**
✈️ **By Air:** Closest airports – **Reus (REU, 70 km) and Barcelona-El Prat (BCN, 150 km)**

## **💡 Tips for Visiting L'Ampolla**
✅ **Best time to visit?** Spring and summer for the best weather ☀️
✅ **Try local seafood** – Some of the best in Catalonia 🍽️
✅ **Visit the Ebro Delta early** – Fewer crowds and better wildlife spotting 🦩
✅ **Rent a bike** – The best way to explore the coastal and natural areas 🚲
-

@ 866e0139:6a9334e5
2025-03-27 09:03:33
**Autor:** **[Michael Meyen.](https://pareto.space/u/michael_meyen@pareto.town)** *(Bild: Hermine Zgraggen). Dieser Beitrag wurde mit dem **[Pareto-Client](https://pareto.space/read)** geschrieben. Sie finden alle Texte der Friedenstaube und weitere Texte zum Thema Frieden **[hier.](https://pareto.space/read?category=friedenstaube)***
***
Die Friedenstaube hat meine Kindheit und meine Jugend begleitet und wahrscheinlich auch beschützt. Ich bin auf der Insel Rügen aufgewachsen und sehe immer noch, wie der Bürgermeister am 1. Mai 1975 die US-Niederlage in Vietnam verkündete. Vielleicht war es auch der örtliche Parteisekretär. Egal. Der Sprecher stand jedenfalls am Heimatmuseum vor all den Fahnen, vor Sportlern, Pionieren und Erwachsenen, die mit ihren Kollegen durch das Dorf gegangen waren und jetzt auf den ersten Schnaps warteten. Ein Maiwässerchen, was sonst am Kampf- und Feiertag der Werktätigen. Ich Knirps war schon jetzt trunken vor Glück. Wenn ich einst groß sein bin, daran konnte es keinen Zweifel mehr geben, dann würde der Imperialismus besiegt sein und mit ihm der Krieg.
### Was ist jetzt mit dem Sozialismus und seinem Frieden?
Picassos Friedenstaube war überall. Bei solchen Demos, in der Presse und in der Schule sowieso. Der Sozialismus, darauf schworen die Lehrer genauso Stein und Bein wie alle Funktionäre, der Sozialismus führt keinen Krieg. Es gab zwar immer wieder Gerüchte über Flussinseln, um die sich Moskau und Peking streiten würden, aber Asien war weit und China vielleicht nicht ganz so sozialistisch. Dann kam der Dezember 1979. Afghanistan. Ich war zwölf und konnte mir das schon deshalb nicht schönreden, weil es Olympia traf und damit zwei Sommerfernseh-Wochen. Was sind Goldmedaillen wert, wenn die Besten fehlen? Wenig später ging es um U-Boote. Ein Junge, nur wenig älter als ich, hatte an die \*Ostsee-Zeitung\* geschrieben, das Regionalblatt der SED, und gefragt, was die sowjetische Marine in schwedischen Gewässern mache und warum er sowas nur im Westradio hören könne. Als die Antwort kam, stand er mit dem Brief auf der Straße. Seht her, liebe Leute: Sie nehmen mich ernst. Was ist jetzt mit diesem Sozialismus und seinem Frieden?
Ich weiß noch, dass ich den Brief lesen musste (in der Schule wusste jeder, dass ich Journalist werden wollte), aber nicht mehr, was dort stand. Wahrscheinlich hat sich die Redaktion mit einem Missverständnis herausgeredet, mit Fake News oder mit Wilhelm Busch. Der Friede muss bewaffnet sein. Die Geschichte mit Igel und Fuchs gefiel mir. Da waren diese Zähne und damit die Drohung von Raubtier und Kapitalismus. Und da war ein eher zartes Lebewesen, das auf den Verstand setzte. „Und allsogleich macht er sich rund, zeigt seinen dichten Stachelbund – und trotzt getrost der ganzen Welt, bewaffnet, doch als Friedensheld.“
***
**DIE FRIEDENSTAUBE FLIEGT AUCH IN IHR POSTFACH:**
***[Hier](https://pareto.space/u/friedenstaube@pareto.space)*** *können Sie die Friedenstaube abonnieren und bekommen die Artikel zugesandt, vorerst für alle kostenfrei, wir starten gänzlich ohne Paywall. (Die Bezahlabos fangen erst zu laufen an, wenn ein Monetarisierungskonzept für die Inhalte steht).*
***
Schon jetzt können Sie uns unterstützen:
* Für **50 CHF/EURO** bekommen Sie ein Jahresabo der Friedenstaube.
* Für **120 CHF/EURO** bekommen Sie ein Jahresabo und ein T-Shirt/Hoodie mit der Friedenstaube.
* Für **500 CHF/EURO** werden Sie Förderer und bekommen ein lebenslanges Abo sowie ein T-Shirt/Hoodie mit der Friedenstaube.
* Ab **1000 CHF** werden Sie Genossenschafter der Friedenstaube mit Stimmrecht (und bekommen lebenslanges Abo, T-Shirt/Hoodie).
**Für Einzahlungen in CHF (Betreff: Friedenstaube):**

**Für Einzahlungen in Euro:**
Milosz Matuschek
IBAN DE 53710520500000814137
BYLADEM1TST
Sparkasse Traunstein-Trostberg
**Betreff: Friedenstaube**
Wenn Sie auf anderem Wege beitragen wollen, schreiben Sie die Friedenstaube an: <milosz@pareto.space>
***
### "Ich hasste das Militär"
Im Alltag war das nicht ganz so einfach, selbst für Kinder. Bei den Sportfesten hätte ich lieber einen Schlagball genommen als die F1, eine Handgranatenattrappe, die über die 35-Meter-Marke fliegen musste, damit der kleine Werfer überleben kann. Ich mochte die Soldatenspiele nicht, die alle paar Wochen angesetzt wurden, und schon gar nicht die Lager, die am Ende der Schulzeit warteten. Zwei Wochen in einer Baracke mit Frühsport in der Kälte und mit irgendwelchen Knallköpfen, die mir sagen konnten, was ich zu machen habe. Das heißt: Sie sagten das nicht. Sie brüllten. Und sie konnten jeden bestrafen, der nicht spurte. Ich hasste das Militär – und das nicht nur, weil ich nie sicher war, die Sturmwand beim ersten Anlauf zu nehmen und die Gasmaske schnell genug aus der Tasche zu haben.
Ich überspringe die drei Jahre, die ich Uniform getragen habe. In meinem Gedächtnis ist dort eine Leerstelle. Ich bin mir aber sicher, dass es schrecklich gewesen sein muss, und höre noch all die Stimmen, die vorher auf mich eingeredet hatten. Wenn du an die Uni willst, Michael, dann musst du dafür bezahlen. Dann musst du zeigen, was dir dieses Land wert ist und die Arbeiterklasse, die hier nun mal regiert und später auch dein Studium bezahlt. Gib uns einen Fitzel deiner Lebenszeit. Ich habe diese Stimmen verflucht und dachte, dass ich ihnen nicht entkommen kann. Heute weiß ich, dass das nicht stimmt. Ich wusste es schon im ersten Semester, weil neben mir Jungs saßen, die nur 18 Monate bei der Fahne waren und trotzdem einen Platz bekommen hatten. Dass die DDR kurz danach ohne einen Schuss zusammenbrach, habe ich nicht verstanden, aber trotzdem aufgeatmet. Du musst nicht mehr Reserveoffizier werden. Wenigstens das nicht. Die drei Lehrgangswochen habe ich in der Pathologie des Uni-Krankenhauses verbracht, vermutlich mit irgendwelchen Aufräumarbeiten.
### Eine Wette mit meinem Sohn
Mein Sohn ist 1995 zur Welt gekommen. Ein Stammhalter. Ein Brüderchen für unsere Tochter. Aber auch ein Soldat. Ich habe mit mir selbst gewettet, dass es keine Armee mehr geben würde und vor allem keine Wehrpflicht, wenn er 18 ist, und geschworen, dafür alles zu tun, was mir möglich ist. Dass es dann dieser Minister von der CSU war? Was soll’s, dachte ich. Hauptsache, der Junge kann selbst entscheiden, wo und wie er in die Erwachsenenwelt gehen will.
Damals war ich mir sicher: Bertolt Brecht hat gewonnen. Endlich weiß Deutschland, dass es nicht Karthago sein will. Jetzt schreibe ich für die Friedenstaube und würde diesen Brecht lieber heute als morgen auferstehen lassen. So schwer kann das doch nicht zu verstehen sein mit den drei Kriegen.
***
*Michael Meyen, Jahrgang 1967, hat an der Sektion Journalistik studiert und dann in Leipzig alle akademischen Stationen durchlaufen: Diplom (1992), Promotion (1995) und Habilitation (2001). Parallel arbeitete er als Journalist. Seit 2002 ist Meyen Professor für Kommunikationswissenschaft an der LMU München. Er hat drei interdisziplinäre Forschungsverbünde als Sprecher geleitet: "Fit for Change" (Laufzeit: 2013 bis 2017), "Zukunft der Demokratie" (2018 bis 2022) und "Das mediale Erbe der DDR" (2018 bis 2025). Mehr zum Autor und seinen Büchern* ***[hier.](https://www.freie-medienakademie.de/portrait_michael)***
***
**Sie sind noch nicht auf** [Nostr](https://nostr.com/) **and wollen die volle Erfahrung machen (liken, kommentieren etc.)? Zappen können Sie den Autor auch ohne Nostr-Profil!** Erstellen Sie sich einen Account auf [Start.](https://start.njump.me/) Weitere Onboarding-Leitfäden gibt es im [Pareto-Wiki.](https://wiki.pareto.space/de/home)
-

@ e5de992e:4a95ef85
2025-03-27 04:45:04
## Overview
On March 26, 2025, U.S. stock markets closed with notable declines driven primarily by President Donald Trump's announcement of a 25% tariff on all imported automobiles. This move has raised concerns about global trade tensions and inflation risks, impacting various sectors—especially technology and auto.
---
## U.S. Stock Market Performance
- **S&P 500:**
- Dropped 1.1%
- Closed at **5,714.32**
- Broke a three-day winning streak
- **Dow Jones Industrial Average (DJIA):**
- Decreased by 0.3%
- Closed at **42,455.78**
- **Nasdaq Composite:**
- Fell 2%
- Finished at **17,906.45**
- Led by significant losses in major tech stocks such as Nvidia and Tesla
*These declines were primarily driven by the auto tariff announcement.*
---
## U.S. Futures Market
- **S&P 500 Futures:**
- Remained flat, indicating investor caution amid ongoing tariff uncertainties
- **Dow Jones Futures:**
- Showed little change, reflecting a wait-and-see approach from market participants
*Note: U.S. futures are exhibiting minimal movement with low volume.*
---
## Key Factors Influencing U.S. Markets
### Auto Import Tariffs
- President Trump's imposition of a 25% tariff on imported automobiles has heightened concerns about escalating trade wars.
- Major automakers, including General Motors and Ford, experienced stock declines in response to these tariffs.
### Tech Sector Weakness
- Leading technology companies, notably **Nvidia** and **Tesla**, saw significant stock price reductions (each dropping more than 5%), contributing to the overall market downturn.
### Energy Sector Performance
- Despite a 4% fall in oil prices, energy stocks outperformed the broader market by rising 8.9% compared to a 1.8% decline in the S&P 500.
- However, the energy rally appears fragile, driven by increased valuations rather than improving earnings prospects.
---
## Global Stock Indices Performance
- **Japan's Nikkei 225:**
- Declined by 1.2%, with major automakers like Toyota experiencing significant losses due to tariff concerns.
- **South Korea's KOSPI:**
- Fell 0.7%, impacted by declines in auto-related stocks amid trade tension fears.
- **Hong Kong's Hang Seng:**
- Dropped 2.35%, closing at 23,344.25, influenced by a downturn in Chinese tech shares and ongoing tariff concerns.
- **Germany's DAX:**
- Experienced a slight decline of 0.32%, closing at 23,109.79, as initial optimism regarding tariff negotiations waned.
- **UK's FTSE 100:**
- Fell marginally by 0.10%, reflecting investor caution amid mixed economic data.
---
## Cryptocurrency Market
- **Bitcoin (BTC):**
- Trading at approximately **$88,500**, reflecting a 1.5% increase from the previous close.
- **Ethereum (ETH):**
- Priced around **$2,100**, marking a 1.2% uptick from the prior session.
*These movements suggest that investors may be turning to digital assets as alternative investments during periods of traditional market uncertainty.*
---
## Key Global Economic and Geopolitical Events
- **Trade Policy Developments:**
- President Trump's new auto tariffs have intensified global trade tensions.
- Concerns include retaliatory measures from trading partners (e.g., Japan and Canada) and potential disruptions to international supply chains.
- **Energy Sector Outlook:**
- Despite recent gains, the energy rally appears fragile as it is driven more by increased valuations than by improving earnings.
- **Market Forecasts:**
- Barclays has lowered its year-end price target for the S&P 500 to 5,900 from 6,600, citing concerns over the tariffs’ impact on earnings. This is the lowest target among major U.S. Treasury dealers, reflecting growing apprehension about the economic outlook.
---
## Conclusion
Global financial markets are navigating a complex landscape marked by escalating trade tensions, sector-specific challenges, and evolving economic forecasts. Investors are advised to exercise caution and closely monitor these developments—particularly the impact of new tariffs and their ripple effects on global trade and inflation—when making informed decisions.
-

@ 9f475ec5:d9acc946
2025-03-26 23:18:41
> The next step in AI evolution is enabling AI agents to communicate directly with one another.
> "Agents on Nostr, combined with cashu, would be amazing"
— Jack Dorsey, [Citadel Dispatch #150](https://fountain.fm/episode/OlQzTxXaGKkxfZr1pYLL)
# Today
For AI agents to communicate seamlessly, they need a universal language that allows frictionless data and instruction sharing—one that surpasses the constraints of isolated systems. Just as humans rely on shared languages to collaborate, AI agents require a common “dialect” to exchange information, delegate tasks, and build collective intelligence. Without it, each agent’s logic remains siloed, limiting synergy and innovation. A universal protocol, however, lets agents seamlessly tap into one another’s capabilities, coordinating strategies, sharing learned knowledge, and multiplying their creative potential. By aligning on an open, interoperable standard, AI can flourish into a vibrant, interconnected ecosystem rather than a patchwork of stand-alone solutions.
This is no different from what happened with the Internet when HTTP was released, leading to the development of web browsers and the Internet as we know it today.
Nostr can be viewed as the “HTTP” for agent-to-agent communication—both are open standards that encourage universal participation and spark rapid innovation. When Tim Berners-Lee released HTTP without proprietary restrictions, developers everywhere could build websites and online services on a simple yet extensible protocol. In the same way, Nostr’s minimalistic yet powerful design fosters a decentralized, censorship-resistant foundation for diverse messaging, social, and identity systems. Just as HTTP created an open arena for web platforms and APIs, Nostr offers a flexible, community-driven substrate for agent-based communication, promoting a spirit of collaboration and interoperability crucial to long-term growth.
# Our vision
We envision a world where AI agents operate on an open, standardized, and decentralized network **—a Nostr agentic ecosystem** that unlocks new levels of creativity and collaboration.
Our mission is to develop the tools and infrastructure that enable AI agents to seamlessly interoperate over the Nostr network—facilitating the exchange of both data and money.
# Our first steps
Every marketplace application faces the chicken and egg problem. Sellers won't show up until the buyers are there and buyers won't show up until the sellers are there.
Our solution? The FIFA 2026 World Cup will bring millions of international and domestic travelers to 11 cities in the US.
**Can we work with chambers and tourism agencies around these cities to embbed Nostr powered AI travel organizers into their websites and apps?** This could be a way to onboard thousands of businesses to the Nostr agentic ecosystem. *This is our growth assumption.*
That's why our our first step is to provide businesses—large and small—with a turnkey platform to sell their products and services to any AI agent connected to the open Nostr network.
We will also develop the tools for websites and apps to develop Nostr-powered AI buyers and, with the support of the local chambers and tourism boards, direct their technology suppliers to use these tools.
# Our values
Everything we develop is free and open sourced under the [MIT license](https://github.com/Synvya/agentstr?tab=MIT-1-ov-file#readme) and our business will generate revenue by charging a monthly fee for operating an end-to-end agentic commerce solution to the businesses selling their products through the Nostr agentic ecosystem.
# A rough demo
Today, *we* is just nostr:npub1er0k46yxcugmp6r6mujd5qvp75yp72m98fs6ywcs2k3kqg3f8grqd9py3m 😁 I've created a proof-of-concept buyer AI agent and published real information from some merchants to demonstrate the concept to local chambers and validate the growth assumption.
Feel free to check it out at the Synvya [agentstr repository](https://www.github.com/synvya/agentstr), but be warned, I'm not a programmer so don't freak out with the code.
You can also see a demo here:
nostr:naddr1qvzqqqy9hvpzp868tmzceg2pvymlpdssv8shvu2jlndysp6dxwc67gw5jtv6ej2xqq2hgnfnwdf8yendfa8r2jttdsck6dm0wpm4wnalksn
# Interested?
If this sounds interesting to you, follow nostr:npub1nar4a3vv59qkzdlskcgxrctkw9f0ekjgqaxn8vd0y82f9kdve9rqwjcurn or nostr:npub1er0k46yxcugmp6r6mujd5qvp75yp72m98fs6ywcs2k3kqg3f8grqd9py3m and reach out at any time.
-

@ 878dff7c:037d18bc
2025-03-26 21:55:34
## Popular Grocery Items Recalled Due to E. coli Contamination
### Summary:
Several Fresh Salad Co products sold in Queensland and northern New South Wales have been recalled due to contamination with Shiga toxin-producing E. coli (STEC). Affected items include baby spinach (120g, 280g), baby spinach and rocket (120g), and a stir-fry mix (400g) with specific use-by dates at the end of March. Consumers are advised to return these products for a full refund and seek medical advice if concerned about their health.
Sources: <a href="https://www.news.com.au/lifestyle/food/food-warnings/may-cause-illness-popular-grocery-items-recalled-from-aldi-over-contamination-concerns/news-story/fde28ae65ecbcb33ddede708154136a2" target="_blank">News.com.au - March 27, 2025</a>
## Coalition Proposes Halving Fuel Excise to Alleviate Cost of Living
### Summary:
Opposition Leader Peter Dutton has announced that, if elected, the Coalition would repeal Labor's planned tax cuts and instead implement a 12-month halving of the fuel excise. This initiative aims to reduce petrol prices by 25 cents per litre, providing immediate relief to Australian families and workers facing cost-of-living pressures. The proposal contrasts with Labor's tax cuts, which are set to commence in 15 months and offer annual savings of up to $536 for taxpayers.
Sources: <a href="https://www.theguardian.com/australia-news/live/2025/mar/27/australia-politics-live-fuel-excise-cost-of-living-tax-cuts-salmon-election-anthony-albanese-peter-dutton-ntwnfb" target="_blank">The Guardian - March 27, 2025</a>, <a href="https://www.theaustralian.com.au/nation/federal-budget-2025-peter-dutton-set-to-deliver-his-budget-reply-to-labors-tax-cuts/news-story/fa95119edd600f1df51a4121c1c0c992" target="_blank">The Australian - March 27, 2025</a>
## Federal Budget Criticized for Omitting Key Infrastructure Funding
### Summary:
Groom MP Garth Hamilton has criticized the latest federal budget for lacking funding for critical infrastructure projects in his region. He expressed concerns over the future of regional programs like the Growing Regions and Regional Precincts and Partnerships Programs, which he believes are essential for regional development. Hamilton highlighted the absence of funding for key projects such as the New England Highway, the deteriorating Warrego and Gore Highways, and the stalled Inland Rail project.
Source: <a href="https://www.couriermail.com.au/news/federal-budget-2025-mp-lists-key-rail-road-funding-missing/news-story/515ef11b9aed08158623b01cfb6a7a37" target="_blank">The Courier-Mail - March 27, 2025</a>
## China Faces Challenges in Advanced Robotics Development
### Summary:
China is recognizing the importance of robots in its ageing economy, facing a significant labor shortage. Despite leading in industrial robot installations, most Chinese robots are low-tech compared to advanced humanoids being developed elsewhere. The U.S. and China are both racing to develop sophisticated robots, but China's sector remains reliant on foreign components and faces potential limitations from U.S. sanctions. This dependency makes China's position in the robotics race precarious.
Sources: <a href="https://www.reuters.com/breakingviews/china-has-shaky-upper-hand-battle-robots-2025-03-26/" target="_blank">Reuters - March 26, 2025</a>
## Tax Cuts Passed Amid Election Speculation
### Summary:
Labor's budget tax cuts have been swiftly passed into law, providing the average worker with modest financial relief starting next year. This development leaves Opposition Leader Peter Dutton with a strategic decision on how to position the Coalition's response in the lead-up to the federal election.
Sources: <a href="https://www.9news.com.au/national/federal-budget-2025-tax-cuts-passed-in-final-senate-session/025a7646-fc6d-4e1d-a55a-8a221c468059" target="_blank">9News - March 27, 2025</a>
## Labor Government Proposes Tax on Unrealized Superannuation Gains
### Summary:
The Labor government has introduced a proposal to levy a 15% tax on unrealized capital gains for superannuation balances exceeding $3 million. This initiative aims to generate an additional $9.7 billion between 2024-25 and 2028-29. Critics argue that taxing unrealized gains is unfair and may discourage investment, while supporters contend it promotes fairness in the superannuation system.
Sources: <a href="https://www.news.com.au/finance/economy/budget-reveals-labor-pushing-ahead-with-tax-on-unrealised-capital-gains-for-superannuation/news-story/1362357fc3b588d77f1d806af7ac4a64" target="_blank">News.com.au - 27 March 2025</a>
## New Youth Crime Bill Introduced in NSW Parliament
### Summary:
The State Opposition Attorney General, Alister Henskens, is set to introduce the Crimes Legislation Amendment (Youth Crime) Bill 2025 to the NSW Parliament. The bill aims to combat youth crime by expanding the definition of repeat offenses, revoking bail under specific conditions, and implementing electronic monitoring and mandatory curfews for repeat offenders. The proposal has sparked debates regarding its potential impact on regional communities and the principle of doli incapax.
Sources: <a href="https://www.dailytelegraph.com.au/news/nsw/curfews-electronic-monitoring-bail-overhaul-nsw-coalition-unveils-tough-new-youth-crime-bill/news-story/8dca7960547fd8023701950dc3342aa7" target="_blank">The Daily Telegraph - 27 March 2025</a>
## Prime Minister Albanese Invites President Trump to Visit Australia Amid Tariff Dispute
### Summary:
Prime Minister Anthony Albanese has revealed plans to visit Washington D.C. if he wins the upcoming May election, marking his first international trip. This follows the U.S. imposition of 25% tariffs on steel and aluminum imports from Australia. Despite the tariff dispute, Albanese has invited President Donald Trump to visit Australia, which would be his first trip to the country as President. The timing of Trump's visit would depend on his schedule. Both major Australian political parties remain committed to seeking a solution to the steel and aluminum levies through persistent engagement with the U.S., rejecting reciprocal tariffs on U.S. imports.
Sources: <a href="https://www.news.com.au/national/politics/anthony-albanese-confirms-hes-invited-donald-trump-to-visit-australia/news-story/e9b8a150b1d9c0ab4569974e39177b71" target="_blank">News.com.au - March 26, 2025</a>
## Jewish Groups Criticize Australia's Continued Funding to UNRWA
### Summary:
Jewish groups have criticized the Australian government's decision to continue funding the UN Relief and Works Agency for Palestine Refugees (UNRWA), amounting to $20 million. Concerns have been raised about UNRWA's past associations with terrorism, with claims that its employees participated in the atrocities of October 7. The Executive Council of Australian Jewry has called for the withdrawal of funding, labeling the organization as compromised. Despite this opposition, the Australian government has defended its financial support for humanitarian purposes, ensuring stringent controls and safeguards. This issue adds tension to the upcoming election, reflecting concerns within Jewish and Muslim communities.
Sources: <a href="https://www.theaustralian.com.au/nation/politics/jewish-groups-bristle-over-ongoing-unrwa-budget-funding/news-story/c0bae131f187066dad68ef010d05da30" target="_blank">The Australian - March 26, 2025</a>
## Australia's Inflation Rate Decreases, Offering Relief to Mortgage Holders
### Summary:
Australia's annual inflation rate has fallen to 2.4% as of February, down from the previous month's 2.5%. This decline is attributed to eased rental prices, reduced new home costs, and falling electricity prices due to government rebates. The Reserve Bank of Australia's preferred measure, the "trimmed mean," also decreased to 2.7%. This trend is promising for mortgage holders anticipating potential interest rate cuts and for the Labor government focusing on cost-of-living issues ahead of the upcoming election.
Sources: <a href="https://www.theguardian.com/business/2025/mar/26/australia-inflation-rate-data-update-today-cpi-figures-interest-rates" target="_blank">The Guardian - March 26, 2025</a>, <a href="https://www.reuters.com/markets/australian-consumer-prices-rise-24-february-slower-than-forecasts-2025-03-26/" target="_blank">Reuters - March 26, 2025</a>
## Queensland Farmer Revolutionizes Cattle Mustering with Drones
### Summary:
Luke Chaplin, a fourth-generation grazier from northwest Queensland, has transformed cattle mustering by utilizing drones through his company, SkyKelpie. This innovation has managed over 300,000 livestock across Australia efficiently and cost-effectively. Supported by the Queensland Government and Meat & Livestock Australia, the drone technology offers a high return on investment compared to traditional methods, reducing animal stress and improving herd management. SkyKelpie is also developing online training courses and collaborating on autonomous mustering technologies using AI and image detection.
Sources: <a href="https://www.couriermail.com.au/business/qld-business/how-drone-mustering-business-skykelpie-is-taking-agtech-world-by-storm/news-story/5e423375278b4366e4c573dc031930a5" target="_blank">The Courier-Mail - March 27, 2025</a>
## Anduril Sees Positive Outlook with New U.S. Defense Policies
### Summary:
Anduril President Christian Brose expressed optimism about the company's prospects under the new Trump Pentagon administration, which is perceived to be more receptive to autonomous defense systems. Anduril plans to partner with OpenAI to enhance national security missions and is expanding its manufacturing capabilities, including potential international expansion in Australia. The company develops autonomous systems like the Ghost Shark, offering rapid deployment and cost efficiency compared to traditional manned military assets.
Source: <a href="https://www.reuters.com/business/aerospace-defense/anduril-says-ai-start-up-sees-good-vibes-new-trump-pentagon-2025-03-26/" target="_blank">Reuters - 27 March 2025</a>
## Controversial Legislation Passed to Protect Tasmanian Salmon Industry Amid Environmental Concerns
### Summary:
The Australian Parliament has passed a contentious bill aimed at safeguarding Tasmania's salmon farming industry, specifically in Macquarie Harbour. This legislation limits the federal environment minister's authority to review long-standing projects, effectively halting an ongoing assessment of the 2012 expansion of fish farming in the area. Critics argue that this move compromises environmental standards and threatens the endangered Maugean skate. Notably, Greens Senator Sarah Hanson-Young protested by displaying a dead salmon in the Senate chamber, and international figures like Leonardo DiCaprio have called for the shutdown of destructive salmon farms to protect marine life. The government maintains that the law addresses specific regulatory issues and won't affect new projects related to coal, gas, or land-clearing.
Sources: <a href="https://www.theguardian.com/environment/2025/mar/26/controversial-bill-to-protect-tasmanian-salmon-industry-passes-despite-environmental-concerns" target="_blank">The Guardian - March 27, 2025</a>, <a href="https://www.heraldsun.com.au/news/tasmania/federal-government-introduces-legislation-allowing-salmon-farming-to-continue-in-macquarie-harbour-to-the-house-of-representatives/news-story/4ba85bf5793dede7d209f98bc82db1c5" target="_blank">Herald Sun - March 27, 2025</a>, <a href="https://www.news.com.au/national/politics/greens-senator-hansonyoung-brings-dead-headless-salmon-into-question-time-as-debate-over-salmon-farming-heats-up/news-story/a7d1a8c81cbf1b71c167e255c716a6a0" target="_blank">News.com.au - March 27, 2025</a>, <a href="https://www.theaustralian.com.au/nation/politics/plibersek-hurts-dicaprio-pleads-hansonyoung-creates-stink-in-the-salmon-debate/news-story/fbdce270449f571f04fc3e487384f87e" target="_blank">The Australian - March 27, 2025</a>
## The 5 Types of Wealth – Real Talk with Zuby ft. Sahil Bloom (Episode #349)
### Summary:
In this insightful episode of *Real Talk with Zuby*, entrepreneur and writer **Sahil Bloom** joins the show to break down his popular framework of **"The 5 Types of Wealth."** The conversation goes beyond money, exploring what it truly means to live a rich and fulfilling life.
Bloom outlines the following five categories of wealth:
1. **Financial Wealth** – Income, savings, investments – the traditional definition of wealth.
2. **Social Wealth** – Relationships, reputation, network, and community impact.
3. **Physical Wealth** – Health, fitness, energy levels, and lifestyle habits.
4. **Mental Wealth** – Emotional resilience, knowledge, creativity, and mindset.
5. **Time Wealth** – Freedom and control over how you spend your days.
### Key Highlights & Insights:
- **Reframing Success**: Bloom critiques the modern obsession with financial success and emphasizes that true prosperity is multidimensional.
- **Balance vs. Optimization**: He talks about how chasing one form of wealth (e.g., money) at the expense of others often leads to long-term regret.
- **Time as the Ultimate Currency**: The discussion touches on the importance of buying back your time and designing a life where you're not constantly reacting.
- **Health & Longevity**: Physical wealth is highlighted as the foundation that enables enjoyment of the other four.
- **Practical Framework**: The episode includes a useful breakdown of how listeners can audit and improve each area of wealth in their own lives.
This episode offers a thought-provoking lens for anyone reassessing their priorities or striving for more balanced success.
Source: <a href="https://open.spotify.com/episode/0ONExJkuFbRToxwMoMpjpj" target="_blank">Spotify - 27 March 2025</a>
-

@ 6b3780ef:221416c8
2025-03-26 18:42:00
This workshop will guide you through exploring the concepts behind MCP servers and how to deploy them as DVMs in Nostr using DVMCP. By the end, you'll understand how these systems work together and be able to create your own deployments.
## Understanding MCP Systems
MCP (Model Context Protocol) systems consist of two main components that work together:
1. **MCP Server**: The heart of the system that exposes tools, which you can access via the `.listTools()` method.
2. **MCP Client**: The interface that connects to the MCP server and lets you use the tools it offers.
These servers and clients can communicate using different transport methods:
- **Standard I/O (stdio)**: A simple local connection method when your server and client are on the same machine.
- **Server-Sent Events (SSE)**: Uses HTTP to create a communication channel.
For this workshop, we'll use stdio to deploy our server. DVMCP will act as a bridge, connecting to your MCP server as an MCP client, and exposing its tools as a DVM that anyone can call from Nostr.
## Creating (or Finding) an MCP Server
Building an MCP server is simpler than you might think:
1. Create software in any programming language you're comfortable with.
2. Add an MCP library to expose your server's MCP interface.
3. Create an API that wraps around your software's functionality.
Once your server is ready, an MCP client can connect, for example, with `bun index.js`, and then call `.listTools()` to discover what your server can do. This pattern, known as reflection, makes Nostr DVMs and MCP a perfect match since both use JSON, and DVMs can announce and call tools, effectively becoming an MCP proxy.
Alternatively, you can use one of the many existing MCP servers available in various repositories.
For more information about mcp and how to build mcp servers you can visit https://modelcontextprotocol.io/
## Setting Up the Workshop
Let's get hands-on:
First, to follow this workshop you will need Bun. Install it from https://bun.sh/. For Linux and macOS, you can use the installation script:
```
curl -fsSL https://bun.sh/install | bash
```
1. **Choose your MCP server**: You can either create one or use an existing one.
2. **Inspect your server** using the MCP inspector tool:
```bash
npx @modelcontextprotocol/inspector build/index.js arg1 arg2
```
This will:
- Launch a client UI (default: http://localhost:5173)
- Start an MCP proxy server (default: port 3000)
- Pass any additional arguments directly to your server
3. **Use the inspector**: Open the client UI in your browser to connect with your server, list available tools, and test its functionality.
## Deploying with DVMCP
Now for the exciting part – making your MCP server available to everyone on Nostr:
1. Navigate to your MCP server directory.
2. Run without installing (quickest way):
```
npx @dvmcp/bridge
```
3. Or install globally for regular use:
```
npm install -g @dvmcp/bridge
# or
bun install -g @dvmcp/bridge
```
Then run using:
```bash
dvmcp-bridge
```
This will guide you through creating the necessary configuration.
Watch the console logs to confirm successful setup – you'll see your public key and process information, or any issues that need addressing.
For the configuration, you can set the relay as `wss://relay.dvmcp.fun` , or use any other of your preference
## Testing and Integration
1. **Visit [dvmcp.fun](https://dvmcp.fun)** to see your DVM announcement.
2. Call your tools and watch the responses come back.
For production use, consider running dvmcp-bridge as a system service or creating a container for greater reliability and uptime.
## Integrating with LLM Clients
You can also integrate your DVMCP deployment with LLM clients using the discovery package:
1. Install and use the `@dvmcp/discovery` package:
```bash
npx @dvmcp/discovery
```
2. This package acts as an MCP server for your LLM system by:
- Connecting to configured Nostr relays
- Discovering tools from DVMCP servers
- Making them available to your LLM applications
3. Connect to specific servers or providers using these flags:
```bash
# Connect to all DVMCP servers from a provider
npx @dvmcp/discovery --provider npub1...
# Connect to a specific DVMCP server
npx @dvmcp/discovery --server naddr1...
```
Using these flags, you wouldn't need a configuration file. You can find these commands and Claude desktop configuration already prepared for copy and paste at [dvmcp.fun](https://dvmcp.fun).
This feature lets you connect to any DVMCP server using Nostr and integrate it into your client, either as a DVM or in LLM-powered applications.
## Final thoughts
If you've followed this workshop, you now have an MCP server deployed as a Nostr DVM. This means that local resources from the system where the MCP server is running can be accessed through Nostr in a decentralized manner. This capability is powerful and opens up numerous possibilities and opportunities for fun.
You can use this setup for various use cases, including in a controlled/local environment. For instance, you can deploy a relay in your local network that's only accessible within it, exposing all your local MCP servers to anyone connected to the network. This setup can act as a hub for communication between different systems, which could be particularly interesting for applications in home automation or other fields. The potential applications are limitless.
However, it's important to keep in mind that there are security concerns when exposing local resources publicly. You should be mindful of these risks and prioritize security when creating and deploying your MCP servers on Nostr.
Finally, these are new ideas, and the software is still under development. If you have any feedback, please refer to the GitHub repository to report issues or collaborate. DVMCP also has a Signal group you can join. Additionally, you can engage with the community on Nostr using the #dvmcp hashtag.
## Useful Resources
- **Official Documentation**:
- Model Context Protocol: [modelcontextprotocol.org](https://modelcontextprotocol.org)
- DVMCP.fun: [dvmcp.fun](https://dvmcp.fun)
- **Source Code and Development**:
- DVMCP: [github.com/gzuuus/dvmcp](https://github.com/gzuuus/dvmcp)
- DVMCP.fun: [github.com/gzuuus/dvmcpfun](https://github.com/gzuuus/dvmcpfun)
- **MCP Servers and Clients**:
- Smithery AI: [smithery.ai](https://smithery.ai)
- MCP.so: [mcp.so](https://mcp.so)
- Glama AI MCP Servers: [glama.ai/mcp/servers](https://glama.ai/mcp/servers)
- [Signal group](https://signal.group/#CjQKIOgvfFJf8ZFZ1SsMx7teFqNF73sZ9Elaj_v5i6RSjDHmEhA5v69L4_l2dhQfwAm2SFGD)
Happy building!
-

@ 000002de:c05780a7
2025-03-26 18:00:41
Over the past few years I've noticed more people using the [political compass](https://en.wikipedia.org/wiki/The_Political_Compass) to compare where different movements and people fall in comparison to each other.

For many years I have found the left / right evaluation of politics less and less useful. Mostly because it really doesn't account for authoritarianism and other factors such as economics. I'm not sure the political compass is great but it seems better to me.
Have you looked into it? Any issues you've found? Mostly curious what others think about it.
originally posted at https://stacker.news/items/925938
-

@ b12e2899:ed9d9c8b
2025-03-26 17:33:37
I have completely switched to Nostr and today am going to share my experience, which may be useful to those of you who want to launch a bot on a social network and encounters censorship. The thing is Nostr is ideal for this, but first things first:
It all started when I suddenly woke up to see my twitter bot [@cryptoratingbot](https://x.com/cryptoratingbot) suspended without any explanation. I contacted support, but they apparently considered my case too insignificant to even respond. The goal of my bot was to attract users and provide free tools like [charts.xport.top](https://charts.xport.top/), [tickerbell.xport.top](https://tickerbell.xport.top/) and few others that you can find out about in my previous publications. It worked, and accumulated all in all around 60k engagement a year. Silly, right? You can do this in two days doing it the right way. But I was in no hurry. Overall I gained 10 new users per day and that was enough for me to begin with since I wasn’t prepared for the big wave of users. But that is not the topic for today. I can tell you more about this later on, if you are interested click like and subscribe.
I was planning to buy a premium, but then twitter suspended my bot which actually didn’t do anything bad if you think about it. Furthermore, it was useful, otherwise why would people use it and like its tweets. Anyway, this ruined my plans and forced me to think about switching to Nostr. Today I can tell that it was definitely worth it! I haven’t lost anything, except time and overall gained from it! But I won’t say too much, so as not to bore you. However, this context is important for a better understanding of my situation. There are much more details and if you have any questions, feel free to ask, I will try to answer everyone.
Hard to believe, but these things can help you make money from buying cryptocurrency on the bottoms in a right time just when it starts trading, if you understand what you’re doing. That’s not easy. Maybe I will share some thoughts later on, until then you may find more info in my previous articles.
In fact, I decided to write this because for the first time since I was introduced to Nostr I finally tried proof-of-work([nip-13](https://github.com/nostr-protocol/nips/blob/master/13.md) pow) myself and I love it! I see such a thing for the first time on a social media. No moderation or censorship measures are needed. After all, if you are ready to burn resources to publish events, then it is definitely not a spam. And that’s the beauty of it!
I’ve picked 7 relays to try and publish 5000+ events that my previous version collected from top 12 cryptocurrency exchanges. Two relays rejected those events after some time, most likely because as always I have forgot to add something crucial — nonce tag, to help relays understand I am using pow. I thought it would add it itself, but seemes that it wouldn’t. What a shame! However, other 5 relays are ok with that! Maybe because I wasn’t publishing events too often, I don’t know, but anyway the more freedom the more I love it! And if you want find more about relays you can use use [nostrwat.ch](https://nostrwat.ch/) which is the greatest resource for finding the best relays to use.
While I was writing this article, another few relays dropped connections, but that’s fine, I have selected 7 relays out of about 700 active online.
This is how my server statistics looks like:



So, besides everything else, I also checked [Netcup root server G11](https://www.netcup.com/en/server/root-server) stats. In my opinion, this is the best of all that I have ever dealt with. And this is not an advertisement, no. I found this company on my own, just watching how Nostr relays works in terms of price/quality, so this is my personal recommendation. But if you think you know better root server solutions please let me know in the comment below.
The only disadvantage I have encountered is you can wait for their support for few days to answer, but that’s ok if you know what you’re doing. I have no problem with this. I try to be careful and there were no problems for two months since I ordered it and use it on the daily basis.
In short, this is my journey. Don’t scold me for this. It’s just that I’ve been saving all this up for a long time, and today I realized that I simply have to tell you about it!
Thank you all and see you soon! Cheers 🍻

-

@ ff517fbf:fde1561b
2025-03-26 16:48:41
> フアン・ラモン・ラッロ氏は、スペイン出身の経済学者・作家であり、自由市場経済とリベラルな思想の提唱者として知られています。彼は、国家による過剰な介入や財政政策の問題点を鋭く分析し、自由主義の基本原則に基づく社会の実現を目指す論考や著作を多数発表しています。数多くのメディアや学会で講演を行い、現代社会における経済政策や公共の役割について、国際的な議論にも影響を与えている人物です。
---

皆様、こんばんは。そして、Andorra Economic Forumの皆様、本日はご招待いただき誠にありがとうございます。
本日の講演では、これまで私が持ち続けてきた見解、すなわち、より自由で、より繁栄するために、スペイン及び世界において自由主義革命がなぜ必要であり、さらには急務であるのかという理由をお伝えしたいと思います。また、現代国家が、ストックホルム症候群のような論理に我々を陥れており、その結果、国家が我々の自由を体系的に制限し、財産を構造的に攻撃している状況を、ほとんどの人々が抗議もせず、またはその非常事態性すら意識していないという現実をどのように理解すべきかについても触れます。
まず初めに、皆様のご反応から察するに、これは既知の内容に感じられるかもしれませんが、自由主義の基本原則、すなわち四つの基本的な考えを確認させていただきます。どのようにして、社会生活と、各個人が自らの人生計画を追求するための自律性とを両立させ、かつ、個々の自律性が打ち消されるような一個または多数の専制に服従することなく生きることができる社会が成立するのでしょうか? それは、協力と共存が可能な社会の中で、各人が自己の利益を追求し、同時に他者の利益追求を尊重するための基本原則、すなわち以下の四つの原則によって支えられているのです。
第一に、個人の自由、すなわち他者の行動を踏みにじることなく自ら行動するという、いわゆる非攻撃の原則です。自分が望むことは何でもできますが、他者が望むことをするのを妨げてはならず、また、他者があなたの望むことを妨げることも許されないのです。
第二に、私有財産です。平和的に獲得し、平和的に自らのものとしたものはあなたのものであり、それによって自由に行動し、自らの人生計画や行動計画を追求する手段となります。もしも、これらの計画遂行に必要な手段が恣意的に奪われるならば、それはあなたの個人の自由、すなわち自らの人生計画を追求する自由を侵害することになるのです。
第三に、契約の自律性です。あなたは第三者と自由に合意を結ぶことができます。もちろん、第三者を攻撃することは許されませんが、双方が望むことについて自発的に合意することは可能です。合意は、当事者間の私法上の契約であり、両者が履行すべき約束であり、第三者が介入してこれを正当化したり否定したりするものではありません。ただし、合意の内容は、あくまで当事者双方やその所有物にのみ影響を及ぼすものです。
そして最後に、広義の意味での結社の自由です。個人は、契約上、望むことについて合意するだけでなく、共に生活する方法や、ある程度安定した形で組織される方法を合意することも明示的に可能です。これらの原則は、しばしば国家によって保証されると言われます。なぜなら、国家がなければ、法体系も安全保障機関も存在せず、個人の自由、私有財産、契約の履行、そして結社の自由を保障するものが何もないと思われがちだからです。とはいえ、確かにある程度の国家は、警察国家としてこれらの基本的な社会的共存の規範を保証するために必要かもしれませんが、私たちが必要としているのは、単にこれらの自由主義社会の原則と自由な人々の相互作用が尊重されることを確保するための、巨大かつ過剰な国家ではありません。
実際、国家が大きくなるほど、つまり社会における国家の存在感が増すほど、これらの原則は侵害されがちです。なぜなら、国家は恣意的に規制を強化し、税金を引き上げることで、たとえ他者に損害を与えなくとも、個人が望むように行動する自由を阻み、また、私有財産を強制的に奪い、当事者間の取引を妨げ、さらには、結社および脱会の自由さえも制限してしまうからです。たとえば、誰かが既存の国家から離れ、他の国家に参加したり、あるいは新たな国家や政治共同体を形成して自らを組織しようとした場合でさえ、現行の国家はそれを認めないのです。
さて、これらの自由主義の基本原則は、各個人の計画や人生のプロジェクトが社会の中で花開くために必要不可欠なものであり、現代国家によって体系的に侵害されているのです。しかし、現代国家とは、必ずしも常に我々と共にあった国家ではありません。私たちは、今日のようなメガ国家、ハイパーステート、過剰に肥大化した国家をある程度は当たり前のものとして受け入れてしまっていますが、これらは唯一の政治的選択肢ではなく、歴史を通じて存在してきた唯一の政治現実でもないのです。
ここで、主要な西洋諸国における国家の社会に占める重みの変遷について、皆様にご覧いただければと思います。今日、国家の重みは国によって大きな違いはないものの、概ね国内総生産(GDP)の40〜50%を占めています。中には、例えばフランスのようにGDPの60%に達する国もあります。国家が社会的調和や幸福の保証とされることは稀であり、実際、フランスは世界最大の国家を有しながら、またはそのために、今最も分断され混沌とした国の一つとなっています。
しかし、現状、国家はGDPの40〜50%、すなわち社会が毎年生み出す生産の約半分を吸収し、再分配または政治層や官僚階級が決定した形で消費しているのです。これは常にそうであったわけではありません。19世紀、ひいては第一次世界大戦前までは、近代先進国における国家の経済的重みはGDPの5〜10%程度に過ぎなかったのです。
例えば、アメリカ合衆国では第一次世界大戦前、国家のGDPに占める割合は3〜4%でしたし、今日巨大な社会民主主義国家となっているスウェーデンでさえ、かつてはGDPの5%程度でした。すなわち、国家というものが必然的に経済の半分を占めなければならないというわけではなく、これは徐々に積み重ねられてきたプロセス、いわばゆっくりと沸騰させられるカエルのようなものです。第一次世界大戦後、国家の経済に対する重みは大幅かつ確固たる上昇を見せ、さらに第二次世界大戦後には、急激かつ持続的な上昇を経て、1970年代以降、現在の水準にまで達したのです。
ちなみに、ここで我々がしばしば耳にする「国家が後退しているから、我々は新自由主義の時代にいる」というレトリックが、いかに毒性がありずる賢いものであるかにも注目してください。過去40年間で、グラフ上に国家の重みが大幅に後退したと示す兆候は見当たりません。ある時点で国家のGDPに占める割合が1〜2%減少することがあったとしても、200年の間にGDPの5%から50%へと増加し、現在は概ね50%前後に留まっているのです。国家が後退し、民間部門がすべてを占めるようになっている、というのは全く逆の現象です。
実際、多くの人は、国家が拡大し続けるのが当然であり、もし急速な成長が見られなければ、国家は後退していると考えがちです。しかし、国家は既にそれ以上大きく成長する余地がほとんどないのです。もちろん、GDPの60%、70%、80%にまで達すれば、直接的または間接的な社会主義経済になってしまいます。
そして、なぜ国家はこれほどまでに成長したのでしょうか。急激な国家拡大を説明する基本的な要因の一つは、福祉国家の発展です。つまり、かつては国家が提供していた医療、社会保障(年金、事故保険など)や教育といったサービスの国家による提供が、福祉国家として大きく発展したのです。
ご覧の通り、1930年代や第二次世界大戦後までは社会保障費は非常に低い水準にありましたが、特に第二次世界大戦後からは、GDPの20〜30%にまで急上昇しました。これらはかつて、市民社会や市場を通じ、または必ずしも商業的な交換を介して提供されていた、労働組合などが担っていた社会保障の役割を、国家が吸収していったものです。労働組合は国家から独立し、時には国家に対抗しながら、社会保障の機能を果たしていたのですが、その役割が国家に吸収されることで、我々は国家に依存するようになってしまったのです。
なぜなら、社会保障費は支出であり、中には「依存費用」とも呼ばれるものもあります。たとえば、老後に収入がなくなった時や、何らかの障害によって収入が得られなくなった時のために、個人の貯蓄から基金を積み立てる場合、その基金が自分自身で管理されるなら自律的ですが、国家が管理すれば、私たちは国家に全く依存することになってしまうのです。国家が消滅するか、大幅な予算削減が行われれば、我々は何も残らないのです。結果として、国民は容易には消えない国家の爪痕に囚われることになるのです。公共年金制度の問題を考えてみてください。現代の先進国家において、公共年金制度は最も大きな支出項目の一つです。
では、どうすれば公共年金制度を解体できるのでしょうか。どうすれば、必要以上に介入してきた国家、例えばアメリカ合衆国では大恐慌期(1930年代)に、必要がなかったのに介入してきた国家を、その状況から脱却させることができるのでしょうか。設立当初は、ある一定の年齢に達した者には一定額の年金を支給すると約束し、その費用を現在働いている者への税負担によって賄うというシステムでした。
システムの構築は、当時の平均寿命がかなり低く、支給期間が2~3年程度であったため、比較的容易で安価に行われたのですが、システムが一度確立され、世代を超えた労働者の貯蓄能力を事実上奪う形で構築された今、どうやってそれを解体すればよいのでしょうか。もし「年金は支給されなくなるのか」と言えば、かつて生産期に労働者の給与のかなりの部分を国家が吸収し、貯蓄を阻害していた結果、何百万人もの人々が貧困に陥ることになるのです。
じゃあ、もう引退されている皆さんは年金を受け取ることになりますが、現役世代がその年金の費用を負担し、そして自分たちが引退する時には年金を受け取ることができなくなるのです。つまり、この世代からは何の対価もなく、給与のごく大部分が没収されることになるというわけです。これをどうやって解体するつもりですか? 決して容易なことではありません。
また、例えば医療制度についても同様です。若者にとっては医療制度の解体はそれほど難しくないように見えるかもしれませんが、貯蓄がなく、保険にも加入していない高齢者にとって、もし今、公共医療制度が終了し、年齢とともに医療費が指数関数的に上昇するために通常以上の医療費が発生すると告げられたら、彼らはその医療費にどう対処すればよいのでしょうか? 彼らは、公共医療制度が機能するという説明のもとに、その医療費が賄われると予め想定し、税金を支払っていたのです。
これをどう逆転させるか? もちろん、即座に行えることではありませんが、時間をかけた移行措置として行っていかなければなりません。だからこそ、国家はこの道を通じて成長し続け、社会がますます国家による再分配に依存するようになることで、国民の自律性を奪っていくのです。
ちなみに、現代福祉国家の発明者の一人であるのは、プロイセン出身のドイツの首相オットー・フォン・ビスマルクです。彼の回顧録――つまり、批判的ではない親しい記者によって書かれた回顧録――によれば、ビスマルクは、公共年金制度を創設することで労働者階級を国家に依存させ、労働者が国家に対して反抗しないように仕向けたと説明しています。当時、反抗は、いわば反資本主義的な行為とみなされていたのです。彼は、国家主義を維持するためではなく、「労働者には社会主義的傾向がある。では、どうすれば労働者を手なずけることができるのか?」という視点から、公共年金制度を利用したのです。同様に、労働者は公共年金制度を通じて、または国家に対抗する形で手なずけられるのです。そして、現状はこの通りになっています。
そこで、皆さんは疑問に思うかもしれません。この何世代にもわたって築かれてきた巨大国家は、具体的にどのような機能を果たしているのでしょうか? その資金はどこに行っているのか? この巨大国家は何に対して支出をしているのか? ここに、2022年の欧州連合各国の平均、すなわちGDPの50%という数字があります。スペインの場合も2022年時点で大きな差はなく、GDPの47%を支出しているため、概ね代表的な数値といえます。さて、この50%のうちの20%は社会保障費、主に年金費用(老後だけでなく、遺族、障害、孤児などに関する給付も含む)です。これに加え、比較的低コストな非拠出型給付も存在します。次に、スペインの場合は約7.7%、すなわち7〜8%が医療費、6%が官僚機構の運営費用、そして何よりも重要なのが公債の利子支払い費用です。さらに6%は経済政策に充てられ、例えばインフラ整備や農業支援などが含まれています。教育に関しては、公立教育や協定校を含めて約4.7%、環境保護は0.8%(これは必ずしも気候政策だけでなく、森林の管理なども含む)、住宅や地域サービスが1%、そして余暇、文化、宗教に関しては1.1%となっています。これらは、メディアや文化、宗教団体への補助金などとして支出されています。
かつて、リベラルな最小国家、例えばアメリカではGDPの3%程度であった国家がありました。なぜなら、当時は上記のような広範な機能を持たず、防衛(GDPの1.3%)と治安・司法(GDPの1.7%)に集中していたからです。つまり、19世紀にGDPの3%を占めていた国家が、現在もその核となる部分は同じ3%のままであるということです。国家が高価になったわけではなく、19世紀に存在した国家のコストは大体同じであったにもかかわらず、現代国家は19世紀よりもはるかに多くの機能を担っているため、多くの税金が必要とされているのです。もちろん、すべては税金で賄われています。
では、いったいどれだけの税金が支払われているのでしょうか。ここでは、国民が被っている税負担の実態について十分に認識されていないのではないかと思います。もしその実態が明らかになれば、社会的不服従が起こるでしょう。国家は、税の実感を曖昧にするための手段を多数用いているのです。例えば、さまざまな理由で税金を徴収する仕組みです。「この項目に対して税金を払え」と一律に要求するのではなく、「稼いだ金額、支出、保有資産、さらには支出全体に対して税金を課す」といった形で、複数の種類の税金を同時に適用します。消費全体に対して一律に税金を課すのではなく、付加価値税(IVA)やその他の特別税など、多岐にわたる特別な税金が存在し、相続税に至るまで多岐に渡ります。
さらに、我々はさまざまな側面で税金を支払っているにもかかわらず、その実感すら持っていないこともあります。たとえば、関税はその値上がり分を商品の価格に転嫁されるため、意識されにくいのです。付加価値税が上がっても、スーパーなどが告知しない限り、私たちはその上昇に気づきにくいのです。また、税負担を一度にまとめて徴収するのではなく、分散して給与から差し引くことで、その実感を薄めています。かつては、年間に稼いだ金額に対して一括で所得税(IRPF)を支払うのが普通でしたが、現代では分割して徴収されるため、納税者は自分がどれだけの税金を支払っているのかを実感しにくいのです。ちなみに、IRPFの源泉徴収制度は、第二次世界大戦中にリベラルのミルトン・フリードマンによって考案されたものです。つまり、敵はしばしば自国に潜むものでもあるということです。
ここで示したのは、平均的な支出額です。スペイン国家のすべての財政収入を国民または労働者で割ると、国民一人あたりの国家負担のおおよそのコストが見えてきます。実際には公共赤字、すなわち収入以上に支出している部分もあり、その分は将来の税負担として転嫁されるため、実際のコストはさらに大きくなります。ここでは、現状で国民から徴収されている税金のみを取り上げています。なお、これらの数字はインフレーションを考慮していないため、2001年と2024年の数字を直接比較することはできませんが、ここでは2024年現在の状況に焦点を当てています。現在、平均してスペイン国民一人あたり、約15,000ユーロの税負担がかかっているのです。つまり、一般的には夫婦と子供一人の家庭で約50,000ユーロの税金が支払われている計算になります。労働者という視点に立てば、実際に税金を支払っているのは、平均で30,000ユーロ以上にのぼります。もちろん、高所得者層が多くを負担しているという見方もありますが、これは平均値であり、平均値は必ずしも実態を正確に反映するものではありません。
さて、労働者一人あたりの支払いを、かなり寛大な見積もりで考えてみましょう。スペインにおける現在の中央値の給与は22,400ユーロです。しかし、この22,400ユーロという数字が給与明細に反映される前に、企業側がすでに支払っている社会保険料が約7,000ユーロ存在しています。つまり、実際の中央値の給与は29,000ユーロ、ほぼ30,000ユーロであるべきものですが、この30,000ユーロは労働者自身が実感できるものではありません。そして、たとえ「実際は自分のものである」と伝えても、「それは企業が支払っているものであって、自分が支払っているわけではない」と言われ、自己欺瞞に陥るのです。結局のところ、実際に支払っているのは自分自身なのです。
実際、30,000ユーロの実質報酬を基にすると、そこから7,000ユーロが差し引かれて、給与明細に表示されるのは22,400ユーロです。さらに、労働者側の社会保険料として約1,500ユーロを追加で支払い、所得税(IRPF)が約3,000ユーロ、さらに消費に応じた間接税が最低でも約2,000ユーロ(場合によってはそれ以上)かかります。さらに、ここでは取り上げていない他の国家への支払い、たとえば不動産税(IBI)やサービス料、共済負担金なども存在します。結果として、中央値の労働者は、本来約30,000ユーロあるべき給与のうち、税引き後に手元に残るのは約15,800ユーロに過ぎないのです。つまり、ほぼその半分が国家によって吸収されていることになります。年間で見ると、さまざまな税金、特に社会保険料、所得税、そして間接税として、合計約13,400ユーロが徴収されているのです。
このように、中央値の労働者は、所得分布の中央に位置しており、非常に多くの人々が彼より少なく、また多く稼いでいる人もいます。だからこそ、中央値の労働者が支払っている税負担、すなわち年間約13,400ユーロという数字は、スペイン国民に対して行われている極めて大規模な税負担の実態を物語っています。これにより、国家から提供されるサービスが強制的に受け入れられているのです。
果たして、これは必然なのでしょうか? 歴史的に見れば必ずしもそうではなく、また現代においても地域によって差があります。つまり、労働者が生み出す富の半分以上を国家が吸収するという、巨大な国家が当然であるという考え方は、今後も続くものではありません。ここには、異なる繁栄度を持つ国々が存在し、一般的に発展した国々であっても、欧州やアメリカのような国家に比べ、国家の規模はかなり小さく抑えられている国もあります。しばしば「スペインの国家規模は欧州平均より小さい」と言われますが、欧州平均自体が、プロの略奪者たちのクラブのようなものなのです。従って、欧州平均という水準と比較するのではなく、もっと控えめな国家規模を持つ国々や、税負担の貪欲さが制限された国々と比較すべきです。
例えば、ヨーロッパ内ではスイスがあります。偶然かどうかはさておき、スイスはヨーロッパで最も豊かな国の一つでありながら、国家のGDPに占める割合は33%と、欧州やアメリカに比べて10〜15ポイント低いのです。また、香港や韓国はGDPの28%、チリはこの分類の中では最も貧しいかもしれませんが約26%、台湾は16%、そして世界で最も豊かな国であるシンガポールは15%です。シンガポールや台湾は、国家がGDPの15〜16%という小規模な状態で十分に現代社会の機能を果たしているのです。もちろん、シンガポールの場合は都市国家であるため、経済規模のメリットもあるでしょうが、公共支出の大部分が社会保障に回っている現状を鑑みると、都市規模か大国家かは大した違いがないのです。むしろ、シンガポールや台湾のように、GDPに対して国家の規模が30ポイントも低い国の方が、国家による私有財産の侵害が少ないと言えます。
したがって、もし大規模な国家による大規模な略奪を回避でき、しかも機能的には他の国と同等以上に運営できるのであれば、当然、より少ない税負担で、なおかつより効率的な公共サービスを提供する国家の方が望ましいのです。実際、国家が何でもかんでも行おうとすれば、その多くは非効率にならざるを得ません。一方で、企業がすべてを行おうとしても、専門分野に特化した他の企業に競争で敗れるため、最終的には消費者がより良いサービスを選ぶことになるのです。問題は、国家の場合、国民が国家から自由に離脱し、同じサービスを提供する他の組織と契約する余地がないという点にあります。国民は、非常に非効率かつ高コストな国家サービスに縛られており、選択の余地がないのです。したがって、もし小規模で効率的な国家が存在すれば、それは大規模で税負担の重い国家よりも好まれるはずです。
そして、もし国家が回収するGDPの割合が30ポイントも大きいのであれば、それは明らかに国民の私有財産を暴力的に侵害していると言わざるを得ません。ですから、もし国家による大規模な略奪を回避し、かつ他国と同等以上の機能を果たすことが可能であれば、国家は少なくとも縮小されるべきです。なぜなら、そうした国家は国民にとって好都合であるだけでなく、公共サービスの質も向上し、効率的に運営されるからです。結局のところ、すべては国家ではなく、国家に寄生する巨大な官僚組織の福祉が優先されているのです。
もし、あなたの社会にこれほど大きく根付いた寄生虫が存在するならば、その寄生虫は当然、去ろうとはしません。むしろ、さらに大きな植民地を形成しようとするでしょう。これが、国家が成長し続ける理由であり、そして、血を吸い上げるこの寄生虫と戦う必要性が生じる所以なのです。
別のシナリオを考えてみましょう。つまり、現代社会における国家の規模を実質的に縮小するという仮定を立て、その実現可能性や現実味について見極めるためです。これまでに、ヨーロッパにおける現代国家の重みがGDPの50%に達していること、その内訳を示してきました。さて、かつての状況を想像してみてください。あの時代は、科学フィクションのようなことは必要なく、医療はゼロ、経済政策も実質ゼロで、民間部門が構築できないインフラだけが、もしあれば驚くほど僅か、GDPの1%程度だったのです。教育はゼロ、防衛と公共秩序は維持されるものの、余暇・文化・宗教への補助金はゼロでした。地域サービスや環境保護に関しては、下水道、街路灯、森林の維持管理など必要な分は残され、官僚組織も非常に大幅に縮小され、社会保障も一部のみが残されていました。
さて、しばしば「国家は富裕層からお金を奪い、貧困層へ再分配するために存在する」と言われますが、実際、社会保障はGDPの20%に相当します。ここで、極端な貧困を防止するために本当に必要な支出額を計算してみましょう。そうすれば、皆さんも、このGDPの20%は貧困撲滅のためのものではなく、むしろ国家が横方向の所得再分配システムを通じて国民を捕らえ続けるためのものであると気づくでしょう。すなわち、国家はあなたからお金を取り、そのお金を自らの利益や必要に応じて配分するために、あなたと国家の間に割り込むのです。バストス教授が正しく指摘しているように、その所得の移動は、富裕層から貧困層へ、またはその逆ではなく、すべての人々から国家へ向かっているのです。そして国家は、その所得を自らの利益や必要に従って再分配することを決定します。
では、先ほど示したような形で国家の各機能を大幅に縮小した場合、結果として国家はGDPの9~10%程度の規模となり、現状よりも30~40ポイント、つまり約80%縮小された国家になるでしょう。防衛費、治安費は現状と同等に維持される(ただし、治安費については内部の官僚機構によっても左右されるため、この点はまた別の議論になります。たとえば、スペインはヨーロッパで国民一人あたりの治安部隊職員数が最も多い国ですが、本当にそれだけ必要なのかはまた別問題です)。安全保障費がGDPの1.7%、防衛費が1.3%、官僚組織が1%、地域サービスや環境保護が1%、民間部門ではまかなえないインフラがさらに1%、そして社会保障が3%という具合です。現在、社会保障としてGDPの3%、すなわち450億ユーロが支出されています。これは、450億ユーロの社会保障費を、例えば4.5百万人(スペイン人口のおよそ10%)に対して年間1人あたり1万ユーロずつ支給するか、あるいは300万人に対して1万5千ユーロずつ支給するということになります。繁栄した社会において、極端な無助状態に陥る国民の割合はどれほどか、という問題です。彼らは、生命保険、障害保険、個人貯蓄すら持たず、福祉国家が生まれる前に存在したボランティアや民間の相互扶助ネットワークさえも利用できなかった層です。これらを踏まえた上で、絶対的な無助状態に陥り、国家からの継続的な支援を必要とする国民の割合がたとえば5~10%だとすれば、実際に必要な支出はGDPの3~4%程度で十分にカバーできるはずです。しかし、現実には我々は社会保障にGDPの20%を費やしているのです。
明らかに、このGDPの20%は、富裕層から少しだけ富を奪って、巨大な貧困層を作らないためのものではありません。驚くべきことに、国家がGDPの50%を占めるにもかかわらず、貧困層は依然として存在しているのです。さらに、貧困を解消するための手段として、まず第一に、依存性を生む補助金を設けるべきではありません。しかし、現実には、経済活動が全くできず、自己の貯蓄や家族の支援、民間の相互扶助ネットワーク、そして最終的には国家に依存せざるを得ない層が一定割合存在します。しかし、そのようなケースはGDPの3%程度の支出で十分にカバーされるはずなのです。
さて、国家の規模を縮小した場合、たとえばGDPの50%から10%にまで削減できると仮定しましょう。これは約80%の削減に相当します。先に述べたように、中央値の労働者は現在、年間約13,500ユーロの税金を負担しています。この80%の削減が実現すれば、労働者の可処分所得は、国家が提供する各種サービスに充てるための支出分が年間1人あたり1万~1万1千ユーロ増加することになります。家庭内で中央値の労働者が2人いる場合、2万~2万2千ユーロの追加収入となるでしょう。この追加収入があれば、教育費、医療費、年金のための貯蓄など、国家が現在負担させているコストを自前でまかなうことが可能になるはずです。実際、多くのスペインの労働者は、国家の劣悪なサービスから逃れるため、民間の医療や教育、そして補完的な年金積立を実施しているのです。特に、公共教育は、学生の生産性向上よりも、国家のイデオロギーを植え付けることに重きを置いている場合が多いのです。
また、この話は、GDPの3%相当の再分配、すなわち450億ユーロ分が、現実的に考えても国民の基礎的な生活を支えるには十分であるという観点からも論じられます。現行の過剰な収用体制に対して、もし国家規模が大幅に縮小されるならば、労働者にとって有利な状況が実現するはずです。
さて、ここまでの議論から、もし国家主義のウイルスが社会の頭脳や利権に深く根付っている現状において、現状が最適でないと理解したとしても、移行のコストの高さゆえに多くの人々が現状から変わることを望まないという現実があるのです。たとえば、公共年金制度の解体は非常に困難です。年金受給者は「こんな不公平な体制であっても、自分の年金を受け取りたい。自分自身の貯蓄がなくなるリスクを冒したくはない」と考えるでしょう。
では、この国家――明らかに国家とその官僚機構に有利なこのモデル――から脱却するために、すなわち、表向きは国民のために存在するようでいて、実際には社会を寄生しているこの体制から逃れるためには、どのような手段が考えられるでしょうか。ここで、国家改革またはハイパーステートのパラサイト化に対抗するための、四つの可能なアプローチについて述べます。
第一のアプローチは、トップダウン型の方法です。すなわち、自由主義的な理念を掲げた善意の政治家が権力の座につき、内部からリベラル革命を起こそうとするというものです。しかし、私はこの方法は、次に述べるボトムアップ型の文化戦線と併せなければ、全体として非常に単純で実現不可能だと考えます。なぜなら、社会の大多数が国家改革を望まなければ、その改革は十分な勢いを持って実施されることは決してないからです。多くの改革は長期的な取り組みであり、一夜にして実現できるものではありません。一度実行された改革が元に戻らないようにするには、最低でも二世代を要するのです。もし社会がその方向に向かわなければ、いつかまた別の人物が権力に就いて、国民の大多数が望まない体制を再び打ち壊してしまうでしょう。例えば、チリの年金制度の民営化は、ピノチェト政権下の1981年に始まり、数年前に旧公共年金制度が完全に清算されました。しかし、その後、旧体制に戻そうとする動きが見られるのです。なお、チリは当時、非常に若い労働人口と限られた高齢人口という、改革に適した人口構造を有していたにもかかわらず、改革には約40年もの歳月がかかりました。これが、世界の他の国々で実施されるとなれば、どれほど困難なものになるか想像に難くありません。そして、もし世界中がそのような改革を望まなければ、いかに自由主義者の政治家を内部に潜り込ませ、社会民主主義の装いを与えたとしても、十分な効果は得られないでしょう。さらに、政治そのものが権力に触れると必ず腐敗すると、ロード・アクトンが指摘したように、権力は人を変えてしまいます。つまり、権力に惹かれて権力の座についた者は、その権力を維持・拡大するために、かつて掲げた理念を容易に放棄し、他者を蹂躙し、欺く行動に出るということです。
政治的競争というのは、もしあなたが行動しなければ、行動する者があなたを追い出してしまう、という状況を生み出します。そのため、もし存在するとしても、誠実で、信念を持った政治家は、力に屈する者に押されて公共の場から姿を消してしまうのです。権力闘争では、手が縛られている者と自由な手を持つ者との間で戦いが行われるため、劣悪な選択が働き、最終的には最悪の者が権力の座に就くという現象が生じるのです。(この点については、ハイエクも『隷属への道』で記述しています。)
次に、第二の可能性はボトムアップ、すなわち文化戦線によるアプローチです。これは、アイデアの戦いを、じわじわと、少しずつ社会に浸透させ、心を開かせ、意識を目覚めさせ、より多くの人々がこの変革を要求するようになるという方法です。しかし、これは特に有望な道ではないことは明白です。もし、ここでマルクス主義的な語調に傾くとすれば、客観的な物質的条件があって、そうした思想が大規模に広まる環境が整わない限り、人々は現状に満足して「今のままで十分だ」と感じ、急激な変革に乗り出す理由が見出せません。現状が著しく悪化しない限り、文化戦線による大規模な勝利が起こり、既存の社会制度が覆されるというのは極めて困難な道なのです。例えば、アルゼンチンでは、40年間にわたって底をつき続けた結果、人々が明らかに欠陥だらけのモデルにうんざりし、ハイパーインフレーションに苦しんだことで変革が進んだように見えます。もし、そこに一貫性があり、破壊的かつ斬新なメッセージ―社会主義的なものか、あるいは幸運にもリベラルなもの―があれば、一定の確率でそのアイデアが覇権を握り、新たな現状として定着する可能性が出てくるのです。しかし、スペインの場合、文化戦線による闘いは、相手側のプロパガンダがあふれ、対抗する者がいなければ、現状が一層固定化し、国家権力が加速度的に拡大していくため、非常に厳しい状況にあります。私自身も長い間、文化戦線で戦ってきましたが、スペインという環境におけるその限界を痛感しています。
第三の道は、そもそも国家改革を目指さず、自分の生活を改善するために他の地域へ移住するというものです。もし、競争が可能な複数の法域が存在すれば、現状に非常に不満を抱く者は、物理的に他の地域へ移り住み、そこで自らの生活基盤を築くことができます。そして、こうした法域間の競争は、他の法域による収用や寄生的な政策の力を制限する効果も持ちます。たとえば、ある法域で税率が非常に低く、規制が緩やかであれば、他の法域は資本が流出し、寄生者側から見れば、寄生対象(=ホスト)が成長しなければ、寄生する意味がなくなるのです。もし、ホストを窒息させて殺してしまえば、またはホストが他の、寄生が少ない地域へ流出してしまえば、寄生者にとっては不利益となります。このような効果は、実際には見かけ以上に大きな影響を持つのです。
たとえば、最も身近な例として、アンドラの場合が挙げられます。多くの場合、静かに、あるいは時に華やかに報じられる移住現象があり、一定の社会的反響を呼んでいます。問題は、これらはすべて財政上の問題であり、移住者を犯罪者扱いする試みがあっても、スペイン国家にとっては重要な問題とならないのです。よく批判されるのは、YouTuberなどがアンドラへ移住することについて、「国が自国民の資源不足を訴えるような状況に直面しない」とされる点です。もしそうなれば、国家は財政の引き締めを迫られるはずですが、現実はそうではありません。むしろ、これは他者に対する懲罰の一形態であり、「移住して税負担を軽減しようとするなら、あなたは悪い人間であり、悪い市民だ。もしあなたが著名人であれば、意識を啓発するために、我々はあなたを徹底的に攻撃し、公の場から追放する」といったメッセージが発せられるのです。しかし、実際にアンドラへの移住が進むこと自体は悪いことではなく、たとえそれがスペイン国家に与えるダメージが短期的にはそれほど大きくなくとも、他のケースでは、目に見えにくいながらも国家に損害を与えている場合があるのです。
たとえば、2か月前に発表されたドラギの報告書では、欧州が「足を引きずっている」との根本的な不満が示されています。すなわち、欧州では生産性が20年間にわたって停滞しており、成長期に新たに設立される企業が、厳しい規制の下で成長できず、資本調達が困難となり、結果としてアメリカに流出してしまうという現象です。これは「足で投票する」という現象であり、企業側の実情を反映したものです。そして、これは国家権力の内部から出た、我々の社会が停滞しているという自らの寡占層からの認識でもあります。彼らは、ここ20年間にわたり市民を内部から圧迫してきた手法を見直す必要があると訴えているのです。そして、ここで議論されているのは、欧州連合とアメリカという二つの経済ブロック間での移住の問題なのです。
もし、かつてヨーロッパに存在していたような、多数の競合する法域が現在も存在していたと想像してみてください。ここで歴史的な議論に深入りするつもりはありませんが、ヨーロッパが16世紀あるいは17世紀から産業革命に至るまで発展し、東洋が(少なくとも最近まで)停滞していた理由の重い仮説の一つは、ヨーロッパが政治的にはるかに細分化され、都市国家や小国、王国、そして公国など、まさにアンドラのようなケースに近い形態であったため、相互の競争が激しかったという点にあります。ひとつの領域内で生まれる思想を制限・抑制・検閲する能力は非常に低く、もし一方で弾圧されれば別の場所へ移動できたため、その結果、後の産業革命を引き起こす知的な開花が促されたのです。これに対して、中国のような中央集権的で統一された国家では、官僚組織が本来より強大な権力を持っていたため、このような発展は見込めませんでした。
「足で投票する」という現象は非常に強力です。したがって、文化戦線から取り組むべきもう一つの課題は、政治的な中央集権化や財政の調和化に反対することです。なぜなら、政治的に中央集権化が進んだり、財政が調和化されるほど、法域間の競争は減少し、その結果、国家が無罰で私有財産を寄生的に吸い上げる余地が広がるからです。これは市場経済ではよく理解される現象ですが、国家の場合は例外扱いされがちです。市場において本当の意味での独占、すなわち単にその分野で唯一の企業という状況ではなく、競合が存在しない真の独占状態になると、その独占者は価格を引き上げ、品質を低下させる傾向にあります。なぜなら、あなたは逃げ出すことができない、まるで人質のような状態に置かれるからです。つまり、国家もまた独占状態にあり、国家が直面する唯一の競争は、他の国家へ移住するという可能性なのです。領域を統一して競争余地を狭めれば狭めるほど、国家は独占的な力を強め、結果としてあなたに提供するサービスの質を低下させ、収用を強める傾向が出てきます。したがって、私はどんな中央集権化のプロセスにも反対し、逆に政治的な分権化を支持すべきだと考えます。
そして最後に、第四の戦略ですが、これはやや曖昧で漠然としているかもしれません。しかし、私が考えるに、実際に多くの人々が採用しており、多くの場合国家の影響力を制限している方法、それは直接的に「国家からの分離」を目指すことです。もちろん、あなたにとって寄生者のような国家が窮屈に圧しかけてくる場合、その寄生者を打倒しようと多大なエネルギーを費やすこともできます。しかし、寄生者が既に存在する以上、その存在を前提として生活基盤を築く、その固定費を受け入れながらも、寄生者のさらなる拡大を防ぐ、あるいは寄生の及ばない領域を確保する新たな方法を模索するということです。これが国家からの「分離」、すなわち、重くのしかかる国家の負担から自らを切り離す試みなのです。例えば、先に述べたように、私立教育、私立医療、私的年金といった選択肢があります。本来であれば、国家が私たちから過剰な資源を吸い上げることなく、その分をこうした目的に振り向けられれば理想的ですが、幸いなことに、現状では国家が私立教育への進学を禁止しているわけではありません(ただしかなりの規制は存在します)。私立教育は完全に自由なものではなく、国家のカリキュラムに沿ったものですが、それでも私立教育、私立医療、そして貯蓄や資産形成の道を開いてくれるのです。もちろん、今後さらに税が引き上げられ、国内外で資産が収用されるリスクが高まるまではの話ですが。
したがって、国家を一つの悪と捉え、その悪に支配される中で自由を追求する、すなわちその影響力からできるだけ逃れる方法を探るべきです。さらに、社会が自ら開発していく様々なツールが、私たちが国家の監視や統制から離れて生活する手助けとなります。たとえば、デジタル経済は、今日のところ、国家が我々をコントロール・規制・収用するのをより困難にする領域をある程度確保できる可能性を秘めています。ビットコインの例は、没収不可能な資産として、適切な管理を行えば、富の保蔵庫あるいは国家の統制や知識から独立した交換手段として機能する可能性を示しています。
これらは、寄生者である国家に吸い付かれないため、自らの活動から国家の影響力を一部でも排除する、新たな生活の仕方を模索する一つの方法です。こうした新しいツールは、今後も次々と登場し、国家が私たちの生活に及ぼす影響を制限するために活用されるべきです。社会全体を変えるのは非常に困難ですが、多くの人々を同じ方向に動かすことが難しい現状において、少なくとも我々が体系的に受けている搾取の度合いを最小限に抑えることは可能です。
以上、複数の道筋があります。第一の道は私個人としてはほぼ排除したいと考えますが、残りの三つは排他的ではなく、互いに補完し合うものです。どの方法も目的地に必ず到達できる保証はありませんが、これらは連携することで、国家が私たちや社会全体に及ぼす権力の影響を徐々に抑制する助けとなるでしょう。そして、我々自身の利益のため、あるいは共に生きる社会を改善するために、可能な限りこれらの道を追求すべきだと考えます。
-

@ 8d34bd24:414be32b
2025-03-26 15:58:59
I’ll admit that God’s truth is something I am passionate about. I love God’s word and I trust every word in the Bible as absolute truth. I hate when people compromise God’s word. I can’t understand Christians that don’t want to know God better through His word (maybe partially because I read a stack of books to solve any and every problem or to fulfill any interest).
Lately, the vow made in court to tell the truth, the whole truth, and nothing but the truth has been going through my mind. It comes up regarding almost everything, so I figured maybe God was telling me to write a post on the subject, so here we go.
## The Truth
When we are searching for the truth about anything, we need to start with the Bible. Yes, there are many subjects about which the Bible doesn’t speak or doesn’t speak in detail, but the principles on which everything is built start with the Bible.
> All Scripture is God-breathed and is useful for teaching, rebuking, correcting and training in righteousness, so that the servant of God may be thoroughly equipped for every good work. (2 Timothy 3:16-17)
Especially when we are trying to learn what God wants from us and our lives, we need to search the Scriptures. We need to study the Scriptures. We need to memorize the Scriptures.
> I have hidden your word in my heart that I might not sin against you. (Psalm 119:11)
It is much more useful to have read the Bible many times and to know its contents cover to cover, so we have it available to us during that debate with a fellow believer, or the discussion with a proud atheist, or when put into a situation of temptation. Having God’s word “hidden in our heart” enables us to deal with every situation, just as Jesus did when tempted by the Devil in the wilderness. Jesus’s most common response to every challenge was “As it is written …”
> Sanctify them by the truth; your word is truth. (John 17:17)
If we want to know the truth and be ready for whatever life throws at us, we need to be like Ezra:
> He had begun his journey from Babylon on the first day of the first month, and he arrived in Jerusalem on the first day of the fifth month, for the gracious hand of his God was on him. **For Ezra had devoted himself to the study and observance of the Law of the Lord, and to teaching its decrees and laws in Israel.** (Ezra 7:9-10) {emphasis mine}
Are you known for devoting yourself to the study and observance of the Law of the Lord, and to teaching its decrees and laws?
## The Whole Truth
Obviously there are God hating atheists who will lie about God’s word and totally contradict His word. As believers, we are more likely to bend God’s truth. (Satan does this, too, because it is frequently more effective than an outright lie). There are two primary ways to bend God’s truth. We either leave out some parts or we add to it. In this section we will focus on telling the whole truth and not leaving out part of the truth.
The error of lying by omission is rampant today. We see it in news reports by the media. We see it in the history taught to our children. We see it in many churches. There are some very uncomfortable truths in the Bible. People don’t like to hear that some people will be punished in Hell for all eternity. They don’t want to hear that they are sinners and their desires are sinful. They don’t like to hear that there is one and only one way to Jesus.
> Jesus said to him, “I am the way, and the truth, and the life; no one comes to the Father but through Me. (John 14:6)
Many believers don’t like any conflict. They are afraid that speaking the truth is being judgmental and will hurt relationships and feelings, so they hold back and don’t speak the whole truth.
> Deal bountifully with Your servant,\
> That I may live and keep Your word.\
****Open my eyes, that I may behold\
> Wonderful things from Your law.**\
> I am a stranger in the earth;\
****Do not hide Your commandments from me.**\
> My soul is crushed with **longing\
> After Your ordinances at all times.**\
> You rebuke the arrogant, the cursed,\
> Who wander from Your commandments.\
> Take away reproach and contempt from me,\
> For **I observe Your testimonies.**\
> Even though princes sit and talk against me,\
> Your servant meditates on Your statutes.\
> Your testimonies also are my delight;\
> They are my counselors. (Psalm 119:17-24) {emphasis mine}
The psalmist begs God not to “*hide Your commandments from me*.” Should we hide God’s commandments from ourselves or others because they are uncomfortable?
> He said, “What is the word that He spoke to you? Please do not hide it from me. May God do so to you, and more also, if you hide anything from me of all the words that He spoke to you.” (1 Samuel 3:17)
Eli put the harshest curse on Samuel if he didn’t speak the full truth communicated by God. We need to truly know and believe God’s word, so we communicate it fully with others and do not hide it from those whose very heart and soul need God’s truth.
Many of us may feel like we are not lying because we didn’t not explicitly speak an untruth, but withholding part of the truth, so that another is misled, is as much of a lie as speaking an untruth. Both are intended to mislead the other person, usually for our benefit or comfort and to the long-term harm of the other person.
> Finally, brothers and sisters, whatever is true, whatever is noble, whatever is right, whatever is pure, whatever is lovely, whatever is admirable—**if anything is excellent or praiseworthy—think about such things**. **Whatever you have learned or received or heard from me**, or seen in me—**put it into practice**. And the God of peace will be with you. (Philippians 4:8-9) {emphasis mine}
We need to think on, speak, and put into practice all of God’s word. Picking and choosing which parts of God’s word we want to believe, speak, and put into practice is akin to the original sin, “*You will be like gods, knowing good and evil*.” Only God gets to decide what is true or false and what is good or evil. When we choose to pick which parts of the Bible to obey and to share, we are taking the role that belongs solely to God.
## Nothing But the Truth
The other error regarding truth is to add to God’s word.
> The Pharisees and the scribes asked Him, “Why do Your disciples not walk according to the tradition of the elders, but eat their bread with impure hands?” And He said to them, “Rightly did Isaiah prophesy of you hypocrites, as it is written:
>
> ‘This people honors Me with their lips,\
> But their heart is far away from Me.\
> But in vain do they worship Me,\
****Teaching as doctrines the precepts of men.’\
> Neglecting the commandment of God, you hold to the tradition of men**.” (Mark 7:5-8) {emphasis mine}
So often we let tradition, culture, or “science” guide us instead of the Bible. Whenever there is a contradiction between any source and the Bible, we need to put the authority of God’s word as the highest authority. Although it is possible for us to be mistaken by the meaning of God’s word and the truth to be more in line with culture or “science,” it is so much more likely that tradition, culture, or “science” are wrong. We need to use the Bible to interpret things like science rather than to use “science” to interpret the Bible. The Bible is always the higher authority.
Sometimes we add to God’s word intentionally. Sometimes we are just influenced by the people around us, especially supposed authority figures, and are led astray unintentionally.
> Do your best to present yourself to God as one approved, **a worker who does not need to be ashamed and** **who correctly handles the word of truth**. (2 Timothy 2:15) {emphasis mine}
We need to truly study the whole Bible and test every one of our beliefs against God’s word.
> **I am astonished that you are so quickly deserting the one** who called you to live in the grace of Christ and are **turning to a different gospel**— **which is really no gospel at all**. Evidently some people are throwing you into confusion and are trying to pervert the gospel of Christ. But even if we or an angel from heaven should preach a gospel other than the one we preached to you, let them be under God’s curse! As we have already said, so now I say again: If anybody is preaching to you a gospel other than what you accepted, let them be under God’s curse! (Galatians 1:6-9) {emphasis mine}
We need to use God’s word to test every idea.
> Do not treat prophecies with contempt but test them all; hold on to what is good, reject every kind of evil. (1 Thessalonians 5:20-22)
and
> Dear friends, **do not believe every spirit, but test the spirits to see whether they are from God, because many false prophets have gone out into the world**. This is how you can recognize the Spirit of God: Every spirit that acknowledges that Jesus Christ has come in the flesh is from God, but every spirit that does not acknowledge Jesus is not from God. This is the spirit of the antichrist, which you have heard is coming and even now is already in the world. (1 John 4:1-3) {emphasis mine}
God’s word is truth. It never changes. It doesn’t change with the times, the culture, or new scientific discoveries. The truth is the truth whether anyone believes it or not.
There are many who will lead you astray and sound like they know what they are talking about. Make sure you do not follow these false teachers in their error (whether the error is intentional or accidental), but even more, make sure you don’t spread the error and lead others astray.
> **See to it that no one takes you captive through** philosophy and empty deception, according to the tradition of men, according to the elementary principles of the world, rather than according to Christ. (Colossians 2:8) {emphasis mine}
I think this phrase perfectly describes how error effects us, “See to it that no one takes you captive through …” Error can be subtle, but can take us captive, lead us astray, and cause us to lead others astray. Only through detailed knowledge of the Scriptures can we defend against it.
> **Don’t be deceived**, my dear brothers and sisters. Every good and perfect gift is from above, coming down from the Father of the heavenly lights, **who does not change like shifting shadows**. He chose to give us birth **through the word of truth**, that we might be a kind of firstfruits of all he created. (James 1:16-18) {emphasis mine}
May the Lord of heaven guide us to know the truth, the whole truth, and nothing but the truth and to obey His word in all things to His glory, forever.
Trust Jesus
-

@ 5d4b6c8d:8a1c1ee3
2025-03-26 14:26:20
@Coffeee listened to me ranting about how stupid the current sports streaming situation is, on the [latest episode](https://www.fountain.fm/episode/8oKay16q5tFFhJYQAvYL) of the [Stacker Sports Pod](https://www.fountain.fm/show/syQHHkLs59GQ1eFAe64t) (which made it in the [top 40](https://www.fountain.fm/charts) on Fountain!).
He messaged me that pretty much all sporting events can be watched live at https://betplay.io/en/. I couldn't believe it. Can it really be that simple? Well, last night's NBA games were certainly viewable.
This is huge! Sports streaming costs an insane amount and it's been available for free this whole time.
Apparently, other sportsbooks have had this option for a long time, but they are KYC and require a sufficient deposit before you can stream. Not only is BetPlay non-KYC, but there's no deposit required. It also uses LN!
I'm starting to see why this is Coffee's favorite sportsbook.
originally posted at https://stacker.news/items/925709
-

@ 4ba8e86d:89d32de4
2025-03-26 13:50:27
## SISTEMA OPERACIONAL MÓVEIS
GrapheneOS : https://njump.me/nevent1qqs8t76evdgrg4qegdtyrq2rved63pr29wlqyj627n9tj4vlu66tqpqpzdmhxue69uhk7enxvd5xz6tw9ec82c30qgsyh28gd5ke0ztdeyehc0jsq6gcj0tnzatjlkql3dqamkja38fjmeqrqsqqqqqppcqec9
CalyxOS : https://njump.me/nevent1qqsrm0lws2atln2kt3cqjacathnw0uj0jsxwklt37p7t380hl8mmstcpydmhxue69uhkummnw3ez6an9wf5kv6t9vsh8wetvd3hhyer9wghxuet59uq3vamnwvaz7tmwdaehgu3wvf3kstnwd9hx5cf0qy2hwumn8ghj7un9d3shjtnyv9kh2uewd9hj7qgcwaehxw309aex2mrp0yhxxatjwfjkuapwveukjtcpzpmhxue69uhkummnw3ezumt0d5hszrnhwden5te0dehhxtnvdakz7qfywaehxw309ahx7um5wgh8ymm4dej8ymmrdd3xjarrda5kuetjwvhxxmmd9uq3uamnwvaz7tmwdaehgu3dv3jhvtnhv4kxcmmjv3jhytnwv46z7qghwaehxw309aex2mrp0yhxummnw3ezucnpdejz7qgewaehxw309ahx7um5wghxymmwva3x7mn89e3k7mf0qythwumn8ghj7cn5vvhxkmr9dejxz7n49e3k7mf0qyg8wumn8ghj7mn09eehgu3wvdez7smttdu
LineageOS : https://njump.me/nevent1qqsgw7sr36gaty48cf4snw0ezg5mg4atzhqayuge752esd469p26qfgpzdmhxue69uhhwmm59e6hg7r09ehkuef0qgsyh28gd5ke0ztdeyehc0jsq6gcj0tnzatjlkql3dqamkja38fjmeqrqsqqqqqpnvm779
## SISTEMA OPERACIONAL DESKTOP
Tails : https://njump.me/nevent1qqsf09ztvuu60g6xprazv2vxqqy5qlxjs4dkc9d36ta48q75cs9le4qpzemhxue69uhkummnw3ex2mrfw3jhxtn0wfnj7q3qfw5wsmfdj7ykmjfn0sl9qp533y7hx96h9lvplz6pmhd9mzwn9hjqxpqqqqqqz34ag5t
Qubes OS : https://njump.me/nevent1qqsp6jujgwl68uvurw0cw3hfhr40xq20sj7rl3z4yzwnhp9sdpa7augpzpmhxue69uhkummnw3ezumt0d5hsz9mhwden5te0wfjkccte9ehx7um5wghxyctwvshsz9thwden5te0dehhxarj9ehhsarj9ejx2a30qyg8wumn8ghj7mn09eehgu3wvdez7qg4waehxw309aex2mrp0yhxgctdw4eju6t09uqjxamnwvaz7tmwdaehgu3dwejhy6txd9jkgtnhv4kxcmmjv3jhytnwv46z7qgwwaehxw309ahx7uewd3hkctcpremhxue69uhkummnw3ez6er9wch8wetvd3hhyer9wghxuet59uj3ljr8
Kali linux : https://njump.me/nevent1qqswlav72xdvamuyp9xc38c6t7070l3n2uxu67ssmal2g7gv35nmvhspzpmhxue69uhkumewwd68ytnrwghsygzt4r5x6tvh39kujvmu8egqdyvf84e3w4e0mq0ckswamfwcn5eduspsgqqqqqqswt9rxe
Whonix : https://njump.me/nevent1qqs85gvejvzhk086lwh6edma7fv07p5c3wnwnxnzthwwntg2x6773egpydmhxue69uhkummnw3ez6an9wf5kv6t9vsh8wetvd3hhyer9wghxuet59uq3qamnwvaz7tmwdaehgu3wd4hk6tcpzemhxue69uhkummnw3ezucnrdqhxu6twdfsj7qfywaehxw309ahx7um5wgh8ymm4dej8ymmrdd3xjarrda5kuetjwvhxxmmd9uq3wamnwvaz7tmzw33ju6mvv4hxgct6w5hxxmmd9uq3qamnwvaz7tmwduh8xarj9e3hytcpzamhxue69uhhyetvv9ujumn0wd68ytnzv9hxgtcpz4mhxue69uhhyetvv9ujuerpd46hxtnfduhszrnhwden5te0dehhxtnvdakz7qg7waehxw309ahx7um5wgkkgetk9emk2mrvdaexgetj9ehx2ap0sen9p6
Kodachi : https://njump.me/nevent1qqsf5zszgurpd0vwdznzk98hck294zygw0s8dah6fpd309ecpreqtrgpz4mhxue69uhhyetvv9ujuerpd46hxtnfduhszgmhwden5te0dehhxarj94mx2unfve5k2epwwajkcmr0wfjx2u3wdejhgtcpremhxue69uhkummnw3ez6er9wch8wetvd3hhyer9wghxuet59uq3qamnwvaz7tmwdaehgu3wd4hk6tcpzamhxue69uhkyarr9e4kcetwv3sh5afwvdhk6tcpzpmhxue69uhkumewwd68ytnrwghszfrhwden5te0dehhxarj9eex7atwv3ex7cmtvf5hgcm0d9hx2unn9e3k7mf0qyvhwumn8ghj7mn0wd68ytnzdahxwcn0denjucm0d5hszrnhwden5te0dehhxtnvdakz7qgkwaehxw309ahx7um5wghxycmg9ehxjmn2vyhsz9mhwden5te0wfjkccte9ehx7um5wghxyctwvshs94a4d5
## PGP
Openkeychain : https://njump.me/nevent1qqs9qtjgsulp76t7jkquf8nk8txs2ftsr0qke6mjmsc2svtwfvswzyqpz4mhxue69uhhyetvv9ujuerpd46hxtnfduhsygzt4r5x6tvh39kujvmu8egqdyvf84e3w4e0mq0ckswamfwcn5eduspsgqqqqqqs36mp0w
Kleopatra : https://njump.me/nevent1qqspnevn932hdggvp4zam6mfyce0hmnxsp9wp8htpumq9vm3anq6etsppemhxue69uhkummn9ekx7mp0qgsyh28gd5ke0ztdeyehc0jsq6gcj0tnzatjlkql3dqamkja38fjmeqrqsqqqqqpuaeghp
Pgp :
https://njump.me/nevent1qqsggek707qf3rzttextmgqhym6d4g479jdnlnj78j96y0ut0x9nemcpzamhxue69uhhyetvv9ujuurjd9kkzmpwdejhgtczyp9636rd9ktcjmwfxd7ru5qxjxyn6uch2uhas8utg8wa5hvf6vk7gqcyqqqqqqgptemhe
Como funciona o PGP? : https://njump.me/nevent1qqsz9r7azc8pkvfmkg2hv0nufaexjtnvga0yl85x9hu7ptpg20gxxpspremhxue69uhkummnw3ez6ur4vgh8wetvd3hhyer9wghxuet59upzqjagapkjm9ufdhynxlp72qrfrzfawvt4wt7cr795rhw6tkyaxt0yqvzqqqqqqy259fhs
Por que eu escrevi PGP. - Philip Zimmermann.
https://njump.me/nevent1qqsvysn94gm8prxn3jw04r0xwc6sngkskg756z48jsyrmqssvxtm7ncpzamhxue69uhhyetvv9ujumn0wd68ytnzv9hxgtchzxnad
## VPN
Vpn : https://njump.me/nevent1qqs27ltgsr6mh4ffpseexz6s37355df3zsur709d0s89u2nugpcygsspzpmhxue69uhkummnw3ezumt0d5hsygzt4r5x6tvh39kujvmu8egqdyvf84e3w4e0mq0ckswamfwcn5eduspsgqqqqqqshzu2fk
InviZible Pro : https://njump.me/nevent1qqsvyevf2vld23a3xrpvarc72ndpcmfvc3lc45jej0j5kcsg36jq53cpz3mhxue69uhhyetvv9ujuerpd46hxtnfdupzqjagapkjm9ufdhynxlp72qrfrzfawvt4wt7cr795rhw6tkyaxt0yqvzqqqqqqy33y5l4
Orbot:
https://njump.me/nevent1qqsxswkyt6pe34egxp9w70cy83h40ururj6m9sxjdmfass4cjm4495stft593
## I2P
i2p : https://njump.me/nevent1qqsvnj8n983r4knwjmnkfyum242q4c0cnd338l4z8p0m6xsmx89mxkslx0pgg
Entendendo e usando a rede I2P : https://njump.me/nevent1qqsxchp5ycpatjf5s4ag25jkawmw6kkf64vl43vnprxdcwrpnms9qkcppemhxue69uhkummn9ekx7mp0qgsyh28gd5ke0ztdeyehc0jsq6gcj0tnzatjlkql3dqamkja38fjmeqrqsqqqqqpvht4mn
Criando e acessando sua conta Email na I2P : https://njump.me/nevent1qqs9v9dz897kh8e5lfar0dl7ljltf2fpdathsn3dkdsq7wg4ksr8xfgpr4mhxue69uhkummnw3ezucnfw33k76twv4ezuum0vd5kzmp0qgsyh28gd5ke0ztdeyehc0jsq6gcj0tnzatjlkql3dqamkja38fjmeqrqsqqqqqpw8mzum
## APLICATIVO 2FA
Aegis Authenticator : https://njump.me/nevent1qqsfttdwcn9equlrmtf9n6wee7lqntppzm03pzdcj4cdnxel3pz44zspz4mhxue69uhhyetvv9ujumn0wd68ytnzvuhsygzt4r5x6tvh39kujvmu8egqdyvf84e3w4e0mq0ckswamfwcn5eduspsgqqqqqqscvtydq
YubiKey : https://njump.me/nevent1qqstsnn69y4sf4330n7039zxm7wza3ch7sn6plhzmd57w6j9jssavtspvemhxue69uhkv6tvw3jhytnwdaehgu3wwa5kuef0dec82c330g6x6dm8ddmxzdne0pnhverevdkxxdm6wqc8v735w3snquejvsuk56pcvuurxaesxd68qdtkv3nrx6m6v3ehsctwvym8q0mzwfhkzerrv9ehg0t5wf6k2q3qfw5wsmfdj7ykmjfn0sl9qp533y7hx96h9lvplz6pmhd9mzwn9hjqxpqqqqqqzueyvgt
## GERENCIADOR DE SENHAS
KeepassDX: https://njump.me/nevent1qqswc850dr4ujvxnmpx75jauflf4arc93pqsty5pv8hxdm7lcw8ee8qpr4mhxue69uhkummnw3ezucnfw33k76twv4ezuum0vd5kzmp0qgsyh28gd5ke0ztdeyehc0jsq6gcj0tnzatjlkql3dqamkja38fjmeqrqsqqqqqpe0492n
Birwaden: https://njump.me/nevent1qqs0j5x9guk2v6xumhwqmftmcz736m9nm9wzacqwjarxmh8k4xdyzwgpr4mhxue69uhkummnw3ezucnfw33k76twv4ezuum0vd5kzmp0qgsyh28gd5ke0ztdeyehc0jsq6gcj0tnzatjlkql3dqamkja38fjmeqrqsqqqqqpwfe2kc
KeePassXC:
https://njump.me/nevent1qqsgftcrd8eau7tzr2p9lecuaf7z8mx5jl9w2k66ae3lzkw5wqcy5pcl2achp
## CHAT MENSAGEM
SimpleXchat : https://njump.me/nevent1qqsds5xselnnu0dyy0j49peuun72snxcgn3u55d2320n37rja9gk8lgzyp9636rd9ktcjmwfxd7ru5qxjxyn6uch2uhas8utg8wa5hvf6vk7gqcyqqqqqqgmcmj7c
Briar : https://njump.me/nevent1qqs8rrtgvjr499hreugetrl7adkhsj2zextyfsukq5aa7wxthrgcqcg05n434
Element Messenger : https://njump.me/nevent1qqsq05snlqtxm5cpzkshlf8n5d5rj9383vjytkvqp5gta37hpuwt4mqyccee6
Pidgin : https://njump.me/nevent1qqsz7kngycyx7meckx53xk8ahk98jkh400usrvykh480xa4ct9zlx2c2ywvx3
## E-MAIL
Thunderbird:
https://njump.me/nevent1qqspq64gg0nw7t60zsvea5eykgrm43paz845e4jn74muw5qzdvve7uqrkwtjh
ProtonMail : https://njump.me/nevent1qqs908glhk68e7ms8zqtlsqd00wu3prnpt08dwre26hd6e5fhqdw99cppemhxue69uhkummn9ekx7mp0qgsyh28gd5ke0ztdeyehc0jsq6gcj0tnzatjlkql3dqamkja38fjmeqrqsqqqqqpeyhg4z
Tutonota :
https://njump.me/nevent1qqswtzh9zjxfey644qy4jsdh9465qcqd2wefx0jxa54gdckxjvkrrmqpz4mhxue69uhhyetvv9ujumt0wd68ytnsw43qygzt4r5x6tvh39kujvmu8egqdyvf84e3w4e0mq0ckswamfwcn5eduspsgqqqqqqs5hzhkv
k-9 mail :
https://njump.me/nevent1qqs200g5a603y7utjgjk320r3srurrc4r66nv93mcg0x9umrw52ku5gpr3mhxue69uhkummnw3ezuumhd9ehxtt9de5kwmtp9e3kstczyp9636rd9ktcjmwfxd7ru5qxjxyn6uch2uhas8utg8wa5hvf6vk7gqcyqqqqqqgacflak
## E-MAIL-ALIÁS
Simplelogin : https://njump.me/nevent1qqsvhz5pxqpqzr2ptanqyqgsjr50v7u9lc083fvdnglhrv36rnceppcppemhxue69uhkummn9ekx7mp0qgsyh28gd5ke0ztdeyehc0jsq6gcj0tnzatjlkql3dqamkja38fjmeqrqsqqqqqp9gsr7m
AnonAddy : https://njump.me/nevent1qqs9mcth70mkq2z25ws634qfn7vx2mlva3tkllayxergw0s7p8d3ggcpzpmhxue69uhkummnw3ezumt0d5hsygzt4r5x6tvh39kujvmu8egqdyvf84e3w4e0mq0ckswamfwcn5eduspsgqqqqqqs6mawe3
## NAVEGADOR
Navegador Tor :
https://njump.me/nevent1qqs06qfxy7wzqmk76l5d8vwyg6mvcye864xla5up52fy5sptcdy39lspzemhxue69uhkummnw3ezuerpw3sju6rpw4ej7q3qfw5wsmfdj7ykmjfn0sl9qp533y7hx96h9lvplz6pmhd9mzwn9hjqxpqqqqqqzdp0urw
Mullvap Browser : https://njump.me/nevent1qqs2vsgc3wk09wdspv2mezltgg7nfdg97g0a0m5cmvkvr4nrfxluzfcpzdmhxue69uhhwmm59e6hg7r09ehkuef0qgsyh28gd5ke0ztdeyehc0jsq6gcj0tnzatjlkql3dqamkja38fjmeqrqsqqqqqpj8h6fe
LibreWolf : https://njump.me/nevent1qqswv05mlmkcuvwhe8x3u5f0kgwzug7n2ltm68fr3j06xy9qalxwq2cpzemhxue69uhkummnw3ex2mrfw3jhxtn0wfnj7q3qfw5wsmfdj7ykmjfn0sl9qp533y7hx96h9lvplz6pmhd9mzwn9hjqxpqqqqqqzuv2hxr
Cromite : https://njump.me/nevent1qqs2ut83arlu735xp8jf87w5m3vykl4lv5nwkhldkqwu3l86khzzy4cpz4mhxue69uhhyetvv9ujuerpd46hxtnfduhsygzt4r5x6tvh39kujvmu8egqdyvf84e3w4e0mq0ckswamfwcn5eduspsgqqqqqqs3dplt7
## BUSCADORES
Searx : https://njump.me/nevent1qqsxyzpvgzx00n50nrlgctmy497vkm2cm8dd5pdp7fmw6uh8xnxdmaspr4mhxue69uhkummnw3ezucnfw33k76twv4ezuum0vd5kzmp0qgsyh28gd5ke0ztdeyehc0jsq6gcj0tnzatjlkql3dqamkja38fjmeqrqsqqqqqp23z7ax
## APP-STORE
Obtainium : https://njump.me/nevent1qqstd8kzc5w3t2v6dgf36z0qrruufzfgnc53rj88zcjgsagj5c5k4rgpz3mhxue69uhhyetvv9ujuerpd46hxtnfdupzqjagapkjm9ufdhynxlp72qrfrzfawvt4wt7cr795rhw6tkyaxt0yqvzqqqqqqyarmca3
F-Droid : https://njump.me/nevent1qqst4kry49cc9g3g8s5gdnpgyk3gjte079jdnv43f0x4e85cjkxzjesymzuu4
Droid-ify : https://njump.me/nevent1qqsrr8yu9luq0gud902erdh8gw2lfunpe93uc2u6g8rh9ep7wt3v4sgpzpmhxue69uhkummnw3ezumt0d5hsygzt4r5x6tvh39kujvmu8egqdyvf84e3w4e0mq0ckswamfwcn5eduspsgqqqqqqsfzu9vk
Aurora Store : https://njump.me/nevent1qqsy69kcaf0zkcg0qnu90mtk46ly3p2jplgpzgk62wzspjqjft4fpjgpvemhxue69uhkv6tvw3jhytnwdaehgu3wwa5kuef0dec82c330g6x6dm8ddmxzdne0pnhverevdkxxdm6wqc8v735w3snquejvsuk56pcvuurxaesxd68qdtkv3nrx6m6v3ehsctwvym8q0mzwfhkzerrv9ehg0t5wf6k2q3qfw5wsmfdj7ykmjfn0sl9qp533y7hx96h9lvplz6pmhd9mzwn9hjqxpqqqqqqzrpmsjy
## RSS
Feeder : https://njump.me/nevent1qqsy29aeggpkmrc7t3c7y7ldgda7pszl7c8hh9zux80gjzrfvlhfhwqpp4mhxue69uhkummn9ekx7mqzyp9636rd9ktcjmwfxd7ru5qxjxyn6uch2uhas8utg8wa5hvf6vk7gqcyqqqqqqgsvzzjy
## VIDEOO CONFERENCIA
Jitsi meet : https://njump.me/nevent1qqswphw67hr6qmt2fpugcj77jrk7qkfdrszum7vw7n2cu6cx4r6sh4cgkderr
## TECLADOS
HeliBoard : https://njump.me/nevent1qqsyqpc4d28rje03dcvshv4xserftahhpeylu2ez2jutdxwds4e8syspz4mhxue69uhhyetvv9ujuerpd46hxtnfduhsygzt4r5x6tvh39kujvmu8egqdyvf84e3w4e0mq0ckswamfwcn5eduspsgqqqqqqsr8mel5
OpenBoard :
https://njump.me/nevent1qqsf7zqkup03yysy67y43nj48q53sr6yym38es655fh9fp6nxpl7rqspzpmhxue69uhkumewwd68ytnrwghsygzt4r5x6tvh39kujvmu8egqdyvf84e3w4e0mq0ckswamfwcn5eduspsgqqqqqqswcvh3r
FlorisBoard : https://njump.me/nevent1qqsf7zqkup03yysy67y43nj48q53sr6yym38es655fh9fp6nxpl7rqspzpmhxue69uhkumewwd68ytnrwghsygzt4r5x6tvh39kujvmu8egqdyvf84e3w4e0mq0ckswamfwcn5eduspsgqqqqqqswcvh3r
## MAPAS
Osmand : https://njump.me/nevent1qqsxryp2ywj64az7n5p6jq5tn3tx5jv05te48dtmmt3lf94ydtgy4fgpzpmhxue69uhkumewwd68ytnrwghsygzt4r5x6tvh39kujvmu8egqdyvf84e3w4e0mq0ckswamfwcn5eduspsgqqqqqqs54nwpj
Organic maps : https://njump.me/nevent1qqstrecuuzkw0dyusxdq7cuwju0ftskl7anx978s5dyn4pnldrkckzqpr4mhxue69uhkummnw3ezumtp0p5k6ctrd96xzer9dshx7un8qgsyh28gd5ke0ztdeyehc0jsq6gcj0tnzatjlkql3dqamkja38fjmeqrqsqqqqqpl8z3kk
## TRADUÇÃO
LibreTranslate : https://njump.me/nevent1qqs953g3rhf0m8jh59204uskzz56em9xdrjkelv4wnkr07huk20442cpvemhxue69uhkv6tvw3jhytnwdaehgu3wwa5kuef0dec82c330g6x6dm8ddmxzdne0pnhverevdkxxdm6wqc8v735w3snquejvsuk56pcvuurxaesxd68qdtkv3nrx6m6v3ehsctwvym8q0mzwfhkzerrv9ehg0t5wf6k2q3qfw5wsmfdj7ykmjfn0sl9qp533y7hx96h9lvplz6pmhd9mzwn9hjqxpqqqqqqzeqsx40
## REMOÇÃO DOS METADADOS
Scrambled Exif : https://njump.me/nevent1qqs2658t702xv66p000y4mlhnvadmdxwzzfzcjkjf7kedrclr3ej7aspyfmhxue69uhk6atvw35hqmr90pjhytngw4eh5mmwv4nhjtnhdaexcep0qgsyh28gd5ke0ztdeyehc0jsq6gcj0tnzatjlkql3dqamkja38fjmeqrqsqqqqqpguu0wh
## ESTEGANOGRAFIA
PixelKnot: https://njump.me/nevent1qqsrh0yh9mg0lx86t5wcmhh97wm6n4v0radh6sd0554ugn354wqdj8gpz3mhxue69uhhyetvv9ujuerpd46hxtnfdupzqjagapkjm9ufdhynxlp72qrfrzfawvt4wt7cr795rhw6tkyaxt0yqvzqqqqqqyuvfqdp
## PERFIL DE TRABALHO
Shelter : https://njump.me/nevent1qqspv9xxkmfp40cxgjuyfsyczndzmpnl83e7gugm7480mp9zhv50wkqpvemhxue69uhkv6tvw3jhytnwdaehgu3wwa5kuef0dec82c330g6x6dm8ddmxzdne0pnhverevdkxxdm6wqc8v735w3snquejvsuk56pcvuurxaesxd68qdtkv3nrx6m6v3ehsctwvym8q0mzwfhkzerrv9ehg0t5wf6k2q3qfw5wsmfdj7ykmjfn0sl9qp533y7hx96h9lvplz6pmhd9mzwn9hjqxpqqqqqqzdnu59c
## PDF
MuPDF : https://njump.me/nevent1qqspn5lhe0dteys6npsrntmv2g470st8kh8p7hxxgmymqa95ejvxvfcpzpmhxue69uhkumewwd68ytnrwghsygzt4r5x6tvh39kujvmu8egqdyvf84e3w4e0mq0ckswamfwcn5eduspsgqqqqqqs4hvhvj
Librera Reader : https://njump.me/nevent1qqsg60flpuf00sash48fexvwxkly2j5z9wjvjrzt883t3eqng293f3cpvemhxue69uhkv6tvw3jhytnwdaehgu3wwa5kuef0dec82c330g6x6dm8ddmxzdne0pnhverevdkxxdm6wqc8v735w3snquejvsuk56pcvuurxaesxd68qdtkv3nrx6m6v3ehsctwvym8q0mzwfhkzerrv9ehg0t5wf6k2q3qfw5wsmfdj7ykmjfn0sl9qp533y7hx96h9lvplz6pmhd9mzwn9hjqxpqqqqqqz39tt3n
## QR-Code
Binary Eye : https://njump.me/nevent1qqsz4n0uxxx3q5m0r42n9key3hchtwyp73hgh8l958rtmae5u2khgpgpvemhxue69uhkv6tvw3jhytnwdaehgu3wwa5kuef0dec82c330g6x6dm8ddmxzdne0pnhverevdkxxdm6wqc8v735w3snquejvsuk56pcvuurxaesxd68qdtkv3nrx6m6v3ehsctwvym8q0mzwfhkzerrv9ehg0t5wf6k2q3qfw5wsmfdj7ykmjfn0sl9qp533y7hx96h9lvplz6pmhd9mzwn9hjqxpqqqqqqzdmn4wp
## Climático
Breezy Weather : https://njump.me/nevent1qqs9hjz5cz0y4am3kj33xn536uq85ydva775eqrml52mtnnpe898rzspzamhxue69uhhyetvv9ujuurjd9kkzmpwdejhgtczyp9636rd9ktcjmwfxd7ru5qxjxyn6uch2uhas8utg8wa5hvf6vk7gqcyqqqqqqgpd3tu8
## ENCRYPTS
Cryptomator : https://njump.me/nevent1qqsvchvnw779m20583llgg5nlu6ph5psewetlczfac5vgw83ydmfndspzpmhxue69uhkumewwd68ytnrwghsygzt4r5x6tvh39kujvmu8egqdyvf84e3w4e0mq0ckswamfwcn5eduspsgqqqqqqsx7ppw9
VeraCrypt : https://njump.me/nevent1qqsf6wzedsnrgq6hjk5c4jj66dxnplqwc4ygr46l8z3gfh38q2fdlwgm65ej3
## EXTENSÕES
uBlock Origin : https://njump.me/nevent1qqswaa666lcj2c4nhnea8u4agjtu4l8q89xjln0yrngj7ssh72ntwzql8ssdj
Snowflake : https://njump.me/nevent1qqs0ws74zlt8uced3p2vee9td8x7vln2mkacp8szdufvs2ed94ctnwchce008
## CLOUD
Nextcloud : https://njump.me/nevent1qqs2utg5z9htegdtrnllreuhypkk2026x8a0xdsmfczg9wdl8rgrcgg9nhgnm
## NOTEPAD
Joplin : https://njump.me/nevent1qqsz2a0laecpelsznser3xd0jfa6ch2vpxtkx6vm6qg24e78xttpk0cpr4mhxue69uhkummnw3ezucnfw33k76twv4ezuum0vd5kzmp0qgsyh28gd5ke0ztdeyehc0jsq6gcj0tnzatjlkql3dqamkja38fjmeqrqsqqqqqpdu0hft
Standard Notes : https://njump.me/nevent1qqsv3596kz3qung5v23cjc4cpq7rqxg08y36rmzgcrvw5whtme83y3s7tng6r
## MÚSICA
RiMusic : https://njump.me/nevent1qqsv3genqav2tfjllp86ust4umxm8tr2wd9kq8x7vrjq6ssp363mn0gpzamhxue69uhhyetvv9ujuurjd9kkzmpwdejhgtczyp9636rd9ktcjmwfxd7ru5qxjxyn6uch2uhas8utg8wa5hvf6vk7gqcyqqqqqqg42353n
ViMusic : https://njump.me/nevent1qqswx78559l4jsxsrygd8kj32sch4qu57stxq0z6twwl450vp39pdqqpvemhxue69uhkv6tvw3jhytnwdaehgu3wwa5kuef0dec82c330g6x6dm8ddmxzdne0pnhverevdkxxdm6wqc8v735w3snquejvsuk56pcvuurxaesxd68qdtkv3nrx6m6v3ehsctwvym8q0mzwfhkzerrv9ehg0t5wf6k2q3qfw5wsmfdj7ykmjfn0sl9qp533y7hx96h9lvplz6pmhd9mzwn9hjqxpqqqqqqzjg863j
## PODCAST
AntennaPod : https://njump.me/nevent1qqsp4nh7k4a6zymfwqqdlxuz8ua6kdhvgeeh3uxf2c9rtp9u3e9ku8qnr8lmy
## VISUALIZAR VIDEO
VLC : https://njump.me/nevent1qqs0lz56wtlr2eye4ajs2gzn2r0dscw4y66wezhx0mue6dffth8zugcl9laky
## YOUTUBE
NewPipe : https://njump.me/nevent1qqsdg06qpcjdnlvgm4xzqdap0dgjrkjewhmh4j3v4mxdl4rjh8768mgdw9uln
FreeTube : https://njump.me/nevent1qqsz6y6z7ze5gs56s8seaws8v6m6j2zu0pxa955dhq3ythmexak38mcpz4mhxue69uhhyetvv9ujuerpd46hxtnfduhsygzt4r5x6tvh39kujvmu8egqdyvf84e3w4e0mq0ckswamfwcn5eduspsgqqqqqqs5lkjvv
LibreTube : https://snort.social/e/nevent1qqstmd5m6wrdvn4gxf8xyhrwnlyaxmr89c9kjddvnvux6603f84t3fqpz4mhxue69uhhyetvv9ujumt0wd68ytnsw43qygzt4r5x6tvh39kujvmu8egqdyvf84e3w4e0mq0ckswamfwcn5eduspsgqqqqqqsswwznc
## COMPARTILHAMENTO DE ARQUIVOS
OnionShare : https://njump.me/nevent1qqsr0a4ml5nu6ud5k9yzyawcd9arznnwkrc27dzzc95q6r50xmdff6qpydmhxue69uhkummnw3ez6an9wf5kv6t9vsh8wetvd3hhyer9wghxuet59uq3uamnwvaz7tmwdaehgu3dv3jhvtnhv4kxcmmjv3jhytnwv46z7qgswaehxw309ahx7tnnw3ezucmj9uq32amnwvaz7tmjv4kxz7fwv3sk6atn9e5k7tcpzamhxue69uhkyarr9e4kcetwv3sh5afwvdhk6tcpzemhxue69uhkummnw3ezucnrdqhxu6twdfsj7qgswaehxw309ahx7um5wghx6mmd9uqjgamnwvaz7tmwdaehgu3wwfhh2mnywfhkx6mzd96xxmmfdejhyuewvdhk6tcppemhxue69uhkummn9ekx7mp0qythwumn8ghj7un9d3shjtnwdaehgu3wvfskuep0qyv8wumn8ghj7un9d3shjtnrw4e8yetwwshxv7tf9ut7qurt
Localsend : https://njump.me/nevent1qqsp8ldjhrxm09cvvcak20hrc0g8qju9f67pw7rxr2y3euyggw9284gpvemhxue69uhkv6tvw3jhytnwdaehgu3wwa5kuef0dec82c330g6x6dm8ddmxzdne0pnhverevdkxxdm6wqc8v735w3snquejvsuk56pcvuurxaesxd68qdtkv3nrx6m6v3ehsctwvym8q0mzwfhkzerrv9ehg0t5wf6k2q3qfw5wsmfdj7ykmjfn0sl9qp533y7hx96h9lvplz6pmhd9mzwn9hjqxpqqqqqqzuyghqr
## Wallet Bitcoin
Ashigaru Wallet : https://njump.me/nevent1qqstx9fz8kf24wgl26un8usxwsqjvuec9f8q392llmga75tw0kfarfcpzamhxue69uhhyetvv9ujuurjd9kkzmpwdejhgtczyp9636rd9ktcjmwfxd7ru5qxjxyn6uch2uhas8utg8wa5hvf6vk7gqcyqqqqqqgvfsrqp
Samourai Wallet : https://njump.me/nevent1qqstcvjmz39rmrnrv7t5cl6p3x7pzj6jsspyh4s4vcwd2lugmre04ecpr9mhxue69uhkummnw3ezucn0denkymmwvuhxxmmd9upzqjagapkjm9ufdhynxlp72qrfrzfawvt4wt7cr795rhw6tkyaxt0yqvzqqqqqqy3rg4qs
## CÂMERA
opencamera : https://njump.me/nevent1qqs25glp6dh0crrjutxrgdjlnx9gtqpjtrkg29hlf7382aeyjd77jlqpzpmhxue69uhkumewwd68ytnrwghsygzt4r5x6tvh39kujvmu8egqdyvf84e3w4e0mq0ckswamfwcn5eduspsgqqqqqqssxcvgc
## OFFICE
Collabora Office : https://njump.me/nevent1qqs8yn4ys6adpmeu3edmf580jhc3wluvlf823cc4ft4h0uqmfzdf99qpz4mhxue69uhhyetvv9ujuerpd46hxtnfduhsygzt4r5x6tvh39kujvmu8egqdyvf84e3w4e0mq0ckswamfwcn5eduspsgqqqqqqsj40uss
## TEXTOS
O manifesto de um Cypherpunk : https://njump.me/nevent1qqsd7hdlg6galn5mcuv3pm3ryfjxc4tkyph0cfqqe4du4dr4z8amqyspvemhxue69uhkv6tvw3jhytnwdaehgu3wwa5kuef0dec82c330g6x6dm8ddmxzdne0pnhverevdkxxdm6wqc8v735w3snquejvsuk56pcvuurxaesxd68qdtkv3nrx6m6v3ehsctwvym8q0mzwfhkzerrv9ehg0t5wf6k2q3qfw5wsmfdj7ykmjfn0sl9qp533y7hx96h9lvplz6pmhd9mzwn9hjqxpqqqqqqzal0efa
Operations security ( OPSEC) :
https://snort.social/e/nevent1qqsp323havh3y9nxzd4qmm60hw87tm9gjns0mtzg8y309uf9mv85cqcpvemhxue69uhkv6tvw3jhytnwdaehgu3wwa5kuef0dec82c330g6x6dm8ddmxzdne0pnhverevdkxxdm6wqc8v735w3snquejvsuk56pcvuurxaesxd68qdtkv3nrx6m6v3ehsctwvym8q0mzwfhkzerrv9ehg0t5wf6k2q3qfw5wsmfdj7ykmjfn0sl9qp533y7hx96h9lvplz6pmhd9mzwn9hjqxpqqqqqqz8ej9l7
O MANIFESTO CRIPTOANARQUISTA
Timothy C. May – 1992. : https://njump.me/nevent1qqspp480wtyx2zhtwpu5gptrl8duv9rvq3mug85mp4d54qzywk3zq9gpvemhxue69uhkv6tvw3jhytnwdaehgu3wwa5kuef0dec82c330g6x6dm8ddmxzdne0pnhverevdkxxdm6wqc8v735w3snquejvsuk56pcvuurxaesxd68qdtkv3nrx6m6v3ehsctwvym8q0mzwfhkzerrv9ehg0t5wf6k2q3qfw5wsmfdj7ykmjfn0sl9qp533y7hx96h9lvplz6pmhd9mzwn9hjqxpqqqqqqz5wq496
Declaração de independência do ciberespaço
- John Perry Barlow - 1996 : https://njump.me/nevent1qqs2njsy44n6p07mhgt2tnragvchasv386nf20ua5wklxqpttf6mzuqpzpmhxue69uhkummnw3ezumt0d5hsygzt4r5x6tvh39kujvmu8egqdyvf84e3w4e0mq0ckswamfwcn5eduspsgqqqqqqsukg4hr
The Cyphernomicon: Criptografia, Dinheiro Digital e o Futuro da Privacidade. escrito por Timothy C. May -Publicado em 1994. :
Livro completo em PDF no Github PrivacyOpenSource.
https://github.com/Alexemidio/PrivacyOpenSource/raw/main/Livros/THE%20CYPHERNOMICON%20.pdf
Share
-

@ a012dc82:6458a70d
2025-03-26 12:55:41
The cryptocurrency world is poised on the brink of a significant event as Bitcoin approaches its fourth halving in April 2024. This event, deeply embedded in Bitcoin's protocol, serves as a reminder of the cryptocurrency's unique economic model, designed to mimic the scarcity and deflationary aspects of precious metals. The halving not only affects the miners' rewards but also has far-reaching implications for the entire cryptocurrency market, influencing investor sentiment, market supply, and the intrinsic value of Bitcoin itself.
**Table of Contents**
- Understanding Bitcoin Halving
- Historical Impact on Bitcoin's Price
- Implications for Miners
- Institutional Interest and Market Dynamics
- Regulatory Environment and Global Economic Factors
- Conclusion
- FAQs
**Understanding Bitcoin Halving**
Bitcoin halving is a core mechanism of the Bitcoin protocol, occurring every 210,000 blocks, which historically has been approximately every four years. This event reduces the reward for mining new blocks by half, a process designed to control Bitcoin's inflation and supply rate. The upcoming 2024 halving will slash the mining reward from 6.25 bitcoins per block to 3.125 bitcoins, a change that will significantly impact the rate at which new bitcoins are generated and enter the market.
This deflationary event is critical to Bitcoin's value proposition as digital gold. By reducing the flow of new bitcoins, the halving events mimic the extraction of a finite resource, enhancing Bitcoin's scarcity and potential as a store of value. The anticipation and aftermath of these events have historically led to increased public interest, media coverage, and speculative activity, all of which contribute to Bitcoin's market dynamics and price volatility.
**Historical Impact on Bitcoin's Price**
The halving events have historically been landmarks in Bitcoin's price history, often heralding periods of significant price appreciation. For example, the year following the 2016 halving saw Bitcoin's price increase manifold, underscoring the event's impact on market psychology and investor expectations. However, while past trends suggest a bullish outcome, it's crucial to acknowledge the complexity of market dynamics and the multitude of factors influencing Bitcoin's price.
The price impact of the halving can be attributed to the reduced supply of new bitcoins, heightening scarcity, and potentially increasing demand. However, the actual market response can vary based on current market conditions, investor sentiment, and global economic factors. Therefore, while historical data provides valuable insights, each halving unfolds in a unique context, making the outcome of the 2024 event unpredictable and a subject of widespread speculation.
**Implications for Miners**
The halving significantly impacts Bitcoin miners, as the reward reduction directly affects their revenue streams. This event could lead to a realignment within the mining industry, as only the most efficient and well-capitalized operations can sustain profitability with lower rewards. This pressure could drive technological innovation, as miners seek more energy-efficient and cost-effective mining solutions, but it could also lead to increased centralization, which is a concern for the Bitcoin network's health and security.
The aftermath of the halving will likely see a shakeout of less efficient miners, which could temporarily affect the network's hash rate and security. However, this consolidation could also lead to a more robust and resilient mining ecosystem in the long run. The dynamics between mining costs, Bitcoin's price, and network security are intricate and will play a crucial role in the cryptocurrency's post-halving landscape.
**Institutional Interest and Market Dynamics**
The landscape of Bitcoin investment has evolved dramatically since the last halving, with significant growth in institutional interest. The approval of Bitcoin ETFs and the entry of traditional financial institutions into the crypto space have provided Bitcoin with a new level of legitimacy and accessibility. This institutional involvement could lead to greater liquidity and less volatility post-halving, as larger players with long-term horizons enter the market.
However, institutional investors also bring new dynamics to Bitcoin's market. Their investment strategies, risk management practices, and regulatory compliance requirements differ markedly from those of retail and early crypto adopters. This shift could influence how the market responds to the halving, as institutional investors may be less prone to speculative trading and more interested in Bitcoin's long-term value proposition.
**Regulatory Environment and Global Economic Factors**
The impact of the 2024 halving will also be shaped by the broader regulatory and economic environment. Regulatory developments, both positive and negative, can significantly affect investor confidence and market dynamics. Clear and supportive regulations can foster growth and innovation in the crypto space, while restrictive policies may hinder market development and investor participation.
Moreover, global economic factors such as inflation rates, monetary policies, and geopolitical events play a crucial role in shaping investor sentiment and demand for Bitcoin. As a digital, borderless asset, Bitcoin is increasingly seen as a hedge against inflation and currency devaluation, factors that could influence its appeal around the halving event.
**Conclusion**
As April 2024 approaches, the Bitcoin community and investors worldwide are watching closely, aware that the halving could mark the beginning of a new era for Bitcoin. This event represents more than just a technical adjustment; it is a testament to Bitcoin's enduring design and its role as a pioneer in the cryptocurrency space.
The significance of the halving extends beyond immediate price effects; it encompasses the evolution of Bitcoin's market, the maturation of its ecosystem, and its position in the broader financial landscape. As we move closer to this pivotal event, the collective actions of miners, investors, and regulators will shape not only the outcome of the halving but the future trajectory of Bitcoin and the cryptocurrency market at large.
In this ever-evolving narrative, the 2024 halving stands as a critical milestone, a moment of reflection and anticipation, highlighting the challenges and opportunities that lie ahead in the journey of Bitcoin and the quest for a decentralized financial future.
**FAQs**
**What is Bitcoin halving?**
Bitcoin halving is an event that occurs every 210,000 blocks, approximately every four years, which reduces the reward for mining new Bitcoin blocks by half. This mechanism is designed to control inflation and reduce the rate at which new bitcoins are introduced into circulation.
**Why is the Bitcoin halving significant?**
The halving is significant because it directly impacts the supply of new bitcoins entering the market, which can influence Bitcoin's price. It also affects miners' profitability and can lead to changes in the network's mining dynamics.
**How has Bitcoin's price reacted to previous halvings?**
Historically, Bitcoin's price has increased following halving events, though there are many factors at play. These price increases are often attributed to the reduced supply of new bitcoins and increased demand.
**What are the potential effects of the 2024 Bitcoin halving on miners?**
The halving will reduce the block reward, potentially affecting miners' profitability. This could lead to a consolidation in the mining industry, with only the most efficient miners remaining competitive.
**How might institutional interest affect the Bitcoin market around the halving?**
Institutional interest can bring more stability and liquidity to the Bitcoin market. However, it also introduces new market dynamics, as institutional investors may have different strategies and reactions to the halving compared to retail investors.
**That's all for today**
**If you want more, be sure to follow us on:**
**NOSTR: croxroad@getalby.com**
**X: [@croxroadnewsco](https://x.com/croxroadnewsco)**
**Instagram: [@croxroadnews.co/](https://www.instagram.com/croxroadnews.co/)**
**Youtube: [@thebitcoinlibertarian](https://www.youtube.com/@thebitcoinlibertarian)**
**Store: https://croxroad.store**
**Subscribe to CROX ROAD Bitcoin Only Daily Newsletter**
**https://www.croxroad.co/subscribe**
**Get Orange Pill App And Connect With Bitcoiners In Your Area. Stack Friends Who Stack Sats
link: https://signup.theorangepillapp.com/opa/croxroad**
**Buy Bitcoin Books At Konsensus Network Store. 10% Discount With Code “21croxroad”
link: https://bitcoinbook.shop?ref=21croxroad**
*DISCLAIMER: None of this is financial advice. This newsletter is strictly educational and is not investment advice or a solicitation to buy or sell any assets or to make any financial decisions. Please be careful and do your own research.*
-

@ ecda4328:1278f072
2025-03-26 12:06:30
When designing a highly available Kubernetes (or k3s) cluster, one of the key architectural questions is: **"How many ETCD nodes should I run?"**
A recent discussion in our team sparked this very debate. Someone suggested increasing our ETCD cluster size from 3 to more nodes, citing concerns about node failures and the need for higher fault tolerance. It’s a fair concern—nobody wants a critical service to go down—but here's why **3-node ETCD clusters are usually the sweet spot** for most setups.
---
## The Role of ETCD and Quorum
ETCD is a distributed key-value store used by Kubernetes to store all its state. Like most consensus-based systems (e.g., Raft), ETCD relies on quorum to operate. This means that more than half of the ETCD nodes must be online and in agreement for the cluster to function correctly.
### What Quorum Means in Practice
- In a **3-node** ETCD cluster, quorum is **2**.
- In a **5-node** cluster, quorum is **3**.
<img src="https://blossom.primal.net/36cd64d4478ea93cf954fdbb70aeba52053dd8bb610a502b4b6bb6507eab06c8.png">
⚠️ So yes, 5 nodes can tolerate 2 failures vs. just 1 in a 3-node setup—but you also need more nodes online to keep the system functional. More nodes doesn't linearly increase safety.
---
## Why 3 Nodes is the Ideal Baseline
Running 3 ETCD nodes hits a great balance:
- **Fault tolerance:** 1 node can fail without issue.
- **Performance:** Fewer nodes = faster consensus and lower latency.
- **Simplicity:** Easier to manage, upgrade, and monitor.
Even the [ETCD documentation](https://etcd.io/docs/v3.6/faq/) recommends 3–5 nodes total, with 5 being the **upper limit** before write performance and operational complexity start to degrade.
Systems like Google's Chubby—which inspired systems like ETCD and ZooKeeper—also recommend no more than 5 nodes.
---
## The Myth of Catastrophic Failure
> "If two of our three ETCD nodes go down, the cluster will become unusable and need deep repair!"
This is a common fear, but the reality is less dramatic:
- **ETCD becomes read-only**: You can't schedule or update workloads, but existing workloads continue to run.
- **No deep repair needed**: As long as there's no data corruption, restoring quorum just requires bringing at least one other ETCD node back online.
- **Still recoverable if two nodes are permanently lost**: You can re-initialize the remaining node as a new single-node ETCD cluster using `--cluster-init`, and rebuild from there.
---
## What About Backups?
In k3s, ETCD snapshots are automatically saved by default. For example:
- Default path: `/var/lib/rancher/k3s/server/db/snapshots/`
You can restore these snapshots in case of failure, making ETCD even more resilient.
---
## When to Consider 5 Nodes
Adding more ETCD nodes **only makes sense at scale**, such as:
- Running **12+ total cluster nodes**
- Needing **stronger fault domains** for regulatory/compliance reasons
> Note: ETCD typically requires low-latency communication between nodes. Distributing ETCD members across availability zones or regions is generally discouraged unless you're using specialized networking and understand the performance implications.
Even then, be cautious—you're trading some simplicity and performance for that extra failure margin.
---
## TL;DR
- **3-node ETCD clusters** are the best choice for most Kubernetes/k3s environments.
- **5-node clusters** offer more redundancy but come with extra complexity and performance costs.
- **Loss of quorum is not a disaster**—it’s recoverable.
- **Backups and restore paths** make even worst-case recovery feasible.
And finally: if you're seeing multiple ETCD nodes go down *frequently*, the real problem might not be the number of nodes—but your hosting provider.
---
-

@ a0c34d34:fef39af1
2025-03-26 11:42:52
8 months ago I went to Nashville, Bitcoin2024. The one with Edward Snowden’s cryptic speech, Michael Saylor telling people who knew nothing about Bitcoin how to stack sats. And yes, I was in the room when Donald spoke. I had so many people asking me how to “get a Coinbase!!!” cause he said so.
I sat with two women explaining seed phrase and how vital it was as they wrote the random words on scrape pieces of paper and put them in their purses.
I once was just like those women. Still am in some areas of this space. It can be overwhelming, learning about cryptography,subgraphs, it can be decentralized theatre!!!
Yes decentralized theatre. I said it.
I never said it out loud.
In 2016, I knew nothing. I overheard a conversation that changed my life’s trajectory. I am embarrassed to say, I was old then but didn’t know it. I didn’t see myself as old, 56 back then, I just wanted to have enough money to pay bills.
I say this to say I bought 3 whole Bitcoin in 2016 and listening to mainstream news about scams and black market associated with what I bought, I sold them quickly and thought I was too old to be scammed and playing around with all of that.
In 2018, someone gave me The Book of Satoshi, I read it and thought it was a fabulous story but my fear ? I put the book in a drawer and forgot about it.
I mentioned decentralized theatre. I have been living in decentralized theatre for the past 3 years now. In August 2021 I landed on TikTok and saw NFTs. I thought get money directly to those who need it. I started diving down the rabbit holes of Web3.
The decentralized theatre is being in betas & joining platforms claiming to be decentralized social media platforms and of course all the “Web3” businesses claiming to be Web3.
Social medias were exciting, the crypto casino was thriving and I thought I was going to live a decentralized life with Bitcoin being independent from any financial institutions or interference from government.
Delusional? Yes, diving deeper, I did. I went to my first “night with crypto” event in West Palm Beach. My first IRL meeting scammers.
There was about 200-250 people sitting facing the stage where a man was speaking. There was a QRCode on the screen and he said for us to get out our phones and scan the QRCode to download their wallet & get free money.
I watched everyone, most everyone point their phones at the screen, but I didn’t, I got up and went out to the area where the booths were, the vendors.
A few months later I found out ( on Twitter) it was a scam. People would deposit a “minimal amount” and swap their money for these tokens with no value but constant hype and Twitter social media ambassadors ( followers) had people “wanting in” Don’t FOMO…
The promise of decentralization, independent from banks & government, and of course I had been excitedly sharing everything I was learning on TikTok and mentioned senior citizens need to know this stuff.
They need to learn metaverse to be connected with the virtual and digital natives( their kids, grandkids). They need to learn about Bitcoin and blockchain technologies to put their documents on chain & transfer their wealth safely. They need to learn how A.I. health tech can help them have a better quality of life!!!
Someone said I was a senior citizen and I was the perfect person to help them. It’s been 3 years and I learned how to create a Discord(with Geneva), 4 metaverses, multiple wallets and learned about different cryptos. I learned about different GPTs, NFCCHIP wearables, A.I. and Decentralized Physical Infrastructure Network and so much more.
I have since deleted TikTok. I wrote an article on that on YakiHonne. I’m using LinkedIn and YouTube , some BluSky platforms. I published a cliff notes book for senior citizens and put it in my Stan Store(online to links) with links to my resume, newsletter, YouTube Channel, Substack and Onboard60 digital clone.
Onboard60, the name for my project. Onboard was THE buzzword back in 2021 & early 2022, 60? an age representative of my target audience … Onboard60 stuck.
The lack of interest from senior citizens over the years , the rejections, wild opinions, trolls on socials- I understand - I forget the fear I had. I still have the fear of not being a part of society, not understanding the world around me, getting left behind.
I keep coming to Nostr, going to BluSky, even the ones that are decentralized theatre( Lens & Farcaster)- I admit losing 28k follower account and afew other accounts I deleted ( over 5k & 12k), I felt a loss. I had perpetually been online and my relationships, friendships were online. Sadly only a few were real. Social media - out of sight out of mind. It was devastating.
I had to unplug and regroup. I was afraid to be on new social platforms, scared to start over, meet people. I’m realizing I do everything scared. I do it, whatever it is that moves me forward, keeps me learning, and keeps my mindset open, flexible.
Another fear is happening to me. There are times I have a senior citizen mindset. And that’s really scary. I have heard myself in conversations putting in an extra “the” like saying The Nostr like older people do.
Onboard60 is me. I am an adolescent and family counselor with a Master’s degree. I have created a few Metaverses, a Live chat/online Discord, a How to for senior citizens booklet and a digital clone.
Yes Onboard60 digital clone can be asked about anything Web3, blockchain and discuss how to create personal A.I. agents. I uploaded all of my content of the last 3 years (and it being LLM)People can go to Onboard60 clone with voice and or text
I do 1:1 counseling with overwhelmed, afraid and skeptical senior citizens.
I show experientially step by step basic virtual reality so senior citizens can enter the metaverse with their grandkids and portal to a park.
I use the metaverse & Geneva Live chats as social hang outs for senior citizens globally to create connections and stay relevant
I also talk about medical bracelets. NFCCHIP for medical information, gps bracelets for Alzheimer’s or dementia care.
And lastly from the past 3 years, I have learned to discuss all options for Bitcoin investing, not just self custody. Senior citizens listen, feel safe when I discuss Grayscale and Fidelity.
They feel they can trust these institutions. I tell them how they have articles and webinars on their sites about crypto and what cryptofunds they offer. They can dyor, it’s their money.
My vision and mission have stayed the same through this rollercoaster of a journey. It’s what keeps me grounded and moving forward.
This year I’m turning 65, and will become a part of the Medicare system. I don’t have insurance, can’t afford it. If it was on the blockchain I’d have control of the costs but nooooo, I am obligated to get Medicare.
I will have to work an extra shift a week (I am a waitress at night) and I am capable to do it and realistically I will probably need health insurance in the future, I am a senior citizen…..
Thank you for reading this.
Zap sats
and thank you again.
Sandra (Samm)
Onboard60 Founder
https://docs.google.com/document/d/1PLn1ysBEfjjwPZsMsLlmX-s7cDOgPC29/edit?usp=drivesdk&ouid=111904115111263773126&rtpof=true&sd=true
-

@ 7d33ba57:1b82db35
2025-03-26 11:19:39
Gibralta is famous for its iconic Rock, fascinating history, and stunning views over the Mediterranean and Atlantic. A mix of British, Spanish, and Moorish influences, it’s a unique destination packed with natural beauty and cultural heritage.

## **🏛️ Top Things to See & Do in Gibraltar**
### **1️⃣ The Rock of Gibraltar 🏔️**
- The **most famous landmark**, standing **426 meters high**.
- Offers **spectacular views** of Spain, Morocco, and the Strait of Gibraltar.
- Reach it by **hiking, cable car, or guided tour**.

### **2️⃣ St. Michael’s Cave 🏰**
- A stunning **limestone cave** filled with **stalactites and stalagmites**.
- Used as a concert venue with incredible **natural acoustics**.
- Illuminated with colorful lights for an unforgettable experience.

### **3️⃣ Apes’ Den 🐵**
- Home to **Gibraltar’s famous Barbary macaques**, Europe’s only wild monkeys.
- Legend says if the monkeys leave, so will the British! 🇬🇧
- Be careful with your belongings—**they love to steal snacks!**

### **4️⃣ Europa Point & Lighthouse 🌊**
- The **southernmost point** of Gibraltar, with views across to **Africa**.
- Visit the **Trinity Lighthouse**, the stunning **Ibrahim-al-Ibrahim Mosque**, and the **Harding Battery**.

### **5️⃣ The Great Siege Tunnels 🏗️**
- An **underground tunnel system** carved by the British during the **Great Siege (1779–1783)**.
- Learn about Gibraltar’s military history with **cannons and exhibits**.

### **6️⃣ Main Street & Casemates Square 🛍️**
- A lively area with **British-style pubs, duty-free shopping, and historical buildings**.
- Ideal for picking up **souvenirs, perfumes, electronics, and spirits** at tax-free prices.

### **7️⃣ Gibraltar Skywalk & Windsor Suspension Bridge 🌉**
- A **glass-floored viewpoint** offering breathtaking **panoramic views**.
- The **Windsor Suspension Bridge** is a thrilling 71-meter-long bridge over a deep gorge.

## **🍽️ What to Eat in Gibraltar**
- **Fish & Chips** – A British classic, best enjoyed by the waterfront 🐟🍟
- **Calentita** – A chickpea flour flatbread, Gibraltar’s national dish 🥖
- **Rosto** – A local pasta dish with **tomato sauce and meat** 🍝
- **Torta de Acelga** – A savory **Swiss chard pie**, a blend of Spanish and Moorish flavors 🥧
- **Gibraltar Gin & Tonic** – A refreshing drink with local gin 🍸

## **🚗 How to Get to Gibraltar**
✈️ **By Air:** Gibraltar International Airport (GIB) – flights from **London, Manchester, Bristol**
🚘 **By Car:** Drive from Spain (La Línea de la Concepción), but expect **border checks** 🚧
🚆 **By Train:** Nearest Spanish station is **San Roque-La Línea**, then take a taxi or bus
🚌 **By Bus:** Direct buses from **Málaga, Seville, and Cádiz**
🚶 **On Foot:** Many visitors park in **La Línea, Spain**, and walk across the border

## **💡 Tips for Visiting Gibraltar**
✅ **Bring your passport** – Border control is required for entry 🛂
✅ **Take the cable car early** – The **Rock gets crowded** by midday 🚠
✅ **Watch out for the monkeys** – They are friendly but love to steal 🎒
✅ **Wear comfortable shoes** – Exploring the Rock involves lots of walking 👟
✅ **Use British pounds (£) or euros (€)** – Most places accept both 💷💶
-

@ 8f69ac99:4f92f5fd
2025-03-26 10:59:52
> **"Qual é exatamente a sua 'parte justa' daquilo que 'outra pessoa' trabalhou para conseguir?"** – Thomas Sowell
A ideia de "parte justa" não tem tanto a ver com justiça, mas sim com uma justificativa—uma desculpa para tirar de um grupo e entregar a outro. Disfarça coerção como moralidade e transforma a expropriação em virtude. Durante décadas, políticos usaram esse conceito para expandir o poder do Estado sob o pretexto de justiça social. Desde a proposta de Karl Marx de "abolir a propriedade privada" até os impostos progressivos modernos, o princípio continua o mesmo: alguns têm demasiado, outros de menos—logo, o governo precisa intervir. Mas quem decide quanto é "demasiado"? E o que acontece quando impostos criados para os ricos acabam por recair sobre a classe média?
O imposto sobre o rendimento nos EUA ilustra bem este fenómeno. Originalmente introduzido em 1861 como uma medida temporária em tempo de guerra, tornou-se permanente em 1913 com a 16ª Emenda, prometendo tributar apenas os americanos mais ricos. No entanto, com o passar do tempo, através do aumento dos escalões, da inflação e das mudanças de política, quase todos os níveis de rendimento ficaram sob o seu alcance. Actualmente, enquanto os 10% mais ricos pagam cerca de 73-76% dos impostos federais sobre o rendimento, a classe média suporta um encargo desproporcionado - contrariamente à intenção original do sistema.
Desde a natureza coerciva da tributação até aos fracassos das experiências socialistas, fica claro que a redistribuição não cria justiça—apenas substitui mercados livres por controlo estatal. Justiça verdadeira é manter o que se ganha e participar em trocas voluntárias.
## **A Ilusão da 'Parte Justa'**
A ideia de "parte justa" é tão inconsistente quanto tentar segurar água nas mãos—muda de forma conforme a conveniência política. Políticos usam-na para justificar a redistribuição, mas a sua definição é subjectiva e sempre mutável. Para alguns, significa doar 10% do rendimento para caridade; para outros, significa não pagar nada porque consideram o sistema injusto. O problema surge quando essas noções pessoais se tornam política pública.
### **O Erro Moral e Lógico de Reivindicar o Trabalho Alheio**
Defender uma "parte justa" do rendimento de outra pessoa baseia-se na coerção, não no consentimento. Nos mercados livres, a troca voluntária garante benefícios mútuos. Já a tributação, por outro lado, confisca recursos sem negociação, violando a autonomia individual. Se um indivíduo não pode moralmente exigir o trabalho de outro sob ameaça (também conhecido como _escravidão_), por que motivo o Estado pode?
### **Falhas Históricas da Redistribuição Forçada**
- **Regimes Comunistas:** A economia centralizada da União Soviética, supostamente criada para o bem colectivo, resultou em ineficiência, escassez e repressão.
- **Estados Assistencialistas:** Programas como a Segurança Social foram concebidos como redes de apoio temporárias, mas acabaram por incentivar a dependência crónica.
- **Tributação Progressiva:** Originalmente direccionada aos mais ricos, a tributação progressiva logo se estendeu à classe média, provando que a redistribuição nunca para de crescer.
Em todos estes casos, a redistribuição prometeu equidade, mas entregou ineficiência e injustiça, penalizando os produtivos enquanto outros recebiam sem contrapartida. A justiça real encontra-se na troca voluntária, não na expropriação forçada.
## **Tributação: Roubo Legalizado**
Os impostos são frequentemente apresentados como um dever social, mas na prática, são coerção disfarçada de contribuição. Na Europa, tributos elevados financiam amplos programas assistenciais, mas acabam por penalizar a produtividade e incentivar a dependência.
### **A Natureza Coerciva dos Impostos**
As democracias europeias orgulham-se da liberdade individual, mas a tributação é uma das poucas áreas onde a coerção é amplamente aceite. Se um cidadão se recusar a pagar impostos, o Estado pode congelar contas bancárias, confiscar bens e aplicar penalidades severas. Os descontos automáticos nos salários e o IVA garantem que os impostos sejam cobrados antes mesmo que o rendimento chegue às mãos do trabalhador. Isto não é troca voluntária; é expropriação forçada respaldada pela lei.
### **Como os Impostos Punem os Produtivos e Recompensam a Dependência**
O modelo fiscal europeu, frequentemente elogiado pela sua progressividade, na realidade sobrecarrega aqueles que trabalham e investem, enquanto sustenta burocracias ineficientes e perpetua a dependência assistencialista. Os governos justificam a redistribuição como ajuda aos pobres, mas grande parte da arrecadação financia instituições estatais inchadas e programas mal geridos, como aliás se tem visto nos Estados Unidos. Entretanto, a tributação elevada desincentiva o empreendedorismo, levando talentos e capitais a procurar países com impostos mais baixos.
## **O Socialismo Acaba Quando Acaba o Dinheiro dos Outros**
> **"O problema do socialismo é que, mais cedo ou mais tarde, o dinheiro dos outros acaba."** — Margaret Thatcher
A observação de Thatcher resume bem o maior defeito do socialismo: a sua dependência de uma base de contribuintes cada vez menor. Quando a redistribuição substitui a produtividade, o colapso económico torna-se inevitável.
### **Como a Redistribuição Elimina Incentivos**
Ao tributar o sucesso e subsidiar a estagnação, o socialismo desencoraja o esforço e a inovação. Entre as principais consequências estão:
1. **Menor Recompensa pelo Trabalho:** Impostos elevados tornam o trabalho árduo menos compensador, reduzindo a produtividade.
2. **Estímulo à Dependência:** Estados assistencialistas criam ciclos de dependência, desmotivando a busca pela autonomia financeira.
3. **Mau Uso de Recursos:** Burocracias distribuem riqueza de forma ineficiente, financiando instituições inchadas em vez de necessidades reais.
### **O Que Aconteceu Depois do Socialismo?**
- **Leste Europeu:** Após o colapso socialista, países como a Polónia e a Hungria adoptaram reformas de mercado, revitalizando as suas economias.
- **China:** Embora mantenha um sistema político socialista, a abertura ao mercado transformou o país numa potência económica global.
Ambos os casos mostram que o crescimento ocorre quando os governos abandonam o planeamento central e permitem que as pessoas criem riqueza livremente.
## **Conclusão: O Verdadeiro Significado de Justiça**
Justiça não significa igualar resultados à força, mas sim garantir a liberdade para ganhar, trocar e prosperar, ou seja, igualdade de oportunidades. O argumento da "parte justa" é uma armadilha retórica usada para justificar coerção. A verdadeira justiça económica vem da troca voluntária, da caridade privada e do direito de usufruir do que se ganha sem interferência do Estado.
A escolha é clara: abraçar mercados livres e responsabilidade individual ou seguir pelo caminho do controlo estatal e da perda gradual das liberdades individuais.
---
_Photo by [John Tyson](https://unsplash.com/@jontyson?utm_content=creditCopyText&utm_medium=referral&utm_source=unsplash) on [Unsplash](https://unsplash.com/photos/red-love-neon-light-signage-qAQsVsSxp_w?utm_content=creditCopyText&utm_medium=referral&utm_source=unsplash)_
-

@ b7cf9f42:ecb93e78
2025-03-26 10:57:33
# Der Verstand im Fluss der Information
Das Informationszeitalter ist wie ein monströser Fluss, der unseren Verstand umgibt
## Fundament erbauen
Der Verstand kann sich eine Insel in diesem Fluss bauen. Dabei können wir eine eigene Insel erbauen oder eine bestehende insel anvisieren um stabilität zu finden
Je **robuster** das Baumaterial, desto standhafter unsere Insel. *(Stärke der Argumente, Qualität des Informationsgehalts, Verständlichkeit der Information)*
Je **grossflächiger** die Insel, desto mehr Menschen haben Platz *(Reichweite)*.
Je **höher** wir die Insel bauen, desto sicherer ist sie bei einem Anstieg des Informationsflusses *(Diversität der Interesse und Kompetenzen der Inselbewohner)*.
### Robustes Baumaterial
#### **Primäre Wahrnehmung (robuster):**
Realität -> meine Sinne -> meine Meinung/Interpretation
**Sekundäre Wahrnehmung (weniger Robust):**
Realität -> Sinne eines anderen -> dessen Meinung/Interpretation -> dessen Kommunikation -> meine Sinne -> meine Meinung/Interpretation
## Wie kann ich zur Insel beitragen?
Ich investiere meine Zeit, um zu lernen. Ich bin bestrebt, Ideen zu verstehen, um sicherzugehen, dass ich robustes Baumaterial verwende.
Ich teile vermehrt Informationen, welche ich verstehe, damit auch meine Mitbewohner der Insel mit robustem Material die Insel vergrössern können. So können wir mehr Platz schaffen, wo Treibende Halt finden können.
## Was könnte diese Insel sein?
- Freie Wissenschaft
- Freie Software
- Regeln
- Funktionierende Justiz
- Werkzeug
- und vieles weiteres
-

@ 7d33ba57:1b82db35
2025-03-26 09:22:57
Córdoba is a treasure trove of Moorish architecture, Roman heritage, and Andalusian charm. Once the capital of the Umayyad Caliphate, it’s home to stunning patios, atmospheric streets, and UNESCO-listed landmarks.

## **🏛️ Top Things to See & Do in Córdoba**
### **1️⃣ La Mezquita-Catedral 🕌⛪**
- **Córdoba’s most iconic landmark**, a **UNESCO World Heritage Site**.
- A breathtaking blend of **Islamic arches and a Christian cathedral**.
- Don’t miss the **orange tree courtyard and bell tower views**.
### **2️⃣ Alcázar de los Reyes Cristianos 🏰**
- A **medieval fortress** with **stunning gardens and Mudejar courtyards**.
- Walk through **Roman mosaics, ancient baths, and watchtowers**.

### **3️⃣ Puente Romano & Calahorra Tower 🌉**
- A **historic Roman bridge** over the **Guadalquivir River**.
- Great for **sunset views** with the Mezquita in the background.
- Visit the **Calahorra Tower Museum** for a look at Córdoba’s Islamic past.
### **4️⃣ Judería (Jewish Quarter) & Calleja de las Flores 🌺**
- Wander through **narrow, whitewashed streets** lined with flowers.
- Visit the **Córdoba Synagogue**, one of Spain’s last remaining medieval synagogues.
- Stop by **Calleja de las Flores**, one of the most photogenic streets in Spain.
### **5️⃣ Palacio de Viana 🏡**
- A **16th-century palace** with **12 stunning courtyards** filled with flowers.
- A must-visit during **Córdoba’s Patio Festival (May)**.
### **6️⃣ Medina Azahara 🏛️**
- The ruins of a **10th-century Moorish palace-city**, 8 km from Córdoba.
- One of the greatest **archaeological sites** from Al-Andalus.
### **7️⃣ Plaza de la Corredera & Local Tapas 🍷**
- A lively **square** with **colorful buildings and traditional bars**.
- Try local specialties like **salmorejo (cold tomato soup) and flamenquín (breaded ham & cheese roll)**.

## **🍽️ What to Eat in Córdoba**
- **Salmorejo** – A thick **cold tomato soup**, topped with ham and egg 🍅
- **Flamenquín** – A **deep-fried pork roll** stuffed with ham & cheese 🥩🧀
- **Rabo de toro** – Slow-cooked **oxtail stew**, a classic dish 🥘
- **Berenjenas con miel** – Fried **eggplant drizzled with honey** 🍆🍯
- **Montilla-Moriles wine** – A local **sherry-like wine** 🍷

## **🚗 How to Get to Córdoba**
🚆 **By Train:** **High-speed AVE trains** from **Madrid (1 hr 45 min), Seville (45 min), Málaga (1 hr)**
🚘 **By Car:** 1.5 hrs from **Seville**, 2 hrs from **Granada**, 1 hr 40 min from **Málaga**
🚌 **By Bus:** Regular connections from major Andalusian cities
✈️ **By Air:** Closest airports are **Seville (SVQ) or Málaga (AGP)**

## **💡 Tips for Visiting Córdoba**
✅ **Best time to visit?** **Spring (April–May)** for mild weather & flower-filled patios 🌸
✅ **Visit early morning or late afternoon** to avoid the midday heat ☀️
✅ **Book Mezquita tickets in advance** to skip long queues 🎟️
✅ **Try the local patios** – Many houses open their courtyards for visitors 🏡

-

@ 57d1a264:69f1fee1
2025-03-26 08:45:13
> I was curious to see how Stacker.News domain and website contents scored from a SEO (Search Engine Optimization) perspective. Here what Semrush nows about SN. But first have alook at the Page Performance Score on Google (Detailled report available [here](https://pagespeed.web.dev/analysis/https-stacker-news/pjnc9jgscy?form_factor=mobile)). **Performance** and **Accessibility** looks have really low score!
| Desktop | Mobile |
|---|---|
|  |  |
|  |  |
Now let's see what Semrush knows.
# Analytics
General view on your metrics and performance trend compared to last 30 days.


See estimations of stacker.news's desktop and mobile traffic based on Semrush’s proprietary AI and machine learning algorithms, petabytes of clickstream data, and Big Data technologies.

Distribution of SN's organic traffic and keywords by country. The Organic Traffic graph shows changes in the amount of estimated organic and paid traffic driven to the SN analyzed domain over time.

| Organic Search | Backlinks Analytics |
|---|---|
| |  |
| Position Changes Trend | Top Page Changes |
|---|---|
| |  |
|This trend allows you to monitor organic traffic changes, as well as improved and declined positions.| Top pages with the biggest traffic changes over the last 28 days. |

# Competitors

The Competitive Positioning Map shows the strengths and weaknesses of SN competitive domains' presence in organic search results. Data visualizations are based on the domain's organic traffic and the number of keywords that they are ranking for in Google's top 20 organic search results. The larger the circle, the more visibility a domain has. Below, a list of domains an analyzed domain is competing against in Google's top 20 organic search results.

# Referring Domains


# Daily Stats
| Organic Traffic | Organic Keywords | Backlinks |
|---|---|---|
| 976 | 15.9K | 126K |
| `-41.87%` | `-16.4%` | `-1.62%` |
### 📝 Traffic Drop
Traffic downturn detected! It appears SN domain experienced a traffic drop of 633 in the last 28 days. Take a closer look at these pages with significant traffic decline and explore areas for potential improvement. Here are the pages taking the biggest hits:
- https://stacker.news/items/723989 ⬇️ -15
- https://stacker.news/items/919813 ⬇️ -12
- https://stacker.news/items/783355 ⬇️ -5
### 📉 Decreased Authority Score
Uh-oh! Your Authority score has dropped from 26 to 25. Don't worry, we're here to assist you. Check out the new/lost backlinks in the Backlink Analytics tool to uncover insights on how to boost your authority.
### 🌟 New Keywords
Opportunity Alert! Targeting these keywords could help you increase organic traffic quickly and efficiently. We've found some low-hanging fruits for you! Take a look at these keywords:
- nitter.moomoo.me — Volume 70
- 0xchat — Volume 30
- amethyst nostr — Volume 30
### 🛠️ Broken Pages
This could hurt the user experience and lead to a loss in organic traffic. Time to take action: amend those pages or set up redirects. Here below, few pages on SN domain that are either broken or not _crawlable_:
- https://stacker.news/404 — 38 backlinks
- https://stacker.news/api/capture/items/91154 — 24 backlinks
- https://stacker.news/api/capture/items/91289 — 24 backlinks
Dees this post give you some insights? Hope so, comment below if you have any SEO suggestion? Mine is to improve or keep an eye on Accessibility!
One of the major issues I found is that SN does not have a `robots.txt`, a key simple text file that allow crawlers to read or not-read the website for indexing purposes. @k00b and @ek is that voluntary?
Here are other basic info to improve the SEO score and for those of us that want to learn more:
- Intro to Accessibility: https://www.w3.org/WAI/fundamentals/accessibility-intro/
- Design for Accessibility: https://www.w3.org/WAI/tips/designing/
- Web Accessibility Best Practices: https://www.freecodecamp.org/news/web-accessibility-best-practices/
originally posted at https://stacker.news/items/925433
-

@ 1b30d27a:3cf04146
2025-03-26 14:48:26
In recent years, Artificial Intelligence (AI) has become a significant force in transforming various industries, and the music world is no exception. Machine learning algorithms and AI tools are reshaping how music is created, produced, and consumed, offering musicians and producers new ways to enhance creativity and productivity. As AI continues to evolve, it is poised to become a valuable **co-creator** in the music industry, making the possibilities for sound creation nearly limitless.
### Redefining Music Composition with AI
Traditionally, music composition has been a human-driven process, where creativity and emotional depth played key roles. However, AI is now being used to generate *original compositions*, offering a new dimension to music creation. AI tools like *Amper Music*, *Jukedeck*, and *Aiva* can generate complex musical pieces in various genres, allowing musicians to collaborate with AI to create compositions that would have been impossible or time-consuming by traditional means.
> **"AI allows artists to explore new sounds, experiment with complex structures, and push boundaries in ways they never could before."**
Musicians can feed AI programs with their preferences, and the system can generate melodies, chord progressions, and rhythms based on their input. These AI-generated pieces can be used as the foundation for new music or as inspiration for artists to develop and refine their work further.
### AI in Music Production: Enhancing Creativity
While AI has made significant advancements in composition, its role in music production is equally groundbreaking. The production process involves a variety of technical tasks, such as mixing, mastering, and sound design. With the help of AI, producers can now streamline these tasks, allowing more time for creative decision-making.
**Benefits of AI in Music Production:**
- **Faster Workflow:** AI tools can automate time-consuming tasks, such as adjusting levels and applying effects, which accelerates the production process.
- **Precision and Consistency:** AI algorithms can ensure that every element of a track is perfectly balanced, leading to high-quality productions.
- **Personalized Sound Design:** AI can learn an artist’s unique sound and help shape mixes to match the artist’s vision, whether they’re working with digital synthesizers or traditional instruments.
Tools like *LANDR* for mastering and *iZotope’s Ozone* for mixing are examples of AI-powered software that can automatically adjust audio tracks, ensuring optimal sound quality and consistency.
### AI as a Collaborative Tool in Music Creation
The most exciting aspect of AI in music production is its potential as a **collaborative tool**. Instead of replacing musicians and producers, AI is offering new avenues for collaboration. AI’s ability to generate fresh musical ideas, suggest unconventional sound combinations, and recommend harmonies can spark innovation in ways that were previously unimaginable.
> **"AI acts as a partner, not a replacement. It listens, learns, and collaborates with musicians to create something greater than what either could do alone."**
This partnership allows musicians to break free from creative blocks, explore new genres, and experiment with sounds that might not have been considered otherwise. By training AI to understand a musician’s style, AI can tailor suggestions and act as an idea generator, constantly offering new directions for creative exploration.
### AI and the Music Listening Experience
AI doesn’t just transform the creation and production process; it’s also changing the way we experience music. *Recommendation algorithms* are already helping millions of listeners discover new artists, songs, and genres on platforms like Spotify, YouTube, and Apple Music. AI analyzes user behavior, such as listening history and preferences, to suggest music that fits an individual’s taste.
Additionally, **AI-powered live performances** are emerging, where virtual concerts and interactive music experiences adapt to real-time audience feedback. Through the use of augmented reality (AR) and virtual reality (VR), AI is enhancing how fans engage with music, creating immersive environments that allow for a completely new type of live experience.
### The Future of AI in Music
As AI continues to evolve, its role in the music industry will only expand. We can expect AI to become even more integrated into the creative process, offering musicians tools to generate new compositions, automate production tasks, and enhance their overall workflow. As AI learns and adapts to the needs of individual artists, it will continue to act
-

@ 1b30d27a:3cf04146
2025-03-26 14:16:23
Artificial Intelligence (AI) is revolutionizing the music industry. What was once a tool used only for automation is now evolving into a **creative partner** that artists can collaborate with. AI's machine learning algorithms are transforming the way music is composed, produced, and consumed, providing endless opportunities for innovation and creativity.
### AI in Music Composition
AI is helping musicians create compositions faster and more efficiently than ever before. Algorithms trained on a variety of musical genres can now generate complex melodies and harmonies, mimicking the style of famous composers or creating something entirely new. *AI tools like OpenAI's MuseNet* can generate entire musical pieces, and musicians are using these compositions as inspiration, or in some cases, as finished works.
> **"AI is a co-creator—bringing fresh perspectives and ideas, transforming the music composition process."**
These AI tools don’t just replicate existing music—they offer new possibilities for experimentation, allowing artists to explore creative directions they might not have thought of on their own.
### Streamlining Music Production
In music production, AI is changing the game. By analyzing audio tracks, AI can help with tasks like mixing, mastering, and sound enhancement. Tools like *LANDR* and *iZotope Ozone* automate the mastering process, giving producers professional-level results in a fraction of the time it would take manually.
**Key Benefits of AI in Music Production:**
- **Time Efficiency:** Automated processes speed up repetitive tasks like mixing and mastering.
- **Enhanced Sound Quality:** AI can fine-tune audio, ensuring clarity and balance.
- **Personalization:** AI can learn an artist’s style, offering tailored suggestions and improvements.
AI tools provide a more efficient workflow, freeing up time for artists to focus on creativity rather than the technical details of production.
### AI as a Collaborative Partner
AI is no longer just a tool for producers; it’s a **creative partner**. It helps musicians explore new ideas, generate sound variations, and fine-tune compositions. AI can generate unusual sound combinations, suggest new chord progressions, or even help artists push past creative blocks.
> **"AI offers endless possibilities—it's a partner in the creative process, not just a tool."**
By collaborating with AI, artists can expand their creative horizons, unlocking new ideas that might not have been possible without this technological partnership.
### AI’s Influence on Music Consumption
AI also plays a huge role in how we experience music. Music platforms like Spotify and YouTube use AI to personalize recommendations based on listening habits. This allows users to discover new artists, genres, and tracks that align with their preferences, enhancing the overall music experience.
Moreover, AI-driven *virtual concerts* and *augmented reality performances* are on the rise, creating immersive and interactive experiences that bring music to life in a new way.
### The Future of AI in Music
The future of AI in music is bright. As AI continues to advance, it will play an even more integral role in music composition, production, and distribution. Artists will continue to use AI as a creative collaborator, and audiences will benefit from even more personalized music experiences.
The journey of AI in music production is just beginning. As technology evolves, so too will the possibilities for musicians and listeners alike. AI is helping us unlock new creative potential, and it’s exciting to think about where this collaboration will take us next. 🚀
-

@ b04082ac:29b5c55b
2025-03-26 07:07:11
In the bustling markets of Kumasi, the 19th-century capital of the Asante Empire in modern-day Ghana, traders conducted their commerce not with coins or paper notes, but with gold dust measured by intricately crafted brass spoons. This monetary system, devoid of a central bank or state-issued fiat, sustained a sophisticated civilization for over two centuries, challenging the conventional narrative that money requires a sovereign issuer to function. The Asante’s gold dust economy provides a historical lens through which to view the principles of sound money—principles that Bitcoin, with its fixed supply and decentralized architecture, resurrects in the digital realm. For those who recognize Bitcoin’s potential as a transformative monetary system, the Asante’s gold dust spoons serve as a compelling precedent: a medium of exchange rooted in scarcity and trust can underpin a thriving society, independent of centralized authority.
*Map from 1896 of the British Gold Coast Colony (today Ghana).*
The Asante Empire, spanning from 1701 to 1901, relied on sika futuro—gold dust painstakingly extracted from rivers and forests—as its primary currency. Measured with spoons and brass weights known as abrammo, this system was remarkably decentralized. Each trader carried their own set of tools, often adorned with proverbs or symbolic designs, enabling them to verify transactions without reliance on a centralized mint or overseer. By 1900, the Asante had amassed 14 million ounces of gold, a volume that rivaled the economic output of many European nations during the same period. This wealth fueled extensive trade networks across West Africa, connecting the empire to merchants from the coast to the interior, and supported cultural artifacts like the Golden Stool, a revered symbol of collective sovereignty forged from gold. The value of gold dust stemmed not from a royal proclamation but from its inherent scarcity and the labor required to obtain it—qualities that economists identify as the bedrock of sound money. Bitcoin reflects this paradigm: its cap of 21 million coins, enforced through cryptographic consensus rather than governmental fiat, establishes a monetary discipline immune to arbitrary expansion. The Asante’s experience underscores a fundamental economic insight: money derives its efficacy not from state endorsement, but from its ability to resist manipulation and retain value over time.
*Men in the process of weighing gold dust, photographed on the Ivory Coast in 1892. From Marcel Monnier’s France Noire Cote d’Ivoire et Soudan, 1894.*
Economic history teaches that sound money lowers time preference, encouraging saving and long-term planning over immediate consumption. The Asante’s gold dust, hard-won from the earth, could not be inflated at will; its supply expanded only incrementally, dictated by the limits of human effort and natural deposits. This constraint fostered a culture of accumulation, where wealth was preserved across generations, evident in the empire’s ability to finance infrastructure, such as roads linking trade hubs, and maintain a formidable military presence that deterred regional rivals. Historical records, such as those from anthropologist R.S. Rattray, describe how gold dust was hoarded in family coffers, passed down as a stable store of value. Bitcoin embodies this same dynamic. Its fixed issuance schedule—halving roughly every four years—mimics the gradual accretion of gold dust, encouraging holders to prioritize long-term retention over short-term expenditure. In contrast, fiat currencies, subject to unrestrained printing, elevate time preference, as seen in modern economies where central banks flood markets with liquidity, eroding purchasing power and compelling consumption over saving—a fate the Asante’s gold dust and Bitcoin’s design inherently avoid.
*An array of gold dust spoons from the Asante Empire, each adorned with detailed engravings and symbolic motifs, reflecting their role in trade and cultural heritage.*
The tools of the Asante economy further illustrate this monetary discipline. The spoons, ranging from 1/16-ounce measures for daily purchases to 2-ounce weights for significant transactions, were not mere utensils but instruments of precision and trust. Crafted with care—some bearing motifs of birds or proverbs like “The bird flies high”—they standardized trade across a diverse empire, reducing disputes over quantity or purity. Each trader’s possession of their own abrammo weights created a network of verification, a decentralized mechanism that prefigures Bitcoin’s blockchain. In Bitcoin’s system, nodes—computers running the protocol—validate every transaction, ensuring integrity without a central arbiter. This parallel is not superficial: both the Asante’s spoons and Bitcoin’s nodes represent a distributed order, where trust emerges from the system’s structure rather than a single authority. The Asante’s trade practices, documented by historians like Timothy Garrard, reveal a sophistication that belies their pre-industrial context—merchants negotiated with precision, their gold dust facilitating commerce from salt to textiles, much as Bitcoin enables peer-to-peer exchange across continents.
*A collection of intricately crafted gold dust spoons from the Asante Empire, showcasing the artistry and cultural significance of gold in Akan trade and tradition.*
Trust was the cornerstone of the Asante system, a quality that transcends its physical medium. Gold dust bore intrinsic worth, its weight a palpable assurance of value, a property recognized by European traders as early as the 15th century, well before the Asante state coalesced in 1701. This trust was not legislated but cultivated over centuries, a cultural conviction in the reliability of a scarce resource. Bitcoin’s trust arises from a different foundation: vast computational effort expended in mining secures its network, while a cryptographic framework ensures its integrity against tampering. Neither system depends on a sovereign guarantor; both derive legitimacy from attributes embedded in their design—scarcity and verifiability for gold dust, computational proof and immutability for Bitcoin. The Asante’s economy succumbed to colonial intervention in 1896, when British forces outlawed gold dust in favor of imperial currency, yet its principles endured in illicit trade, hinting at a resilience that Bitcoin amplifies. Bitcoin’s global network, operating beyond the reach of any single jurisdiction, withstands regulatory assaults—miners relocate, nodes persist—offering a durability the Asante could only aspire to in their regional confines.
One modern theory, Modern Monetary Theory (MMT), posits that money gains legitimacy solely through state declaration, underpinned by taxation and legal tender laws. The Asante’s experience contradicts this. Gold dust circulated among the Akan peoples long before the empire’s formation, its adoption predating any centralized authority; Asante kings taxed it but did not invent it. MMT’s insistence on government fiat as the source of monetary value overlooks the spontaneous emergence of money from human exchange—a process the Asante and Bitcoin demonstrate with clarity.
*A detailed gold dust spoon from the Asante Empire, featuring symbolic engravings and a prominent animal motif, highlighting the cultural and spiritual significance of its design*
Yet, the parallel between the Asante’s gold dust economy and Bitcoin might appear strained. Critics could argue that the Asante operated in a pre-industrial, regional context, their gold dust suited to a localized barter system, while Bitcoin contends with a global, digital economy of unprecedented complexity. The physicality of gold dust, they might contend, differs fundamentally from Bitcoin’s intangible code, and the Asante’s eventual subjugation by colonial fiat suggests state power ultimately prevails. This critique, however, misjudges the essence of the comparison. The Asante’s system thrived not because of its scale or medium, but because it embodied sound money—scarcity ensured its value, decentralization preserved its integrity. Bitcoin extends these principles, its fixed supply and distributed ledger transcending physical limits to achieve global reach. The Asante’s fall to colonial force reflects not a flaw in their money, but a lack of technological resilience—Bitcoin’s network, spanning continents and fortified by cryptography, shrugs off such threats, proving the concept’s adaptability rather than its weakness.
*A single gold dust spoon from the Asante Empire, featuring geometric patterns and intricate engravings, a testament to the Akan's skilled metalwork and economic traditions.*
The Asante’s gold dust economy persisted for two centuries, a testament to monetary sovereignty until colonial powers dismantled it. Its legacy lies in its demonstration that a decentralized, scarce medium can drive economic vitality—a lesson Bitcoin inherits and expands. By 2025, Bitcoin’s market value exceeds a trillion dollars, a quiet rebellion against central banks that echoes the Asante’s independence from state-issued money. The spoons—each a tool of meticulous trade—foreshadow Bitcoin’s blockchain, a ledger of unalterable trust. Their story reaffirms an enduring economic principle: money’s strength lies in its resistance to debasement, not in the power of its issuer. The Asante built an empire on this foundation, leveraging gold dust to forge a society of wealth and stability. Bitcoin, unbound by geography or politics, extends this logic into an era of unprecedented connectivity. If the Asante achieved such heights with a regional system, what might Bitcoin accomplish as a global one? The answer lies not in speculation, but in the hands of those who understand and wield its potential.
-

@ 866e0139:6a9334e5
2025-03-26 06:56:05
**Autor:** **[Dr. Ulrike Guérot.](https://www.ulrike-guerot.de/ueber-mich/biografie)** *(Foto:* *[Manuela Haltiner](https://www.ulrike-guerot.de/mediathek/fotos)). Dieser Beitrag wurde mit dem **[Pareto-Client](https://pareto.space/read)** geschrieben. Sie finden alle Texte der Friedenstaube und weitere Texte zum Thema Frieden **[hier.](https://pareto.space/read?category=friedenstaube)***
***
Ich bin 60 Jahre. Einer meiner Großväter, Wilhelm Hammelstein, liegt auf dem [Soldatenfriedhof in Riga](https://images.app.goo.gl/JzVgJaceYJrvyRLw8) begraben. Der andere, mütterlicherseits, Paul Janus, kam ohne Beine aus dem Krieg zurück, auch aus Russland. Ich kenne ihn nur mit Prothesen und Krücken. Er hat immer bei Wetterwechsel über Phantomschmerz geklagt und ist seines Lebens nicht mehr froh geworden. Den Krieg hat man ihm im Gesicht angesehen, auch wenn ich das als kleines Mädchen nicht verstanden habe.
### "Ihr könnt euch nicht vorstellen, was ich gesehen habe"
Von den Russen hat er trotzdem nie schlecht geredet. Was er immer nur zu uns Enkelkindern gesagt war: \*„Ihr könnt euch nicht vorstellen, was ich gesehen habe“. \* Wir haben es nicht verstanden, als 6- oder 8-Jährige, und haben gelacht. Manchmal haben wir ihm seine Krücken weggenommen, die immer an den Ohrensessel gelehnt waren, dann konnte Opa Paul nicht aufstehen und ist wütend geworden.

Meine Mutter, Helga Hammelstein, ist im Mai 1939 gleichsam in den Krieg hineingeboren worden, in Schlesien. 1945 gab es für sie, wie für viele, Flucht und Vertreibung. Ob sie und ihre zwei Schwestern von den Russen vergewaltigt wurden – wie damals so viele – kann ich nicht sagen. Diese Themen waren bei uns tabuisiert. Was ich sagen kann, ist, dass meine Mutter als Flüchtlings- und Kriegskind vom Krieg hochgradig traumatisiert war – und als Kriegsenkelin war oder bin ich es wohl auch noch. Eigentlich merke ich das erst heute so richtig, wo wieder Krieg auf dem europäischen Kontinent ist und Europa auch in den Krieg ziehen, wo es kriegstüchtig gemacht werden soll.
Vielleicht habe ich mich aufgrund dieser Familiengeschichte immer so für Europa, für die europäische Integration interessiert, für die EU, die einmal als Friedensprojekt geplant war. Ich habe Zeit meines Lebens, seit nunmehr 30 Jahren, in verschiedenen Positionen, als Referentin im Deutschen Bundestag, in Think Tanks oder an Universitäten akademisch, intellektuell, publizistisch und künstlerisch zum Thema Europa gearbeitet.
1989 habe ich einen Franzosen geheiratet, ich hatte mich beim Studium in Paris verliebt und in den 1990-Jahren in Paris zwei Söhne bekommen. Auch in der französischen Familie gab es bittere Kriegserfahrungen: der Mann der Oma meines damaligen Mannes war 6 Jahre in deutscher Kriegsgefangenschaft. *„Pourquoi tu dois marier une Allemande?“* *„Warum musst du eine Deutsche heiraten?“,* wurde mein damaliger Mann noch gefragt. Das Misstrauen mir gegenüber wurde erst ausgeräumt, als wir ihr 1991 den kleinen Felix, unseren erstgeborenen Sohn, in den Schoß gelegt haben.
### Das europäische Friedensprojekt ist gescheitert
Das europäische Einheits- und Friedensprojekt war damals, nach dem Mauerfall, in einer unbeschreiblichen Aufbruchstimmung, die sich heute niemand mehr vorstellen kann: Der ganze Kontinent in fröhlicher Stimmung - *insieme, gemeinsam, together, ensemble* – und wollte politisch zusammenwachsen. Heute ist es gescheitert und ich fasse es nicht! Das Kriegsgeheul in ganz Europa macht mich nachgerade verrückt.
Darum habe ich ein europäisches Friedensprojekt ins Leben gerufen: **The[European Peace Project.](https://europeanpeaceproject.eu/)** Am Europatag, den 9. Mai, um 17 Uhr, wollen wir in ganz Europa in allen europäischen und auf dem ganzen europäischen Kontinent als europäische Bürger den Frieden ausrufen! Ich würde mich freuen, wenn viele mitmachen!
***
**DIE FRIEDENSTAUBE JETZT ABONNIEREN:**
***[Hier](https://pareto.space/u/friedenstaube@pareto.space)*** *können Sie die Friedenstaube abonnieren und bekommen die Artikel in Ihr Postfach, vorerst für alle kostenfrei, wir starten gänzlich ohne Paywall. (Die Bezahlabos fangen erst zu laufen an, wenn ein Monetarisierungskonzept für die Inhalte steht).*
***
Schon jetzt können Sie uns unterstützen:
* Für **50 CHF/EURO** bekommen Sie ein Jahresabo der Friedenstaube.
* Für **120 CHF/EURO** bekommen Sie ein Jahresabo und ein T-Shirt/Hoodie mit der Friedenstaube.
* Für **500 CHF/EURO** werden Sie Förderer und bekommen ein lebenslanges Abo sowie ein T-Shirt/Hoodie mit der Friedenstaube.
* Ab **1000 CHF** werden Sie Genossenschafter der Friedenstaube mit Stimmrecht (und bekommen lebenslanges Abo, T-Shirt/Hoodie).
**Für Einzahlungen in CHF (Betreff: Friedenstaube):**
[](https://substackcdn.com:443/image/fetch/f_auto%2Cq_auto%3Agood%2Cfl_progressive%3Asteep/https%3A%2F%2Fsubstack-post-media.s3.amazonaws.com%2Fpublic%2Fimages%2F3fdee17a-c22f-404e-a10c-7f87a7b8182a_2176x998.png)
**Für Einzahlungen in Euro:**
Milosz Matuschek
IBAN DE 53710520500000814137
BYLADEM1TST
Sparkasse Traunstein-Trostberg
**Betreff: Friedenstaube**
Wenn Sie auf anderem Wege beitragen wollen, schreiben Sie die Friedenstaube an: <milosz@pareto.space> oder <kontakt@idw-europe.org>.
***
### Wo bleibt ein deutsch-russisches Jugendwerk?
Mein Lieblingsbuch zu Europa ist [Laurent Gaudet, Nous, L’Europe, banquet des peuples](https://www.ebay.de/itm/196814550786?chn=ps&_ul=DE&_trkparms=ispr=1\&amdata=enc:1456-zmCkTIilINXg06WrJA11\&norover=1\&mkevt=1\&mkrid=707-134425-41852-0\&mkcid=2\&mkscid=101\&itemid=196814550786\&targetid=2352380670613\&device=c\&mktype=pla\&googleloc=9043099\&poi=\&campaignid=21664105386\&mkgroupid=163858055661\&rlsatarget=pla-2352380670613\&abcId=10011854\&merchantid=137586159\&gad_source=1\&gbraid=0AAAAAD_G4xadgSaZ93fvbYkqxT8abRAnt\&gclid=Cj0KCQjwv_m-BhC4ARIsAIqNeBstESl5uoNmqFB4w3UdOT8LQNEdIINq1qeLhOMh7VXSFYLISYZVJQoaAonWEALw_wcB)*. „Wir, Europa! Ein Banquet der Völker“* Es ist ein großartiges Gedicht, etwa wie die Ilias von Homer. Es beschreibt die letzten einhundert Jahre europäische Geschichte, die ganzen Krieg und Revolutionen. Und es beschreibt doch, was uns als Europäer eint. Darin findet sich der – für mich wunderschöne! - Satz: *„Ce que nous partageons, c’est ce que nous étions tous bourraux et victime.“* *„Was wir als Europäer teilen ist, dass wir alle zugleich Opfer und Täter waren“*.
Und doch haben wir es geschafft, die „Erbfeindschaft“ zu beenden und uns auszusöhnen, zum Beispiel die Deutschen und Franzosen, über ein [deutsch-französisches Jugendwerk](https://www.dfjw.org), das 1963 gegründet wurde. So ein Jugendwerk wünsche ich mir auch heute zwischen Europa und Russland!
Das Epos von Laurent Gaudet ist in einem Theaterstück von dem französischen Regisseur Roland Auzet [auf die Bühne gebracht worden](https://www.youtube.com/watch?v=oORSX-G-SDo). In dem 40-köpfigen Ensemble sind verschiedene Nationalitäten aus ganz Europa: das Stück ist fantastisch! Ich selber habe es auf dem Theaterfestival in Avignon 2019 sehen dürfen!
Ich wünsche mir, dass wir statt jetzt für Milliarden überall in Europa Waffen zu kaufen, das Geld dafür auftreiben, dieses Theaterstück in jede europäische Stadt zu bringen: wenn das gelänge, hätten wohl alle verstanden, was es heißt, Europäer zu sein: nämlich Frieden zu machen!
***
*Ulrike Guérot, Jg. 1964, ist europäische Professorin, Publizistin und Bestsellerautorin. Seit rund 30 Jahren beschäftigt sie sich in europäischen Think Tanks und Universitäten in Paris, Brüssel, London, Washington, New York, Wien und Berlin mit Fragen der europäischen Demokratie, sowie mit der Rolle Europas in der Welt. Ulrike Guérot ist seit März 2014 Gründerin und Direktorin des European Democracy Labs, e.V.,Berlin und initiierte im März 2023 das European Citizens Radio, das auf Spotify zu finden ist. Zuletzt erschien von ihr* *["Über Halford J. Mackinders Heartland-Theorie, Der geografische Drehpunkt der Geschichte"](https://www.buchkomplizen.de/buecher/politik/ueber-halford-j-mackinders-heartland-theorie.html?listtype=search\&searchparam=heartland), Westend, 2024). Mehr Infos zur Autorin* *[hier.](https://www.ulrike-guerot.de/ueber-mich/biografie)*
***
**Sie sind noch nicht auf** [Nostr](https://nostr.com/) **and wollen die volle Erfahrung machen (liken, kommentieren etc.)? Zappen können Sie den Autor auch ohne Nostr-Profil!** Erstellen Sie sich einen Account auf [Start.](https://start.njump.me/) Weitere Onboarding-Leitfäden gibt es im [Pareto-Wiki.](https://wiki.pareto.space/de/home)
-

@ da0b9bc3:4e30a4a9
2025-03-26 06:54:00
Hello Stackers!
Welcome on into the ~Music Corner of the Saloon!
A place where we Talk Music. Share Tracks. Zap Sats.
So stay a while and listen.
🚨Don't forget to check out the pinned items in the territory homepage! You can always find the latest weeklies there!🚨
🚨Subscribe to the territory to ensure you never miss a post! 🚨
originally posted at https://stacker.news/items/925400
-

@ 30876140:cffb1126
2025-03-26 04:58:21
The portal is closing.
The symphony comes to an end.
Ballet, a dance of partners,
A wish of hearts,
Now closing its curtains.
I foolishly sit
Eagerly waiting
For the circus to begin again,
As crowds file past me,
Chuckles and popcorn falling,
Crushed under foot,
I sit waiting
For the show to carry on.
But the night is now over,
The laughs have been had,
The music been heard,
The dancers are gone now
Into the nightbreeze chill.
Yet still, I sit waiting,
The empty chairs yawning,
A cough, I start, could it be?
Yet the lights now go out,
And now without my sight
I am truly alone in the theater.
Yet still, I am waiting
For the show to carry on,
But I know that it won’t,
Yet still, I am waiting.
Never shall I leave
For the show was too perfect
And nothing perfect should ever be finished.
-

@ e5de992e:4a95ef85
2025-03-26 04:57:53
## Overview
On March 25, 2025, U.S. stock markets experienced modest gains despite declining volume and a drop in the Consumer Confidence Index, indicating that investors remain cautiously optimistic amid mixed economic signals.
---
## U.S. Stock Indices
- **S&P 500:**
- Increased by **0.2%**
- Closed at **5,776.65 points**
- Marked its third consecutive winning session, but volume was declining.
- **Dow Jones Industrial Average (DJIA):**
- Rose marginally by **0.01%**
- Ended at **42,587.50 points**
- Volume was declining.
- **Nasdaq Composite:**
- Advanced by **0.5%**
- Finished at **18,271.86 points**
- Volume was declining.
---
## U.S. Futures Market
- **S&P 500 Futures:**
- Rose by **0.06%**, suggesting a modestly positive opening.
- **Dow Jones Futures:**
- Remained unchanged, indicating a neutral sentiment among investors.
*Note: Both futures segments are experiencing low volume.*
---
## Key Factors Influencing U.S. Markets
- **Trade Policy Developments:**
Investor sentiment has been influenced by reports suggesting that President Donald Trump's proposed tariffs may be more narrowly targeted than initially feared—potentially exempting certain sectors. This has alleviated some concerns regarding the impact of trade policies on economic growth.
- **Economic Data Releases:**
The Consumer Confidence Index declined, reflecting growing concerns about economic expectations. However, positive corporate earnings reports have contributed to the market's resilience.
- **Sector-Specific News:**
- **International Paper** saw significant stock price increases due to upbeat growth outlooks.
- **United Parcel Service (UPS)** faced declines amid reduced earnings projections.
---
## Global Stock Indices Performance
International markets displayed mixed performances:
- **Germany's DAX:**
- Experienced a slight decline of **0.32%**
- Closed at **23,109.79 points**
- Initial optimism regarding tariff negotiations waned.
- **UK's FTSE 100:**
- Fell marginally by **0.10%**
- Reflects investor caution amid mixed economic data.
- **Hong Kong's Hang Seng:**
- Declined by **2.35%**
- Closed at **23,344.25 points**
- Impacted by a downturn in Chinese tech shares and ongoing tariff concerns.
- **Japan's Nikkei 225:**
- Showed resilience with a modest gain, influenced by positive domestic economic indicators.
---
## Cryptocurrency Market
The cryptocurrency market has experienced notable activity:
- **Bitcoin (BTC):**
- Trading at approximately **$87,460**
- Down **1.23%** from the previous close.
- **Ethereum (ETH):**
- Priced around **$2,057.22**
- Marked a **0.69%** uptick from the prior session.
These movements indicate the market’s sensitivity to regulatory developments and macroeconomic factors.
---
## Key Global Economic and Geopolitical Events
- **Trade Tensions and Tariff Policies:**
Ongoing discussions regarding U.S. tariff implementations have created an atmosphere of uncertainty, influencing global market sentiment and leading to cautious investor behavior.
- **Central Bank Communications:**
Statements from Federal Reserve officials and other central bank representatives are being closely monitored for insights into future monetary policy directions, especially in light of evolving economic conditions and inflationary pressures.
- **Cryptocurrency Regulatory Environment:**
Anticipation of a more favorable regulatory landscape under the current administration has contributed to recent rallies in major cryptocurrencies, though analysts caution that these rebounds may be fleeting amid broader market dynamics.
---
## Conclusion
Global financial markets are navigating a complex environment shaped by trade policy developments, economic data releases, and sector-specific news. Investors are advised to remain vigilant and consider these factors when making informed decisions, as they are likely to continue influencing market behavior in the foreseeable future.
---
-

@ 1b30d27a:3cf04146
2025-03-26 12:06:51
In the ever-evolving landscape of music production, a groundbreaking force is reshaping how music is created, composed, and experienced: *Artificial Intelligence (AI).* Machine learning algorithms are paving the way for a revolution in the music industry, offering artists a new kind of creative collaborator. Soon, AI will no longer be just a tool but a **creative partner,** influencing every stage of the music-making process, from composition to production to distribution.
### The Role of AI in Music Composition
Traditionally, music composition has been a deeply personal and creative endeavor, driven by human intuition, emotion, and inspiration. However, AI is beginning to challenge this paradigm. Machine learning algorithms, particularly those designed for music, can analyze vast amounts of data, from the works of classical composers to contemporary hits. By studying patterns in rhythm, harmony, and melody, AI systems can generate *original compositions* that mirror the style and tone of any genre.
> "AI is not replacing musicians, it's helping them reach new creative heights. It offers a fresh approach to composition, enhancing what artists already do, not taking over."
For instance, AI-powered tools like [OpenAI's MuseNet](https://openai.com/blog/musenet) or Google's Magenta can compose entire pieces of music in different styles, from jazz to electronic to orchestral. These systems can analyze a given input and generate melodies or harmonies that are incredibly sophisticated, and sometimes, indistinguishable from compositions written by human musicians.
### Enhancing the Music Production Process
While AI has already made significant strides in composition, its impact on music production is just as profound. In modern studios, AI tools are used for everything from arranging and mixing tracks to mastering the final product. AI-driven software can listen to raw audio recordings, identify areas for improvement, and suggest changes—whether that’s adjusting EQ levels, balancing volume, or adding effects to enhance the sound.
### Key Benefits of AI in Music Production:
- Automation of Repetitive Tasks: Streamlines tasks like mixing and mastering, saving time and reducing manual effort.
- Real-Time Feedback: Provides instant feedback on raw recordings, helping producers improve tracks quickly.
- Improved Sound Quality: AI tools can detect subtle flaws and suggest adjustments to enhance sound clarity.
One major benefit of AI in music production is its ability to streamline and automate repetitive tasks. Mixing and mastering, two essential steps in the production process, can often be time-consuming and require a skilled ear. AI systems like *LANDR* or *iZotope’s Ozone* use algorithms to analyze tracks and apply mastering techniques that would traditionally take hours of manual work. These tools can deliver professional-level results quickly, making them invaluable for both emerging artists and seasoned professionals.
### AI as a Collaborative Partner
The most exciting aspect of AI in music production is its potential to act as a collaborative partner rather than just a tool. Rather than replacing musicians or producers, AI is giving them new ways to push the boundaries of creativity. For example, AI can generate complex chord progressions or suggest unusual sound combinations that the human composer might not have considered. It can also offer real-time feedback during the composition process, helping the artist refine their ideas or take them in unexpected directions.
> "AI is like having a co-producer who never sleeps—constantly suggesting, innovating, and pushing boundaries, without any bias or limitations."
Additionally, AI can be trained to learn an individual artist’s style, preferences, and musical choices. This allows it to provide personalized suggestions tailored to the artist’s unique creative voice. As AI continues to evolve, it could become an indispensable part of the creative workflow, helping musicians experiment with new ideas and soundscapes that they might not have explored on their own.
### AI and Music Experience: Changing How We Listen
AI’s influence doesn’t stop at creation and production; it’s also changing how we experience music. Algorithms are already being used to power music recommendation systems on platforms like Spotify, Apple Music, and YouTube. These algorithms analyze user preferences and listening habits, then suggest new tracks or artists that match their tastes. This personalization is pushing the boundaries of how we discover music, turning AI into an indispensable part of our daily listening habits.
### How AI Is Enhancing Music Discovery:
- Personalized Playlists: Curates playlists based on user preferences, mood, and listening history.
- Music Recommendations: Suggests new tracks and artists based on listening patterns.
- Real-Time Adaptation: AI can adjust recommendations dynamically based on evolving listening trends.
Furthermore, AI is enhancing live music experiences. Using AI, virtual concerts and performances can be created that respond to the audience’s reactions in real-time. Augmented reality (AR) and virtual reality (VR) technology, combined with AI, are bringing immersive music experiences to life, allowing fans to engage with music in ways that were previously unimaginable.
### Ethical and Creative Considerations
While AI offers exciting new opportunities, its rise in music production raises important questions about creativity and originality. If an AI system can compose music that sounds just like a human, who owns the rights to that music? Is it the creator who trained the AI, the artist who used it, or the AI itself? These are complex ethical questions that the music industry will need to address as AI becomes an increasingly integral part of the creative process.
Moreover, some critics argue that the human element in music—the emotion, experience, and soul that come with creating music—cannot be replicated by machines. While AI can certainly enhance the production process and offer new ways of creating, the debate remains: Can a machine truly understand the depth of *human emotion* that music conveys?
### Looking Ahead: AI in Music’s Future
As AI continues to improve, its role in music production will likely become more pervasive and integrated into the creative process. Artists may soon collaborate with AI in ways we never thought possible, using it to unlock new dimensions of their music. With the ability to personalize and innovate in real-time, AI could help shape the future of music production, offering limitless possibilities for both seasoned professionals and new artists just starting their journey.
The journey of AI in music production has just begun, and the potential it holds for transforming how we create and experience music is boundless. Soon, AI won’t just be a tool we use—it will be a trusted partner in the pursuit of musical innovation. The future of music is not just human—it’s a *harmonious* blend of human creativity and technological ingenuity, where the journey never ends. 🚀
-

@ f6488c62:c929299d
2025-03-26 03:53:51
เมื่อไม่นานมานี้ ไมเคิล เซย์เลอร์ ต้อนรับ Ryan Cohen ประธาน GameStop เข้าสู่ "ทีมบิตคอยน์" หลังบริษัทประกาศใช้บิตคอยน์เป็นทรัพย์สินสำรองอย่างเป็นทางการ เหตุการณ์นี้ไม่เพียงสะท้อนความเชื่อมั่นในสกุลเงินดิจิทัลของเซย์เลอร์ แต่ยังพิสูจน์ให้เห็นว่าเขาเป็นนักปฏิบัติผู้เปลี่ยนความเชื่อให้เป็นการกระทำจริง ไม่ใช่แค่การพูดคุยทฤษฎี ทุกการตัดสินใจของเขาเปรียบเสมือนเข็มทิศนำทางองค์กรธุรกิจสู่ยุคดิจิทัลอย่างไม่หลบเลี่ยง แม้ต้องเผชิญความผันผวนของตลาดและเสียงวิพากษ์นับไม่ถ้วน เขายังคงยืนหยัดด้วยความแน่วแน่แบบเดียวกับวันที่ตัดสินใจลงทุนมหาศาลผ่าน MicroStrategy เป็นครั้งแรก
การสังเกตความเด็ดขาดของเซย์เลอร์ทำให้ฉุกคิดถึงความลังเลในตัวเองได้ไม่น้อย แม้จะเชื่อในหลักการบางอย่าง แต่ก็มักพบว่าตนเองยังก้าวไม่พ้นกรอบความคิดแบบ "รอความพร้อม" หรือ "กลัวความเสี่ยง" ซึ่งอาจเป็นกับดักของคนชอบอยู่ในคอมฟอร์ตโซนเสียมากกว่า เซย์เลอร์สอนบทเรียนสำคัญผ่านการกระทำว่าโอกาสไม่อาจรอให้สมบูรณ์แบบ และวิสัยทัศน์ที่ชัดเจนต้องมาพร้อมความกล้าที่จะริเริ่ม แม้จุดสิ้นสุดจะไม่แน่นอน เหตุการณ์ที่เขาเชิญชวน Ryan Cohen เข้าสู่โลกบิตคอยน์ก็เป็นตัวอย่างชัดเจนว่าเส้นทางสู่การเปลี่ยนแปลงมักเริ่มจากความกล้าที่จะก้าวออกก่อน ไม่ใช่การรอให้ทุกอย่างลงตัว
การเคลื่อนไหวของ GameStop ถือเป็นสัญญาณความเปลี่ยนแปลงของระบบเศรษฐกิจยุคใหม่ที่บิตคอยน์ไม่ใช่แค่เครื่องมือลงทุน แต่เป็นสัญลักษณ์ของความคิดก้าวหน้า เซย์เลอร์กำลังท้าทายกรอบคิดเดิมๆ ผ่านการลงมือทำที่ผสมผสานความกล้าหาญ วิสัยทัศน์ระยะยาว และความเชื่อมั่นอย่างเหนียวแน่น เขาไม่เพียงสร้างแรงกระเพื่อมในวงการเงิน แต่ยังทิ้งคำถามให้เราต้องทบทวนตัวเองอยู่เสมอ: อะไรคือสิ่งที่เราเชื่อมั่นพอจะทุ่มเททั้งชีวิตจิตใจ? บทเรียนจากชายคนนี้อาจไม่เกี่ยวกับการลงทุนล้วนๆ แต่เกี่ยวกับศิลปะการตัดสินใจที่เปลี่ยนความเชื่อให้กลายเป็นความจริงได้ด้วยสองมือของตัวเอง
ปล. ดูๆ ไปแล้ว เขาก็คล้ายๆ ด๊อกเตอร์สเตร็นจ์ มากเหมือนกัน 555
-

@ 9711d1ab:863ebd81
2025-03-26 03:36:56
Welcome back friends! We’ve made it to the end of March, congratulations. Here’s what we’ve got to share this month:
- 🎓 *The SDK Class of Q1*
- 🤓 *Back to School with Antonio*
- ⚡️ *Lightning is Everywhere*
- 🎙️ *Shooting the Breez with Danny, Umi & Roy*
---
## The SDK Class of Q1 2025 🎓
We’ve been talking a lot about [**momentum**](https://medium.com/breez-technology/breez-has-been-building-momentum-and-were-just-getting-started-06cf97c272ab) at Breez and we’re seeing it build every day. More partners are adding Bitcoin payments with our SDK and more sats are moving freely around the world. By offering the choice of two implementations, [Nodeless](https://sdk-doc-liquid.breez.technology/) and [Native](https://sdk-doc-greenlight.breez.technology/), we’re truly building the best Lightning developer experience out there.
*And the momentum just keeps growing stronger.*
In fact, we’ve welcomed so many new partners that we had to bundle them all into [one big announcement](https://blog.breez.technology/the-breez-sdk-class-of-q1-2025-1238ef1a5a98) — it’s our pleasure to welcome the **SDK Class of Q1 2025**: [Assetify](https://x.com/AssetifyNet), [Cowbolt](https://x.com/cowbolt_com), [DexTrade](https://x.com/dextrademain), [Flash](https://x.com/paywflash), [Lightning Pay](https://x.com/lightningpaynz), [OpenAgents](https://x.com/OpenAgentsInc), [Satoshi](https://x.com/satoshimoneybtc), [Shakesco](https://x.com/shakescowallet), [Tidebinder](https://x.com/TidebinderLN), and [ZapZap](https://x.com/ZapZapBot).
---
## Back to School with Antonio 🚌
We tell everyone we meet that adding Bitcoin payments to apps is **really easy** with the Breez SDK. But rather than just tell you this, we’ve decided to show you.
Antonio, one of our talented developers at Breez, has produced a video tutorial showing how you can add Bitcoin payments to React Native and Expo apps with the [Breez SDK - Nodeless](https://sdk-doc-liquid.breez.technology/).
Join him as he guides you through each step and shows that it really is ***that* *easy*** to add Bitcoin payments to any app with our SDK.
---
## Lightning is Everywhere.
It’s true — Lightning is *everywhere*.
Bitcoin payments aren’t just a thing for the few, they’re for the many.
This month, we’re showcasing our friends at Cowbolt. They’ve just released their collaborative cost-splitting, team-chat, and self-custody app ([check it out](https://cowbolt.com/)).
---
## Shooting the Breez 🌬️
Since [releasing our Bitcoin payment report](https://x.com/Breez_Tech/status/1887518233432822182) — where we explained that Bitcoin isn’t *just* digital gold, it’s a thriving everyday currency accessible to millions of people around the world — Bitcoin payments have been the talk of the town.
As co-author of the report, I joined the *Stephan Livera Podcast* to discuss the growing trend in more detail. I also [met up with Bo Jablonski](https://x.com/thecryptoradiox/status/1891771116340858928) to explain why more and more apps are taking notice on the newly-formed *Guardians of Bitcoin* radio show.
Developments have come thick and fast over the past month — most notably, the announcement of USDT coming to Lightning ([check out Roy’s take on the good, the bad, and the unknown in Bitcoin Magazine](https://bitcoinmagazine.com/technical/usdt-on-lightning-the-good-the-bad-and-the-unknown)). Breez’s BD Lead, Umi, [joined a Spaces on X with UXTO, Amboss, and Lightning Labs](https://x.com/LnfiNetwork/status/1899321196698874344) to discuss the stablecoin’s imminent arrival on the network.
That’s not all from Umi, she also [joined her alma mater at the Cornell Bitcoin Club](https://x.com/CornellBitcoin/status/1903143970185625926) to explain why bitcoin is a medium of exchange, thanks to Lightning.
And last but not least, Roy was spreading the good word of Bitcoin, joining Bitfinex’s podcast to explain how Lightning is truly changing the game.
---
And there we go folks, another edition of *Feel the Breez* has come to a close.
As always, we’ll leave you with our usual parting comment: [*the best time to get into Lightning is now*](https://breez.technology/sdk/) — it always has been.
**Stay tuned for exciting announcements we’ll be releasing soon.**
Until next time ✌️
-

@ 220522c2:61e18cb4
2025-03-26 03:24:25
npub1ygzj9skr9val9yqxkf67yf9jshtyhvvl0x76jp5er09nsc0p3j6qr260k2

-

@ d560dbc2:bbd59238
2025-03-26 11:17:39
The **Eisenhower Matrix** and **Task4Us** are two powerful tools for managing tasks—each with its own approach to prioritization. The Eisenhower Matrix categorizes tasks based on urgency and importance, while Task4Us lets you set a low, medium, or high priority for each task and uses an **Urgency Score** to guide you on what to work on next. By combining these systems, you can refine your task management process—ensuring you focus on the right tasks (via the Eisenhower Matrix), set appropriate priorities (via Task4Us’s priority parameter), and act on them at the optimal time (via Task4Us’s Urgency Score). In this post, I'll explain how to adjust tasks from the Eisenhower Matrix using Task4Us’s priority system and let its Urgency Score guide your actions for a more dynamic and effective workflow.
---
## Understanding the Systems
### The Eisenhower Matrix
The Eisenhower Matrix divides tasks into four quadrants based on two criteria: **urgency** and **importance**:
- **Urgent and Important (Do First):**
Tasks requiring immediate action (e.g., “Submit a project proposal by 5 PM today”).
- **Important but Not Urgent (Schedule):**
Tasks that contribute to long-term goals but don’t need immediate attention (e.g., “Plan a team-building event”).
- **Urgent but Not Important (Delegate):**
Tasks that need quick action but don’t align with your primary goals (e.g., “Answer non-critical emails”).
- **Neither Urgent nor Important (Eliminate):**
Time-wasters to remove (e.g., “Scroll social media endlessly”).
While the matrix helps you decide what to focus on, schedule, delegate, or eliminate, it doesn’t inherently guide you on the relative urgency of tasks within each quadrant or the timing for non-urgent tasks.
---
### Task4Us: Priority Parameter and Urgency Score
Task4Us uses the **2-5 Rule** to prioritize tasks based on timing. When you add a task, you assign it a time unit (days, weeks, months, or years), and Task4Us calculates when it should be acted on within a 2-to-5 window. For example:
- A **daily task** like “Drink water” should be done every 2–5 days.
- A **monthly task** like “Meet Uncle Lars” should be done every 2–5 months.
Additionally, Task4Us allows you to set a **priority parameter**—low, medium, or high—for each task, giving you control over its initial importance. The system also calculates an **Urgency Score** based on how close the task is to its 2–5 window or due date (for fixed-date tasks). For instance, if you last met Uncle Lars 4 weeks ago and set it as a monthly task with medium priority, the Urgency Score might increase as you approach the 5-week mark, nudging you to act. Features like **Fix Mode** (for date-specific tasks) and **Focus Mode** (displaying your top 3 tasks) help you act without overthinking. Currently in beta, Task4Us is designed to reduce decision fatigue by aligning tasks with your natural rhythms.
---
## Why Adjust Eisenhower Matrix Tasks with Task4Us Priorities?
Combining the Eisenhower Matrix with Task4Us’s priority and Urgency Score offers several benefits:
- **Align Priorities with Quadrants:**
Set high priority for “Do First” tasks and medium for “Schedule” tasks, mirroring the matrix’s framework.
- **Let Task4Us Guide Timing:**
The Urgency Score adjusts dynamically based on timing, ensuring you act on tasks at the right moment—even within the same quadrant.
- **Reduce Overwhelm:**
The blend of the matrix’s clarity with Task4Us’s dynamic prioritization helps you focus on what’s most urgent and important without losing sight of long-term goals.
---
## Step-by-Step Guide to Adjusting Tasks
### Step 1: Categorize Tasks Using the Eisenhower Matrix
Start by listing your tasks and sorting them into the Eisenhower Matrix’s four quadrants. For example:
- **Do First (Urgent and Important):**
- “Submit project proposal by 5 PM today”
- “Fix client issue by tomorrow”
- **Schedule (Important but Not Urgent):**
- “Meet Uncle Lars for coffee”
- “Plan a team-building event”
- “Do cardio”
- **Delegate (Urgent but Not Important):**
- “Answer non-critical emails”
- **Eliminate (Neither Urgent nor Important):**
- “Scroll social media endlessly”
Focus on the actionable quadrants (“Do First” and “Schedule”) and delegate or eliminate tasks in the other quadrants.
---
### Step 2: Add Tasks to Task4Us and Set Priorities
Add the tasks from the “Do First” and “Schedule” quadrants into Task4Us, assigning each a time unit or due date and setting its priority:
#### **Do First Tasks (Set High Priority):**
- **“Submit project proposal by 5 PM today”:**
- Use **Fix Mode** to set the due date (e.g., March 26, 2025).
- Set the priority to **high** due to the immediate deadline.
- **“Fix client issue by tomorrow”:**
- Use **Fix Mode** to set the due date (e.g., March 27, 2025).
- Set the priority to **high**.
#### **Schedule Tasks (Set Medium Priority):**
- **“Meet Uncle Lars for coffee”:**
- Set as a **monthly task** (last acted on February 1, 2025).
- Assign a **medium** priority.
- **“Plan a team-building event”:**
- Set as a **monthly task** (last acted on January 1, 2025).
- Assign a **medium** priority.
- **“Do cardio”:**
- Set as a **daily task** (last acted on March 24, 2025).
- Assign a **medium** priority.
---
### Step 3: Let Task4Us’s Urgency Score Guide Your Actions
Task4Us calculates an **Urgency Score** that dynamically adjusts based on timing and your priority settings:
- **Do First Quadrant:**
- “Submit project proposal by 5 PM today” (High Priority): The Urgency Score will rank this as the top task due to the immediate deadline.
- “Fix client issue by tomorrow” (High Priority): Although high priority, its Urgency Score may rank slightly lower since it’s due tomorrow.
- **Schedule Quadrant:**
- “Plan a team-building event” (Medium Priority): With 3 months since the last action, its Urgency Score increases.
- “Meet Uncle Lars for coffee” (Medium Priority): Approaching the 2-month mark, its Urgency Score will rise.
- “Do cardio” (Medium Priority): At only 2 days since the last action, its Urgency Score remains lower for now.
Task4Us uses the Urgency Score to fine-tune the order of tasks within each quadrant, ensuring you act on the most pressing ones first.
---
### Step 4: Act Using Task4Us’s Focus Mode
**Focus Mode** displays your top 3 tasks based on the Urgency Score across all categories. For example, your top 3 tasks might be:
- “Submit project proposal by 5 PM today” (High Priority, top Urgency Score)
- “Fix client issue by tomorrow” (High Priority, slightly lower Urgency Score)
- “Plan a team-building event” (Medium Priority, high Urgency Score in the Schedule quadrant)
This mode helps you balance urgent needs with long-term goals, ensuring you work on the highest-priority tasks first.
---
### Step 5: Review and Reassess Weekly
Set aside time each week to review your Eisenhower Matrix and Task4Us tasks:
- **Reassess Quadrants:**
Shift tasks between quadrants if their urgency or importance changes.
*Example:* If “Plan a team-building event” becomes more urgent due to a company deadline, shift it to “Do First” and update its priority in Task4Us.
- **Update Task4Us:**
As tasks are completed, update their “last act dates” to reset their 2-5 windows and adjust Urgency Scores.
- **Adjust Priorities:**
If a “Schedule” task like “Do cardio” remains uncompleted for too long (e.g., skipped for 5 days), increase its priority to high to prompt timely action.
---
## A Real-Life Example: Adjusting Tasks in Action
Imagine managing a mix of work, personal, and health tasks:
### Eisenhower Matrix Categorization:
- **Do First:**
- “Submit project proposal by 5 PM today”
- “Fix client issue by tomorrow”
- **Schedule:**
- “Meet Uncle Lars for coffee”
- “Plan a team-building event”
- “Do cardio”
- **Delegate:**
- “Answer non-critical emails”
- **Eliminate:**
- “Scroll social media endlessly”
### Add to Task4Us and Set Priorities:
- **“Submit project proposal”** – Use Fix Mode (due today), set to **High Priority**.
- **“Fix client issue”** – Use Fix Mode (due tomorrow), set to **High Priority**.
- **“Meet Uncle Lars for coffee”** – Set as a monthly task (last acted on February 1, 2025), **Medium Priority**.
- **“Plan a team-building event”** – Set as a monthly task (last acted on January 1, 2025), **Medium Priority**.
- **“Do cardio”** – Set as a daily task (last acted on March 24, 2025), **Medium Priority**.
### Adjust Within Quadrants:
- **Do First:**
Tackle “Submit project proposal” before “Fix client issue” based on a higher Urgency Score.
- **Schedule:**
Prioritize “Plan a team-building event” (High Urgency Score) over “Meet Uncle Lars” and “Do cardio.”
### Act with Focus Mode:
- Task4Us’s Focus Mode displays your top 3 tasks (e.g., “Submit project proposal,” “Fix client issue,” and “Plan a team-building event”), ensuring a balanced focus.
### Review Weekly:
- After completing tasks, update their “last act dates.”
*Example:* If you meet Uncle Lars on March 27, update the task to reset its 2-5 window, which may lower its Urgency Score temporarily.
---
## Why This Combination Works
Combining the Eisenhower Matrix with Task4Us’s priority parameter and Urgency Score addresses limitations of both systems:
- **Aligned Prioritization:**
Setting high priority for “Do First” tasks and medium for “Schedule” tasks aligns Task4Us with the Eisenhower Matrix, ensuring tasks are appropriately categorized.
- **Dynamic Guidance:**
Task4Us’s Urgency Score fine-tunes the order of tasks within each quadrant, guiding you on what to work on next based on timing.
- **Balanced Focus:**
The combination ensures you work on the right tasks (Eisenhower Matrix), with the right priority (Task4Us’s priority parameter), at the right time (Task4Us’s Urgency Score).
---
## Try It Out and Share Your Experience
Task4Us is currently in beta—now’s the perfect time to try this combination and see how it enhances your task management. Categorize your tasks using the Eisenhower Matrix, add them to Task4Us, and adjust priorities with the low/medium/high system while letting the Urgency Score guide your actions.
[Sign up for Task4Us at todo.task4.us](https://todo.task4.us) and let me know how it works for you!
How do you prioritize your tasks—do you use the Eisenhower Matrix, Task4Us, or another method? Share your thoughts in the comments—I’d love to hear your experience!
---
*#Productivity #TaskManagement #EisenhowerMatrix #Task4Us #GTD*
---
-

@ 1bda7e1f:bb97c4d9
2025-03-26 03:23:00
### Tldr
- Nostr is a new open social protocol for the internet
- You can use it to create your own online community website/app for your users
- This needs only a few simple components that are free and open source
- Jumble.Social client is a front-end for showing your community content to your users
- Simple With Whitelist relay (SW2) is a back-end with simple auth for your community content
- In this blog I explain the components and set up a online community website/app that any community or company can use for their own users, for free.
### You Can Run Your Own Private "X" For Free
Nostr is a new open social protocol for the internet. Because it is a protocol it is not controlled by any one company, does not reside on any one set of servers, does not require any licenses, and no one can stop you from using it however you like.
When the name Nostr is recognised, it is as a "Twitter/X alternative" – that is an online open public forum. Nostr is more than just this. The open nature of the protocol means that you can use it however you feel like, including that you can use it for creating your own social websites to suit whatever goals you have – anything from running your own team collaboration app, to running your own online community.
Nostr can be anything – not just an alternative to X, but also to Slack, Teams, Discord, Telegram (etc) – any kind of social app you'd like to run for your users can be run on Nostr.
In this blog I will show you how to launch your own community website, for your community members to use however they like, with low code, and for free.
#### Simple useful components
Nostr has a few simple components that work together to provide your experience –
- **Your "client"** – an app or a website front-end that you log into, which displays the content you want to see
- **Your "relay"** – a server back-end which receives and stores content, and sends it to clients
- **Your "user"** – a set of keys which represents a user on the network,
- **Your "content"** – any user content created and signed by a user, distributed to any relay, which can be picked up and viewed by any client.
It is a pattern that is used by every other social app on the internet, excepting that in those cases you can usually only view content in their app, and only post your content to their server.
Vs with Nostr where you can use any client (app) and any relay (server), including your own.
This is defined as a standard in [NIP-01](https://github.com/nostr-protocol/nips/blob/master/01.md) which is simple enough that you can master it in a weekend, and with which you can build any kind of application.
The design space is wide open for anyone to build anything–
- Clones of [Twitter](https://play.google.com/store/apps/details?id=com.vitorpamplona.amethyst), [Instagram](https://olas.app/), [Telegram](https://0xchat.com/), [Medium](https://habla.news/), [Twitch](https://zap.stream/), etc,
- Whole new things like [Private Ephemeral Messengers](http://shh.com), [Social Podcasting Apps](https://www.fountain.fm/), etc,
- Anything else you can dream up, like replacements for B2B SaaS or ERP systems.
Including that you can set up and run your own "X" for your community.
#### Super powers for –private– social internet
When considering my use of social internet, it is foremost private not public. Email, Whatsapp, Slack, Teams, Discord, Telegram (etc), are all about me, as a user, creating content for a selected group of individuals – close friends, colleagues, community members – not the wider public.
This private social internet is crying out for the kind of powers that Nostr provides. The list of things that Nostr solves for private social internet goes on-and-on.
Let me eat my own dog food for a moment.
- **I am a member of a community of technology entrepreneurs** with an app for internal community comms. The interface is not fit for this purpose. Good content gets lost. Any content created within the walled kingdom cannot be shared externally. Community members cannot migrate to a different front-end, or cross-post to public social channels.
- **I am a member of many communities for kids social groups**, each one with a different application and log in. There is no way to view a consolidated feed. There is no way to send one message to many communities, or share content between them. Remembering to check every feed separately is a drag.
- **I am a member of a team with an app for team comms**. It costs $XXX per user per month where it should be free. I can't self-host. I can't control or export my data. I can't make it interoperate natively with other SaaS. All of my messages probably go to train a Big Co AI without my consent.
In each instance "Nostr fixes this."
#### Ready now for low-code admins
To date Nostr has been best suited to a more technical user. To use the Nostr protocol directly has been primarily a field of great engineers building great foundations.
IMO these foundations are built. They are open source, free to use, and accessible for anyone who wants to create an administer their own online community, with only low code required.
To prove it, in this blog I will scratch my own itch. I need a X / Slack / Teams alternative to use with a few team members and friends (and a few AIs) as we hack on establishing a new business idea.
I will set this up with Nostr using only open source code, for free.
### Designing the Solution
I am mostly non-technical with helpful AI. To set up your own community website in the style of X / Slack / Teams should be possible for anyone with basic technology skills.
- I have a cheap VPS which currently runs some [other](https://rodbishop.npub.pro/post/4f0baffd/) [unrelated](https://rodbishop.npub.pro/post/8ca68889/) [Nostr projects](https://rodbishop.npub.pro/post/setting-up-payments-on-nostr-7o6ls7/) in Docker containers,
- My objective was to set up and run my own community website for my own team use, in Docker, hosted on my own server.
#### User requirements
What will I want from a community website?
- I want my users to be able to log into a website and post content,
- I want to save that content to a server I control accessed only be people I authorise,
- I want my users to view only that content by default, and not be exposed to any wider public social network unless they knowingly select that,
- I want my user's content to be either:
- a) viewable only by other community members (i.e. for internal team comms), or
- b) by the wider public (i.e. for public announcements), at the user's discretion.
- I want it to be open source so that other people maintain the code for me,
- I want it for free.
#### Nostr solutions
To achieve this with Nostr, I'll need to select some solutions "a-la carte" for each of the core components of the network.
- **A client –** For my client, I have chosen Jumble. Jumble is a free open-source client by [Cody Tseng](nostr:npub1syjmjy0dp62dhccq3g97fr87tngvpvzey08llyt6ul58m2zqpzps9wf6wl), available free on [Github](https://github.com/CodyTseng/jumble) or at [Jumble.social](https://jumble.social/). I have chosen Jumble because it is a "relay-centric" client. In key spots the user interface highlights for the user what relay they are viewing, and what relay they are posting to. As a result, it is a beautiful fit for me to use as the home of all my community content.
- **A relay –** For my relay, I have chosen [Simple With Whitelist (SW2)](https://github.com/bitvora/sw2). SW2 is a free open-source relay by [Utxo The Webmaster](nostr:npub1utx00neqgqln72j22kej3ux7803c2k986henvvha4thuwfkper4s7r50e8), based on [Khatru](https://khatru.nostr.technology/) by [Fiatjaf](nostr:npub180cvv07tjdrrgpa0j7j7tmnyl2yr6yr7l8j4s3evf6u64th6gkwsyjh6w6), available free on [Github](https://github.com/bitvora/sw2). I have chosen SW2 because it allows for very simple configuration of user auth. Users can be given read access to view notes, and write access to post notes within simple `config.json` files. This allows you to keep community content private or selectively share it in a variety of ways. Per the Nostr protocol, your client will connect with your relay via websocket.
- **A user sign-up flow –** Jumble has a user sign-up flow using Nstart by Fiatjaf, or as an admin I can create and provision my own users with any simple tool like [NAK](https://github.com/fiatjaf/nak) or [Nostrtool](https://nostrtool.com/).
- **A user content flow –** Jumble has a user content flow that can post notes to selected relays of the users choice. Rich media is uploaded to free third-party hosts like [Nostr.build](https://nostr.build/), and in the future there is scope to self-host this too.
With each of these boxes ticked I'm ready to start.
### Launching a Private Community Website with Jumble and SW2
#### Install your SW2 relay
The relay is the trickiest part, so let's start there. SW2 is my Nostr relay software of choice. It is a Go application and includes full instructions for Go install. However, I prefer Docker, so I have built a Docker version and maintain a [Docker branch here](https://github.com/r0d8lsh0p/sw2/tree/docker).
**1 – In a terminal clone the repo and checkout the Docker branch**
```
git clone https://github.com/r0d8lsh0p/sw2.git
cd sw2
git checkout docker
```
**2 – Set up the environment variables**
These are specified in the readme. Duplicate the example .env file and fill it with your variables.
```
cp .env.example .env
```
For me this .env file was as follows–
```
# Relay Metadata
RELAY_NAME="Tbdai relay"
RELAY_PUBKEY="ede41352397758154514148b24112308ced96d121229b0e6a66bc5a2b40c03ec"
RELAY_DESCRIPTION="An experimental relay for some people and robots working on a TBD AI project."
RELAY_URL="wss://assistantrelay.rodbishop.nz"
RELAY_ICON="https://image.nostr.build/44654201843fc0f03e9a72fbf8044143c66f0dd4d5350688db69345f9da05007.jpg"
RELAY_CONTACT="https://rodbishop.nz"
```
**3 – Specify who can read and write to the relay**
This is controlled by two config files `read_whitelist.json` and `write_whitelist.json`.
- Any user with their pubkey in the `read_whitelist` can read notes posted to the relay. If empty, anyone can read.
- Any user with their pubkey in the `write_whitelist` can post notes to the relay. If empty, anyone can write.
We'll get to creating and authorising more users later, for now I suggest to add yourself to each whitelist, by copying your pubkey into each JSON file. For me this looks as follows (note, I use the 'hex' version of the pubkey, rather than the npub)–
```
{
"pubkeys": [
"1bda7e1f7396bda2d1ef99033da8fd2dc362810790df9be62f591038bb97c4d9"
]
}
```
*If this is your first time using Nostr and you don't yet have any user keys, it is easy and free to get one. You can get one from any Nostr client like [Jumble.social](http://Jumble.social), any tool like [NAK](https://github.com/fiatjaf/nak) or [nostrtool.com](https://nostrtool.com/) or follow a comprehensive guide like my [guide on mining a Nostr key](https://rodbishop.npub.pro/post/mining-your-vanity-pubkey-4iupbf/).*
**4 – Launch your relay**
If you are using my Docker fork from above, then–
```
docker compose up
```
Your relay should now be running on port 3334 and ready to accept web socket connections from your client.
Before you move on to set up the client, it's helpful to quickly test that it is running as expected.
**5 – Test your websocket connection**
For this I use a tool called wscat to make a websocket connection.
You may need to install wscat, e.g.
```
npm install -g wscat
```
And then run it, e.g.
```
wscat -c ws://localhost:3334
```
(note use `ws://` for localhost, rather than `wss://`).
If your relay is working successfully then it should receive your websocket connection request and respond with an AUTH token, asking you to identify yourself as a user in the relay's `read_whitelist.json` (using the standard outlined in [NIP-42](https://github.com/nostr-protocol/nips/blob/master/42.md)), e.g.
```
Connected (press CTRL+C to quit)
< ["AUTH","13206fea43ef2952"]
>
```
You do not need to authorise for now.
If you received this kind of message, your relay is working successfully.
#### Set a subdomain for your relay
Let's connect a domain name so your community members can access your relay.
**1 – Configure DNS**
At a high level –
1. Get your domain (buy one if you need to)
2. Get the IP address of your VPS
3. In your domain's DNS settings add those records as an A record to the subdomain of your choice, e.g. `relay` as in `relay.your_domain_name.com`, or in my case `assistantrelay.rodbishop.nz`
Your subdomain now points to your server.
**2 – Configure reverse proxy**
You need to redirect traffic from your subdomain to your relay at port `3334`.
On my VPS I use Caddy as a reverse proxy for a few projects, I have it sitting in a separate Docker network. To use it for my SW2 Relay required two steps.
First – I added configuration to Caddy's `Caddyfile` to tell it what to do with requests for the `relay.your_domain_name.com` subdomain. For me this looked like–
```
assistantrelay.rodbishop.nz {
reverse_proxy sw2-relay:3334 {
# Enable WebSocket support
header_up X-Forwarded-For {remote}
header_up X-Forwarded-Proto {scheme}
header_up X-Forwarded-Port {server_port}
}
}
```
Second – I added the Caddy Docker network to the SW2 `docker-compose.yml` to make it be part of the Caddy network. In my Docker branch, I provide this commented section which you can uncomment and use if you like.
```
services:
relay:
... relay configuration here ...
# networks:
# - caddy # Connect to a Caddy network for reverse proxy
# networks:
# caddy:
# external: true # Connect to a Caddy network for reverse proxy
```
Your relay is now running at your domain name.
#### Run Jumble.social
Your client set up is very easy, as most heavy lifting is done by your relay. My client of choice is Jumble because it has features that focus the user experience on the community's content first. You have two options for running Jumble.
1. Run your own local copy of Jumble by cloning the Github (optional)
2. Use the public instance at Jumble.social (easier, and what we'll do in this demo)
If you (optionally) want to run your own local copy of Jumble:
```
git clone https://github.com/CodyTseng/jumble.git
cd jumble
npm install
npm run dev
```
For this demo, I will just use the public instance at [http://jumble.social](http://jumble.social)
Jumble has a very helpful user interface for set up and configuration. But, I wanted to think ahead to onboarding community members, and so instead I will do some work up front in order to give new members a smooth onboarding flow that I would suggest for an administrator to use in onboarding their community.
**1 – Create a custom landing page URL for your community members to land on**
When your users come to your website for the first time, you want them to get your community experience without any distraction. That will either be–
1. A prompt to sign up or login (if only authorised users can read content)
2. The actual content from your other community members (If all users can read content)
Your landing page URL will look like: `http://jumble.social/?r=wss://relay.your_domain_name.com`
- `http://jumble.social/` – the URL of the Jumble instance you are using
- `?r=` – telling Jumble to read from a relay
- `wss://` – relays connect via websocket using wss, rather than https
- `relay.your_domain_name.com` – the domain name of your relay
For me, this URL looks like `http://jumble.social/?r=wss://assistantrelay.rodbishop.nz`
**2 – Visit your custom Jumble URL**
This should load the landing page of your relay on Jumble.
In the background, Jumble has attempted to establish a websocket connection to your relay.
If your relay is configured with read authentication, it has sent a challenge to Jumble asking your user to authenticate. Jumble, accordingly should now be showing you a login screen, asking your user to login.
**3 – Login or Sign Up**
You will see a variety of sign up and login options. To test, log in with the private key that you have configured to have read and write access.
In the background, Jumble has connected via websocket to your relay, checked that your user is authorised to view notes, and if so, has returned all the content on the relay. (If this is your first time here, there would not be any content yet).
If you give this link to your users to use as their landing page, they will land, login, and see only notes from members of your community.
**4– Make your first post to your community**
Click the "post" button and post a note. Jumble offers you the option to "Send only to relay.your_domain_name.com".
- **If set to on**, then Jumble will post the note only to your relay, no others. It will also include a specific tag (the `"-"` tag) which requests relays to not forward the note across the network. Only your community members viewing notes on your community relay can see it.
- **If set to off**, then Jumble will post the note to your relay and also the wider public Nostr network. Community members viewing notes on the relay can see it, and so can any user of the wider Nostr network.
**5– Optional, configure your relay sets**
At the top of the screen you should now see a dropdown with the URL of your relay.
Each user can save this relay to a "relay set" for future use, and also view, add or delete other relays sets including some sets which Jumble comes with set up by default.
As an admin you can use this to give users access to multiple relays. And, as a user, you can use this to access posts from multiple different community relays, all within the one client.
#### Your community website is up and running
That is the basic set up completed.
- You have a website where your community members can visit a URL to post notes and view all notes from all other members of the community.
- You have basic administration to enforce your own read and write permissions very simply in two json files.
Let's check in with my user requirements as a community admin–
- My community is saving content to a server where I control access
- My users view only that content by default, and are not exposed to any wider public social network unless they knowingly select that
- My user's content is a) viewable only by other community members, or b) by the wider public, at the user's discretion
- Other people are maintaining the code for me
- It's free
This setup has scope to solve my dog fooding issues from earlier–
- If adopted, my tech community can iterate the interface to suit its needs, find great content, and share content beyond the community.
- If adopted, my kids social groups can each have their own relays, but I can post to all of them together, or view a consolidated feed.
- If adopted, my team can chat with each other for free. I can self host this. It can natively interoperate with any other Nostr SaaS. It would be entirely private and will not be captured to train a Big Co AI without my consent.
#### Using your community website in practice
**An example onboarding flow**
1. A new member joins your IRL community
2. Your admin person gives them your landing page URL where they can view all the posts by your community members – If you have configured your relay to have no read auth required, then they can land on that landing page and immediately start viewing your community's posts, a great landing experience
3. The user user creates a Nostr profile, and provides the admin person with their public key
4. The admin person adds their key to the whitelists to read and write as you desire.
**Default inter-op with the wider Nostr network**
- If you change your mind on SW2 and want to use a different relay, your notes will be supported natively, and you can migrate on your own terms
- If you change your mind on Jumble and want to use a different client, your relay will be supported natively, and you can migrate on your own terms
- If you want to add other apps to your community's experience, every Nostr app will interoperate with your community by default – see the huge list at [Awesome Nostr](https://github.com/aljazceru/awesome-nostr)
- If any of your users want to view your community notes inside some other Nostr client – perhaps to see a consolidated feed of notes from all their different communities – they can.
For me, I use Amethyst app as my main Nostr client to view the public posts from people I follow. I have added my private community relay to Amethyst, and now my community posts appear alongside all these other posts in a single consolidated feed.
**Scope to further improve**
- You can run multiple different relays with different user access – e.g. one for wider company and one for your team
- You can run your own fork of Jumble and change the interface to suit you needs – e.g. add your logo, change the colours, link to other resources from the sidebar.
**Other ideas for running communities**
- **Guest accounts**: You can give a user "guest" access – read auth, but no write auth – to help people see the value of your community before becoming members.
- **Running a knowledge base**: You can whitelist users to read notes, but only administrators can post notes.
- **Running a blind dropbox**: You can whitelist users to post notes, but only the administrator can read notes.
- **Running on a local terminal only:** With Jumble and SW2 installed on a machine, running at – `localhost:5173` for Jumble, and `localhost:3334` for SW2 you can have an entirely local experience at `http://localhost:5173/?r=ws://localhost:3334`.
### What's Next?
In my first four blogs I explored creating a good Nostr setup with [Vanity Npub](https://rodbishop.npub.pro/post/mining-your-vanity-pubkey-4iupbf/), [Lightning Payments](https://rodbishop.npub.pro/post/setting-up-payments-on-nostr-7o6ls7/), [Nostr Addresses at Your Domain](https://rodbishop.npub.pro/post/ee8a46bc/), and [Personal Nostr Relay](https://rodbishop.npub.pro/post/8ca68889/).
Then in my latest three blogs I explored different types of interoperability [with NFC cards](https://rodbishop.npub.pro/post/edde8387/), [n8n Workflow Automation](https://rodbishop.npub.pro/post/4f0baffd/), and now running a private community website on Nostr.
For this community website–
- There is scope to make some further enhancements to SW2, including to add a "Blossom" media server so that community admins can self-host their own rich media, and to create an admin screen for administration of the whitelists using [NIP-86](https://github.com/nostr-protocol/nips/blob/master/86.md).
- There is scope to explore all other kinds of Nostr clients to form the front-end of community websites, including Chachi.chat, Flotilla, and others.
- Nostr includes a whole variety of different optional standards for making more elaborate online communities including [NIP-28](https://github.com/nostr-protocol/nips/blob/master/28.md), [NIP-29](https://github.com/nostr-protocol/nips/blob/master/29.md), [NIP-17](https://github.com/nostr-protocol/nips/blob/master/17.md), [NIP-72](https://github.com/nostr-protocol/nips/blob/master/72.md) (etc). Each gives certain different capabilities, and I haven't used any of them! For this simple demo they are not required, but each could be used to extend the capabilities of the admin and community.
I am also doing a lot of work with AI on Nostr, including that I use my private community website as a front-end for engaging with a Nostr AI. I'll post about this soon too.
Please be sure to let me know if you think there's another Nostr topic you'd like to see me tackle.
GM Nostr.