La FestAssemblea di Articolo 21: a Roma il 23 Giugno contro guerre e bavagli
@Giornalismo e disordine informativo
articolo21.org/2025/06/la-fest…
Informare per resistere. Resistere per informare. Siamo pronti per la nostra FestAssemblea che quest’anno, volutamente, per una precisa scelta del
Giornalismo e disordine informativo reshared this.
This Week in Security: That Time I Caused a 9.5 CVE, iOS Spyware, and The Day the Internet Went Down
Meshtastic just released an eye-watering 9.5 CVSS CVE, warning about public/private keys being re-used among devices. And I’m the one that wrote the code. Not to mention, I triaged and fixed it. And I’m part of Meshtastic Solutions, the company associated with the project. This is is the story of how we got here, and a bit of perspective.
First things first, what kind of keys are we talking about, and what does Meshtastic use them for? These are X25519 keys, used specifically for encrypting and authenticating Direct Messages (DMs), as well as optionally for authorizing remote administration actions. It is, by the way, this remote administration scenario using a compromised key, that leads to such a high CVSS rating. Before version 2.5 of Meshtastic, the only cryptography in place was simple AES-CTR encryption using shared symmetric keys, still in use for multi-user channels. The problem was that DMs were also encrypted with this channel key, and just sent with the “to” field populated. Anyone with the channel key could read the DM.
I re-worked an old pull request that generated X25519 keys on boot, using the rweather/crypto library. This sentence highlights two separate problems, that both can lead to unintentional key re-use. First, the keys are generated at first boot. I was made painfully aware that this was a weakness, when a user sent an email to the project warning us that he had purchased two devices, and they had matching keys out of the box. When the vendor had manufactured this device, they flashed Meshtastic on one device, let it boot up once, and then use a debugger to copy off a “golden image” of the flash. Then every other device in that particular manufacturing run was flashed with this golden image — containing same private key. sigh
There’s a second possible cause for duplicated keys, discovered while triaging the golden image issue. On the Arduino platform, it’s reasonably common to use the random()
function to generate a pseudo-random value, and the Meshtastic firmware is careful to manage the random seed and the random()
function so it produces properly unpredictable values. The crypto
library is solid code, but it doesn’t call random()
. On ESP32 targets, it does call the esp_random()
function, but on a target like the NRF52, there isn’t a call to any hardware randomness sources. This puts such a device in the precarious position of relying on a call to micros()
for its randomness source. While non-ideal, this is made disastrous by the fact that the randomness pool is being called automatically on first boot, leading to significantly lower entropy in the generated keys.
Release 2.6.11 of the Meshtastic firmware fixes both of these issues. First, by delaying key generation until the user selects the LoRa region. This makes it much harder for vendors to accidentally ship devices with duplicated keys. It gives users an easy way to check, just make sure the private key is blank when you receive the device. And since the device is waiting for the user to set the region, the micros()
clock is a much better source of randomness. And second, by mixing in the results of random()
and the burnt-in hardware ID, we ensure that the crypto library’s randomness pool is seeded with some unique, unpredictable values.
The reality is that IoT devices without dedicated cryptography chips will always struggle to produce high quality randomness. If you really need secure Meshtastic keys, you should generate them on a platform with better randomness guarantees. The openssl binary on a modern Linux or Mac machine would be a decent choice, and the Meshtastic private key can be generated using openssl genpkey -algorithm x25519 -outform DER | tail -c32 | base64
.
What’s Up with SVGs?
You may have tried to share a Scalable Vector Graphics (SVG) on a platform like Discord, and been surprised to see an obtuse text document rather than your snazzy logo. Browsers can display SVGs, so why do many web platforms refuse to render them? I’ve quipped that it’s because SVGs are Turing complete, which is almost literally true. But in reality it’s because SVGs can include inline HTML and JavaScript. IBM’s X-Force has the inside scoop on the use of SVG files in fishing campaigns. The key here is that JavaScript and data inside an SVG can often go undetected by security solutions.
The attack chain that X-Force highlights is convoluted, with the SVG containing a link offering a PDF download. Clicking this actually downloads a ZIP containing a JS file, which when run, downloads and attempts to execute a JAR file. This may seem ridiculous, but it’s all intended to defeat a somewhat sophisticated corporate security system, so an inattentive user will click through all the files in order to get the day’s work done. And apparently this tactic works.
*OS Spyware
Apple published updates to its entire line back in February, fixing a pair of vulnerabilities that were being used in sophisticated targeted attacks. CVE-2025-43200 was “a logic issue” that could be exploited by malicious images or videos sent in iCloud links. CVE-2025-24200 was a flaw in USB Restricted Mode, that allowed that mode to be disabled with physical access to a device.
What’s newsworthy about these vulnerabilities is that Citizen Lab has published a report that CVE-2025-43200 was used in a 0-day exploitation of journalists by the Paragon Graphite spyware. It is slightly odd that Apple credits the other fixed vulnerability, CVE-2025-24200, to Bill Marczak, a Citizen Lab researcher and co-author of this report. Perhaps there is another shoe yet to drop.
Regardless, iOS infections have been found on the phones of two separate European Journalists, with a third confirmed targeted. It’s unclear what customer contracted Paragon to spy on these journalists, and what the impetus was for doing so. Companies like Paragon, NSO Group, and others operate within a legal grey area, taking actions that would normally be criminal, but under the authority of governments.
A for Anonymous, B for Backdoor
WatchTowr has a less-snarky-than-usual treatment of a chain of problems in the Sitecore Experience that take an unauthenticated attacker all the way to Remote Code Execution (RCE). The initial issue here is the pre-configured user accounts, like default\Anonymous
, used to represent unauthenticated users, and sitecore\ServicesAPI
, used for internal actions. Those special accounts do have password hashes. Surely there isn’t some insanely weak password set for one of those users, right? Right? The password for ServicesAPI
is b
.
ServicesAPI
is interesting, but trying the easy approach of just logging in with that user on the web interface fails with a unique error message, that this user does not have access to the system. Someone knew this could be a problem, and added logic to prevent this user from being used for general system access, by checking which database the current handler is attached to. Is there an endpoint that connects to a different database? Naturally. Here it’s the administrative web login, that has no database attached. The ServicesAPI
user can log in here! Good news is that it can’t do anything, as this user isn’t an admin. But the login does work, and does result in a valid session cookie, which does allow for other actions.
There are several approaches the WatchTowr researchers tried, in order to get RCE from the user account. They narrowed in on a file upload action that was available to them, noting that they could upload a zip file, and it would be automatically extracted. There were no checks for path traversal, so it seems like an easy win. Except Sitecore doesn’t necessarily have a standard install location, so this approach has to guess at the right path traversal steps to use. The key is that there is just a little bit of filename mangling that can be induced, where a backslash gets replaced with an underscore. This allows a /\/
in the path traversal path to become /_/
, a special sequence that represents the webroot directory. And we have RCE. These vulnerabilities have been patched, but there were more discovered in this research, that are still to be revealed.
The Day the Internet Went Down
OK, that may be overselling it just a little bit. But Google Cloud had an eight hour event on the 12th, and the repercussions were wide, including taking down parts of Cloudflare for part of that time on the same day.
Google’s downtime was caused by bad code that was pushed to production with insufficient testing, and that lacked error handling. It was intended to be a quota policy check. A separate policy change was rolled out globally, that had unintentional blank fields. These blank fields hit the new code, and triggered null pointer de-references all around the globe all at once. An emergency fix was deployed within an hour, but the problem was large enough to have quite a long tail.
Cloudflare’s issue was connected to their Workers KV service, a Key-Value store that is used in many of Cloudflare’s other products. Workers KV is intended to be “coreless”, meaning a cascading failure should be impossible. The reality is that Workers KV still uses a third-party service as the bootstrap for that live data, and Google Cloud is part of that core. When Google’s cloud starting having problems, so did Cloudflare, and much of the rest of the Internet.
I can’t help but worry just a bit about the possible scenario, where Google relies on an outside service, that itself relies on Cloudflare. In the realm of the power grid, we sometimes hear about the cold start scenario, where everything is powered down. It seems like there is a real danger of a cold start scenario for the Internet, where multiple giant interdependent cloud vendors are all down at the same time.
Bits and Bytes
Fault injection is still an interesting research topic, particularly for embedded targets. [Maurizio Agazzini] from HN Security is doing work on voltage injection against an ESP32 V3 target, with the aim of coercing the processor to jump over an instruction and interpret a CRC32 code as an instruction pointer. It’s not easy, but he managed 1.5% success rate at bypassing secure boot with the voltage injection approach.
Intentional jitter is used in many exploitation tools, as a way to disguise what might otherwise be tell-tale traffic patterns. But Varonis Threat Labs has produced Jitter-Trap, a tool that looks for the Jitter, and attempts to identify the exploitation framework in use from the timing information.
We’ve talked a few times about vibe researching, but [Craig Young] is only tipping his toes in here. He used an LLM to find a published vulnerability, and then analyzed it himself. Turns out that the GIMP despeckle plugin doesn’t do bounds checking for very large images. Back again to an LLM, to get a Python script to generate such a file. It does indeed crash GIMP when trying to despeckle, confirming the vulnerability report, and demonstrating that there really are good ways to use LLMs while doing security research.
Test di conformità per applicazioni di AI: così si tutela la privacy
@Informatica (Italy e non Italy 😁)
Il progetto, ribattezzato InfoAICert, ha l’obiettivo di garantire la sicurezza e l’affidabilità dell’AI, il rispetto della privacy e la tutela dei diritti fondamentali dei cittadini europei. Ecco i punti cardine
L'articolo Test di conformità per applicazioni di
Informatica (Italy e non Italy 😁) reshared this.
Israele-Iran: cyber conflitto e Guerra 4.0. Altro che consapevolezza: è il tempo del fare
@Informatica (Italy e non Italy 😁)
Chi continua a parlare di consapevolezza, mentre là fuori infuria una guerra digitale, o non ha capito niente, o sta semplicemente prendendo tempo. E il tempo, in questo gioco, è un lusso che non ci possiamo più
Informatica (Italy e non Italy 😁) reshared this.
Rai: Ranucci “Tagli puntate ‘Report’? sarebbe irrispettoso per squadra e pubblico”
@Giornalismo e disordine informativo
articolo21.org/2025/06/rai-ran…
Se fossero confermati i tagli a “Report” sarebbe l’ennesima dimostrazione di disprezzo nei confronti di una squadra che non solo è stata
Giornalismo e disordine informativo reshared this.
Gaza, attacchi israeliani su chi cerca del cibo
@Notizie dall'Italia e dal mondo
Chi parte per un sacco di farina rischia di non tornare: i soldati israeliani sparano anche sui civili in cerca di cibo, mentre il numero delle vittime a Gaza continua a salire tra bombardamenti, tende colpite e corpi lasciati a terra.
L'articolo Gaza, attacchi israeliani su chi cerca del cibo proviene da
Notizie dall'Italia e dal mondo reshared this.
Panama, scioperi e repressione nel silenzio delle istituzioni internazionali
@Notizie dall'Italia e dal mondo
Contadini, operai e sindacati in lotta contro privatizzazioni e ingerenze straniere: mentre Panama esplode, l’Europa e le istituzioni internazionali voltano lo sguardo altrove.
L'articolo Panama, scioperi e repressione nel silenzio delle istituzioni
Notizie dall'Italia e dal mondo reshared this.
L' atomica del vicino è sempre più...
Di scuse per attaccare l'Iran, Israele ne ha iosa.
Certo è che la popolazione sotto il regime non se ne gioverà più di tanto.
Ma a Netanyahu non interessa.
Dal Blog.
La nostra indagine sui dispositivi protesici è stata consegnata alla Commissione LEA del Ministero della Sanità
L’Associazione Luca Coscioni ha inviato alla Commissione nazionale LEA del Ministero della Salute un documento contenente i risultati di un’indagine pubblica svolta per segnalare le gravi criticità nell’accesso agli ausili destinati alle persone con disabilità grave e complessa, come previsto dall’art. 30-bis della Legge n. 96/2017. L’obbligo di consultazione con le associazioni che si occupano di disabilità è stato imposto al Ministero a seguito della Class Action promossa dall’Associazione Luca Coscioni, vinta al Tar, impugnata dal Governo, e confermata dal Consiglio di Stato.
L’indagine, che ha raccolto oltre 300 testimonianze, di cui 234 utilizzate per l’analisi, ha evidenziato ritardi, contributi economici imposti agli utenti, scarsa personalizzazione, difficoltà di riparazione, qualità inadeguata e mancanza di libertà nella scelta dei fornitori. Gli ausili più critici risultano essere carrozzine elettroniche con seduta o comandi speciali, carrozzine ad autospinta superleggere e sistemi posturali complessi.
«Le evidenze raccolte – dichiara Rocco Berardo, Coordinatore delle iniziative per i diritti delle persone con disabilità dell’Associazione Luca Coscioni – confermano che le procedure ad evidenza pubblica, adottate per la fornitura di ausili, stanno penalizzando le persone con disabilità più complesse. Tempi di attesa insostenibili, costi aggiuntivi a carico delle famiglie e l’impossibilità di ricevere ausili realmente personalizzati stanno vanificando il diritto all’assistenza protesica sancito nei LEA. È indispensabile che gli ausili più critici vengano inseriti nell’elenco 1 dell’allegato 5 del DPCM 12 gennaio 2017, e che venga garantita concretamente la possibilità di personalizzazione e riparazione, come previsto dalla normativa. Le persone con disabilità non possono più essere lasciate sole a pagare il prezzo dell’inefficienza del sistema.»
L’Associazione Luca Coscioni continuerà a monitorare l’attuazione dei diritti delle persone con disabilità e chiede un intervento urgente per garantire un sistema equo, efficace e rispettoso della dignità di ogni individuo.
L'articolo La nostra indagine sui dispositivi protesici è stata consegnata alla Commissione LEA del Ministero della Sanità proviene da Associazione Luca Coscioni.
Il Consiglio regionale dell’Abruzzo boccia “Liberi Subito”
Filomena Gallo e Marco Cappato commentano: “Dalla maggioranza un atto di irresponsabilità. La competenza regionale è applicata in Toscana, dove la legge è operativa”
“Il Consiglio regionale dell’Abruzzo si è dichiarato incompetente a normare ciò che il Servizio sanitario regionale già è obbligato a fare: dare risposta a chi chiede di essere aiutato a morire. La decisione presa dalla maggioranza è un atto di irresponsabilità nei confronti delle persone malate e dei medici, privati di ogni garanzia sui tempi e sulle modalità per chiedere e ottenere l’aiuto alla morte volontaria. La competenza regionale è stata correttamente applicata dalla Regione Toscana, la cui norma è perfettamente operativa, pur essendo stata impugnata dal Governo.
La questione continuerà a gravare anche sul Servizio sanitario abruzzese, che ha comunque il dovere di rispettare la sentenza “Cappato-Dj Fabo” della Corte costituzionale intervenendo “prontamente” come stabilito dalla stessa Corte nel 2024. Un “dovere” dimostrato anche dalle numerose condanne subite dalle Asl che si sono rifiutate di farlo.
L’assenza di scadenze definite per legge determina lunghi tempi di attesa, come i 2 anni attesi da Federico Carboni e Laura Santi.
Come Associazione Luca Coscioni continueremo ad aiutare le persone che lo chiederanno a far valere i loro diritti, a denunciare nei tribunali i ritardi nelle risposte del Servizio sanitario e ad aiutare anche materialmente chi ne ha diritto a ottenere l’autosomministrazione del farmaco per il “suicidio assistito” anche in Abruzzo.
Ringraziamo le 8.119 persone che hanno reso possibile, con la loro firma, il dibattito sulla legge regionale “Liberi Subito” e tutte le Consigliere e Consiglieri regionali che non hanno nascosto la testa sotto la sabbia e che erano pronti a esprimersi nel merito”.
L'articolo Il Consiglio regionale dell’Abruzzo boccia “Liberi Subito” proviene da Associazione Luca Coscioni.
Filomena Gallo partecipa al convegno “Democrazia e partecipazione sul tema del fine vita: l’esperienza francese”
L’avvocata Filomena Gallo, Segretaria nazionale dell’Associazione Luca Coscioni, partecipa in qualità di relatrice al convegno Democrazia e partecipazione sul tema del fine vita: l’esperienza francese, organizzato su iniziativa della Vicepresidente del Senato, Mariolina Castellone.
L’appuntamento è per martedì 24 giugno 2025, dalle ore 14:00 alle ore 15:30, presso la Sala Nassirya del Senato della Repubblica, in Piazza Madama 11 a Roma. Sarà, comunque, possibile seguire la diretta sei lavori anche sulla TV del Senatoe sulla pagina Facebook della senatrice Mariolina Castellone.
Oltre a Filomena Gallo interverranno i membri della Convenzione cittadina sul fine vita Bintou Mariko e Marc-Olivier Strauss-Khan, l’avvocata Giovanna Marsico, Direttrice del Centro nazionale francese del fine vita e delle cure palliative, Christèle Gautier, già consigliera di Gabinetto delle ministre Agnes Firmin le Bodo e Catherine Vautrin, le senatrici Anna Bilotti, membro del Comitato ristretto sul fine vita, e Alessandra Maiorino, Vicepresidente vicaria del Gruppo del Movimento 5 Stelle. Introduce la senatrice Mariolina Castellone, vicepresidente del Senato, modera la giornalista Valentina Petrini.
Informazioni utili
L’accesso in sala – con abbigliamento consono e per gli uomini con l’obbligo di giacca e cravatta – è consentito fino al raggiungimento della capienza massima. In caso di esaurimento posti in presenza, la conferenza potrà essere seguita in streaming sui canali ufficiali.
Gli ospiti e i giornalisti devono accreditarsi scrivendo a: mariadomenica.castellone@senato.it
Le opinioni e i contenuti espressi nell’ambito dell’iniziativa sono nell’esclusiva responsabilità dei proponenti e dei relatori e non sono riconducibili in alcun modo al Senato della Repubblica o ad organi del Senato medesimo.
L'articolo Filomena Gallo partecipa al convegno “Democrazia e partecipazione sul tema del fine vita: l’esperienza francese” proviene da Associazione Luca Coscioni.
Oltre l’Iss. Cosa significa l’accordo tra Thales Alenia Space e Blue origin
@Notizie dall'Italia e dal mondo
In un contesto in cui l’attuale Stazione Spaziale Internazionale (Iss) si avvicina alla fine della sua operatività prevista per il 2030, l’Agenzia spaziale europea (Esa) muove un passo strategico verso la futura infrastruttura orbitale. Durante il Salone aeronautico di Parigi, Esa ha
Notizie dall'Italia e dal mondo reshared this.
16 miliardi di password esposte: no, non è il più grande data breach della storia. Ecco perché
@Informatica (Italy e non Italy 😁)
La presunta "madre di tutte le violazioni" con 16 miliardi di credenziali non è un nuovo data breach, ma una raccolta di password già compromesse da infostealer e precedenti violazioni. Analisi tecnica del fenomeno e
Informatica (Italy e non Italy 😁) reshared this.
VPN Android: quali scegliere e come configurarle per la massima privacy
@Informatica (Italy e non Italy 😁)
Le VPN su Android offrono sicurezza e privacy criptando il traffico e nascondendo l'IP. Si configurano facilmente tramite app dedicate o manualmente garantendo libertà di accesso a contenuti geo-limitati. Servizi come NordVPN, Surfshark
Informatica (Italy e non Italy 😁) reshared this.
Smantellare la Rai per evitare trasmissioni scomode
@Giornalismo e disordine informativo
articolo21.org/2025/06/smantel…
Come era quella che la destra vuole aprire un confronto sulla nuova legge per la Rai? Possibile mai che ci sia sempre qualche allocco che cada nella trappola? La destra ha già chiuso il Parlamento, oltre cento i voti di
Giornalismo e disordine informativo reshared this.
Dalla dipendenza alla leadership: l’UE ha bisogno di competenze digitali sovrane per raggiungere l’autonomia tecnologica
L'articolo proviene da #Euractiv Italia ed è stato ricondiviso sulla comunità Lemmy @Intelligenza Artificiale
La dipendenza dell’Europa da infrastrutture digitali di proprietà
Intelligenza Artificiale reshared this.
Spazio e satelliti, Leonardo punta sull’Europa. Goodbye Usa?
@Notizie dall'Italia e dal mondo
Qualcosa si muove nello spazio europeo. O, almeno, ci prova. Non sono passate inosservate in questi mesi le esternazioni di Roberto Cingolani, amministratore delegato di Leonardo, riguardo la necessità impellente di una nuova formula politica e industriale per rilanciare le ambizioni
Notizie dall'Italia e dal mondo reshared this.
Russia, spettro recessione. Se ad ammetterlo è il Cremlino, la crisi è nera
@Politica interna, europea e internazionale
In un regime in cui l’informazione è rigorosamente centralizzata e vagliata, se a riportare dati allarmanti sono persino i membri del Governo è indizio di un quadro ben più tetro delle aspettative. La crisi dell’economia di guerra russa, infatti, si acuisce
Politica interna, europea e internazionale reshared this.
Ucraina. Ministro fugge all’estero
@Notizie dall'Italia e dal mondo
Il Ministro per l'Unità Nazionale dell'Ucraina non è rientrato in patria dopo un viaggio in Austria
L'articolo Ucraina. Ministro fugge all’estero proviene da Pagine Esteri.
Notizie dall'Italia e dal mondo reshared this.
Tra Usa e Cina è scontro anche sui computer per il mining di criptovalute
L'articolo proviene da #StartMag e viene ricondiviso sulla comunità Lemmy @Informatica (Italy e non Italy 😁)
Trump vuole potenziare l'industria americana delle criptovalute, ma i principali produttori di computer per il "mining" sono cinesi. Il settore, dunque, startmag.it/innovazione/cina-c…
Informatica (Italy e non Italy 😁) reshared this.
Tra deterrenza e diplomazia, la sfida mediorientale al sistema internazionale. L’analisi di Volpi
@Notizie dall'Italia e dal mondo
Nel cuore del Medio Oriente, Israele vive oggi un passaggio tra i più tesi e incerti della sua storia recente. Un conflitto senza tregua, una leadership forte ma contestata, una democrazia che funziona in stato d’eccezione, dove la prospettiva di nuove elezioni sembra accantonata in nome
Notizie dall'Italia e dal mondo reshared this.
Moderation gone wild: Instagram sperrt Accounts politischer Organisationen
Заявление Пиратского интернационала об эскалации конфликта на Ближнем Востоке
Пиратская партия России, являясь партией-основательницей и неотъемлемой частью международного пиратского движения, публикует заявление пиратского интернационала об эскалации конфликта на Ближнем Востоке.
Мы в Пиратском интернационале с глубокой обеспокоенностью наблюдаем за последней эскалацией между Израилем и Ираном. Израиль заявляет, что нанёс упреждающие удары по ядерным и военным объектам Ирана. Однако режим Нетаньяху уже ведет разрушительную войну в Газе, и его военные действия, похоже, продиктованы в большей степени политическим выживанием и стремлением укрепить своё наследие, чем реальной безопасностью. Международное сообщество вправе требовать четких доказательств и прозрачности в отношении этих атак.
С другой стороны, режим Хаменеи в Иране также правит жестоко. Иран продолжает наносить удары по гражданским объектам, намеренно выбирая цели, далёкие от законных военных объектов. Иранскому режиму необходимо немедленно прекратить разработку ядерного оружия, поддержку терроризма против еврейских общин и поставки вооружения таким группировкам, как хуситы в Йемене и «Хезболла» в Ливане.
Пиратский интернационал подчёркивает, что дипломатические решения должны иметь приоритет над военной агрессией. Мы глубоко обеспокоены конфликтом, который угрожает миллионам невинных жизней, создаёт риск серьёзных ядерных инцидентов и становится всё более непредсказуемым. Общественность справедливо опасается, что ядерные арсеналы уже могут быть задействованы, ставя под угрозу мирных жителей, которые не могут полагаться исключительно на системы ПВО и бомбоубежища.
Мы однозначно призываем к немедленному прекращению огня.
Наше движение объединяет людей по всему миру, включая членов Пиратской партии в Израиле, сочувствующих в Иране и многих выходцев из Ирана, живущих в изгнании. По-настоящему отрадно, что наши израильские и иранские коллеги конструктивно обсуждают этот кризис, открыто исследуя пути к миру. Мы лишь можем пожелать, чтобы политические лидеры, укоренившиеся в обоих правительствах, проявили такую же мудрость и человечность.
Мы выступаем за большую свободу, прозрачность и права человека для всех пострадавших народов. Мы настоятельно призываем к возобновлению диалога на уровне гражданского общества и открытию каналов связи между жителями Израиля и Ирана, которых объединяет общий интерес к миру и согласию. Прошлые попытки объединить эти сообщества напоминают нам, что солидарность и взаимопонимание достижимы.
Мы призываем все стороны ставить жизнь мирных жителей выше любых политических амбиций. Пиратский интернационал твёрдо выступает за мир, прозрачность и силу людей, а не режимов.
Оригинал на английском: pp-international.net/2025/06/i…
Сообщение Заявление Пиратского интернационала об эскалации конфликта на Ближнем Востоке появились сначала на Пиратская партия России | PPRU.
Le vere ragioni dell’attacco israeliano
La campagna di bombardamenti sull’Iran è un tentativo disperato di Netanyahu di unire il mondo al fianco di Israele LeggiOri Goldberg (Internazionale)
freezonemagazine.com/articoli/…
Ci sono libri che arrivano come testamenti, altri come confessioni, altri ancora come richieste di ascolto. Me la sono andata a cercare di Giuliana Sgrena appartiene a tutte queste categorie insieme, ma ne supera i confini. È un libro che non si limita a raccontare una vita in prima linea: è il
La situazione incendiaria dei powebank Anker
L'articolo proviene da #StartMag e viene ricondiviso sulla comunità Lemmy @Informatica (Italy e non Italy 😁)
Anker ha avviato una maxi campagna di richiamo per un milione di powerbank PowerCore 10000. L'azienda sta gestendo altri tre richiami per altrettanti device. E startmag.it/innovazione/la-sit…
reshared this
Lo scandalo Paragon si allarga a macchia d’olio (di ricino, secondo Dagospia)
@Giornalismo e disordine informativo
articolo21.org/2025/06/lo-scan…
Forse qualcuno si sveglierà adesso che si è sparsa la notizia di Roberto D’Agostino, con il suo Dagospia, spiato con il sistema Paragon. Lo dico con
reshared this
L’amore ai tempi dell’Intelligenza Artificiale
@Giornalismo e disordine informativo
articolo21.org/2025/06/lamore-…
In un’epoca sempre più definita dagli algoritmi e dalla logica dell’utile, l’uscita della raccolta poetica La metrica dell’amore di Sandro Montanari (Pioda Imaging Edizioni, 2025) è un invito a riflettere sull’essenziale umano e su quel
Giornalismo e disordine informativo reshared this.
One event down. Join us on June 21st!
Thanks to everyone who helped map surveillance cameras in Harvard Square. We identified nearly 50 surveillance cameras between JFK Street, Mount Auburn Street, Bow Street and Massachusetts Avenue.
Join us this Saturday, June 21st, at the Boxborough Fifers Day. Tell us if you will help us at the table. It is a wonderful event that celebrates our Revolutionary War history.
#Iran, il dittatore va alla guerra
Iran, il dittatore va alla guerra
Praticamente tutto il mondo è in questi giorni con il fiato sospeso in attesa della decisione del presidente americano Trump se trascinare o meno gli Stati Uniti nella guerra di aggressione di Israele contro l’Iran.www.altrenotizie.org
Verso il summit dell’Aia. La Nato semplifica la macchina interna
@Notizie dall'Italia e dal mondo
In vista del summit che si terrà all’Aia il 24 e 25 giugno, la Nato ha avviato una riorganizzazione interna che prevede la soppressione di alcune divisioni e la riduzione di posizioni nel quartier generale di Bruxelles. L’operazione è parte di un piano di razionalizzazione delle attività
Notizie dall'Italia e dal mondo reshared this.
Iran: gli Stati Uniti sono pronti ad attaccare
@Notizie dall'Italia e dal mondo
Continuano gli scontri tra Iran e Israele. Netanyahu preme su Washington per partecipare all'aggressione militare ma Trump vuole decidere all'ultimo minuto
L'articolo Iran: gli Stati Uniti sono pronti ad attaccare proviene da Pagine Esteri.
Notizie dall'Italia e dal mondo reshared this.
Carbon Budget in esaurimento veloce...
Da una valutazione recente, il Carbon Budget restante, per poter contenere entro +1,5°C il riscaldamento globale, è di circa 130 miliardi di tonnellate di CO2 e verrebbe, a ritmi attuali, emesso in soli 3 anni.
😢😭 😤😡