Zionist Terror Campaign on the Eve of Municipal Elections #Palestine freepalestinetv.substack.com/p…

Hey, investors!


#AI madness

Meet Collario — the world’s first AI-powered smart accessory that combines fashion, function, and full-time guidance. Equipped with dual cameras, a microphone, LED indicator, speakers, and a self-adjusting fit system, Collario watches your surroundings, listens, and speaks back through a built-in assistant. It’s always on, always with you — making decisions easier, safer, and smarter.

We’re building a new category of wearable: not just a tracker, but a behavioral co-pilot. Think of it as an AirPods-meets-guardian-angel — with mass market potential across lifestyle, wellness, and security.

We’re raising a seed round at a $2B valuation to launch the future of autonomous personal guidance.

Collario: Don’t just wear tech. Let it lead.
im
linkedin.com/feed/update/urn:l…

in reply to Emmanuel Florac

Hmmmm.... There have been several science fiction stories, including TV shows and movies, where prisoners, or "citizens", are "collared" with a smart device..... I think in some the devices were programmed to decapitate the wearer.

Ah, yes, one was en.wikipedia.org/wiki/The_Reef…

SQL vs NoSQL


My personal compendium

A while ago I got the chance to get lessons on NoSQL. I already had lessons and some experience with SQL in the past, so here I'd like to share in short my current knowledge about these two concepts. Note that I liberally use the word query in this article both for querying data (i.e. select), as well as changing data (i.e. insert, update, delete).

SQL


SQL is short for Structured Query Language, and is often pronounced "sequel". It's a language to query a so called Relational Database. When people talk about a SQL database, they mean a Relational Database that you can query using the SQL language. The database model is mostly aimed at being consistent. The database consists of tables with columns and rows. Columns tell you what type of data we have, and new data is added by adding rows. You can visualise it by thinking of spreadsheets. There can be relations between different tables, they are defined by saying what columns in different tables correspond with each other. There are so called one-to-one relations, one-to-many relations, and many-to-many relations. Typically you can group tables together in a so called schema. It's not always useful to use this, so in many cases people just put all tables from the database in a default schema. In PostgreSQL the default schema is called public.

To give a simplified example of how a SQL database can look;
Let's say we have a social network platform with users who make posts and they can like posts. We want to store that in a SQL database. We can have a table USERS, a table POSTS, and a table LIKES. The USERS table can have a column username. Maybe there's also other columns, like profile for profile information, email and passwordhash for authentication, etc.
Then we have the POSTS table who needs a column content, user, and created_time.
A table will generally have a so called "primary key". This is a unique value that we can use to uniquely identify the correct row. Often this is a single field, but it's possible to use a combination of fields to form a so called composite primary key. Let's say we use username as the primary key for USERS. We currently don't have a unique key for POSTS, but you can always add an extra column for that, so we will add a column id for POSTS.
Finally we have the LIKES table who needs the user who did the like in a user column, and a post column containing the id of the post that was liked.
Columns also have a type and it's possible to set constraints on columns like saying that they must be unique or can't be NULL.
A post is always made by a user, that's a one-to-many relation between the USERS and POSTS table. We can define this relation by stating that POSTS.user is a foreign key corresponding to USERS.username. Meanwhile a like is made by a user, and corresponds to a post. These relations can be defined by saying that LIKES.user is a foreign key corresponding to USERS.username, and LIKES.post is a foreign key corresponding to POSTS.id. The primary key for the LIKES table can be a composite primary key of user and liked post.

To create these, it could look something like

create table if not exists public.users(
  username varchar primary key,
  profile varchar
);

create table if not exists public.posts(
  id serial primary key,
  username varchar,
  content varchar,
  created_time timestamp default current_timestamp not null,
  foreign key (username)
    references public.users (username)
);

create table if not exists public.likes(
  username varchar,
  post serial,
  foreign key (username)
    references public.users (username),
  foreign key (post)
    references public.posts (id),
  primary key (username, post)
);

NoSQL


Depending on implementation, a NoSQL database can also use the SQL language for querying. The difference is not so much the language to query the database, but rather the underlying technology. While the data is strongly defined in SQL by using columns and types, a NoSQL database doesn't have that. It consists of so called containers that store JSON objects, and there is no check on the content of the JSON object. This JSON object is also called a document in this context, which is why people sometimes refer to this type of database as document storage. It's not about documents like you have in a file system, but storage of JSON objects. In a way you can see the containers as being similar to SQL tables and the documents similar to the rows in SQL. You can also define a partition key per container. The partition key is a field that you expect in each of the JSON documents of the container, and allows the underlying database system to split the container up over different servers. This can reduce load when querying on a specific partition key.

If we take the previous example, and we decide that we generally want to fetch all the likes corresponding to a post, then the users can be put into a container users, and posts and likes can be put together in another container post_actions (feel free to come up with a better name). We have to make sure that the field we query on has the same name, so a post can look something like {post_id: 123, content: "blablabla", created_time: "2023-08-16 10:06:23+00:00", user: "Alice"} while a user can look like {username: "Alice", profile: "Hey, I'm Alice, let's be friends <3"}, and if Alice likes her own post, it could look like {user: "Alice", post_id: 123}.

Now we can query select * from post_actions where post_id = 123 and we immediately have the post and all likes corresponding to it. And if we add a partition key on post_id, or some function based on it, we won't even need to query all partitions, only the one where this post is stored. When done right, this can be a very powerful setup.

Scaling


While SQL was mostly aimed at consistency, NoSQL is mostly aimed at horizontal scaling.

When we talk about vertical scaling, it often means that, to allow more load, you have to use a heavier server. More RAM, faster CPU, larger and faster disks... This is the case for a SQL database. Horizontal scaling on the other hand allows you to scale by adding more servers instead of having to make them heavier.

In NoSQL you will mostly group data according to how it's queried, and, unlike with SQL who wants to be consistent, duplication of data is allowed. As we saw in the example, one simple select can often give you a full set of data of different types, and a partition key allows you to split up the container so that one container can be split up and stored across multiple servers, while only having to query the one partition, and thus spreading load over the different servers. Another reason why NoSQL can scale better, is because it does less. For example, it doesn't check for correct data types or consistency. It's up to the application to do that, and it's up to the developer to make sure their application can properly scale.

SQL normalisation


When you have an application and you need a database, you need a way to represent the data correctly. There's a whole study on how to properly do that. In SQL we call this process normalisation. Here's a short list of steps to take, but note that for most applications these steps are not followed to the letter. Sometimes because a developer sees a reason to deviate from it, but a big reason is that frameworks take over a lot of the logic, and they may have reasons to do things in slightly different ways.

  1. For each form/page you have, list the data. Choose good names for each piece of data, group repeating parts (e.g. a profile with posts has the data of the profile, but posts can be grouped as repeating parts).
  2. Now we isolate the repeating parts in their own separate entity. One attribute should be the primary key of the parent (e.g. for posts, we require the username of the person who made the post as attribute) and you should find a second unique attribute. Together they can form the primary key.
  3. Check for attributes with composite primary keys for attributes who are not functionally dependent from the primary key. These should also be made their own entity with their own primary key. (E.g. login data can be considered functionally different from the username they post with)
  4. Bring attributes together who are functionally dependent from non-key attributes. These should also be brought into it's own entity, and the attribute that identified this entity becomes the primary key.
  5. Integrate the normalised data groups. This is mostly choosing consistent naming for everything and group entities together where you're talking about the same underlying data.
  6. Then we determine the relations between the entities. A relation in SQL is always 1-to-1, 1-to-many, or many-to-many. A user has multiple posts, so that's a 1-to-many relation. In SQL we show this by making sure the primary key from the user is a foreign key attribute in the post. For a many-to-many relation, we add a new table with records containing the primary key from one entity and the primary key from the other.

Note that the example we used earlier was mostly to show some principles, and may not be a good example of a properly normalised model.

NoSQL modeling


While NoSQL is much newer, there are similar steps you can take to create a proper model of your data. Here it's less important to force consistency, but more important to keep queries cheap. You can take the word cheap very literally. Each query takes cpu, memory, time... All of this costs money. As such, it's possible to estimate how much a certain execution costs. This cost is what we want to optimise for. Here are steps you can take to model your database;

  1. look at the normalised (i.e. SQL) model, including the relations
  2. In a normalised model, we want to put things in different tables if they are functionally different. In NoSQL that isn't the case. We want to group things according to what will be cheapest when querying. When we have a relation, we check if we should embed or reference
    • Typical cases where you embed are 1:1 or 1:few relations who are read and updated together
    • Referencing (i.e. put the data in different containers) is typically done with 1:many or many:many relations when you read or update separate
    • Note that there may be cases where we both reference and embed, see later


  3. Choose a partition Key
    • This must obviously be a name of a key in our document
    • You should not have too many documents per partition and you should have a nice spread regarding both storage and request. When the partitions are not nicely balanced like that, you have a so called "hot partition".
      • Depending on technology, the maximum JSON object and partition size may both have a limit.
      • Maybe counterintuitive, but there is no limit regarding the amount of partitions, so one document per partitions is OK. Many partitions like this is also referred to as having a "high cardinality".


    • What partition key to use, depends on the most important requests.
      • If the data you generally select on is not part of the data, because you normally join, you can embed the data but also keep the data in a separate container, and make sure that updates propagate.
      • When you don't really have a key you query on, you can add a new key-value with fixed value, e.g. {type: ""}. This is OK, because it's probably only intermediate, see next step.



  4. When different containers have the same partitionKey, move the data to one container. This step shows how completely different data can be stored in one container.
  5. Lastly, add fields to keep queries cheap. Expensive (e.g. cross partition) queries should only run rarely. Think once per week, rather than multiple times per day. This is typical for things like count(*) and you need to make sure your software updates these fields in the same transaction of the corresponding change.


I'm an expert now!


This is just a short introduction, and there are many peculiarities that you only learn to see and properly handle by experience. I think the important difference is that in SQL you try to optimise for consistency, while in NoSQL you try to optimise for keeping the queries cheap, even for huge amounts of data. If you optimise for the correct property, you should be fine. I think it's also important to note that while you're supposed to optimise for being cheap in NoSQL, it is therefor not always cheaper than SQL. NoSQL is good for huge amounts of data where vertical scaling becomes hard or impossible. But it also requires more work from your program to keep things consistent. Whether SQL or NoSQL makes more sense for your project, is something you'll need to decide yourself.

Good luck!

in reply to ilja

Awesome posting, it has the such a interesting site there is listed here, keep up to date favorable deliver the results, might be backside. link alternatif olxtoto Awesome posting, it has the such a interesting site there is listed here, keep up to date favorable deliver the results, might be backside. situs login Awesome posting, it has the such a interesting site there is listed here, keep up to date favorable deliver the results, might be backside. bandar toto macau Awesome posting, it has the such a interesting site there is listed here, keep up to date favorable deliver the results, might be backside. link alternatif olxtoto Awesome posting, it has the such a interesting site there is listed here, keep up to date favorable deliver the results, might be backside. mawartoto

friendica - Link to source

Hallo @Friendica Support, ich glaube, wir haben bei der aktuellen DEV-Version ein Problem bei der Option "Entkoppelter Empfänger":

Habe diese Option heute mal testweise aktiviert. Wie zu erwarten, treten nach der Aktivierung alle "paar" Minuten Spitzen beim Worker auf. Ich habe gelernt, dass dies angeblich normal ist, wenn man diese Option aktiviert hat. Siehe Screenshot:

In diesem Screenshot sieht man auch ganz deutlich, wann diese Option aktiviert wurde.

Sobald so eine Worker-Spitze auftritt, lädt die Oberfläche deutlich langsamer. Aber auch das Abschicken von Beiträgen oder Kommentaren sowie "Liken" in der Oberfläche dauert ewig.

Dabei ist die Auslastung des Systems alles andere als hoch. Siehe Screenshot:

Was mir auffällt, dass immer zu der gleichen Zeit wenn so eine Spitze auftritt, folgende Exception beim Worker im Logfile auftaucht:

2025-05-26T07:15:51Z worker [ERROR]: Uncaught exception in worker method execution {"class":"TypeError","message":"Friendica\\Util\\HTTPSignature::isValidContentType(): Argument #2 ($url) must be of type string, null given, called in /var/www/html/src/Protocol/ActivityPub/Receiver.php on line 2068","code":0,"file":"/var/www/html/src/Util/HTTPSignature.php:509","trace":"#0 /var/www/html/src/Protocol/ActivityPub/Receiver.php(2068): Friendica\\Util\\HTTPSignature::isValidContentType()\n#1 /var/www/html/src/Protocol/ActivityPub/Receiver.php(1896): Friendica\\Protocol\\ActivityPub\\Receiver::getObjectDataFromActivity()\n#2 /var/www/html/src/Protocol/ActivityPub/Receiver.php(1475): Friendica\\Protocol\\ActivityPub\\Receiver::processObject()\n#3 /var/www/html/src/Protocol/ActivityPub/Receiver.php(424): Friendica\\Protocol\\ActivityPub\\Receiver::fetchObject()\n#4 /var/www/html/src/Protocol/ActivityPub/Receiver.php(680): Friendica\\Protocol\\ActivityPub\\Receiver::prepareObjectData()\n#5 /var/www/html/src/Protocol/ActivityPub/Processor.php(1788): Friendica\\Protocol\\ActivityPub\\Receiver::processActivity()\n#6 /var/www/html/src/Protocol/ActivityPub/Processor.php(1689): Friendica\\Protocol\\ActivityPub\\Processor::processActivity()\n#7 /var/www/html/src/Protocol/ActivityPub/Receiver.php(830): Friendica\\Protocol\\ActivityPub\\Processor::fetchMissingActivity()\n#8 /var/www/html/src/Protocol/ActivityPub/Queue.php(235): Friendica\\Protocol\\ActivityPub\\Receiver::routeActivities()\n#9 /var/www/html/src/Worker/ProcessQueue.php(25): Friendica\\Protocol\\ActivityPub\\Queue::process()\n#10 [internal function]: Friendica\\Worker\\ProcessQueue::execute()\n#11 /var/www/html/src/Core/Worker.php(570): call_user_func_array()\n#12 /var/www/html/src/Core/Worker.php(378): Friendica\\Core\\Worker::execFunction()\n#13 /var/www/html/src/Core/Worker.php(112): Friendica\\Core\\Worker::execute()\n#14 /var/www/html/src/Console/Worker.php(91): Friendica\\Core\\Worker::processQueue()\n#15 /var/www/html/vendor/asika/simple-console/src/Console.php(108): Friendica\\Console\\Worker->doExecute()\n#16 /var/www/html/src/Core/Console.php(171): Asika\\SimpleConsole\\Console->execute()\n#17 /var/www/html/vendor/asika/simple-console/src/Console.php(108): Friendica\\Core\\Console->doExecute()\n#18 /var/www/html/src/App.php(234): Asika\\SimpleConsole\\Console->execute()\n#19 /var/www/html/bin/console.php(22): Friendica\\App->processConsole()\n#20 {main}","previous":null,"worker_id":"9fd747b","worker_cmd":"ProcessQueue"} - {"file":"Worker.php","line":572,"function":"execFunction","request-id":"6834151fdcb0a","stack":"Worker::execFunction (378), Worker::execute (112), Worker::processQueue (91), Worker::doExecute (108), Console::execute (171), Console::doExecute (108), Console::execute (234), App::processConsole (22)","uid":"3a8c6f","process_id":511148}

Ist so eine Worker-Spitze abgebaut, verhält sich das System bzw. die Oberfläche wieder normal. Bis eben wieder die Spitze aufgebaut wird. Das ganze ist also reproduzierbar.

Fürs Erste werde ich die entkoppelten Empfänger wieder deaktivieren und hoffe, dass diese Symptome wieder verschwinden.

C.c.: @Michael 🇺🇦

in reply to Tuxi ⁂

@Michael 🇺🇦
Okay, Update ist durch. Habe die "Entkoppelung" wieder aktiviert und das System einige Zeit beobachtet.
Die Fehlermeldungen bzgl. der Exception sind weg. Allerdings ist das System damit immer noch kaum nutzbar, da die gleichen Probleme immer noch existieren.

Sobald so eine Worker-Spitze auftritt, lädt die Oberfläche deutlich langsamer. Aber auch das Abschicken von Beiträgen oder Kommentaren sowie "Liken" in der Oberfläche dauert ewig.
in reply to Tuxi ⁂

Hab das gleiche vor einigen Wochen festgestellt. Nachdem die Option lange Zeit aktiviert und unauffällig war, hatte ich plötzlich extreme Verzögerungen in der Abarbeitung von Jobs. Die Queue ist auch immer wieder extrem angestiegen - über 100000 wartende Jobs.

Nach der Deaktivierung der Einstellung, war die Queue schnell abgearbeitet und das Verhalten war wieder normal.

U2 - Beautiful Day (Official Music Video)


The heart is a bloom, shoots up through stony ground
But there's no room, no space to rent in this town
You're out of luck and the reason that you had to care,
The traffic is stuck and you're not moving anywhere.
You thought you'd found a friend to take you out of this place
Someone you could lend a hand in return for grace

It's a beautiful day, the sky falls
And you feel like it's a beautiful day
It's a beautiful day
Don't let it get away

You're on the road but you've got no destination
You're in the mud, in the maze of her imagination
You love this town even if it doesn't ring true
You've been all over and it's been all over you

It's a beautiful day
Don't let it get away
It's a beautiful day
Don't let it get away

Touch me, take me to that other place
Teach me, I know I'm not a hopeless case

See the world in green and blue
See China right in front of you
See the canyons broken by cloud
See the tuna fleets clearing the sea out
See the bedouin fires at night
See the oil fields at first light
See the bird with a leaf in her mouth
After the flood all the colours came out
It was a beautiful day
A beautiful day
Don't let it get away

Touch me, take me to that other place
Reach me, I know Im not a hopeless case

What you don't have you don't need it now
What you don't know you can feel it somehow
What you don't have you don't need it now
You don't need it now, you don't need it now
Beautiful day

Written by: Paul David Hewson, Adam Clayton, Larry Mullen, Dave Evans
Album: All That You Can't Leave Behind
Released: 2000

#U2 #BeautifulDay #Remastered #rockMusic #lyrics #rock #2000s #youtubeFree #googleFree #metaFree #alphabetFree #songLyrics #alternativeRock #popMusic #rockMusic #Bono #AdamClayton #TheEdge #LarryMullen

This entry was edited (1 week ago)

Music Videos reshared this.

Fountains of Wayne - Stacy's Mom (Official Music Video)


Album: Welcome Interstate Managers
Released: 2003

Lyric:
Stacy's mom has got it goin' on
Stacy's mom has got it goin' on
Stacy's mom has got it goin' on
Stacy's mom has got it goin' on

Stacy, can I come over after school?
(After school)
We can hang around by the pool
(Hang by the pool)
Did your mom get back from her business trip?
(Business trip)
Is she there, or is she trying to give me the slip?
(Give me the slip)

You know, I'm not the little boy that I used to be
I'm all grown up now
Baby, can't you see?

Stacy's mom has got it goin' on
She's all I want
And I've waited for so long
Stacy, can't you see?
You're just not the girl for me
I know it might be wrong but
I'm in love with Stacy's mom

Stacy's mom has got it goin' on
Stacy's mom has got it goin' on

Stacy, do you remember when I mowed your lawn?
(Mowed your lawn)
Your mom came out with just a towel on
(Towel on)
I could tell she liked me from the way she stared
(The way she stared)
And the way she said
"You missed a spot over there"
(A spot over there)

And I know that you think it's just a fantasy
But since your dad walked out
Your mom could use a guy like me

Stacy's mom has got it goin' on
She's all I want
And I've waited for so long
Stacy, can't you see?
You're just not the girl for me
I know it might be wrong but
I'm in love with Stacy's mom

Stacy's mom has got it goin' on (she's got it going on)
She's all I want and I've waited for so long (waited and waited)
Stacy, can't you see?
You're just not the girl for me
I know it might be wrong
I'm in love with

Stacy's mom, oh, oh
(I'm in love with)
Stacy's mom, oh, oh
(Wait a minute)
Stacy, can't you see?
You're just not the girl for me
I know it might be wrong but
I'm in love with Stacy's mom

Written by: Christopher B Collingwood, Adam "compositions, Inc." Schlesinger

#googleFree #youtubeFree #musicVideo #officialMusicVideo

This entry was edited (1 week ago)

friendica - Link to source

Hallo @Friendica Support, ich glaube, wir haben bei der aktuellen DEV-Version ein Problem bei der Option "Entkoppelter Empfänger":

Habe diese Option heute mal testweise aktiviert. Wie zu erwarten, treten nach der Aktivierung alle "paar" Minuten Spitzen beim Worker auf. Ich habe gelernt, dass dies angeblich normal ist, wenn man diese Option aktiviert hat. Siehe Screenshot:

In diesem Screenshot sieht man auch ganz deutlich, wann diese Option aktiviert wurde.

Sobald so eine Worker-Spitze auftritt, lädt die Oberfläche deutlich langsamer. Aber auch das Abschicken von Beiträgen oder Kommentaren sowie "Liken" in der Oberfläche dauert ewig.

Dabei ist die Auslastung des Systems alles andere als hoch. Siehe Screenshot:

Was mir auffällt, dass immer zu der gleichen Zeit wenn so eine Spitze auftritt, folgende Exception beim Worker im Logfile auftaucht:

2025-05-26T07:15:51Z worker [ERROR]: Uncaught exception in worker method execution {"class":"TypeError","message":"Friendica\\Util\\HTTPSignature::isValidContentType(): Argument #2 ($url) must be of type string, null given, called in /var/www/html/src/Protocol/ActivityPub/Receiver.php on line 2068","code":0,"file":"/var/www/html/src/Util/HTTPSignature.php:509","trace":"#0 /var/www/html/src/Protocol/ActivityPub/Receiver.php(2068): Friendica\\Util\\HTTPSignature::isValidContentType()\n#1 /var/www/html/src/Protocol/ActivityPub/Receiver.php(1896): Friendica\\Protocol\\ActivityPub\\Receiver::getObjectDataFromActivity()\n#2 /var/www/html/src/Protocol/ActivityPub/Receiver.php(1475): Friendica\\Protocol\\ActivityPub\\Receiver::processObject()\n#3 /var/www/html/src/Protocol/ActivityPub/Receiver.php(424): Friendica\\Protocol\\ActivityPub\\Receiver::fetchObject()\n#4 /var/www/html/src/Protocol/ActivityPub/Receiver.php(680): Friendica\\Protocol\\ActivityPub\\Receiver::prepareObjectData()\n#5 /var/www/html/src/Protocol/ActivityPub/Processor.php(1788): Friendica\\Protocol\\ActivityPub\\Receiver::processActivity()\n#6 /var/www/html/src/Protocol/ActivityPub/Processor.php(1689): Friendica\\Protocol\\ActivityPub\\Processor::processActivity()\n#7 /var/www/html/src/Protocol/ActivityPub/Receiver.php(830): Friendica\\Protocol\\ActivityPub\\Processor::fetchMissingActivity()\n#8 /var/www/html/src/Protocol/ActivityPub/Queue.php(235): Friendica\\Protocol\\ActivityPub\\Receiver::routeActivities()\n#9 /var/www/html/src/Worker/ProcessQueue.php(25): Friendica\\Protocol\\ActivityPub\\Queue::process()\n#10 [internal function]: Friendica\\Worker\\ProcessQueue::execute()\n#11 /var/www/html/src/Core/Worker.php(570): call_user_func_array()\n#12 /var/www/html/src/Core/Worker.php(378): Friendica\\Core\\Worker::execFunction()\n#13 /var/www/html/src/Core/Worker.php(112): Friendica\\Core\\Worker::execute()\n#14 /var/www/html/src/Console/Worker.php(91): Friendica\\Core\\Worker::processQueue()\n#15 /var/www/html/vendor/asika/simple-console/src/Console.php(108): Friendica\\Console\\Worker->doExecute()\n#16 /var/www/html/src/Core/Console.php(171): Asika\\SimpleConsole\\Console->execute()\n#17 /var/www/html/vendor/asika/simple-console/src/Console.php(108): Friendica\\Core\\Console->doExecute()\n#18 /var/www/html/src/App.php(234): Asika\\SimpleConsole\\Console->execute()\n#19 /var/www/html/bin/console.php(22): Friendica\\App->processConsole()\n#20 {main}","previous":null,"worker_id":"9fd747b","worker_cmd":"ProcessQueue"} - {"file":"Worker.php","line":572,"function":"execFunction","request-id":"6834151fdcb0a","stack":"Worker::execFunction (378), Worker::execute (112), Worker::processQueue (91), Worker::doExecute (108), Console::execute (171), Console::doExecute (108), Console::execute (234), App::processConsole (22)","uid":"3a8c6f","process_id":511148}

Ist so eine Worker-Spitze abgebaut, verhält sich das System bzw. die Oberfläche wieder normal. Bis eben wieder die Spitze aufgebaut wird. Das ganze ist also reproduzierbar.

Fürs Erste werde ich die entkoppelten Empfänger wieder deaktivieren und hoffe, dass diese Symptome wieder verschwinden.

C.c.: @Michael 🇺🇦

#Johnstone
caitlinjohnst.one/
#Israel #apartheid-Israel #EU #US #US-Israel #US-Israel-terrorism #Israel #Netanyahu #zionism #genocide #Gaza #Palestine #WestBank #Cisjordanie

The EU is launching another attack on end to end encryption with the most draconian mass surveillance bill ever, and our media doesn't seem to notice or care.
Read it here, it is jaw dropping: home-affairs.ec.europa.eu/docu…

TL;DR The end off e2e, even for self hosting, even for peer to peer messengers. EUSSR used to be a bit of a joke of mine, but we've passed that

reshared this

Israel Controls 77% of Gaza As ‘Genocide, Ethnic Cleansing’ Continues tn.ai/3321009

Während der Regierungserklärung von Bundeskanzler Friedrich #Merz am 14. Mai rief jemand von der Linken: »Es gibt keinen Krieg! Es gibt einen Genozid!«. Der Bundestagsabgeordnete Mirze Edis outet sich als Rufer des Wortes, für das #DieLinke eine Rüge kassierte. Im nd-Interview äußert er sich zur Situation, zu Palästina sowie zum neuen Bundestag. 👉 nd-aktuell.de/artikel/1191363.…

Calm in Venezuela on the Eve of Regional and Legislative Elections orinocotribune.com/calm-in-ven…

Ambush and Tunnel Blast: Qassam Details Complex Attack in Khan Yunis #Palestine palestinechronicle.com/ambush-…

>>Scharfe Kritik an den Rechercheuren.
Die Nichtregierungsorganisation RIAS will Antisemitismus bekämpfen. Eine Studie wirft ihr nun fehlende Transparenz und diffuse Begrifflichkeiten vor. <<

taz.de/Streit-um-Antisemitismu…

>>Biased
Antisemitismus-Monitoring
in Deutschland
auf dem Prüfstand
Ein Bericht über die Recherche- und Informationsstelle Antisemitismus (RIAS)<<
diasporaalliance.co/wp-content…

Nesrine Malik on Gaza

"Why now, after 19 months of relentless assault that was plain for all to see, and declared by Israeli authorities themselves, has the tide begun to shift on Gaza?"

#Palestine #gaza #genocide #politics

theguardian.com/commentisfree/…

Is there a Lemmy server/way that doesn't require allowing javascript of a million other servers?


So, I am one of those old school types who mains with Firefox and Noscript. And also a filthy casual that just goes on lemmy.world. But half the images are broken because I'm expected to allow scripts on like 30+ sites to see most of the posts. I'm literally expected to allow /all/ the scripts from a domain just so I can see a dang picture behind the thumbnail. That's the entirety of the scripting needed. That seems ridiculous. Is there, I don't know, a server/way that makes it so I don't have to blanket allow all these scripts? To put it in meme form (not sure I'm doing it right, never seen the show): "It's an image of a banana Michael, what should it take, one Raspberry Pi running Docker?"

[EDIT 6/1/25 - thanks to everyone who commented on this. Screenshots: lemmy.world/comment/17403335 ]

This entry was edited (4 weeks ago)

The Child Israel Couldn’t Break, Except Through Death: Gaza Loses Its Youngest Activist english.masirahtv.net/post/478…

ABBA - The Winner Takes It All (1980)


I don't wanna talk
About things we've gone through
Though it's hurting me
Now it's history

I've played all my cards
And that's what you've done too
Nothing more to say
No more ace to play

The winner takes it all
The loser's standing small
Beside the victory
That's her destiny

I was in your arms
Thinking I belonged there
I figured it made sense
Building me a fence

Building me a home
Thinking I'd be strong there
But I was a fool
Playing by the rules

The gods may throw a dice
Their minds as cold as ice
And someone way down here
Loses someone dear

The winner takes it all (takes it all)
The loser has to fall (has to fall)
It's simple and it's plain (it's so plain)
Why should I complain? (Why complain?)

But tell me, does she kiss
Like I used to kiss you?
Does it feel the same
When she calls your name?

Somewhere deep inside
You must know I miss you
But what can I say?
Rules must be obeyed

The judges will decide (will decide)
The likes of me abide (me abide)
Spectators of the show (of the show)
Always staying low (staying low)

The game is on again (on again)
A lover or a friend (or a friend)
A big thing or a small (big or small)
The winner takes it all (takes it all)

I don't wanna talk
If it makes you feel sad
And I understand
You've come to shake my hand

I apologize
If it makes you feel bad
Seeing me so tense
No self-confidence
But you see

The winner takes it all
The winner takes it all

So the winner takes it all
And the loser has to fall
Throw the dice, cold as ice
Way down here, someone dear
Takes it all, has to fall
And it's plain, why complain?

Written by: Benny Andersson, Bjoern K Ulvaeus
Album: Super Trouper
Released: #1980

This entry was edited (1 week ago)

President Maduro Urges Voter Turnout for Peace and Life in Venezuela telesurenglish.net/president-m…
in reply to Hackaday (unofficial)

We are looking for an investor who can lend money to our holding company.

We are looking for an investor who can lend 70,000 US dollars to our holding.

We will open a textile production company in Azerbaijan with the 70,000 US dollars you will give to our holding.

Textile business in Azerbaijan is very profitable, but since there are few textile production companies in Azerbaijan, we will make huge profits by opening a large textile production facility.

You will lend 70,000 US dollars to our holding company and you will receive your money back as 700,000 US dollars on 22.01.2026.

You will lend 70,000 US dollars to our holding company. When 22.01.2026 comes, I will give you back your money as 700,000 US dollars.

You will lend 70,000 US dollars to our holding. When the date 22.01.2026 comes, I will return your money as 700,000 US dollars.

You will receive your money back as 700,000 US dollars on 22.01.2026

You will have earned 10 times more income in 9 months.

9 months is a short time, don't miss this opportunity, I promise you big profits in a short time.

To learn how you can invest in our holding and to get more detailed information, send a message to my whatsapp number or telegram username below and I will give you detailed information.

For detailed information, send a message to my WhatsApp number or Telegram username below and I will give you detailed information.

My WhatsApp phone number:
+212 619-202847

My telegram username:
@adenholding

WFP: No Evidence Hamas Is Behind Looting of Gaza Aid #Palestine qudsnen.co/wfp-no-evidence-ham…

Tu passes ton existence sans procéder à la lecture de ton âme...Qu'attends-tu ?

notesandsilence.com/2025/03/20…
#zen #silence #prière #méditation #spiritualité