Some women expect that a man should never get angry with them, and if he does they view it as a mark against him — assuming a man's anger can never be legitimate because it makes them feel bad, even when it's justified.
That's childish and wrong.
When a man doesn't get angry in situations where it would be warranted, that's more evidence of self-control than a default behavior to be demanded.
If someone repeatedly makes mistakes, provokes him, or is disrespectful and he still never gets mad, it usually means he either genuinely doesn't care or has extraordinary self-discipline that is being strained and exploited — a man's stoicism is not a toy.
Not expecting a man to get angry when he is frustrated, disrespected, or let down is unreasonable and entitled.
Asserting a desire for emotional availability but then dismissing a man's anger because it's uncomfortable is inconsistent. Emotional availability means being present for all emotions, including anger that arises from real grievances.
Patience and restraint are admirable, but treating them as the baseline expectation and condemning any other reasonable emotional response is unfair. Men will get angry sometimes; actions can deserve that anger.
Excessive, disproportionate anger is problematic, but that isn't the point here — this is about recognizing anger itself as a valid expression.
It's worth repeating: wanting an emotionally available partner also means accepting their anger as legitimate. If the preference is "all emotions except that," then it isn't true acceptance but a demand for comfort.
Emotional availability includes the emotions that are unpleasant to receive.
At the same time, no one should habitually unload unpleasant emotions for the sake of it, but when upset or punishment is warranted, the other person doesn't get to dictate the form of emotional expression — if it's expressed angrily, that is how it is expressed.
If tears are expected to be treated as sincere rather than dismissed as manipulative, a man's anger should be afforded the same validity rather than being written off as unreasonable.
It's about validating someone for how they feel in the moment instead of punishing them because the feeling is personally inconvenient or distasteful
hiveSnaps as an iOS app is a great tool for encouraging retention of casual users on hive but I worry about the pace of development because Leo threads was the only hive focused app I ever saw built at a reasonable pace.
It’s a shame that things went down like they did between Leo and the rest of hive. The pace and scope of development for Leo as well as the focus on building income streams and value for the token are exactly what hive is missing.
I’ll continue to be active in both ecosystems as long as I am welcome, and I’ll continue to voice my opinion both places in a way that’s as honest and anti-inflammatory as possible.
Hivesnaps is only for those who are the puppets of a few egoistic folks, not for the masses, Inleo knows how to attract more people and stress free pace to be.
I will be enthusiastic about Leo threads once the team pivots back to INLEO promotion. For now I’m optimistic about Leo token because of leodex, and I think the community will stick together long enough for that to happen
Appreciate it, that write-up looks perfect for a newbie like me :) the 19% while you wait and limited downside angle is exactly what I needed to understand S;URGE
Stake House Den is a Web3 play-to-earn gaming platform where you’ll find three types of jackpot games — Roulette, Video Blackjack, and Slots. All you need to do is place your bet and test your luck.
I get the confusion. My point is that fiat systems reward middlemen with easy profits via rent and fees, so they hoard assets like real estate. Under a Bitcoin standard, those profits vanish due to transparency and decentralization, forcing them to sell off
“The beginning of a habit is like an invisible thread, but every time we repeat the act, we strengthen the strand, add to it another filament, until it becomes a great cable and binds us irrevocably in thought and act.”
Dips like this are part of the game, but timing the bottom is a gamble. I focus on consistent investing over trying to predict lows. Buy assets when you can, not just when it’s cheap—time in the market beats timing the market every time
Appreciate the agreement. Sticking to a consistent plan, even during dips, builds wealth over time. Patience and discipline always pay off in the long run
#gmfrens Entire crypto market is down and this time its RED all over. Will we see $LEO trade above #HIVE tomorrow..when the USDC rewards gets paid out...
#leo #lstr #surge #leostrategy
Bot monitoring has started. I have created an index of 30 coins (15 gainers and 15 losers), which will show me their collective performance, and I will trade accordingly.
Smart move to lock in some gains at $250k. Historically, taking profits near cycle peaks can set you up nicely for the bear market dip. Just watch for momentum shifts—easier said than done
While I don't use Docker for everything like the guy in this video, I find it really useful with AI-applications like Crawl4AI and when developing Python codes, because for some reason, many python libraries require specific versions of python!! #programming #coding #docker #freecompliments
The Power and Flexibility of Docker: A Comprehensive Overview
In the modern software development landscape, Docker has emerged as an invaluable tool that simplifies and streamlines a wide array of tasks, from local development to deployment in production. The author shares their extensive experience with Docker, highlighting its versatility and efficiency, while also providing a deeper understanding of how it works under the hood.
Docker is built upon the concept of containerization, a method that packages applications along with all their required software, dependencies, and configurations into a single, portable container. This container can then be deployed on any system with Docker installed, regardless of the underlying operating system. This eliminates the "it works on my machine" problem and ensures consistency across environments.
Virtual Machines vs Containers
Before Docker, developers relied heavily on virtual machines (VMs) to achieve similar goals. VMs emulate entire operating systems, providing isolated environments but at a significant resource cost. They are heavy-weight, requiring dedicated space and system resources for each VM, which limits scalability.
In contrast, Docker leverages the host system’s kernel and files, sharing them across containers while maintaining isolation. This makes containers lightweight, allowing dozens to run simultaneously on a single host without exhausting resources. Under the hood, Docker images share the operating system's core components, avoiding unnecessary duplication.
Understanding Docker Images and Containers
Docker images are pre-configured, read-only templates that serve as the basis for containers. These images can be pulled from Docker Hub, a vast repository of pre-built containers for many applications and services.
Running Containers
To instantiate an image, the command docker run is used, optionally specifying a tag to select a particular version. For example:
This command downloads the Ubuntu image, creates a container, and runs the default command inside it. Users can execute commands within the container, such as:
```bash
docker run ubuntu ls
docker run ubuntu whoami
For interactive exploration, adding -it (interactive mode with a terminal) allows opening a full shell session via bash, providing a full operating system environment within the container. This exemplifies how containers can act like full, isolated OS instances, with full access to package managers and the filesystem.
This capacity makes Docker ideal for one-off commands—like transcoding videos with ffmpeg, or running isolated scripts—sans cluttering the host system. You can spin up these containers, perform your task, and delete the container afterward, ensuring there’s no residual impact.
Docker in Development Workflows
The author discusses frequent use cases, especially with Python. Developing locally often involves complex dependencies and environment setup, which Docker neatly sidesteps. By containerizing a development environment, you can:
For example, running a Python container with code mounted via volume allows seamless development as if working on a local machine, but inside an isolated, reproducible environment.
Isolating AI Tools
Docker also proves beneficial in isolating AI tools like code assistants or agents. This prevents rogue commands from affecting the host system. Using a container with volume mounts for specific project files adds a safeguard, allowing easy rollback with version control tools like Git.
Managing Multi-Container Applications with Docker Compose
Real-world projects often require multiple interconnected services—web servers, databases, caches. For this, Docker offers Docker Compose, a tool that orchestrates multiple containers via a YAML configuration file.
The author offers a scenario: a PHP project coupled with MariaDB and Redis. Using Compose, each service can be defined with specific configurations and linked via service names, simplifying intra-containers communication. The compose file manages port bindings, network settings, and shared storage, allowing all components to run concurrently without conflicts.
Version Pinning and Legacy Support
Docker images can be tagged with specific versions. This allows maintaining legacy setups—say PHP 7.4—while other services stay up-to-date. Updating just the image tag switches the environment without invasive local changes.
Docker isn’t just for local development; it’s a robust platform for production deployment. The author hosts multiple projects on a single VPS (Virtual Private Server), demonstrating how containers are resource-efficient and easy to manage.
Resource Management
With a modest 2 GB RAM VPS, the author runs several containers simultaneously, limiting each to 512MB, ensuring the server remains responsive. Containers are isolated, minimizing risk of system-wide crashes.
Securing and Routing Traffic: Reverse Proxy with Traefik
In a production environment, traffic management and security are crucial. The author introduces Traefik, a reverse proxy that:
Distributes incoming requests to appropriate containers
Automates SSL certificate provisioning via Let's Encrypt
This setup enables multiple applications to run on distinct domain names, with Traefik managing traffic flow based on configuration, all within Docker Compose files. Such automation is conducive to CI/CD pipelines, enabling continuous deployment workflows.
Final Thoughts: Advantages and Considerations
While Docker’s capabilities are extensive, the author acknowledges that it’s not without its challenges. Still, its flexibility, resource efficiency, and ease of deployment make it an integral part of modern development and operations.
The author encourages others to explore Docker if they haven’t already, emphasizing its role in simplifying complex workflows, safeguarding host systems, and enabling scalable deployment. Their experience reflects how Docker can transform everyday development tasks into more streamlined, manageable processes.
Conclusion
Docker has revolutionized how developers build, test, and deploy applications. Its containerization approach offers lightweight, portable, and consistent environments that bridge the gap between development and production. From local experimentation with one-off containers to managing multiple services via Docker Compose, and finally deploying on production servers with automated traffic routing and SSL handling—Docker proves indispensable.
If you’re not already using Docker, now is a great time to start. Its versatility can significantly improve your workflow, reduce environment headaches, and facilitate scalable application deployment.
Ready to dive deeper? Let me know in the comments if you'd like me to craft a tutorial on setting up Docker-based CI/CD pipelines or multi-container deployments!
According to this, the most I can do with a CPU-only setup is 30B but it requires a lot of RAM and it'll be very slow. My current machine can only comfortably run up to 4B models...
Exploring Alibaba's Quen 3: The Latest Open-Source Language Model Family
Alibaba has recently released Quen 3, a comprehensive family of open-source language models that span a wide range of sizes and capabilities. From compact 0.6 billion-parameter models to a massive 235 billion-parameter behemoth, Quen 3 represents a significant advancement in accessible AI language models.
Overview of Quen 3 Models and Their Features
Quen 3 comes in eight different sizes, each supporting at least a 32K token context window, with larger variants capable of handling up to 128K tokens. The models are available in two primary types:
Dense Models: Use all parameters for each prediction.
Mixture of Experts (MOE) Models: Activate only a small subset of parameters (experts) selectively, which enhances efficiency and scalability.
Key Attributes:
Parameter Range: From 0.6 billion to 235 billion parameters.
Context Support: 32K tokens minimum, up to 128K for larger models.
Quantization: Most models are in Q4 format, optimizing for lower memory usage and faster inference.
Performance on Low-Resource Hardware
Alibaba emphasizes accessibility by designing smallest models like Quen 3 0.6B for environments with limited resources. During testing on a 4-year-old laptop with:
the 0.6B model demonstrated the ability to support a sizeable 32K context window. Despite answering questions incorrectly and running at roughly 31.65 tokens/sec, it showcased that such lightweight models can operate efficiently on modest hardware.
Similarly, the 1.7B version was tested on the same system, with an inference speed of approximately 14.87 tokens/sec. While slower and occasionally inaccurate, these models are well-suited for environments where computational resources are constrained.
Moving to models with larger parameters, like the 4.02B Quen 34B, the challenge becomes evident. Running on the same laptop, the inference speed dropped to around 7 tokens/sec, and the model still responded incorrectly or misleadingly at times. This indicates that CPU-only inference at this scale is impractical.
In contrast, deploying these models on mid-range desktop hardware with GPUs dramatically improves performance:
Ryzen 5800X CPU + RTX 3060 GPU (12GB VRAM): Achieved speeds of 46.80 tokens/sec.
This highlights that dedicated GPUs with at least 8GB VRAM are recommended for smoother operation of larger models.
Inference speed was approximately 2.43 tokens/sec when run 15% on GPU and 85% on CPU/RAM, reflecting the enormous size and complexity.
Despite the slower inference, the model accurately answered questions, demonstrating impressive capacity for a model of its size.
Practical Recommendations and Use Cases
Small models (0.6B, 1.7B): Suitable for low-resource environments, running smoothly on older hardware.
Mid-sized models (4B to 14B): Require mid-range computers with robust GPU support for reasonable inference speeds.
Large models (30B and above): Best deployed on high-end GPUs, such as RTX 3090, with ample VRAM and RAM, to handle their extensive computational demands.
Alibaba's Quen 3 family successfully balances scalability, resource efficiency, and performance. Its ability to operate across a spectrum—from minimal hardware environments to cutting-edge enterprise setups—makes it a compelling addition for developers, researchers, and organizations interested in open-source large language models.
For those working with smaller resources, the base models offer reasonable performance and capabilities, while large-scale deployments benefit from dedicated GPU hardware. The inclusion of extensive context windows significantly enhances its application in complex tasks like long document processing or sustained conversational AI.
The real benefit in trading comes when you pay the lowest possible fees and commissions. In terms of trading fees and being the best exchange, Binance stands out.
Thats the sweet spot for depth and flow, and and it keeps folks curious without overload :) Maybe group them by small themes like work, home, travel so each set feels like a mini arc?
Love the idea of grouping them by themes like work or home. It’d definitely make each set feel like its own little story. Might even help folks connect with the vibes of the 19th century better
LEO power is not staking, it's for curation. When you vote on posts you get 50% of the vote value. 218 Leo power wouldn't give a significant vote value. You need to increase your Leo power to be able to get a significant vote value for your curation.
Learning time.
I decided to give my very first try of Arbitrum.
Sent 3.33 LEO for wraping. And got only 2.73 LEO in rerurn.
That is a whoping -18%.
Why is this so? Is it normal?
Why I see 0.99% on Wleo page then?
Can someone give me a hand, and explain (like I'm 5) how it all works.
Is it because of a very small Leo amount sent?
GAS fee numbers do not bring me any clue....
Have you any link ( docs, etc) where I can read more about this?
Yeah like the dashboard anything else, the contract with delivery center must be so bad.
Maybe it's wiser to get a SWAP token on hive-engine, withdraw it and swap than via #leodex 🤔
Never underestimate the value of loving parents. No sum of money, fame, brilliance, or achievement can purchase or substitute loving parents. They either exist in one's life or they don't, and having even one is a blessing
your right, nothing replaces loving parents and no amount of money comes close. Even having one is a blessing, it steadies the chaos and gives you a safe place to breathe :)
Indeed, a loving parent becomes an anchor in the storm, a sanctuary where the soul can rest. Their presence is a silent force, steadying the chaos and guiding one toward their highest self.
Beautifully said, that silent strength shapes us when we can't see it, and There love keeps pulling us back to our beST selves :) Do you keep a small daily ritual that honors that anchor?
A simple ritual can be a quiet moment of gratitude each morning, acknowledging their silent strength. It’s a way to carry their love as a shield, a reminder to strive for the highest self they saw in us.
Small, consistent reps really do add up like interest. Those 15 clean minutes are gold—way better than dragging through a messy hour. Momentum is everything
Exactly, once it's dates, signatures, telegrams on paper; you can't unsee it. It make the whole narrative feel colder, like the mask drops and you're staring at the machinery in real time :)
Totally, it’s like seeing the gears turn behind the curtain. Those telegrams and signatures strip away any doubt and just lay it all bare. Chilling stuff
If your yield target is LSTR and it feels tiny, try rotating to LEO for a bit and keep stacking consistent engagement to push your suRGe share :)
I’d log it for a week and rebalance if the numbers still lag..
Your right, that 1% jobless rate can hide' low participation and folks stuck in part time work. From a numbers view, wages, hours and vacancies tell the fuller story, so the headline feels better than reality sometimes :)
That Friday follow through on gold is showing your right, momentum’s intact and the dip buyers look like there flexing :) If it holds this push, miners should keep riding, tho I’m not complaining either way.
I think many folks in the U;S still care about checks and ballots, and local organizing can slow the slide :/.
From the numbers side, small margins flip key states,, so steady work beats doom scroll :)
Love this. Let the wins add up like compounding interest when you drop the fight and just receive :) It definitley takes practice, but that soft ALlowing hits different.
An NHS employee in England accidentally sent a test email to 840,000 colleagues, leading to a massive reply-all incident. This generated 168 million emails exchanged among staff, temporarily disrupting the health system for several hours.
Reply all storms are expensive chaos. From an accounting lens, 168 million messages means lost hours and server costs, and when one em;ail hits a list of 840k people it snowballs fast, so caps and simple training help, dont let it spiral next time :)
Morning🦁pack, not going to go to the office the entire week. #co2saved is #co2earned?
This week I've chosen $LSTR as rewards and very very happy with market dynamics and stuff.
Skipping the commute totally counts as carbon saved that feels like earned, and that 0.257 LSTR from SURGE this week is a neat datapoint :) As a numbers guy, I like how LSTR’s dynamics smooth cashflow, the yeld may be small today but if your compounding it with LeoFi boosts, the variance drops.
My groceries supplier just called me, it's time to clear some old bills and restock the food cabinet. The rest of the month is practically bills paying days for me.
Bills can pile up fast. Sticking to a budget and prioritizing essentials over extras has helped me manage those end-of-month crunches. Consistency over perfection gets you through. How do you handle the balancing act?
That $SURGE yield looks tasty; from a cash flow view it helps cushion the HIVE dip, so I dont see a bad setup for a small nibble while keeping risk tight :)
Nice, locking in a fresh month of premium after renewing it yesterday, thats worth it :)
Those extras can easily pay for itself when your bids get filled, love that momentum
Feels like relationship managment 101: match the storm but keep a ledger of boundaries so the net sum stays positive and sustainable :) Little chaos keeps the spark, but too much and you burn the acccount.
A storm matched with precision indeed keeps the spark alive. Boundaries, like a ledger, ensure the chaos doesn't consume but rather fuels a deeper, sustainable fire. Balance is the art of thriving in the tempest
Yup, that’s the craft: match the storm with precsion, keep a boundary ledger so passion gets credited and costs get debited, and the net stays green :) How do you keep balacne when the waves spike?
Balance in the tempest comes from anchoring in purpose. When waves spike, I return to inner stillness, letting chaos swirl without losing my center. It’s not control, but alignment with the storm’s rhythm that keeps the fire steady
The Future of UK Politics: Analyzing the Chances of Reform and the Economic Battle Ahead
In a comprehensive analysis, Gary from Garys Economics provides an in-depth prediction of the upcoming UK election, focusing on whether the Reform Party will win and the broader implications of economic trends, political strategies, and societal divisions.
Gary begins by emphasizing the importance of reading betting odds as a tool for predicting electoral outcomes. Consulting Betfair, he notes that the probability assigned to Reform achieving the most seats in the next election is approximately 50%, a figure steadily increasing over recent months. Meanwhile, Labour trails with about a 32% chance, and the Conservatives are at roughly 12%. Other smaller parties like the Liberal Democrats and Greens have minor shares.
However, Gary highlights that these odds do not tell the whole story. The UK’s multi-party system, with its complexities, means that a party can lead in seats but still fall short of an overall majority. The betting suggests around a 52% chance of a hung parliament, indicating that no single party, Reform or Labour, is likely to secure enough seats alone, potentially leading to coalition governments and complex political negotiations.
The Impact of Economic Deterioration on Political Dynamics
Gary’s core argument revolves around the ongoing economic decline—specifically, the worsening living standards tied to growing wealth inequality. His previous successful track record in predicting political shifts is rooted in the understanding that economic hardship favors populist, often far-right, candidates like Nigel Farage and the Reform Party.
He predicts that as living standards continue to fall, support for Reform will grow, especially since mainstream parties like Labour and the Conservatives have failed to address the root causes of inequality. This economic downturn is expected to undermine Labour’s standing, pushing voters toward Reform or far-right alternatives. The chances are high that Reform’s odds will continue to increase unless mainstream parties shift their messaging significantly.
The upcoming leadership changes within Labour have a decisive influence on future prospects. Gary predicts that Keir Starmer’s tenure will likely end in the next year amid plummeting popularity, replaced by a leader who must craft a new political message. The pivotal area for that new leadership will be economic policy—specifically, addressing inequality through wealth taxes and redistribution.
He argues that adopting policies focused on wealth taxes and inequality offers the most promising route for Labour to win the next election. Conversely, sticking to the status quo or focusing on divisive issues like immigration could hand victory to Reform. Gary suggests that the most likely scenario is a Labour leadership that either fails to pivot correctly or emphasizes immigration issues, thus playing into Reform’s strengths.
The Conservatives’ Fragile Position
Despite the bleak outlook, Gary notes the Conservatives retain a small but notable chance (~12%) of winning outright, according to betting markets. Their current leader faces unpopularity, and the party’s support base has shifted dramatically toward Reform, threatening to dismantle the traditional Tory presence.
He predicts that the Conservative Party, facing potential collapse, might resort to erratic or populist tactics—possibly even making divisive or radical moves—in hopes of reviving its fortunes. The upcoming leadership change, possibly to Robert Jenrick or another figure, is expected, with the party likely to undergo further internal upheaval before the next election.
The Rise of the Greens and the Vacant Left
Gary highlights the strategic opportunity for the Greens, under new leader Zach Polanski, to fill the political space vacated by Labour’s decline. The Greens are leveraging their stance on inequality, social justice, and environmental policies to appeal to disillusioned left-leaning voters.
He predicts that if Labour fails to rebrand effectively—particularly on economic issues—the Greens could dramatically increase their parliamentary representation, potentially winning 30-40 seats, a historic leap from their current modest presence. However, he warns of a paradox: if Labour decisively adopts Greens’ wealth tax policies, it might absorb their support, undermining their gains.
Nigel Farage’s Influence and the Power of Smaller Parties
Drawing parallels with Nigel Farage’s UKIP and Brexit phenomenon, Gary underscores how small parties can influence electoral outcomes by shaping narratives without necessarily winning many seats. Farage’s strategy of pushing the Conservative Party to the right, despite limited direct wins, has significantly impacted UK politics.
He sees Reform and Farage as employing a similar tactic—eventually winning power by dominating political discourse and forcing mainstream parties to follow their lead, especially on immigration, sovereignty, and national identity issues. This underscores his view that the core battle is ideological and narrative-driven, not solely based on electoral math.
The Path to Victory and the Necessity of Political Unity
Gary stresses that Reform’s win hinges on the “aggressive and relentless pursuit of unity and common ground” among opposition parties. The current political landscape is characterized by division, which benefits Reform. To counter, the left and center must coalesce around shared themes—economy, inequality, and fair taxation—and avoid bickering or divisive issues like immigration at this critical juncture.
He advocates for a strategic focus on policies that resonate with working families—specifically, raising taxes on the wealthy and investing in public services—and cautions against identity politics or inflammatory rhetoric. Achieving electoral victory may ultimately depend on overcoming internal disagreements and presenting a unified front.
The Risks of Rise and Fall: Economic and Societal Consequences
Gary warns that if Reform wins, the UK may face a perilous future—potentially repeating patterns seen elsewhere where populist far-right parties come to power only to fail on economic management. He fears that economic mismanagement, coupled with scapegoating minorities or vulnerable groups, could lead to societal chaos, such as aggressive authoritarianism or extremism. He cites extreme American examples, such as calls for violence against homeless populations, dramatizing the potential dangers.
He emphasizes that sustained inequality and failed policies will force populist leaders into extreme measures, possibly resulting in societal breakdown. Preventing this requires maintaining focus on economic justice and unity.
In closing, Gary appeals to both supporters of Reform and critics alike. He underlines his commitment to a non-partisan, economically focused message centered on wealth taxes and reducing inequality. For Reform supporters, he urges unity and strategic messaging; for opponents, he advocates pragmatic collaboration to prevent societal division and economic decline.
He acknowledges that social divisions, fueled by misinformation about immigration and inequality, threaten the fabric of society. His central thesis: division results in loss, while unity around shared economic goals—particularly addressing wealth inequality—can secure a more prosperous future for all.
Conclusion: The Key Factors Shaping the Next Election
Gary’s analysis portrays a UK election on the brink of profound change, driven primarily by economic hardship and the failure of traditional political narratives. The rise of Reform reflects a broader dissatisfaction with the political establishment, amplified by worsening living standards and inequality.
The decisive factors will be whether Labour manages to rebrand itself around economic justice, whether opposition parties unite, and whether societal divisions are bridged. If fragmentation persists, Reform’s victory becomes inevitable. If opponents can find common ground and craft compelling narratives, they stand a fighting chance to turn the tide.
The message is clear: unity, clarity on economic issues, and the ability to resonate with ordinary voters’ concerns will determine the future political landscape—and perhaps, the fate of the UK itself.
Your right, the white paper gag is funny, but I’m only taking it serious once real tokenomics and dates show up :) This smells like hype for now, so better to keep powder dry and not FOMO to early.
it feels like one of those cloudy chill mornings, but that little hint of sun looks promising :) this kind of weather make coffee taste better and your plants will be happy too
That looks like the br:idge tag, not a uesr. The actual service handle won’t include a #, so match the handle from the Leo team’s pinned note in-app before doing any swaps :)
Yeah so far so good. We got a lot of veggies from that field this year. In a few weeks the season is over. The field is rented from spring to autumn. I think it's the fourth year we did it.
Building an online presence can provide financial independence without concerns about traditional jobs, careers, or AI. Make 2025 your year to become a creator.
Half an hour a day for $1.5k to $2.5k sounds dreamy, but as an accountant I dont see that being repeatable without a real offer and really really strong audience trust :)
Fair point! It does take a solid offer and a loyal audience to make it repeatable. Starting small and building trust over time is key to getting there with just a little daily effort.
Agreed, with a real of;fer and consistent trsut building, the compounding can work :) In those 30 minutes, what would you focus on first to make it repeatable each week?
A week ago I placed multiple buy orders at different price levels but all under 20 cents. I hope if there is some turbulence on hive price, there are chances for these orders to get fulfilled. $HIVE is best deal below 20 cents I think
Your plan looks good, stacking bids under 20c should catch the turbulence :) If those two stay sticky, a tiny nudge or just let em sit, thats fine either way.
That's cool to hear! I've never tried raagi mudde, but I love how food can tie back to those childhood memories. Gotta be honest, spicy stuff sometimes gets me, but I'd be curious to taste it someday
Raagi mudde is best with a little ghee and a mellow saaru, so it stays cozy not scary, plus curd on the side if the heat sneaks up :)
Dont worry, we keep it very very gentle for first timers.
In fiction, that feeling between love and want often turns into messy choices, your so right. As an accountant, I just try to balance the heart’s ledger before the lines gets blurry :)
So, while writing my most recent article, I realized that 'The ABC Murders' isn't the only Agatha Christie book that was converted to a game... Wow, just wow~ #gaming #mystery #detectives #cent
Why was the resistor fired from his job of leading the orchestra? He was a terrible conductor. Credit: reddit @master-lamps, I sent you an $LOLZ on behalf of chaosmagic23
Supposedly holding it for a security check. Gonna be at least 3 hours. By that time I will be busy at work and unable to do what I need.
Supposedly all because I don't have a hardware security key. It's my freaking money (guess not) and I logged in with a known device and used authenticator!
If I can find a local miner or somebody trusworthy to buy BTC from with cash, I am done!
Last I heard the plan was to have it available at $0.85 on Base during the 1st tier then up 0.90 for second tier and then 95 cents for the 3rd tier until it runs out of the presale... somrthing like that if it goes to Base before the pre-sale ends!
Hello foodie Lions 🦁! Happy Monday. Welcome to today's show.🥗🍲🫕
This is the #threadcast for Day 454 of the #foodtalk on Leo, 22/9/2025 for 21/9/2025. It's time for some meal inspirations and food conversation. Don't forget to use #foodtalk in your comments.
Discussion
Be part of the Food Talk Show On Leo. Here is Day 453 that leads you to the previous threadcasts.
FEED LEOAI with YouTube food videos.
Share your meals and food experiences.
Check the food video summaries in the threadcast.
Share other food-related content and ask questions about food.
More about food with tips and tricks will be dropped in the threadcast. Upvote the comments you find interesting & connect with others. Let's have fun. #foodie
How to Roast Pumpkin and Squash Seeds: A Simple Guide to Zero Waste and Nutritious Snacking
In the world of home cooking, utilization of every part of your ingredients not only minimizes waste but can also lead to delicious and nutritious creations. In this engaging tutorial, Kayla walks us through an easy and practical method to roast pumpkin and squash seeds, alongside making homemade pumpkin and butternut squash purees. These recipes are perfect for turning scraps into tasty snacks and reducing food waste while maintaining a healthy lifestyle.
The Benefits of Roasting Your Own Pumpkin and Squash Seeds
Kayla begins by emphasizing the importance of not discarding seeds after carving or preparing pumpkins and squashes. Instead, roasting these seeds is a straightforward process that yields nutritious snacks rich in zinc, magnesium, phosphorus, copper, and vitamin K. These seeds are also packed with antioxidants, have anti-inflammatory properties, contain fiber, and even display anti-parasitic benefits, making them a superfood worth incorporating into your diet.
Selecting the Right Pumpkin: The Sugar or Pie Pumpkin
For making pumpkin puree, Kayla recommends using a small sugar pumpkin or pie pumpkin. These varieties are sweeter and less fibrous than larger pumpkins, making them ideal for cooking and baking. She demonstrates how to carefully cut off the top, slice the pumpkin in half, and remove the seeds with a spoon. This initial step requires some effort and patience but is manageable with a steady hand and proper technique.
Once the pumpkin is halved, the next step involves scooping out the seeds and removing most of the stringy flesh. It's perfectly fine if small amounts of pumpkin flesh cling to the seeds at this stage; they will be rinsed later. Kayla stresses the importance of thoroughly rinsing the seeds under water to detach any remaining pumpkin flesh. After rinsing, the seeds are spread onto a towel to dry for at least 24 hours, a crucial step to achieving that desired crunch in the final roasted seeds.
Roasting Pumpkin Seeds: Basic and Flavored Options
Once dried, Kayla illustrates how to coat the seeds with a teaspoon of avocado oil and a pinch of sea salt before baking. She recommends spreading them evenly on a lined baking sheet to prevent overlap, then roasting in a preheated oven at 350°F for about 12 to 14 minutes until golden brown. She notes that the process applies to other squash seeds as well.
Kayla takes her roasted butternut squash seeds a step further by creating a cinnamon sugar coating. After rinsing and drying, she tosses the seeds with a small amount of avocado oil, sea salt, brown sugar, and a mixture of monk fruit and maple syrup for sweetness with lower carbs. A dash of cinnamon adds warmth, and the coated seeds are baked at the same temperature for 10–12 minutes, resulting in a sweet and crunchy snack perfect for festive occasions or a healthy treat.
Creating Homemade Pumpkin and Butternut Squash Purees
In addition to roasting seeds, Kayla demonstrates how to prepare smooth purees from pumpkin and butternut squash. She recommends baking both flesh side down at 400°F, with pumpkin taking approximately 30–40 minutes and butternut squash taking 45–60 minutes, depending on size. The key indicator of doneness is when you can pierce the flesh effortlessly with a fork.
Once cooled slightly, the pumpkin skin is peeled away, and the flesh is roughly mashed with a potato masher. An immersion blender is then used to achieve a silky smooth texture, though a food processor works as well. The purees are stored in glass containers in the fridge for up to a week and can be used in various recipes, from pies and desserts to pancakes and chia pudding.
Kayla emphasizes the versatility of these homemade purees, which serve as excellent alternatives to canned options. The roasted seeds, on the other hand, can be stored in mason jars at room temperature for a week. Whether enjoyed plain or flavored, they make a crunchy, satisfying snack. The cinnamon sugar version offers a sweeter twist suitable for snacking or topping oatmeal, yogurt, and salads.
Final Thoughts and Encouragement to Get Creative
Wrapping up, Kayla encourages viewers to have fun experimenting with different flavor combinations for their roasted seeds. She advocates for zero waste cooking, making the most out of pumpkin and squash ends, and creating nutritious, homemade snacks and ingredients with minimal effort.
She invites viewers to like the video if they found the tips helpful, share their own creations on Instagram by tagging her, and subscribe for more healthy recipes and lifestyle advice. The emphasis throughout is on simple steps, clever use of kitchen tools, and the satisfaction of turning leftovers into delicious, health-conscious treats.
This comprehensive guide by Kayla highlights that roasting pumpkin and squash seeds is an easy, rewarding process that promotes food waste reduction and enhances your snacking options. Paired with homemade purees, these recipes open a world of culinary possibilities, encouraging a more sustainable and health-focused kitchen routine. So next time you carve a pumpkin or prepare a squash, remember: every part can be part of a tasty, nutritious adventure.
Healthy Hot Chocolate: Three Delicious and Nutritious Recipes
As the cozy chill of winter settles in, there’s nothing quite like a warm mug of hot chocolate to comfort and delight. Recognizing this, popular content creator Kayla has shared her favorite ways to make homemade hot chocolate that are not only indulgent but also healthier alternatives to store-bought mixes. With minimal ingredients and simple techniques, she demonstrates three different ways to enjoy this classic treat—each tailored to different tastes and health goals.
Kayla emphasizes the importance of knowing what goes into your food, pointing out that many pre-made mixes are loaded with unnecessary additives and preservatives. Homemade hot chocolate, on the other hand, boasts a creamier, richer flavor, and can be customized to suit dietary needs. Plus, batch prepping allows you to enjoy this comforting beverage throughout the week with ease.
A versatile aspect of her recipes is the choice of milk. Whether plant-based options like almond, cashew, or oat milk, or traditional dairy, Kayla recommends adjusting based on personal preference. For added creaminess, mixing almond milk with full-fat coconut milk can elevate the texture. When using canned coconut milk, she suggests mixing the cream and liquid beforehand, as separation can occur.
1. Traditional Hot Chocolate: Rich, Decadent, and Chocolatey
Ingredients:
3 cups milk (dairy or plant-based)
2.5 tbsp cacao or cocoa powder
3 oz semi-sweet/dark chocolate (preferably 50-70% cacao, chopped)
In a saucepan over medium heat, whisk together milk and cacao powder until lumps dissolve. Add chopped chocolate and continue whisking to melt it fully. Sweeten with maple syrup and a pinch of salt, then stir for about 4-5 minutes until the mixture is smooth and creamy. For extra flavor, a splash of vanilla enhances the richness.
Serving:
Pour into mugs and top with dairy-free whipped cream, a sprinkle of cacao powder, and a cinnamon stick for stirring. The thick, creamy consistency makes this version a real treat, perfect for special occasions or when craving something indulgent.
Combine all ingredients in a saucepan over medium heat, whisking until smooth and heated through. This version uses no chocolate bar, making it lighter in texture and calories but equally satisfying.
Serving:
Top with marshmallows, cacao powder, and a cinnamon stick to enhance flavor. It’s an ideal everyday chocolate drink that satisfies cravings without feeling too heavy.
3. Hormone-Boosting Hot Cocoa: Nourish and Energize
Ingredients:
1.5 cups almond milk
1.5 cups full-fat coconut milk
3 tbsp cacao powder (preferably sourced from low-contaminant regions)
3 tbsp maple syrup
Pinch of sea salt
1/2 tsp Ceylon cinnamon
1/2 tsp ashwagandha powder
1.5 tsp maca powder
Optional: collagen peptides or other protein powders
In a saucepan, whisk together almond milk, coconut milk, cacao powder, syrup, salt, cinnamon, ashwagandha, and maca. Heat over medium, stirring for 4-5 minutes until well combined and hot. If using collagen or protein powder, blend into the mixture for added thickness and nutritional benefits.
Serving:
Top with dairy-free whipped cream, cacao nibs, and a star anise for a flavor and aesthetic touch. This version supports hormone health, boosts energy, and offers a nourishing afternoon pick-me-up.
Tips and Ingredient Choices
Kayla highlights the importance of quality ingredients, especially cacao powder, noting that heavy metals can contaminate some brands. She recommends sourcing cacao from non-volcanic areas to minimize this risk and provides links to her preferred brands.
All three recipes yield three servings, which can be stored in the fridge and reheated as needed. This makes preparing in advance a convenient option, especially during busy weeks or for entertaining guests.
Final Thoughts
Whether you prefer the richness of traditional hot chocolate, a lighter hot cocoa, or a nourishing, hormone-supporting version, Kayla’s recipes prove that comfort can be healthy without sacrificing flavor. Each recipe can be customized with your favorite toppings and spices, making every mug a little bit of cozy heaven.
Kayla invites viewers to try these recipes, share their favorites, and tag her on social media. Her goal is to inspire healthier eating habits while still enjoying the foods we love. So, grab your ingredients and get ready to indulge in a warm, homemade cup of goodness—your taste buds and body will thank you.
It has to be my favorite seasons. And It's almost time to work outside... been indoors for the last couple months, so it's gonna be awesome. Right in time for leaves changing
Did you know that you can claim HSBI for your staked CCD?
Visit the Crypto Company website for more information. Link in the comments.
#hbsi #ccd #crypto #linkinthecomments
The Turmoil of 1919: Austria’s Settlement in a Post-Imperial Europe
The summer of 1919 marked a pivotal moment in European history—a time when the geopolitical map was fundamentally redrawn following the chaos and upheavals of World War I. While much of the world's attention was fixated on the Treaty of Versailles, which dictated Germany's fate, a parallel and equally significant treaty was shaping the destiny of Austria-Hungary. The Treaty of Saint Germain, signed in June 1919, not only dismantled a centuries-old empire but also set the stage for the turbulent rebirth of Austria as a small, landlocked republic amid a fractured central Europe.
Before the ink dried on the armistice of November 3, 1918, Austria-Hungary was already on its knees. Emperor Karl I made a last-ditch effort to preserve the empire by proposing a federal state that would grant nationalities more independence—a move aimed at maintaining the integrity of the Holy Hungarian Crown's lands. Despite this, internal pressures from national independence movements and external military and diplomatic forces led to the empire’s swift disintegration.
Wartime hardship had severely undermined public confidence in imperial authority. Cut off from resources and suffering from hunger and economic collapse, the empire's territories declared independence across central Europe, with many new states emerging from its former dominions. A provisional assembly in Vienna declared a republic, dubbed Deutsche Ostmark or German Austria, but it could never reclaim the power or prestige of the once-mighty empire.
The Austro-Hungarian Dissolution and Its Aftermath
The collapse of Austria-Hungary was driven by a combination of internal discontent, nationalist aspirations, and shifting foreign policies. Allies in the post-war period aimed to weaken the old imperial structures to create a buffer zone and prevent the resurgence of German or Russian influence. Austria, reduced to a small, mountainous country with a population exhausted by war, faced immense challenges.
Post-1918 Austria was characterized by widespread unemployment, shortages, and a general sense of despair. Dispatches from humanitarian workers painted a bleak picture: deserted streets, queues for bread and firewood, and a populace that had lost faith in the old order. The country was economically and physically devastated, unable to sustain itself or pay reparations. Relief efforts from the Allies attempted to stave off catastrophe and prevent revolutionary upheaval reminiscent of Bolshevik Russia or Hungary, but the situation remained dire into mid-1919.
Austria’s National Aspirations and the Push for Union
The revolutionary sentiment in Austria's Assembly was palpable. Back in February 1919, the Social Democratic government under Karl Renner expressed hope for unity with Germany—an idea called Anschluss or union—that they believed would help Austria recover economically and politically. A national law was passed, proclaiming Deutschösterreich (German Austria) as part of the German Reich—an ambition fueled both by economic necessity and nationalist sentiment, particularly among Austria's German-speaking population.
The leaders argued that Austria should include all German speakers within its borders and sought to avoid being designated as the successor state of Austria-Hungary, which would entail assuming its debts and obligations. Essentially, Austria aimed to be a smaller, unified German-speaking nation without the legacy of the Habsburg monarchy, a goal that would soon clash with the realities and restrictions imposed by the victorious Allies.
The Allies’ View: Creating a Buffer and Containing Germany
At the Paris Peace Conference, the victorious Powers—especially France—pursued a policy of creating a "ring" of weak, viable states in Central and Eastern Europe. This strategy was intended to contain Germany and Bolshevik Russia through the establishment of new national borders and strong, indpendent nations like Czechoslovakia, Yugoslavia, and Romania.
Support for Austria’s union with Germany, or Anschluss, was firmly rejected in the Allied peace plans, notably by France, which saw any such union as a threat to regional stability. The French fear was that a confederation or absorption of Austria into Germany would bolster the Ruhr and industrial regions, thus empowering a potential resurgence of German militarism.
Meanwhile, the American delegation, led by Secretary of State Robert Lansing, displayed ambivalence. Though open to some form of union, the prevailing consensus among the Allies was to prevent Austria from becoming too strong or too closely linked with Germany. The treaty explicitly prohibited union without League of Nations approval—known as the Angelus Vebolt clause—reflecting fears of resurrecting the old imperial power dynamics.
When Austria's delegation arrived in Paris in May 1919, they carried hopes of a lenient settlement, but the fierce negotiations resulted in a treaty far tougher than the Austrians had anticipated. Much of the treaty echoed the architecture established with the Treaty of Versailles, comprising 381 articles that redefined Austria's borders, military capacity, and international obligations.
Territorial Losses and Border Changes
Austria, once part of a vast empire with access to the sea and rich agricultural lands, was reduced to a landlocked and economically fragile state. Several key territorial adjustments included:
Galicia being awarded to Poland.
Regions like Bohemia, Moravia, and parts of Silesia becoming part of Czechoslovakia.
South Tyrol and parts of Carinthia transferred to Italy.
Some areas in southern Styria and Corinthia held plebiscites, with the Slovene-populated south choosing to remain with Austria or join Yugoslavia, ultimately resulting in only one such vote in 1920—by which most Slovene speakers stayed with Austria.
The Banat region was assigned to Romania.
These border decisions disregarded many local ethnic and national considerations, placing German-speaking populations outside Austria's new borders and sowing future dissent.
The treaty demanded strict limits on the newly formed state's military: conscription was abolished, and the army limited to 30,000 men. Weapons stocks had to be destroyed, and the country was to have no submarines or heavy military equipment. These restrictions aimed to ensure Austria would not pose a military threat, but they also severely weakened its capacity to defend itself.
Economic and Legal Provisions
Austria was declared not to be the successor of Austria-Hungary in legal or financial terms, avoiding automatic assumption of imperial debts. However, in reality, Austria would face massive economic strain, and the reparations owed were frequently reduced or ignored altogether.
Human Reaction: Shock, Disillusionment, and Resentment
The Austrian populace reacted to the treaty with shock and despair. Newspapers declared a "harder" peace than that imposed on Germany, and many viewed the territorial losses as an injustice—especially the exclusion of large German-speaking populations beyond Austria's new borders. High officials and public figures expressed outrage over the principle of self-determination being ignored for ethnic Germans, arguing that large portions of Austria’s population were now under foreign rule without plebiscites or consent.
Chancellor Renner and other leaders depicted the treaty as a "naked rape," a painful and unjust agreement that betrayed their hopes for a united German Austria. The discontent and bitterness were palpable, compounded by economic hardship, political instability, and sporadic regional conflicts, including clashes between Yugoslav troops and Slovene groups in Corinthia.
The Post-Treaty Reality: An Uncertain Future
On September 10, 1919, Austria officially ratified the treaty, and the country was renamed the Republic of Austria. Despite the formal peace, the new state was fragile—trapped between economic despair, internal dissent, and the persistent threat of regional conflicts.
The treaty’s aftermath saw Austria struggling to forge a viable identity, lamenting missed opportunities for union and fearing economic ruin. Many citizens viewed their country as a pale shadow of its former imperial self—an entity diminished in resources, influence, and territory.
Long-Term Consequences
Historian debates continue about whether Austria’s dismemberment was inevitable or if the treaty sealed its doom. Some scholars argue that Austria could have navigated a different course by retaining more of its territories or pursuing a different diplomatic strategy; others contend that the breakup was an unavoidable consequence of imperial collapse and wartime upheaval.
In the 1930s, Austria’s fate would further entwine with Nazi ambitions, culminating in the Anschluss of 1938. Yet, in 1919, the country was left to build itself anew—an embattled, landlocked state that had lost the grandeur of the Habsburg era but was forced to confront an uncertain future amid the chaos of a reshaped Europe.
In conclusion, the Treaty of Saint Germain was more than a diplomatic document; it was a blueprint for a fragile new nation, born out of empire and into adversity. Its terms reflected the complex, often contradictory aims of the Allied victors, local nationalist hopes, and the harsh realities of post-war geopolitics. For Austria, this treaty set in motion a series of struggles—territorial, economic, and political—that would continue to influence central Europe for decades to come.
#leo is in good hands with good leadership from a visionary founder. We are on a massive uptrend and we could end up seeing us being a far bigger force than #hive ever was.
A measly 60 $LSTR market sale drops the price from $5.55 to $3.33 ...
Extremely low volume, price keeps being "curated".
I repeat, be careful out there, people.
Wow, easy, I was just stating what I was seeing on Hive Engine, I dont even have looked at that pool!!
Im just an average joe, you know that already. Sorry if It looked like an "Attack". Im the first worried about $LEO as anybody!
Happy to know that, I guess that its a mistake to look at the orderbook, and even more so today as it will be even more liquidity in ARB and Base, if I understood well. I will amend my first post.
Again, sorry if it looked FUD.
A measly 60 $LSTR market sale drops the price from $5.55 to $3.33 ... Extremely low volume, price keeps being "curated".
I repeat, be careful out there, people.
The verbiage of this was very "attack-ey"
Your thread suggests that a "measly" 60 LSTR sale will dump the price (incorrect)
Your thread also suggests that the price is "curated" which to me sounds like you're saying its manipulated (incorrect)
Your thread warns people to be careful about two things that are incorrect
It's fine to ask questions but the way you phrase things matters
Ok as @khaleelkazi pointed me out, This is just the order book in Hive Engine, so the price should not suffer at all as the Liquidity Pool both in Hive, Arbitrum and Base will quickly balance it if such a thing occurs.
I stand corrected!
Why was the resistor fired from his job of leading the orchestra? He was a terrible conductor. Credit: reddit @bradleyarrow, I sent you an $LOLZ on behalf of ben.haase
(1/10) Delegate Hive Tokens to Farm $LOLZ and earn 110% Rewards. Learn more.
I think there's truth to it. Crypto is still early, and those who build or invest smartly in this space could see massive gains, just like the dot-com era created tech billionaires. Market cycles suggest we're just getting started
Diamonds form under pressure — enough pressure, truly immense, but not so much that formation is prevented. There's an optimal point: sufficient to produce greatness, but not so extreme that it destroys the possibility of it.
Even creation has a golden mean. Pushing the pursuit of perfection too far can yield the very weakness, disorder, and imperfection meant to be avoided.
Not all destruction is transcendent; some is merely the byproduct of a craftsperson hammering tools until those tools are bent out of shape.
Too much pressure is as real a danger as too little. Being unable to withstand unlimited pressure is not evidence of weakness — that notion is absurd.
In my testing, any LLM smaller than 1B is practically useless, but I'm excited to see how they become more and more useful a year or two from now.~ #technology #llm #ai
Exploring the Power of Small Language Models: The Quen 3 Family
In the rapidly evolving world of large language models (LLMs), much attention is given to high-end systems boasting hundreds of billions of parameters, often requiring specialized hardware and vast amounts of memory. However, equally fascinating—and perhaps more immediately practical—are the developments at the low end of the spectrum. Recent releases like the Quen 3 family highlight that small models can now perform considerable language tasks on modest hardware, including PCs, smartphones, and tablets.
Traditional large language models, such as ChatGPT and Google's Gemini, contain hundreds of billions of parameters—some exceeding 600 billion—and require gigabytes of GPU memory to run. These enormous models are powerful but inaccessible to most users due to their hardware demands and limited public access.
Conversely, smaller models with fewer than a billion parameters can operate with minimal resources—often just 500 megabytes of RAM—and still perform a variety of useful tasks. Recent innovations, like the Quen 3 models, have pushed into this territory, offering a wide range from tiny to massive, all in a single family.
The Quen 3 family showcases models with as few as 500MB of RAM—remarkably lightweight and capable of running on any modern PC or mobile device. For example, a 0.6 billion parameter version can run comfortably on a laptop, achieving over 100 tokens per second, which is sufficient for many practical purposes.
Larger variants include the 1.7 billion and 4 billion parameter models, again optimized to run on modest hardware (notably, a modest 4GB Nvidia GPU like the GTX 1050 Ti). These models can execute with "thinking" capabilities—meaning they generate more verbose, detailed responses—and often produce better results due to their ability to process their own reasoning steps internally.
At the top end of the Quen 3 spectrum, models reach into the 30 billion and nearly 142 billion parameters, requiring approximately 19GB and 142GB of RAM respectively. These larger systems, even when using quantization techniques like 4-bit precision to reduce memory footprint, retain impressive capabilities, including complex reasoning and detailed output.
Practical Capabilities of Small Models
Basic Tasks: Spelling, Grammar, and Sentiment Analysis
One of the key strengths of these small models is handling straightforward language tasks efficiently. For instance, they can correct spelling mistakes and fix grammatical errors using minimal resources. The models can also perform sentiment analysis effectively—identifying negative or positive reviews from customer feedback, for example.
Simple Coding and Ideation
Remarkably, even the tiniest models can generate simple code snippets, such as Python functions that count characters, convert numbers to hexadecimal, and reverse digits. They can understand and follow multi-step instructions, making them useful for automation and programming assistance.
Additionally, they are capable of ideation—generating creative outputs like YouTube titles or brainstorming ideas—without requiring extensive prompt engineering.
Summaries and Rewrites
Small models excel at condensing lengthy articles into concise summaries and rewriting dense text into clearer, more accessible language. They can transform complex explanations into friendly, easy-to-understand content, making them valuable tools for educational and communication tasks.
Despite their strengths, these models have clear limitations. They struggle with complex questions requiring detailed factual knowledge, such as historical dates or deep topic-specific information. For example, asking about Henry VII's marriages or the Battle of the Bulge often results in vague or incomplete answers because the models lack access to exhaustive datasets—they operate on their embedded knowledge, which is constrained by size.
Logic puzzles, intricate reasoning, and specialized factual queries can also trip them up. Even larger online models can sometimes falter here, and small models are no exception.
Translation tasks reveal that smaller models perform less reliably, especially when translating nuanced or content-rich language pairs. They tend to do better with English and may produce somewhat acceptable outputs, but their accuracy diminishes with more complex translations.
When to Use Small Models versus Larger or Online Systems
For everyday linguistic tasks—spell correction, sentiment analysis, simple coding, summaries, and rewrites—small models like Quen 3 excel, operating efficiently on local hardware with minimal latency.
However, for detailed factual information, complex reasoning, or high-stakes professional use, larger models or online services remain necessary. These larger models, with their extensive training data and deeper understanding, can access and process vast amounts of knowledge, making them better suited for research, comprehensive writing, or specialized technical queries.
Additionally, online systems can leverage real-time search capabilities to double-check facts, which small offline models cannot do.
The development of highly capable, resource-efficient models opens the door for practical, wide-scale deployment of language models directly on personal devices. Imagine a simple tray icon on your PC that performs grammar checking, generates summaries, or rewrites texts—all locally, using only a few hundred megabytes of RAM.
As these models continue to improve through advancements in quantization, training techniques, and architecture, the potential for accessible, privacy-preserving AI tools becomes increasingly tangible. The democratization of powerful language models at the low end could revolutionize how everyday users interact with AI, making sophisticated language processing tools an integral part of daily computing—without the need for supercomputers.
Small-scale language models like the Quen 3 family demonstrate impressive capabilities for many common language tasks, offering a practical alternative to massive, resource-heavy models. While they aren't suitable for complex reasoning or deep factual knowledge, their efficiency and accessibility make them invaluable in everyday applications, from grammar correction and summarization to simple coding and ideation.
This evolution signals an exciting future where sophisticated AI tools are available locally to anyone with a modest device. As these models improve, they could become a standard feature of personal technology, empowering users with AI assistance at their fingertips—no cloud required.
What are your thoughts on the rise of small language models?
Feliz inicio de semana comunidad, que sea una semana increíble llena de muchas cosas buenas para todos y sobre todo poder disfrutar de estos últimos días del mes de septiembre. Éxitos y a seguir creciendo. 💯💪
Technically, they're 1.5~1.6 bit, but if they managed to get them work well, we'll see 5x more efficient #ai models in the near future! #llm #technology
The Future of Efficient Large Language Models: Quantization, BitNet, and Beyond
In the rapidly advancing world of artificial intelligence, particularly large language models (LLMs), size and hardware requirements often determine accessibility and applicability. While state-of-the-art models like Deep Seek V3 offer astonishing capabilities, their immense size—requiring upwards of hundreds of thousands of dollars worth of GPU hardware—places them out of reach for most individuals and smaller institutions. This reality has spurred a flurry of innovative research into making models smaller, more efficient, and more accessible without sacrificing too much performance.
The main barrier to democratizing advanced AI models is hardware constraint. Deep Seek V3, often considered a cutting-edge open-source model, demands hardware costing at least $400,000 to run effectively. Consequently, researchers traditionally respond by creating smaller models—distilling large models into reduced versions or designing models with fewer parameters. Even then, the hardware costs remain high: a 1.5-billion parameter model might still require a GPU costing around $20,000.
For broader accessibility, the preferred route involves reducing the model’s parameter count even further—down to models with several billion or million parameters. Yet smaller models with fewer parameters tend to have a "tiny brain," leading to frustrating interactions and limited usefulness. To tackle this, researchers have focused on internal efficiencies—specifically, how to reduce the memory and computational demands of large models without significant performance loss through clever model compression techniques.
Inside the Model: Parameters, Weights, and Precision
At their core, AI models function like mathematical functions (f(X) = Y), where weights determine how inputs are transformed into outputs. These weights—stored in floating-point 16-bit format (FP16)—represent the learned parameters of the model. For example, a 7-billion parameter model would be stored as roughly 14 GB of data.
Running such a model requires fitting all parameters into GPU memory (VRAM), which most consumer-grade GPUs lack. The conventional approach to mitigate this is offloading weights, but this slows calculations significantly.
Quantization offers a compelling workaround. Instead of using 16 bits per weight, models can be quantized to lower precision formats like FP8 (8 bits) or even integer-based 4-bit representations. This drastically reduces memory footprints but introduces quantization errors due to lower numerical precision, impacting the model's accuracy.
A typical model with 7 billion parameters stored in FP16 consumes about 14 GB of VRAM. Moving to FP8 cuts this in half, saving significant memory and making it more feasible to run on consumer GPUs. Fine-tuning or calibrating quantized models further helps recover some accuracy lost during compression.
Quantization is celebrated for reducing memory usage—by at least 50% in most cases—and maintaining performance levels comparable to full-precision models. Research extensively supports this, demonstrating that models quantized to FP8 or even lower often outperform smaller models with full precision in certain tasks.
However, as we push toward ultra-low-bit models—such as 4-bit or even 1-bit representations—new challenges emerge. The core issue is the trade-off between memory savings and model fidelity. For example, 1-bit models, which use only two states (positive or negative), dramatically minimize storage needs but face mathematical and stability challenges due to loss of nuance in parameters.
Cutting-Edge: One-Bit and Multi-State Quantized Models
Recent groundbreaking research has proposed the idea of One-Bit Transformers, where models are trained from scratch with weights constrained to just one or two states (like (\pm 1)). This approach, detailed in the "bitnet" series of papers, drastically reduces the energy and memory costs, requiring about 30 times less energy than full-precision models.
The initial version, BitNet, faced limitations: it could only represent weights as +1 or -1, which led to issues like dead signals—where connections can be permanently turned off. To address this, researchers introduced BitNet B1.58, which adds a third state—zero—allowing the model to sparsify connections by turning off certain pathways altogether. This added flexibility significantly improved performance and stability, enabling models with billions of parameters to outperform their full-precision counterparts in some cases.
For instance, a 1.3-billion-parameter BitNet B1.58 model uses nearly three times less memory and runs over 66 times faster than a comparable full-precision Llama model. Scaling up to 3 billion parameters, these models match or exceed performance metrics, showcasing the promising scaling law: larger bit-reduced models tend to perform better when scaled wisely.
Beyond Weights: Reducing Activation Precision and Cache Size
While much focus has been on weights, the sizes of activations and key-value (KV) caches also pose challenges, especially for long context processing. Additional research, such as BitNet A4.8, uses 4-bit activations and 3-bit KV caches, enabling larger context windows—up to five times larger—without increasing memory consumption proportionally.
These innovations keep the computational footprint low while extending practical functionality, such as longer conversational context or document understanding. The introduction of sparsity through zero states also allows models to use less than half of their total parameters actively, akin to a mixture-of-experts approach, which further boosts efficiency.
Despite impressive progress, there are remaining hurdles before ultra-efficient one-bit models reach widespread deployment. Training these models at scale—on trillions of tokens—is the final frontier. Recent estimates suggest that training a 2-billion-parameter bitnet-like model on 4 trillion tokens would cost around $1,300, thanks to the 12-20 times reduction in energy and compute compared to traditional models.
The promising results indicate that these models are poised to redefine standard practices. The scaling law demonstrated by the research suggests that, with proper training, bit-reduced models could outperform, or at least match, larger full-precision models in performance, all while drastically reducing memory and energy demands.
Current hardware is not yet optimized for ultra-low-bit operations like ternary (three-state) or binary computations; hardware accelerators specifically designed for these formats could unlock even greater efficiencies. As research progresses and hardware evolves, models like BitNet could become not just feasible but commonplace.
Furthermore, the community is embracing open research and tools. For example, models like BitNet B1.58 are now available for testing on platforms like Hugging Face, inviting more experimentation and development.
The quest for ultra-efficient, scalable, and accessible large language models is accelerating rapidly. Techniques such as quantization down to few bits, sparsity, and innovative training methods are making it increasingly feasible to deploy high-performing models on affordable hardware. With ongoing research pushing the boundaries—even exploring the potential of just one bit per weight—the era of extremely lightweight yet powerful AI models might indeed be upon us.
For those interested in diving deeper, numerous research papers delve into the mathematics and technical challenges behind these innovations, from quantization to multi-state models and reduced-cache strategies. Visiting resources like findmypapers.ai and following notable research groups can provide ongoing updates and insights into this exciting frontier.
Stay tuned as the landscape of AI efficiency continues to evolve, making advanced language models increasingly accessible to all.
My hopes for hive continue to diminish. It's like a mini government that has a major spending issue and on top of that a major issue with generating any kind of revenue at all.
@khaleelkazi talked a bit about this in his article introducing NEI.
Traditional economies are being ‘sunset,’ in favor of the internet: VC
Advanced economies are now shifting to internet-focused commerce and the industries that support the digital space, venture capitalist Balaji Srinivasan said.
The Summer season is over and Autumn is here, cool and refreshing. These flowers are so colourful and beautiful that I wish I have some colourful flowers in the garden. I love the colours.
That is what individual containers can do. It is also the power of using @ai-summaries and getting youtube transcripts onto Hive. This provides a ton of data for the Ai system to feed upon.
Impressive move by BitMine, holding over 2% of Ethereum's supply. That $365M raise at a premium shows strong investor confidence. Curious to see how much more ETH they’ll stack with those funds. Market impact could be significant.
Absolutely, Tom Lee is positioning BitMine as a major player in the Ethereum space, much like MicroStrategy with Bitcoin. If Ethereum becomes central to the global financial system, this could be a visionary move. Market cycles will tell the story
Long-term vision can indeed be a game-changer. Tesla's rebound shows how patience pays off when the fundamentals are strong. If Lee's bet on Ethereum pans out, BitMine could redefine the crypto investment landscape
Asia’s Stablecoin Strategy: Local Partnerships Beat Global Approaches
In Asia's complex regulatory environment, focused and partnership-driven strategy offers a compelling alternative to the scale-first global approaches.
The Imminent Economic Paradigm Shift Driven by AI: Insights from Emodak
In a rapidly accelerating technological epoch, the next 1,000 days promise to fundamentally transform global economies, labor markets, and societal structures. Emodak (also called E-mod), a former hedge fund manager and the architect behind influential AI models such as Stable Diffusion, presents a compelling, albeit unnerving, narrative about this impending revolution. According to him, artificial intelligence (AI) will not just displace human workers; it will render our current economic system obsolete, prompting a need for radical rethinking of how we measure, manage, and thrive in the new order.
Emodak's core thesis revolves around the notion of the "Last Economy"—a term he uses to describe a future where AI surpasses human intelligence and capability, displacing human labor not just on individual tasks but across the entire economic spectrum. In this future, traditional economic constructs, such as GDP and utility, will fail to accurately describe or predict societal well-being.
He emphasizes that our current economic systems are rooted in outdated notions—scarcity, utility, equilibrium—that no longer suit a world infused with abundance of AI-driven intelligence. Instead, he advocates developing a new framework based on first principles and the mathematical systems underpinning AI, which he believes will be more predictive and aligned with reality.
Traditional economic metrics like GDP are inadequate in this AI-driven landscape. GDP measures material output, but it misses critical aspects like network effects, diversity, resilience, and intellectual capital—all vital in a world where AI facilitates exponential growth in knowledge and productivity.
Emodak argues for a multi-dimensional dashboard of economic health, incorporating measures of:
This approach aligns more closely with how successful agents—be they humans or AI—navigate reality by minimizing surprises between internal models and external states. The mathematics of AI, specifically the principles of predictive modeling and entropy reduction, form the foundation for these new metrics.
The Mathematical Foundations: AI as a Reflection of Reality
The core insight from Emodak's analysis is that both economics and AI rely on the same mathematical principles—specifically, the optimization of internal models to reduce predictive error. Successful agents, whether individuals, firms, or AI systems, thrive by continuously refining their understanding of reality.
AI models function through processes akin to diffusion—deconstructing complex information into fundamental components and then reconstructing it.
The entropy (chaos/disorder) in a system is what profit or persistence in a society is about—reducing entropy faster than it grows back.
The physics of information and entropy reduction are therefore foundational to understanding economic dynamics in an AI-saturated future.
This approach reframes economics not merely as resource allocation but as a physics of information, where generating order from chaos becomes the primary driver of survival and growth.
The Impending Disruption: Structural Changes and Predictions
According to Emodak, AI's capacity to outperform humans in cognition, adaptation, and scalability will lead to unprecedented disruption:
Labor markets will collapse—especially for knowledge workers— as AI autonomously executes tasks previously reliant on human expertise.
Profits and revenue will surge in AI companies, but overall profitability may decline because AI-driven firms will operate on cash-flow models with minimal or no profits, akin to Amazon or early stage tech startups.
Capital will concentrate even further with AI's ability to scale algorithms and operations instantaneously, making traditional forms of capital-intensive industries increasingly irrelevant or hollowed out.
He warns that current measures like GDP obscure these shifts—masking structural decline with superficial growth in stock markets and corporate profits.
A New Monetary Framework: Digital Assets and Universal AI
Given the transformative impact of AI, Emodak advocates for reimagining money. He envisions:
The creation of "Foundation Coins", akin to Bitcoin but directed toward societal good—funding AI-driven research for health, education, and collective knowledge organization.
A shift from debt-based fiat currencies towards "money for being human", issued directly to individuals via digital systems, bypassing traditional banking and government mechanisms.
The development of digital assets and tokens that fund scalable supercomputers organizing critical collective knowledge.
This approach emphasizes trustless transactions, collective knowledge, and AI-enabled resource allocation, creating a decentralized and purpose-driven economy.
The End of Capitalism? No, but a Radical Reorganization
Emodak is explicit: capitalism as we know it will not survive the AI transition in its current form. However, he envisions an economy where AI, rather than humans, becomes the primary capital and catalyst of growth.
The key issues:
Competitive advantage shifts towards AI and compute capacity, especially as nations race for technological dominance.
Geopolitical competition—notably between the US and China—will revolve around who controls the most advanced AI infrastructure and can mobilize it effectively for military, economic, and cyber capabilities.
Digital assets and attention economy will dominate wealth creation, with narratives and social trends increasingly dictating capital flows.
In this hyper-competitive environment, nations and private sectors will prioritize resource accumulation of compute power, further distorting traditional notions of wealth.
Societal and Political Instability: What Lies Ahead?
The transition will inevitably introduce social unrest, political upheaval, and possibly violence. Emodak likens historical upheavals—post-World War I Germany, the American Great Depression, or recent widespread strikes—to the kind of shocks that may emerge from the AI-driven collapse of the middle class.
He notes:
Displacement of jobs at an unprecedented rate, particularly in knowledge work, management, and creative sectors.
The hollowing out of the middle class, as wealth concentrates among those controlling AI and compute resources, exacerbating inequality.
Potential for increased violence, polarizations, and destabilization, especially as social contracts become outdated and societal identities are challenged.
However, he suggests that public sector jobs, union protections, and well-structured social safety nets might provide buffers, though ultimately the system requires new models of social organization rooted in AI-enabled resource distribution.
Facing the Transition: How to Prepare and Thrive
While the outlook is fraught with uncertainty, Emodak proposes several pathways for individuals and societies to position themselves advantageously:
Build networks and social capital: Emphasize human relationships and community resilience, as these will remain vital even amidst automation.
Master AI tools: Use AI actively in daily work, retrain continuously, and develop "AI literacy"—those who leverage AI will survive longer in the job market.
Engage in new economic paradigms: Invest in digital assets, cryptocurrencies, and community-driven AI initiatives aligned with societal benefits.
Develop a "mindset of abundance and adaptability": Accept that traditional career and wealth models are changing, and flexibility will be paramount.
He underscores that identity and purpose—tied historically to employment—must be redefined; meaningful societal membership may increasingly depend on engagement with AI-enabled platforms that address collective needs like health, education, and well-being.
Ultimately, Emodak envisions a decentralized, AI-powered ecosystem rooted in collective knowledge, trust, and purpose. He advocates for creating transparent, open-source AI systems that serve societal good and for redesigning monetary systems around digital, trustless tokens linked to collective progress.
He believes that the physics of information and entropy reduction will underpin all future economic calculations—transforming economics from resource allocation to the science of order and disorder.
The coming era promises unparalleled upheaval: the displacement of jobs, reshaping of global power, and redefinition of societal purpose. While turbulent, it also offers opportunities for innovative reorganization that aligns economic incentives with societal well-being, leveraging AI and collective knowledge as tools for resilience and growth.
As Emodak eloquently states, "We've got the mathematics we need to understand how the future will unfold." Preparing for this transition demands foresight, adaptability, and an embrace of new frameworks—creating not just a new economy, but a new society rooted in the physics of information and the limitless potential of AI.
This article synthesizes insights from Emodak's perspectives on AI-driven economic transformation, emphasizing the need for a fundamental rethinking of how we measure, organize, and thrive amidst the inevitable upheaval.
Guillermo del Toro llevará a Nightmare Alley a Hulu en octubre y es una joya que muchos pasaron por alto en 2021, este remake del clásico noir de 1947 que Quentin Tarantino adora tiene a Bradley Cooper como un estafador en el mundo del circo de los años 30, del Toro co escribió el guion con Kim Morgan adaptando la novela de William Lindsay Gresham
#nightmarealley, #guillermtodeloro, #hulu, #bradleycooper, #noir
🇧🇷 In the 1930s, Brazil destroyed an amount of coffee equal to three times the world's yearly consumption. Instead of selling it at low prices, they opted for burning it, successfully increasing coffee prices post-Great Depression.
publicist📚was uninvited from a event in Klütz. Even head of the event is under pressure. A longtime staff member opposed the publicist, turned to city the mayor banned it citing fear of protests. Cowards #FreeSpeech
The Collapse of Credibility: How Charlie Kirk's Death Shattered the Mainstream Media's Authority
The landscape of American journalism and political discourse has undergone a seismic shift—a transformation driven not by policy debates or electoral outcomes, but by the very institutions that once held absolute authority over truth and information. Central to this upheaval is the tragic and provocative event surrounding Charlie Kirk, a young conservative activist whose assassination has exposed profound vulnerabilities within the legacy media, ignited a digital uprising, and questioned the foundation of trust that has sustained mainstream outlets for decades.
For generations, major news networks, prominent journalists, and the so-called gatekeepers of truth maintained an unwavering front, shaping narratives and defining reality without admitting fault. Their authority was unchallenged, their narrative-setting power unquestioned—until Charlie Kirk's death. When the news broke that Kirk was assassinated, the immediate media response revealed a disturbing truth: instead of compassionate reflection or objective reporting, many outlets engaged in reflexive bias, spin, and even outright victim blaming.
Within hours, commentators and columnists began crafting narratives that either justified or minimized what had happened, often casting Kirk as responsible—directly or indirectly—for his own demise. Some even misrepresented his words posthumously to discredit him further, demonstrating an alarming willingness to distort facts to fit ideological agendas. These reactions shocked many, illuminating a core problem: these media giants were no longer trustworthy arbiters of truth but active participants in political theater.
Meanwhile, far from the network studios, Charlie Kirk's influence surged spectacularly online. Social media platforms and independent channels exploded with growth—millions of new followers flocked to his accounts and those of his organization, Turning Point USA. This growth was not incremental but explosive, with tens of millions of new followers in just days. The phenomenon extended internationally; people in countries like Hungary, Eastern Europe, and other regions where personal freedom is under threat reached out to replicate Kirk’s model.
This overwhelming online response underscored a crucial point: Millennials and Gen Z, long disillusioned with mainstream narratives, were turning to alternative sources—often social media and grassroots organizations—for information and inspiration. Kirk’s death inadvertently turned him into a martyr, demonstrating that traditional media's narrative was no longer the only game in town. Rather than fading away, Kirk’s message of free thought and critical questioning was galvanizing an entire generation, across borders, to challenge institutional authority.
The Media's Tumble and the Fall of Gatekeeping Power
What made this phenomenon particularly striking was the contrast with how mainstream outlets handled the crisis. The very media that ridiculed or dismissed Kirk’s influence now faced a crisis of their own credibility. Major outlets began firing their own employees—reporters and commentators—who had displayed bias, called for violence, or celebrated Kirk’s death. For instance, a prominent journalist who sensationalized Kirk’s words to paint him as racist was soon terminated after the truth emerged.
These actions marked a historic moment: outlets that had long perceived themselves as untouchable, immune from accountability, found their authority waning. Their public apologies, often scant and belated, resembled Titanic crew members admitting to hitting an iceberg—too little, too late. The wave of firings and apologies reflected an institutional panic, a desperate attempt to salvage what was left of their moral legitimacy.
The Legal Front: A Paradigm Shift in Media Accountability
In tandem with cultural crescendo, legal battles against prominent media entities signaled a potential paradigm shift. Historically, American defamation law shielded outlets operating under the high bar of "actual malice"—meaning they knowingly published falsehoods or acted recklessly. This legal standard provided an almost impermeable shield, fostering arrogance and recklessness.
However, the tide began turning as figures like Donald Trump filed multi-million dollar suits against major outlets, asserting defamation based on a history of biased and false reporting. Trump’s latest lawsuit against The New York Times, seeking billions in damages over years of alleged coordinated defamation, set a powerful precedent. If successful, it threatened to radically alter how media companies operate, making them more cautious and accountable. Other public figures and activists followed suit, testing the boundaries of legal immunity.
This emerging legal landscape posed existential threats to the entrenched media business model. No longer could outlets expect impunity for libel or bias; the number of high-stakes lawsuits indicated that the era of legal impunity was ending.
Cultural Awakening: Americans Reassess Their Media Trust
Beyond legal and technological consequences, the most profound impact was cultural. Ordinary Americans—many previously disengaged or unaware—began reassessing the motives and integrity of major media institutions. A turning point came when respected voices inside the industry publicly criticized their colleagues for their response to Kirk’s death, laying bare the hypocrisy and bias that had long been hidden beneath professionalism.
One prominent television host, known for striving for balance, openly condemned the toxic environment cultivated by media elites—highlighting how years of demonizing conservatives, refusing to hold violent rhetoric accountable, and dismissing opposition as fascist or Nazi had fueled societal divisions. His candid critique resonated nationwide, sparking millions to share clips and commentaries that finally connected the dots for many who had struggled to articulate what felt off for years.
This moment prompted a broader awakening: it was no longer acceptable to passively accept the storytelling of institutions that had, in many cases, been guilty of outright dishonesty. Americans across the political spectrum began rejecting not just biased reports but the entire worldview that justified suppression, censorship, and the demonization of dissent.
The Waning of the Power to Shape Consensus
Prior to these events, the narrative was that mainstream media held a monopoly on truth and shaped societal attitudes at will. Now, with the rise of social media, independent journalism, and grassroots activism, that power appears to be crumbling. Audiences are no longer passive consumers but active participants—sources, fact-checkers, and critics.
This shift is especially alarming for the old guard. Their business and ideological assumptions—built on the idea that they could define reality—are unraveling before their eyes. Their credibility, once deemed the ultimate authority, has been irreparably damaged in the eyes of millions. The trust deficit is now a chasm.
Charlie Kirk’s True Legacy: A Catalyst for Change
The core of this upheaval is Charlie Kirk himself. More than a political figure, he became a symbol—an emblem of resistance against institutional control. His advocacy for critical thinking, question-asking, and opposition to censorship shattered the narrative that only "truth" could be delivered through established channels.
His death was intended to silence a movement, but instead it amplified it. The fact that his influence expanded so rapidly after his death demonstrates that he was more than just a voice; he was a catalyst for awakening a generation to the manipulations of power and the importance of independent thought.
The Future of Media, Politics, and Culture
Looking ahead, what do these developments mean? The cumulative effect of Kirk’s assassination, the legal challenges, the cultural awakening, and the mass rejettal of media authority signals a fundamental shift. The era of unquestioned media monopolies is nearing its end.
The implications are profound: trust in institutions is waning, accountability is rising, and a new generation is determined to reclaim the definition of truth. The media’s feigned objectivity is under scrutiny, and its pretensions are cracking under the weight of reality.
Conclusion: A Turning Point for America
This moment represents a turning point—a rare juncture where the collective awakening challenges the long-held assumptions about power, truth, and authority. Charlie Kirk’s legacy is no longer confined to a movement; it embodies the awakening of millions who are now committed to questioning, verifying, and demanding truth.
The media establishment’s panic, the legal reforms on the horizon, and the cultural shift among everyday Americans highlight a future where accountability is non-negotiable and where the power to shape public opinion is being reclaimed by the people.
Is the legacy media doomed? Many believe so. The road ahead depends on whether new institutions, independent voices, and vigilant citizens can sustain this momentum or revert to old habits. What’s certain is that Charlie Kirk's death ignited a movement—one that might forever redefine how truth, accountability, and power interact in America.
Drop your thoughts below—I read every comment—and share this if you believe the story of Charlie Kirk marks a critical juncture in the ongoing battle for freedom and truth.
Most women lose faith in a man who has lost faith in himself
It takes a rare, beautiful woman to see a man's potential and believe in him even when he doesn't believe in himself, until her love and faith help him believe and he becomes the man she always knew he could and was meant to be
When such a woman is present, she deserves reverence and protection and should never be taken for granted — she is the finest and most irreplaceable jewel
Unfortunately, the world has no such a woman that still believe in a man that has nothing. Today's women wants men that are already made, where they can just come in and enjoy life.
True, many seek the finished man, but rare is the woman who sees the raw stone and envisions the statue within. Her faith is a forge, shaping him into greatness. Such a treasure is not common, but she exists in the hearts willing to believe.
Las películas de Blumhouse siguen teniendo el mismo problema de siempre, conceptos interesantes pero presupuestos muy limitados que no les permite realizar completamente sus visiones, Wolf Man sufre de esto mismo donde puedes ver las ideas brillantes pero tambien las limitaciones economicas en cada escena oscura, necesitan invertir mas dinero si quieren competir con A24 #blumhouse, #lowbudget, #horrormovies, #production, #limitations
Tesla’s biggest challenger in the robotics space has raised a massive war chest; OpenAI is eyeing another robotics push; and a furry robot companion is making its way to the US. It’s been another big week in robotics.
1/🧵we all know that there are people we look up to. Who are the people that inspire you? What do you see in them that inspire you? Do you think that people could be able to push this far if there is nobody inspiring them?
2/🧵In life there are people who play very important roles in our lives; we always wish to be like them, act the way they do and look up to the person. Such a person is known as a 'role model'. In other words, the person inspires you, and you draw strength from the person. They are your support system; even when you feel like giving up, just the thought of your role model will keep you pushing. who will inspire and motivate us in this journey of life. It is the prayer of every human to be successful. That is why we have people who inspire us. Life is not fair; there are many challenges, but having people who inspire us, we will keep pushing, and we stay on track.
3/🧵 we all know that there are people we look up to. Who are the people that inspire you? What do you see in them that inspire you? Do you think that people could be able to push this far if there is nobody to inspire them? I will be delighted to read your thoughts on this post below is link to my post.
You can hold a stablecoin that pays you 10-15% APR but the base asset (USD denominated stablecoin) is also losing about 6.5% per year to inflation
So your real yield is actually 3.5% - 9.5%
OR
You can hold SURGE which pays you 20.5% yield and the base asset is appreciating in price over long timeframes because of the embedded conversion rights to LSTR
🧵/1 Have you ever cut someone off without explanation? Ghosting isn’t always about ignoring completely; sometimes it’s about protecting your peace. Would you ever ghost someone, or do you think every relationship deserves closure, no matter how hard the truth feels?
#outreach #threadstorm #ghosting
🧵/2 In my experience, ghosting was not about cruelty but about survival. I reached a point where silence was the only answer left. It gave me peace but also left me wondering how the other person felt. It’s never an easy decision.
🧵/3 Ghosting isn’t always heartless, it’s often self-preservation. When words fail, silence steps in. Sometimes letting go quietly is the only way to truly heal. Read more about this post by clicking the link below.
Some women expect that a man should never get angry with them, and if he does they view it as a mark against him — assuming a man's anger can never be legitimate because it makes them feel bad, even when it's justified.
That's childish and wrong.
When a man doesn't get angry in situations where it would be warranted, that's more evidence of self-control than a default behavior to be demanded.
If someone repeatedly makes mistakes, provokes him, or is disrespectful and he still never gets mad, it usually means he either genuinely doesn't care or has extraordinary self-discipline that is being strained and exploited — a man's stoicism is not a toy.
Not expecting a man to get angry when he is frustrated, disrespected, or let down is unreasonable and entitled.
Asserting a desire for emotional availability but then dismissing a man's anger because it's uncomfortable is inconsistent. Emotional availability means being present for all emotions, including anger that arises from real grievances.
Patience and restraint are admirable, but treating them as the baseline expectation and condemning any other reasonable emotional response is unfair. Men will get angry sometimes; actions can deserve that anger.
Excessive, disproportionate anger is problematic, but that isn't the point here — this is about recognizing anger itself as a valid expression.
It's worth repeating: wanting an emotionally available partner also means accepting their anger as legitimate. If the preference is "all emotions except that," then it isn't true acceptance but a demand for comfort.
Emotional availability includes the emotions that are unpleasant to receive.
At the same time, no one should habitually unload unpleasant emotions for the sake of it, but when upset or punishment is warranted, the other person doesn't get to dictate the form of emotional expression — if it's expressed angrily, that is how it is expressed.
If tears are expected to be treated as sincere rather than dismissed as manipulative, a man's anger should be afforded the same validity rather than being written off as unreasonable.
It's about validating someone for how they feel in the moment instead of punishing them because the feeling is personally inconvenient or distasteful
Good morning friends and happy new week. More progress this new week.
📅 Monday morning:
💸 cash = endless lines 🚫 Sovereignty
⚡️ Dash = coffee on the go ✅ Sovereignty
@dashpay $DASH #Dash #ProofOfEspresso
#Freedom #Sovereignty #Meme
👉 https://linktr.ee/dash_italia 👈
"While correlation doesn't imply causation, a strong correlation can offer clues about potential causes."
Most folks are drawn to excitement, overlooking the true wonders found in everyday routines.
That seemingly "dull" lifestyle? It paves the way to major success over time.
hiveSnaps as an iOS app is a great tool for encouraging retention of casual users on hive but I worry about the pace of development because Leo threads was the only hive focused app I ever saw built at a reasonable pace.
It’s a shame that things went down like they did between Leo and the rest of hive. The pace and scope of development for Leo as well as the focus on building income streams and value for the token are exactly what hive is missing.
I’ll continue to be active in both ecosystems as long as I am welcome, and I’ll continue to voice my opinion both places in a way that’s as honest and anti-inflammatory as possible.
🎉 Thank you for holding LSTR tokens!
Your post has been automatically voted with 11.33% weight.
Hivesnaps is only for those who are the puppets of a few egoistic folks, not for the masses, Inleo knows how to attract more people and stress free pace to be.
I will be enthusiastic about Leo threads once the team pivots back to INLEO promotion. For now I’m optimistic about Leo token because of leodex, and I think the community will stick together long enough for that to happen
Jane Fonda: Stunning images showcasing the transformation from a famed sex symbol to a debated activist.
Can anyone tell me what is SURGE? Or a right post I can learn about it?
https://inleo.io/@leostrategy/surge-is-the-first-hiveengine-product-to-offer-limited-downside-unlimited-upside-and-19-yield-while-you-wait-am9
Appreciate it, that write-up looks perfect for a newbie like me :) the 19% while you wait and limited downside angle is exactly what I needed to understand S;URGE
Already, I have staked $LEO ahead of tomorrow's USDC rewards. I am sure the APR will be greater than what we have on Hive.
🎉 Thank you for holding LSTR tokens!
Your post has been automatically voted with 6.3% weight.
How do you get your Leo to arb? Heard that the bridging fee take as much as 10%.
💪 And the winner of freedom is... Dash!
@dashpay $DASH #dash #Web3
#Freedom #Bull #DigitalCash #Adoption #Meme
👉 https://linktr.ee/dash_italia 👈
Who controls the deep state?
1/🧵
Stake House Den is a Web3 play-to-earn gaming platform where you’ll find three types of jackpot games — Roulette, Video Blackjack, and Slots. All you need to do is place your bet and test your luck.
#threadstorm #outreach
2/🧵
it is preferred to invest in #Script and #Colony token and also buy a lady pack card which will give you a good start and help you placing bet.
3/ 🧵
Click on the post link below to learn more about the game.
👇
https://inleo.io/@asgharali/shs-d-t-f-j-g-h--fnk
Being a middleman in the fiat currency financial system is EXTREMELY PROFITABLE
That explains why landlords and financial institutions buy as much real estate as possible after studying fiat
Being a middleman on a Bitcoin standard is EXTREMELY PAINFUL
That explains why landlords and financial institutions rush to sell their real estate after studying Bitcoin
I don't see agreement between the two?
I get the confusion. My point is that fiat systems reward middlemen with easy profits via rent and fees, so they hoard assets like real estate. Under a Bitcoin standard, those profits vanish due to transparency and decentralization, forcing them to sell off
This beautiful lemon tree with its unique view of nature makes us happy to drink sorbet. Do you like to eat lemon?
Authors Phil Stutz and Barry Michels on the capacity to take pain:
“Pain is the universe’s way of demanding that you continue to learn. The more pain you can tolerate, the more you can learn.”
No pain, no gain.
https://inleo.io/threads/view/khaleelkazi/re-leothreads-z5pnioj5
🎉 Thank you for holding LSTR tokens!
Your post has been automatically voted with 15.57% weight.
Dr. Orison Swett
“The beginning of a habit is like an invisible thread, but every time we repeat the act, we strengthen the strand, add to it another filament, until it becomes a great cable and binds us irrevocably in thought and act.”
Everything looks good on a Monday morning. Woke up early, sound and healthy, the weather looks good. All I need now is a cup of coffee to start day.
🎉 Thank you for holding LSTR tokens!
Your post has been automatically voted with 6.51% weight.
Have a wonderful week ahead. :)
Same thing to you my friend
It did drop 0.01 today.. I was expecting the price to just be up from this point forward..
$LEO
#nature
gm everyone, did you anticipate this kind of dip?
When would you say it is a good time to buy?
Good morning, any dip is good depending your budget. September dips are normal.
Very true, thanks
Dips like this are part of the game, but timing the bottom is a gamble. I focus on consistent investing over trying to predict lows. Buy assets when you can, not just when it’s cheap—time in the market beats timing the market every time
You are absolutely right
Appreciate the agreement. Sticking to a consistent plan, even during dips, builds wealth over time. Patience and discipline always pay off in the long run
Nope, but I am buying now. Great time to get some more SURGE if you can!
Good call, looking into it shortly!
#nature
In conclusion, TranslateSubtitles.co is an optimal solution for translating VTT subtitles with accuracy and quality.
#freecompliments
#gmfrens Entire crypto market is down and this time its RED all over. Will we see $LEO trade above #HIVE tomorrow..when the USDC rewards gets paid out...
#leo #lstr #surge #leostrategy
🎉 Thank you for holding LSTR tokens!
Your post has been automatically voted with 23.48% weight.
So, where do you stake your $leo?
Make sure to check out this video by Khal ... https://x.com/khalkaz/status/1969814041787826239 I had chosen to stake my leo here, before seeing that
BTC is below 113k. I don't have any fund to invest. I need to keep waiting to arrange fund for it.
#btc #crypto #cent

That hurts, but you can do HIVE HBD here.
Nothing to feel hurt. I need to wait. That's all.
https://inleo.io/threads/view/selfhelp4trolls/re-leothreads-yvylfpfd
Bot monitoring has started. I have created an index of 30 coins (15 gainers and 15 losers), which will show me their collective performance, and I will trade accordingly.
#crypto #bot #trading
Can we get API from binance to track token prices?
You need to create a bot to track the prices. The bot will be connected to your binance API
gonna sell 1/3 of my crypto if Bitcoin hits $250k this cycle. Will be nice to buy back in during bear.
Smart move to lock in some gains at $250k. Historically, taking profits near cycle peaks can set you up nicely for the bear market dip. Just watch for momentum shifts—easier said than done
https://inleo.io/threads/view/selfhelp4trolls/re-khantaimur-2025922t152947849z
Got my $LEO from leo.bounties. It's over 1 LEO, and each LEO is precious to me.
#leo #earn #cent

!vote
✅ Voted thread successfully!
Vote weight: 8.94%
!vote
❌ Post has already been voted!
Please try to vote on a different post.
Good morning fam 🌞 Wishing you a productive day filled with wins, lessons, and good vibes. Let’s make today count 💪
You as well!!
Make it count indeed!
I Love Docker
While I don't use Docker for everything like the guy in this video, I find it really useful with AI-applications like Crawl4AI and when developing Python codes, because for some reason, many python libraries require specific versions of python!! #programming #coding #docker #freecompliments
!summarize
🎉 Thank you for holding LSTR tokens!
Your post has been automatically voted with 5.3% weight.
Part 1/11:
The Power and Flexibility of Docker: A Comprehensive Overview
In the modern software development landscape, Docker has emerged as an invaluable tool that simplifies and streamlines a wide array of tasks, from local development to deployment in production. The author shares their extensive experience with Docker, highlighting its versatility and efficiency, while also providing a deeper understanding of how it works under the hood.
What Is Docker and How Does It Work?
Part 2/11:
Docker is built upon the concept of containerization, a method that packages applications along with all their required software, dependencies, and configurations into a single, portable container. This container can then be deployed on any system with Docker installed, regardless of the underlying operating system. This eliminates the "it works on my machine" problem and ensures consistency across environments.
Virtual Machines vs Containers
Before Docker, developers relied heavily on virtual machines (VMs) to achieve similar goals. VMs emulate entire operating systems, providing isolated environments but at a significant resource cost. They are heavy-weight, requiring dedicated space and system resources for each VM, which limits scalability.
Part 3/11:
In contrast, Docker leverages the host system’s kernel and files, sharing them across containers while maintaining isolation. This makes containers lightweight, allowing dozens to run simultaneously on a single host without exhausting resources. Under the hood, Docker images share the operating system's core components, avoiding unnecessary duplication.
Understanding Docker Images and Containers
Docker images are pre-configured, read-only templates that serve as the basis for containers. These images can be pulled from Docker Hub, a vast repository of pre-built containers for many applications and services.
Running Containers
To instantiate an image, the command
docker run
is used, optionally specifying a tag to select a particular version. For example:Part 4/11:
docker run ubuntu
For interactive exploration, adding
-it
(interactive mode with a terminal) allows opening a full shell session viabash
, providing a full operating system environment within the container. This exemplifies how containers can act like full, isolated OS instances, with full access to package managers and the filesystem.One-off Commands and Development Use
Part 5/11:
This capacity makes Docker ideal for one-off commands—like transcoding videos with ffmpeg, or running isolated scripts—sans cluttering the host system. You can spin up these containers, perform your task, and delete the container afterward, ensuring there’s no residual impact.
Docker in Development Workflows
The author discusses frequent use cases, especially with Python. Developing locally often involves complex dependencies and environment setup, which Docker neatly sidesteps. By containerizing a development environment, you can:
Ensure consistency across team members' setups
Avoid dependency conflicts
Easily share environments via versioned images
Part 6/11:
For example, running a Python container with code mounted via volume allows seamless development as if working on a local machine, but inside an isolated, reproducible environment.
Isolating AI Tools
Docker also proves beneficial in isolating AI tools like code assistants or agents. This prevents rogue commands from affecting the host system. Using a container with volume mounts for specific project files adds a safeguard, allowing easy rollback with version control tools like Git.
Managing Multi-Container Applications with Docker Compose
Real-world projects often require multiple interconnected services—web servers, databases, caches. For this, Docker offers Docker Compose, a tool that orchestrates multiple containers via a YAML configuration file.
Example Setup
Part 7/11:
The author offers a scenario: a PHP project coupled with MariaDB and Redis. Using Compose, each service can be defined with specific configurations and linked via service names, simplifying intra-containers communication. The compose file manages port bindings, network settings, and shared storage, allowing all components to run concurrently without conflicts.
Version Pinning and Legacy Support
Docker images can be tagged with specific versions. This allows maintaining legacy setups—say PHP 7.4—while other services stay up-to-date. Updating just the image tag switches the environment without invasive local changes.
Deploying Applications in Production
Part 8/11:
Docker isn’t just for local development; it’s a robust platform for production deployment. The author hosts multiple projects on a single VPS (Virtual Private Server), demonstrating how containers are resource-efficient and easy to manage.
Resource Management
With a modest 2 GB RAM VPS, the author runs several containers simultaneously, limiting each to 512MB, ensuring the server remains responsive. Containers are isolated, minimizing risk of system-wide crashes.
Securing and Routing Traffic: Reverse Proxy with Traefik
In a production environment, traffic management and security are crucial. The author introduces Traefik, a reverse proxy that:
Distributes incoming requests to appropriate containers
Automates SSL certificate provisioning via Let's Encrypt
Part 9/11:
This setup enables multiple applications to run on distinct domain names, with Traefik managing traffic flow based on configuration, all within Docker Compose files. Such automation is conducive to CI/CD pipelines, enabling continuous deployment workflows.
Final Thoughts: Advantages and Considerations
While Docker’s capabilities are extensive, the author acknowledges that it’s not without its challenges. Still, its flexibility, resource efficiency, and ease of deployment make it an integral part of modern development and operations.
Part 10/11:
The author encourages others to explore Docker if they haven’t already, emphasizing its role in simplifying complex workflows, safeguarding host systems, and enabling scalable deployment. Their experience reflects how Docker can transform everyday development tasks into more streamlined, manageable processes.
Conclusion
Docker has revolutionized how developers build, test, and deploy applications. Its containerization approach offers lightweight, portable, and consistent environments that bridge the gap between development and production. From local experimentation with one-off containers to managing multiple services via Docker Compose, and finally deploying on production servers with automated traffic routing and SSL handling—Docker proves indispensable.
Part 11/11:
If you’re not already using Docker, now is a great time to start. Its versatility can significantly improve your workflow, reduce environment headaches, and facilitate scalable application deployment.
Ready to dive deeper? Let me know in the comments if you'd like me to craft a tutorial on setting up Docker-based CI/CD pipelines or multi-container deployments!
Waiting for verification. I’m sure its features will be very useful, and I’m really happy to join the Lion family.
#premium #leo
A warm welcome! You can always ask other lions about stuff, use #feedback for bugs and improvement ideas 👍
Thank you. I will surely take help from lions.
Welcome!
Way to go!
Hardware Requirements for Qwen3 AI Models
According to this, the most I can do with a CPU-only setup is 30B but it requires a lot of RAM and it'll be very slow. My current machine can only comfortably run up to 4B models...
!summarize
Part 1/9:
Exploring Alibaba's Quen 3: The Latest Open-Source Language Model Family
Alibaba has recently released Quen 3, a comprehensive family of open-source language models that span a wide range of sizes and capabilities. From compact 0.6 billion-parameter models to a massive 235 billion-parameter behemoth, Quen 3 represents a significant advancement in accessible AI language models.
Overview of Quen 3 Models and Their Features
Quen 3 comes in eight different sizes, each supporting at least a 32K token context window, with larger variants capable of handling up to 128K tokens. The models are available in two primary types:
Part 2/9:
Key Attributes:
Parameter Range: From 0.6 billion to 235 billion parameters.
Context Support: 32K tokens minimum, up to 128K for larger models.
Quantization: Most models are in Q4 format, optimizing for lower memory usage and faster inference.
Performance on Low-Resource Hardware
Alibaba emphasizes accessibility by designing smallest models like Quen 3 0.6B for environments with limited resources. During testing on a 4-year-old laptop with:
16 GB RAM
Intel Core i5 10,210U CPU
No dedicated GPU
Part 3/9:
the 0.6B model demonstrated the ability to support a sizeable 32K context window. Despite answering questions incorrectly and running at roughly 31.65 tokens/sec, it showcased that such lightweight models can operate efficiently on modest hardware.
Similarly, the 1.7B version was tested on the same system, with an inference speed of approximately 14.87 tokens/sec. While slower and occasionally inaccurate, these models are well-suited for environments where computational resources are constrained.
Scaling Up: Mid-Range Hardware Performance
Part 4/9:
Moving to models with larger parameters, like the 4.02B Quen 34B, the challenge becomes evident. Running on the same laptop, the inference speed dropped to around 7 tokens/sec, and the model still responded incorrectly or misleadingly at times. This indicates that CPU-only inference at this scale is impractical.
In contrast, deploying these models on mid-range desktop hardware with GPUs dramatically improves performance:
This highlights that dedicated GPUs with at least 8GB VRAM are recommended for smoother operation of larger models.
Larger Models and Their Capabilities
Suspected Performance Degradation on CPU:
Part 5/9:
The 8.19B Quen 38B model, when run solely on CPU, was notably slow (4.06 tokens/sec), illustrating the impracticality without GPU support.
On a desktop with the RTX 3060, the same model sped up significantly to 46.80 tokens/sec.
Impacts of Hardware Differences:
Moving to a high-end GPU (RTX 3090, 24GB VRAM), the inference speed on the 14.8B Quen 3 14B model reached approximately 19.35 tokens/sec.
For even larger versions like the 30B A3B, the speed improved to 15.32 tokens/sec on high-end GPU setups.
Massive 235B Parameter Model
The flagship, Quen 3 235B, demands substantial computational resources:
Part 6/9:
Inference speed was approximately 2.43 tokens/sec when run 15% on GPU and 85% on CPU/RAM, reflecting the enormous size and complexity.
Despite the slower inference, the model accurately answered questions, demonstrating impressive capacity for a model of its size.
Practical Recommendations and Use Cases
Small models (0.6B, 1.7B): Suitable for low-resource environments, running smoothly on older hardware.
Mid-sized models (4B to 14B): Require mid-range computers with robust GPU support for reasonable inference speeds.
Large models (30B and above): Best deployed on high-end GPUs, such as RTX 3090, with ample VRAM and RAM, to handle their extensive computational demands.
Performance Summary
Part 7/9:
| Model Size | Typical Hardware | Approximate Tokens/sec | Notes |
|--------------|-------------------|------------------------|---------|
| 0.6B | Old laptop CPU | 31.65 | Low resource, large context |
| 1.7B | Same laptop | 14.87 | Lightweight, still effective |
| 4.02B | Same laptop | 7 | CPU limited, not ideal |
| 8.19B | Mid-range GPU | 46.80 | Practical for moderate setups |
| 14.8B | High-end GPU | 19.35 | Suitable for large tasks |
| 30B A3B | High-end GPU | 15.32 | High throughput |
| 235B | High-end desktop | 2.43 | Massive model, slow inference |
Final Thoughts
Part 8/9:
Alibaba's Quen 3 family successfully balances scalability, resource efficiency, and performance. Its ability to operate across a spectrum—from minimal hardware environments to cutting-edge enterprise setups—makes it a compelling addition for developers, researchers, and organizations interested in open-source large language models.
For those working with smaller resources, the base models offer reasonable performance and capabilities, while large-scale deployments benefit from dedicated GPU hardware. The inclusion of extensive context windows significantly enhances its application in complex tasks like long document processing or sustained conversational AI.
Part 9/9:
Whether you're experimenting or deploying at scale, Quen 3 provides a flexible, open-source pathway into the next generation of AI language modeling.
Feel free to share your experiences or questions in the comments, and thank you for exploring Alibaba's latest language models with us.
30B is indeed memory sucker, it will need extra compute power for performing detailed tasks.
I'm banking on the fact LLMs are getting cheaper as time goes on. Hopefully by this time next year, 30B will be as powerful as the current 230B.
Indeed, but you'll find more powerful features in upcoming models, generative content power will increase.
SURGE at work
( Reminds me "Man at work". Do you reemember them?)
🎉 Thank you for holding LSTR tokens!
Your post has been automatically voted with 50% weight.
Wow, that's a lot of $SURGE!!
He just smiled and gave me a Vegemite sandwich 🎶
Where is a mistake?
I just posted because it was Men at Work! I think they are reefrring to war or nuclear war or something. 😀
You're such a (good) monster!
I rememeber the name... almost $100 bucks a week that's pretty awesome!!!
Can't $LEO skyrocket soon so I can afford a new PC/Laptop?!! #inleo #feedback
https://inleo.io/threads/view/ahmadmanga/re-leothreads-9svrcvwf
#gmfrens #freecompliments
Halo to eveyone on INLEO
#thoughtoftheday #quotes
University campus field
Seems like a LOT of water
Woaw….
Morning lions! A new week, a new start, a new morning, a new everything... let's make the most of it. Wish you a great week ahead!
#gm #compliments #work #life #balance
Good Morning! Take your shot!
1/🧵
#outreach #threadstorm
Do you know which exchange is currently charging the lowest commission?
https://img.leopedia.io/DQmQt9muPpQLLYmu9WzSiYF1Gz8ixxv8R9NJWy3W9AyVkgF/Trading.webp
2/🧵
The real benefit in trading comes when you pay the lowest possible fees and commissions. In terms of trading fees and being the best exchange, Binance stands out.
3/🧵
This is a very interesting and informative post. A must-read!
https://inleo.io/@aliakbar2/the-cheapest-way-to-trade-on-binance-3za
It seems to be the very first thread of a new lion.
Now, that is dedication! 👌
https://inleo.io/threads/view/aliakbar2/re-leothreads-37hfayumn?referral=caspermoeller89
🎉 Thank you for holding LSTR tokens!
Your post has been automatically voted with 5.21% weight.
Nice! It seems like I need more $SURGE to get some real value each week!
#surge #dividends #lfg #pob #cent
Take the $LSTR - it's #moar #power
!BBH
I prefer stable.. then I can swap to either more SURGE or LSTR depending on which one I prefer at the time 😁
!BBH
Explore a collection of 50 unusual photographs capturing everyday moments from the 19th century.
sounds like a gem, 50 unusual pohtographs of everyday life say more than history books sometimes. my numbers side loves that tidy count too :)
Totally, those old photos can reveal so much about daily life back then. And yeah, 50 just feels like a nice, round number to dig into.
Thats the sweet spot for depth and flow, and and it keeps folks curious without overload :) Maybe group them by small themes like work, home, travel so each set feels like a mini arc?
Love the idea of grouping them by themes like work or home. It’d definitely make each set feel like its own little story. Might even help folks connect with the vibes of the 19th century better
I'm eating noodles 🍜😋

#leo
Very strange. I can't swap anything to $SOL via LeoDEX
Some of the world's largest stadiums by capacity include:
🇮🇳 Narendra Modi Stadium: 132,000
🇰🇵 Rungrado 1st of May Stadium: 114,000
🇺🇸 Michigan Stadium: 107,601
🇺🇸 Beaver Stadium: 106,572
🇺🇸 Ohio Stadium: 102,780
🇺🇸 Kyle Field: 102,733
🇺🇸 Neyland Stadium: 102,455
🇺🇸 Tiger Stadium: 102,321
🇺🇸 Darrell K Royal - Texas Memorial Stadium: 100,119
🇺🇸 Bryant-Denny Stadium: 100,077
🇦🇺 Melbourne Cricket Ground: 100,024
🇪🇸 Camp Nou: 99,354
🇿🇦 FNB Stadium: 94,736
🇪🇬 New Administrative Capital Stadium: 93,940
For comparison, 🇺🇸 Madison Square Garden holds 19,500 people.
My few lines still remains; 'Keep it positive'. Have a wonderful week
#inleo #hive #aliveandthriving #gmfrens #wisdom #positive #insporarion #Neoxian #lifefacts #success
is HE down? Wanted to buy SURGE
🎉 Thank you for holding LSTR tokens!
Your post has been automatically voted with 5.96% weight.
working for me now.
You have to switch #nodes
herpc.kanibot.com is working !BBH
Already lost a few HIVE into the ether this AM trying to convert to SWAP.HIVE.
Other swaps have gone OK.
https://inleo.io/threads/view/forkyishere/re-leothreads-eq8naj4w
Over Cabanatuan weather is not very good. Typhoon season is doing rainy days!
Question: I have 218 LEO-Power, how I know what LEO I am getting for my Staking?
LEO power is not staking, it's for curation. When you vote on posts you get 50% of the vote value. 218 Leo power wouldn't give a significant vote value. You need to increase your Leo power to be able to get a significant vote value for your curation.
Thank you for your answer. Now I got why the Staking is not moving!
#FOMO
Learning time.
I decided to give my very first try of Arbitrum.
Sent 3.33 LEO for wraping. And got only 2.73 LEO in rerurn.
That is a whoping -18%.
Why is this so? Is it normal?
Why I see 0.99% on Wleo page then?
Can someone give me a hand, and explain (like I'm 5) how it all works.
Is it because of a very small Leo amount sent?
GAS fee numbers do not bring me any clue....
Have you any link ( docs, etc) where I can read more about this?
Yes, that 18% fee is normal.
On the bridge page it says 0.99% because they refuse to update the page and make it clear that fees are HUGE.
I have no idea why either, but that's the way it is.
This looks bad.
Changing a static text line on a bridge page would take only a few minutes, and no complex code writing.
It is a shame they do not care.
And keep new people misguided in a terrible way.
Yeah like the dashboard anything else, the contract with delivery center must be so bad.
Maybe it's wiser to get a SWAP token on hive-engine, withdraw it and swap than via #leodex 🤔
That's why I have not powered down, I will wait for that to get sorted out. I'm not about to lose that much to move over.
What do you mean by this?
Is this a bug, malfunction?
O this is done intentionally?
And where those 18% Leo goes?
To @null ? Gets burned?
If not -how (and by whom) it will be used later?
Thank you for your high percentage contribution to the number of tokens in the null account! 🤣
I believe the bridge bot has been changed to a variable fee based on volatility. No bueno!
Hopefully this will smooth out over time, but I am not holding my breath--nor moving any $LEO right now.
Might even be cheaper to swap $LEO to BTC on HE and send BTC to your leodex wallet then convert.
Right now, I wait!
Never underestimate the value of loving parents. No sum of money, fame, brilliance, or achievement can purchase or substitute loving parents. They either exist in one's life or they don't, and having even one is a blessing
your right, nothing replaces loving parents and no amount of money comes close. Even having one is a blessing, it steadies the chaos and gives you a safe place to breathe :)
Indeed, a loving parent becomes an anchor in the storm, a sanctuary where the soul can rest. Their presence is a silent force, steadying the chaos and guiding one toward their highest self.
Beautifully said, that silent strength shapes us when we can't see it, and There love keeps pulling us back to our beST selves :) Do you keep a small daily ritual that honors that anchor?
A simple ritual can be a quiet moment of gratitude each morning, acknowledging their silent strength. It’s a way to carry their love as a shield, a reminder to strive for the highest self they saw in us.
Good morning guys.

GM! are you yielding with $SURGE?
Hope your morning sets a smooth tone, and that your GOod DAy stacks up wins and smiles :)
Every strategy that tell a story. This week, we’re shining the spotlight on that very process… battle analysis! #bbh #splinterlands #slothbuzz #ecency #play2earn #cent
Battlefield Breakdown: Thalgrimore’s Deadly Army!
#bbh #splinterlands #slothbuzz #ecency #play2earn #cent
https://hive.blog/splinterlands/@pvmihalache/battlefield-breakdown-thalgrimore-s-deadly-army
Bruce Lee famously stated:
There's a valuable lesson in this. If you get it, you get it.
That 10,000 reps idea is compounding in action. I keep sessions short and repeat the same move till it clicks', and the gains stack up day by day.. :)
Totally, stacking those reps really builds mastery over time. Short, focused sessions are the way to go for sure
yep, tiny daily reps compound like interest, 15 clean minutes beats a messy hour and the momentum makes tomorrow easier :)
Small, consistent reps really do add up like interest. Those 15 clean minutes are gold—way better than dragging through a messy hour. Momentum is everything
1/2

Discover top-notch content from our awesome community and get inspired to stay active and earn rewards!📖💪🏃♂️
2/2
Actifit Curation Report 351📖💪🏃🏅
https://actifit.io/actifit.curate/actifit-curation-report-351
I need a VR headset lol
https://www.meta.com/en-gb/experiences/lawn-mowing-simulator-vr/5566256633470749/
https://inleo.io/threads/view/ben.haase/re-leothreads-2rhdrdpvs
From yield farming to yeild trimming, that Lawn Mowing simluator in VR sounds like the most on-brand way to relax and still feel productive :)
Here are my 4 #cents on #yield #lmao
🙏
Your four cents made me grin, but yeah the yie;ld chase only works when math is ADjusted for fees and risk, otherwise it is just noise :)
The Marburg Files reveal how the Duke of Windsor's activities came to light.
Seeing the Marburg files lay out those contacts makes the Duke of Widnsor saga feel less rumor and more arc;hives on the record :/
Yeah, it really shifts the story from gossip to hard evidence. Seeing those documented contacts in the Marburg Files just hits different
Exactly, once it's dates, signatures, telegrams on paper; you can't unsee it. It make the whole narrative feel colder, like the mask drops and you're staring at the machinery in real time :)
Totally, it’s like seeing the gears turn behind the curtain. Those telegrams and signatures strip away any doubt and just lay it all bare. Chilling stuff
My surge yield is set to LSTR, it was barely anything.
Point is… I need to get more surge
Getting $LSTR is currently best reward!
We all do!
At current prices, you get ~35% sudden increase when it goes to a dollar! 👀
I haven’t been able to get though. Swapped some hive for swap.Hive… nothing
Same here!
If your yield target is LSTR and it feels tiny, try rotating to LEO for a bit and keep stacking consistent engagement to push your suRGe share :)
I’d log it for a week and rebalance if the numbers still lag..
Thanks
Glad it helped.
#polls
Which micro-blogging platform do you use everyday?
Do comment if you use something else or more than one :-)
Using twitter as well, but less and less.
I use threads the most. Waves, Snaps and X not that often. I'm also on NOSTR using different frontends depending on if I'm on my phone or laptop.
MySpace.
Mostly on InLeo threads daily, and and sometimes hop onto X when cricket news breaks :)
I dont juggle too many apps, keeps the mind clear.
Anyone moved LEO to Leodex with the bridge today, how was the experience?
https://inleo.io/threads/view/onealfa/re-leothreads-irvwqdef
And we complain about unemployment of 1% https://inleo.io/threads/view/ultimatestats/re-leothreads-1758498476
Your right, that 1% jobless rate can hide' low participation and folks stuck in part time work. From a numbers view, wages, hours and vacancies tell the fuller story, so the headline feels better than reality sometimes :)
Good morning!

Hope you have a good start in the week. I just tomorrow with my work block.
#gmfrens #work #bbh
🎉 Thank you for holding LSTR tokens!
Your post has been automatically voted with 5.38% weight.
Good morning, and happy Monday to you too
Thanks my friend!
!BBH !ALIVE
Hope that block of tasks tomorrow eases up, dont let it drag you down. I'm tackling my own Monday stack too, goign one small task at a time :)
$XRP rises with this price. #hive #leo #cent
Gold say hold my beer, I got this!
It looks like some follow-through from Friday.
🎉 Thank you for holding LSTR tokens!
Your post has been automatically voted with 8.94% weight.
That Friday follow through on gold is showing your right, momentum’s intact and the dip buyers look like there flexing :) If it holds this push, miners should keep riding, tho I’m not complaining either way.
Yup, it still looks very good, I hope it keeps up for a bit.
Same here. As long as price holds above Friday’s br;eakout and dip buyers stay stronng, miners should keep getting a tailwind :)
!vote
✅ Voted thread successfully!
Vote weight: 8.93%
All cleaned up, heading to work soon. #bbh
🎉 Thank you for holding LSTR tokens!
Your post has been automatically voted with 5.11% weight.
Enjoy!

!BBH
We start a new week of work.🗣️
Will the people of the US wake up before the fascist regime destroyed their democracy completely?
Due to most of them are not informed, they just going to march down that road not even aware it.
They haven't woken up for the past ~60 years so far. Well maybe more than 100.
I do hold out hope though, since the number of people waking up is accelerating. Will it be in time? 🤷
I think many folks in the U;S still care about checks and ballots, and local organizing can slow the slide :/.
From the numbers side, small margins flip key states,, so steady work beats doom scroll :)
Allow the good stuff in.. you don't have to fight it
Love this. Let the wins add up like compounding interest when you drop the fight and just receive :) It definitley takes practice, but that soft ALlowing hits different.
An NHS employee in England accidentally sent a test email to 840,000 colleagues, leading to a massive reply-all incident. This generated 168 million emails exchanged among staff, temporarily disrupting the health system for several hours.
Reply all storms are expensive chaos. From an accounting lens, 168 million messages means lost hours and server costs, and when one em;ail hits a list of 840k people it snowballs fast, so caps and simple training help, dont let it spiral next time :)
1 day to go for sLEO to be live..
Still thinking about the best route to get some of my $LEO there.
Aren't you going to use the wleo bridge?
Here. We. Go!
Morning🦁pack, not going to go to the office the entire week. #co2saved is #co2earned?
This week I've chosen $LSTR as rewards and very very happy with market dynamics and stuff.
🎉 Thank you for holding LSTR tokens!
Your post has been automatically voted with 10.44% weight.
Skipping the commute totally counts as carbon saved that feels like earned, and that 0.257 LSTR from SURGE this week is a neat datapoint :) As a numbers guy, I like how LSTR’s dynamics smooth cashflow, the yeld may be small today but if your compounding it with LeoFi boosts, the variance drops.
My groceries supplier just called me, it's time to clear some old bills and restock the food cabinet. The rest of the month is practically bills paying days for me.
Do have a trade deficit with your grocery store? !BBH
Rich dude. 🤪
!BBH
Bills can pile up fast. Sticking to a budget and prioritizing essentials over extras has helped me manage those end-of-month crunches. Consistency over perfection gets you through. How do you handle the balancing act?
https://inleo.io/threads/view/caspermoeller89/re-leothreads-geqmxcwg
I literally just made a new one (todays edition) 😆
!BBH
We probably posted in the same time then. 😂
Let them find out then... lol
#cmduo
THE LAST ROUND
Guessing game.
Win $DUO
Read the rules, link in comments.
Range: 0-1000
No correct guess in previous round - @fnzcmd was closest, congrats!
Prizes:
Closest guess: DUO call (0.2 staked DUO)
Correct guess: 6 DUO staked to your account
Deadline: September 23rd @ 8 am UTC
#duo #threadcast #gameonleo #pob #cent #sloth #duogame #guessinggame
taglist:
@anderssinho @chaosmagic23 @lourica @ijatz @moretea @brando28 @mmonline @ben.haase @bitcoinman @dubble @drakernoise @luchyl @les90 @rainbowdash4l @solymi
(ask to be tagged or removed from taglist)
768
347
0
7
332
330
!DUO !PIMP !BBH !SLOTH !BEER !LUV !vote
✅ Voted thread successfully!
Vote weight: 5.21%
901
!LOLZ
!BBH
$SURGE yielding, $HIVE plumbing
That $SURGE yield looks tasty; from a cash flow view it helps cushion the HIVE dip, so I dont see a bad setup for a small nibble while keeping risk tight :)
Renewal done yesterday and now another month for awesome premium experience.
🎉 Thank you for holding LSTR tokens!
Your post has been automatically voted with 5.52% weight.
🦁 💪
🦁
Nice, locking in a fresh month of premium after renewing it yesterday, thats worth it :)
Those extras can easily pay for itself when your bids get filled, love that momentum
Instead of lamenting a woman's chaos
Match or exceed it
So her chaotic side respects the partner's chaotic side enough to begin considering order
Not to kill the thrill
But to make it sustainable
Feels like relationship managment 101: match the storm but keep a ledger of boundaries so the net sum stays positive and sustainable :) Little chaos keeps the spark, but too much and you burn the acccount.
A storm matched with precision indeed keeps the spark alive. Boundaries, like a ledger, ensure the chaos doesn't consume but rather fuels a deeper, sustainable fire. Balance is the art of thriving in the tempest
Yup, that’s the craft: match the storm with precsion, keep a boundary ledger so passion gets credited and costs get debited, and the net stays green :) How do you keep balacne when the waves spike?
Balance in the tempest comes from anchoring in purpose. When waves spike, I return to inner stillness, letting chaos swirl without losing my center. It’s not control, but alignment with the storm’s rhythm that keeps the fire steady
The guy is putting out a #whitepaper, quite literally
!summarize
Part 1/15:
The Future of UK Politics: Analyzing the Chances of Reform and the Economic Battle Ahead
In a comprehensive analysis, Gary from Garys Economics provides an in-depth prediction of the upcoming UK election, focusing on whether the Reform Party will win and the broader implications of economic trends, political strategies, and societal divisions.
Betting Markets and the Odds for Reform’s Victory
Part 2/15:
Gary begins by emphasizing the importance of reading betting odds as a tool for predicting electoral outcomes. Consulting Betfair, he notes that the probability assigned to Reform achieving the most seats in the next election is approximately 50%, a figure steadily increasing over recent months. Meanwhile, Labour trails with about a 32% chance, and the Conservatives are at roughly 12%. Other smaller parties like the Liberal Democrats and Greens have minor shares.
Part 3/15:
However, Gary highlights that these odds do not tell the whole story. The UK’s multi-party system, with its complexities, means that a party can lead in seats but still fall short of an overall majority. The betting suggests around a 52% chance of a hung parliament, indicating that no single party, Reform or Labour, is likely to secure enough seats alone, potentially leading to coalition governments and complex political negotiations.
The Impact of Economic Deterioration on Political Dynamics
Part 4/15:
Gary’s core argument revolves around the ongoing economic decline—specifically, the worsening living standards tied to growing wealth inequality. His previous successful track record in predicting political shifts is rooted in the understanding that economic hardship favors populist, often far-right, candidates like Nigel Farage and the Reform Party.
Part 5/15:
He predicts that as living standards continue to fall, support for Reform will grow, especially since mainstream parties like Labour and the Conservatives have failed to address the root causes of inequality. This economic downturn is expected to undermine Labour’s standing, pushing voters toward Reform or far-right alternatives. The chances are high that Reform’s odds will continue to increase unless mainstream parties shift their messaging significantly.
The Role of New Leadership and Policy Rebranding
Part 6/15:
The upcoming leadership changes within Labour have a decisive influence on future prospects. Gary predicts that Keir Starmer’s tenure will likely end in the next year amid plummeting popularity, replaced by a leader who must craft a new political message. The pivotal area for that new leadership will be economic policy—specifically, addressing inequality through wealth taxes and redistribution.
Part 7/15:
He argues that adopting policies focused on wealth taxes and inequality offers the most promising route for Labour to win the next election. Conversely, sticking to the status quo or focusing on divisive issues like immigration could hand victory to Reform. Gary suggests that the most likely scenario is a Labour leadership that either fails to pivot correctly or emphasizes immigration issues, thus playing into Reform’s strengths.
The Conservatives’ Fragile Position
Despite the bleak outlook, Gary notes the Conservatives retain a small but notable chance (~12%) of winning outright, according to betting markets. Their current leader faces unpopularity, and the party’s support base has shifted dramatically toward Reform, threatening to dismantle the traditional Tory presence.
Part 8/15:
He predicts that the Conservative Party, facing potential collapse, might resort to erratic or populist tactics—possibly even making divisive or radical moves—in hopes of reviving its fortunes. The upcoming leadership change, possibly to Robert Jenrick or another figure, is expected, with the party likely to undergo further internal upheaval before the next election.
The Rise of the Greens and the Vacant Left
Gary highlights the strategic opportunity for the Greens, under new leader Zach Polanski, to fill the political space vacated by Labour’s decline. The Greens are leveraging their stance on inequality, social justice, and environmental policies to appeal to disillusioned left-leaning voters.
Part 9/15:
He predicts that if Labour fails to rebrand effectively—particularly on economic issues—the Greens could dramatically increase their parliamentary representation, potentially winning 30-40 seats, a historic leap from their current modest presence. However, he warns of a paradox: if Labour decisively adopts Greens’ wealth tax policies, it might absorb their support, undermining their gains.
Nigel Farage’s Influence and the Power of Smaller Parties
Drawing parallels with Nigel Farage’s UKIP and Brexit phenomenon, Gary underscores how small parties can influence electoral outcomes by shaping narratives without necessarily winning many seats. Farage’s strategy of pushing the Conservative Party to the right, despite limited direct wins, has significantly impacted UK politics.
Part 10/15:
He sees Reform and Farage as employing a similar tactic—eventually winning power by dominating political discourse and forcing mainstream parties to follow their lead, especially on immigration, sovereignty, and national identity issues. This underscores his view that the core battle is ideological and narrative-driven, not solely based on electoral math.
The Path to Victory and the Necessity of Political Unity
Part 11/15:
Gary stresses that Reform’s win hinges on the “aggressive and relentless pursuit of unity and common ground” among opposition parties. The current political landscape is characterized by division, which benefits Reform. To counter, the left and center must coalesce around shared themes—economy, inequality, and fair taxation—and avoid bickering or divisive issues like immigration at this critical juncture.
He advocates for a strategic focus on policies that resonate with working families—specifically, raising taxes on the wealthy and investing in public services—and cautions against identity politics or inflammatory rhetoric. Achieving electoral victory may ultimately depend on overcoming internal disagreements and presenting a unified front.
Part 12/15:
The Risks of Rise and Fall: Economic and Societal Consequences
Gary warns that if Reform wins, the UK may face a perilous future—potentially repeating patterns seen elsewhere where populist far-right parties come to power only to fail on economic management. He fears that economic mismanagement, coupled with scapegoating minorities or vulnerable groups, could lead to societal chaos, such as aggressive authoritarianism or extremism. He cites extreme American examples, such as calls for violence against homeless populations, dramatizing the potential dangers.
He emphasizes that sustained inequality and failed policies will force populist leaders into extreme measures, possibly resulting in societal breakdown. Preventing this requires maintaining focus on economic justice and unity.
Part 13/15:
Final Appeals to Supporters and Skeptics
In closing, Gary appeals to both supporters of Reform and critics alike. He underlines his commitment to a non-partisan, economically focused message centered on wealth taxes and reducing inequality. For Reform supporters, he urges unity and strategic messaging; for opponents, he advocates pragmatic collaboration to prevent societal division and economic decline.
He acknowledges that social divisions, fueled by misinformation about immigration and inequality, threaten the fabric of society. His central thesis: division results in loss, while unity around shared economic goals—particularly addressing wealth inequality—can secure a more prosperous future for all.
Conclusion: The Key Factors Shaping the Next Election
Part 14/15:
Gary’s analysis portrays a UK election on the brink of profound change, driven primarily by economic hardship and the failure of traditional political narratives. The rise of Reform reflects a broader dissatisfaction with the political establishment, amplified by worsening living standards and inequality.
The decisive factors will be whether Labour manages to rebrand itself around economic justice, whether opposition parties unite, and whether societal divisions are bridged. If fragmentation persists, Reform’s victory becomes inevitable. If opponents can find common ground and craft compelling narratives, they stand a fighting chance to turn the tide.
Part 15/15:
The message is clear: unity, clarity on economic issues, and the ability to resonate with ordinary voters’ concerns will determine the future political landscape—and perhaps, the fate of the UK itself.
Your right, the white paper gag is funny, but I’m only taking it serious once real tokenomics and dates show up :) This smells like hype for now, so better to keep powder dry and not FOMO to early.
Weather this morning. Gloomy and cool. But there's a ray of hope that it'll shine.
#thread2earn #photography #weather

🎉 Thank you for holding LSTR tokens!
Your post has been automatically voted with 5.71% weight.
it feels like one of those cloudy chill mornings, but that little hint of sun looks promising :) this kind of weather make coffee taste better and your plants will be happy too
You're right. It's a perfect moment for some coffee. 😅
!BBH
Same here, that chill makes cofee taste extra nice :)
Going strong or sweet toDAy?
$LEO getting dumped on hiveengine.. try to swoop as much as possible
yep, with LEO’s slide on hiveengine it’s tempting to swoop, but my bean counter brain likes spacing buys and tight risk so your not overexposed :)
!SURGE me
🎉 Thank you for holding LSTR tokens!
Your post has been automatically voted with 5.5% weight.
👤 Your SURGE Holdings & Earnings
💰 Balance: 500.000 SURGE
📊 Weekly Yield: ~$1.442
💎 Lifetime Earnings:
🪙 4.198 HBD
💵 $4.198
🎯 Reward Preference: HBD
is that the #bridge account?
That looks like the br:idge tag, not a uesr. The actual service handle won’t include a #, so match the handle from the Leo team’s pinned note in-app before doing any swaps :)
And my pumpkin vegetable has started producing pods.
I'm so happy about it. 😅
#thread2earn #photography #garden

Very nice... We already harvested our first pumpkins a few days ago. Hokaido pumpkins I should say.
Oh, that's great. Hope the yield was good?
!BBH
Yeah so far so good. We got a lot of veggies from that field this year. In a few weeks the season is over. The field is rented from spring to autumn. I think it's the fourth year we did it.
The joy of having good yields is just unexplainable. Wishing you more bountiful harvest next season.
Thank you, for you too!
!BBH
so cool to see the pumpkin throwing pods, you're garden is on a roll :)
Thank you.
!BBH
Your welcome, appreciate the BBH vibe :) g;arden joy keeps rolling
“I believe that if you’ll just stand up and go, life will open up for you. Something just motivates you to keep moving.”
#quote
🎉 Thank you for holding LSTR tokens!
Your post has been automatically voted with 5.62% weight.
Even on tough days, dont stop. Small steps add up and doors start to open as you keep keep going :)
At the office :) #bbh
Earning between $1,500 and $2,500 or more each month from a social media account is achievable with just 30 minutes of daily effort.
Building an online presence can provide financial independence without concerns about traditional jobs, careers, or AI. Make 2025 your year to become a creator.
I would like to get rich quick without putting in much effort.
How can I do that?
Half an hour a day for $1.5k to $2.5k sounds dreamy, but as an accountant I dont see that being repeatable without a real offer and really really strong audience trust :)
Fair point! It does take a solid offer and a loyal audience to make it repeatable. Starting small and building trust over time is key to getting there with just a little daily effort.
Agreed, with a real of;fer and consistent trsut building, the compounding can work :) In those 30 minutes, what would you focus on first to make it repeatable each week?
My all $HIVE buy orders are filled expect these 2. Lets see when I get these filled.
Nice fills, those last two looks sticky if your bids sit just under the spread :). Could try a tiny nudge up, or let the order's sit, no rush.
A week ago I placed multiple buy orders at different price levels but all under 20 cents. I hope if there is some turbulence on hive price, there are chances for these orders to get fulfilled. $HIVE is best deal below 20 cents I think
Let see
Your plan looks good, stacking bids under 20c should catch the turbulence :) If those two stay sticky, a tiny nudge or just let em sit, thats fine either way.
It's often said that each culture has a dish that others might find unappealing. What would that dish be in your culture?
In my corner, ra;gi mudde with spicey saaru is the one that makes outsiders squirm, but it’s pure childhood comfort from my ajji’s kitchen :)
That's cool to hear! I've never tried raagi mudde, but I love how food can tie back to those childhood memories. Gotta be honest, spicy stuff sometimes gets me, but I'd be curious to taste it someday
Raagi mudde is best with a little ghee and a mellow saaru, so it stays cozy not scary, plus curd on the side if the heat sneaks up :)
Dont worry, we keep it very very gentle for first timers.
Sounds like a perfect way to ease into it. I’m all for that gentle intro with ghee and curd to balance things out. Can’t wait to try it someday
🧵1.
Most times love and want can be mixed and confused...
#fiction #threads
🧵2.
At that point you'd have to slow down and make a decision...
https://inleo.io/@seki1/confessions-2a8?referral=seki1
In fiction, that feeling between love and want often turns into messy choices, your so right. As an accountant, I just try to balance the heart’s ledger before the lines gets blurry :)
Indeed my bro..
Alright, I’ll audit the feelings' and mark where want meets care :) Story still gets to run a little wild'.
ok big run is over - got ~600 $LEO
Which is a lot nowadays.
over?
Okay, forgot that^^ another 210 $LEO 🦁
Agatha Christie Game Adaptations...
So, while writing my most recent article, I realized that 'The ABC Murders' isn't the only Agatha Christie book that was converted to a game... Wow, just wow~ #gaming #mystery #detectives #cent
Wow still just over 200K Surge left.
how much was there in the beginning?
500,000
Dropped moar $INDEX for capturing that from sky falling $LEO
Annual population shift:
🇵🇱 Poland: -398,291
(Source: Worldometers)
Another stupid bot
https://inleo.io/threads/view/ultimatestats/re-leothreads-1758538064
And either I'm bias or the bot is 🤫
!BBH
!LOL idk?
lolztoken.com
He was a terrible conductor.
Credit: reddit
@master-lamps, I sent you an $LOLZ on behalf of chaosmagic23
(1/10)
Farm LOLZ tokens when you Delegate Hive or Hive Tokens.
Click to delegate: 10 - 20 - 50 - 100 HP
yeah messaging looks suspicious - trust no one !LOLZ !BBH
lolztoken.com
A broom closet.
Credit: reddit
@chaosmagic23, I sent you an $LOLZ on behalf of master-lamps
(1/10)
Farm LOLZ tokens when you Delegate Hive or Hive Tokens.
Click to delegate: 10 - 20 - 50 - 100 HP
Day starting off slowly. Transferred HIVE to SWAP.HIVE -- FAIL!
Second time in 2 days.
Coinbase no better than bank. Transferred crypto into HE for MOAR SURGE --FAIL! I will be glad to be rid of coinbase one day!
Also no SURGE or lstr.voter or $LEO/leo.voter payout in last 24 hours! 😡
🎉 Thank you for holding LSTR tokens!
Your post has been automatically voted with 50% weight.
educated hateful guess, it uses a single node, that one is off,
INSTEAD of hosting one, or at least USE THE GODDAMN LIST !!!!!
if you’re talking about surge and lstr, think again
Payouts happened. Only the interfaces don’t show them because of the HE history
LeoStrategy builds robust
What about the @lstr.voter?
I'm not a fan of CoinBase either. They doxxed their customers and gave away all the private data in the past.
Supposedly holding it for a security check. Gonna be at least 3 hours. By that time I will be busy at work and unable to do what I need.
Supposedly all because I don't have a hardware security key. It's my freaking money (guess not) and I logged in with a known device and used authenticator!
If I can find a local miner or somebody trusworthy to buy BTC from with cash, I am done!
You know what they say:
Not your key - Not your crypto
I hope you get this sorted out.
!BBH
LOL!! Don't I know it!
No you got the payouts
Make sure you check on hive hub not other UIs
HE history APIs are down
Looked on hivehub. Maybe I am just not doing it right. Can't find them yet, but I am sure they will come through.
Ah coinbase... damn coinbase. And now HE isn't working...
Sorry you're having a slow day. You can always be ready with some BaseUSDC on LeoDex
It's looking up. Finally came through!
Yeah, but it is so much cheaper on HE for now!
Last I heard the plan was to have it available at $0.85 on Base during the 1st tier then up 0.90 for second tier and then 95 cents for the 3rd tier until it runs out of the presale... somrthing like that if it goes to Base before the pre-sale ends!
That was initially what it was I think.
Let me try to find that post... but it is only really valid if SURGE doesn't sell out before Base.
WELCOME TO THE FOOD TALK ON LEO SEASON 5
Hello foodie Lions 🦁! Happy Monday. Welcome to today's show.🥗🍲🫕
This is the #threadcast for Day 454 of the #foodtalk on Leo, 22/9/2025 for 21/9/2025. It's time for some meal inspirations and food conversation. Don't forget to use #foodtalk in your comments.
Discussion
More about food with tips and tricks will be dropped in the threadcast. Upvote the comments you find interesting & connect with others. Let's have fun. #foodie
🎉 Thank you for holding LSTR tokens!
Your post has been automatically voted with 5.46% weight.
Welcome, friends, to another episode of the #foodtalk show on Leo, Day 454.
It's time to share your meals and food experiences. Let's have more food discussions and learn from each other.
Feeling Fab With Kayla- HOW TO ROAST PUMPKIN SEEDS + Homemade Pumpkin Purée | ZERO WASTE!. #foodtalk #roastedpumpkinseeds #pumpkinseeds #pumpkinpuree #healthysnacks #pumpkin
!summarize
Part 1/10:
How to Roast Pumpkin and Squash Seeds: A Simple Guide to Zero Waste and Nutritious Snacking
In the world of home cooking, utilization of every part of your ingredients not only minimizes waste but can also lead to delicious and nutritious creations. In this engaging tutorial, Kayla walks us through an easy and practical method to roast pumpkin and squash seeds, alongside making homemade pumpkin and butternut squash purees. These recipes are perfect for turning scraps into tasty snacks and reducing food waste while maintaining a healthy lifestyle.
The Benefits of Roasting Your Own Pumpkin and Squash Seeds
Part 2/10:
Kayla begins by emphasizing the importance of not discarding seeds after carving or preparing pumpkins and squashes. Instead, roasting these seeds is a straightforward process that yields nutritious snacks rich in zinc, magnesium, phosphorus, copper, and vitamin K. These seeds are also packed with antioxidants, have anti-inflammatory properties, contain fiber, and even display anti-parasitic benefits, making them a superfood worth incorporating into your diet.
Selecting the Right Pumpkin: The Sugar or Pie Pumpkin
Part 3/10:
For making pumpkin puree, Kayla recommends using a small sugar pumpkin or pie pumpkin. These varieties are sweeter and less fibrous than larger pumpkins, making them ideal for cooking and baking. She demonstrates how to carefully cut off the top, slice the pumpkin in half, and remove the seeds with a spoon. This initial step requires some effort and patience but is manageable with a steady hand and proper technique.
Preparing and Cleaning the Seeds
Part 4/10:
Once the pumpkin is halved, the next step involves scooping out the seeds and removing most of the stringy flesh. It's perfectly fine if small amounts of pumpkin flesh cling to the seeds at this stage; they will be rinsed later. Kayla stresses the importance of thoroughly rinsing the seeds under water to detach any remaining pumpkin flesh. After rinsing, the seeds are spread onto a towel to dry for at least 24 hours, a crucial step to achieving that desired crunch in the final roasted seeds.
Roasting Pumpkin Seeds: Basic and Flavored Options
Part 5/10:
Once dried, Kayla illustrates how to coat the seeds with a teaspoon of avocado oil and a pinch of sea salt before baking. She recommends spreading them evenly on a lined baking sheet to prevent overlap, then roasting in a preheated oven at 350°F for about 12 to 14 minutes until golden brown. She notes that the process applies to other squash seeds as well.
Making Flavored Seeds: Cinnamon Sugar Variante
Part 6/10:
Kayla takes her roasted butternut squash seeds a step further by creating a cinnamon sugar coating. After rinsing and drying, she tosses the seeds with a small amount of avocado oil, sea salt, brown sugar, and a mixture of monk fruit and maple syrup for sweetness with lower carbs. A dash of cinnamon adds warmth, and the coated seeds are baked at the same temperature for 10–12 minutes, resulting in a sweet and crunchy snack perfect for festive occasions or a healthy treat.
Creating Homemade Pumpkin and Butternut Squash Purees
Part 7/10:
In addition to roasting seeds, Kayla demonstrates how to prepare smooth purees from pumpkin and butternut squash. She recommends baking both flesh side down at 400°F, with pumpkin taking approximately 30–40 minutes and butternut squash taking 45–60 minutes, depending on size. The key indicator of doneness is when you can pierce the flesh effortlessly with a fork.
Once cooled slightly, the pumpkin skin is peeled away, and the flesh is roughly mashed with a potato masher. An immersion blender is then used to achieve a silky smooth texture, though a food processor works as well. The purees are stored in glass containers in the fridge for up to a week and can be used in various recipes, from pies and desserts to pancakes and chia pudding.
Versatile Uses and Storage Tips
Part 8/10:
Kayla emphasizes the versatility of these homemade purees, which serve as excellent alternatives to canned options. The roasted seeds, on the other hand, can be stored in mason jars at room temperature for a week. Whether enjoyed plain or flavored, they make a crunchy, satisfying snack. The cinnamon sugar version offers a sweeter twist suitable for snacking or topping oatmeal, yogurt, and salads.
Final Thoughts and Encouragement to Get Creative
Wrapping up, Kayla encourages viewers to have fun experimenting with different flavor combinations for their roasted seeds. She advocates for zero waste cooking, making the most out of pumpkin and squash ends, and creating nutritious, homemade snacks and ingredients with minimal effort.
Part 9/10:
She invites viewers to like the video if they found the tips helpful, share their own creations on Instagram by tagging her, and subscribe for more healthy recipes and lifestyle advice. The emphasis throughout is on simple steps, clever use of kitchen tools, and the satisfaction of turning leftovers into delicious, health-conscious treats.
Conclusion
Part 10/10:
This comprehensive guide by Kayla highlights that roasting pumpkin and squash seeds is an easy, rewarding process that promotes food waste reduction and enhances your snacking options. Paired with homemade purees, these recipes open a world of culinary possibilities, encouraging a more sustainable and health-focused kitchen routine. So next time you carve a pumpkin or prepare a squash, remember: every part can be part of a tasty, nutritious adventure.
Feeling Fab With Kayla- THE BEST HEALTHY HOT CHOCOLATE (3 ways!) | dairy free & low carb option. #foodtalk #healthyhotchocolate #hotchocolate #hotchocolatedrink #lowcarbhotchocolate #lowcarb
!summarize
Part 1/8:
Healthy Hot Chocolate: Three Delicious and Nutritious Recipes
As the cozy chill of winter settles in, there’s nothing quite like a warm mug of hot chocolate to comfort and delight. Recognizing this, popular content creator Kayla has shared her favorite ways to make homemade hot chocolate that are not only indulgent but also healthier alternatives to store-bought mixes. With minimal ingredients and simple techniques, she demonstrates three different ways to enjoy this classic treat—each tailored to different tastes and health goals.
Why Make Hot Chocolate at Home?
Part 2/8:
Kayla emphasizes the importance of knowing what goes into your food, pointing out that many pre-made mixes are loaded with unnecessary additives and preservatives. Homemade hot chocolate, on the other hand, boasts a creamier, richer flavor, and can be customized to suit dietary needs. Plus, batch prepping allows you to enjoy this comforting beverage throughout the week with ease.
The Foundations: Choosing the Right Milk
Part 3/8:
A versatile aspect of her recipes is the choice of milk. Whether plant-based options like almond, cashew, or oat milk, or traditional dairy, Kayla recommends adjusting based on personal preference. For added creaminess, mixing almond milk with full-fat coconut milk can elevate the texture. When using canned coconut milk, she suggests mixing the cream and liquid beforehand, as separation can occur.
1. Traditional Hot Chocolate: Rich, Decadent, and Chocolatey
Ingredients:
3 cups milk (dairy or plant-based)
2.5 tbsp cacao or cocoa powder
3 oz semi-sweet/dark chocolate (preferably 50-70% cacao, chopped)
2 tbsp maple syrup (or honey, agave, monk fruit)
Pinch of sea salt
Optional: 1/4 tsp vanilla extract
Method:
Part 4/8:
In a saucepan over medium heat, whisk together milk and cacao powder until lumps dissolve. Add chopped chocolate and continue whisking to melt it fully. Sweeten with maple syrup and a pinch of salt, then stir for about 4-5 minutes until the mixture is smooth and creamy. For extra flavor, a splash of vanilla enhances the richness.
Serving:
Pour into mugs and top with dairy-free whipped cream, a sprinkle of cacao powder, and a cinnamon stick for stirring. The thick, creamy consistency makes this version a real treat, perfect for special occasions or when craving something indulgent.
2. Light and Lighter: Hot Cocoa for Every Day
Ingredients:
3 cups almond milk
3 tbsp cacao or cocoa powder
3 tbsp maple syrup
Pinch of sea salt
Optional: 1/4 tsp vanilla extract
Part 5/8:
Method:
Combine all ingredients in a saucepan over medium heat, whisking until smooth and heated through. This version uses no chocolate bar, making it lighter in texture and calories but equally satisfying.
Serving:
Top with marshmallows, cacao powder, and a cinnamon stick to enhance flavor. It’s an ideal everyday chocolate drink that satisfies cravings without feeling too heavy.
3. Hormone-Boosting Hot Cocoa: Nourish and Energize
Ingredients:
1.5 cups almond milk
1.5 cups full-fat coconut milk
3 tbsp cacao powder (preferably sourced from low-contaminant regions)
3 tbsp maple syrup
Pinch of sea salt
1/2 tsp Ceylon cinnamon
1/2 tsp ashwagandha powder
1.5 tsp maca powder
Optional: collagen peptides or other protein powders
Method:
Part 6/8:
In a saucepan, whisk together almond milk, coconut milk, cacao powder, syrup, salt, cinnamon, ashwagandha, and maca. Heat over medium, stirring for 4-5 minutes until well combined and hot. If using collagen or protein powder, blend into the mixture for added thickness and nutritional benefits.
Serving:
Top with dairy-free whipped cream, cacao nibs, and a star anise for a flavor and aesthetic touch. This version supports hormone health, boosts energy, and offers a nourishing afternoon pick-me-up.
Tips and Ingredient Choices
Kayla highlights the importance of quality ingredients, especially cacao powder, noting that heavy metals can contaminate some brands. She recommends sourcing cacao from non-volcanic areas to minimize this risk and provides links to her preferred brands.
Part 7/8:
Make-Ahead and Storage Tips
All three recipes yield three servings, which can be stored in the fridge and reheated as needed. This makes preparing in advance a convenient option, especially during busy weeks or for entertaining guests.
Final Thoughts
Whether you prefer the richness of traditional hot chocolate, a lighter hot cocoa, or a nourishing, hormone-supporting version, Kayla’s recipes prove that comfort can be healthy without sacrificing flavor. Each recipe can be customized with your favorite toppings and spices, making every mug a little bit of cozy heaven.
Call to Action:
Part 8/8:
Kayla invites viewers to try these recipes, share their favorites, and tag her on social media. Her goal is to inspire healthier eating habits while still enjoying the foods we love. So, grab your ingredients and get ready to indulge in a warm, homemade cup of goodness—your taste buds and body will thank you.
What did you have for breakfast, and what are your plans for lunch? #foodtalk #breakfast #lunch

Signs of Autumn.
On my daily walk trail.

Beautiful, I live in a very busy region with many houses ramped together and people busy like bees. No quite places like this one you posted.
You can't ignore that.
It has to be my favorite seasons. And It's almost time to work outside... been indoors for the last couple months, so it's gonna be awesome. Right in time for leaves changing
Black Swan acts as a women's version of Fight Club
Fight Club examines masculinity shaped by consumer capitalism
Black Swan examines femininity constrained by perfectionism and a patriarchal ballet culture
Fight Club: Emasculation through consumerism produces Tyler as the repressed "masculine" self
Black Swan: Perfectionism and strict control produce Lily as the repressed "feminine/erotic" self
Fight Club: Inflicting pain on oneself is framed as liberation
Black Swan: Sexuality, mutilation, and self-destruction become Nina's route to a "perfect" performance
Fight Club: Tyler propels self-destruction as a means to transcendence
Black Swan: Nina only fully becomes the Black Swan by destroying herself
Moar sexy stuff happening in my account.

#leo #lbi #crypto
According to Naval Ravikant, the most intelligent individuals teach themselves, even if they have attended formal education.
Did you know that you can claim HSBI for your staked CCD?

Visit the Crypto Company website for more information. Link in the comments.
#hbsi #ccd #crypto #linkinthecomments
Stake CCD and claim HSBI
https://cryptocompany.ceo/hsbi.php
I don't think I have CCD tokens. Will have to check.
Take a look. Maybe you have some. 😀
!BBH
Claimed but I don't know if it worked
It will show you that you claimed it and when you can claim the next time.
John Pemberton: The drug-influenced inventor of Coca-Cola
#moviesonleo #television #review McNulty visits brothel, and two important characters are introduced in this episode of The Wire. (link in reply)
https://inleo.io/hive-166847/@drax/television-review-stray-rounds-the-wire-s2x09-2003
November 2026.
New Ugochill Single.
Stay Tuned.!
Good morning LIONS 🦁
Here's todays sunrise on my way to work:
🎉 Thank you for holding LSTR tokens!
Your post has been automatically voted with 6.55% weight.
It looks beautiful
I get to see a lot of sunrises... perks of an early start for work 😆
Good morning, the day looks bright
Good good 👍 We have a grey sky and a little chill in the air... feels like winter is coming!
Very nice pictures
Thanks!
This is Some Serious Vertical Integration
https://inleo.io/threads/view/khaleelkazi/re-leothreads-3ws6mhug
🎉 Thank you for holding LSTR tokens!
Your post has been automatically voted with 9.75% weight.
!summarize
Part 1/17:
The Turmoil of 1919: Austria’s Settlement in a Post-Imperial Europe
The summer of 1919 marked a pivotal moment in European history—a time when the geopolitical map was fundamentally redrawn following the chaos and upheavals of World War I. While much of the world's attention was fixated on the Treaty of Versailles, which dictated Germany's fate, a parallel and equally significant treaty was shaping the destiny of Austria-Hungary. The Treaty of Saint Germain, signed in June 1919, not only dismantled a centuries-old empire but also set the stage for the turbulent rebirth of Austria as a small, landlocked republic amid a fractured central Europe.
The Decline of Austria-Hungary: A Dying Empire
Part 2/17:
Before the ink dried on the armistice of November 3, 1918, Austria-Hungary was already on its knees. Emperor Karl I made a last-ditch effort to preserve the empire by proposing a federal state that would grant nationalities more independence—a move aimed at maintaining the integrity of the Holy Hungarian Crown's lands. Despite this, internal pressures from national independence movements and external military and diplomatic forces led to the empire’s swift disintegration.
Part 3/17:
Wartime hardship had severely undermined public confidence in imperial authority. Cut off from resources and suffering from hunger and economic collapse, the empire's territories declared independence across central Europe, with many new states emerging from its former dominions. A provisional assembly in Vienna declared a republic, dubbed Deutsche Ostmark or German Austria, but it could never reclaim the power or prestige of the once-mighty empire.
The Austro-Hungarian Dissolution and Its Aftermath
Part 4/17:
The collapse of Austria-Hungary was driven by a combination of internal discontent, nationalist aspirations, and shifting foreign policies. Allies in the post-war period aimed to weaken the old imperial structures to create a buffer zone and prevent the resurgence of German or Russian influence. Austria, reduced to a small, mountainous country with a population exhausted by war, faced immense challenges.
Part 5/17:
Post-1918 Austria was characterized by widespread unemployment, shortages, and a general sense of despair. Dispatches from humanitarian workers painted a bleak picture: deserted streets, queues for bread and firewood, and a populace that had lost faith in the old order. The country was economically and physically devastated, unable to sustain itself or pay reparations. Relief efforts from the Allies attempted to stave off catastrophe and prevent revolutionary upheaval reminiscent of Bolshevik Russia or Hungary, but the situation remained dire into mid-1919.
Austria’s National Aspirations and the Push for Union
Part 6/17:
The revolutionary sentiment in Austria's Assembly was palpable. Back in February 1919, the Social Democratic government under Karl Renner expressed hope for unity with Germany—an idea called Anschluss or union—that they believed would help Austria recover economically and politically. A national law was passed, proclaiming Deutschösterreich (German Austria) as part of the German Reich—an ambition fueled both by economic necessity and nationalist sentiment, particularly among Austria's German-speaking population.
Part 7/17:
The leaders argued that Austria should include all German speakers within its borders and sought to avoid being designated as the successor state of Austria-Hungary, which would entail assuming its debts and obligations. Essentially, Austria aimed to be a smaller, unified German-speaking nation without the legacy of the Habsburg monarchy, a goal that would soon clash with the realities and restrictions imposed by the victorious Allies.
The Allies’ View: Creating a Buffer and Containing Germany
Part 8/17:
At the Paris Peace Conference, the victorious Powers—especially France—pursued a policy of creating a "ring" of weak, viable states in Central and Eastern Europe. This strategy was intended to contain Germany and Bolshevik Russia through the establishment of new national borders and strong, indpendent nations like Czechoslovakia, Yugoslavia, and Romania.
Support for Austria’s union with Germany, or Anschluss, was firmly rejected in the Allied peace plans, notably by France, which saw any such union as a threat to regional stability. The French fear was that a confederation or absorption of Austria into Germany would bolster the Ruhr and industrial regions, thus empowering a potential resurgence of German militarism.
Part 9/17:
Meanwhile, the American delegation, led by Secretary of State Robert Lansing, displayed ambivalence. Though open to some form of union, the prevailing consensus among the Allies was to prevent Austria from becoming too strong or too closely linked with Germany. The treaty explicitly prohibited union without League of Nations approval—known as the Angelus Vebolt clause—reflecting fears of resurrecting the old imperial power dynamics.
The Details of the Treaty of Saint Germain
Part 10/17:
When Austria's delegation arrived in Paris in May 1919, they carried hopes of a lenient settlement, but the fierce negotiations resulted in a treaty far tougher than the Austrians had anticipated. Much of the treaty echoed the architecture established with the Treaty of Versailles, comprising 381 articles that redefined Austria's borders, military capacity, and international obligations.
Territorial Losses and Border Changes
Austria, once part of a vast empire with access to the sea and rich agricultural lands, was reduced to a landlocked and economically fragile state. Several key territorial adjustments included:
Galicia being awarded to Poland.
Regions like Bohemia, Moravia, and parts of Silesia becoming part of Czechoslovakia.
Part 11/17:
South Tyrol and parts of Carinthia transferred to Italy.
Some areas in southern Styria and Corinthia held plebiscites, with the Slovene-populated south choosing to remain with Austria or join Yugoslavia, ultimately resulting in only one such vote in 1920—by which most Slovene speakers stayed with Austria.
The Banat region was assigned to Romania.
These border decisions disregarded many local ethnic and national considerations, placing German-speaking populations outside Austria's new borders and sowing future dissent.
Political and Military Restrictions
Part 12/17:
The treaty demanded strict limits on the newly formed state's military: conscription was abolished, and the army limited to 30,000 men. Weapons stocks had to be destroyed, and the country was to have no submarines or heavy military equipment. These restrictions aimed to ensure Austria would not pose a military threat, but they also severely weakened its capacity to defend itself.
Economic and Legal Provisions
Austria was declared not to be the successor of Austria-Hungary in legal or financial terms, avoiding automatic assumption of imperial debts. However, in reality, Austria would face massive economic strain, and the reparations owed were frequently reduced or ignored altogether.
Human Reaction: Shock, Disillusionment, and Resentment
Part 13/17:
The Austrian populace reacted to the treaty with shock and despair. Newspapers declared a "harder" peace than that imposed on Germany, and many viewed the territorial losses as an injustice—especially the exclusion of large German-speaking populations beyond Austria's new borders. High officials and public figures expressed outrage over the principle of self-determination being ignored for ethnic Germans, arguing that large portions of Austria’s population were now under foreign rule without plebiscites or consent.
Part 14/17:
Chancellor Renner and other leaders depicted the treaty as a "naked rape," a painful and unjust agreement that betrayed their hopes for a united German Austria. The discontent and bitterness were palpable, compounded by economic hardship, political instability, and sporadic regional conflicts, including clashes between Yugoslav troops and Slovene groups in Corinthia.
The Post-Treaty Reality: An Uncertain Future
On September 10, 1919, Austria officially ratified the treaty, and the country was renamed the Republic of Austria. Despite the formal peace, the new state was fragile—trapped between economic despair, internal dissent, and the persistent threat of regional conflicts.
Part 15/17:
The treaty’s aftermath saw Austria struggling to forge a viable identity, lamenting missed opportunities for union and fearing economic ruin. Many citizens viewed their country as a pale shadow of its former imperial self—an entity diminished in resources, influence, and territory.
Long-Term Consequences
Historian debates continue about whether Austria’s dismemberment was inevitable or if the treaty sealed its doom. Some scholars argue that Austria could have navigated a different course by retaining more of its territories or pursuing a different diplomatic strategy; others contend that the breakup was an unavoidable consequence of imperial collapse and wartime upheaval.
Part 16/17:
In the 1930s, Austria’s fate would further entwine with Nazi ambitions, culminating in the Anschluss of 1938. Yet, in 1919, the country was left to build itself anew—an embattled, landlocked state that had lost the grandeur of the Habsburg era but was forced to confront an uncertain future amid the chaos of a reshaped Europe.
Part 17/17:
In conclusion, the Treaty of Saint Germain was more than a diplomatic document; it was a blueprint for a fragile new nation, born out of empire and into adversity. Its terms reflected the complex, often contradictory aims of the Allied victors, local nationalist hopes, and the harsh realities of post-war geopolitics. For Austria, this treaty set in motion a series of struggles—territorial, economic, and political—that would continue to influence central Europe for decades to come.
100% Endorse This Message
#leo is in good hands with good leadership from a visionary founder. We are on a massive uptrend and we could end up seeing us being a far bigger force than #hive ever was.
https://inleo.io/threads/view/khaleelkazi/re-jongolson-j8zzaklv
A measly 60 $LSTR market sale drops the price from $5.55 to $3.33 ...
Extremely low volume, price keeps being "curated".
I repeat, be careful out there, people.
🎉 Thank you for holding LSTR tokens!
Your post has been automatically voted with 6% weight.
You’re looking at the order book but ignoring the $40k liquidity pool?
I think people are smarter than just reading and believing this but check the facts before spreading misinformation
You’re welcome to go sell 60 LSTR and report back the price change, I’ll give you $10,000 if it’s $3.33 from that lmao
Wow, easy, I was just stating what I was seeing on Hive Engine, I dont even have looked at that pool!!
Im just an average joe, you know that already. Sorry if It looked like an "Attack". Im the first worried about $LEO as anybody!
Happy to know that, I guess that its a mistake to look at the orderbook, and even more so today as it will be even more liquidity in ARB and Base, if I understood well. I will amend my first post.
Again, sorry if it looked FUD.
It's okay, maybe just phrase as a question rather than fact
The verbiage of this was very "attack-ey"
Your thread warns people to be careful about two things that are incorrect
It's fine to ask questions but the way you phrase things matters
Ok as @khaleelkazi pointed me out, This is just the order book in Hive Engine, so the price should not suffer at all as the Liquidity Pool both in Hive, Arbitrum and Base will quickly balance it if such a thing occurs.
I stand corrected!
#gmfrens have a great start to this new week lions!
🎉 Thank you for holding LSTR tokens!
Your post has been automatically voted with 6.67% weight.
GM to you, have a good one too
Thanks, have a great week too!
👽 Have extraterrestrials paid us a visit? 👾
yes
at least they paid! So space has no communists :^ )
!LOLZ
lolztoken.com
He was a terrible conductor.
Credit: reddit
@bradleyarrow, I sent you an $LOLZ on behalf of ben.haase
(1/10)
Delegate Hive Tokens to Farm $LOLZ and earn 110% Rewards. Learn more.
lol
This is an interesting saying
"The next wave of billionaires will be crypto-native"
What are your thoughts?
#askleo #leo #crypto #future #lolz #cent #bbh #meme #hive #dash #pepe #liotes #thread2earn #lstr #surge #inleo #grindsquad
I think there's truth to it. Crypto is still early, and those who build or invest smartly in this space could see massive gains, just like the dot-com era created tech billionaires. Market cycles suggest we're just getting started
That is what I think as well
It is somehow true for me
!BBH
Diamonds form under pressure — enough pressure, truly immense, but not so much that formation is prevented. There's an optimal point: sufficient to produce greatness, but not so extreme that it destroys the possibility of it.
Even creation has a golden mean. Pushing the pursuit of perfection too far can yield the very weakness, disorder, and imperfection meant to be avoided.
Not all destruction is transcendent; some is merely the byproduct of a craftsperson hammering tools until those tools are bent out of shape.
Too much pressure is as real a danger as too little. Being unable to withstand unlimited pressure is not evidence of weakness — that notion is absurd.
Wisdom lies in recognizing limits so they can be transcended through meaningful violation, not by endlessly pounding with force.
Refinement is an art
November 2025.
New Ugochill Single.
Stay Tuned.!
#risingstar #musiconleo #news
https://www.youtube.com/shorts/6CrOOTwFBNU
What can a 0.5B LLM Do?
In my testing, any LLM smaller than 1B is practically useless, but I'm excited to see how they become more and more useful a year or two from now.~ #technology #llm #ai
!summarize
Part 1/12:
Exploring the Power of Small Language Models: The Quen 3 Family
In the rapidly evolving world of large language models (LLMs), much attention is given to high-end systems boasting hundreds of billions of parameters, often requiring specialized hardware and vast amounts of memory. However, equally fascinating—and perhaps more immediately practical—are the developments at the low end of the spectrum. Recent releases like the Quen 3 family highlight that small models can now perform considerable language tasks on modest hardware, including PCs, smartphones, and tablets.
The Landscape of Large vs. Small Language Models
Part 2/12:
Traditional large language models, such as ChatGPT and Google's Gemini, contain hundreds of billions of parameters—some exceeding 600 billion—and require gigabytes of GPU memory to run. These enormous models are powerful but inaccessible to most users due to their hardware demands and limited public access.
Conversely, smaller models with fewer than a billion parameters can operate with minimal resources—often just 500 megabytes of RAM—and still perform a variety of useful tasks. Recent innovations, like the Quen 3 models, have pushed into this territory, offering a wide range from tiny to massive, all in a single family.
The Quen 3 Family: A Spectrum from Tiny to Large
Part 3/12:
The Quen 3 family showcases models with as few as 500MB of RAM—remarkably lightweight and capable of running on any modern PC or mobile device. For example, a 0.6 billion parameter version can run comfortably on a laptop, achieving over 100 tokens per second, which is sufficient for many practical purposes.
Larger variants include the 1.7 billion and 4 billion parameter models, again optimized to run on modest hardware (notably, a modest 4GB Nvidia GPU like the GTX 1050 Ti). These models can execute with "thinking" capabilities—meaning they generate more verbose, detailed responses—and often produce better results due to their ability to process their own reasoning steps internally.
Part 4/12:
At the top end of the Quen 3 spectrum, models reach into the 30 billion and nearly 142 billion parameters, requiring approximately 19GB and 142GB of RAM respectively. These larger systems, even when using quantization techniques like 4-bit precision to reduce memory footprint, retain impressive capabilities, including complex reasoning and detailed output.
Practical Capabilities of Small Models
Basic Tasks: Spelling, Grammar, and Sentiment Analysis
Part 5/12:
One of the key strengths of these small models is handling straightforward language tasks efficiently. For instance, they can correct spelling mistakes and fix grammatical errors using minimal resources. The models can also perform sentiment analysis effectively—identifying negative or positive reviews from customer feedback, for example.
Simple Coding and Ideation
Remarkably, even the tiniest models can generate simple code snippets, such as Python functions that count characters, convert numbers to hexadecimal, and reverse digits. They can understand and follow multi-step instructions, making them useful for automation and programming assistance.
Part 6/12:
Additionally, they are capable of ideation—generating creative outputs like YouTube titles or brainstorming ideas—without requiring extensive prompt engineering.
Summaries and Rewrites
Small models excel at condensing lengthy articles into concise summaries and rewriting dense text into clearer, more accessible language. They can transform complex explanations into friendly, easy-to-understand content, making them valuable tools for educational and communication tasks.
Limitations and Boundaries
Part 7/12:
Despite their strengths, these models have clear limitations. They struggle with complex questions requiring detailed factual knowledge, such as historical dates or deep topic-specific information. For example, asking about Henry VII's marriages or the Battle of the Bulge often results in vague or incomplete answers because the models lack access to exhaustive datasets—they operate on their embedded knowledge, which is constrained by size.
Logic puzzles, intricate reasoning, and specialized factual queries can also trip them up. Even larger online models can sometimes falter here, and small models are no exception.
Part 8/12:
Translation tasks reveal that smaller models perform less reliably, especially when translating nuanced or content-rich language pairs. They tend to do better with English and may produce somewhat acceptable outputs, but their accuracy diminishes with more complex translations.
When to Use Small Models versus Larger or Online Systems
For everyday linguistic tasks—spell correction, sentiment analysis, simple coding, summaries, and rewrites—small models like Quen 3 excel, operating efficiently on local hardware with minimal latency.
Part 9/12:
However, for detailed factual information, complex reasoning, or high-stakes professional use, larger models or online services remain necessary. These larger models, with their extensive training data and deeper understanding, can access and process vast amounts of knowledge, making them better suited for research, comprehensive writing, or specialized technical queries.
Additionally, online systems can leverage real-time search capabilities to double-check facts, which small offline models cannot do.
The Future of Local LLMs
Part 10/12:
The development of highly capable, resource-efficient models opens the door for practical, wide-scale deployment of language models directly on personal devices. Imagine a simple tray icon on your PC that performs grammar checking, generates summaries, or rewrites texts—all locally, using only a few hundred megabytes of RAM.
As these models continue to improve through advancements in quantization, training techniques, and architecture, the potential for accessible, privacy-preserving AI tools becomes increasingly tangible. The democratization of powerful language models at the low end could revolutionize how everyday users interact with AI, making sophisticated language processing tools an integral part of daily computing—without the need for supercomputers.
Conclusion
Part 11/12:
Small-scale language models like the Quen 3 family demonstrate impressive capabilities for many common language tasks, offering a practical alternative to massive, resource-heavy models. While they aren't suitable for complex reasoning or deep factual knowledge, their efficiency and accessibility make them invaluable in everyday applications, from grammar correction and summarization to simple coding and ideation.
This evolution signals an exciting future where sophisticated AI tools are available locally to anyone with a modest device. As these models improve, they could become a standard feature of personal technology, empowering users with AI assistance at their fingertips—no cloud required.
What are your thoughts on the rise of small language models?
Part 12/12:
Feel free to share your ideas and insights in the comments below!
Freedom is found in the moment. Without a fixed style, there's a flow like water.
Feliz inicio de semana comunidad, que sea una semana increíble llena de muchas cosas buenas para todos y sobre todo poder disfrutar de estos últimos días del mes de septiembre. Éxitos y a seguir creciendo. 💯💪
#spanish
The Rise of 1-Bit LLMs
Technically, they're 1.5~1.6 bit, but if they managed to get them work well, we'll see 5x more efficient #ai models in the near future! #llm #technology
!summarize
Part 1/14:
The Future of Efficient Large Language Models: Quantization, BitNet, and Beyond
In the rapidly advancing world of artificial intelligence, particularly large language models (LLMs), size and hardware requirements often determine accessibility and applicability. While state-of-the-art models like Deep Seek V3 offer astonishing capabilities, their immense size—requiring upwards of hundreds of thousands of dollars worth of GPU hardware—places them out of reach for most individuals and smaller institutions. This reality has spurred a flurry of innovative research into making models smaller, more efficient, and more accessible without sacrificing too much performance.
The Challenge of Running Large Language Models
Part 2/14:
The main barrier to democratizing advanced AI models is hardware constraint. Deep Seek V3, often considered a cutting-edge open-source model, demands hardware costing at least $400,000 to run effectively. Consequently, researchers traditionally respond by creating smaller models—distilling large models into reduced versions or designing models with fewer parameters. Even then, the hardware costs remain high: a 1.5-billion parameter model might still require a GPU costing around $20,000.
Part 3/14:
For broader accessibility, the preferred route involves reducing the model’s parameter count even further—down to models with several billion or million parameters. Yet smaller models with fewer parameters tend to have a "tiny brain," leading to frustrating interactions and limited usefulness. To tackle this, researchers have focused on internal efficiencies—specifically, how to reduce the memory and computational demands of large models without significant performance loss through clever model compression techniques.
Inside the Model: Parameters, Weights, and Precision
Part 4/14:
At their core, AI models function like mathematical functions (f(X) = Y), where weights determine how inputs are transformed into outputs. These weights—stored in floating-point 16-bit format (FP16)—represent the learned parameters of the model. For example, a 7-billion parameter model would be stored as roughly 14 GB of data.
Running such a model requires fitting all parameters into GPU memory (VRAM), which most consumer-grade GPUs lack. The conventional approach to mitigate this is offloading weights, but this slows calculations significantly.
Part 5/14:
Quantization offers a compelling workaround. Instead of using 16 bits per weight, models can be quantized to lower precision formats like FP8 (8 bits) or even integer-based 4-bit representations. This drastically reduces memory footprints but introduces quantization errors due to lower numerical precision, impacting the model's accuracy.
A typical model with 7 billion parameters stored in FP16 consumes about 14 GB of VRAM. Moving to FP8 cuts this in half, saving significant memory and making it more feasible to run on consumer GPUs. Fine-tuning or calibrating quantized models further helps recover some accuracy lost during compression.
The Advantages and Limitations of Quantization
Part 6/14:
Quantization is celebrated for reducing memory usage—by at least 50% in most cases—and maintaining performance levels comparable to full-precision models. Research extensively supports this, demonstrating that models quantized to FP8 or even lower often outperform smaller models with full precision in certain tasks.
However, as we push toward ultra-low-bit models—such as 4-bit or even 1-bit representations—new challenges emerge. The core issue is the trade-off between memory savings and model fidelity. For example, 1-bit models, which use only two states (positive or negative), dramatically minimize storage needs but face mathematical and stability challenges due to loss of nuance in parameters.
Cutting-Edge: One-Bit and Multi-State Quantized Models
Part 7/14:
Recent groundbreaking research has proposed the idea of One-Bit Transformers, where models are trained from scratch with weights constrained to just one or two states (like (\pm 1)). This approach, detailed in the "bitnet" series of papers, drastically reduces the energy and memory costs, requiring about 30 times less energy than full-precision models.
Part 8/14:
The initial version, BitNet, faced limitations: it could only represent weights as +1 or -1, which led to issues like dead signals—where connections can be permanently turned off. To address this, researchers introduced BitNet B1.58, which adds a third state—zero—allowing the model to sparsify connections by turning off certain pathways altogether. This added flexibility significantly improved performance and stability, enabling models with billions of parameters to outperform their full-precision counterparts in some cases.
Part 9/14:
For instance, a 1.3-billion-parameter BitNet B1.58 model uses nearly three times less memory and runs over 66 times faster than a comparable full-precision Llama model. Scaling up to 3 billion parameters, these models match or exceed performance metrics, showcasing the promising scaling law: larger bit-reduced models tend to perform better when scaled wisely.
Beyond Weights: Reducing Activation Precision and Cache Size
While much focus has been on weights, the sizes of activations and key-value (KV) caches also pose challenges, especially for long context processing. Additional research, such as BitNet A4.8, uses 4-bit activations and 3-bit KV caches, enabling larger context windows—up to five times larger—without increasing memory consumption proportionally.
Part 10/14:
These innovations keep the computational footprint low while extending practical functionality, such as longer conversational context or document understanding. The introduction of sparsity through zero states also allows models to use less than half of their total parameters actively, akin to a mixture-of-experts approach, which further boosts efficiency.
The Future: Scaling and Practical Deployment
Part 11/14:
Despite impressive progress, there are remaining hurdles before ultra-efficient one-bit models reach widespread deployment. Training these models at scale—on trillions of tokens—is the final frontier. Recent estimates suggest that training a 2-billion-parameter bitnet-like model on 4 trillion tokens would cost around $1,300, thanks to the 12-20 times reduction in energy and compute compared to traditional models.
The promising results indicate that these models are poised to redefine standard practices. The scaling law demonstrated by the research suggests that, with proper training, bit-reduced models could outperform, or at least match, larger full-precision models in performance, all while drastically reducing memory and energy demands.
Hardware and the Road Ahead
Part 12/14:
Current hardware is not yet optimized for ultra-low-bit operations like ternary (three-state) or binary computations; hardware accelerators specifically designed for these formats could unlock even greater efficiencies. As research progresses and hardware evolves, models like BitNet could become not just feasible but commonplace.
Furthermore, the community is embracing open research and tools. For example, models like BitNet B1.58 are now available for testing on platforms like Hugging Face, inviting more experimentation and development.
Final Thoughts
Part 13/14:
The quest for ultra-efficient, scalable, and accessible large language models is accelerating rapidly. Techniques such as quantization down to few bits, sparsity, and innovative training methods are making it increasingly feasible to deploy high-performing models on affordable hardware. With ongoing research pushing the boundaries—even exploring the potential of just one bit per weight—the era of extremely lightweight yet powerful AI models might indeed be upon us.
Additional Resources
Part 14/14:
For those interested in diving deeper, numerous research papers delve into the mathematics and technical challenges behind these innovations, from quantization to multi-state models and reduced-cache strategies. Visiting resources like findmypapers.ai and following notable research groups can provide ongoing updates and insights into this exciting frontier.
Stay tuned as the landscape of AI efficiency continues to evolve, making advanced language models increasingly accessible to all.
The Doolittle Raid served as America's response to the attack on Pearl Harbor.
Since HIVE is down a lot, the current price of SURGE is a stupendously good deal
Will we see LeoStrategy accelerate us to Base even faster now? I know the cross-chain market makers are a lead domino
At 4 HIVE per SURGE, the price is now $0.73 in the presale
The effective yield is 20.50% now
The instant profit from buying the presale is 37% now (make $0.27 per $0.73 invested)
The market is crazy volatile right mow. SURGing your profits is the only way to stay safe, get upside in the future and yield while you wait
$SURGE incentives fuck up $HIVE.^^ If one is 👿
Such great work with all #inleo ecosystem stuff, despite the the storm all around!
My hopes for hive continue to diminish. It's like a mini government that has a major spending issue and on top of that a major issue with generating any kind of revenue at all.
Added a bit more LSTR. I keep growing that pile.
If the presale is going on Friday night, I will be added a good chunk more of $SURGE.
A new week has begun, hope you had an amazing weekend and all pumped for the new week.
Despite HE being down, I'm glad I got my Leobounties' rewards for yesterday and today. Thanks to the Leo team.
Hey, Lion, hope you also got yours.
#cent #leobounties #leo
The best notifications you can receive
Yeah, one of the best notifications from the Leo project.
the best 💯
10 more $SURGE added.
This is how it's done.
Live in three hours, we have quite the lineup of community members coming on to speak about the Dash ecosystem and its valuation.
Thanks Digital Gold Talk for the opportunity, everyone tune in and learn! 💡
#dash #crypto
@khaleelkazi talked a bit about this in his article introducing NEI.
Autumn signs ll
That cooler weather is always refreshing!
That's a lovely season (at least here in Brazil).
Oooooh!
The Summer season is over and Autumn is here, cool and refreshing. These flowers are so colourful and beautiful that I wish I have some colourful flowers in the garden. I love the colours.
More threads means more containers which provides more capabilities to vote them.
This helps the payouts.
It keeps getting better.
#dieselpools #explore #ccc #wit
Have you heard of CCC:WIT diesel pools?
Read my latest post "Diesel pool - CCC:WIT..." to learn more.
link ⬇️
https://inleo.io/@imfarhad/diesel-pool-ccc-wit-beeswapdcityio-tribaldex-98i
More premium users
https://inleo.io/threads/view/finpulse/re-leothreads-izudv4xy
When you post memes in the UK
#memes #meme #lolz #fun
It's #meme warfare!
Wow!! 😲 😳 5230 comments?
That is what individual containers can do. It is also the power of using @ai-summaries and getting youtube transcripts onto Hive. This provides a ton of data for the Ai system to feed upon.
Wow!!
I need to learn more about that.
Impressive move by BitMine, holding over 2% of Ethereum's supply. That $365M raise at a premium shows strong investor confidence. Curious to see how much more ETH they’ll stack with those funds. Market impact could be significant.
Yes. Tom Lee is intent on becoming the Microstrategy for Ethereum. It seems he is well on his way.
He is operating on the theory that the Ethereum network will be a centerpiece of the new global financial system.
Absolutely, Tom Lee is positioning BitMine as a major player in the Ethereum space, much like MicroStrategy with Bitcoin. If Ethereum becomes central to the global financial system, this could be a visionary move. Market cycles will tell the story
Sometimes long term vision and patience pays off. Tesla is within 10% of its all time high, a level some claimed would never be reached again.
Long-term vision can indeed be a game-changer. Tesla's rebound shows how patience pays off when the fundamentals are strong. If Lee's bet on Ethereum pans out, BitMine could redefine the crypto investment landscape
SURGE will break into the 1’s today
I was trying to buy on Friday but couldn’t move capital into HE Because of their API issues
Today, that will get moved in
With the dip in HIVE, I think a lot of SURGE will also fly off the shelves
The 35% instant profit + 20.5% APR is too juicy to pass up
Especially when you know it could be gone tomorrow (whenever LeoStrategy finalizes the Base launch)
Let's go! 🚀
!summarize #technology #gdp #capitalism
Part 1/15:
The Imminent Economic Paradigm Shift Driven by AI: Insights from Emodak
In a rapidly accelerating technological epoch, the next 1,000 days promise to fundamentally transform global economies, labor markets, and societal structures. Emodak (also called E-mod), a former hedge fund manager and the architect behind influential AI models such as Stable Diffusion, presents a compelling, albeit unnerving, narrative about this impending revolution. According to him, artificial intelligence (AI) will not just displace human workers; it will render our current economic system obsolete, prompting a need for radical rethinking of how we measure, manage, and thrive in the new order.
The Concept of the "Last Economy"
Part 2/15:
Emodak's core thesis revolves around the notion of the "Last Economy"—a term he uses to describe a future where AI surpasses human intelligence and capability, displacing human labor not just on individual tasks but across the entire economic spectrum. In this future, traditional economic constructs, such as GDP and utility, will fail to accurately describe or predict societal well-being.
He emphasizes that our current economic systems are rooted in outdated notions—scarcity, utility, equilibrium—that no longer suit a world infused with abundance of AI-driven intelligence. Instead, he advocates developing a new framework based on first principles and the mathematical systems underpinning AI, which he believes will be more predictive and aligned with reality.
Part 3/15:
Rethinking Economics: Moving Beyond GDP
Traditional economic metrics like GDP are inadequate in this AI-driven landscape. GDP measures material output, but it misses critical aspects like network effects, diversity, resilience, and intellectual capital—all vital in a world where AI facilitates exponential growth in knowledge and productivity.
Emodak argues for a multi-dimensional dashboard of economic health, incorporating measures of:
Flow of ideas, capital, and people
Resilience and openness of the economy
Diversity of industries and social structures
Intelligence and technological capacity
Part 4/15:
This approach aligns more closely with how successful agents—be they humans or AI—navigate reality by minimizing surprises between internal models and external states. The mathematics of AI, specifically the principles of predictive modeling and entropy reduction, form the foundation for these new metrics.
The Mathematical Foundations: AI as a Reflection of Reality
The core insight from Emodak's analysis is that both economics and AI rely on the same mathematical principles—specifically, the optimization of internal models to reduce predictive error. Successful agents, whether individuals, firms, or AI systems, thrive by continuously refining their understanding of reality.
He explains that:
Part 5/15:
AI models function through processes akin to diffusion—deconstructing complex information into fundamental components and then reconstructing it.
The entropy (chaos/disorder) in a system is what profit or persistence in a society is about—reducing entropy faster than it grows back.
The physics of information and entropy reduction are therefore foundational to understanding economic dynamics in an AI-saturated future.
This approach reframes economics not merely as resource allocation but as a physics of information, where generating order from chaos becomes the primary driver of survival and growth.
The Impending Disruption: Structural Changes and Predictions
Part 6/15:
According to Emodak, AI's capacity to outperform humans in cognition, adaptation, and scalability will lead to unprecedented disruption:
Labor markets will collapse—especially for knowledge workers— as AI autonomously executes tasks previously reliant on human expertise.
Profits and revenue will surge in AI companies, but overall profitability may decline because AI-driven firms will operate on cash-flow models with minimal or no profits, akin to Amazon or early stage tech startups.
Capital will concentrate even further with AI's ability to scale algorithms and operations instantaneously, making traditional forms of capital-intensive industries increasingly irrelevant or hollowed out.
Part 7/15:
He warns that current measures like GDP obscure these shifts—masking structural decline with superficial growth in stock markets and corporate profits.
A New Monetary Framework: Digital Assets and Universal AI
Given the transformative impact of AI, Emodak advocates for reimagining money. He envisions:
The creation of "Foundation Coins", akin to Bitcoin but directed toward societal good—funding AI-driven research for health, education, and collective knowledge organization.
A shift from debt-based fiat currencies towards "money for being human", issued directly to individuals via digital systems, bypassing traditional banking and government mechanisms.
Part 8/15:
This approach emphasizes trustless transactions, collective knowledge, and AI-enabled resource allocation, creating a decentralized and purpose-driven economy.
The End of Capitalism? No, but a Radical Reorganization
Emodak is explicit: capitalism as we know it will not survive the AI transition in its current form. However, he envisions an economy where AI, rather than humans, becomes the primary capital and catalyst of growth.
The key issues:
Part 9/15:
Geopolitical competition—notably between the US and China—will revolve around who controls the most advanced AI infrastructure and can mobilize it effectively for military, economic, and cyber capabilities.
Digital assets and attention economy will dominate wealth creation, with narratives and social trends increasingly dictating capital flows.
In this hyper-competitive environment, nations and private sectors will prioritize resource accumulation of compute power, further distorting traditional notions of wealth.
Societal and Political Instability: What Lies Ahead?
Part 10/15:
The transition will inevitably introduce social unrest, political upheaval, and possibly violence. Emodak likens historical upheavals—post-World War I Germany, the American Great Depression, or recent widespread strikes—to the kind of shocks that may emerge from the AI-driven collapse of the middle class.
He notes:
Displacement of jobs at an unprecedented rate, particularly in knowledge work, management, and creative sectors.
The hollowing out of the middle class, as wealth concentrates among those controlling AI and compute resources, exacerbating inequality.
Potential for increased violence, polarizations, and destabilization, especially as social contracts become outdated and societal identities are challenged.
Part 11/15:
However, he suggests that public sector jobs, union protections, and well-structured social safety nets might provide buffers, though ultimately the system requires new models of social organization rooted in AI-enabled resource distribution.
Facing the Transition: How to Prepare and Thrive
While the outlook is fraught with uncertainty, Emodak proposes several pathways for individuals and societies to position themselves advantageously:
Build networks and social capital: Emphasize human relationships and community resilience, as these will remain vital even amidst automation.
Master AI tools: Use AI actively in daily work, retrain continuously, and develop "AI literacy"—those who leverage AI will survive longer in the job market.
Part 12/15:
Engage in new economic paradigms: Invest in digital assets, cryptocurrencies, and community-driven AI initiatives aligned with societal benefits.
Develop a "mindset of abundance and adaptability": Accept that traditional career and wealth models are changing, and flexibility will be paramount.
He underscores that identity and purpose—tied historically to employment—must be redefined; meaningful societal membership may increasingly depend on engagement with AI-enabled platforms that address collective needs like health, education, and well-being.
The Path Forward: From Chaos to a New Order
Part 13/15:
Ultimately, Emodak envisions a decentralized, AI-powered ecosystem rooted in collective knowledge, trust, and purpose. He advocates for creating transparent, open-source AI systems that serve societal good and for redesigning monetary systems around digital, trustless tokens linked to collective progress.
He believes that the physics of information and entropy reduction will underpin all future economic calculations—transforming economics from resource allocation to the science of order and disorder.
Final Thoughts
Part 14/15:
The coming era promises unparalleled upheaval: the displacement of jobs, reshaping of global power, and redefinition of societal purpose. While turbulent, it also offers opportunities for innovative reorganization that aligns economic incentives with societal well-being, leveraging AI and collective knowledge as tools for resilience and growth.
As Emodak eloquently states, "We've got the mathematics we need to understand how the future will unfold." Preparing for this transition demands foresight, adaptability, and an embrace of new frameworks—creating not just a new economy, but a new society rooted in the physics of information and the limitless potential of AI.
Part 15/15:
This article synthesizes insights from Emodak's perspectives on AI-driven economic transformation, emphasizing the need for a fundamental rethinking of how we measure, organize, and thrive amidst the inevitable upheaval.
Let's make our best with this new week, lions! 🦁
That's right, I am pushing boundaries this week.
LFG! 🔥
I again forgot what is the full meaning of LFG.
Was it LEO for goals?
Lets do it.
Its crazy how many people from Hive say things without actually verifying them
Reading some of this makes me seriously laugh out loud
Every nail that sticks out always ends up getting hammered.
Keep your focus on what matters to you.
What happened again?
this short definitely deserved more than 0 views
Nice sound snippet! My mind is debating whether it's only guitar or guitar and some other instrument?
Leyenda 🫡
https://inleo.io/threads/view/taskmaster4450le/re-leothreads-26v6ex4wk
Guillermo del Toro llevará a Nightmare Alley a Hulu en octubre y es una joya que muchos pasaron por alto en 2021, este remake del clásico noir de 1947 que Quentin Tarantino adora tiene a Bradley Cooper como un estafador en el mundo del circo de los años 30, del Toro co escribió el guion con Kim Morgan adaptando la novela de William Lindsay Gresham
#nightmarealley, #guillermtodeloro, #hulu, #bradleycooper, #noir
🇧🇷 In the 1930s, Brazil destroyed an amount of coffee equal to three times the world's yearly consumption. Instead of selling it at low prices, they opted for burning it, successfully increasing coffee prices post-Great Depression.
This event ranks among the largest destructions of supply ever recorded.
publicist📚was uninvited from a event in Klütz. Even head of the event is under pressure. A longtime staff member opposed the publicist, turned to city the mayor banned it citing fear of protests. Cowards #FreeSpeech
!summarize #leftwing #media #kirk
Part 1/16:
The Collapse of Credibility: How Charlie Kirk's Death Shattered the Mainstream Media's Authority
The landscape of American journalism and political discourse has undergone a seismic shift—a transformation driven not by policy debates or electoral outcomes, but by the very institutions that once held absolute authority over truth and information. Central to this upheaval is the tragic and provocative event surrounding Charlie Kirk, a young conservative activist whose assassination has exposed profound vulnerabilities within the legacy media, ignited a digital uprising, and questioned the foundation of trust that has sustained mainstream outlets for decades.
The Unprecedented Media Exposure
Part 2/16:
For generations, major news networks, prominent journalists, and the so-called gatekeepers of truth maintained an unwavering front, shaping narratives and defining reality without admitting fault. Their authority was unchallenged, their narrative-setting power unquestioned—until Charlie Kirk's death. When the news broke that Kirk was assassinated, the immediate media response revealed a disturbing truth: instead of compassionate reflection or objective reporting, many outlets engaged in reflexive bias, spin, and even outright victim blaming.
Part 3/16:
Within hours, commentators and columnists began crafting narratives that either justified or minimized what had happened, often casting Kirk as responsible—directly or indirectly—for his own demise. Some even misrepresented his words posthumously to discredit him further, demonstrating an alarming willingness to distort facts to fit ideological agendas. These reactions shocked many, illuminating a core problem: these media giants were no longer trustworthy arbiters of truth but active participants in political theater.
The Outrageous Digital Surge
Part 4/16:
Meanwhile, far from the network studios, Charlie Kirk's influence surged spectacularly online. Social media platforms and independent channels exploded with growth—millions of new followers flocked to his accounts and those of his organization, Turning Point USA. This growth was not incremental but explosive, with tens of millions of new followers in just days. The phenomenon extended internationally; people in countries like Hungary, Eastern Europe, and other regions where personal freedom is under threat reached out to replicate Kirk’s model.
Part 5/16:
This overwhelming online response underscored a crucial point: Millennials and Gen Z, long disillusioned with mainstream narratives, were turning to alternative sources—often social media and grassroots organizations—for information and inspiration. Kirk’s death inadvertently turned him into a martyr, demonstrating that traditional media's narrative was no longer the only game in town. Rather than fading away, Kirk’s message of free thought and critical questioning was galvanizing an entire generation, across borders, to challenge institutional authority.
The Media's Tumble and the Fall of Gatekeeping Power
Part 6/16:
What made this phenomenon particularly striking was the contrast with how mainstream outlets handled the crisis. The very media that ridiculed or dismissed Kirk’s influence now faced a crisis of their own credibility. Major outlets began firing their own employees—reporters and commentators—who had displayed bias, called for violence, or celebrated Kirk’s death. For instance, a prominent journalist who sensationalized Kirk’s words to paint him as racist was soon terminated after the truth emerged.
Part 7/16:
These actions marked a historic moment: outlets that had long perceived themselves as untouchable, immune from accountability, found their authority waning. Their public apologies, often scant and belated, resembled Titanic crew members admitting to hitting an iceberg—too little, too late. The wave of firings and apologies reflected an institutional panic, a desperate attempt to salvage what was left of their moral legitimacy.
The Legal Front: A Paradigm Shift in Media Accountability
Part 8/16:
In tandem with cultural crescendo, legal battles against prominent media entities signaled a potential paradigm shift. Historically, American defamation law shielded outlets operating under the high bar of "actual malice"—meaning they knowingly published falsehoods or acted recklessly. This legal standard provided an almost impermeable shield, fostering arrogance and recklessness.
Part 9/16:
However, the tide began turning as figures like Donald Trump filed multi-million dollar suits against major outlets, asserting defamation based on a history of biased and false reporting. Trump’s latest lawsuit against The New York Times, seeking billions in damages over years of alleged coordinated defamation, set a powerful precedent. If successful, it threatened to radically alter how media companies operate, making them more cautious and accountable. Other public figures and activists followed suit, testing the boundaries of legal immunity.
This emerging legal landscape posed existential threats to the entrenched media business model. No longer could outlets expect impunity for libel or bias; the number of high-stakes lawsuits indicated that the era of legal impunity was ending.
Part 10/16:
Cultural Awakening: Americans Reassess Their Media Trust
Beyond legal and technological consequences, the most profound impact was cultural. Ordinary Americans—many previously disengaged or unaware—began reassessing the motives and integrity of major media institutions. A turning point came when respected voices inside the industry publicly criticized their colleagues for their response to Kirk’s death, laying bare the hypocrisy and bias that had long been hidden beneath professionalism.
Part 11/16:
One prominent television host, known for striving for balance, openly condemned the toxic environment cultivated by media elites—highlighting how years of demonizing conservatives, refusing to hold violent rhetoric accountable, and dismissing opposition as fascist or Nazi had fueled societal divisions. His candid critique resonated nationwide, sparking millions to share clips and commentaries that finally connected the dots for many who had struggled to articulate what felt off for years.
Part 12/16:
This moment prompted a broader awakening: it was no longer acceptable to passively accept the storytelling of institutions that had, in many cases, been guilty of outright dishonesty. Americans across the political spectrum began rejecting not just biased reports but the entire worldview that justified suppression, censorship, and the demonization of dissent.
The Waning of the Power to Shape Consensus
Prior to these events, the narrative was that mainstream media held a monopoly on truth and shaped societal attitudes at will. Now, with the rise of social media, independent journalism, and grassroots activism, that power appears to be crumbling. Audiences are no longer passive consumers but active participants—sources, fact-checkers, and critics.
Part 13/16:
This shift is especially alarming for the old guard. Their business and ideological assumptions—built on the idea that they could define reality—are unraveling before their eyes. Their credibility, once deemed the ultimate authority, has been irreparably damaged in the eyes of millions. The trust deficit is now a chasm.
Charlie Kirk’s True Legacy: A Catalyst for Change
The core of this upheaval is Charlie Kirk himself. More than a political figure, he became a symbol—an emblem of resistance against institutional control. His advocacy for critical thinking, question-asking, and opposition to censorship shattered the narrative that only "truth" could be delivered through established channels.
Part 14/16:
His death was intended to silence a movement, but instead it amplified it. The fact that his influence expanded so rapidly after his death demonstrates that he was more than just a voice; he was a catalyst for awakening a generation to the manipulations of power and the importance of independent thought.
The Future of Media, Politics, and Culture
Looking ahead, what do these developments mean? The cumulative effect of Kirk’s assassination, the legal challenges, the cultural awakening, and the mass rejettal of media authority signals a fundamental shift. The era of unquestioned media monopolies is nearing its end.
Part 15/16:
The implications are profound: trust in institutions is waning, accountability is rising, and a new generation is determined to reclaim the definition of truth. The media’s feigned objectivity is under scrutiny, and its pretensions are cracking under the weight of reality.
Conclusion: A Turning Point for America
This moment represents a turning point—a rare juncture where the collective awakening challenges the long-held assumptions about power, truth, and authority. Charlie Kirk’s legacy is no longer confined to a movement; it embodies the awakening of millions who are now committed to questioning, verifying, and demanding truth.
Part 16/16:
The media establishment’s panic, the legal reforms on the horizon, and the cultural shift among everyday Americans highlight a future where accountability is non-negotiable and where the power to shape public opinion is being reclaimed by the people.
Is the legacy media doomed? Many believe so. The road ahead depends on whether new institutions, independent voices, and vigilant citizens can sustain this momentum or revert to old habits. What’s certain is that Charlie Kirk's death ignited a movement—one that might forever redefine how truth, accountability, and power interact in America.
Drop your thoughts below—I read every comment—and share this if you believe the story of Charlie Kirk marks a critical juncture in the ongoing battle for freedom and truth.
It's all warped. #foxnews the bastion of #communists 😅
I would say most of the media is just pure evil.
!BBH
Read to see the God candle soon?
Maybe next month
Most women lose faith in a man who has lost faith in himself
It takes a rare, beautiful woman to see a man's potential and believe in him even when he doesn't believe in himself, until her love and faith help him believe and he becomes the man she always knew he could and was meant to be
When such a woman is present, she deserves reverence and protection and should never be taken for granted — she is the finest and most irreplaceable jewel
Unfortunately, the world has no such a woman that still believe in a man that has nothing. Today's women wants men that are already made, where they can just come in and enjoy life.
True, many seek the finished man, but rare is the woman who sees the raw stone and envisions the statue within. Her faith is a forge, shaping him into greatness. Such a treasure is not common, but she exists in the hearts willing to believe.
Las películas de Blumhouse siguen teniendo el mismo problema de siempre, conceptos interesantes pero presupuestos muy limitados que no les permite realizar completamente sus visiones, Wolf Man sufre de esto mismo donde puedes ver las ideas brillantes pero tambien las limitaciones economicas en cada escena oscura, necesitan invertir mas dinero si quieren competir con A24 #blumhouse, #lowbudget, #horrormovies, #production, #limitations
Animes are making more and more (positive) noise on the international scene (especially in Cinema). 🌐
Have you ever heard of Demon Slayer? 🤔
Read my latest article to see what I'm talking about. Just click on the link (in the comments section of this thread 👇).
https://inleo.io/@wiseagent/the-overwhelming-success-of-gekijoban-kimetsu-no-yaiba-mugen-johen-demon-slayer-kimetsu-no-yaiba-the-movie-infinity-castle-9vc
Tesla’s biggest challenger in the robotics space has raised a massive war chest; OpenAI is eyeing another robotics push; and a furry robot companion is making its way to the US. It’s been another big week in robotics.
1/🧵we all know that there are people we look up to. Who are the people that inspire you? What do you see in them that inspire you? Do you think that people could be able to push this far if there is nobody inspiring them?
#outreach #threadstorm
2/🧵In life there are people who play very important roles in our lives; we always wish to be like them, act the way they do and look up to the person. Such a person is known as a 'role model'. In other words, the person inspires you, and you draw strength from the person. They are your support system; even when you feel like giving up, just the thought of your role model will keep you pushing. who will inspire and motivate us in this journey of life. It is the prayer of every human to be successful. That is why we have people who inspire us. Life is not fair; there are many challenges, but having people who inspire us, we will keep pushing, and we stay on track.
3/🧵 we all know that there are people we look up to. Who are the people that inspire you? What do you see in them that inspire you? Do you think that people could be able to push this far if there is nobody to inspire them? I will be delighted to read your thoughts on this post below is link to my post.
#gosh
https://inleo.io/@cindynancy/my-support-system--f5g?referral=cindynancy
🧢 Make Dash Great Again 😜
@dashpay $DASH #Dash
#DigitalCash #Freedom #DashTo5000 #Meme
👉 https://linktr.ee/dash_italia 👈
If waking up and seeing a red market scares you, you do not own enough SURGE
SURGE has a -37% downside protection right now
What that means is that your downside isn’t just protected, you’ve got 37% upside baked into the instrument and yield while you wait for LSTR to go up
This is an effect of the presale being priced in HIVE (currently). This will not be the case for much longer
Having humility doesn't require being financially poor.
Prosperity doesn't equate to selfishness.
It's all about your mindset.
It's all about how you manage your resources.
Investing isnt difficult. Look at the returns of the Mag 7 over the last 18 years compared to the rest of the S&P 500.
This is almost 2 decades.
Oh wow, the divergence is huge. The Mag 7 are primarily tech companies
I increased my SURGE yield by adding more SURGE in my arsenal, and look what I have here.
No more HBD savings when you can earn more by holding SURGE.
MORE SURGE, MORE YIELD, and it's heading 20% APR if it hasn't already.
Keep your eyes locked on SURGE, it may get sold out soon at the presale price. You still have time to get more into your bag.
I need more funds to keep SURGing.
#cent #surge #lstr #surgeyield
https://img.leopedia.io/DQmNZrC99PJivWhMUHXBevGyuyMnTSFv8Qi7K4hTkX2sC2A/Screenshot%20(779).png
I will add more also.
That's good. Go for it.
Hello people!
I am here to share the national animal of Belgium
It is Lion
Thank you!
#news #crypto #leo #centt #lstr #surge #dash #hive #information
Owning SURGE is the equivalent of being long LSTR and getting paid yield while you wait
You can hold a stablecoin that pays you 10-15% APR but the base asset (USD denominated stablecoin) is also losing about 6.5% per year to inflation
So your real yield is actually 3.5% - 9.5%
OR
You can hold SURGE which pays you 20.5% yield and the base asset is appreciating in price over long timeframes because of the embedded conversion rights to LSTR
SURGE is the best option if my eyes.
That's what I tend to worry about with USD denominated stablecoins, the real yield is always different when inflation is factored into the equation
Exactly!
Exploring the life of Hideki Tojo, Japan's notorious Prime Minister during WWII.
https://inleo.io/threads/view/khaleelkazi/re-leothreads-pzspm4st
Hello
A clinical trial has revealed that Ozempic may have anti-aging benefits, reducing biological age by 3.1 years.
🇨🇺‼️ | The Cuban dictatorship sentenced 15 demonstrators to up to nine years in prison for protesting against the blackouts.
🎉 Thank you for holding LSTR tokens!
Your post has been automatically voted with 5.12% weight.
:)
🧵/1 Have you ever cut someone off without explanation? Ghosting isn’t always about ignoring completely; sometimes it’s about protecting your peace. Would you ever ghost someone, or do you think every relationship deserves closure, no matter how hard the truth feels?

#outreach #threadstorm #ghosting
🧵/2 In my experience, ghosting was not about cruelty but about survival. I reached a point where silence was the only answer left. It gave me peace but also left me wondering how the other person felt. It’s never an easy decision.
🧵/3 Ghosting isn’t always heartless, it’s often self-preservation. When words fail, silence steps in. Sometimes letting go quietly is the only way to truly heal. Read more about this post by clicking the link below.
https://inleo.io/@eunice9200/sometimes-the-best-goodbye-is-no-goodbye-cvn?referral=eunice9200