Home Blog Page 431

Comparing AI Agents and Pipelines: Which is Right for You?

0
Comparing AI Agents and Pipelines: Which is Right for You?


When designing applications powered by large language models (LLMs), it is crucial to decide between using AI agents or a more conventional pipeline approach. While AI agents are flexible, adaptive, and interactive, they’re not always the best fit for every problem. On the other hand, pipelines, which pass the output of one task as the input to the next in a predefined sequence, offer a structured and predictable alternative.

In this article, we’ll explore the differences between AI agents and AI pipelines and identify which approach is better suited for specific types of applications. We’ll also use the CrewAI framework to demonstrate both techniques by building simple apps with different workflows.

What Are AI Agents?

AI agents represent autonomous entities that can make decisions and interact with users dynamically. They are often used for more complex, open-ended applications where decision-making is required based on user input. In this setup, the agent may ask multiple questions, adapt responses, and offer solutions or guidance in real time.

For example, consider a virtual assistant designed to help users troubleshoot their computer issues. If someone says, “My laptop won’t connect to Wi-Fi,” the AI agent would follow up with questions like:

Is the Wi-Fi switch turned on?

Are other devices connecting to the same network?

Have you tried restarting your router?

Based on the answers, the agent can offer more refined advice or ask additional questions until the problem is resolved.

AI Agent Example: Customer Support Chatbot

Let’s take a customer service scenario. A user is trying to solve a problem with their air conditioner. They interact with an AI chatbot, which operates as an intelligent agent, asking questions about the issue’s make, model, and symptoms to troubleshoot it.

Here’s an outline of how an AI agent operates in such a scenario:

Task: Help diagnose air conditioner problems.

Agent Behavior: The agent dynamically asks relevant questions, based on previous user responses, to narrow down the issue and suggest solutions.

Using the CrewAI framework, let’s create a simple example of a chatbot agent that can assist with air conditioner troubleshooting.

from crewai import Agent, Task, Crew

# Define the agent
support_agent = Agent(
role=”Customer Support Agent”,
goal=”Help diagnose and fix air conditioner problems”,
backstory=”You are a seasoned HVAC technician.”,
tools=[],
llm=”gpt-4″
)

# Define the task
task = Task(
description=”My air conditioner isn’t cooling the room.”,
expected_output=”A diagnosis and potential solution to the problem.”,
agent=support_agent
)

# Define the crew
crew = Crew(
agents=[support_agent],
tasks=[task],
verbose=True
)

# Execute the crew
result = crew.kickoff()

print(result.raw)

In this scenario, the AI agent asks questions like “Is the air filter clean?” or “Is the thermostat set to the correct temperature?” The agent continues interacting with the user until it solves the problem or refers them to a human technician.

What Are AI Pipelines?

In contrast to agents, AI pipelines are a sequence of predefined tasks where each task’s output is used as input for the next one. They are especially effective for repetitive and well-defined processes, such as generating reports, performing data transformations, or processing documents.

Pipelines follow a strict order of operations, and each task is focused on a specific, narrow function. For instance, if you need to generate sales reports regularly from a set of spreadsheets, a pipeline can efficiently consolidate the data, generate charts, and create a final report in one linear process.

Pipeline Example: Monthly Sales Report Generator

Let’s say the head of sales for a retail company wants a monthly sales report. The pipeline could include the following steps:

Data Consolidation: Combine sales data from multiple branches.

Analysis: Generate insights based on sales trends.

Chart Generation: Create bar and line charts comparing branch performance.

Report Writing: Summarize the data and charts into a final report.

Here’s how a pipeline app could work in CrewAI to generate such a report:

from crewai import Agent, Task, Crew

# Define the agent for data consolidation
consolidation_agent = Agent(
role=”Data Analyst”,
goal=”Consolidate sales data from various branches”,
backstory=”You specialize in data aggregation.”,
llm=”gpt-4″
)

# Define the agent for chart generation
chart_agent = Agent(
role=”Chart Creator”,
goal=”Generate visual representations of sales data.”,
backstory=”You are an expert in creating graphs and charts.”,
llm=”gpt-4″
)

# Define the agent for report writing
report_agent = Agent(
role=”Report Writer”,
goal=”Summarize sales data and insights into a final report.”,
backstory=”You have experience in crafting business reports.”,
llm=”gpt-4″
)

# Define the tasks
task1 = Task(
description=”Consolidate sales data from branches for August.”,
expected_output=”A single dataset of sales data.”,
agent=consolidation_agent
)

task2 = Task(
description=”Create bar and line charts comparing branch performance.”,
expected_output=”Charts comparing sales performance.”,
agent=chart_agent
)

task3 = Task(
description=”Write a summary report based on the consolidated data and charts.”,
expected_output=”A final sales report.”,
agent=report_agent
)

# Define the crew
crew = Crew(
agents=[consolidation_agent, chart_agent, report_agent],
tasks=[task1, task2, task3],
verbose=True
)

# Execute the crew
result = crew.kickoff()

print(result.raw)

This pipeline consolidates data, analyzes it, and generates the final report, ensuring a repeatable, structured process with minimal need for human intervention.

Comparing AI Agents and AI Pipelines

Advantages of AI Agents:

Interactivity: AI agents can handle complex, open-ended tasks and adapt based on user responses, making them ideal for customer service or personal assistants.

Context Awareness: Agents can remember previous interactions, allowing them to make informed decisions based on past conversations.

Flexibility: Agents are not bound by a strict process, enabling them to dynamically navigate a range of potential scenarios.

Advantages of AI Pipelines:

Predictability: Pipelines follow a strict, deterministic flow, ensuring that results are consistent and repeatable each time.

Modularity: Pipelines can easily scale by adding or removing tasks, making them suitable for complex processes broken down into smaller, manageable steps.

Efficiency: For applications with repetitive tasks, pipelines offer a faster and more reliable approach than agents, which may introduce variability due to their adaptive nature.

Choosing the Right Approach

Use AI Agents when your application requires dynamic decision-making, interaction with users, or the ability to handle open-ended tasks. For example, an AI-powered customer support assistant or a virtual tutor would benefit from an agent’s adaptive, interactive nature.

Use AI Pipelines when: Your application involves predefined tasks that don’t change based on user interaction. Pipeline-based solutions are ideal for tasks like report generation, data processing, or repetitive workflows.

Building a Hybrid System

In some cases, you may want to combine both approaches. For instance, you might use an AI agent to handle user interactions, gather inputs, and then pass the data to a pipeline that processes it and produces a structured output. Hybrid models offer the flexibility of agents with the reliability of pipelines.

Hybrid Example: E-commerce Customer Support + Order Summary

Imagine an e-commerce support system where an AI agent helps users track their orders and passes the information to a pipeline that generates an order summary once the order is located.

Agent Task: The AI agent interacts with the customer, asking for order details (e.g., order number, shipping address).

Pipeline Task: Once the order details are retrieved, a pipeline generates a detailed order summary and sends it to the customer.

Combining the two approaches can create a robust system that offers both interactivity and structure.

Conclusion: Choosing AI Agents or Pipelines

Choosing between AI agents and AI pipelines depends on the nature of the task at hand. AI agents are ideal for complex, interactive scenarios that require flexibility, whereas AI pipelines offer a more structured and predictable approach to repetitive tasks. Understanding the strengths and limitations of each approach will help you design more effective and efficient AI-powered applications.

FAQs

What is the primary difference between AI agents and pipelines?

AI agents are dynamic and interactive, adapting based on user input, whereas pipelines follow a strict, linear process to complete predefined tasks.

Can I use both AI agents and pipelines in the same application?

Yes, hybrid applications can benefit from combining the flexibility of AI agents with the structure of pipelines.

Are pipelines more efficient than agents?

Pipelines are more efficient for repetitive tasks, as they follow a deterministic sequence, making them faster and more predictable than agents.

Which is better for customer support applications: agents or pipelines?

AI agents are better suited for customer support because they can interact with users, ask follow-up questions, and adapt to different scenarios.

Can pipelines handle complex decision-making tasks?

Pipelines are less suited for open-ended or complex decision-making tasks; agents are better equipped to handle such scenarios due to their adaptive capabilities.



Source link

The Jet Brigade takes over the Galaxy in horrifying Helldivers 2 bug

0
The Jet Brigade takes over the Galaxy in horrifying Helldivers 2 bug



You can trust VideoGamer. Our team of gaming experts spend hours testing and reviewing the latest games, to ensure you’re reading the most comprehensive guide possible. Rest assured, all imagery and advice is unique and original. Check out how we test and review games here

A terrifying Helldivers 2 bug saw the robotic threat of The Jet Brigade take over the entirety of the Galaxy as players attempt to protect the construction of the Democracy Space Station. As the new Jetpack-wearing Automatons enter the fray, some fans were horrified to see the clankers take the universe as their own for a few seconds.

The Invasion of The Jet Brigade

With the latest Helldivers 2 update hiding secret buffs and including hidden information about the upcoming Clan system, the new Automaton enemies also made their debut. As the latest new enemy to join the galactic battle, The Jet Brigade brings squads of jet pack-equipped enemies into the fight.

While players moved to the Battle of Marfark to take new land for the construction of the Democracy Space Station, others noticed The Jet Brigade starting to demonstrate dominance across the universe. Players say the icon for the new enemy group spread inside and outside of Automaton territory. While some thought this was just a bug, the glitch occurred for thousands of players across PC and PS5.

While the game has often described Automatons and Termanids attacking each others’ territory, this glitch has been one of the first instances of the game showing it. Sure, missions that mix Termanid and Automatons may not ever happen, but its still an exciting showcase for what could happen one day.

This will definitely be canon

In the past, developer Arrowhead has often made glitches like this cannon via the in-game news updates. Alongside making hilarious references to Silent Hill 2 and Halo within the in-game lore, every major bug has been twisted into the game’s universe.

There is a chance that the swarm of Jet Brigade fighters could have been a horrifying tease for the future. Whatever the case, Helldivers 2 is more fun and more popular than ever. For more news on Arrowhead’s multiplayer game, find out how the latest update has devastated one of its coolest weapons.



Source link

Strictly viewers spot ‘new curse’ after Amy Dowden and JB Gill faced dance-off – Entertainment Daily

    0
    Strictly viewers spot ‘new curse’ after Amy Dowden and JB Gill faced dance-off – Entertainment Daily


    Fans of Strictly have spotted a “new curse” on the show after JLS star JB Gill and Amy Dowden landed themselves in the bottom two this weekend.

    JB and Amy found themselves in the bottom two alongside former footballer Paul Merson and Karen Hauer on Sunday (October 20). While JB and Amy were saved the panel of judges, their lack of public votes came as a surprise to viewers.

    Amy and JB landed themselves in the bottom two alongside Paul and Karen (Credit: BBC)

    Strictly fans called out a ‘new curse’

    JB and Amy kicked off Saturday night with a jive to OutKast’s iconic Hey Ya! Their score from the judges tallied up to 30 out of 40. Motsi Mabuse was especially impressed, insisting the pair were not “playing around.”

    However, that didn’t stop Amy and JB from not receiving enough votes from fans for them to avoid the bottom two.

    Fans took to X, formerly Twitter, to express that the new Strictly curse could be performing first on the night. After all, the same happened to Shayne Ward and Nancy Xu a week prior.

    “First to dance on the live show curse has struck AGAIN ughh whyy I don’t want my fave starting,” one user wrote.

    “Going first seems to be the curse of strictly this year. It was Shayne last week and JB this week,” another shared.

    “2 weeks in a row the dancers who go out first are in the bottom 2. Sadly, with the show being 2 hours+ long in the early stages people simply forget who or what they’ve seen. A sign of the times,” a third remarked.

    “The “first on” curse strikes yet again,” a fourth person observed.

    Amy Dowden and JB Gill performing on Strictly

    Strictly fans believe there is a new Strictly curse (Credit: BBC)

    JB ‘heartbroken’ by results

    Following Sunday’s results, JB took to Instagram to express his emotions, writing: “What a week it’s been.”

    “I poured my heart and soul into the dancing this week – as I do every week and I loved every single minute of this routine, from the dance style, to the concept, to the outfits – I felt like I’d done everything I could and then to know that I was going up against @paulmerseofficial in the dance off was heartbreaking!” he wrote.

    Explaining that he was “sad” to see Paul leave the competition, JB is “excited that Amy and I get to dance again next week.”

    “Thank you to ALL of you who have supported me so far, to everyone who voted last night and that have been voting since week 1. You make this all worth it. Shout out to Amy for being the most patient partner, it’s a joy to work with her every week on our new dance.”

    He concluded: “One thing is for sure, I’ll keep fighting and keep working hard and keep dancing with my whole heart. Week 6 here we come!”

    Read more: Strictly fans discuss ‘elephant in the room’ after Jamie Borthwick is branded a ‘cheat’ by co-star

    JB Gill and Amy Dowden Jive to Hey Ya! by Outkast ✨ BBC Strictly 2024

    So what do you think of this story? You can leave us a comment on our Facebook page @EntertainmentDailyFix and let us know.





    Source link

    NFTs & Crypto: Discover the Next Big Thing in Digital Ownership – Web3oclock

    0
    NFTs & Crypto: Discover the Next Big Thing in Digital Ownership – Web3oclock


    The Intersection of NFTs and Cryptocurrencies

    Use Cases of NFTs in the Crypto World

    Future of NFTs and Cryptocurrencies

    The Intersection of NFTs and Cryptocurrencies:

    Use Cases of NFTs in the Crypto World:

    Beeple NFT

    Investment Opportunities of NFTs & Crypto:

    Challenges and Risks of NFTs & Crypto:

    Future of NFTs & Cryptocurrencies:



    Source link

    Super Street Fighter 2 Turbo is coming to the Commodore 64/128 by RetroGL!

    0
    Super Street Fighter 2 Turbo is coming to the Commodore 64/128 by RetroGL!


    With the amount of news stories throughout the last week and the weekend just gone, you’d think we’d take a break, but not so! As waking up this morning, and waiting for the Caffeine to kick in, I was surprised to learn that RetroGL is aiming on bringing Super Street Fighter II Turbo over to the Commodore 64 using his RetroFighter engine. An engine that was also used in the more recent homebrew C64 hit of SNK vs CAPCOM. To coincide with this news, Saberman has provided a new video of the demo, but lets just hope that further demos are not magazine exclusives and can be enjoyed by all.

    Here’s the latest by the creator “In this video you can find some updates on the Super Street Fighter 2 Turbo game I’m creating for C64/C128 platforms using my RetroFighter engine. This adaptation of SSF2T for CBM platforms is based on the GameBoy Advance version called SSF2T Revival, but obviously my version will have something different. The game is planned to be executed on a 1Mbyte EasyFlash or Kung Fu Flash cartridge.

    This new demo includes the following:

    enhanced appearance for all fighters (even if something has to be enhanced yet)endings for each fighteralmost all fighting dynamics implemented (for example, throw escapes)The next demo will have 2 bonus rounds and new backdrops and musics during the game.



    Source link

    Cleared Hot looks like the nostalgic helicopter shooter I needed

    0
    Cleared Hot looks like the nostalgic helicopter shooter I needed


    With fond memories of playing the likes of Desert Strike for endless hours, Cleared Hot looks exactly what I’ve been wanting in a modern take on it. Developed by Cfinger Games and now MicroProse Software are jumping in as publisher it’s sounding really promising.

    In Cleared Hot, players step into the cockpit of a fully upgradeable attack helicopter. You get the classic arcade shooter action blended nicely with modern physics-based mechanics. Players will shoot, dodge, and use creative tactics to move squads across dynamic battlefields while using an innovative rope and magnet system to interact with the environment. From picking up vehicles and redirecting heat-seeking missiles to throwing rocks at enemies, the game offers a truly unique and emergent take on how players can achieve battlefield control.

    Features:

    Fully physics-based mechanics for emergent and dynamic gameplay.
    Engaging single-player campaign with immersive objectives.
    Customizable helicopters with a variety of upgradable features and loadouts.
    Three distinct biomes: Desert, Jungle, and Arctic.
    Day and night missions allowing pilots thetactical edge with night vision and thermal goggle upgrades.
    A wide range of enemy vehicles, including tanks, boats, fighter jets, and more.

    From the press release: “We’re beyond excited to add Cleared Hot to our storied MicroProse lineup,” said Chris Ansell, MicroProse CMO. “Its combination of nostalgia, creativity, and physics-based action makes it a perfect fit for our commitment to bringing fresh, engaging experiences to gamers.”

    You’ll need to use Valve’s Proton to play on Linux for this one.

    Follow Cleared Hot on Steam.

    Article taken from GamingOnLinux.com.



    Source link

    OpenAI GPT 4o ranked as best AI model for writing Solidity smart contract code by IQ

    0
    OpenAI GPT 4o ranked as best AI model for writing Solidity smart contract code by IQ


    Receive, Manage & Grow Your Crypto Investments With Brighty

    SolidityBench by IQ has launched as the first leaderboard to evaluate LLMs in Solidity code generation. Available on Hugging Face, it introduces two innovative benchmarks, NaïveJudge and HumanEval for Solidity, designed to assess and rank the proficiency of AI models in generating smart contract code.

    Developed by IQ’s BrainDAO as part of its forthcoming IQ Code suite, SolidityBench serves to refine their own EVMind LLMs and compare them against generalist and community-created models. IQ Code aims to offer AI models tailored for generating and auditing smart contract code, addressing the growing need for secure and efficient blockchain applications.

    As IQ told CryptoSlate, NaïveJudge offers a novel approach by tasking LLMs with implementing smart contracts based on detailed specifications derived from audited OpenZeppelin contracts. These contracts provide a gold standard for correctness and efficiency. The generated code is evaluated against a reference implementation using criteria such as functional completeness, adherence to Solidity best practices and security standards, and optimization efficiency.

    The evaluation process leverages advanced LLMs, including different versions of OpenAI’s GPT-4 and Claude 3.5 Sonnet as impartial code reviewers. They assess the code based on rigorous criteria, including implementing all key functionalities, handling edge cases, error management, proper syntax usage, and overall code structure and maintainability.

    Optimization considerations such as gas efficiency and storage management are also evaluated. Scores range from 0 to 100, providing a comprehensive assessment across functionality, security, and efficiency, mirroring the complexities of professional smart contract development.

    Which AI models are best for solidity smart contract development?

    Benchmarking results showed that OpenAI’s GPT-4o model achieved the highest overall score of 80.05, with a NaïveJudge score of 72.18 and HumanEval for Solidity pass rates of 80% at pass@1 and 92% at pass@3.

    Interestingly, newer reasoning models like OpenAI’s o1-preview and o1-mini were beaten to the top spot, scoring 77.61 and 75.08, respectively. Models from Anthropic and XAI, including Claude 3.5 Sonnet and grok-2, demonstrated competitive performance with overall scores hovering around 74. Nvidia’s Llama-3.1-Nemotron-70B scored lowest in the top 10 at 52.54.

    SolidityBench scores for LLMs (Hugging Face)
    SolidityBench scores for LLMs (Hugging Face)

    Per IQ, HumanEval for Solidity adapts OpenAI’s original HumanEval benchmark from Python to Solidity, encompassing 25 tasks of varying difficulty. Each task includes corresponding tests compatible with Hardhat, a popular Ethereum development environment, facilitating accurate compilation and testing of generated code. The evaluation metrics, pass@1 and pass@3, measure the model’s success on initial attempts and over multiple tries, offering insights into both precision and problem-solving capabilities.

    Goals of utilizing AI models in smart contract development

    By introducing these benchmarks, SolidityBench seeks to advance AI-assisted smart contract development. It encourages the creation of more sophisticated and reliable AI models while providing developers and researchers with valuable insights into AI’s current capabilities and limitations in Solidity development.

    The benchmarking toolkit aims to advance IQ Code’s EVMind LLMs and also sets new standards for AI-assisted smart contract development across the blockchain ecosystem. The initiative hopes to address a critical need in the industry, where the demand for secure and efficient smart contracts continues to grow.

    Developers, researchers, and AI enthusiasts are invited to explore and contribute to SolidityBench, which aims to drive the continuous refinement of AI models, promote best practices, and advance decentralized applications.

    Visit the SolidityBench leaderboard on Hugging Face to learn more and begin benchmarking Solidity generation models.

    🤖 Top AI Crypto Assets

    View AllMentioned in this article



    Source link

    Game On: Inside Telegram’s Growing Web3 Gaming Empire

    0
    Game On: Inside Telegram’s Growing Web3 Gaming Empire


    As Web3 gaming grows, new platforms are rising to the top. One of them is Telegram, a messaging app with 900m+ users, which is seeing a gaming explosion. According to a recent report from Helika, Notcoin, Hamster Kombat and Catizen are trending, making Telegram a must-have for Web3 game studios. With the ease of use and playability built in, Telegram is becoming a major player in Web3 gaming.

    In this article, we dive into insights from the report, exploring everything from rising player engagement and NFT integration to shifting demographics and standout games on the platform.

    Telegram Gaming Growth

    Helika’s report shows Telegram’s gaming scene is growing fast, with some games reaching 100,000 players in a single month. While Catizen and Hamster Kombat are the most popular, even smaller games are seeing user growth.

    One of the critical challenges in the report is discoverability. As more games are being developed for Telegram, developers need to come up with a marketing strategy to keep their games visible in a crowded market. However, the data shows that games can see extensive user engagement and growth with the right approach.

    According to Helika, the average session length for Telegram gamers has increased from 2.8 minutes to 6.7 minutes. So, players play not only more often but also for longer. Also, player retention is up – a good sign that Telegram offers a more engaging gaming experience than other platforms.

    NFT Integration Boosts Player Engagement

    The report also shows a big increase in NFT usage in Telegram games. In September alone, 3 million active wallets were seen in 9 games, including Catizen, GAMEE and Cat Gold Miner. The data shows Telegram gamers are not just creating wallets but actively engaging with NFTs by buying, trading or using them in their games.

    This level of engagement means the blockchain features are resonating with Telegram’s users. For developers, this is an opportunity to tap into the growing interest in digital assets and drive player engagement and game growth.

    Source Helika

    Telegram Gaming Demographics

    Interestingly, Helika’s report shows a unique demographic trend in Telegram’s gaming ecosystem. Web3 gamers have historically been more active in Southeast Asia and Latin America. Still, Telegram sees most of its players from Europe. This is a different user profile compared to other Web3 platforms and presents new opportunities for developers to target specific regions or audiences.

    The European user base and Telegram’s global reach mean game studios have diverse demographic opportunities. Developers can use this data to create targeted marketing campaigns that cater to different player preferences worldwide and get their games to a broader audience.

    Case Studies: Telegram’s Top Games

    The report also features specific examples of games that have come out of the Telegram ecosystem. Catizen, for instance, just completed its first airdrop, distributed 34% of its total token supply in September 2024, and saw a big increase in player activity. GAMEE saw a 300% month-over-month increase in transactions and player engagement.

    Another game to watch out for is X Empire, which has had 48 million players since July 2024 with 483 million in-game tokens mined. Rocky Rabbit also has 30 million players through its in-game tasks and rewards system. These are examples of the potential for growth on Telegram for developers as long as they can tap into the platform’s unique features and audience.

    Source GAMEE

    Opportunities for Developers in the Telegram Ecosystem

    Several features make Telegram an attractive platform for developers and players. One of the most notable is the integrated user experience; games can function within the messaging app itself. Players can switch between chatting and gameplay without leaving the app or downloading additional software.

    Another feature is the solid social integration within the platform. Players can share game updates in group chats and channels, challenge friends and discuss gameplay. This means games can grow organically through word of mouth and social interaction.

    Lastly, the use of blockchain has been a big factor in Telegram’s gaming ecosystem. Many games offer token rewards, airdrops and decentralized economies where players can buy, sell or own in-game assets.

    Conclusion

    The Telegram Gaming Report is an optimistic look into the platform’s growth and potential. With 900 million users and a growing gaming ecosystem, Telegram is becoming a major hub for Web3 game development. The ease of access and social and blockchain integration means ample opportunities for game studios to reach a broad and engaged audience.

    Editor’s note: Written with the assistance of AI – Edited and fact-checked by Jason Newey.

    Jason Newey

    Jason Newey is a seasoned journalist specializing in NFTs, the Metaverse, and Web3 technologies. With a background in digital media and blockchain technology, he adeptly translates complex concepts into engaging, informative articles.

    View all posts



    Source link

    Telegram NFT Transactions Soar by 400% in Q3, Driven by Gaming Surge – Cryptoflies News

    0
    Telegram NFT Transactions Soar by 400% in Q3, Driven by Gaming Surge – Cryptoflies News


    6

    Non-fungible token (NFT) transactions on Telegram increased by 400% in Q3, according to a report from Web3 data provider Helika. 

    The report, titled “Telegram Games Report,” highlights the rapid growth of the platform’s gaming ecosystem. 

    Games like Notcoin, Hamster Kombat, and Caitzen have attracted large audiences, with some titles surpassing 100,000 players in just a month. 

    The surge in gaming activity on Telegram may be linked to its Telegram Gaming Accelerator (TGA), which has drawn in hundreds of games across various genres.

    In September alone, over 3 million active wallets were recorded across just nine games. 

    Helika’s data also showed a sharp increase in the number of unique wallets transferring NFTs daily on Telegram. In July, there were fewer than 200,000 unique wallets involved in NFT transfers, but by September, that figure had surpassed one million. 

    Transactions mainly involved sending NFTs to friends, purchasing them, or using them within the games.

    This spike in NFT activity follows a recent announcement from Telegram CEO Pavel Durov. He revealed that Telegram plans to introduce an NFT conversion feature for its “Gifts,” allowing users to turn digital gifts into NFTs on the TON blockchain. 

    Earlier, in April, Durov had previewed plans to tokenize Telegram stickers and emojis using NFTs on the same blockchain during the Token2049 event in Dubai. He described this move as the “next step” for the platform.

    Telegram’s exploration of NFTs is not new. In 2022, Durov hinted at the creation of a marketplace that would use “NFT-like smart contracts” to auction popular usernames. This concept eventually led to the launch of Fragment, where users can trade Telegram usernames using Toncoins as the currency.



    Source link

    Kaley Cuoco Would Reprise Her Role as Penny in The Big Bang Theory

      0
      Kaley Cuoco Would Reprise Her Role as Penny in The Big Bang Theory



      Kaley Cuoco
      Vivien Killilea/Getty Images for The John Ritter Foundation for Aortic Health

      Kaley Cuoco has revealed she loves Penny in The Big Bang Theory just as much as fans do.

      Cuoco, 38, told People in an interview published on Saturday, October 19, that her role in the hit CBS sitcom made a significant impact on her life.

      “I spent 12 years playing that role, and it really set off my career. I owe a lot to that character, to that show, to Kristie Lau-Adams Chuck Lorre,” she told the outlet. “It was some of the best years of my life, and some of the most fun I’ve ever had.”

      She then added that she’d love to revisit her part in The Big Bang Theory, which premiered in September 2007 and aired for 12 seasons, wrapping in 2019. “I would absolutely reprise that role,” she told the outlet. “100 percent. I love that character, and I always will.”

      Kaley Cuoco and Husband Tom Pelphrey Chose Daughter Matildas Name on One of 1st Dates

      Related: Kaley Cuoco Reveals How She and Tom Pelphrey Chose Daughter’s Name

      Kaley Cuoco and Tom Pelphrey were thinking several steps ahead while on a date during the first week of their relationship. “We looked at each other and it was like, ‘Would it be crazy to say if we had a baby we’d name her Matilda?’” Cuoco, 37, told Today.com on Tuesday, November 21. “You know […]

      Cuoco starred alongside Johnny Galecki, Jim Parsons, Mayim Bialik, Simon Helberg and Knual Nayyar in the TV series, which followed a group of self-confessed nerds navigate life and romance. It garnered 10 Emmy awards during its run and sparked a spinoff prequel, Young Sheldon, based on Parson’s character, Sheldon Cooper.

      Young Sheldon’s success resulted in its own spinoff, Georgie & Mandy’s First Marriage, which premiered on October 17.

      Cuoco, who now stars in the Peacock series, Based on a True Story, is enjoying plenty of personal triumphs, recently announcing her engagement to Tom Pelphrey.

      GettyImages-1140595228-Big-Bang-cast

      ‘The Big Bang Theory’ cast members in 2019
      Gregg DeGuire/WireImage

      On August 14, Cuoco shared via an Instagram Story that she had been proposed to, posting a photo of herself showing off an engagement ring and writing, “Amazing weekend.” The pair share a daughter, Matilda, 1. Cuoco shared news of Matilda’s arrival via Instagram in March 2023.

      “Introducing Matilda Carmine Richie Pelphrey, the new light of our lives! We are overjoyed and grateful for this little miracle 💓,” Cuoco wrote alongside a carousel of photos of the newborn. “Thank you to the doctors, nurses, family and friends who have helped us immensely over the last few days. We are blessed beyond belief.”

      The Big Bang Theory Cast Dating History Feature

      Related: ‘The Big Bang Theory’ Cast’s Dating Histories Through the Years


      The Big Bang Theory, which ran for 12 seasons, followed the daily adventures of a group of scientists and their significant others until the show’s conclusion in May 2019. The show, which premiered in September 2007, starred Jim Parsons, Kaley Cuoco, Johnny Galecki, Simon Helberg, Kunal Nayyar, Mayim Bialik and Melissa Rauch. While filming the […]

      The actress recently shared that she and Pelphrey, 42, are excited to grow their family even further one day.

      “We’re gonna go way out of order. That’s our plan,” Cuoco told People in an interview published on September 22. “I have four dogs now, and a [1-year-old baby], and a Tom — it’s a lot.”

      Cuoco and Pelphrey were set up by their mutual manager, Andrea Pett-Joseph, who thought they would be “perfect for each other,” with the pair hitting it off at the final season premiere of Ozark in April 2022.



      Source link

      Popular Posts

      My Favorites

      ss

      Drifting Together, Growing Apart

      0
      Proin gravida nibh vel velit auctor aliquet. Aenean sollicitudin, lorem quis bibendum auctor, nisi elit consequat ipsum, nec sagittis sem nibh id elit. Duis sed odio sit amet nibh vulputate cursus a sit amet mauris. Morbi accumsan ipsum velit. Nam nec tellus a odio tincidunt auctor a ornare odio. Sed non mauris vitae erat auctor eu in elit. Class aptent taciti sociosqu ad litora torquent per conubia nostra, per inceptos himenaeos. Mauris in erat justo. Nullam ac urna eu felis dapibus condim entum sit amet a augue. Sed non neque elit. Sed ut imperdiet nisi. Proin condimentum fermentum nunc. pharetra, erat sed fermentum feugiat velit