Can't get Xbox controller to work with 32bit Void Linux via USB
I've installed xone and xboxdrv.
The controller vibrates on plug in but the LED stays off, if I hold down the Xbox button it boots in Bluetooth mode.
Xboxdrv reports no controllers found.
lsusb reports the controller ~~and it has a file in /dev/js0 (or something similar).~~
Update: there's no js file in /dev/input
retroarch reports detection of Xbox controller on plug in.
I added my user to input group.
My system is up to date.
I installed the system with the XFCE build.
The controller works as intended on Arch, Windows and Android via USB and Bluetooth
Update 2: I installed jstest-gtk and it's not detecting the controller at all
I expect that programmers are going to incresingly focus on defining specifications while LLMs will handle the grunt work. Imagine declaring what the program is doing, e.g., "This API endpoint must return user data in <500ms, using ≤50MB memory, with O(n log n) complexity", and an LLM generates solutions that adhere to those rules. It could be an approach similar to the way genetic algorithms work, where LLM can try some initial solutions, then select ones that are close to the spec, and iterate until the solution works well enough.
I'd also argue that this is a natural evolution. We don’t hand-assemble machine code today, most people aren't writing stuff like sorting algorithms from scratc, and so on. I don't think it's a stretch to imagine that future devs won’t fuss with low-level logic. LLMs can be seen as "constraint solvers" akin to a chess engine, but for code. It's also worth noting that Modern tools already do this in pockets. AWS Lambda lets you define "Run this function in 1GB RAM, timeout after 15s", imagine scaling that philosophy to entire systems.
This article is kinda BS, they talked to a bunch of C-level executives at companies that have a vested interest in pushing LLM based programming solutions.
I have yet to see LLMs actually write useful code. I think this whole exercise is really flawed. We are trying to have LLMs do the part of a programmers job that we are actually good at, writing code and pushing us to only do the part we are worst at reading and understanding someone else's code.
I've seen plenty of useful code written by LLMs. In fact, I use DeepSeek R1 all the time now, and I'm shocked at how good it is at writing clean code that generally works out of the box. Just the other day, I threw a json schema at it, and asked it to create a relational table schema to store it in SQL which it did respecting relationships like foreign keys. That would've been a couple of hours of work for me of just typing it all out. Not only that, but it actually explains its reasoning step by step, and a lot of that looks just the same way I would think about solving a problem. Here's a concrete example for you from a recent session.
write a clojure function to use http-kit client to download an image from a given url and save it in sqlite
Okay, I need to write a Clojure function that uses the http-kit client to download an image from a URL and save it into an SQLite database. Let's break this down step by step.
First, I know that http-kit is a Clojure library for making HTTP requests. So I'll need to include the http-kit dependency in the project.clj or deps.edn file. But the user probably just wants the code, so maybe mention the dependencies they need to add.
Next, downloading the image. Using http-kit's get
function, which returns a promise. I'll need to handle the response asynchronously. Wait, but maybe they want a synchronous download? The example might use async, but perhaps for simplicity, use the sync version. Alternatively, handle the async with a future or something. Hmm.
Once the image is downloaded, the response's body will be the bytes of the image. Then, store that into SQLite. For SQLite, I'll need a Clojure library. The common one is org.clojure/java.jdbc, and the SQLite JDBC driver. So dependencies would be [org.clojure/java.jdbc "0.7.12"] and [org.xerial/sqlite-jdbc "3.36.0.3"], or similar versions.
Then, creating a database connection. The JDBC URL would be something like "jdbc:sqlite:images.db". Then, I need to make sure the table exists. The table should have at least an id, maybe a name or URL, and the image data as a BLOB. So create a table if not exists with columns like id integer primary key, url text, image blob, created_at timestamp.
The function steps would be:
- Download the image from the URL using http-kit.
- Check if the response is successful (status 200).
- Get the byte array from the response body.
- Insert the URL and the byte array into the SQLite database.
Possible issues: handling exceptions, like invalid URL, non-200 status, or database errors. Also, binary data in SQLite. Need to make sure the image is stored as a BLOB.
Putting it all together.
Wait, in Clojure, when using jdbc, inserting a byte array can be done by converting it to a byte-array or using .getBytes, but SQLite's BLOB expects a byte array. So in the insert statement, the parameter should be the byte array directly.
So the code outline would be something like:
(ns myapp.core
(:require [org.httpkit.client :as http]
[clojure.java.jdbc :as jdbc]))
(def db-spec {:classname "org.sqlite.JDBC"
:subprotocol "sqlite"
:subname "images.db"})
(defn create-images-table
[](jdbc/db-do-commands db-spec
(jdbc/create-table-ddl :images
[[:id :integer :primary :key :autoincrement]
[:url :text]
[:image :blob]
[:created_at :datetime :default :current_timestamp]])))
(create-images-table) ; Ensure table exists
(defn download-and-save-image
[url](let [response @(http/get url {:as :byte-array}) ; synchronous GET, response is a map
status (:status response)
body (:body response)]
(if (= 200 status)
(jdbc/insert! db-spec :images {:url url :image body})
(throw (ex-info "Failed to download image" {:url url :status status})))))
Wait, but in the http-kit get request, by default, the body is a string. But for binary data like images, we need to set :as :byte-array to get the body as a byte array. Yes.
Also, the @ is dereferencing the promise, making it synchronous. So the function will block until the download is complete.
But what about error handling? Maybe wrap in a try-catch.
Also, the jdbc/insert! function will handle the byte array correctly if the column is a BLOB. SQLite's JDBC driver should accept a byte array for BLOB.
Testing the code: need to make sure that the dependencies are correctly added. The user should have http-kit, java.jdbc, and sqlite-jdbc in their dependencies.
Potential issues: If the URL doesn't point to an image, or if the response is not 200. Also, large images might cause memory issues, but that's beyond the scope here.
So the final code would involve:
- Setting up the dependencies.
- Defining the database spec.
- Creating the table if it doesn't exist.
- The function to download and save.
I should also mention that the user needs to add the required dependencies to their project.clj or deps.edn.
Another thing: The http/get returns a promise, so using @ to deref it makes the call blocking. So the function is synchronous. That's acceptable for the purpose here.
Also, the created_at column has a default of current timestamp, so when inserting, it's not necessary to provide it.
So the code should work as is, but the user needs to make sure the table is created first. Hence the create-images-table function called once.
But maybe the code should check if the table exists and create it if not, perhaps using a migration approach. But for simplicity, just call create-images-table once.
So, putting it all together, the code would look like that. Also, in the answer, I should explain each part and note the dependencies.
output:
Here's a Clojure function that uses HTTP Kit to download an image and stores it in SQLite. You'll need to add the required dependencies and set up the database table first.
Step 1: Add dependencies to your deps.edn
or project.clj
{:deps
{org.clojure/clojure {:mvn/version "1.11.1"}
http-kit {:mvn/version "2.6.0"}
org.clojure/java.jdbc {:mvn/version "0.7.12"}
org.xerial/sqlite-jdbc {:mvn/version "3.42.0.0"}}}
Step 2: Database setup and image handling function
(ns image-downloader.core
(:require
[org.httpkit.client :as http]
[clojure.java.jdbc :as jdbc]
[java-time :refer [local-date-time]])
(:import [java.io ByteArrayInputStream]))
;; Database configuration
(def db-spec
{:classname "org.sqlite.JDBC"
:subprotocol "sqlite"
:subname "images.db"})
;; Create images table if not exists
(defn create-table!
[]
(jdbc/db-do-commands
db-spec
(jdbc/create-table-ddl
:images
[[:id :integer :primary :key :autoincrement]
[:url :text :not :null]
[:image_data :blob :not :null]
[:created_at :text :not :null]])))
;; Initialize database table
(create-table!)
(defn download-and-store-image
"Downloads an image from URL and stores it in SQLite database"
[image-url]
(let [response @(http/get image-url {:as :byte-array})
status (:status response)
image-data (:body response)]
(if (= 200 status)
;; Insert into database
(jdbc/insert!
db-spec
:images
{:url image-url
:image_data (ByteArrayInputStream. image-data)
:created_at (str (local-date-time))})
(throw (ex-info "Image download failed"
{:url image-url
:status status
:error (slurp (:body response))})))))
Explanation:
- Dependencies:
- http-kit for HTTP requests
- java.jdbc for database operations
- sqlite-jdbc for SQLite driver
- Database Setup:
- Creates a table with columns for:
- ID (auto-incrementing primary key)
- Original image URL
- Image binary data (BLOB)
- Creation timestamp
- Image Handling:
- Uses http/get with :as :byte-array to handle binary data
- Converts the byte array to ByteArrayInputStream for proper BLOB handling
- Stores creation timestamp using Java Time API
Usage:
;; Download and store an image
(download-and-store-image "https://example.com/image.jpg")
;; Query stored images
(jdbc/query db-spec ["SELECT * FROM images"])
Notes:
- Error handling for:
- Non-200 HTTP responses
- Invalid URLs
- Database connection issues
- The image is stored as BLOB in SQLite
- Uses Java Time for timestamp generation
- Make sure to handle large images appropriately (memory considerations)
To retrieve the image later, you would need to read the BLOB data from the database and convert it back to a byte array for processing or serving.
Britain’s system for controlling arms exports is broken, former diplomat claims
Britain’s system for controlling arms exports is broken, former diplomat claims
Ex-Foreign Office official says he saw conduct that ‘crossed the threshold into complicity with war crimes’Patrick Wintour (The Guardian)
AI Company Asks Job Applicants Not to Use AI in Job Applications
AI Company Asks Job Applicants Not to Use AI in Job Applications
Anthropic, the developer of the conversational AI assistant Claude, doesn’t want prospective new hires using AI assistants in their applications, regardless of whether they’re in marketing or engineering.Samantha Cole (404 Media)
Pure comedy.
“While we encourage people to use AI systems during their role to help them work faster and more effectively, please do not use AI assistants during the application process,”
Gallant admits 'Israel' used Hannibal Directive during war on Gaza | Al Mayadeen English (2025-02-06)
cross-posted from: hcommons.social/users/adachika…
Gallant admits 'Israel' used Hannibal Directive during war on Gaza | Al Mayadeen English (2025-02-06)english.almayadeen.net/news/po…
———“Former Israeli Security Minister Yoav Gallant admitted that the Israeli occupation forces were ordered to implement the Hannibal Directive—a controversial protocol that involves killing captives along with their captors—during the war on Gaza.”
#HannibalDirective #YoavGallant
@palestine@lemmy.ml @palestine@a.gup.pe @israel
Gallant admits 'Israel' used Hannibal Directive during war on Gaza
Former Israeli Security Minister Yoav Gallant admitted the army used the Hannibal Directive during the war, killing several of their captives in Gaza.Al Mayadeen English (Gallant admits 'Israel' used Hannibal Directive during war on Gaza)
Your link is broken: english.almayadeen.net/news/po…
The images of the burnt cars came out almost immediately. Was I to believe the fire hose of Western government & corporate media bullshit or my lying eyes?
Gallant admits 'Israel' used Hannibal Directive during war on Gaza
Former Israeli Security Minister Yoav Gallant admitted the army used the Hannibal Directive during the war, killing several of their captives in Gaza.Al Mayadeen English (Gallant admits 'Israel' used Hannibal Directive during war on Gaza)
Peter Beinart on “Being Jewish After the Destruction of Gaza”
cross-posted from: hcommons.social/users/adachika…
Peter Beinart, _Being Jewish After the Destruction of Gaza: A Reckoning_ (9780593803899 | Penguin Random House | Published by Knopf | Jan 28, 2025)penguinrandomhouse.com/books/7…
#JewishCurrents #Zionism #Judaism
@palestine@lemmy.ml @palestine@a.gup.pe @israel
Peter Beinart on “Being Jewish After the Destruction of Gaza” & Trump’s Call for Ethnic Cleansing
We speak to Jewish Currents editor-at-large Peter Beinart about his new book, Being Jewish After the Destruction of Gaza: A Reckoning, which is “addressed to my fellow Jews” and criticizes what he characterizes as the increasing privileging of Zionis…Democracy Now!
proteanmag.com/2025/01/31/bein…
Critical review of Beinart's new book by Josh Gutterman Tranen in Protean Magazine.
There is Only Shame • Protean Magazine
The new book from Peter Beinart, "Being Jewish After the Destruction of Gaza," is reviewed by Joshua Gutterman Tranen.Joshua Gutterman Tranen (Protean Magazine)
'Existence is resistance': Palestinians tell Trump they won't leave Gaza
cross-posted from: lemmy.ml/post/25815419
By Lubna Masarwa in Jerusalem
Published date: 7 February 2025 10:27 GMT
'Existence is resistance': Palestinians tell Trump they won't leave Gaza
By Lubna Masarwa in Jerusalem
Published date: 7 February 2025 10:27 GMT'Existence is resistance': Palestinians tell Trump they won't leave Gaza
Aya Hassuna, 30, left her home in Gaza City’s eastern Shejaiya neighbourhood with her husband and two young children in November 2023, heading south amongst crowds of Palestinians forced to flee as Israel’s brutal assault on the enclave gathered mome…Lubna Masarwa (Middle East Eye)
like this
metaStatic likes this.
Toilet gang rise up!
Don't forget to wipe and wash your hands after rising up
I’m in this picture and I don’t like it.
This is 110% my wife though lol
Man I love dairy and man it does not love me.
Still going to have pizza later.
Me, putting hot sauce on my double cheese pizza like I don't have both of the aforementioned conditions
I spent 20 minutes on the toilet this morning but lord did that pizza smack
Really?
Which country are you from?
Wouldn't that be difficult if you don't already have some political hold or bribe money?
Pay management, CEOs, shareholders all or majority of all profits, even though they did nothing to build the company .... tell employees they have to pay them less but make them work harder.
.... also raise the price of food and tell everyone it's their fault they can't afford anything.
Company-wide email: "We've had our best year ever and it's all thanks to YOU!"
Me: "Great. Can I have a raise?"
Company: "Oh, we can't afford THAT."
Like VW is paying out 4.5 billion € in dividends, while telling employees they have to cut wages. They played it clever by announcing huge layoffs, that can be prevented by cutting the wages now. But the Porsche-Piech family is a few billions richer now and will be a few billions richer at the end of the year.
On the plus side, real estate prices will likely continue to fall in the region.
Unironically the place I last worked at
“Our 20-employee company made over € 8 million profit last year!”
I ask for a raise because I'm underpaid for the work I deliver.
“Ahh noooo see there is no more money for thag...”
Needless to say I quit. Citing them this as one of the reasons.
Gaza govt slams ‘double standards’ over released captives
Gaza govt slams ‘double standards’ over released captives
The Gaza government slammed media coverage of Israeli captives released by Hamas, saying that the world was ignoring abuses suffered by Palestinian prisonersThe New Arab Staff (The new Arab)
Just made the switch to Linux as a lifetime Windows user.
It just works.
I'm kind of shocked how easy it was to set up. I used ventoy to make a bootable iso of Linux Mint Cinnamon on my Mini PC (Ser5 Pro), and I had zero issues with anything. Ventoy even plays nice with secure boot.
Where's the setup?
There really wasn't any. I booted into Mint, synced my keyboard/trackpad combo and my earbuds then was off to the races. It detected all my hardware including my Elgato HD60 X without any steps. The only thing I had to work around was downloading the deb build of Discord Canary to enable audio output in Discord streams since it was only recently added to Discord's dev/beta build (Canary).
Speaking of which Elgato's capture software doesn't support Linux (shocker), so I simply installed OBS, pointed the audio/video to the capture card, and it worked. Easy.
My Use Case
I have the aforementioned mini PC mainly to be jockied by a capture card for streaming Nintendo Switch to Discord. Aside from that I use it as a productivity machine in my living room for internet browsing (omg webtv!) and Kodi. The Ser5 uses an AMD Ryzen 7 5850u with integrated graphics, 16GB DDR4, and a 500gb M.2. All of the ports, HDMI audio out, etc were automatically detected by Mint.
Conclusion
Linux Mint feels premium compared to Windows 11. It's snappier, more modular, and offers a Linux GUI that's familiar/easy to use. Plus now I have the benefit of no preinstalled spyware or bloatware. Feels good to actually own my computer.
Thanks for reading!
like this
originalucifer, Dessalines, BendingHawk and TVA like this.
It just works
Sometimes, and until it does not work.
I have Linux on a Lenovo laptop, when I connect it to my hdmi matrix there is no resolution that works for it to correctly display. There is no way to keep the display from turning off despite setting it to never turn off.
A friend just had her Windows 11 PC hijacked and used to drain money from her bank account. Not too much of a worry with Linux of any flavor.
It took 5x as long to wipe the disk and reload Windows as it would have to load Linux, plus another hour to change the settings to turn off as much of of Window's advertising and spyware as possible. Microsoft will no doubt change the settings back when Windows update runs, or maybe they'll just pile on more ads.
I'd much rather deal with some hardware incompatibilities than Microsoft's bullshit.
Immutable distros help tremendously with the "It just works (and doesn't stop just worksing)" aspect. Fedora Kinote is what finally allowed me to transition from Windows. Literally zero issues for over eight months now and I am not a super techie person. I hate the command line and need GUIs.
Honestly I think an immutable KDE distro is going to be the windows killer for pretty much anyone looking to switch. It's literally better than Windows in every way.
Try Aurora which is Kinoite with some nice extras added
That was the "just works Windows killer" for me.
You can rebase directly to it to just try it out, and simply rebase back to standard Kinoite if you don't like it.
Linux works great generally. My wife and I have been using for 20 years since we dumped windows.
The deal is that Linux is great for FOSS but limited for commercial apps. One generally needs to deside based on apps they run. Hardware is similar.
I bounced around to all sorts of systems and DEs and came to this same conclusion. Debian + KDE is where it all ended up after try easily over 20 different systems throughout the years.
It’s the most “we trust you, but also respect your time” combo I’ve found.
GitHub - Vencord/Vesktop: Vesktop is a custom Discord App aiming to give you better performance and improve linux support
Vesktop is a custom Discord App aiming to give you better performance and improve linux support - Vencord/VesktopGitHub
Congrats! There’s probably a few things not perfect that you haven’t noticed yet-but ya, despite what the trolls say, Linux pretty much just works these days. Oftentimes better than windows.
Sometimes you’ll run into a program that is windows only and that’s a pain. The first thing I do is try to find a linux alternative-sometimes you can sometimes you can’t (stuff designed to interface with your hardware can be a pain sometimes - controllers, rgb lights, fan speeds, motherboard stuff). Bottles works great for running windows programs. And if all else fails a windows vm.
Precisely. I see you've caught the fever.
Futurama (1999) - S07E12 Comedy clip with quote Precisely. I see you've caught the fever. Yarn is the best search for video clips by quote. Find the exact moment in a TV show, movie, or music video you want to share.Yarn
Plus now I have the benefit of no preinstalled spyware or bloatware
Now you get to choose the bloatware and spyware yourself! /s
I'm the guy they get to "fix" stuff in PROD.
I fight Windows all day.
I'm not doing that at home anymore.
Windows 11 no longer "just working" is what made me finally take Linux seriously as an option and I am so glad I did.
I genuinely think it is ready for prime time. As I said elsewhere the concept of immutable distros is a game changer for those of us who like to customize but hate the command line
The only thing I had to work around was downloading the deb build of Discord Canary to enable audio output in Discord streams since it was only recently added to Discord's dev/beta build (Canary).
Keep in mind Linux is all about FOSS, if the software you use doesn’t have all the features you want look around for alternatives.
I encountered this same issue when installing Discord and opted to use Vencord instead.
You'll probably be installing programs and changing a lot of settings over the next few weeks. Make sure you use TimeShift (pre-installed on Mint) to make system snapshots. (It works like System Restore on Windows. You can even run it from your Linux Live flash drive if you mess up something so badly that you can't boot from the hard drive).
LibreOffice comes pre-installed and you can use Thunderbird for email. And if you used Steam to play games on Windows, you're in for a nice surprise. Steam has a native Linux client and it uses Proton / Wine to let you play your Windows games on Linux. It's handled everything I've thrown at except for a couple of older games.
Glad to hear you're on Linux, living a more sovereign life and having an easy time with it. Mint does indeed work very well for me too. I put Mint XFCE on a ~2015 laptop that Windows was bloating down to dysfunctional. Now it works reasonably well.
You'll hear other people say Linux works well until it doesn't. Well so does Windows. It has many issues too that people tend to not mention. Don't get discouraged by those people. Most of the time Linux is totally fine for normal users, it's people trying to do abnormal things that then causes issues.
Welcome to the club :D
I did the same thing last summer and also switched to Mint and never looked back. So basically Im a fellow newbie. It was the best decision as everything just works minus the windows shenanigans.
Even gaming is almost perfect (apart from the occasional tinkering here and there) its more than great. All my games work great, some better than under win.
Im even in the middle of building my new gaming PC exclusively for Linux in mind.
As I have to use win 11 for work (work laptop) I can see switching was the right decision as every update makes it more annoying and bloated.
I hope you brought your bouncing shoes because as soon as you'll get comfortable, you'll start hopping a lot
I've just made the Switch to Linux for my gaming PC. I'm running Bazzite right now and it mostly worked. I had some trouble with my Bluetooth controller and speakers but they started working after I switched over to desktop mode and then restarted.
A lot of the troubles I'm having are mainly because it's an atomic distro instead of a normal one but that's on me. I figured an atomic distro would make it less likely I would accidentally break something.
It just works for me. I tried it about a year ago when I still had an Nvidia card and Wayland wasn't playing nice. I've since upgraded to an AMD and most things just work out of the box.
Indiana Jones and the Great Circle gave me some trouble, but that's just typical for MachineGames's engine on Linux.
The most difficult thing about Bazzite is figuring out rpm-ostree and package layering. Luckily there isn't much I need that's not in the package library.
Bazzite and Chimera are "SteamOS-like" distros that are more focused on providing a game console like experience.
They're immutable operating systems, and the primary UI is Steam. Definitely usable as a desktop PC but that isn't really their target niche.
Like SteamOS, it boots into game mode and provides the option to switch to desktop. There are versions of it that don't have the game mode but I'm using my PC primarily for gaming. As an atomic distro the system files are read-only. It's called atomic because the entire system is updated in a single operation instead of just updating individual packages. This means that installing new software can be a bit tricky requiring things like package layering or DistroBox.
One of the big things is the ability to just rollback your system to an earlier version if the update broke anything.
Bazzite is a custom image based on Fedora Silverblue. If you're interested in non-gaming versions of you can look at Fedora Atomic Desktops.
Microsoft has a whole Linux division now. They're fully in the "extend" portion of their plan:
Welcome to the dark side, we have cookies
Having said that, just as a suggestion, take a look at KDE. It feels a bit more windows like, is extremely customizable and as such can be made to work exactly how you want it
Yeah I used to use Ubuntu as a Linux desktop a few years ago. I just came back to install Fedora on my desktop and the whole process was super easy. Even for gaming, Nvidia drivers, Steam with proton, etc. all set up with zero command line interaction, troubleshooting or even looking up guides or anything. It was intuitive and works.
Literally the hardest part was I couldn't find my USB stick and ended up improvising with an old SD card as installation media.
The compatibility for gaming on Linux today is generally really good. The whole experience is really polished.
A better way to word this is "Next will be your privacy journey which will send you down an inifinte rabbit hole that you consumes you".
Lol no but seriously, it's a fun rabbit hole, but can get out of control if you're not careful.
Microsoft locked me out of my Microsoft account which has a large collection of games, an active game pass subscription, and ms365. They unlocked it after I appealed and claimed it was for "potential spam" from my outlook account which I hardly ever use.
Ridiculous. Just locked me out of all my purchases on a whim from some horrible AI moderating glitch. Done with them.
The secret of Linux is, if all your hardware works, it's actually easier to use for casual users. Most people nowadays use computers for web browsing and maybe playing media and light office tasks. A Linux Mint setup will have everything you need for that either preinstalled or ready to get fun the software store. If you don't need anything else, then it gets it of your way and just works. No viruses, little danger of malware, no crud to uninstall, no Microsoft account, no nagging apps, no ads, no attempts to upsell to paid cloud services or Pro, and no AI.
The problem arises when you want to go beyond that, and there's no obvious path ahead,v then people not used to the Linux way of doing things may run into trouble. But 90% of users, if someone sets it up for them, will do fine.
The City of Montreal has dropped Amazon from its list of suppliers, pledges to buy local
The City of Montreal has dropped Amazon from its list of suppliers, pledges to buy local
The City of Montreal had dropped Amazon from its list of suppliers in response to the still-looming tariff threat from the U.S.Cult MTL
The Cybertruck Appears to Be More Deadly Than the Infamous Ford Pinto, According to a New Analysis
The Cybertruck Appears to Be More Deadly Than the Infamous Ford Pinto, According to a New Analysis
A new analysis suggests that the Cybertruck might lead to 17 times more fatalities than the infamous Ford Pinto.Joe Wilkins (Futurism)
Certainly not automobile safety. This has nothing to do with technology, as in development, but is tangentially relevant being that Tesla positions itself as a technology company.
I don't see any posts here about all the other ev car companies. Technology can be technically be any progress or development, but I also don't expect to see tech posts about gradual iterations or improvements in the touchscreen operation of a lawnmower.
People come here to find out about new tech and the development of it. This is musk spam.
As I mentioned, technology can mean any development. So I didn't define it, so much as point out that a strict reading of the word is different to what people expect posts about.
Forks and knives are also a technology, but are not relevant here. If you don't get the nuance, or disagree, that's fine.
If you and others think it's relevant, enjoy, but I'm pointing out that for others, myself included, this is spam and more appropriately posted to other communities including but not limited to
Elevtic vehicles communities (about 20 exist)
Enoughmuskspam
Cars communities (about 20 communities)
I have twice showed you that my definition is meaningless, as is a dictionary definition. There is none so blind as cannot see.
If you think the safety rating of a niche car qualifies as technology news, you're in for an exciting time looking at history books.
The rules for this community say:
5: personal rants of Big Tech CEOs like Elon Musk are unwelcome (does not include posts about their companies affecting wide range of people)
Start a new community with a tighter focus, and block this one, if you don't like it 🤷♀️
How long have you been hopping? Is this your 3rd week or your 30th?
What are you looking for? Why are you hopping still?
What are some pros of the distros you tried? What are some of the cons?
Overall what's your favorite distro so far and which is your least?
- I have been hoping for a long time around 2-3 months.
- I mostly hope to see what different distro has to offer plus I get to know a lot about Linux and how it works. ( I am a Software Engineer so I learn a lot about softwares too)
- ok this is a tough one, I like Arch because of AUR and the concept of AUR, there isn't anything like it in other linux distro however it broke because I partially updated it by installing newer package on older deps this was my mistake that I didn't update my Arch system for a long time, I also liked Gentoo which gave me a deeper understanding of how software are compiled and gets installed on a Linux system.
- My favorite distro would be Arch and the least favorite would be Ubuntu
What's the weirdest one you've tried? Most challenging? Have you found any really cool defining features in any distro?
For example GoboLinux and NixOS eschew the Linux file hierarchy standard (FHS), and that becomes their defining feature. But many other distros have some other defining feature. Slackware uses tarballs as package management and oldschool init. LFS has you build from nothing. Etc.
What’s the weirdest one you’ve tried?
NixOS.
Most challenging?
NixOS.
Have you found any really cool defining features in any distro?
Flakes. lol
- YouTube
Auf YouTube findest du die angesagtesten Videos und Tracks. Außerdem kannst du eigene Inhalte hochladen und mit Freunden oder gleich der ganzen Welt teilen.www.youtube.com
Russia says it sees no positive steps from US on disarmament, RIA reports
The New Strategic Arms Reduction Treaty, or New START, which caps the number of strategic nuclear warheads that the United States and Russia can deploy, and the deployment of land- and submarine-based missiles and bombers to deliver them, is due to expire on February 5, 2026.It is the last remaining pillar of nuclear arms control between the world's two biggest nuclear powers.
like this
originalucifer likes this.
Russia criticizing the US nuclear arms policy is rich, given how they have both loosened their requirements on when they would use nuclear weapons, and have repeatedly and consistently have used nuclear threats as a military strategy since their invasion of Ukraine.
I guess they have to take this position as the US at least has working armaments and not just rusted, unmaintained, weapons.
Do you understand what NATO is? It's a transnational nuclear military without accountability to any populace, that was originally helmed by hand-picked Nazis to create an anti-Russian nuclear first-strike capability. Russia's direct statement about invading Ukraine explicitly said that NATO activity on their border has become too threatening to ignore. The very first NATO exercise in Ukraine happened months before the Euromaidan coup and immediately after the coup NATO began war exercises including flying B-52s in the region and simulating an invasion of Kaliningrad.
As far as the USA not having rusted outdated weapons, I point you to the $1T project to upgrade the US nuclear arsenal that started with the sentinel system and immediately hit an 80% cost increase (wral.com/story/cost-of-moderni…) and a timeline problem that puts the upgrade well beyond the service life of the current Minuteman system, which itself ran into failed test flights recently.
Not to mention the number of jets the US can't keep in the air.
Not to mention the fact that Russia has destroyed effectively 3 full Ukrainian militaries, first the stuff Ukraine had, then the first wave of American and European armor, and then the second wave of American and European armor, all while increasing its active duty count and increasing its military production capabilities.
The reason Russia is threatening nuclear escalation is because the US and NATO are the standing nuclear threat and they continue to use the logic of escalation instead of deescalation and every analyst can see this. You could see it too if you stop reading the propaganda rags and actually build yourself an understanding.
Cost of modernizing US Air Force’s nuclear missile arsenal increases by over 80%
(CNN) — The US Air Force’s project to modernize its nuclear missile arsenal is projected to cost approximately $141 billion, which is roughly 81% more than previously anticipated, and will be delayed by several years, officials said Monday.WRAL
Sucks the USA will be goaded once more into mass producing methods of deploying nuclear weapons.
You win this round Russia. 2026 will see a massive increase in American military. Just as you request.
It might see a massive increase in nuclear warhead production and pointless vehicle production, but the US military will continue to decline. There aren't enough truly dedicated Trump supporters to refill what's been lost over the last 8 years, and we have a new set of veterans from Afghanistan to preach the pointlessness of war and the fact the US government will not provide you practically any support once you're used up to stall or eliminate new recruits.
The fact Trump's destroying the VA and has already indefinitely paused GI bill payouts just adds to that fire, where not even shitty but 'safe' benefits are not guaranteed.
No matter how far down the LLM rabbit hole the government goes you can't sustain a war without a massive amount of soldiers. The US doesn't have that anymore.
Lebanon Defies Trump: Hezbollah and Allies Join New Government
Lebanon Defies Trump: Hezbollah and Allies Join New Government - News From Antiwar.com
The Trump Administration’s attempt to dictate terms on the new Lebanese government’s cabinet appears to have failed spectacularly.News From Antiwar.com
Kurdish rebels lose USAID funding for concentration camp
Blumont, a Virginia-based humanitarian aid group responsible for the management of two of Syria’s IS detention camps, al-Hol and al-Roj, was given a stop-work order on 24 January by the US state department.
The camp holds the relatives of suspected IS fighters and is mostly populated by women and children. Rights groups have for years warned that detainees are held arbitrarily without charges in inhumane and substandard living conditions.
No charges have been raised against the camp’s population. Despite this, they are unable to leave, with the exception of non-Syrian detainees whose countries agree to take them back.
Kurdish officials fear Islamic State revival as US aid cuts loom
Humanitarian groups worried north-east Syrian camps holding suspected IS members will lose basic facilitiesWilliam Christou (The Guardian)
like this
Maeve and Dessalines like this.
like this
Limitless_screaming likes this.
like this
Limitless_screaming likes this.
Statistically, of your ancestors down the line committed an absolutely heinous act.
Kill yourself now if you really think your point is valid.
when all the Nazi libs in other instances lie about hexbear being evil, this is what they are talking about.
Next time someone asks about hexbear, this absolute clown is going to chime in and say "one time they were defending ISIS! I saw it myself!"
And no one they say that to will go check the post and see that it was indeed the Nazi lib justifying putting women and children in prison for being in proximity to ISIS members. They will believe the Nazi lib and never go to see that hexbear is against imprisoning children and women and it is indeed the Nazi libs from other instances who believe concentration camps are good, actually.
They're gonna wish they did a Xiajiang style re-educate and release style program. Boys have been born in this camp, aged out of the women and children camp, and put straight into a prison with adult men who were doing actual terrorism.
Basically an extremism factory, almost as if it was done on purpose.
AP covered similar
apnews.com/article/syria-hassa…
Islamic State members held for years in a Syria prison say they know nothing of the world
A prison in Syria holds about 4,500 members of the Islamic State group who have been there for years without trial.BASSEM MROUE (AP News)
Interesting. AP leaves out the word "alleged" from the title and mentions it later in the article.
Associated Propaganda doing a bang on job of lying even harder than TheGuardian.
Gold dealers sell Bank of England bullion at discount in tariff turmoil
Gold dealers sell BOE bullion at discount in tariff turmoil - MINING.COM
Dealers are quoting prices for gold at the BOE at discounts of more than $5 an ounce below spot in London.MINING.COM
Top scientist: We can't adapt our way out of this climate crisis
Top scientist: We can't adapt our way out of this climate crisis
“People do not understand the magnitude of what is going on,” says Katharine Hayhoe.Mother Jones
Dessalines likes this.
just_another_person
in reply to lonesomeCat • • •lonesomeCat
in reply to just_another_person • • •just_another_person
in reply to lonesomeCat • • •lonesomeCat
in reply to just_another_person • • •just_another_person
in reply to lonesomeCat • • •lonesomeCat
in reply to just_another_person • • •Jumuta
in reply to lonesomeCat • • •someonesmall
in reply to lonesomeCat • • •lonesomeCat
in reply to someonesmall • • •someonesmall
in reply to lonesomeCat • • •lonesomeCat
in reply to someonesmall • • •Yes, it's listed in lsusb output.
Here's svlogtail output
... show moreYes, it's listed in lsusb output.
Here's svlogtail output