Welcome to Friendica.Eskimo.Com
Home of Censorship Free Hosting

E-mail, Web Hosting, Linux Shell Accounts terminal or full remote desktops.
Sign Up For A Free Trial Here
Please tell your friends about federated social media site that speaks several fediverse protocols thus serving as a hub uniting them, hubzilla.eskimo.com, also check out friendica.eskimo.com, federated macroblogging social media site, mastodon.eskimo.com a federated microblogging site, and yacy.eskimo.com an uncensored federated search engine. All Free!
like this
don't like this
Never let children near devices that will destroy their minds...
americanmind.org/salvo/setting…
Setting Children Free From Screens - The American Mind
More than an academic resource documenting the effects of technology, Clare Morell's new book is a call for drastic action.The American Mind
reshared this
Unfortunately, I know far too many parents who do not provide the proper rails with regard to technology. Very young and way too much screen time. Tragic. Finding less and less like-minded folks with regard to my stance. And the ones who need to read this article that I should send to will likely take offense. It’s a quandary.
UptownGirl reshared this.
@Bleukitty
Perfectly stated:
“ If, on the other hand, parents and educators allow children to explore a chaotic virtual world on their own, they will be catechized by every wickedness that streams before them. The digital cocaine undermines their ability to feel, to enjoy, to love—to be fully alive.”
UptownGirl reshared this.
@HeyLiberty @Bleukitty I tried, to no avail, to caution a friend NOT to let her child in an online chat room. She downplayed the danger, telling me her child had been educated, and he knew better.
All we can do is try...
HeyLiberty 🗽🇺🇸 MAGA Bloodbath🩸 reshared this.
I agree! I am in a Bible study with someone who lets her son, age 6, pretty much watch whatever he wants on YouTube. My girls watch him, as in babysit, during the Bible study. I told my girls to tell him “we’re not allowed to watch the things you watch so let’s play instead.” They’ve ended up building fairy gardens with him and playing outside instead.
It’s touchy because I don’t want her to feel like I am attacking her parenting. Delicate for sure.
UptownGirl reshared this.
HeyLiberty 🗽🇺🇸 MAGA Bloodbath🩸 reshared this.
HeyLiberty 🗽🇺🇸 MAGA Bloodbath🩸 reshared this.
Square Theory
Link: aaronson.org/blog/square-theor…
Discussion: news.ycombinator.com/item?id=4…
Square Theory
The story starts in Crosscord, the crossword Discord server. Over 5,000 users strong, the server has emerged as a central hub for the online crossword community, a buzzing, sometimes overwhelming, sometimes delightful town square where total noobs, v…Adam Aaronson
Pakistan hails Iran’s role in Muslim world, seeks mutual goal of peace
Pakistan’s prime minister underscores Iran’s pivotal role in the Muslim world, while expressing Islamabad’s commitment to the promotion of shared objectives.PressTV
What The 'News'-Media Hide Is What You Need To Know
You need to decode — interpret accurately — the actually relevant facts that are behind ‘the news’, in order to know the REAL news.Eric ZUESSE (Oriental Review)
IDEA to make this site standout why don't you make a live chatbox for people who have logged in?
cross-posted from: lemm.ee/post/65149489
try using this code do you think it will work?Below is a minimal example of how you can add a real‐time chat box that only your authenticated users can use. It uses:
- Node.js + Express for the web server
- express‐session to track logged-in users
- Socket.io for real-time messaging
You’ll need to adapt the authentication check to however you store your users (database, JWTs, etc.), but this will give you the core of “only logged‐in folks see/use the chat.”
1. Install dependencies
npm init -y npm install express express-session socket.io
2. server.js
const express = require('express'); const http = require('http'); const session = require('express-session'); const SocketIO = require('socket.io'); const app = express(); const server = http.createServer(app); const io = new SocketIO(server); // 1) Session middleware const sessionMiddleware = session({ secret: 'YOUR_SESSION_SECRET', resave: false, saveUninitialized: false, // store: you can add a store like connect-mongo here }); app.use(sessionMiddleware); // 2) Make session available in socket.handshake io.use((socket, next) => { sessionMiddleware(socket.request, socket.request.res || {}, next); }); // Serve static files (our chat page + JS) app.use(express.static('public')); // 3) A simple “login” route for demo purposes. // In real life you’d check a DB, hash passwords, etc. app.get('/login', (req, res) => { // e.g. ?user=alice const username = req.query.user; if (!username) return res.sendStatus(400); req.session.user = { name: username }; res.redirect('/chat.html'); }); // 4) Protect chat page app.get('/chat.html', (req, res, next) => { if (!req.session.user) return res.redirect('/login.html'); next(); }); // 5) Handle socket connections io.on('connection', socket => { const req = socket.request; if (!req.session.user) { // kick out any un‐authenticated socket return socket.disconnect(true); } const user = req.session.user.name; socket.broadcast.emit('message', { from: 'SYSTEM', text: `${user} has joined the chat` }); socket.on('message', msg => { io.emit('message', { from: user, text: msg }); }); socket.on('disconnect', () => { socket.broadcast.emit('message', { from: 'SYSTEM', text: `${user} has left the chat` }); }); }); server.listen(3000, () => { console.log('Listening on http://localhost:3000/'); });
3. public/chat.html
```html
Chat Room
> Send>
> const socket = io(); > > const form = document.getElementById('form'); > const input = document.getElementById('input'); > const messages = document.getElementById('messages'); > > socket.on('message', msg => { > const li = document.createElement('li'); > li.textContent = `${msg.from}: ${msg.text}`; > messages.appendChild(li); > messages.scrollTop = messages.scrollHeight; > }); > > form.addEventListener('submit', e => { > e.preventDefault(); > if (input.value.trim()) { > socket.emit('message', input.value); > input.value = ''; > } > }); >
```4. How It Works
- Session setup
We useexpress-session
so that when a user “logs in” (e.g. via your existing form/database), we store{ user: { name: '…' } }
inreq.session
.- Socket authentication
By re-using the same session middleware in Socket.io’sio.use(…)
, every incoming socket has access tosocket.request.session
. If there’s nosession.user
, we immediatelydisconnect()
them.- Real-time chat
- On connect/disconnect we broadcast a system message.
- On client‐side, every message the user sends is emitted and broadcast to all.
- Protecting the page
We guardchat.html
in Express so that if you go there directly, you’ll get bounced to/login.html
(you’d build a real login page).Next Steps
- Integrate with your real user database. Replace the demo
/login
route with your own logic.- Persist chat history if you want to store messages (e.g. in MongoDB or MySQL).
- Add rooms or private messaging by namespace or room support in Socket.io.
- Style it and embed it in your existing layout (lemm.ee) CSS.
like this
don't like this
GitHub - LemmyNet/lemmy: 🐀 A link aggregator and forum for the fediverse
🐀 A link aggregator and forum for the fediverse. Contribute to LemmyNet/lemmy development by creating an account on GitHub.GitHub
like this
like this
Dr. Robert Malone:
Breaking: COVID mRNA Products Removed from CDC Schedule
Historic Announcement 10:16 AM · May 27, 2025. "Common sense and good science"
Living with it is a hobby.
(Just ordered 2 more Aerobika flutter devices and some Pari tubing for my nebulizers. Ordered a deeply discounted battery-operated portable nebulizer yesterday. Waffling on getting 20 gallons of distilled water delivered. I am always buying new things for my bronchiectasis, which makes it sort of like quilting.)
The First B61-13 Gravity Bomb Is Delivered Ahead of Schedule
The First B61-13 Gravity Bomb Is Delivered Ahead of Schedule - The National Interest
The US delivered its first B61-13 nuclear bomb nearly a year early. With enhanced yield and precision, it modernizes a key part of the nuclear triad amid rising global tensions.Lake Dodson (The National Interest)
Ahoy friends!
Announcing RFFF 25. The extra F is for Fest!
A month long artists' streaming series in July.
*DM* if you're keen to present/perform original material. You need not have been on RFF to participate.
More info for all (will grow) at the venue page party.radiofreefedi.net
Let's assemble, #party and welcome new friends who may not have caught the vibe of the station or our epic hangouts.
Stay vertical. 🐹
#music #art #spokenWord #fediWave #concert #live #owncast #joinIn
radio free fedi - sounds from the fediverse to the universe
radio free fedi was small web, consent driven, artist populated, non-commercial mechanism, attribution promoting, community radio for the fediverse. This stream is for live hangouts and chat, and special events.radio free fedi - sounds from the fediverse to the universe
The first events of #RFFF25 will be:
01 July 2000 UTC @shannoncurtis and @hilljam kick off the fest with their maximum joy #80sKids theatre tour show for all of us in the digital neighbourhood!
02 July 2000 UTC
@ethicalrevolution and @sknob with a live @mixtape (NHAM mixtape) ft. all artists from the fest with Q+A chat.
DM interest in presenting.
See up this thread for more info and the venue site for a growing list of presenters.
Get ready to vibe!
radio free fedi - sounds from the fediverse to the universe
radio free fedi was small web, consent driven, artist populated, non-commercial mechanism, attribution promoting, community radio for the fediverse. This stream is for live hangouts and chat, and special events.radio free fedi - sounds from the fediverse to the universe
India, Pakistan and a bit of infowarfare
Information warfare may save more lives, but it claims more victims. Join us on Telegram, Twitter, and VK. Contact us: info@strategic-culture.su Reflections on domination The recent…Strategic Culture Foundation
Our socials: fediverse.blog/~/ActaPopuli/fo…
Another #Cellbroadcast bit coming to #phosh / #LinuxMobile. The results of the users choice are set in the modem via a small daemon based on information we're getting from mobile-broadband-provider-info. That way only the tiny UI bit is DE specific, the other bits can be reused on other platforms as is. @devrtz is working on adding persistent storage to keep a message history.
Thanks to @NGIZero for supporting this and @snwh for the UI design.
#Debian's experimental distribution now has #ModemManager / #libqmi snapshots to test this more easily. These versions also include support for qmi based modems as found in the #OP6, #Pixel3a and similar devices
Upstream snapshots announced here: lists.freedesktop.org/archives…
…and as a service to user interfaces/DEs that don't want to add explicit #CellBroadcast support #cbd can now send notifications. Just enabling the setting is enough.
This is configurable on a severity level so you could use a system modal dialog for high severity events and notifications for low severity ones. This is (likely) how we'll wire it up in #phosh once everything has settled in.
Cool Concepts That Deserve More Recognition
>...obscurity or lack of mass adoption is not actually failure. Ambitious attempts themselves are valuable experiments regardless of how they end up. Often times, newer projects are inspired or informed from techniques that were tried in the past. It’s high time we embrace the “freedom in freedom” and learn to explore possibilities rather than fight over dogmatic preferences and approaches.
Cool Concepts That Deserve More Recognition
Learning from the past to inform the futurelibresolutions.network
404media.co/ice-taps-into-nati…
ICE Taps into Nationwide AI-Enabled Camera Network, Data Shows
Flock's automatic license plate reader (ALPR) cameras are in more than 5,000 communities around the U.S. Local police are doing lookups in the nationwide system for ICE.Jason Koebler (404 Media)
Born to be Alive by Patrick Hernandez is officially my Pride anthem
youtube.com/watch?v=9UaJAnnipk…
Patrick Hernandez - Born to Be Alive - Official Video (Clip Officiel)
Patrick Hernandez - Born to Be Alive - Official Video (Clip Officiel)Available on all platforms https://bfan.link/born-to-be-alivePlaylist "Année 80 LA TOTA...YouTube
Orbital Debris
The proposed investigation will address key technological challenges associated with a previously funded NIAC Phase I award titled "On-Orbit, Collision-FreeLoura Hall (NASA)
Kurt Lupin likes this.
N. E. Felibata 👽 reshared this.
Israeli forces violate Syrian territory amid speculated secret talks
Israeli occupation forces penetrated Syrian territory near Quneitra as tensions persist despite reported delivery of Eli Cohen archives to "Israel", a possible signal of covert Syrian-Israeli dialogue.Al Mayadeen English (Israeli forces violate Syrian territory amid speculated secret talks)
DuckLake is an integrated data lake and catalog format
Link: ducklake.select/
Discussion: news.ycombinator.com/item?id=4…
DuckLake is an integrated data lake and catalog format.
DuckLake delivers advanced data lake features without traditional lakehouse complexity by using Parquet files and your SQL database. It's an open, standalone format from the DuckDB team.GitHub User (DuckLake)
Vize-Chef der Rotkreuz-Föderation fordert von Israel mehr Schutz für Helfer: "Unser Logo wird ignoriert"
In Gaza gab es einen Sturm auf das Verteilzentrum der umstrittenen US-Stiftung, die fortan Hilfen abwickeln soll. Diese wird auch von Rotkreuz-Vertreter Rassi bei seinem Wien-Besuch scharf kritisiertDER STANDARD
like this
N. E. Felibata 👽 reshared this.
Vorratsdatenspeicherung: Dobrindt nimmt Anlauf
N. E. Felibata 👽 reshared this.
gifts for deep thinkers
May 27, 2025 by Wrong Hands
like this
Over 800 individuals urge British premier to impose sanctions against Israel
The signatories argued that war crimes, crimes against humanity, and violations of international humanitarian law were occurring in Palestine.IRNA English
weact.campact.de/petitions/ank…
Kriminalisierung der Letzten Generation stoppen
N. E. Felibata 👽 reshared this.
N. E. Felibata 👽 likes this.
I've just discovered something quite disturbing on my #LinuxMint setup.
It seems packages I had installed, but maybe haven't used in a month or two, are suddenly uninstalled.
Not flatpaks. DEBs. Like my CrossOver Wine install. It's not in any public repo and it's missing. (Reinstalling now).
But I had to reinstall something else over the weekend that I went looking for and was no longer installed.
I did not go through a "cleaning" and uninstall any packages.
Voice of Korea
Голос Кореи,Voice of Korea,Voz de Corea,صوت كوريا ,Stimme Koreas,공화국,vokwww.vok.rep.kp
ePA ohne Selbstbestimmung: Befunde sollen für alle Praxen sichtbar bleiben
N. E. Felibata 👽 reshared this.
Inauguration of the European Space Deep-Tech Innovation Centre (ESDI) – first ESA presence in Switzerland
The European Space Agency (ESA) has inaugurated the European Space Deep-Tech Innovation Centre (ESDI), the first ESA presence in Switzerland, created in close collaboration with the Paul Scherrer Institute (PSI). The new centre is located at the Switzerland Innovation Park Innovaare in Villigen. The opening highlights the growing role of deep tech in space exploration and its potential to boost Europe's growth and competitiveness.
#news #space #science #esa #europeanspaceagency
posted by pod_feeder_v2
Daesh terrorists arrested near Syrian capital - Prensa Latina
Damascus, May 26 (Prensa Latina) The security forces of the transitional government announced today the arrest of several members of the terrorist group Islamic State, Daesh in Arabic, near the city of Damascus, the Syrian capital.Ana Luisa Brown (Prensa Latina)
Eileen Brophy reshared this.
Ik kan niet de enige zijn die mensen die na het fluit signaal de trein in willen, een keiharde rotschop trein uit wil geven...
Ja k*t het is jouw fucking schuld dat we vertraagd zijn omdat je kansloze lamme lul vriend de deuren van de trein sloopte.
I love that Apple translated “a really hard kick” as “a rock-hard rock shovel” and “lame dick friend” as “hopeless lick friend”.
But yeah, tell me again how AI is going to save us all 😀
Last Chance to Rescue Dwindling Vaquita Population — Less than 10 Left _ Please sign and share
The vaquita, the world’s rarest marine mammal, is on the brink of extinction. Fewer than 10 remain in the wild—all due to illegal fishing nets used for another species, the totoaba fish. These nets trap and drown vaquitas, pushing them closer to oblivion.
There is still a sliver of hope. If the Mexican government cracks down on illegal fishing and protects the vaquita’s habitat, the species could recover.
greatergood.com/blogs/petition…
#Vaquita #Marine #Mammal #LifeInDanger
Last Chance to Rescue Dwindling Vaquita Population — Less than 10 Left
While the Mexican government has promised to take action to protect this endangered species, illegal fishing and other activities continue to pose a threat. Take action for the vaquita!Shopify API (GreaterGood)
Amid ‘catastrophic’ food insecurity, child illness in Gaza turns deadly
Illnesses that were manageable before the war are turning deadly amid “catastrophic levels” of food insecurity in Gaza, and 19 months of genocide have now led to the spread of new diseases, reaching record numbers.Noor Alyacoubi (Mondoweiss)
Car Crashes into Crowd of Liverpool FC Fans
Nearly 50 people, including four children, were injured when a car plowed into a crowd celebrating Liverpool FC’s Premier League win.Sputnik International
🔒 Auto Encrypt – heads up!
In the next minor version release of Auto Encrypt¹, we’ll be moving from a hard-coded date-based certificate renewal check to using ACME Renewal Information (ARI)².
The change³ should be seamless.
If you have any concerns, now is the time to raise them 😀
#AutoEncrypt #TLS #LetsEncrypt #SmallTech #SmallWeb
¹ Drop-in Node.js https server replacement that automatically provisions and renews Let’s Encrypt certificates for you. (codeberg.org/small-tech/auto-e…)
² datatracker.ietf.org/doc/draft…
³ codeberg.org/small-tech/auto-e…
auto-encrypt
Automatically-provisioned TLS certificates for Node.js servers using Let’s Encrypt.Codeberg.org
The Children's Story by James Clavell
youtube.com/watch?v=p1AL3WFzsv…
Soldier.Storyteller. Scholar.
James Clavell was a British author, screenwriter, director, and WW II veteran & POW. Clavell’s mastery in storytelling led to a number of international best-sellers including, King Rat (1962), Tai-Pan (1966), Shōgun (1975), & Noble House (1981).
During his 40-year career his books sold more than 21 million copies and were adapted into successful TV mini-series and films.
The Children's Story by James Clavell
The Children's Story by James ClavellThis is the best available copy now known to be available.It was professionally scanned from the film.It can be viewed a...YouTube
Pakistan PM makes peace offer to India during Iran visit
Shehbaz Sharif thanked the Iranian president for Tehran's support in its conflict with India earlier this month, the deadliest between them in decadesthecradle.co
Kurginyan tells what future is being designed for humanity
Kurginyan tells what future is being designed for humanity Rossa Primavera News from RussiaBill Oliver (Rossa Primavera International News)
The Bangles - Hazy Shade of Winter (Official Video)
Time, time, time
See what's become of me
Time, time, time
See what's become of me
While I looked around for my possibilities
I was so hard to please
Look around
Leaves are brown
And the sky is a hazy shade of winter
Hear the Salvation Army band
Down by the riverside
There's bound to be a better ride
Than what you've got planned
Carry a cup in your hand
Look around
Leaves are brown
And the sky is a hazy shade of winter
Hang on to your hopes, my friend
That's an easy thing to say
But if your hopes should pass away
Simply pretend that you can build them again
Look around
The grass is high
The fields are ripe
It's the springtime of my life
Seasons change with the scenery
Weavin' time in a tapestry
Won't you stop and remember me?
Look around
Leaves are brown
And the sky is a hazy shade of winter
Look around
Leaves are brown
There's a patch of snow on the ground
Look around
Leaves are brown
There's a patch of snow on the ground
Look around
Leaves are brown
There's a patch of snow on the ground
Written by: Paul Simon
Album: Les indispensables
Released: 2001
Linkin Park - Numb (Official Music Video) [4K UPGRADE]
Linkin Park is an alternative rock band renowned for their hits “Numb,” “In the End,” “What I’ve Done,” “Castle of Glass,” “New Divide,” “Crawling,” and “Faint.” They worked with artists like Jay-Z, Metallica, Steve Aoki, and Paul McCartney — amassing billions of global streams and received the UN Global Leadership Award for their humanitarian work.
Lyrics:
I'm tired of being what you want me to be
Feeling so faithless, lost under the surface
Don't know what you're expecting of me
Put under the pressure of walking in your shoes
(Caught in the undertow, just caught in the undertow)
Every step that I take is another mistake to you
(Caught in the undertow, just caught in the undertow)
I've become so numb, I can't feel you there
Become so tired, so much more aware
I'm becoming this, all I want to do
Is be more like me and be less like you
Can't you see that you're smothering me
Holding too tightly, afraid to lose control?
'Cause everything that you thought I would be
Has fallen apart right in front of you
(Caught in the undertow, just caught in the undertow)
Every step that I take is another mistake to you
(Caught in the undertow, just caught in the undertow)
And every second I waste is more than I can take
I've become so numb, I can't feel you there
Become so tired, so much more aware
I'm becoming this, all I want to do
Is be more like me and be less like you
And I know
I may end up failing too
But I know
You were just like me with someone disappointed in you
I've become so numb, I can't feel you there
Become so tired, so much more aware
I'm becoming this, all I want to do
Is be more like me and be less like you
I've become so numb, I can't feel you there
(I'm tired of being what you want me to be)
I've become so numb, I can't feel you there
(I'm tired of being what you want me to be)
Album Artist: #LinkinPark
Album(s): #Meteora
Written by: Mike Shinoda, Brad Delson, Chester Bennington, Joe Hahn, Rob Bourdon, Dave "Phoenix" Farrell
Music genre(s): #NuMetal
Released: #2003
Decade for first release: #2000sMusic
#LinkinPark #Meteora #Numb #NuMetal #2000sMusic #Emotional #ClassicRock #4KUpgrade #Iconic #Lost
hypnicjerk
in reply to MemmingenFan • • •like this
The Picard Maneuver, Empricorn, denial, and Novaling like this.
MemmingenFan
in reply to hypnicjerk • • •9gag. A site that was funny in the past.
Nowadays it is full of reposting bots and pro russia, anti lgbt, racist and other content that are not good for the mental wellbeing.
like this
cAUzapNEAGLb, Malta Soron, TheFool, Empricorn, Cattypat, denial, hemko, 1024_Kibibytes, butwhyishischinabook, supercriticalcheese, Novaling, eatham 🇦🇺, racc, Agent Karyo, lessthanluigi and Darohan like this.
kratoz29 doesn't like this.
Link
in reply to hypnicjerk • • •like this
, 1024_Kibibytes and foofiepie like this.
snooggums
in reply to MemmingenFan • • •like this
real_squids, ᗪᗩᗰᑎ, QuazarOmega and Sergio like this.
DaddleDew
in reply to MemmingenFan • • •Agent Karyo likes this.
Krafting
in reply to MemmingenFan • • •Welp, done it
I'm not sure about all of it and had to remove the racist/sexist stuff, just because I don't know any software on the fediverse with controversies like this...
Feel free to give feedback and if you think I should change something, I'll post it later on this community !
like this
dolphin, prongs, Anafabula, somethingsnappy, Brave Little Hitachi Wand, Shrike 🐦⬛, RangerAndTheCat, Harvey656, Lucy :3, cnhguy, abies_exarchia, Mathprogrammer1, will, chelatna, shoop, Mildren, Octoham, AlligatorBlizzard, Steve, echolalia, med, TriflingToad, DonGirses, tektite, Matt/D, scintilla, stormio, pinball_wizard, 𝕊𝕞𝕒𝕔𝕜𝕖𝕞 𝕎𝕚𝕥𝕥𝕒𝕕𝕚𝕔, HomieMace, kittenzrulz123, hiimsomeone, Frost-752, Fallofturkey, johnlukepeckard, TeryVeneno, Stety, atotayo, cyberic, Black616Angel, eatham 🇦🇺, Sorse, zeograd, Meow2, Johanno, narp, Shifty Eyes, diffaldo, ZILtoid1991, Metype, gnu, Biyoo, Agent Karyo, RachelRodent, VitabytesDev, ksp [il/lui], Sonalder, ThePinkUnicorn, sunglocto, Jeshu, dontkickducks, baldora_vice, biggerbogboy, namingthingsiseasy, i_hate_doors, NinjaCheetah, herrcaptain, SolarPunker, A7thStone, roydbt, sinokon, joelfromaus, freeman, Foxfire and 9 other people like this.
redshift doesn't like this.
irelephant [he/him]🍭
in reply to Krafting • • •That is a name I have not heard in a long time.
What is the pinterest one?
like this
AlligatorBlizzard and eatham 🇦🇺 like this.
Krafting
in reply to irelephant [he/him]🍭 • • •MemmingenFan likes this.
irelephant [he/him]🍭
in reply to Krafting • • •diffaldo likes this.
pdqcp
in reply to Krafting • • •like this
Shifty Eyes, diffaldo, BackgrndNoize, Metype, VitabytesDev, ThePinkUnicorn, biggerbogboy, Sergius, Luma, Nerdulous, herrcaptain, vsanth, roydbt, freeman, Darohan, Aminara, HollowNaught and Benny like this.
Krafting
in reply to pdqcp • • •From top to bottom, left to right :
Friendica
GNUSocial / Mastodon
Vernissage
Wordpress ? Writefreely ? Pixelfed
Loops
Jlai.lu (French lemmy instance) / Lemmy (with the lemmy.world logo because it's more colorful than the plain lemmy logo)
like this
Shifty Eyes, VitabytesDev, ThePinkUnicorn and freeman like this.
FackCurs
in reply to Krafting • • •diffaldo likes this.
Pamasich
in reply to FackCurs • • •Are you sure about that?
like this
diffaldo and roydbt like this.
nasi_goreng
in reply to MemmingenFan • • •The original image seems related to Westernsphere social media huh
Facebook in my region (Southeast Asia) is still filled with Gen Z, wirh various niche groups that often have more than 100K members. From anime meme to satirical anti-corruption group. Or fried chicken seller group and book barter for your small city.
I was active moderating on one local music group band on FB with 250K members.
I hope I can change Facebook for fediverse, but there's still no Facebook group alternative and actual active community on fediverse to make it happen.
like this
oysvendsen, yonaz, BlindFrog, Dämnyz, eatham 🇦🇺, Johanno, diffaldo, Agent Karyo, Luma, LwL, Yeather and Darohan like this.
bluewing
in reply to MemmingenFan • • •like this
nasduia and Aminara like this.
MemmingenFan
in reply to bluewing • • •Aminara likes this.