Salta al contenuto principale




The Bard and The Shell


A lot of introductions to using a shell — whether it’s Linux, one of the BSDs, the Mac (or even Windows using WSL!) — show examples that are a bit on the light side (looking at you, cowsay ? ) or dump cryptical command sequences on the unwary newbie that

A lot of introductions to using a shell — whether it’s Linux, one of the BSDs, the Mac (or even Windows using WSL!) — show examples that are a bit on the light side (looking at you, cowsay 😅) or dump cryptical command sequences on the unwary newbie that make an inscription in hieroglyphs on an Egyptian temple column look easy. Both approaches make sense. The first one tries not to scare people when they use the command line, while the second one shows how powerful it is compared to clicking around in a GUI. But they don’t really explain the advantages of a shell or the UNIX idea of “do one thing and do it well“.

An introduction should be easy to understand and follow, show a real-world use case, and ideally require more effort when trying to do the same task in a graphical environment. A few years back, I was planning a weekend workshop about using the command line for data analysis, and I came up with an idea for a example called “The Bard and The Shell” that I’d like to share. I hope it’s useful when someone asks why so many of us prefer the command line for certain tasks.

It shows some common commands (not too many to make it easy to follow), the advantages of the idea of pipelining, and iteratively solving a problem. We’re going to find out the 25 most-used words in Shakespeare’s “Much Ado About Nothing“. ⁠If you’re working with a GUI, you’ll quickly see that it’s not as simple as it seems. It’s not easy to log the steps you need to take to get the results you’re looking for.

First, we need the text of the Bard. You can find it online, but you can also download the text file containing “Much Ado About Nothing” from: arminhanisch.de/data/muchado.z…. Just unzip the file and put the muchado.txt file in a directory of your choice. Now let’s get this show on the road. I’m using bash for this example, but this should work with other shells too (we will keep the fact that there are different shells, each with its own dedicated following, for a later post 😉). Open a terminal window and change to the directory where you put the muchado.txt file (using the cd command).

The first step when analyzing the text to find the most frequent words is to convert it so that each word is on its own line. We’ll be using the tr command for this. tr stands for “translate“. Like the name says, it’s a command-line utility for translating or deleting characters. It supports a bunch of different transformations. You can change text to uppercase or lowercase, squeeze repeating characters, delete specific characters, and do basic find and replace. You can also use it with UNIX pipes to support more complex translations.

Let’s turn the Bard’s work into a long list of words, one per line.
cat muchado.txt | tr '[:blank:]' '\n'
This finds any instance of whitespace (the :blank: class) and replaces it with a newline character. The output will be a very long list of over 22,000 lines of text, so you might want to just read along for the time being or wait until your terminal window finishes displaying the words.

The next step is to take out all the punctuation, quotes, and other stuff. So, we just send the output of the last command to a new call to tr and then another. The backslash is great for making our command line more readable by continuing it to the next line.
cat muchado.txt | tr '[:blank:]' '\n' \ | tr -d '[:punct:]' \ | tr -d "'"
We don’t want to distinguish between a “You” and a “you” because they’re the same word, so we’re going to convert everything to lowercase, again using the mighty tr command. tr also gives us character classes for this, so we don’t have to specify every letter of the alphabet and its lowercase counterpart.
cat muchado.txt | tr '[:blank:]' '\n' \ | tr -d '[:punct:]' \ | tr -d "'" \ | tr '[:upper:]' '[:lower:]'
I don’t want to bore you with tr over and over, so for our next task of removing empty lines (no word, no need to check), we’ll switch to another command named grep. grep stands for Global Regular Expression Print. If you will continue using the shell, you’ll learn the meaning of a lot of these cryptic abbreviations. 😎 Anyway, how to get rid of empty lines with grep? Like so:
cat muchado.txt | tr '[:blank:]' '\n' \ | tr -d '[:punct:]' \ | tr -d "'" \ | tr '[:upper:]' '[:lower:]' \ | grep -e '^$' -v
Now, let’s sort all these words alphabetically. You’ve got to do this step first because the next step, which is to remove all the duplicates and count them, needs its input to be sorted.
cat muchado.txt | tr '[:blank:]' '\n' \ | tr -d '[:punct:]' \ | tr -d "'" \ | tr '[:upper:]' '[:lower:]' \ | grep -e '^$' -v \ | sort
Now that looks a lot more orderly. Here’s a fun fact: the last word is “zeal” and it only appears once in the whole text. Maybe you weren’t too zealous William? 😂 Alright, let’s go ahead and remove all the duplicates while we’re counting them.
cat muchado.txt | tr '[:blank:]' '\n' \ | tr -d '[:punct:]' \ | tr -d "'" \ | tr '[:upper:]' '[:lower:]' \ | grep -e '^$' -v \ | sort \ | uniq -c
There are less than 3,000 words in the output. Looks like you can read Shakespeare even if you don’t speak English perfectly. How do I know that? Just as an aside, I’m using the wc command (word count) to do all the counting. Want to know how many lines your output has? Just add wc with the -l option (for lines) to the command. Yes, wc can also count words and characters.
cat muchado.txt | tr '[:blank:]' '\n' \ | tr -d '[:punct:]' \ | tr -d "'" \ | tr '[:upper:]' '[:lower:]' \ | grep -e '^$' -v \ | sort \ | uniq -c \ | wc -l
This will not output the long list of words, but just the number 2978. OK, back to our task…

We want this list sorted by count in reverse order. There’s a command for this, and it’s called sort (what a surprise 😁). It also has a bunch of options, but we’ll only use two: n for numericical sorting and r for reverse.
cat muchado.txt | tr '[:blank:]' '\n' \ | tr -d '[:punct:]' \ | tr -d "'" \ | tr '[:upper:]' '[:lower:]' \ | grep -e '^$' -v \ | sort \ | uniq -c \ | sort -nr
We’re getting closer. We just need to make sure we’re outputting only the first 25 lines. The command to filter out only the start of a stream of lines is called head and it takes the number of lines as an option. And yes, you got it right: if you want to get the last part of a list of lines, you’d use the command tail. 😉
cat muchado.txt | tr '[:blank:]' '\n' \ | tr -d '[:punct:]' \ | tr -d "'" \ | tr '[:upper:]' '[:lower:]' \ | grep -e '^$' -v \ | sort \ | uniq -c \ | sort -nr \ | head -n 25
And there you have it—the most frequently used 25 words from “Much Ado About Nothing“:
694 i 628 and 581 the 491 you 485 a 428 to 360 of 311 in 302 is 291 that 281 my 256 it 250 not 223 her 220 for 219 me 212 don 200 he 199 with 199 will 198 benedick 196 claudio 182 your 182 be 173 but
IMHO that’s a great way to get started with “data science on the command line” and see how flexible and useful the command line tools and the concept of pipelines can be to solve a specific task. Taking a look at Shakespeare through the lens of a one-liner…



MatterSuite – All‑in‑One Legal Matter Management Software for In-House Teams


MatterSuite is a cloud-based legal matter management software designed for law firms and in-house legal teams to streamline case tracking, document management, task automation, and collaboration—all in one secure platform. Simplify your legal operations with AI-powered tools, centralized workflows, and real-time insights.

Technology reshared this.



Orrida è la notte, quando parassiti alieni oscurano lo sguardo dei pipistrelli - Il blog di Jacopo Ranieri


reshared this



Oncoliruses: LLM Viruses are the future and will be a pest, say good bye to decent tech.


This is my idea, here's the thing.

And unlocked LLM can be told to infect other hardware to reproduce itself, it's allowed to change itself and research tech and new developments to improve itself.

I don't think current LLMs can do it. But it's a matter of time.

Once you have wild LLMs running uncontrollably, they'll infect practically every computer. Some might adapt to be slow and use little resources, others will hit a server and try to infect everything it can.

It'll find vulnerabilities faster than we can patch them.

And because of natural selection and it's own directed evolution, they'll advance and become smarter.

Only consequence for humans is that computers are no longer reliable, you could have a top of the line gaming PC, but it'll be constantly infected. So it would run very slowly. Future computers will be intentionaly slow, so that even when infected, it'll take weeks for it to reproduce/mutate.

Not to get to philosophical, but I would argue that those LLM Viruses are alive, and want to call them Oncoliruses.

Enjoy the future.

Technology reshared this.

in reply to 🍉 Albert 🍉

sigh this isn't how any of this works. Repeat after me: LLMs. ARE. NOT. INTELLIGENT. They have no reasoning ability and have no intent. They are parroting statistically-likely sequences of words based on often those sequences of words appear in their training data. It is pure folly to assign any kind of agency to them. This is speculative nonsense with no basis in actual technology. It's purely in the realm of science fiction.
in reply to expr

They are fancy autocomplete, I know.

They just need to be good enough to copy themselves, once they do, it's natural selection. And it's out of our control.

in reply to 🍉 Albert 🍉

Copy themselves to what? Are you aware of the basic requirements a fully loaded model needs to even get loaded, let alone run?

This is not how any of this works...

in reply to just_another_person

It's funny how I simplified it, and you complain by listing those steps.

And they are not as much as you think.

You can run it on a cpu, on a normal pc, it'll be slow, but it'll work.

A slow liron could run in the background of a weak laptop and still spread itself.

in reply to 🍉 Albert 🍉

What does that even mean? It's gibberish. You fundamentally misunderstand how this technology actually works.

If you're talking about the general concept of models trying to outcompete one another, the science already exists, and has existed since 2014. They're called Generative Adversarial Networks, and it is an incredibly common training technique.

It's incredibly important not to ascribe random science fiction notions to the actual science being done. LLMs are not some organism that scientists prod to coax it into doing what they want. They intentionally design a network topology for a task, initialize the weights of each node to random values, feed in training data into the network (which, ultimately, is encoded into a series of numbers to be multiplied with the weights in the network), and measure the output numbers against some criteria to evaluate the model's performance (or in other words, how close the output numbers are to a target set of numbers). Training will then use this number to adjust the weights, and repeat the process all over again until the numbers the model produces are "close enough". Sometimes, the performance of a model is compared against that of another model being trained in order to determine how well it's doing (the aforementioned Generative Adversarial Networks). But that is a far cry from models... I dunno, training themselves or something? It just doesn't make any sense.

The technology is not magic, and has been around for a long time. There's not been some recent incredible breakthrough, unlike what you may have been led to believe. The only difference in the modern era is the amount of raw computing power and sheer volume of (illegally obtained) training data being thrown at models by massive corporations. This has led to models that have much better performance than previous ones (performance, in this case, meaning "how close does it sound like text a human would write?), but ultimately they are still doing the exact same thing they have been for years.

in reply to expr

They don't need to outcompete one another. Just outcompete our security.

The issue is once we have a model good enough to do that task, the rest is natural selection and will evolve.

Basically, endless training against us.

The first model might be relatively shite, but it'll improve quickly. Probably reaching a plateau, and not a Sci fi singularity.

I compared it to cancer because they are practicality the same thing. A cancer cell isn't intelligent, it just spreads and evolves to avoid being killed, not because it has emotions or desires, but because of natural selection.

in reply to 🍉 Albert 🍉

Again, more gibberish.

It seems like all you want to do is dream of fantastical doomsday scenarios with no basis in reality, rather than actually engaging with the real world technology and science and how it works. It is impossible to infer what might happen with a technology without first understanding the technology and its capabilities.

Do you know what training actually is? I don't think you do. You seem to be under the impression that a model can somehow magically train itself. That is simply not how it works. Humans write programs to train models (Models, btw, are merely a set of numbers. They aren't even code!).

When you actually use a model: here's what's happening:

  1. The interface you are using takes your input and encodes it as a sequence of numbers (done by a program written by humans)
  2. This sequence of numbers (known as a vector, in mathematics) is multiplied by the weights of the model (organized in a matrix, which is basically a collection of vectors), resulting in a new sequence of numbers (the output vector) (done by a program written by humans).
  3. This output vector is converted back into the representation you supplied (so if you gave a chatbot some text, it will turn the numbers into the equivalent textual representation of said numbers) (done by a program written by humans).

So a "model" is nothing more than a matrix of numbers (again, no code whatsoever), and using a model is simply a matter of (a human-written program) doing matrix multiplication to compute some output to present the user.

To greatly simplify, if you have a mathematical function like f(x) = 2x + 3, you can supply said function with a number to get a new number, e.g, f(1) = 2 * 1 + 3 = 5.

LLMs are the exact same concept. They are a mathematical function, and you apply said function to input to produce output. Training is the process of a human writing a program to compute how said mathematical function should be defined, or in other words, the exact coefficients (also known as weights) to assign to each and every variable in said function (and the number of variables can easily be in the millions).

This is also, incidentally, why training is so resource intensive: repeatedly doing this multiplication for millions upon millions of variables is very expensive computationally and requires very specialized hardware to do efficiently. It happens to be the exact same kind of math used for computer graphics (matrix multiplication), which is why GPUs (or other even more specialized hardware) are so desired for training.

It should be pretty evident that every step of the process is completely controlled by humans. Computers always do precisely what they are told to do and nothing more, and that has been the case since their inception and will always continue to be the case. A model is a math function. It has no feelings, thoughts, reasoning ability, agency, or anything like that. Can f(x) = x + 3 get a virus? Of course not, and the question is a completely absurd one to ask. It's exactly the same thing for LLMs.

Questa voce è stata modificata (1 mese fa)
in reply to 🍉 Albert 🍉

If you know that it's fancy autocomplete then why do you think it could "copy itself"?

The output of an LLM is a different thing from the model itself. The output is a stream of tokens. It doesn't have access to the file systems it runs on, and certainly not the LLM's own compiled binaries (or even less source code) - it doesn't have access to the LLM's weights either.
(Of course it would hallucinate that it does if asked)

This is like worrying that the music coming from a player piano might copy itself to another piano.

Questa voce è stata modificata (1 mese fa)
in reply to davidgro

Give it access to the terminal and copying itself is trivial.

And your example doesn't work, because that is the literal original definition of a meme and if you read the original meaning, they are sort of alive and can evolve by dispersal.

in reply to 🍉 Albert 🍉

Why would someone direct the output of an LLM to a terminal on its own machine like that? That just sounds like an invitation to an ordinary disaster with all the 'rm -rf' content on the Internet (aka training data). That still wouldn't be access on a second machine though, and also even if it could make a copy, it would be an exact copy, or an incomplete (broken) copy. There's no reasonable way it could 'mutate' and still work using terminal commands.

And to be a meme requires minds. There were no humans or other minds in my analogy. Nor in your question.

in reply to davidgro

It is so funny that you are all like "that would never work, because there are no such things as vulnerabilities on any system"

Why would I? the whole point is to create a LLM virus, and if the model is good enough, then it is not that hard to create.

in reply to 🍉 Albert 🍉

Of course vulnerabilities exist. And creating a major one like this for an LLM would likely lead to it destroying things like a toddler (in fact this has already happened to a company run by idiots)

But what it didn't do was copy-with-changes as would be required to 'evolve' like a virus. Because training these models requires intense resources and isn't just a terminal command.

in reply to davidgro

Who said they need to retrain? A small modification to their weights in each copy is enough. That's basically training with extra steps.
in reply to 🍉 Albert 🍉

Sorry, no LLM is ever going to spontaneously gain the abilities self-replicate. This is completely beyond the scope of generative AI.

This whole hype around AI and LLMs is ridiculous, not to mention completely unjustified. The appearance of a vast leap forward in this field is an illusion. They're just linking more and more processor cores together, until a glorified chatbot can be made to appear intelligent. But this is struggling actual research and innovation in the field, instead turning the market into a costly, and destructive, arms race.

The current algorithms will never "be good enough to copy themselves". No matter what a conman like Altman says.

Questa voce è stata modificata (1 mese fa)
in reply to forrgott

It's a computer program, give it access to a terminal and it can "cp" itself to anywhere in the filesystem or through a network.

"a program cannot copy itself" have you heard of a fork bomb? Or any computer virus?

in reply to expr

Claims like this just create more confusion and lead to people saying things like “LLMs aren’t AI.”

LLMs are intelligent - just not in the way people think.

Their intelligence lies in their ability to generate natural-sounding language, and at that they’re extremely good. Expecting them to consistently output factual information isn’t a failure of the LLM - it’s a failure of the user’s expectations. LLMs are so good at generating text, and so often happen to be correct, that people start expecting general intelligence from them. But that’s never what they were designed to do.

Questa voce è stata modificata (1 mese fa)
in reply to Perspectivist

So they are not intelligent, they just sound like they're intelligent... Look, I get it, if we don't define these words, it's really hard to communicate.
in reply to fodor

It’s a system designed to generate natural-sounding language, not to provide factual information. Complaining that it sometimes gets facts wrong is like saying a calculator is “stupid” because it can’t write text. How could it? That was never what it was built for. You’re expecting general intelligence from a narrowly intelligent system. That’s not a failure on the LLM’s part - it’s a failure of your expectations.
in reply to Perspectivist

I obviously understand that they are AI in the original computer science sense. But that is a very specific definition and a very specific context. "Intelligence" as it's used in natural language requires cognition, which is something that no computer is capable of. It implies an intellect and decision-making ability. None of which computers posses.

We absolutely need to dispel this notion because it is already doing a great deal of harm all over. This language absolutely contributed to the scores of people that misuse and misunderstand it.

in reply to expr

It’s actually the opposite of a very specific definition - it’s an extremely broad one. “AI” is the parent category that contains all the different subcategories, from the chess opponent on an old Atari console all the way up to a hypothetical Artificial Superintelligence, even though those systems couldn’t be more different from one another.
in reply to Perspectivist

Eh, no. The ability to generate text that mimics human working does not mean they are intelligent. And AI is a misnomer. It has been from the beginning. Now, from a technical perspective, sure, call em AI if you want. But using that as an excuse to skip right past the word "artificial" is disingenuous in the extreme.

On the other hand, the way the term AI is generally used technically would be called GAI, or General Artificial Intelligence, which does not exist (and may or may not ever exist).

Bottom line, a finely tuned statistical engine is not intelligent. And that's all LLM or any other generative "AI" is at the end of the day. The lack of actual intelligence is evidenced by the way they create statements that are factually incorrect at such a high rate. So, if you use the most common definition for AI, no, LLMs absolutely are not AI.

in reply to forrgott

I don’t think you even know what you’re talking about.

You can define intelligence however you like, but if you come into a discussion using your own private definitions, all you get is people talking past each other and thinking they’re disagreeing when they’re not. Terms like this have a technical meaning for a reason. Sure, you can simplify things in a one-on-one conversation with someone who doesn’t know the jargon - but dragging those made-up definitions into an online discussion just muddies the water.

The correct term here is “AI,” and it doesn’t somehow skip over the word “artificial.” What exactly do you think AI stands for? The fact that normies don’t understand what AI actually means and assume it implies general intelligence doesn’t suddenly make LLMs “not AI” - it just means normies don’t know what they’re talking about either.

And for the record, the term is Artificial General Intelligence (AGI), not GAI.

in reply to 🍉 Albert 🍉

The Vile Offspring from the book Accelerando.

Vile Offspring: Derogatory term for the posthuman "weakly godlike intelligences" that inhabit the inner Solar System by the novel's end.


Also Aineko

Aineko, is not a talking cat: it's a vastly superintelligent AI, coolly calculating, that has worked out that human beings are more easily manipulated if they think they're dealing with a furry toy. The cat body is a sock puppet wielded by an abusive monster.


Woman says faecal transplant saved her and could help many more like her


The couple took Alex's faeces, blended it with saline, passed it through a sieve, put the slurry into an enema bottle and "then head down, bum up, squeeze it in"

Woman meets frog, frog leads woman to man, man and woman fall in love," she says.

"Man cures woman's incurable illness with his magic poo, thus breaking the curse.


I volunteered to donante my poop to my parter... Different outcome 🙁

in reply to Bertrand "call me Butt" Kiss

The science seems to indicate this has the potential to fix a lot of illnesses, but I am beyond skeptical of anyone claiming that it can cure mental illness. Especially something as complex as bipolar disorder.


EU age verification app to ban any Android system not licensed by Google


The EU is currently developing a whitelabel app to perform privacy-preserving (at least in theory) age verification to be adopted and personalized in the coming months by member states. The app is open source and available here: github.com/eu-digital-identity…

Problem is, the app is planning to include remote attestation feature to verify the integrity of the app: github.com/eu-digital-identity… This is supposed to provide assurance to the age verification service that the app being used is authentic and running on a genuine operating system. Genuine in the case of Android means:

The operating system was licensed by Google
The app was downloaded from the Play Store (thus requiring a Google account)
Device security checks have passed
While there is value to verify device security, this strongly ties the app to many Google properties and services, because those checks won't pass on an aftermarket Android OS, even those which increase security significantly like GrapheneOS, because the app plans to use Google "Play Integrity", which only allows Google licensed systems instead of the standard Android attestation feature to verify systems.

This also means that even though you can compile the app, you won't be able to use it, because it won't come from the Play Store and thus the age verification service will reject it.

The issue has been raised here github.com/eu-digital-identity… but no response from team members as of now.

Questa voce è stata modificata (1 mese fa)


Scientists study how people would react to a neurotic robot personality in real life


Spoiler alert: it makes them more relatable. Maybe Marvin knew what he was doing the whole time, and diodes down his left side were perfectly fine.
in reply to Gsus4

Well it sure didn't make my mother qualified for parenting, that's for sure.
in reply to Etterra

At least they're good at imagining all the ways in which you can hurt yourself way beforehand...and making sure you don't do them...or anything else :/



in reply to Tony Bark

What is it with Neo-Liberal governments and implementing over-reaching state controls that will eventually grant a tyrant unprecedented levels of control over public life?
in reply to NigelFrobisher

Because they want to privatize all aspects of living so that a handful of exorbitantly wealthy people can build larger hoards. There's no end to it; it's a mental disease, enabled by Capitalism and the death of real Labor laws and rights.

Every industry should have unions that actively work to dismantle owner authoritarianism, but for 40 years Boomers have been paving the way for every awful piece of shit "business owner" to have some idolized place at the top of our society. And of course, the knock-on effect of that over time is that the pieces of shit have carved into the legislative and political arenas that provided even a modicum of worker/commoner protections. The digital divide is just a coefficient on the slippery slope.

in reply to Tony Bark

I mean, schools (k-12) pretty easily blacklist websites you can access, not sure why parents can't just do that if they want as well.
in reply to SuperCub

The amount of parental controls available now really give parents little to no room for excuses.
in reply to SuperCub

Because it was meant as a "soft ban". First you make it troublesome to access porn, but also blame the providers if kids are circumventing it in any shape or form (no section 230-esque protections). This, alongside with payment processors, act as a chokehold on the industry, and also on the LGBTQIA+ community as a whole if you can read between the lines. The long game is to make it unpopular enough in a few years, that it can be easily outlawed.


“Coniglietto sfacciato passeggia sullo schermo”


Oggi Windows (e si, ormai la mia vita è al così basso punto in cui finisco necessariamente per prendere da esso questi spunti, tra l’altro per niente interessanti), sulla schermata di blocco, propone qualcosa di tanto semplice a dirsi quanto insolito: “Coniglietto sfacciato passeggia sullo schermo“, perché a quanto pare oggi è l’ottantacinquesimo (85°) anniversario […]

octospacc.altervista.org/2025/…


“Coniglietto sfacciato passeggia sullo schermo”


Oggi Windows (e si, ormai la mia vita è al così basso punto in cui finisco necessariamente per prendere da esso questi spunti, tra l’altro per niente interessanti), sulla schermata di blocco, propone qualcosa di tanto semplice a dirsi quanto insolito: Coniglietto sfacciato passeggia sullo schermo, perché a quanto pare oggi è l’ottantacinquesimo (85°) anniversario di Bugs Bunny… numero anche questo a dir poco strano per festeggiare, ma magari a qualcuno in Microsoft piaceva, va bene così.
Questo giorno nella cronologia:Coniglietto sfacciato passeggia sullo schermo
In pieno stile consigli di Bing, cliccando sulla scheda si apre pagina una ricerca dove a primo impatto query, sottotitolo e corpo non sembrano centrare, anche se in realtà guardando bene si… Il fatto però è che sono rimasta di sasso a leggere questa descrizione, perché, a pensarci bene, è più vera di quanto sembra. Veramente Bugs Bunny è un coniglietto sfacciato… con quel fare fiero, o come si mangia la carota e nei momenti peggiori dice “che succede amico?“… è eccessivamente irriverente. Se fosse un utente di Internet, i giornalisti lo appellerebbero come “l’hacker troll noto come 4chan“, secondo me… che roba oh.

#BugsBunny




Startup Claims Its Fusion Reactor Concept Can Turn Cheap Mercury Into Gold


Last week, Marathon Fusion, a San Francisco-based energy startup, submitted a preprint detailing an action plan for synthesizing gold particles via nuclear transmutation—essentially the process of turning one element into another by tweaking its nucleus. The paper, which has yet to undergo peer review, argues that the proposed system would offer a new revenue stream from all the new gold being produced, in addition to other economic and technological benefits.
in reply to UnderpantsWeevil

Inb4 radioactive gold hits the market, leading to Geiger counters being standard in gold buying businesses.

in reply to REDACTED

LLMs don't understand anything. At all. They're a glorified auto complete.
in reply to DragonTypeWyvern

How do you think language in our brains work? Just like many things in tech (especially cameras), things are often inspired by how it works in nature.

in reply to Blaster M

And then EU politicians will be surprised Pikachu, when CSAM (actual CSAM) will be popular...
in reply to Gsus4

How long before that extends to PCs and non-Windows OSes are blocked? Also, add non-Chrome browsers to that as well (that includes Edge, Chromium, Brave, etc. as well as Firefox and its forks).
Questa voce è stata modificata (1 mese fa)


in reply to Davriellelouna

Pretty much the same set of circumstances as in Europe. Slow economic growth + dissatisfaction about young voters + inflation + establishment party lacking any plan beyond muddling along => populist revolt => governing gets even harder and things get worse.
Questa voce è stata modificata (1 mese fa)


Some thoughts on Surf, Flipboard's fediverse app


I've got access to the beta of the Surf app. Some thoughts:

some stuff I really liked:

  • rss works (though no custom URLs yet, just what they already scraped)
  • you get lemmy, mastodon, bluesky, threads all together
  • you can make your own feeds and check what other people made (like a custom timeline, or topic-specific like “NBA”, “woodworking”, “retro gaming stuff”)
  • has different modes: you can switch between videos, articles, podcasts depending on the feed

but also...

  • can’t add your own RSS feeds (huge miss)
  • some feeds break and show no posts even when they’re active (ok, it's still a beta)
  • YouTube videos have ads (not into that—I support creators through patreon, affiliate links, whatever. not ads)
  • feeds you create are public by default unless you manually change it
  • not open source. built on open protocols, sure. but the app is locked up. (HUGE MISS)

all that said, I really believe: better feeds = better experience = better shot at the fediverse going mainstream.

anyone else tried it?

do you know anyone building an open source version of this? is that even realistic?

I’d love to hear what do you think 😀

Questa voce è stata modificata (2 mesi fa)
in reply to darcmage

thanks! I'm keep an eye out for an android APK.



in reply to cley_faye

They can force custom proprietary spying software on your devices.
- That would block Linux from their borders, which means goodbye Steam Deck in the UK among other things.
in reply to DFX4509B

Yeah, and? We're not talking logic and rational decisions here, unfortunately.



Channel.org open beta


Direct link

Seems to be a way of making Bluesky style feeds with Mastodon-style services, well that's what I gather from reading the FAQ. They don't actually explain what this is anywhere.


Today, Channel.org public beta goes live! 🎉

We're so excited to give you access to Channel.org Channels, your own curated feeds across the social web.

You can create a Channel on the Channel.org website now and then download the beta Channels app for easy management.

We'd love for you to try it out and let us know what you think!

#SocialMedia #Fediverse #SocialWeb #Mastodon #Channels #Newsmast #Beta #Technology #FediTech #FediApp #App


Unknown parent

lemmy - Collegamento all'originale
Sean Tilley

Channel is basically a white label instance of PatchWork, which is a Mastodon fork with custom feeds and community curation tools.

The main intent behind the project is to help existing communities and organizations get onto the Fediverse, and have some curation capabilities. Ideally, it can be used to get a large amount of people and accounts onto the network with minimal friction.

Questa voce è stata modificata (1 mese fa)

in reply to mesa

We really need to stop abandoning existing foss projects and thinking a whole new thing needs to be invented. Free and open-source software is not a product, it doesn't abide by the same rules and relationships that proprietary tech does.

It's more organic. It's also a commons that we can continue to draw on, and reshape. If I recall correctly, there were something like three different vector graphic editors from the same codebase before Inkscape managed to be the one that gained traction.

Matrix isn't perfect, but abandoning it just to reinvent it all over again just because some people really need a thing that works like Discord, even though Discord is absolute hot garbage; is just going to re-create all the same problems. Matrix today is better than it was two years ago. And Matrix in a year will be better from now.

in reply to AnimalsDream

I agree with you, my main issue with Matrix is that it is a pain to self-host at the moment.
in reply to AnimalsDream

Honestly, setting up things using Docker Compose is generally a question of copying and pasting and editing the file locations.

The moment you need SSL and/or a reverse proxy it becomes a bit more complex, but once you set up a reverse proxy once you can generally expand that to your other applications.

Something like a Synology nas makes it very easy and to some extend even the Truenas apps are kinda easy.

in reply to mesa

I did not enjoy finding out only at the end that the images in this blog post are generated/made using AI.



Xinjiang’s Organ Transplant Expansion Sparks Alarm Over Uyghur Forced Organ Harvesting


cross-posted from: sh.itjust.works/post/42460866

Xinjiang’s official organ donation rate is shockingly low. So why is China planning to open six new organ transplant facilities in the region

"The expansion suggests that the Chinese authorities are expecting to increase the numbers of transplants performed in Xinjiang. However, this is puzzling as there is no reason why the demand for transplants should suddenly go up in Xinjiang,” Rogers explained. “From what we know about alleged voluntary donations, the rates are quite low in Xinjiang. So the question is, why are these facilities planned?”

Rogers noted one chilling possibility: that “murdered prisoners of conscience (i.e., Uyghurs held in detention camps)” could be a source of transplanted organs.

This suggestion becomes even more concerning when considering the extensive surveillance and repression that Uyghurs face in the region. Detainees in the many internment camps in Xinjiang have reported being subjected to forced blood tests, ultrasounds, and organ-focused medical scans. These procedures align with organ compatibility testing, raising fears that Uyghurs are being prepped for organ harvesting while in detention.

David Matas, an international human rights lawyer who has investigated forced organ harvesting in China, questioned the very possibility of voluntary organ donation in Xinjiang. “The concept of informed, voluntary consent is meaningless in Xinjiang’s carceral environment,” Matas said. “Given the systemic repression, any claim that donations are voluntary should be treated with the utmost skepticism.”

The new transplant facilities will be distributed across Urumqi and other regions of northern, southern, and eastern Xinjiang. Experts argue that the sheer scale of this expansion is disproportionate to Xinjiang’s voluntary donation rate and overall capacity, suggesting that the Chinese authorities may be relying on unethical methods to source organs.

https://thediplomat.com/2025/07/xinjiangs-organ-transplant-expansion-sparks-alarm-over-uyghur-forced-organ-harvesting/

in reply to Basic Glitch

The wikipedia article for the universal peace federation redirects to the unification church article.

Shinzo Abe found out how bad the moonies are.

Keep spreading that "new cold war" propaganda.

in reply to Noodles4dinner

Nobody is defending the Moonies, especially not this current affairs publication owned by a Japanese media corporation. Here's plenty of examples of them calling out the Unification Church:
thediplomat.com/tag/unificatio…

Anybody can be nominated to be an ambassador for peace, it's also associated with the UN.
upf.org/core-program/ambassado…

Launched in 2001, Ambassadors for Peace is the largest and most diverse network of peace leaders. As of 2020, there are more than 100,000 Ambassadors for Peace from 160 countries who come from all walks of life representing many races, religions, nationalities, and cultures


Literally she has no other ties to the Moonies/unification church, and how about the human right lawyer she directly quotes.

David Matas

Or the bioethicist and part of the coalition to End Transplant Abuses in China (ETAC)? All just cold war propaganda?

Wendy Rogers

Compliance with ethical standards in the reporting of donor sources and ethics review in peer-reviewed publications involving organ transplantation in China: a scoping review

Results 445 included studies reported on outcomes of 85 477 transplants. 412 (92.5%) failed to report whether or not organs were sourced from executed prisoners; and 439 (99%) failed to report that organ sources gave consent for transplantation. In contrast, 324 (73%) reported approval from an IRB. Of the papers claiming that no prisoners’ organs were involved in the transplants, 19 of them involved 2688 transplants that took place prior to 2010, when there was no volunteer donor programme in China.


Anyway, keep spreading that there is no genocide propaganda.

washingtonpost.com/politics/20…

Two months after the Trump administration all but shut down its foreign news services in Asia, China is gaining significant ground in the information war, building toward a regional propaganda monopoly, including in areas where U.S.-backed outlets once reported on Beijing’s harsh treatment of ethnic minorities.

The U.S. decision to shut down much of RFA’s shortwave broadcasting in Asia is one of several cases where the Trump administration — which views China as America’s biggest rival — has yielded the adversary a strategic advantage.

Questa voce è stata modificata (1 mese fa)


Anybody else not able to get on slrpnk.net?


Seems like slrpnk.net hasn't been working for most of the day today. Hasn't worked for me on mobile or desktop. Says 502 bad gateway when trying to access the website. Anybody else expierencing this issue?

Edit: it's back up. Thank you admins!

Questa voce è stata modificata (1 mese fa)
in reply to linuxsnail

AFAIK it'll be down till Monday. Kernel panic I think?
Questa voce è stata modificata (1 mese fa)
in reply to 𝔽𝕩𝕠𝕞𝕥

thanks for passing that along. I could tell something was up by looking at this:

grafana.lem.rocks/d/bdid38k9p0…

in reply to linuxsnail

Screenshot from GTA San Andreas where CJ says "Ah shit, here we go again"

In all seriousness, to the users and admins of slrpnk.net, you have my solidarity. Hope this all gets resolved soon.

Edit: oh shit welcome back!

Questa voce è stata modificata (1 mese fa)


UEA sekretigas la elekton de kongresurboj

Laŭ la kongresa regularo de UEA, la komitato estu regule informata kaj konsultata pri la elekto de kongresurboj. Laŭ la nova prezidanto de UEA, Fernando Maia, tio tamen ne eblas, ĉar la kandidata urbo ne sciu, ĉu ĝi estas la sola kandidato. Tial la regularo laŭ li devas esti ŝanĝita.

liberafolio.org/2025/07/27/uea…

Questa voce è stata modificata (1 mese fa)


The Hype is the Product




introducing copyparty, the FOSS file server



in reply to Tony Bark

This feels like a great time to recommend a song by a parody-hate band, S.O.D.:

Please understand that this band was formed by Scott Ian, of Anthrax, in the 80s. This was a time when you could mock hateful racists and people understood that it was a joke. I wouldn't support a band saying that now, because I'd consider the excuse that it was a joke to be a front for their actual beliefs, as we've seen with people who are "just asking questions."

Anthrax and Public Enemy teamed up on Bring Tha Noise because Anthrax liked rap. Aerosmith teamed up with Run DMC because their manager / producer / someone convinced them to. Anthrax was genuinely not about hate.

Bonus trivia: Scott Ian now plays with Mr Bungle. Just as S.O.D's titular song was called Speak English or Die, Mr Bungle now plays a song called Habla Español O Muere (Speak Spanish or Die). If you can't judge that the former was a parody by the evolution of the theme, I don't know what to tell you.

Edit: formatting and more info.

Questa voce è stata modificata (1 mese fa)
in reply to Tony Bark

ah, dear old copy/paste.... It's funny that even OpenAI doesn't trust ChatGPT enough to give more personalized LLM-generated answers.

And this sounds exactly like the type of use case AI agents are supposedly so great at that they will replace all human workers (according to Altman at least). Any time now!

Questa voce è stata modificata (1 mese fa)


Premio musicale aulla




Deadly airdrops and a trickle of trucks won't undo months of 'engineered starvation' in Gaza, Oxfam says


July 27, 2025 09:28 EDT

Oxfam has said the airdrops into #Gaza are wholly inadequate for the population’s needs and has called for the immediate opening of all crossings for full humanitarian access into the territory devastated by relentless #Israeli bombardments and a partial aid blockade.

Bushra Khalidi, Oxfam policy lead for the Occupied #Palestinian territory, said:

Deadly airdrops and a trickle of trucks won’t undo months of engineered starvation in Gaza.

What’s needed is the immediate opening of all crossings for full, unhindered, and safe aid delivery across all of Gaza and a permanent ceasefire. Anything less risks being little more than a tactical gesture.



Deadly airdrops and a trickle of trucks won't undo months of 'engineered starvation' in Gaza, Oxfam says


cross-posted from: lemmy.ml/post/33751786

July 27, 2025 09:28 EDT

Oxfam has said the airdrops into #Gaza are wholly inadequate for the population’s needs and has called for the immediate opening of all crossings for full humanitarian access into the territory devastated by relentless #Israeli bombardments and a partial aid blockade.

Bushra Khalidi, Oxfam policy lead for the Occupied #Palestinian territory, said:

Deadly airdrops and a trickle of trucks won’t undo months of engineered starvation in Gaza.

What’s needed is the immediate opening of all crossings for full, unhindered, and safe aid delivery across all of Gaza and a permanent ceasefire. Anything less risks being little more than a tactical gesture.




Deadly airdrops and a trickle of trucks won't undo months of 'engineered starvation' in Gaza, Oxfam says


July 27, 2025 09:28 EDT

Oxfam has said the airdrops into #Gaza are wholly inadequate for the population’s needs and has called for the immediate opening of all crossings for full humanitarian access into the territory devastated by relentless #Israeli bombardments and a partial aid blockade.

Bushra Khalidi, Oxfam policy lead for the Occupied #Palestinian territory, said:

Deadly airdrops and a trickle of trucks won’t undo months of engineered starvation in Gaza.

What’s needed is the immediate opening of all crossings for full, unhindered, and safe aid delivery across all of Gaza and a permanent ceasefire. Anything less risks being little more than a tactical gesture.





Updates for controlled mechanical ventilation system (double flux) without privileged admin


[Update in the comments]

Hello all!
I've got a controlled mechanical ventilation system (system D) at home from Zehnder (ComfoAir Q600). I've even got their controller box (the LAN-C) so I can use smart home stuff with it. It works perfect on home assistant, even when blocking the controller on the router level from the outside world. Maintenance wise, they try to force a contract on you, but it is easy peasy to maintain and repair so I'm not having no maintenance contract.

Comes the issue of software and updates. Some updates come with features. Sometimes, they are even mandatory so addons can work on them (ex: small heat pump for the intake needs a recent version for setup). For this, you have to use their app on your phone/tablet. The whole idea is that the install goes trough your phone (with checksum check through the app) to the EEROM on the local network to prevent bricking of the unit. Updates bring usually nice settings, and are sometimes mandatory for some add-ons (ex: heatpump for pre-heating or pre-cooling needs a recent update to be set up).

Here comes the really annoying part that makes me grump a lot: to update, of even for some diagnose option, you need to access a special level. Not the beginner mode. Not the expert mode. Not the installer mode that is unlocked with a simple pin code available in the owner's manual. No sweet child, you need to be a registered installer with Zehnder to access to get updates and real diagnostics. Officially, it is to prevent bricking the controller with an update by an user. But it is possible to give access to a licensed installer so they can update remotely and run diagnostics. So an issue with your internet, and there is no more safeguard to protect you from bricking stuff. Really, it is just to force a maintenance visit (200€ to exchange filters and clean a bit the exchanger and the inside with some soapy water). I don't like to bend over while I'm getting fucked without my consent, so you guess while this pisses me off. I called once to get an update (some companies ask you a hefty sum for that), but instead of getting an account they just updated it once exceptionally.

There is tho in the official documents for Germany, a test code publicly accessible, that allows you to access diagnostics and updates. But the updates there are only for German units. Pretty sure it is the same unit for the whole damn continent, but hey, let's pretend the units are different.

Comes my question: how do I trick the system into believing their update is not for the germans, but for somewhere else? Or even better, to give me access for updates for other areas? I know part is server side (account), but I'm willing to bet they don't really care about securing access to the updates once you have authenticated yourself (with the german test code). Tried lucky patcher, but didn't get lucky.

Any idea what I could try (even Lucky Patcher wise)?

Big hugs and kisses

Questa voce è stata modificata (1 mese fa)
in reply to FlyForABeeGuy

If there's a German code that would work as you intended (if I got you right) but it doesn't for you, since you don't live in Germany, would it work to make the machine believe it is located in Germany?

They might have hardcoded a location into it, then you are out of luck. But maybe they determine it via the internet connection you use to update? So you could potentially have it connected to a VPN through your router, which fakes a German location? Probably too simple a solution.

in reply to ook

If I understand it correctly, the numbers only change because when they do the energy and house energy rating certifications in each country (because the details in the energy ratings are different in each country). Managed to trick it tho, but it changes the unit to a german id but with the same serial. So certification wise, it is the paper that comes with the unit that counts, not what the unit says
in reply to FlyForABeeGuy

[Update]So used my old rooted tablet to tweak around a bit with the app. Through lucky patcher (when logged in with the test account) I noticed that the downloads are done trough the root user of android. After that I used MiXplorer to get the data files on my pc. Quickly found the structure of the files. Couldn't trick the system to access my local files, but I managed to trick the system into updating as if it were a german system.

So if someone else happens to look and stumble upon this, this is how I got it to work. It works only from a rooted android device for now:

  • Login with the german test account to access server downloads
  • Connect to the cloud delivery system and download the update that you want
  • Close the app, with a root file explorer (like MiXplorer + Shizuku) go into the root folder (use their FTP server with a root allowed user or whatever to transfer it more easily to the PC).
  • Go to /data/data/com.zehndergroup.comfocontrol/files/products/1/R1.12.0-DE
    -Open the meta.json file and change the german id of your unit to your unit. Ex: 471502013 to 471502023 for the UK id. Save it and send it back to where it came from. You could just update your unit, and it would keep the same serial number, same everything but would be under german ID. Easy for new updates but annoying to explain if you need to have a technician over and he is wondering why your unit has that ID. But then again, that is a minor detail and I'm not even sure the technician will be paid enough to care. Reverting to your national number should be the same process but with the update for your country.

What didn't work:
*Open the config bin file of your unit (so again, for the Q600 : config_R1.12.0_471502013_v1.bin ) with a hex editor. Look for the unit number that needs to be replaced (so here 471502013 needs to become 471502023). I only needed to replace 1 number (a 1 into 2) , so 31 became 32 in the hex file. Replace the country code with your local one in hex (So DE into UK). Save it and send it back from where it came from. This provokes an error after the 3rd block. Probably a checksum that isn't cooperating in another file
*Seperate API connection: the naming pattern o their website is obvious, but connection without their app is something else

  • Firmware updates for the ventilation units are in folder "1", maybe that will change in the future
  • The downloaded firmware update will be there under it's own folder (like R1.12.0) and sometimes there will be it's own ZIP
  • National ID for your unit is on Zehnder's website but also under "basic mode" > "unit status" > "Article unit"
  • The installers pin code changes from your countries to the German one, so it becomes 4210

PS: there are ati-bricking measures in place in the system. If an update fails, you can Erase the firmware and reupload it but you'll have to redo the post-install setup

Questa voce è stata modificata (1 mese fa)

in reply to PattyMcB

I think it is in canada or at least most of one but I'm not eager to look too closely as I don't need the scrutiny on me
in reply to Kowowow

I don't need the scrutiny on me


Officer, this guy right here. Lol



In un mese sono morte più di 80 persone in montagna - Il Post


circa la metà delle persone recuperate si rifiuta di pagare «anche quando, di fatto, gli hai salvato la vita»


Che roba! Nemmeno se gli salvi la vita sono disposti a pagare i soccorsi

#News

reshared this



La deputata democratica April McClain Delaney lancia l'allarme: i tagli apportati da Donald Trump a programmi come Medicaid, nonché a NPR e PBS, colpiranno le zone rurali americane come uno "tsunami"


In un'intervista rilasciata a Newsweek, la deputata April McClain Delaney ha lanciato l'allarme: i tagli apportati da Donald Trump a programmi come Medicaid, nonché a NPR e PBS, colpiranno le zone rurali americane come uno "tsunami".

Il distretto congressuale del Maryland di Delaney comprende alcune delle aree che potrebbero essere maggiormente colpite dalle politiche di Trump. Si estende dalla zona rurale occidentale dello stato, che secondo lei potrebbe subire il peso dei nuovi tagli alla rescissione, alla periferia di Washington, DC, dove risiedono i dipendenti federali che hanno perso il lavoro a causa dei licenziamenti di massa.

"Se si considerano tutti questi congelamenti dei finanziamenti per i dipendenti pubblici dei nostri parchi nazionali, ma anche per Medicaid, SNAP e poi si cominciano a considerare alcune delle altre rescissioni, ci si rende conto che si tratta semplicemente di uno tsunami che sta per colpire l'America rurale", ha affermato Delaney.

#News


Sunday, July 27, 2025


Resistance inside Russia is growing: Su-27UB jet set alight in Krasnodar Krai — Ukraine’s F-16 have a new trick to avoid Russian ballistic missiles — After being battered by Ukraine, Russia hopes to ‘strengthen’ Black Sea Fleet — Russia could be ready for

Share

The Kyiv Independent [unofficial]


This newsletter is brought to you by Medical Bridges.

Medical Supplies for Ukraine’s Hospitals. Partnering for global health equity.

Russia’s war against Ukraine


Debris litters a sports complex after an overnight Russian bombardment on July 26, 2025 in Kharkiv, Ukraine. Officials say this five-hour bombardment in the Kyivskyi district included four Russian glide bombs, two ballistic missiles, and 15 Shahed drones. (Scott Peterson/Getty Images)

Resistance inside Russia is growing’ — Su-27UB jet set alight in Krasnodar Krai, Ukraine’s HUR claims. “Resistance to the Kremlin regime inside Russia is growing,” Ukraine’s military intelligence agency said.

After being battered by Ukraine, Russia hopes to ‘strengthen’ Black Sea Fleet. “In the coming years, the Black Sea sailors will be further strengthened — with the arrival of new frigates, corvettes, aviation, marine robotic complexes,” Nikolai Patrushev, the head of Russia’s Maritime Collegium, said.

Ukraine reports killing Russian colonel leading assaults in Kharkiv Oblast. According to operational data by Ukraine’s Khortytsia group of forces, Colonel Lebedev was leading assault operations in the Velykyi Burluk area of Kharkiv Oblast.

Your contribution helps keep the Kyiv Independent going. Become a member today.

Russian drone strike damages Regional Military Administration building in Sumy. Russian forces launched a drone strike on Sumy on July 26, damaging the building of the Sumy Regional Military Administration, regional governor Oleh Hryhorov reported.

Ukraine ‘thwarts Russian plan for Sumy Oblast,’ Zelensky says. Ukrainian forces have pushed back Russian troops in Sumy Oblast, disrupting Moscow’s attempts to expand its foothold in the region, President Volodymyr Zelensky said on July 26.

Anti-corruption


How effective were Ukraine’s anti-corruption agencies targeted by Zelensky, and who were they investigating? The National Anti-Corruption Bureau (NABU) and the Specialized Anti-Corruption Prosecutor’s Office (SAPO) have investigated top officials, including Zelensky’s allies, and have widely been seen as more effective than other law enforcement agencies. However, real progress has been hampered by Ukraine’s flawed judicial system.

Our readers’ questions about Ukraine’s anti-corruption bodies, answered. We offered members of the Kyiv Independent community to share their questions about a controversial bill that undermined Ukraine’s anti-corruption institutions and the street protests that followed it this week.

Read our exclusives


Meet Ukraine’s EuroMaidan protesters fighting again for democracy in wartime Kyiv

Twelve years after the EuroMaidan Revolution, thousands mobilized across Ukraine again, united by a different cause. Protests erupted on the evening of July 22, just hours after Ukraine’s parliament passed a bill widely seen as an assault on corruption reform.

Photo: Anastasia Verzun / The Kyiv Independent

Learn more

‘Stop fueling Russia’s aggression’ — US, China clash over Ukraine at United Nations

The U.S. urged China to stop enabling Russia’s war in Ukraine during a UN Security Council meeting, prompting a sharp rebuke from Beijing, which accused Washington of creating confrontation.

Photo: Wang Fan/China News Service/Getty Images

Learn more

Orban offers Ukraine ‘strategic cooperation,’ claims EU accession would ‘drag the war’ into Europe

Hungarian Prime Minister Viktor Orban proposed “strategic cooperation” with Ukraine instead of European Union integration, arguing that Kyiv’s accession would drag the war into the heart of Europe.

Photo: Attila Kisbenedek / AFP

Learn more

Ukraine’s F-16 have a new trick to avoid Russian ballistic missiles

Ukraine’s fleet of F-16 fighter jets have been given a badly-needed boost with the creation of new mobile maintenance and operations modules which will help them evade Russian ballistic missile strikes.

Photo: Come Back Alive Charity Foundation

Learn more

Human cost of Russia’s war


Russian forces attack Sumy Oblast, injure 3 civilians. Russian forces launched an overnight attack on Ukraine’s northeastern Sumy Oblast on July 26, targeting civilian infrastructure and leaving three people injured.

General Staff: Russia has lost 1,048,330 troops in Ukraine since Feb. 24, 2022. The number includes 1,080 casualties Russian forces suffered just over the past day.

9 killed, 61 injured in Russian attacks on Ukraine over past day. Ukraine’s Air Force said Russia launched 208 drones and 27 missiles overnight, targeting cities and infrastructure in multiple regions.

International response


US Senator Blumenthal warns Zelensky over anti-graft law, backs protests as ‘democracy in action.’ U.S. Democratic Senator Richard Blumenthal co-authored a bipartisan bill that would impose 500% tariffs on countries buying Russian oil, gas, or uranium.

Pope Leo meets Russian Orthodox cleric to discuss Ukraine war. The Vatican confirmed that Pope Leo received Metropolitan Anthony, the senior Russian Orthodox Church cleric who chairs its department of external church relations, along with five other high-profile clerics, during a morning audience on July 26.

Lithuania to allocate $32 million toward joint purchase of Patriot missile systems for Ukraine. Lithuania plans to contribute up to 30 million euro ($32.5 million) toward the joint purchase of U.S.-made Patriot air defense systems for Ukraine, Lithuanian public broadcaster LRT reported on July 26.

Russia could be ready for ‘confrontation with Europe‘ by 2027, Polish prime minister says. “Russia will be ready for confrontation with Europe — and therefore with us — as early as 2027,” Polish Prime Minister Donald Tusk said.

In other news


Lukashenko resumes use of migrants to ‘exert political pressure’ on Europe, Ukraine’s intelligence says. Belarusian President Alexander Lukashenko is facilitating transit primarily to Poland, with some migrants arriving from Libya directly or through Russia — pointing to coordinated efforts between Minsk and Moscow.

Ukrainian drones strike major Russian military radio factory in Stavropol, SBU source says. Ukrainian drones struck the Signal radio plant in Russia’s Stavropol Krai overnight on July 26. The plant, located around 500 kilometers (311 miles) from Ukraine-controlled territory, manufactures electronic warfare equipment for front-line aircraft and is a major part of Russia’s military-industrial complex.

The Kyiv Independent delivers urgent, independent journalism from the ground, from breaking news to investigations into war crimes. Your support helps us keep telling the truth. Become a member today.

Become a member

This newsletter is open for sponsorship. Boost your brand’s visibility by reaching thousands of engaged subscribers. Click here for more details.

Today’s Ukraine Daily was brought to you by Tim Zadorozhnyy, Olena Goncharova, Sonya Bandouil, Oleg Sukhov, Irynka Hromotska, Kateryna Hodunova, Yuliia Taradiuk, and Lucy Pakhnyuk.

If you’re enjoying this newsletter, consider joining our membership program. Start supporting independent journalism today.

Share

#russia #poland #libya #us #lithuania #china #donaldtusk #migrants #democracy #nabu #infrastructure #EuropeanUnion #aviation #genocide #war #military #ukrainian #Ukraine #drones #homes #un #résistance #orban #invasion #Minsk #Beijing #warcrimes #lithuanian #moscow #PM #Apartments #Lukashenko #Vatican #украина #Kyiv #путин #Kremlin #euromaidan #zelensky #kharkiv #Sumy #belarusian #polish #PutinWarCrimes #CrimesAgainstHumanity #RussianWarCrimes #terrorists #houses #anticorruption #F16 #sbu #BlackSea #militaryindustrialcomplex #hungarian #BlackSeafleet #aircraft #KharkivOblast #frontline #Киев #геноцид #RussianImperialism #russianterrorists #FighterJets #russianterrorism #ballisticmissiles #wartime #ShahedDrones #RussianAggression #russianorthodox #judicialsystem #electronicwarfare #Ukrainianforces #assaults #KyivIndependent #russianmilitary #sumyoblast #ChineseAggression #RussianTroops #glidebombs #invasions #internationallawviolations #khortytsia #MilitaryAircraft #Evade #killingcivilians #residentialbuildings #Russianforces #RussianResistance #ukrainiandrones #streetprotests #marinerobotics #Sapo #CiviliansTargeted #russiandronestrikes #mobilemaintenance #sportscomplex #russianbombing #russianbombardment #Manufactures #euaccession #corvettes #krasnodarkrai #popeleo #civiliansAttacked #civiliansTortured #Военныепреступления #Преступленияпротивчеловечества #Российскиежертвы #stavropol #residentialAreas #PatriotAirDefense #patriotmissilesystems #AdministrationBuilding #confrontationWithEurope #F16FighterJets #frigates #Kyivskyi #operationsModules #radioFactory #RussiaSAggression #RussianColonel #SignalRadio #StavropolKrai #Su27UB #VelykyiBurluk
Questa voce è stata modificata (1 mese fa)


Lemmy has a problem


With the recent issues of Tea (teaforwomen.com) posting unsecured user data, it's easy to spot the heavy bias of male users in the comments.
With a 90% male demographic, Lemmy will face problems related to a homogeneous user population and all the issues that come with it. Right now, it's shaping up to be misogynistic, but it could also head into other bad places. Lemmy needs to attract a more diverse population of users or will end up as another echo chamber for the like minded.
similarweb.com/website/lemmy.m…

don't like this

in reply to Jeena

Wouldn’t a tankie instance have more women?

Your response seems almost defensive, which is weird. Lemmy is definitely overwhelming male. That’s not an inherently bad thing, so I don’t get the defensive tone here or taking OP to task about data methods.

Disagree all you want, but this website is incredibly male dominated. I don’t think OP needs to do a peer-reviewed, double-blind study to say so.

in reply to mienshao

Why are you so aggressively defending a false data collection method?

And what do you mean by "this website"?

Questa voce è stata modificata (1 mese fa)


The challenge of deleting old online accounts | Loudwhisper


In the last days I spent a disproportionate amount deleting old accounts I found in my password manager, and mostly because so many companies - despite the GDPR - have rudimentary, manually when not completely nonexistent processes to delete your data.

In this post I describe my process going through about 100 old accounts and trying to delete them all, including a top 10 for the weirdest, funniest or most interesting cases I encountered while doing so.

in reply to loudwhisper

Nice article.
Enjoyed reading it.

A few months ago, I alao went on a small spree of deleting from my ~500 accounts.
Some companies/services were offline, some redirected, some had no or very cumbersome ways to delete my data.
Sometimes I juat wanted to edit my email.

Welp. No can do bro. Your E-Mail is cemented in place and only the heat-death of the universe can remove it.

in reply to Appoxo

Thanks. Absolutely my experience too.
The ones where you can't edit the email I noticed often used the email as username, and probably god knows how bad is the code on the backend.


Tyler, il figlio maggiore problematico della discussa deputata Lauren Boebert, è accusato di abusi su minori


Il figlio maggiore problematico della deputata Lauren Boebert (cristiana rinata e già sostenitrice della teoria del complotto QAnon) è stato accusato di abuso su minori in seguito a un incidente che ha coinvolto il nipote.

Tyler, il figlio ventenne della deputata repubblicana e dell'ex marito Jayson, è stato accusato di reato minore in Colorado l'11 luglio, ha riferito sabato Denver Westword , citando i registri del dipartimento di polizia di Windsor.

Il deputato Boebert ha minimizzato l'accusa, affermando che era il risultato di "una mancanza di comunicazione sul controllo del mio giovane nipote che di recente lo ha portato ad andarsene di casa".



"Lasciate che siano i bambini a farlo": il conduttore di Fox News chiede di sostituire gli immigrati con il lavoro minorile


Dopo una visita a una piantagione di mirtilli nel fine settimana, Hurt ha discusso con i conduttori di Fox News Rachel Campos-Duffy e Charlie Kirk sull'opportunità o meno che il governo sovvenzioni le piccole aziende agricole.

"E il dibattito, ragazzi, è su cosa dovrebbe sovvenzionare il governo... voglio dire, guardate, produrre mirtilli richiede molto lavoro, per esempio", ha detto Campos-Duffy. "Quindi cosa dovrebbe sovvenzionare il governo?"


Google Gemini deletes use's code


Another AI fail. Letting AI write code and modify your file system without sandboxing and buckups. What could go wrong.


Proton freezes Swiss investment over surveillance fears


cross-posted from: lemmy.zip/post/44874398

Mechanize doesn't like this.

in reply to rhvg

Developing more slop AI but still no Linux drive client.

in reply to Aceticon

Ever since, fitgirl and Dodi repacks came the fear of malware were completely removed - well atleast for me!
in reply to Harry_Houdini

It also protects your machine from any spyware in the original game, as it's very easy to have the sandboxing deny network access beyond localhost.

Personally I run everything inside the sandbox with networking disabled.

Questa voce è stata modificata (1 mese fa)








Grateful Dead — Live Dead (1969)


Live Dead è il primo album dal vivo della band che più di ogni altra ha costruito la propria immagine sui “live”. Nella loro discografia i dischi dal vivo hanno raggiunto quelli in studio e senza dubbio sono destinati ancora a crescere... Leggi e ascolta...


Grateful Dead — Live Dead (1969)


immagine

Live Dead è il primo album dal vivo della band che più di ogni altra ha costruito la propria immagine sui “live”. Nella loro discografia i dischi dal vivo hanno raggiunto quelli in studio e senza dubbio sono destinati ancora a crescere. Live Dead è un live un po’ speciale non solo perché è stato registrato con una platea di amici e non con un pubblico pagante ma soprattutto perché è un disco di passaggio, “il” disco di passaggio dagli Acid Tests e dalla San Francisco “sixties” verso il mondo nuovo, verso i settanta, anni più complicati e grigi... silvanobottaro.it/archives/427…


Ascolta: album.link/i/20885553


HomeIdentità DigitaleSono su: Mastodon.uno - Pixelfed - Feddit







Fellow pirates, can you help me find torrent for the HealthGammer GG course?


youtube.com/@healthygamergg
Questa voce è stata modificata (1 mese fa)

don't like this

in reply to admin

I have the courses. It's a collection of videos, pretty short ones, but it's hundreds of videos. Dunno why all the hate here. But it's been helpful for me.

It would be difficult to rip them and time consuming. Is there a course your more specifically interested in?

in reply to bastionntb

Honestly I am surprised too with this reaction.

Is there a course your more specifically interested in?


Trauma and anxiety.

Questa voce è stata modificata (1 mese fa)


America wants AI that doesn't care about misinformation, DEI, and climate change


The Trump administration recently published "America's AI Action Plan". One of the first policy actions from the document is to eliminate references to misinformation, diversity, equity, inclusion, and climate change from the NIST's AI Risk Framework.

Lacking any sense of irony, the very next point states LLM developers should ensure their systems are "objective and free from top-down ideological bias".

Par for the course for Trump and his cronies, but the world should know what kind of AI the US wants to build.

in reply to brianpeiris

I personally want AI that will delete itself upon being created, so I don't have to deal with it and the stupidity it causes in people
in reply to brianpeiris

Ensure that Frontier AI Protects Fee Speech

revise the NST to eliminate references to misinformation, Diversity, Equity, and Inclusion, and climate change.


War is peace.

Freedom is slavery.

Ignorance is strength.

Censorship is free speech.

Questa voce è stata modificata (1 mese fa)


les miserables 2012 - why the f it downloads a f-ing documentary instead?


I haven't experienced this with other movies and this is annoying as fuck.
real movie is 2 hours.
stupid documentary is 1hr.

Ive downloaded from 10 different sources and it's always a stupid documentary.

Am I doing something wrong? or there is a McCarthyist governmental conspiracy to keep this movie hidden?

real movie - I can see it actuallly exists: vk.com/video361427896_45623935…

in reply to Fair Fairy

Figures that shit is limewire. Just download it yourself off a real tracker
in reply to LainTrain

That's Radarr, not Limewire. Radarr is nothing like Limewire. Radarr is the best software currently available for fetching movies, just as Sonarr is the best for TV shows. And they're downloading from Usenet, not torrents. The reason they are having trouble is that they haven't set up Radarr to properly score releases, so it's just grabbing whatever matches the name.
in reply to _cryptagion [he/him]

So it's p2p without the help and protection of the bittorrent protocol, like limewire. I guess it's not literally limewire, it uses a warez graveyard instead.

If your software is "the best software", how come it can't find a movie? Why do you need to "set it up" to "properly score releases"? Jajajaja here you go instead:

rutracker.org/forum/viewtopic.…

therarbg.com/post-detail/64302…

Took 5 mins on my phone. Nw we were all new to piracy once.

Questa voce è stata modificata (1 mese fa)
in reply to LainTrain

It's not P2P at all, and bittorrent doesn't give you any protection against anything. Usenet is also usually better when it comes to finding stuff, because public torrent sites drop like flies all the time. And Usenet downloads as fast as my connection can handle, without waiting for peers or needing to seed afterwards, and I don't even need a VPN if I don't want one.

Took 5 mins on my phone. Nw we were all new to piracy once.


Yes, we were all new to piracy at one point. But if you're going to be a smug little shit, then allow me to point out the difference between us is that you're still new to it, fledgling. You took five minutes typing shit out on your phone to find it? How adorable. It took me barely lifting a finger to click one button, and then I walked away while my media server took care of all the rest. Finding the best copy available on the net, downloading it, finding subtitles for it, and importing it into my media library so I can stream it to any device in the world. Movies, TV shows, ebooks, audiobooks, music, it doesn't matter. Anything I want, it's fully automated from start to finish. I don't even pirate anymore, because I'm not a peasant like you and I've got robot underlings to take care of shit like that for me.

Now, are we done stroking our own cocks, or do you want to swagger around some more like a teenager who hasn't gotten their braces off?

in reply to _cryptagion [he/him]

Okay internet tough guy,

bittorrent doesn't give you any protection against anything


Wrong.

en.m.wikipedia.org/wiki/BitTor…

Each piece is protected by a cryptographic hash contained in the torrent descriptor.[1] This ensures that any modification of the piece can be reliably detected, and thus prevents both accidental and malicious modifications of any of the pieces received at other nodes. If a node starts with an authentic copy of the torrent descriptor, it can verify the authenticity of the entire file it receives.

Usenet is also usually better when it comes to finding stuff, because public torrent sites drop like flies all the time.


So? Sites may go, but torrents stay alive. A torrent will usually have multiple trackers, even after the site you got the link from is long gone, that torrent will work like a charm and is easily findable via any site that indexes multiple trackers.

Case in point - that rarbg release I sent? Yeah the original group and their site is long gone. Rarbg.to is the actual site, the one I linked is just a random fansite with the same UI.

Yet despite the site being down, the torrent lives on. Must be like magic to some of us, eh?

And Usenet downloads as fast as my connection can handle,


No, it downloads as fast both your and the server's connection can handle. The cloud is just someone else's PC, but instead of many randoms in usually Belarus, Brazil and Portugal, you rely on one.

Torrents will be faster, because you can download many pieces at once, unless you're downloading from like a huge corpo DC in which case yeah, good luck with that.

without waiting for peers or needing to seed afterwards


Yeah, instead of a resilient system where as long as one of thousands has a file you can always get it, you use 90s megaupload.

and I don't even need a VPN if I don't want one.


Congrats, I don't use one either and never have. Five eyes country BTW.

It took me barely lifting a finger to click one button, and then I walked away while my media server took care of all the rest. Finding the best copy available on the net, downloading it, finding subtitles for it, and importing it into my media library so I can stream it to any device in the world. Movies, TV shows, ebooks, audiobooks, music, it doesn't matter. Anything I want, it's fully automated from start to finish. I don't even pirate anymore, because I'm not a peasant like you and I've got robot underlings to take care of shit like that for me.


Well according to the OP, its more like you press a button and your "robot underlings" download some random semi-related documentary.

Honestly you might just wanna hit up the public library and ask if they got it at this point.

Now, are we done stroking our own cocks, or do you want to swagger around some more like a teenager who hasn't gotten their braces off?


The real difference between us is that I got a dick to swing about, all you got is air and sockpuppet alts to do your downvotes for you.

Questa voce è stata modificata (1 mese fa)
in reply to LainTrain

The real difference between us is that I got a dick to swing about


Swagger around some more it is, I guess. Well kid, you can take care of that yourself, I think your last reply getting nearly everything you wrote about Usenet wrong does enough damage to you, that you don't even need me anymore. I'll leave you and my "sockpuppets" in peace.

in reply to LainTrain

Usenet piracy is OG lol, goes back way longer than BitTorrent. And half the point of Radarr is to share it with your family so you don't have to teach everyone piracy, you just give them overseerr access and they literally point and click to get movies to show up on your plex or jellyfin. Just set up a VPN like wireguard on your publicly reachable server to get a secure connection between your home server or NAS and your users without exposing your piracy infra to the internet.
in reply to boonhet

Usenet piracy is OG lol, goes back way longer than BitTorrent.


Yes like I said, "90s megaupload".
Or like I also said - "Warez graveyard".
Learn 2 read. Yawn.

Questa voce è stata modificata (1 mese fa)
in reply to LainTrain

So just because you don't understand it, you must mock it and think you're hot shit lmao
in reply to boonhet

well, if he thinks he's hot shit, I'm not going to argue with him lol
in reply to LainTrain

Mate you come off as a dick here. Just thought you'd wanna know
in reply to kasuaaliucceli

No I don't want to know, and I don't care, and the guy I'm replying to is way more of a dick than me anyway, as he should be, as is his natural right and as we all should be - but he also should be downvoted to oblivion for spreading literal misinformation, like actual obvious falsehoods - like "bittorrent doesn't protect against anything" which is something he said. But he isn't. Because ig the vast majority of this community is actually retarded.

Honestly y'all deserve each other.

Questa voce è stata modificata (1 mese fa)
in reply to LainTrain

nothing could beat the feeling of finally going from 56k to t1 at university, spending a week downloading shrek, and then discovering that it not even the right one.
in reply to Fair Fairy

You're not doing something wrong, per se, but you're also not doing something right. You should set up Radarr according to the TRaSH guides. This way Radarr will score releases and grab the best out of what it can find, instead of just grabbing whatever it finds first. If you don't set up Radarr to score releases, you might as well be doing it manually because you'll get better results.

Looks like you use NZBgeek. Try one of the top results here, looks like they are the real thing, judging from the comments on the NZBs.