Salta al contenuto principale


in reply to IndustryStandard

they need to be spread out throughout the entire track so that they don't get a moment of peace.
in reply to IndustryStandard

I watched the entire Tour de France, and was surprised there weren't any protests like this against Israel Premier Tech. Protests at the TDF are pretty common.

It's also interesting that while the team is based in and sponsored by Israel, there is only one Israeli rider on the team riding the Vuelta right now. And back in July during the TDF not a single rider on their roster was Israeli.





in reply to iqarwone

"Windows has inconsistency with icons and design in some areas."

I prefer Linux, but what? Oh, hello pot! Have you met my friend kettle?



Labour council leader called rape gang victims ‘white trash'


cross-posted from: lemy.lol/post/51666631

Dennis Jones, the leader of Peterborough City Council, made the comments in late-night exchanges with a younger councillor, Daisy Blakemore Creedon.

When she raised concerns about immigration and women's safety, Jones lashed out: "Oh so white British cops fucking poor white trash in Rotherham is OK, is it? Get a fucking grip, Daisy."



Labour council leader called rape gang victims ‘white trash'


Dennis Jones, the leader of Peterborough City Council, made the comments in late-night exchanges with a younger councillor, Daisy Blakemore Creedon.

When she raised concerns about immigration and women's safety, Jones lashed out: "Oh so white British cops fuckingg poor white trash in Rotherham is OK, is it? Get a fucking grip, Daisy."


Questa voce è stata modificata (1 settimana fa)


Labour council leader called rape gang victims ‘white trash'


Dennis Jones, the leader of Peterborough City Council, made the comments in late-night exchanges with a younger councillor, Daisy Blakemore Creedon.

When she raised concerns about immigration and women's safety, Jones lashed out: "Oh so white British cops fuckingg poor white trash in Rotherham is OK, is it? Get a fucking grip, Daisy."

Questa voce è stata modificata (1 settimana fa)


China unveils brain-inspired AI that could redefine efficiency


preprint here arxiv.org/pdf/2509.05276v1

in reply to ChaoticNeutralCzech

Hmmm... All right for me, why can't I replicate the issue with this comment?
Questa voce è stata modificata (1 settimana fa)



is the command locate too old for debian 13 xfce?


locate is a command I've used in the past, but now, fresh installed with sudo apt get locate it doesn return anything.

locate --version returns
locate (GNU findutils) 4.10.0, from 2024

or, have I forgotten something?

in reply to arsus5478

locate uses an index you need to update using updatedb before it is able to find anything.

updatedb may run periodically because of a cron job, but the index is probably missing right after installing it manually.

Questa voce è stata modificata (1 settimana fa)
in reply to gnuhaut

Why don't filesystems maintain such a database so you don't have to spend cycles on a file indexer ?
in reply to interdimensionalmeme

They do. You look at it every time you see the contents of your disk. It's just organised in a tree to make path based lookups fast and locate organises its database differently to make fast basename lookups.
in reply to interdimensionalmeme

I guess because that adds extra complexity that isn't inherently necessary and can be added on top, plus it eats resources. You'll spend the cycles either way basically, at least this way it's optional. I don't bother with a file indexer because with SSDs nowadays, find is pretty fast, and how often do you search for files anyway?

Linux has APIs to get notified on file system events (fanotify, inotify) which would allow such a service to update itself whenever files are created/delete immediately, but locate is way older than that, from the 80s. I think popular DEs have something like that.

There's also ways to search for specific files that come with packages (e.g. dpkg -S), because the package manager already maintains an index of files that were installed by it, so you can use that for most stuff outside /home.

in reply to gnuhaut

I search for files dozens of times per day, it's largely how I navigate between folders.
And often advanced searches like only this root folder, in reverse order of accessed time, or only folder
On windows I use void tools everything but nothing like it compares in speed and ease of use on linux.
It's one of my many roadblock to transition to linux.
in reply to interdimensionalmeme

Have you tried RTFM? 😛

Jokes aside afaik you could do everything you mentioned with sort, find (with -type f, -printf and -mtime) and grep (filtering via regex with the -e flag).

Alternatively you could try KDE's file explorer dolphin (or even just its search utility kfind) as a graphical alternative.

My point is switching to linux is not quick or easy, but there are few really impassable roadblocks (games with shitty kernel level anticheat for example) and there is a high likelyhood someone in this community has encountered your problems aswell and migjt even know a solution.

in reply to pitiable_sandwich540

Nemo, Cinnamon's file manager, also has great built-in search. I almost never feel the need to open up Catfish.
in reply to swelter_spark

Yeah, i like nemo a lot, i use it on my main machine when i need a gui, because it has not as many dependencies as dolphin. And it does not feel as "bloated" as dolphin. It does one thing (be a file explorer) and does well. 😀
in reply to pitiable_sandwich540

using find to sort all pictures in /pics/ by inverted (i.e., most recently accessed first) access time, and filtering only those with an exposure time between 1/20 and 1/100 seconds

find /pics/ -type f \( -iname '*.jpg' -o -iname '*.jpeg' -o -iname '*.png' \) \
  -exec exiftool -ExposureTime -T {} \; -exec bash -c '
    file="$1"
    exposure="$2"

    # Convert exposure to decimal
    if [[ "$exposure" =~ ^([0-9]+)/([0-9]+)$ ]]; then
        num="${BASH_REMATCH[1]}"
        denom="${BASH_REMATCH[2]}"
        exposure_val=$(echo "$num / $denom" | bc -l)
    else
        exposure_val="$exposure"
    fi

    # Filter by exposure between 1/100 and 1/20 seconds
    if (( $(echo "$exposure_val >= 0.01" | bc -l) )) && (( $(echo "$exposure_val <= 0.05" | bc -l) )); then
        atime=$(stat -c %X "$file")  # Access time (epoch)
        echo "$atime $file"
    fi
  ' bash {} $(exiftool -s3 -ExposureTime {}) | sort -nr

In voidtools everything it would be

pic: path:"C:\pics" sort:da-descending ExposureTime:1/20..1/100

But actually doesn't work because "ExposureTime" is only available as an sorting order not a filter but you get the gist ;)

in reply to interdimensionalmeme

Ah yeah okay, I see, that would be quite tedious to implement in bash. Everything looks pretty neat. 😁

Buuut I just looked at KDE's search framework filter options (used by dolphin if you press + f ) and it seems it is indeed possible to search/filter by exposure time with dolphin or via directly in the cli.

in reply to interdimensionalmeme

Seems like a good and useful workflow for sure. Don't know if something equivalent exists, maybe it doesn't.

I'd personally use find for this, but it is a command line tool, and while I have memorized some of the more common options (directories-only would be -type d for example), I'd have to look at the manpage for more advances options. It's not hard exactly but it's not easy-to-use GUI software for sure.

in reply to gnuhaut

I've taken to using chatgpt to make me the more advanced find queries, before on linux I would ONLY use find /path | grep -i somenames
So that's already an improvement, if still a bit tedious

The thing about everything is that it's so ergonomic, fast and powerful.

Being able to search anything and sort everywhich way with the click of a button

Check out this sublime search syntax (this not even half of it ! )

And the re-ordering by columns, and there are just SO MANY columns you can add, like search by EXIF camera exposure, no problem !

I really wish there was something as good as "everything" on linux, it's just awesome.

in reply to interdimensionalmeme

Oh that's pretty cool! I does seem like a shame to not have something like that on Linux.
Questa voce è stata modificata (1 settimana fa)
in reply to gnuhaut

Maybe it could run on something like wine ?
But if there's not something like... whatever it is that thing that makes WizTree faster than WinDirStat, then it would probably work in a very slow compatibility mode
in reply to interdimensionalmeme

You might like fd. And bat. And generally awesome shell.
Questa voce è stata modificata (6 giorni fa)
in reply to MonkderVierte

I wonder if the helper-scripts would allow something like that or if they're proxmox scripts only ?
in reply to arsus5478

Btw, there's also
IFS=:; find $PATH -executable -iname "$1" -print
Speed advantages of a indexed DB don't matter much anymore with nowadays hardware.
Questa voce è stata modificata (6 giorni fa)


[Video] Zionists from Spain harass the Gaza flotilla with Israeli genocide glorification music. Claiming they will play it every night to prevent them from sleeping


Additional context from an ex-Israeli who knows the song:

It's not just some random Israeli music he's playing, it's genocidal anthem "Harbu Darbu" by Ness & Stila. This song has played (and continues to play) a significant role in creating the post-October7 hyper-genocidal atmosphere that's been sweeping Israel and enabling a Holocaust
Questa voce è stata modificata (1 settimana fa)


How to make tagging easier?


When I want to tag a post, I often come across the issue of "tagging uncertainty". E.g.

  • Did I use singular (KungFuMovie) or plural (KungFuMovies) on other occasions?
  • Did I use 'native' (KurosawaAkira) or Western (AkiraKurosawa) name order?
  • Have I even used a tag on this topic before, or is it the first time?

In order to check, I:

  • scroll up or down until I see the top of the community sidebar info
  • middle-click the link there to the community home page (only available on my own community because I placed one there myself) to open in a new tab
  • switch from posting window tab to that new tab
  • scroll down until I see "All community tags"
  • click on that
  • look for the tag I'm interested in
  • go back to the tab with the posting window
  • write the desired tag

E.g. for this very post, I wasn't sure whether to tag it "tag", "tags" or "tagging". I had to click "Communities", search for "help", middle-click on "Piefed Help", switch to that tab and then look at the tag area to see which form has been used previously.

Some ideas that might make tagging easier:

  • a "See all community tags" link next to the tags field in the posting window (easy to do?), opens in a new tab or a pop-up
  • auto-suggest one or more tags once you start typing one in the tag field (hard to do?), like on Mastodon
  • any other ideas, anyone?
in reply to Blaze (he/him)

It's kind of a "wisdom of the crowd" thing. The idea that on average, in aggregate, most of the time, it starts to make sense and be useful. But individual posts are often tagged very "wrongly".

Having said that... For space reasons the tag list in the sidebar is limited to 30 tags and I'm sure there is more we could do to improve the utility of it. Maybe a separate page which has a rotatable tag cloud at the top and below that the list of posts dynamically updates based on whatever is the currently selected tag...

in reply to Rimu

Honestly?

At this point, given their very limited range of usefulness (one-community-only, mods can't add, remove or edit tags on posts, clicking #tag won't find #tags or #tagging, the work required to try to avoid such 'tag splitting', Lemmy users can't add them, Lemmy users can't see them), I'm tempted to just stop bothering with tags altogether.

But then I remember "Search this community" doesn't really work...

:::spoiler jackiechan tag vs "Search this community" for jackie

:::

So if I give up on tagging and community search is broken, what option does that leave for anyone trying to find something in a community? Flairs? Or just plain, old Ctrl+F? (Yes, I've had to resort to this with Piefed, with varying degrees of success.)

(I've already learned to keep an Alex Lemmy page open all the time, so I can do things like search a community.)

So I guess I have to keep tagging if I want Piefed users to be able to ever find anything. And I guess it will still involve me doing all those steps I listed in OP. 🙁 Not exactly a candidate for !piefed_joy@piefed.social





Google’s $45 Million Contract With Netanyahu's Office to Spread Israeli Propaganda


in reply to BCsven

They publicly recinded their "Don't be Evil" motto years ago. You should know that anyone that does something like that is evil.

Degoogling is a thing for this reason.

in reply to BCsven

Interested in how you deal with photos and "drive". For mail/calendar I'm looking at tuta, i'm still not sure how to deal with the large number of accounts i have associated with gmail.
in reply to karlhungus

Yeah me too. My only hope is he was pandering to trump so trump wouldn't pull the plug on encrypted services like proton. proton is moving services out of Switzerland due to new laws being passed that providers must keep and handover keys for data to authorities. They are moving data services to Germany. They started with their AI chatbot, and are supposed to be moving the rest...so since its in Germany Tuta is probably a good choice since we can't rely on swiss privacy anymore
in reply to NightOwl

$45 million??? That's a rounding error on a single day of Google's income. I'm not even a little shocked that they have no scruples or integrity whatsoever, but I AM shocked how apparently CHEAP our democracy is.

Hell, it'll probably cost more than that to IMPLEMENT this in any meaningful sense!

Questa voce è stata modificata (1 settimana fa)


I am going to Gaza with the flotilla.


Hi everyone.

I'm a member of the flotilla and preparing to leave for Gaza soon hopefully. A lot hanging on logistics and other things still but I will know more the coming days.

Had to start a new channel old one did not work properly youtube.com/@andersjohansson-o…

action_for_palestine@tankie.tube will only post post sailing here.

anders_gsf@tankie.tube for the trip

Sorry for the changes had to switch up on the phones a bit.

We will set sail in September. I hope to be be able to update a bit on these channels and setting up new accounts for this purpose.

Any tips, shares and discussions are welcomed and I hope to be be able to update on the journey a bit here.

Official updates will be made from official accounts but this will be my personal experience and as a backup for when other communications no longer are available.

Palestine will be free!

Official channels:
globalsumudflotilla.org/
X -
@gbsumudflotilla in
stagram -
globalsumudflotilla
Telegram -
@globalsumudflotilla
youtube.com/@globalsumudflotil…
tiktok.com/@globalsumudflotill…

I am currently as reserv and helping out , not sure if I will be able to sail. I hope so but a lot of things to happen before a decision there.

Barcelona just had a press conference announcing departure

Got instagram @andersjohanssongsf

Questa voce è stata modificata (3 giorni fa)
in reply to From_the_river_to_the_sea [none/use name]

Hi , so I still can't update much more but to say we have been delayed. A lot of work do to here and amazing people to meet . Huge support from the locals here in Italy. The dockworkers union will stop all Isreal transports if any interference with the flotilla. As well as other actions from university groups and others.

When I applied for this my thoughts was that the likely outcome would be interception . Now I'm getting more and more hopeful that we will actually be able to go all the way to Gaza.



DNS app asking for my location. How bad is that?


I'm working on an old tablet and couldn't figure out how to switch to dns over https, so I got an app that assisted. I found one that only had 1000 downloads, no reviews, and just someone's name as the creator so I thought it was safe, but it's asking for my location to scan wifi signals. Is that phishy or standard issue?
in reply to irmadlad

Some people don't realise it immediately, though. What would you say for that one?
in reply to birdwing

Well, for one, I'm not giving OP the piss for downloading the app. We all get suckered at one time or another. However, as I highlited, 1000 downloads, no reviews, and just someone’s name, is cause to pause and do some diligent searches regarding the app. If it were legit, most likely you'll find someone who has used the app and voiced their opinion. For instance, when I go to github, the first thing I want to see is when was the last activity, how many stars, how mature is the project, read the issue tracking section, etc. After a while you get a spidey sense about stuff.

Be cautious and verify.




in reply to icegladiator

As a former Mormon I find this mildly interesting, but I don't have much hope that large numbers of LDS people will begin to protest against the genocide. The pro-Israel thing is deeply embedded... as in, I'm pretty sure there are an awful lot of LDS people who will see the sacrifice of a million or two Palestinians, even if totally innocent, as a reasonable price to pay for God's Chosen People getting the Land Of The Covenant to usher in the Second Coming.

Even deeper than that: Mormons are mostly herd animals. Dissent has been trained out of them (unless the dissent is authorized by the First Presidency).




Are private email providers worth it?


I think I know the answer, bit maybe I'm missing something

Since proton only sends and receives encrypted emails to other proton accounts, that means that when you get or send an email to someone else, they have to send / receive unencrypted and there is no way for us to verify what they are doing. Right?

Also if most accounts are google Microsoft, they still get 90% of my emails. By switching to proton I think I've gained nothing, while losing convenience , added another trust point, and having two different companies have my data instead of just one

Proton drive, calendar and VPN I think are fine

Sorry for the poor syntax. I'm at work working on email related things, and this topic kept distracting me. I might correct it later

in reply to notarobot

I wouldn't say you have gained nothing. The amount of data provided to google or microsoft when using their email is significantly more. For example, your app or client is checking email all of the time, giving them telemetry on your location and activity, all your devices, 24/7. Google logs and analyzes all of your interactions with Gmail's web pages, how long you have certain emails open for, what you don't bother to open, what you tag as important, etc.

Much of the one-way email you sign up for from companies and organizations come from smaller outfits like sendgrid or their own infrastructure, so you are cutting google out of information about your associations and interests.

Also, in regards to that 90%, you can either be part of the problem for all your contacts, or part of the solution. The network effect is huge.

Questa voce è stata modificata (1 settimana fa)
in reply to Jason2357

Interesting. Damm it. I was hoping to go back to gmail because its more convenient. But if it actually provides better privacy, then I guess I can stay 🙁
in reply to notarobot

the thing with proton is you don't really know that they're private and they pretty much always collaborate with the police and their android vpn app collects some data that it doesn't need to. I would suggest you:
1. don't use email, that's the ideal solution
2. use a provider like cock.li and send messages encrypted with pgp. this isn't ideal, pgp leaks a lot of data and cock.li gets sinkholed by most email providers.
3. use proton and encrypt emails with pgp, you have not much privacy but it's less worse than microsoft and not much convenience loss, except that proton doesn't allow email clients(at least if you don't pay), I don't know about ms).
in reply to Int32

I don't know how old are you or where you live, but for everyone I know it's non optional. My government requires an email. And for any site I want to use I require an email. Even Lemmy.
in reply to Int32

they pretty much always collaborate with the police


a corporation is a legal extension of the state, hence why all of them will always collaborate when ordered by the courts or otherwise required by law.

some will even collaborate when they are not required by law such amazon ring providing pigs access for no reason, facebook censoring content per request of US or Israel... needless bullshit but hey it helps get government contracts ;)

bottom line, expecting corpo to do anything for you for 5 bucks a month is naive, at best they should not do it for no reason and they should not sell your data.

but even that is a tall order for these parasites.




Linux Mint 22.2: still fixing the Linux desktop




Linux Mint 22.2: still fixing the Linux desktop


Secure your passwords and logins with Proton Pass: proton.me/pass/TheLinuxEXP

Grab a brand new laptop or desktop running Linux: tuxedocomputers.com/en#

👏 SUPPORT THE CHANNEL:
Get access to:
- a Daily Linux News show
- a weekly patroncast for more thoughts
- your name in the credits

YouTube: youtube.com/@thelinuxexp/join
Patreon: patreon.com/thelinuxexperiment

Or, you can donate whatever you want:
paypal.me/thelinuxexp
Liberapay: liberapay.com/TheLinuxExperime…

👕 GET TLE MERCH
Support the channel AND get cool new gear: the-linux-experiment.creator-s…

Timestamps:
00:00 Intro
00:33 Sponsor: Proton Pass
02:06 Basics
03:05 Fingerprint Support
04:37 GTK4 / GNOME app integration
08:49 Other Changes
12:20 Parting Thoughts

#linuxmint #linuxdesktop #linux


in reply to monovergent 🛠️

I'm not sure why you shared that you didn't read news in the past 5 years.
Questa voce è stata modificata (1 settimana fa)
in reply to illusionist

I, too, usually don't read about a distribution I don't use.

Why would we have ever heard of libadapta?




Apple: iPhone 17 lineup and iPhone Air come with Memory Integrity Enforcement, which provides always-on memory safety protection


cross-posted from: programming.dev/post/37193710



Apple: iPhone 17 lineup and iPhone Air come with Memory Integrity Enforcement, which provides always-on memory safety protection


::: spoiler Comments
- Hacker News;
- Lobsters.
:::





Intermediary age assurance provider collecting user data on specific URLs, more | Discovery of stealth data collection raises questions about who can ‘provide’ services


cross-posted from: programming.dev/post/37194712

Technical Report.



Intermediary age assurance provider collecting user data on specific URLs, more | Discovery of stealth data collection raises questions about who can ‘provide’ services


Technical Report.




Intermediary age assurance provider collecting user data on specific URLs, more | Discovery of stealth data collection raises questions about who can ‘provide’ services


cross-posted from: programming.dev/post/37194712

Technical Report.



Intermediary age assurance provider collecting user data on specific URLs, more | Discovery of stealth data collection raises questions about who can ‘provide’ services


Technical Report.






Intermediary age assurance provider collecting user data on specific URLs, more | Discovery of stealth data collection raises questions about who can ‘provide’ services


cross-posted from: programming.dev/post/37194712

Technical Report.



Intermediary age assurance provider collecting user data on specific URLs, more | Discovery of stealth data collection raises questions about who can ‘provide’ services


Technical Report.





Crafting a retro desktop for old computers (~1GB RAM) the right way


I have an old Asus EeePC 1015T netbook with an HDMI (and VGA) output, a screen that glitches if I'm holding it wrong, a huge, tired, unreliable battery, a noisy fan that fails to cool it to less than skin-burning temperatures, and slightly less than 1 GB of RAM. I've seen Xubuntu, then Lubuntu, become slowly unusable on it; I've tried to install Arch then Sway, but although the device got kinda less sluggish, the leaning curve for a tiling window manager was still too high.

So here's a thought experiment: could I craft a Linux setup with a themeable yet cohesive Windows 98-like UI, that I can plug to an old monitor (1280x1024 should be enough) and that can be just responsive enough to do basic, focused tasks (writing, listening to music and webradios, browsing Wikipedia, perhaps playing Doom) using this kind of very limited hardware? The idea would be to have some sort of reliability: instead of installing an old distro and freezing all updates, I'd ideally go for a modern basis that I can upgrade without worrying of watching my setup collapsing on itself; so I could reproduce this setup on other, similarly old computers, and turn them into retro distraction-free appliances where you could chill with a classic Windows feel and Winamp themes.

I have some ideas but I'm not sure about the best approach. I've tried an immutable Fedora image (Blue95), but after a full day and night of waiting for the setup and rebase to complete, the end result was way too slow to be usable. Then I went for BunsenLabs on a Debian Trixie basis: it works okay performance-wise, but there's a lot of obscure menu items pointing to small apps to customize (you have to know what a "conky" or a "tint2" is, and also understand that the default panel is a third different thing). I'm thinking of trying postmarketOS, since the Alpine base sounds lightweight enough, but I havent figured out how to install it on my EeePC.

Could Wayland be possible with these hardware limitations? If so, how should I setup it? I guess labwc (pictured above) is the best fit for a Win9x experience, but what is needed afterwards? LXQt or Xfce or something else?

I'm curious to hear your thoughts!

in reply to ailepet

I support it. But you will need the streaming software to fetch and listen to webradios and the like.


“RUBARE allo STATO non è sempre reato” (mannaggia!)


A me capita di seguire vari avvocati su YouTube, ma certe volte mi chiedo se sarebbe meglio restare nell’ignoranza per le questioni di legge, perché altrimenti ci si fa il sangue amarissimo… non quanto il “caffè amaro come la vita”, ma molto peggio, perché almeno il caffè è gustoso, mentre la realtà del nostro mondo […]

octospacc.altervista.org/2025/…


“RUBARE allo STATO non è sempre reato” (mannaggia!)


A me capita di seguire vari avvocati su YouTube, ma certe volte mi chiedo se sarebbe meglio restare nell’ignoranza per le questioni di legge, perché altrimenti ci si fa il sangue amarissimo… non quanto il “caffè amaro come la vita”, ma molto peggio, perché almeno il caffè è gustoso, mentre la realtà del nostro mondo nemmeno per un cazzo. E stamattina, per l’appunto, chi mi ha ricordato ciò è stato l’avvochad Angelo Greco… 😭

youtube.com/watch?v=QtQ0T4fnxk…

In breve, in questo video dice una cosa che sappiamo tutti, cioè che rubare allo Stato, una condotta che a primo impatto parrebbe gravissima, a volte è legalmente permesso — e anzi, aggiungerei io che in certi casi è anche premiato, o quantomeno fare il contrario significa essere vittime di scherno e biasimo, paradossalmente… Qualcosa di già assurdo di per sé, ma mai quanto un’altra cosa che difficilmente ci viene in mente, cioè che invece i danni piccoli vengono puniti alla grande; l’esempio che lui fa, per dire, è che se qualcuno ti passa una banconota incaricandoti di andargli a comprare il gelato, e tu te ne scappi coi soldi invece di assolvere al compito informale e deciso a voce, ti becchi (fino a) 5 anni di carcere, “appropriazione indebita aggravata”… 💀

Insomma, questa è l’Italia. Ovviamente, questo fatto lo si può vedere applicato su una scala più ampia e totalizzante, dove la punizione è, con gran paradosso, sempre inversamente proporzionale alla colpa. E quindi, se rubi i soldi del gelato e la vittima ti denuncia vai in galera, se sei un borseggiatore che dalla mattina alla sera sta a rubare alle persone ti arrestano per qualche minuto ma poi torni in libertà, se sei un imprenditore che evade il fisco magari passi qualche brutta nottata ma alla fine non succede niente, e se invece sei un politico che usa i soldi pubblici per cose proprie non ti indagano nemmeno… figurati pagare multe o che… 🥱

Che schifo, davvero. Non trovo nemmeno qualcosa da dire per ribaltare tutto e ridere, a questo giro… la riflessione di oggi è davvero così tanto amara; mi dispiace se ho rovinato la giornata a qualcuno. E non so se sia più grave il fatto che, a dire il vero, le cose in questo paese sembrano andare così, all’incontrario, da quando questo esiste… o se la vera questione sia che andando avanti questi paradossi aumentano, anziché diminuire… in questa repubblica dove, nei tribunali, campeggia sempre la scritta “la legge è uguale per tutti“, nonostante il fatto che questa frase sia forse la più grande bugia di tutti i tempi, e i politici non fanno e faranno altro che prendere tutti per il culo… 🙁

#AngeloGreco #Italia #legge #riflessione #rubare




Zionist group sues two Australian academics for opposing the Gaza genocide


A group of pro-Zionist staff and students, backed by a high-profile legal team, is suing University of Sydney academics Nick Riemer and John Keane in the Federal Court of Australia for making public statements opposing the Gaza genocide.
in reply to technocrit

As of writing, the total had almost doubled to over $112,000 from some 1,200 individual donations.


this is a tiny fraction of what they're going to need in combat both the isreali and australian gov'ts; they're fucked.

in reply to Madison420

that's less than a yearly salary for an entry level software engineer in the united states and no where close to the salary of a team of lawyers with the requisite experience to litigate this case.

nevertheless, i hope i'm wrong.

in reply to eldavi

Lol no its not median is 130k which means most jobs are well under that and a few far exceed it. That said that wasn't the issue I had, they aren't fighting the Australian government.
in reply to Madison420

i guess i keep forgetting that anecdotal experience is a thing and the article points out the australian law:

The court case follows on from a complaint lodged by law firm Levitt Robinson last year with the Australian Human Rights Commission (AHRC). It alleged that Riemer and Keane had violated Section 18C of the Racial Discrimination Act, which prohibits public acts that “offend, insult, humiliate or intimidate another person” based on their race.


i don't know what it's like under the australian system, but in the american one; they have to defend themselves first.

in reply to eldavi

They are not fighting the Australian government.

It is a statutory body funded by, but operating independently of, the Australian Government. It is responsible for investigating alleged infringements of Australia's anti-discrimination legislation in relation to federal agencies.


Barring that they still do not have to defend themselves at this point they're just responding to a complaint.

in reply to technocrit

Here is the funding page in case anyone is interested

chuffed.org/project/143224-hel…



The Genocide Has Turned Americans Against Israel


For the first time ever, polls show more Americans support Palestine than Israel. The unwavering fealty to Israel of the Democratic Party and a range of other American institutions can’t last forever.
in reply to eldavi

And call those who are unconditionally anti-genocide to be 'purity testing'
in reply to Keeponstalin

I'm facing this where I live. Candidate for governor is a former representative who took hundreds of thousands in AIPAC money and has said infuriating things about the genocide. And yet my liberal family members are outraged I don't intend to vote for them. Seems like if you're going to have a red line then "support for genocide" is a pretty damn good place to draw it.


100 killed in one day including children queuing for water in Gaza (Video short)


Israel killed more than 100 Palestinians in one day in Gaza, including seven children who were targeted by an Israeli drone while waiting in line for water.


Ice obtains access to Israeli-made spyware that can hack phones and encrypted apps


US immigration agents will have access to one of the world’s most sophisticated hacking tools after a decision by the Trump administration to move ahead with a contract with Paragon Solutions, a company founded in Israel which makes spyware that can be used to hack into any mobile phone – including encrypted applications.

The Department of Homeland Security first entered into a contract with Paragon, now owned by a US firm, in late 2024, under the Biden administration. But the $2m contract was put on hold pending a compliance review to make sure it adhered to an executive order that restricts the US government’s use of spyware, Wired reported at the time.

That pause has now been lifted, according to public procurement documents, which list US Immigration and Customs Enforcement (Ice) as the contracting agency.


in reply to technocrit

Genocide in the colonies <---> Fascism in the imperial core
Questa voce è stata modificata (1 settimana fa)
in reply to technocrit

the day americans realized that fascism and capitalism are the same thing is the same day that americans end civilization as we know it.

in reply to iqarw

I created. !flipping@lemmy.world to discuss selling on various platforms. I just flipped a PC I built yesterday for a $60 profit.


Fastest disk-space usage analyzer (for files), faster than ncdu?


Ncdu takes ages to run on my system, its like 500GB+ of storage space, but it takes roughly an hour to finish scanning, probably a bit less, is there any alternative which either constantly monitors my files so it always knows the sizes for me to navigate or is significantly faster than Ncdu?
in reply to SpiderUnderUrBed

I'll echo everyone else: þere are several good tools, but ncdu isn't bad. Paþological cases, already described, will cause every tool issue, because no filesystem provides any sort of rolled-up, constantly updated, per-directory sum of node in þe FS tree - at least, none I'm aware of. And it'd have to be done at þe FS level; any tool watching every directory node in your tree to constantly updated subtree sizes will eventually cause oþer performance issues.

It does sound as if you're having

  • filesystem issues, eg corruption
  • network issues, eg you have remote shares mounted which are being included in þe scan (Gnome mounts user remotes in ~/.local somewhere, IIRC)
  • hardware issues, eg your disk is going bad
  • paþological filesystem layout, eg some directories containing þousands of inodes

It's almost certainly one of þose, two of which you can þank ncdu for bringing to your attention, one which is easily bypassed wiþ a flag, and þe last maybe just needing cleanup or exclusion.

in reply to SpiderUnderUrBed

Ncdu


I learn something new every day. I've been running du -a | sort -rn | head like some kind of animal. ncdu runs very fast on my systems and shows me what I want to see. Thanks!



Minor update (9) for Vivaldi Desktop Browser 7.5

Download Vivaldi

The following improvements were made since the eighth 7.5 minor update:

† Windows and Linux x86_64/arm64 users will not receive this update.

Main photo by Ruarí Ødegaard.

vivaldi.com/blog/desktop/minor…

Questa voce è stata modificata (3 giorni fa)


Essential Steps to Launch Your Photography Business


Essential Steps to Launch Your Photography Business #online-invoicing-software #accounting-software #invoice-payment-process

Turn your passion for photography into a business with essential tips on equipment, branding, marketing, and managing your services effectively.

Nowadays, professional photographers are needed in multiple industries like journalism, real estate marketing, and travel. If you have a passion for photography and are interested in starting your own business, its valuable to look into integrating both.

If you are looking to start your photography business, first be prepared for the equipment of your studio with certain things like high-quality cameras and other accessories. After preparing this, you will also do marketing for your photography skills, which requires a website, accounting software, a logo, and other things.

Start your own photography business within your ability. Prepared with a detailed business plan, ready to manage your startup expenses and start sharing your innovative photography services with the world. Here are some tips for getting started with your own photography business.

Starting a Photography Business Without Experience: What You Need to Know

Photography Startup Plan
A great business plan helps to clarify your business strategy, recognise possible challenges, find necessary resources, and assess the market potential of your idea. First, take priority in launching your business, then plan to manage customers in appointment scheduling, the type of services you are providing and handling your invoice and payment process.

Next stage, you need to identify your business's targeted audience through research and plan to set up the price list for your services. Then buy quality cameras and accessories from brands that will ensure high picture quality, which will satisfy your customers.

**Choose a Business Name **
Every business needs a business name, and it is important to choose a unique one. While selecting a business, keep this in mind: it should be catchy, easy to remember, may reflect your niche, and relate to your business. Also, choose a name that not only reflects your speciality but also needs to leave a good, long-lasting impression with your clients.

Before finalising your business name, you need to check the domain availability for that name. For that, you need to verify with the business registry that no one else used this same name. After choosing the correct business name, you can create a logo and free business cards making using online software like Invoice Temple, etc.

Registration and Getting Licences
After finalizing your business name, you need to register your business as a limited liability company (LLC) or a corporation. You can also register with a less formal structure known as a sole proprietorship, which does not offer many protections. Also, having some specific rules for registering businesses, obtaining a business license, collecting and sending sales taxes and periodically reporting business information.

Getting a business license not only allows you to run your photography business legally but also you need to build trust with your clients, which leads to improving your business. To secure your business license, you need to get in touch with the license authorities and submit the required documents.

**Creating Website and Establishing **
With your business name, buy a domain and create a website for your business using online platforms like WordPress, Wix, GoDaddy, etc. Design and add posts, photos, videos, and blogs to your website. With this information, add a clear call to action and contact forms to convert the visitors into clients. In this crowded market, you need to create an individual name for you to run your business. Effective marketing strategies help you to promote your business in the business marketplace.

Create engaging contents that reveal your best works and offer valuable tips in the form of blogs. Use relevant hashtags, run targeted ads, and regularly engage with your followers to build relationships. Collaborating with other creatives or influencers may help you expand your business growth.

For photography, your business must be well equipped with essential features like a high-quality camera, editing software, a business licence, and marketing tools such as business cards, a website, flyer designs, and a unique logo.



in reply to BorgDrone

Now if you would kindly tell me how to get those apps installed on a privacy respecting OS
in reply to vaionko

Just use the App Store. Very few OSes as privacy respecting as iOS, certainly not we-pretend-to-be-open-source Android.


My dear friends, I ask for your support. With you, I find strength after God. Please don’t leave us; my family and I live by God’s grace and your help


My dear friends, I write to you with a heart heavy from what we are going through. The days have become harsher than we can bear, yet inside me there is still hope—thanks to God and then to your compassionate hearts. I kindly ask for your help and support, for your support is not just material aid, but life itself and a new hope for me and my family. You are the light that eases the darkness of these days, and your extended hand means to us that the world is still full of goodness.