Salta al contenuto principale



Yo La Tengo - Fade (2013)


Di tanto in tanto capita di ascoltare un album di cui non si ha voglia di parlare temendo un confronto tra di esso e le proprie parole. Questo succede quando un disco comunica qualcosa non appena comincia a suonare e subito uno si sente partecipe delle emozioni dell'artista e gli regala candidamente le proprie, e anche dopo aver ascoltato un solo brano hai la certezza che tutto il resto sarà buono... Leggi e ascolta...


Yo La Tengo - Fade (201


immagine

Di tanto in tanto capita di ascoltare un album di cui non si ha voglia di parlare temendo un confronto tra di esso e le proprie parole. Questo succede quando un disco comunica qualcosa non appena comincia a suonare e subito uno si sente partecipe delle emozioni dell'artista e gli regala candidamente le proprie, e anche dopo aver ascoltato un solo brano hai la certezza che tutto il resto sarà buono. Questo è uno di questi... artesuono.blogspot.com/2014/10…


Ascolta: album.link/i/1589234541


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


Questa voce è stata modificata (1 mese fa)


Protest footage blocked as online safety act comes into force


Hackernews.
Questa voce è stata modificata (1 mese fa)


How I hacked my washing machine


Questa voce è stata modificata (1 mese fa)




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 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 sandwich.make(bathing_in_bismuth)

I've seen their videos. I feel bad for the kids. Not the wife. She's there with him for the same stupid reasons. The kids are obviously suffering, especially the oldest.
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.



Disposable E-Cigarettes More Toxic Than Traditional Cigarettes: High Levels of Lead, Other Hazardous Metals Found in E-Cigarettes Popular with Teens


They may look like travel shampoo bottles and smell like bubblegum, but after a few hundred puffs, some disposable, electronic cigarettes and vape pods release higher amounts of toxic metals than older e-cigarettes and traditional cigarettes, according to a study from the University of California, Davis. For example, one of the disposable e-cigarettes studied released more lead during a day’s use than nearly 20 packs of traditional cigarettes.
Questa voce è stata modificata (1 mese fa)
in reply to SoftestSapphic

I can’t fathom how they’re legal. Disposable e cigarettes? The waste is insane, and the people using then aren’t properly disposing of them either..
in reply to Grizzlyboy

This. So much effort being put into regulating zero-waste bags and attached bottle cups yet those vapes fly under the radar


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)


Allentown grandfather’s family was told he died in ICE custody. Then they learned he’s alive — in a hospital in Guatemala, they say


The Eighth Amendment to the United States Constitution states: “Excessive bail shall not be required, nor excessive fines imposed, nor cruel and unusual punishments inflicted.”

Unconstitutional actions ordered by the POTUS. Are we ready to impeach yet?

https://www.mcall.com/2025/07/18/luis-leon-allentown-grandfather-ice-guatemala/

in reply to kalkulat

The man was granted asylum! He’s 82 god damn years old!

I would love to see a popular uprising where we string up the thugs that are snatching people off the streets. They don’t need unnecessary things like “lawyers” or “trials”. A can of gas and a match are pretty cheap. So is rope.



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)


Nvidia plans to boost presence in Israel with multibillion-dollar tech campus in north


Nvidia is actively seeking land to build a massive multibillion-dollar tech campus in Israel’s north, which is expected to provide thousands of jobs in what promises to be a major expansion of the US chip giant’s operations in the country.

The computing juggernaut announced on Sunday that it had issued a so-called request for information (RFI) tender to locate a plot of land spanning 70 to 120 dunams (30 acres) with construction rights to build a campus of 80,000–180,000 square meters. Nvidia is interested in buying land with “high accessibility to main traffic arteries and public transportation” around Zichron Yaakov, Haifa, and the Jezreel Valley areas. The tech titan has hired real estate consulting firm Colliers for the search and has set July 23 as the deadline for submissions.

https://www.timesofisrael.com/nvidia-plans-to-boost-presence-in-israel-with-massive-tech-campus-in-north/



Premio musicale aulla