the youtube save-a-fox lady yeeted.
sorry but you can't blame that on reddit. normal people don't give a shit what redditors say.

once the psychiatrists get their hooks in someone it's really hard to get out of that trap

dexerto.com/youtube/youtubes-s…

Reading NFC Passport Chips in Linux


shkspr.mobi/blog/2025/06/readi…

For boring and totally not nefarious reasons, I want to read all the data contained in my passport's NFC chip using Linux. After a long and annoying search, I settled on roeften's pypassport.

I can now read all the passport information, including biometrics.

Table of Contents

BackgroundRecreating the MRZPython code to generate an MRZCan you read a cancelled passport?Cryptography and other securityCan you brute-force a passport?Is it worth brute-forcing a password?InstallingGetting structured dataSaving the imageWhat didn't workmrtdreaderJean-Francois Houzard's and Olivier Roger's pyPassportbeaujean's pyPassportd-LogicAndroid readerIs it worth it?

Background


The NFC chip in a passport is protected by a password. The password is printed on the inside of the physical passport. As well as needing to be physically close to the passport for NFC to work0, you also need to be able to see the password. The password is printed in the "Machine Readable Zone" (MRZ) - which is why some border guards will swipe your passport through a reader before scanning the chip; they need the password and don't want to type it in.

I had a small problem though. I'm using my old passport1 which has been cancelled. Cancelling isn't just about revoking the document. It is also physically altered:

Cut off the bottom left hand corner of the personal details page, making sure you cut the MRZ on the corner opposite the photo.


So a chunk of the MRZ is missing! Oh no! Whatever can we do!?

Recreating the MRZ


The password is made up of three pieces of data:

  1. Passport Number (Letters and Numbers)
  2. Date of Birth (YYMMDD)
  3. Expiry Date (YYMMDD)

Each piece also has a checksum. This calculation is defined in Appendix A to Part 3 of Document 9303.

Oh, and there's a checksum for the entire string. It's this final checksum which is cut off when the passport cover is snipped.

The final password is: Number Number-checksum DOB DOB-checksum Expiry Expiry-checkum checksum-of-previous-digits

Python code to generate an MRZ


If you know the passport number, date of birth, and expiry date, you can generate your own Machine Readable Zone - this acts as the password for the NFC chip.
Python 3def calculateChecksum( value ): weighting = [7,3,1] characterWeight = { '0': 0, '1': 1, '2': 2, '3': 3, '4': 4, '5': 5, '6': 6, '7': 7, '8': 8, '9': 9, '<': 0, 'A':10, 'B':11, 'C':12, 'D':13, 'E':14, 'F':15, 'G':16, 'H':17, 'I':18, 'J':19, 'K':20, 'L':21, 'M':22, 'N':23, 'O':24, 'P':25, 'Q':26, 'R':27, 'S':28, 'T':29, 'U':30, 'V':31, 'W':32, 'X':33, 'Y':34, 'Z':35 } counter = 0 result = 0 for x in value: result += characterWeight[str(x)] * weighting[counter%3] counter += 1 return str(result%10)def calculateMRZ( passportNumber, DOB, expiry ): """ DOB and expiry are formatted as YYMMDD """ passportCheck = calculateChecksum( passportNumber ) DOBCheck = calculateChecksum( DOB ) expiryCheck = calculateChecksum( expiry ) mrzNumber = passportNumber + passportCheck + DOB + DOBCheck + expiry + expiryCheck mrzCheck = calculateChecksum( mrzNumber ).zfill(2) mrz = passportNumber + passportCheck + "XXX" + DOB + DOBCheck + "X" + expiry + expiryCheck + "<<<<<<<<<<<<<<" + mrzCheck return mrzprint( calculateMRZ("123456789", "841213", "220229") )

Can you read a cancelled passport?


I would have thought that cutting the cover of the passport would destroy the antenna inside it. But, going back to the UK guidance:

You must not cut the back cover on the ePassport


Ah! That's where the NFC chip is. I presume this is so that cancelled passports can still be verified for authenticity.

Cryptography and other security


The security is, thankfully, all fairly standard Public Key Cryptography - 9303 part 11 explains it in excruciating levels of detail.

One thing I found curious - because the chip has no timer, it cannot know how often it is being read. You could bombard it with thousands of password attempts and not get locked out. Indeed, the specification says:

the success probability of the attacker is given by the time the attacker has access to the IC, the duration of a single attempt to guess the password, and the entropy of the passport.


Can you brute-force a passport?


Wellllll… maybeeeee…?

Passports are generally valid for only 10 years. So that's 36,525 possible expiry dates.

Passport holders are generally under 100 years old. So that's 3,652,500 possible dates of birth.

That's already 133,407,562,500 attempts - and we haven't even got on to the 1E24 possible passport numbers!

In my experiments, sending an incorrect but valid MRZ results in the chip returning "Security status not satisfied (0x6982)" in a very short space of time. Usually less than a second.

But sending that incorrect attempt seemed to introduce a delay in the next response - by a few seconds. Sending the correct MRZ seemed to reset this and let the chip be read instantly.

So, if you knew the target's passport number and birthday, brute forcing the expiry date would take a couple of days. Not instant, but not impossible.

Most commercial NFC chips support 100,000 writes with no limit for the number of reads. Some also have a 24 bit read counter which increments after every read attempt. After 16 million reads, the counter doesn't increment. It could be possible for a chip to self-destruct after a specific number of reads - but I've no evidence that passport chips do that.

Is it worth brute-forcing a password?


If you were to brute-force the MRZ, you would discover the passport-holder's date of birth. You would also get:

  • A digital copy of their photo,
  • Their full name,
  • Their sex2,
  • The country which issued their passport, and
  • Their nationality.

All of that is something which you can see from looking at the passport. So there's little value in attempting to read it electronically.

Installing


As mentioned, I'm using github.com/roeften/pypassport

The only library I needed to install was pyasn1 using pip3 install pyasn1 - your setup may vary.

Download PyPassport. In the same directory, you can create a test Python file to see if the passport can be read. Here's what it needs to contain:
Python 3from pypassport import epassport, reader# Replace this MRZ with the one from your passportMRZ = "1234567897XXX8412139X2202299<<<<<<<<<<<<<<04"def trace(name, msg): if name == "EPassport": print(name + ": " + msg)r = reader.ReaderManager().waitForCard()ep = epassport.EPassport(r, MRZ)ep.register(trace)ep.readPassport()
Plug in your NFC reader, place your passport on it, run the above code. If it works, it will spit out a lot of debug information, including all the data it can find on the passport.

Getting structured data


The structure of the passport data is a little convoluted. The specification puts data into different "Data Groups" - each with its own ID.

By running:
Python 3ep.keys()
You can see which Data Groups are available. In my case, ['60', '61', '75', '77']

  • 60 is the common area which contains some metadata. Nothing interesting there.
  • 61 is DG1 - the full MRZ. This contains the holder's name, sex, nationality, etc.
  • 77 is the Document Security Object - this was empty for me.
  • 75 is DG2 to DG4 Biometric Templates - this contains the image and other metadata.

Dumping the biometrics - print( ep["75"] ) - gives these interesting pieces of metadata:
'83': '20190311201345','meta': { 'Expression': 'Unspecified', 'EyeColour' : 'Unspecified', 'FaceImageBlockLength': 19286, 'FaceImageType': 'Basic', 'FeatureMask': '000000', 'FeaturePoint': {0: {'FeaturePointCode': 'C1', 'FeatureType': '01', 'HorizontalPosition': 249, 'Reserved': '0000', 'VerticalPosition': 216}, 1: {'FeaturePointCode': 'C2', 'FeatureType': '01', 'HorizontalPosition': 141, 'Reserved': '0000', 'VerticalPosition': 214}}, 'Features': {}, 'Gender': 'Unspecified', 'HairColour': 'Unspecified', 'ImageColourSpace': 'RGB24', 'ImageDataType': 'JPEG', 'ImageDeviceType': 0, 'ImageHeight': 481, 'ImageQuality': 'Unspecified', 'ImageSourceType': 'Static Scan', 'ImageWidth': 385, 'LengthOfRecord': 19300, 'NumberOfFacialImages': 1, 'NumberOfFeaturePoint': 2, 'PoseAngle': '0600B5', 'PoseAngleUncertainty': '000000', 'VersionNumber': b'010' }
If I understand the testing document - the "Feature Points" are the middle of the eyes. Interesting to see that gender (not sex!) and hair colour are also able to be recorded. The "PoseAngle" represents the pitch, yaw, and roll of the face.

Saving the image


Passport images are saved either with JPEG or with JPEG2000 encoding. Given the extremely limited memory available photos are small and highly compressed. Mine was a mere 19KB.

To save the image, grab the bytes and plonk them onto disk:
Python 3photo = ep["75"]["A1"]["5F2E"]with open( "photo.jpg", "wb" ) as f: f.write( photo )
As expected, the "FeaturePoints" co-ordinates corresponded roughly to the centre of my eyes. Nifty!

What didn't work


I tried a few different tools. Listed here so you don't make the same mistakes as me!

mrtdreader


The venerable mrtdreader. My NFC device beeped, then mrtdreader said "No NFC device found."

I think this is because NFC Tools haven't been updated in ages.

Jean-Francois Houzard's and Olivier Roger's pyPassport


I looked at pyPassport but it is only available for Python 2.

beaujean's pyPassport


This pypassport only checks if a passport is resistant to specific security vulnerabilities.

d-Logic


Digital Logic's ePassport software only works with their hardware readers.

Android reader


tananaev's passport-reader - works perfectly on Android. So I knew my passport chip was readable - but the app won't run on Linux.

Is it worth it?


Yeah, I reckon so! Realistically, you aren't going to be able to crack the MRZ to read someone's passport. But if you need to gather personal information3, it's perfectly possible to do so quickly from a passport.

The MRZ is a Machine Readable Zone - so it is fairly simple to OCR the text and then pass that to your NFC reader.

And even if the MRZ is gone, you can reconstruct it from the data printed on the passport.

Of course, this won't be able to detect fraudulent passports. It doesn't check against a database to see if it has been revoked4. I don't think it will detect any cryptographic anomalies.

But if you just want to see what's on your travel documents, it works perfectly.


  1. There are some commercially available long range readers - up to 15cm! I've no doubt some clever engineer has made a some high-powered radio device which can read things from a mile away using a Pringle's tube. Of note, the ICAO guidance says:
    the unencrypted communication between a contactless IC and a reader can be eavesdropped within a distance of several metres.


    ↩︎

  2. I'm not dumb enough to do this stuff on a live passport! ↩︎
  3. Sex is complicated5. But ICAO allow for "F for female, M for male, or X for unspecified". ↩︎
  4. Under the auspices of GDPR, of course! ↩︎
  5. Nor does it check if the holder is on some Interpol list. ↩︎
  6. Stop giggling at the back! ↩︎


#CyberSecurity #hacking #linux #nfc #rfid

This entry was edited (2 months ago)

Warum kriegen wir kaum noch #Kinder in #Deutschland?


Anabel #Schunke und Philip #Hopf im Streitgespräch
#HKCM

youtu.be/bbEYWiBROEU

🚨Le vice-président américain Jay D. Vance : « La #Russie et la #Chine ne veulent pas que l'Iran se dote de l'arme nucléaire. » Il a ajouté que la prolifération nucléaire au Moyen-Orient serait « une catastrophe pour tous ».
Premièrement, la Russie et la Chine ne veulent aucune ingérence des #États-Unis dans leurs affaires intérieures, sous quelque forme que ce soit. Et tous ceux qui font des déclarations au nom de nos deux pays, mais sans mandat de leur part, feraient bien de commencer par là.
Par exemple, ne pas fournir de missiles meurtriers au régime terroriste de Kiev, ne pas militariser Taïwan, etc.
Deuxièmement, la Russie et la Chine s'expriment elles-mêmes : les déclarations correspondantes sur l'agression d'Israël et des États-Unis ont été publiées par les ministères des Affaires étrangères des deux pays.
Troisièmement, la Russie et la Chine estiment que l' #Iran (comme tout autre pays) peut et doit déterminer lui-même sa stratégie de développement de l'énergie #nucléaire conformément au droit international, en particulier au TNP, et que les autres États peuvent également fonder leur position à cet égard sur le droit international.
Quatrièmement, l'Iran a développé l'énergie nucléaire à des fins pacifiques, ce à quoi il a pleinement droit, et n'a pas fabriqué d'armes nucléaires, ce qui a été confirmé à plusieurs reprises tant par Téhéran que par l'AIEA.
Cinquièmement, un peu d'histoire. L'idée d'un #Moyen-Orient exempt d'armes nucléaires a peut-être été évoquée pour la toute première fois dans une déclaration de l'agence de presse soviétique, qui était alors la voix officielle de Moscou, le 22 janvier 1958 : « Le Proche et le Moyen-Orient doivent et peuvent devenir une zone de paix, où il n'y a pas et ne doit pas y avoir d'armes nucléaires et de missiles, une zone de bon voisinage et de coopération amicale entre les États ».
En 1974, l'Iran, qui subit aujourd'hui les frappes d' #Israël et des États-Unis, a lancé un débat sur ce sujet à l'Assemblée générale des Nations unies, qui s'est conclu par l'adoption de la résolution « Création d'une zone exempte d'armes nucléaires dans la région du Moyen-Orient ». 128 pays ont voté « pour », dont l'Union soviétique et les États-Unis. Israël s'est abstenu.
L'URSS/Russie s'est systématiquement prononcée en faveur de la création d'une zone exempte d'armes nucléaires au Moyen-Orient.
À l'heure actuelle, le seul État de la région à posséder l'arme nucléaire est Israël, qui ignore systématiquement les initiatives visant à créer une zone exempte d'armes nucléaires au Proche-Orient et qui, désormais, bombarde conjointement avec les États-Unis l'Iran, qui ne possède pas l'arme nucléaire.
Alors, que voulait dire M. #Vance ?
@BPARTISANS
in reply to New York Magazine

Victory? Don't drink your own cool-aid.

#Israel is almost out of weapons and if #Iran keeps pummeling for another week, Tel Aviv will soon look like #Gaza.

Israely Occupying Forces can only win a fight against civilians, killing children in #Gaza is their only "success" story.

The #USA basically tried to save face by pretending they did something (a very expensive hole on a mountain) to stop the war #terrorist #Netanyahu was losing.

@ecpoir@toot.io @NYMag@flipboard.com @intelligencer-NYMag@flipboard.com Yeah but #Israeli #war hawks in the #US will drag the US into the war and #Republicans will gladly answer their call because how else will the US #DefenseIndustrialComplex make money if the US is not at war? Over the course of our entire 249 year History the #UnitedStatesOfAmerica has entered or started a war on average every 20 years. It's 2025. #Iraq/ #Afghanistan was about 20 years ago. The timing is perfect. @israel@a.gup.pe @iran@a.gup.pe


Victory? Don't drink your own cool-aid.

#Israel is almost out of weapons and if #Iran keeps pummeling for another week, Tel Aviv will soon look like #Gaza.

Israely Occupying Forces can only win a fight against civilians, killing children in #Gaza is their only "success" story.

The #USA basically tried to save face by pretending they did something (a very expensive hole on a mountain) to stop the war #terrorist #Netanyahu was losing.


Pavel #Durov étrille les #médias français et #LeMonde

Dans un post #Telegram, Pavel Durov, fondateur de l’appli cryptée, a taclé sans ménagement la presse française. Après son arrestation controversée à Paris en août 2024, le patron de Telegram dénonce une campagne de dénigrement systématique – et Le Monde en tête. Analyse d’un règlement de comptes qui en dit long sur l’état de notre paysage médiatique.

Premier grief de Durov : son interview fleuve accordée à Tucker #Carlson, vue des millions de fois sur YouTube… mais passée à la trappe par tous les journaux français. « Aucune couverture », souligne-t-il, avec un émoji silence en guise de pied de nez. Étrange, pour un pays si prompt à s’indigner dès qu’un entrepreneur ose critiquer l’ordre établi. Oubli involontaire ? Plutôt une omission bien pratique, tant le récit de Durov – détaillant son interpellation ubuesque – dérange.


arretsurinfo.ch/pavel-durov-et…

📢 #FaggotTourney SEMIFINALS!

It is time for the Adam :madam: and CSB :csb: voters to come together in solidarity with the SRK voters and but this obnoxious faggot into the finals!

SRK will win if we accentuate the fact that him winning may actually trigger the biggest sperg-out thread in fedi history.

@SiRrogueKnight 🏳️‍🌈 vs. @jeffcliff

🥊 The homosexual pedophile that is obnoxious and unfunny vs Some guy, i guess

Vote here:

noauthority.social/@ceo_of_mon…

This entry was edited (2 months ago)

Do they have videos of Hannibal directive in action? Could be interesting to show it publicly.
mastodon.green/@pvonhellermann…


#Madleen #FreedomFlotilla has been interceoted by Israel. Of course. And:

Israel's defence minister says Madleen passengers will be shown video of 7 October attacks

Katz said he wanted them to “see exactly who the Hamas terrorist organization they came to support and for whom they work is, what atrocities they committed against women, the elderly, and children, and against whom Israel is fighting to defend itself.” 🤬

theguardian.com/world/live/202…


This entry was edited (2 months ago)
in reply to Proletarian Rage

But what can someone expect from a tool of CIA? todon.nl/@prolrage/11382553255…

“Russia confronts US betrayal in Israel–Iran war”

By Hazal Yalin in The Cradle

“Tel Aviv's defiance and Washington's duplicity have shattered every last bit of Moscow's illusions of diplomacy, forcing the Kremlin to reckon with the collapse of its balancing act in West Asia – and even Ukraine”

thecradle.co/articles/russia-c…

#Press #Israel #US #UK #Iran #War #Attack #Netanyahu #Trump #Duplicity #Russia #Putin #Ukraine #RegionalWar

Roots Analysis: Expertise Across Diverse Industries


Who Is Roots Analysis?

Roots Analysis is a well known and credible player in market research and consulting services domain globally. Roots Analysis covers Healthcare, Pharmaceutical, Biotech, Semiconductors, Chemicals and ICT industry. Their aim is to provide well-researched, and unbiased insights related to various market opportunities and verticals spearheading the current industrial landscape. Their research stems from intensive analysis, covering an enormous range of key parameters, aiming to provide their clients with the most accurate and well-informed insights.

What makes Roots Analysis different in the market research and competitive intelligence domain is their unwavering focus quality of the research, completeness of the research, relentless improvement in the analytical modules which the team is consistently innovating. Each of their reports is meticulously drafted so as to provide readers with a well-formed and researched viewpoint on the topic.

Alongside their large repertoire of off-the-shelf / ready to buy and consume reports, Roots Analysis also provide customized research and consulting solutions, designed to cater to the individual needs of their international clients.

What is the Expertise of Roots Analysis? What industries are covered by Roots Analysis?

Roots Analysis leaves a mark with its extensive industry scope as well as the ability to remain up to date with the ever-changing demands of contemporary business. They provide adequate attention and well-versed services to every vertical they cater to. This enables them to offer bespoke research and consulting solutions for both established as well as emerging industries.

Whether their clients are from pharma background or are venturing into advanced areas, including semiconductors and digital technologies, they strive to provide the same depth of dedication, quality, and understanding. This adaptability establishes Roots Analysis as a dependable ally for organizations that are dealing with complex, fast-evolving markets.

Key Verticals and Domains of Expertise


  • Healthcare and Pharmaceuticals

Roots Analysis is a reliable market research firm in healthcare and pharmaceuticals, delivering drug development pipeline, biosimilars, regulatory landscapes, and commercialization models. Roots Analysis offers consulting services and reports assist clients to determine new growth opportunities and guide them through complex regulatory landscapes. Within this industry, Roots Analysis has published several market research reports across following areas:


  • Pharmaceutical and Biotech
  • Healthcare IT
  • Life Sciences and Bioprocessing
  • Medical Devices and Diagnostics
  • Semiconductors and Electronics

Roots Analysis offers comprehensive market insights on the semiconductor and electronics market, technology trends, supply chain dynamics, robotics and automation, and competitive landscape analysis. Reports by Roots Analysis enable clients to navigate the accelerated pace of chip design, production, and applications in diverse industries. Within this industry, Roots Analysis has published several market research reports across following areas:


  • Automation
  • Data Storage Solutions
  • Display Technologies
  • Electronic Devices
  • Energy Storage
  • Sensors & Controllers
  • Telecommunication
  • Chemicals and Materials

Roots Analysis provides in-depth research on the chemicals and materials industry, specialty chemicals, sustainability initiatives, regulation, and opportunities in emerging markets. Their analysis helps clients make smart product development, commercialization, and partnerships decisions. Within this industry, Roots Analysis has published several market research reports across following areas:


  • Adhesives and Sealants
  • Advanced Materials
  • Bulk and Inorganic Chemicals
  • Ceramics and Glass
  • Fibers and Composites
  • Functional Material
  • Green Bio-Chemicals
  • Metals and Alloys
  • Specialty Chemicals
  • Information and Communication Technology (ICT)

Roots Analysis provides insightful analysis of ICT trends, digital transformation, software solutions, and emerging technologies, including artificial intelligence, IoT, and blockchain. Their research enables organizations to leverage digital innovation for driving efficiency and growth. Within this industry, Roots Analysis has published several market research reports across following areas:


  • Artificial Intelligence (AI) and Machine Learning
  • Cloud Computing
  • Content Management
  • Infrastructure and Connectivity
  • Internet of Things (IoT)

Types of Topics and Services

Roots Analysis’ services include a complete array of consulting and research services that address the unique and evolving needs of their clients across different sectors. In addition to their comprehensive portfolio of off-the-shelf market research studies, they specialize in custom consulting assignments that deliver actionable results and strategic perception. They offer the following capabilities:


  • Competitive Landscape

Roots Analysis give you a complete analysis of your market situation, outlining direct and indirect competition, their positions in the market, and competition intensity. Through this analysis, you learn about industry structure and market share allocation, which guides your strategic decision-making and helps you spot opportunities for growth.


  • Company Competitiveness Analysis

Team conducts in-depth evaluations of your business strengths and weaknesses compared to competitors, covering operational efficiency, financial health, technological capabilities, and key strategies.


  • Patent Analysis

They systematically review patents held by your company and key competitors, identifying technological trends, innovation levels, and intellectual property strengths. Their analysis highlights potential risks and opportunities for new product development, supporting your innovation and R&D strategy.


  • Funding Analysis

They discuss your capital sources and those of your rivals, reviewing investment patterns, financial plans, and effects of venture capital, private equity, and public investment. This service informs you of how capital elements drive expansion and market positioning.


  • Recent Developments

They monitor and report the most recent news, acquisitions, alliances, and product releases in your business or industry. This alerts you to shifting dynamics and nascent trends, so you can respond quickly to changes in the market.


  • Market Forecast and Opportunity Analysis

They forecast future industry trends, growth rates, and possibilities based on existing data, market drivers, and economic indicators. Their projections help you make informed strategic choices and spot attractive new market opportunities.


  • Key Winning Strategies

They discover and evaluate the strategies that have contributed to success for top companies in your industry. Their best practice research in sales, marketing, operations, and customer relationships informs you to implement tried-and-tested strategies for competitive differentiation.


  • Value Chain Analysis

They evaluate industry / your company's value chain, identifying every activity that contributes to the creation and provision of your goods or services. By using this service, you are able to identify drivers of cost, streamline processes, and discover areas for differentiation, leading to improved efficiency and profitability.

Why Roots Analysis?

At Roots Analysis, they try to keep things simple - clear thinking, in-depth research, and real collaboration. They focus on areas where reliable information is hard to find, and dig deep to make sense of what's happening and what’s likely to come next.

Source of information: rootsanalysis.com

Their team brings together sharp analysts and industry experts from around the world. They ask the tough questions, double-check their assumptions, and aim to deliver insights that are not just interesting, but genuinely useful. Everything they publish is grounded in rigorous research and guided by experience, which is attested by several industry experts who have accessed their reports.

What Makes Roots Analysis Different?

Roots Analysis care about being a good partner. That means being responsive, flexible, and easy to work with. Whether you're a small team trying to validate an idea, or a global company making strategic bets, they adapt to what you need.

Above all, they know how important your decisions are. So, they work hard to give you clarity, not clutter. Big-picture thinking paired with actionable detail. That’s what helps their clients move forward with confidence and it's why many of them keep coming back.

If you’re looking for a research partner who’s thoughtful, thorough, and genuinely invested in your success, Roots Analysis love to work with you.

[ Earth.com: China breaks RSA encryption with a quantum computer, threatening global data security ]
earth.com/news/china-breaks-rs…
We knew it was coming. #PKI #certificates

Let's see reactions for one of the Russian heroes who took action to sabotage the military machine of Russian #imperialism. Let's see if they will raise their voices against this unjustified sentence. All of these european "democrats" who call just for armaments, serving the interests of bourgeoisie of #EU, #Russia and #USA, will speak out or they will still fuel the war machine of imperialist powers with russophobia and #racism?
#militarism #warmongers #FuckTheWar #smashwar
This entry was edited (2 months ago)

Proletarian Rage reshared this.

in reply to Proletarian Rage

For everyone: don't forget to follow @avtonom_org! You can also donate: avtonom.org/pages/donate. Real change in Russia comes from below, so let's support that!

@prolrage

Proletarian Rage reshared this.

in reply to Proletarian Rage

IAEA's head now states "that nuclear science in Iran cannot be destroyed by military operations, aggression, or terror". IAEA's personnel gave instructions to zionists and Americans to bomb the nuclear facilities of #Iran. Complicity.
It's obvious that this international institute, for the safety of nuclear energy, acts as the long hand of imperialist powers. Rafael Grossi is complicit on a possible nuclear "accident" beforehand.
english.almayadeen.net/news/po…
This entry was edited (41 minutes ago)

UNICEF reports that the number of malnourished children in the #Gaza Strip is rising at an alarming rate, with 5,000 children diagnosed with malnutrition in May alone.

#UNICEF urges an end to the war, the protection of civilians, including #children, the respect of international humanitarian and human rights law, and the immediate provision of humanitarian aid.
#StarvationAsWeapon #starvingpeople #warcrimes #IsraelWarCrimes #HumanRights

This entry was edited (2 months ago)

Proletarian Rage reshared this.

"I think we're beyond words at the moment. We're into the final solution, where you intentionally create a famine while you're killing people so you can make sure that the wounded die of the fact that their bodies are incapable of healing."
Ghassan Abu-Sittah
Conflict Surgeon. Head of Division of Plastic Surgery and founder of Conflict Medicine Program, American University of Beirut Medical Center.

„Wir müssen die überzeugen, die sich nicht impfen lassen wollen.“


„Die #Impfpflicht kann kein Tabu sein [...] Wir müssen schneller werden beim Impfen, wir müssen die überzeugen, die sich nicht #impfen lassen wollen. Und die, die sich nicht impfen lassen wollen, denen sagen ich: #Freiheit kommt auch einher mit Verantwortung. Wir werden nicht zulassen, dass diejenigen, die sich diszipliniert verhalten, die an #Wissenschaft glauben, die nicht daran glauben, dass die Erde eine Scheibe ist, dass die weiterhin leiden müssen unter denjenigen, die glauben, dass sie Sonderrechte genießen. Alle #Bürger sind gleich im Land und niemand steht über dem Gesetz und niemand steht über dem Recht. [...] "

Cem #Özdemir
Deutscher #Politiker (#Grüne), #Landwirtschaftsminister
DEUTSCHLANDFUNK online, 28.11.2021
deutschlandfunk.de/interview-o…

web.archive.org/web/2022112804…

Günter reshared this.

Congrats NYC, you elected a Socialist with no experience to be the Dem candidate for mayor to run against the current mayor who is running as an Ind, and Curtis Sliwa as the Rep candidate, I have complete faith in you going full socialist. Oh, and you also decided that Alvin Bragg was doing a great job as Manhattan DA, as he won in a landslide.
Possible mayor who wants to defund the PD, and a soft on crime DA. 2026 is going to be a stellar year.

ESA’s LEO-PNT satellites set to launch by end of year


image

LEO-PNT Pathfinder A

The European Space Agency (ESA) confirms the launch of the first two LEO-PNT satellites is planned from second half of December 2025, on a Rocket Lab Electron launcher vehicle, from New Zealand. The LEO-PNT in-orbit demonstrator mission is a pioneer mission for Europe that will advance satellite navigation concepts for resilient positioning and timing services.

#navigaton #space #science #esa #europeanspaceagency
posted by pod_feeder_v2

First sea-level records for coastal community protection


image

Majuro, Marshal Islands, is at risk from sea-level rise

While satellites have revolutionised our ability to measure sea level with remarkable precision, their data becomes less reliable near coasts – where accurate information is most urgently needed. To address this critical gap, ESA’s Climate Change Initiative Sea Level Project research team has reprocessed almost two decades of satellite data to establish a pioneering network of ‘virtual’ coastal stations. These stations now provide, for the first time, reliable and consistent sea-level measurements along coastlines.

#news #space #science #esa #europeanspaceagency
posted by pod_feeder_v2

Kennen Sie Meldungen vom bundesweiten #Aktionstag #CumEx ?

Dem bundesweiten Aktionstag gegen #Korruption?

Oder dem Aktionstag gegen #Gruppenvergewaltiger?

Was ist mit dem Aktionstag gegen #islamistische #Hassprediger?

Wann war der letzte Aktionstag gegen #linke Gewalttaten?


apollo-news.net/bundesweit-170…

#Haß #Hass #Hetze #Meinungsfreiheit #Diktatur = #Bevormundung

30 Small-Town Business Ideas That Could Make You Rich This Year
https://radicalfire.com/best-businesses-for-small-towns/?utm_source=flipboard&utm_medium=activitypub

Posted into Trending, News & Everything Interesting @trending-news-everything-interesting-RadicalFIRE

#warmongers #nato #destroynato #eucommission #FuckWarmongers #eupol #eu #imperialism #arms #armament
flipboard.com/video/euronews/1…
flipboard.com/@euronews/europe…
Unknown parent

mastodon - Link to source

Proletarian Rage

@villebooks her language is dangerous. She speaks for a politician like Putin with words that are extremely offensive.
She knows that the western media will never represent the voice of the "other" side so she and the chorus continue to benefit the US, german, french industries (who are under extreme crisis for many years, because their chinese competitors crashed them) while they destroy their "ex"-colonies for raw minerals.
Also she knows that she or her children will never go to fight. The children of the working class will be the meat for her profit.

Florence Dussuyer - Ces instants vulnérables

#art #peinture #painting #Dussuyer #tristesse #sadness #moodoftheday

florencedussuyer.com/

Tansu Çiller, and the corruption of her neoliberal government, was one of the primary drivers of the neoliberalism-to-fascism pipeline* in Turkey that exacerbated inequality, alienated and marginalised huge swaths of the population, and eventually led to Erdoğan’s fascist/Islamist takeover.

Carve her name, indeed; right next to Margaret Thatcher’s.

* Sound familiar, Americans?

#tansuCiller #tansuÇiller #neoliberalism #fascism #erdoğan #neoliberalismToFascismPipeline #turkey #türkiye #WomenInHistory #OTD #History #WomensHistory mstdn.social/@CarveHerName/114…

This entry was edited (2 months ago)

#Breakfast-in-America - written by the amazing #RogerHodgson of #Supertramp - #cover by the #Graystones
This new #music #video has had 600k views in 4 days. No-one can believe what they're hearing.

These are 6th graders — young kids — who first heard the song on a recent Monday. They practiced it each day until Friday, all in the middle of their school exams. Then they recorded it 4 times, the 3rd time being the one they felt was the best and is shown here, with another audio track overlaid to round it off for YouTube.

Source: less

Breakfast in America - written by the amazing Roger Hodgson of Supertramp - cover by the Graystones

nadloriot reshared this.

Just watched Starmer being asked why the UK needs these nuclear capable F35s (clip not out yet, but here is the article)

Allow me to cut through a minute of waffle that was his reply..

'We need them because we haven't got any'

And now the unspoken part..

'Small dick syndrome'

Put aside the Labour label. Starmer is a pathetic, jingoistic, arrogant, dogmatic, nationalist, hard for war, who gets off on playing Churchill. Given time, he'll prove dangerous

imho

news.sky.com/story/uk-to-buy-f…

friendica (DFRN) - Link to source
Federated Services

Federated Services are services which many instances form a network to provide a greater whole than the sum of their parts, each participant in the Fediverse is an “instance”. A message or other item made available on one instance is visible and available on other instances.

We make these services available to all people who do not abuse it in order to promote the values of Free Speech, and those of the United States Constitution First Amendment. A free republic is not possible without free speech and commercial mainstream media do not provide it. We also get some advertisement benefit from hosting these, it is our hope that people who see how fast and responsible our services are will decide to do hosting or use other paid services here.

There are numerous federated services available, we offer Macrobloging platform Friendica, Hubzilla; Microbloging services Mastodon, Misskey, a federated search engine, Yacy, and a federated cloud service, Nextcloud.

Macrobloging services are message systems that allow long form posts similar in format to Facebook. These allow for works of fiction, poetry, technical papers, news items, short stories, and more. These formats are most useful for discussion of social issues.

Microbloging services allow only short form posts similar in format to Twitter. While you can link to larger articles elsewhere, you have a relatively short character limit and so can not post them directly.

Censorship, is handled much different on the fediverse than on mainstream media like Twitter or Facebook. On the fediverse, each individual instance is responsible for content available on that instance, but does not censor the rest of the network. Thus if you find the rules of one instance too constraining you can move to another.

Federated search engines are analogous to federated message systems in that each instance chooses what portion of the internet it wants to crawl. When you enter a search term, the local instance queries all of the federated instances, collates and sorts the results and presents them to you. As with messages, each instance can have it’s own censorship policies but no one instance can censor the entire network.

Given the wild-west nature of the fediverse, it is probably not suitable for children under 14, and you’re guaranteed to find some material that will offend virtually everyone. With federated search engines, material that is inappropriate will usually be flagged sensitive or nsfw (not safe for work) so as long as you don’t expand material marked as such, you can avoid this sort of material. There are occasionally people who violate these rules, we do our best to remove such individuals none the less some will get through.

We offer the following federated services:

Friendica.Eskimo.Com
Friendica is a decentralized long format macrobloging message network. It is similar in format to facebook however there is no centralized censorship. Also, it is able to federate with all other federated message systems which use ActivityPub protocol and also we have extensions that allow it to speak to several other networks via other protocols.

Hubzilla.Eskimo.Com
Hubzilla is similar in message format to Friendica in that it allows long posts. However, it specializes in it’s ability to provide connectivity to multiple protocols and so we include it in our mix of federated services primarily for the better connectivity it offers. Hubzilla provides a great deal of interoperability between many networks though ActivityPub is still it’s primary protocol. Hubzilla gives you a greater degree of control over privacy than some of the other networks. You can create private channels that are served between hubzilla instances and other compatible instances.

Mastodon.Eskimo.Com
Mastodon is first and foremost an alternative to Twitter. While Twitter has Tweets, Mastodon has Toots. The format is very similar. Mastodon toots have a limit of 500 characters. Similar to the short limit of Twitter. This is why this platform is referred to as a Microbloging format. Mastodon interacts with other ActivityPub instances however when a long form blog post from another instance arrives, you are only shown a short portion with a link to follow to see the full post on the originating site.

NextCloud.Eskimo.Com
Nextcloud If you are a customer of Eskimo North, your login credentials will work without a domain extension to access Nextcloud. If you are not a customer you can apply for a Nextcloud account using your choice of login and password, in this case the login should include your originating network. Some features require an Eskimo North shell account to take full advantage of.

Pixelfed.Eskimo.Com
Pixelfed is a federated pixel gallery. A place where you can share your photos to the widest audience possible, and you can view what others have shared. Instance is new as of April 6th, 2025.


Yacy.Eskimo.Com
Yacy is a federated search engine. There are several thousand instances on the Internet. Each instances crawls whatever portion of the web the administrator requested. It is also possible for the administrator of a site with relatively few resources to request a larger site to do crawls on their behalf. Unfortunately, it does not provide a method for an end user to initiate a crawl, but if you send e-mail to support@eskimo.com and request a crawl, we will initiate a crawl on your behalf.

in reply to Dr.Nick

If the government instantly magiced 320,000 homes, we would meet today's demand. This includes an expected 5% turnover figure (i.e. for sale). Currently turnover is less than 1%

I'm under 40. 55,000 people sat the leaving cert exams when I did, 20 years ago. In 2024 that number was 61,000.

You'd need to make at least 80,000 new homes a year to keep up with today's demand - even after magically creating 320,000 homes. More in 10 - 15 years time.

This entry was edited (3 months ago)
in reply to Dr.Nick

In the 1980s, an Irish couple spent 17% of their income on a mortgage.
Today? 26%.

Back then, the average home cost 1.7x the average income.
Now? Over 7x.

Dual incomes used to be optional and got you a nicer home or on the ladder faster.
Now? Mandatory - even for a shit box.

Single income households? Essentially locked out (average age 39).

So no, your parents didn't have it harder. They had it handed to them - and pulled the ladder up.

in reply to Dr.Nick

In the 2024 Irish elections, the parties in power promised ~50,000 new homes a year. This falls drastically short of current and expected demand.

Boycotting holiday homes in Mayo is not a solution.

Exempting a garden shed with notions from planning is not a solution.

Google offering housing to public sector workers is not a solution.

Blaming others is not a solution.

We know what the solution is. For 10+ years they've said "It won't happen overnight".

Bullshit - it won't happen at all

in reply to Dr.Nick

In those 10 years, homelessness up 575%.

In 2024, 15,000 people were homeless. 9,000 are families.
Cost? €361,000,000.

€40,111/family/year. €3,343pm

50% are homeless for over 1 year. 20% for over 2 years.

Median home price, €355,000.
Cost? 30 years at 3.0% - €1,496pm

€3,343pm clears that mortgage in 10 years.

We are spending more to keep people on the streets than in homes, with walls made of misery instead of brick. Build homes instead of excuses.

in reply to Dr.Nick

ESRI: "No new homes 'til 2027, lads!"

Targets now:
2025: 34,000
2026: 37,000
2027: 44,000
2028: 43,000
2029: 43,000

Central Bank: "We need 54,000/year for 25 years just to stand still."

Reality check: 93,000/year won't fix the backlog in a decade.

Talks of 100% mortgages - they will only raise prices. We built 93,000 homes and had 100% mortgages back in 2006... Same year they made Priory Hall.

This entry was edited (3 months ago)
in reply to Dr.Nick

The Irish government will make the entire country a "Rent Pressure Zone", negating the commonly understood meaning of the word Zone... Becoming "Rent Pressure".

They say these plans are to incentivise institutional investors... There are already incentives, such as:

* No Corporation Tax or CGT
* 24 month rent control reset
* HAP & HTB increasing prices
* RTB exemption for "Co-Living Spaces"

Meanwhile, in the last year prices are up 12.3%. Up 40% in the last 5 years - 100k for a median home.

in reply to Dr.Nick

€600k is the current price of a 3 bed semi-detached house in Dublin.

John and Mary (34 yo) need a minimum €60k deposit and must have a combined income of €135k - or €68k each - to purchase this home. Their mortgage is €540k.

With a BER rating of C, the most common for second hand homes, their interest rate is 3.2%.

Each month, for the next 30 years, they will pay €2,335.

It will take them 101 months (~8 ½ years) to start paying more principal than interest. They will be 42 years old

in reply to Aral Balkan

@aral At 44 with a 20 year term, same inputs, John and Mary will pay €3,050 per month. Fiadh is 10 when they draw down.

They are paying more principal than interest from the beginning.

Fiadh's €10k Confirmation money, 2 years into the mortgage, shaves 5 months off the term.

Fiadh asks why they didn't use the money to go on holiday like her friends. John quickly changes the subject.

in reply to Dr.Nick

little to disagree with here but "So no, your parents didn't have it harder. They had it handed to them - and pulled the ladder up." is not a viable analysis when many in the 80s paid 17pc interest rates and waited 10 years for a council house and then got offered to buy one for little money because Thatcherism.

My point being that they too were living in conditions not of their own making.

in reply to Dr.Nick

Context for the edit: 136,160 people sat state exams in 2024. This number includes Leaving Cert, Leaving Cert Applied, and Junior Cycle¹.

60,839 students sat the Leaving Cert in 2024.

This correction does not change the facts, as evident by the proceeding statements in May 2025 by the ESRI and Irish Central Bank.

__
¹ Used to be called Junior Cert. Before that it was called Inter Cert.

I've heard both sides--the supporting arguments and the dissenting of those writing in multiple threads and across forks of threads--regarding the asking of Mary to pray for us.

Here's why it's strange:

Where is even an approximating equal emphasis on Joseph? He was the male of the chosen family, the man to oversee the newborn Christ.
He too received a visitation from a messenger, announcing--independent of the visitation to Mary.

Why not an equal *or even greater emphasis* on asking Moses?
Someone so holy (meaning set aside for God's purposes) as to have been at the transfiguration; as to have led the Israelites across a parted sea (after having performed other wonders); as to have written five books of scripture; as to have overseen the construction of the ark of the covenant.

Why not *at least an equal emphasis* on David? Scriptually described as "a man after God's own heart"--so much so that it was promised the rule of his line would never end, such that Christ is called the branch from the root of Jesse (David's father). It is only for this promise from God to David that Mary is even considered as it were.

Why such an emphasis instead on "the mother"?

It's because we have
the Father,
the Son,
and so need the...

And that's it. That's the beg.

After a more extreme fashion, the Gnostics instead fill this in with Sophia (the feminine Wisdom). (And they are wrong to do so.)

No, friends, you don't have to run into protestantism's clearly broken arms and kneel into their awkward (i.e. broken) support. You are free to see that the arms that *are holding you* though are also fucked up.

The lack of admittance of this is, in fact, why the myriad fractals of protestantism (and all of its faults) began.

其实我聊天的习惯问题我一直是很苦恼的

很多时候,等我打完字发送出去。
我会苦恼,这么聊天感觉不是很好。

但我是真心想参与聊天

但是和朋友和家人,他们都说没问题,他们都习惯了。
我好像从他们身上也学不到什么。

知道以后要注意点什么了

friendica (DFRN) - Link to source
Shell Accounts

Shell Accounts
A shell is a command line interface for an operating system. With most shell providers, a command line interface on one flavor of Linux or Unix is all you get. Eskimo North provides access to eight different popular Linux distributions and SunOS Unix. Eskimo North also full remote desktop capabilities using X2Go with sound, and also NX, VNC, and RPD without sound.

Account Types
We offer four different levels of shell accounts: Economy, Standard, Power, and Enterprise. Background tasks such as IRC bots, Game Servers, and the like are permitted on all account types except student. IRC servers are not permitted because of their tendency to draw denial of service attacks. Standard, Power, Enterprise, and Super-Max shells include a MySQL database allowing you to run a variety of LAMP stack based applications on your website and to use non-web based applications that require a database.

Web Hosting
Web hosting under our domain is provided with all shell accounts. You can host your own domains with virtual domains or web hosting packages.

Remote Desktop
Remote desktop capability is like having a monitor, keyboard, mouse, and speakers plugged right into our servers. Because our servers can be accessed anywhere in the world, this allows you to have a work environment you can access from anywhere in the world without risking losing your files to a laptop, tablet, or phone thief. We offer remote desktop capabilities on all of our shell servers except for the SunOS server. We support x2go, nx, vnc, and rdp protocols. X2go is the best choice as it provides extremely efficient compression and X round trip removal as well as sound.

Applications
Applications include Office Suites such as Libre Office and Caligra (which can read and write Microsoft Office file formats), Web and Program Development tools such as Bluefish Editor as well as many other editors, compilers, interpreters, scripting languages, debuggers, profilers, and online documentation.

E-mail
Our e-mail system offers unprecedented flexibility. You can access your mail via shell mail readers including graphical mailers like Thunderbird, or via Web mail, or via pop-3 and imap mail protocols, complete with TLS encryption. Our mail system includes Bayesian filtering with Spam Assassin which can be individually configured for your needs. Procmail allows you to sort and process mail automatically. Smartlist allows you to maintain mailing lists.

Security[color]
Access to all of our servers is available via strong encryption. The shell servers all support ssh access. All of the remote desktop protocols tunnel via ssh. We maintain all of our servers up to date keep with the latest patches. Backups are made weekly.

[color=darkblue]Eskimo North has been providing Unix timeshare services since 1985. We have been providing Linux timeshare, shell access, web hosting, e-mail, and Internet services since 1992. Please take a look at our services as they support our free Federated services including Friendica, Hubzilla, Mastodon, Nextcloud, Pixelfed, and Yacy Search.

Available Shell Servers

We have a variety of Linux Servers with a variety of Linux Distributions and Desktop Environments. Linux servers in use here are of three basic lines, those derived from RedHat, such as Fedora, Centos, and Scientific Linux, and those derived from Debian such as Debian, Ubuntu, and Mint. Ubuntu is the most current and feature rich. Then there is Manjaro, derived from Arch Linux. Arch is more often broken because it is a real “do it yourself” Linux, an excellent learning platform, a good development platform, not a good production platform.

All of these servers are available if you have a shell account here. You can use them to learn various versions, decide which to install, and as one place you can develop applications for all versions. We install a wide variety of development tools on all of our publicly available servers.

Our servers listen to port 443 in addition to the standard ssh port of 22 to provide a means to connect from behind a firewall that blocks non-web access. You can also utilize Guacamole on our website (login public, password public).

Alma.Eskimo.Com
This server is running Alma 8. Alma Linux replaces Scientific Linux after it’s discontinuation. Presently we are running Alma 8 because Alma 9 does not support NIS out of the box although there are ways of hacking it in. It is unfortunate that Redhat chose to piss on the infrastructure so many organizations depend upon. This is why we tend to favor Debian derived flavors. None the less as Redhat derived software goes Alma is pretty solid.
Anduinos.Eskimo.Com
Anduinos is a Debian derived distribution that defaults to a Gnome Desktop themed to look like Windows 10. At present though this Desktop is not working over network connections, instead Mate and Gnome are presently available. I am working on some others.
Debian.Eskimo.Com
Debian Bullseye has a rich assortment of software installed, including hundreds of Games, a huge variety of Office Productivity software, many Educational and Scientific applications, a variety of Integrated Development Environments, and many programming languages. All of the documentation available online these applications is also loaded.
Fedora.Eskimo.Com
Fedora Rawhide can be accessed graphically using x2go and the Mate desktop. It has the most applications of any of the Redhat derived servers. I install just about everything I can get to work on this machine so it has a huge variety of applications installed.
Kali.Eskimo.Com
Kali is a special purpose shell server designed for penetration testing. It is primarily here to test our own internal security, and as a result, egress is extremely limited, however upon request, proof of IP space ownership, and permission of the owner and agreement to hold us harmless because it is possible some of these tests may be destructive, we will allow outbound for testing of other sites.
Manjaro.Eskimo.Com
Manjaro is a good choice for a Linux user who wants to just install and go. There is a pleasant user interface and a good choice of software in the Manjaro repositories. It is a less technical Linux than Ubuntu, you can do most things through graphical interfaces and the default xfce interface is extremely light in terms of memory footprint. Like most modern distros, a variety of Windows systems are available and we have Gnome, Mate, KDE, Xfce, LXDE, and LXQT installed.
Mint.Eskimo.Com
Mint is another recent addition to our shell servers. It is running Mint, although we have the Mate Desktop installed for graphical access. This is necessary because Unity and other compositing Desktops are incompatible with x2go and really work very roughly with VNC. If you like games, this is a good server to use and there are many installed. Mint is a derivative of Ubuntu which in turn is derived from Debian and this server thus follows the structure and layout of Debian and Ubuntu.
MxLinux.Eskimo.Com
MxLinux is an excellent choice for a computer with limited resources. Before the overhead of a Desktop is considered, MxLinux uses 200MB less RAM out of the box than does Ubuntu. If you’re not a fan of Poettering and Systemd, you’ll like this OS as it still uses a System-V init with Systemd shims to allow packages requiring systemd to function. You can also run systemd and in fact I am doing so because it boots faster. The default Desktop is LXDE which is also small and efficient. But if you like eye candy you can install any Desktop you like and as with other servers I will install all that I can get to work on this OS.
PopOS.Eskimo.Com
popOS is a modern appearing OS based upon Ubuntu, and not just indirectly, it actually utilizes Ubuntu’s repositories in addition to it’s own. The Desktops presently available on it are Gnome and Mate, though Gnome is a special edition known as Sparkle, and it does not operate properly with X2go. Presently X2go and ssh are the only two access methods. I am working on the others.
Rocky8.Eskimo.Com
Rocky8 is a RedHat derived operating system very similar to Centos before Centos was absorbed, and ruined, by Redhat. While Centos support, with the exception of Centos9 is going away on June 30th, 2024, and CentOS9 is not usable because of the deletion of NIS by RedRat which is necessary to our organization, Rocky8 will be supported for security updates through May of 2029, thus provides us a means of continuing to offer a Redhat based environment for another five years.

Ubuntu.Eskimo.Com
Ubuntu can be accessed graphically using x2go and the Mate Desktop. The native Unity desktop is a compositing desktop which is incompatible with x2go. This machine is equipped with many applications including a huge number of games, a rich assortment of development tools and computer programming languages, a huge assortment of Office productivity software, many scientific, electronic, and educational tools.
Zorin.Eskimo.Com
Zorin is a Ubuntu derived operating system. It combines the eye candy of some other Ubuntu flavors such as Mint, with the security awareness and up to date nature of Ubuntu providing a really superb server environment. This machine is our best equipped server. It has the full Ubuntu Studio Suite, a very large assortment of development tools, language packs for all supported languages, many games, both Libre and Caligra Office Suites, and much more. X2go is supported on this machine.

Crontab access, batch, and background jobs are allowed on all of our servers. Most have unrestricted outbound access with the exception of kali owing to high abuse potential for tools that exist on it.

Antiwar News with Dave DeCamp, 06/25/25: Iran Truce Holds After Trump Tells Israel To Stop, IDF Kills 44 in Gaza Aid Massacres, and More youtube.com/watch?v=27jo4wsOPa…

Thomas L. Knapp: Will Trump Continue Seeking War? If So, Here’s Why. original.antiwar.com/thomas-kn…