• WWW.FASTCOMPANY.COM
    What’s open and closed on Easter Sunday? Grocery stores, Walmart, Target, pharmacies, more
    The Easter holiday is celebrated by billions of Christians around the world. But even if you are not partaking in the festivities, store closures or reduced store hours might impact you. Here’s what to expect on Easter Sunday. Grocery store closures Whether you need to stock up on eggs and chocolate bunnies at the last minute or simply run out of milk, be aware that many supermarkets are closed for Easter Sunday, including Aldi, Costco, H-E-B, and Sam’s Club. For last-minute purchases, try a Trader Joe’s—unless you live in Portland, Maine, where the local stores will be closed. Albertsons, Safeway, Jewel-Osco, Acme, Vons, and Tom Thumb will all be open. Clothing store closures Plan to shop ahead for your Easter outfit, as retailers JCPenney, Macy’s, Marshalls, Target, Kohl’s, and TJ Maxx will close their doors Sunday, as will HomeGoods, Sierra, and Homesense locations. Walmart will remain open for business. For the status of other major retailers today, you can find a nice roundup from USA Today. Home improvement and crafting store closures Some hobbies might have to wait as well. If Lowe’s is your home improvement store of choice, know that it will be closed on Easter. Home Depot is a good alternative. In a similar vein, if Michaels or Hobby Lobby are your craft supply spots, stock up ahead of the holiday, as neither will be staffed for your creative pursuits. Pharmacy closures Major pharmacy chains such as Walgreens and CVS will be open for Easter but may have reduced hours, so check ahead if you need medication. A brief look at religious affiliation in America The U.S. remains a predominantly Christian nation. A 2023 Gallup Poll found 68% of the country considered themselves Christian. There is diversity of denomination in that figure. Breaking it down further, 33% identify as Protestant, 22% are Catholic, and 13% are considered “other” or just prefer the Christian label.
    0 Commentarii 0 Distribuiri 59 Views
  • WWW.YANKODESIGN.COM
    MVRDV Reimagines 100-Year-Old Dutch Church As A Public Pool With Innovative ‘Movable’ Floor
    Renowned Dutch architecture firm MVRDV has been selected to transform a decommissioned church dramatically. The historic building, once a place of worship, will be converted into a public swimming pool featuring an innovative movable floor that allows guests to “walk on water.” Playfully titled Holy Water, the project is a collaboration between MVRDV and Zecc Architecten. Together, they will reimagine the century-old St. Francis of Assisi Church in Heerlen, the Netherlands, which has remained unused since 2023. This ambitious project will require quite a few alterations to the church’s original interior, beginning with the removal of the existing floor to accommodate a new swimming pool. Elements of the historic building will be thoughtfully repurposed – the old pews will become seating for swimmers and bar tables for spectators, while the former pulpit will serve as a lifeguard’s chair. An innovative adjustable floor will also be installed, allowing the pool area to be covered and transformed into an events space when needed. This flexible design ensures the former church will function both as a swimming facility and a vibrant community venue. Designer: MVRDV and Zecc Architecten “An adjustable swimming pool floor brings flexibility to the space that was once the church’s nave, allowing it to host a variety of activities in addition to swimming,” said MVRDV. “The floor also makes it possible to fill the entire space with a thin layer of water, creating an impressive reflection of the church that gives visitors the feeling that they can walk on water.” The renovation will introduce a beautiful new mosaic floor that will extend throughout the pool’s perimeter as well as across the adjustable pool floor itself. This design choice is a thoughtful homage to the church’s stained-glass windows, which will be carefully preserved and continue to provide vibrant color and light to the interior. New lighting fixtures will also be installed, and chosen specifically to complement and respect the church’s original architectural character. Renderings of the project show that other historic features, such as the organ pipes and religious paintings, will also remain in their original positions, adding to the building’s unique charm and sense of history. In such a project, it is important to protect the church’s delicate historic elements, including the old wooden structures and stained-glass windows, from the increased humidity generated by the pool. To address this, MVRDV and Zecc Architecten plan to install transparent glass walls to enclose the pool area, effectively creating a barrier that shields the sensitive features from moisture while still allowing unobstructed views. The church’s roof will also be upgraded with modern insulation to improve the building’s overall thermal efficiency.  The project is scheduled for completion in 2027 and also includes the collaboration of IMd Raadgevende Ingenieurs, Nelissen Ingenieursbureau, and SkaaL. The post MVRDV Reimagines 100-Year-Old Dutch Church As A Public Pool With Innovative ‘Movable’ Floor first appeared on Yanko Design.
    0 Commentarii 0 Distribuiri 43 Views
  • WWW.WIRED.COM
    9 Best Early Deals From the Amazon Book Sale (2025)
    Save on books, devices, and memberships now through April 28.
    0 Commentarii 0 Distribuiri 37 Views
  • GAMINGBOLT.COM
    Marathon Will Cost $40, Open Beta Coming in August – Rumor
    One of the biggest surprises following Bungie’s reveal of Marathon is that it won’t be a free-to-play title. Though it’s not full-priced either, the developer won’t reveal more details until later this Summer. However, sources speaking to Paul Tassi of Forbes have alleged it’s $40. The price point isn’t surprising since it’s the same as Helldivers 2 and Concord. Tassi also noted that Marathon isn’t currently planned to go free-to-play. However, those who want to try it out before launch will likely get their chance in August with an alleged open beta. After the beta, players can reportedly pre-order the title and its “various editions.” Is it possible the price will be revealed with the open beta announcement? We’ll have to wait and see. Marathon launches on September 23rd, with its closed alpha starting on April 23rd. Bungie recently lifted the latter’s non-disclosure agreement to allegedly “shift the narrative” and encourage an open dialogue with its community. Check out the intro cinematic here, and stay tuned for updates.
    0 Commentarii 0 Distribuiri 46 Views
  • WWW.MARKTECHPOST.COM
    An Advanced Coding Implementation: Mastering Browser‑Driven AI in Google Colab with Playwright, browser_use Agent & BrowserContext, LangChain, and Gemini
    In this tutorial, we will learn how to harness the power of a browser‑driven AI agent entirely within Google Colab. We will utilize Playwright’s headless Chromium engine, along with the browser_use library’s high-level Agent and BrowserContext abstractions, to programmatically navigate websites, extract data, and automate complex workflows. We will wrap Google’s Gemini model via the langchain_google_genai connector to provide natural‑language reasoning and decision‑making, secured by pydantic’s SecretStr for safe API‑key handling. With getpass managing credentials, asyncio orchestrating non‑blocking execution, and optional .env support via python-dotenv, this setup will give you an end‑to‑end, interactive agent platform without ever leaving your notebook environment. !apt-get update -qq !apt-get install -y -qq chromium-browser chromium-chromedriver fonts-liberation !pip install -qq playwright python-dotenv langchain-google-generative-ai browser-use !playwright install We first refresh the system package lists and install headless Chromium, its WebDriver, and the Liberation fonts to enable browser automation. It then installs Playwright along with python-dotenv, the LangChain GoogleGenerativeAI connector, and browser-use, and finally downloads the necessary browser binaries via playwright install. import os import asyncio from getpass import getpass from pydantic import SecretStr from langchain_google_genai import ChatGoogleGenerativeAI from browser_use import Agent, Browser, BrowserContextConfig, BrowserConfig from browser_use.browser.browser import BrowserContext We bring in the core Python utilities, os for environment management and asyncio for asynchronous execution, plus getpass and pydantic’s SecretStr for secure API‑key input and storage. It then loads LangChain’s Gemini wrapper (ChatGoogleGenerativeAI) and the browser_use toolkit (Agent, Browser, BrowserContextConfig, BrowserConfig, and BrowserContext) to configure and drive a headless browser agent. os.environ["ANONYMIZED_TELEMETRY"] = "false" We disable anonymous usage reporting by setting the ANONYMIZED_TELEMETRY environment variable to “false”, ensuring that neither Playwright nor the browser_use library sends any telemetry data back to its maintainers. async def setup_browser(headless: bool = True): browser = Browser(config=BrowserConfig(headless=headless)) context = BrowserContext( browser=browser, config=BrowserContextConfig( wait_for_network_idle_page_load_time=5.0, highlight_elements=True, save_recording_path="./recordings", ) ) return browser, context This asynchronous helper initializes a headless (or headed) Browser instance and wraps it in a BrowserContext configured to wait for network‑idle page loads, visually highlight elements during interactions, and save a recording of each session under ./recordings. It then returns both the browser and its ready‑to‑use context for your agent’s tasks. async def agent_loop(llm, browser_context, query, initial_url=None): initial_actions = [{"open_tab": {"url": initial_url}}] if initial_url else None agent = Agent( task=query, llm=llm, browser_context=browser_context, use_vision=True, generate_gif=False, initial_actions=initial_actions, ) result = await agent.run() return result.final_result() if result else None This async helper encapsulates one “think‐and‐browse” cycle: it spins up an Agent configured with your LLM, the browser context, and optional initial URL tab, leverages vision when available, and disables GIF recording. Once you call agent_loop, it runs the agent through its steps and returns the agent’s final result (or None if nothing is produced). async def main(): raw_key = getpass("Enter your GEMINI_API_KEY: ") os.environ["GEMINI_API_KEY"] = raw_key api_key = SecretStr(raw_key) model_name = "gemini-2.5-flash-preview-04-17" llm = ChatGoogleGenerativeAI(model=model_name, api_key=api_key) browser, context = await setup_browser(headless=True) try: while True: query = input("\nEnter prompt (or leave blank to exit): ").strip() if not query: break url = input("Optional URL to open first (or blank to skip): ").strip() or None print("\n🤖 Running agent…") answer = await agent_loop(llm, context, query, initial_url=url) print("\n📊 Search Results\n" + "-"*40) print(answer or "No results found") print("-"*40) finally: print("Closing browser…") await browser.close() await main() Finally, this main coroutine drives the entire Colab session: it securely prompts for your Gemini API key (using getpass and SecretStr), sets up the ChatGoogleGenerativeAI LLM and a headless Playwright browser context, then enters an interactive loop where it reads your natural‑language prompts (and optional start URL), invokes the agent_loop to perform the browser‑driven AI task, prints the results, and finally ensures the browser closes cleanly. In conclusion, by following this guide, you now have a reproducible Colab template that integrates browser automation, LLM reasoning, and secure credential management into a single cohesive pipeline. Whether you’re scraping real‑time market data, summarizing news articles, or automating reporting tasks, the combination of Playwright, browser_use, and LangChain’s Gemini interface provides a flexible foundation for your next AI‑powered project. Feel free to extend the agent’s capabilities, re‑enable GIF recording, add custom navigation steps, or swap in other LLM backends to tailor the workflow precisely to your research or production needs. Here is the Colab Notebook. Also, don’t forget to follow us on Twitter and join our Telegram Channel and LinkedIn Group. Don’t Forget to join our 90k+ ML SubReddit. Asif RazzaqWebsite |  + postsBioAsif Razzaq is the CEO of Marktechpost Media Inc.. As a visionary entrepreneur and engineer, Asif is committed to harnessing the potential of Artificial Intelligence for social good. His most recent endeavor is the launch of an Artificial Intelligence Media Platform, Marktechpost, which stands out for its in-depth coverage of machine learning and deep learning news that is both technically sound and easily understandable by a wide audience. The platform boasts of over 2 million monthly views, illustrating its popularity among audiences.Asif Razzaqhttps://www.marktechpost.com/author/6flvq/Meta AI Introduces Collaborative Reasoner (Coral): An AI Framework Specifically Designed to Evaluate and Enhance Collaborative Reasoning Skills in LLMsAsif Razzaqhttps://www.marktechpost.com/author/6flvq/NVIDIA Introduces CLIMB: A Framework for Iterative Data Mixture Optimization in Language Model PretrainingAsif Razzaqhttps://www.marktechpost.com/author/6flvq/OpenAI Releases a Technical Playbook for Enterprise AI IntegrationAsif Razzaqhttps://www.marktechpost.com/author/6flvq/Meta AI Released the Perception Language Model (PLM): An Open and Reproducible Vision-Language Model to Tackle Challenging Visual Recognition Tasks
    0 Commentarii 0 Distribuiri 41 Views
  • WWW.IGN.COM
    The Best Deals Today: 4K Middle-Earth Collection, Razer Huntsman V2 TKL, Garmin Instinct 2S Watch, and More
    The weekend is officially here, and we've rounded up the best deals you can find! Discover the best deals for April 20 below:Save 55% Off The 4K Middle-Earth 6-Film CollectionMiddle-Earth 6-Film Collection (Extended & Theatrical) (4K Ultra HD + Digital)The Lord of the Rings trilogy is simply one of the greatest experiences you will ever have. I try my best to watch through the extended editions once each year, but the fun doesn't stop there. There's also The Hobbit trilogy, which is another incredible set of films. This weekend at Amazon, you can score all six films in beautiful 4K for only $94.68. Previously, both trilogies were priced just below this separately, so this is a great deal.Razer Huntsman V2 TKL for $74.99Razer - Huntsman V2 TKL Wired Optical Purple Clicky Switch Gaming Keyboard with Chroma RGB Backlighting - BlackBest Buy has the Razer Huntsman V2 TKL Mechanical Keyboard for just $74.99 today. This keyboard features clicky optical switches that feel much lighter than most other mechanical switches out there, as you can get up to true 8000Hz polling rate for lower input latency. The Huntsman V2 TKL features doubleshot PBT caps, which are more durable and sturdy to ensure longer life. Another key offering of this keyboard is the detachable USB-C cable, so you won't need to worry about wrapping your cable around when moving. Dragon's Dogma 2 for $30Dragon's Dogma 2 - PS5You can score Capcom's massive RPG for just $30 this weekend at Amazon. We gave the game an 8/10 in our review, stating, "It is a retelling and reimplementation of all of those wonderful ideas from the 2012 cult-classic, including an awesome dynamic world and some of the best combat in the genre that integrates a subtle but amazingly complex physics system."Like a Dragon: Pirate Yakuza in Hawaii for $49.99Like a Dragon: Pirate Yakuza in Hawaii - PlayStation 4Like a Dragon: Pirate Yakuza in Hawaii - Xbox Series XThe latest Like a Dragon game stars everyone's favorite ex-yakuza, Goro Majima, on an adventure to sail the seas as a pirate. When Majima wakes up unable to remember anything about himself, he embarks on a quest to regain his memories, and of course, in true Like a Dragon fashion, things get crazy. This is the lowest we've seen this game so far, so be sure to pick up a copy while you can.Stranger of Paradise: Final Fantasy Origin for $19.99Stranger of Paradise Final Fantasy Origin - PlayStation 5$19.99 at AmazonStranger of Paradise: Final Fantasy Origin is arguably one of the most unique entries in the entire Final Fantasy series. Developed by the team behind Nioh, this action RPG is one you won't forget anytime soon. There are references to numerous Final Fantasy games, with a significant link to a certain character. Oh, and expect plenty of Chaos. Garmin Instinct 2S Watch for $179.99Garmin Instinct 2S Rugged Outdoor Watch - Camo-EditionYou can score this Garmin Instinct 2S Watch for just $179.99 this weekend. The Instinct 2S is packed with features for any condition, such as water-rated for up to 100 meters and thermal/shock resistant with a fiber-reinforced case. One of the best features of any Garmin watch is the battery life, and the Instinct 2S is no exception, as it offers up to 21 days in smartwatch mode. You can even pair the 2S with your phone to track features like heart rate, Pulse Ox, respiration, and more. Super Mario Party Jamboree for $44.99Super Mario Party Jamboree - Nintendo SwitchWith the recent reveal of Nintendo Switch 2 Edition games, it's no question that you are going to want to save anywhere you can. The Nintendo Switch 2 Edition of Super Mario Party Jamboree is set to cost $79.99, but you can upgrade from a Nintendo Switch copy for presumably $20. This weekend, save your cash and pick up a copy of Super Mario Party Jamboree from Woot for only $44.99.Paradise Killer for $25Paradise Killer - PS4This weekend, you can save $15 off a physical PS4 copy of Paradise Killer. In our 9/10 review, we wrote, "Paradise Killer marries a beautifully repulsive world with a gratifyingly open-ended approach to detective work, but its real achievement is in how it ties everything you’ve learned together."Super Monkey Ball Banana Rumble for $19.99Super Monkey Ball Banana Rumble Launch Edition - Nintendo SwitchSuper Monkey Ball Banana Rumble is the return to form many Monkey Ball fans have waited years for. You've got over 200 courses, tons of guest characters, and all sorts of modes—what's not to love? In our 8/10 review, we wrote, "Super Monkey Ball Banana Rumble is a brilliant return to form. Monkey Ball has finally found its way home again with a set of 200 fantastic courses that range from delightfully charming to devilishly challenging, backed up by tight mechanics and predictable physics that put me in total control of my monkey’s fate."Score This Pokémon Movie Collection for $13.99Pokémon: The Movies 1-3 Collection (Blu-ray)Amazon has the first three Pokémon movies available on sale for $13.99 total. This Blu-ray collection packs in Pokémon: The First Movie, Pokémon 2000: The Movie, and Pokémon 3: The Movie. If you're a fan of the Pokémon anime or looking to enter the world of Pokémon for the first time, this collection is an excellent choice!Save on LEGO FlowersLEGO SunflowersLEGO DaffodilsFinally, you can save on select LEGO Flowers this weekend ahead of Easter! If you're on the hunt for a last-minute gift, these are a perfect choice for any family member, friend, or significant other.
    0 Commentarii 0 Distribuiri 49 Views
  • 9TO5MAC.COM
    iPhone 17 Pro’s rumored camera bar design may have a sneaky new perk
    All iPhone 17 Pro rumors have pointed to one thing: a redesigned horizontal camera bar. While many people have called this ugly, it does have a hidden perk for users who’d like to customize their phones. Shared by leaker Majin Bu on X, some iPhone accessory manufacturers are creating camera covers with unique designs, to cover up the iPhone 17 Pro’s long horizontal camera bar. Many people have been using “camera lens protectors” for the longest time, but this takes it up a notch. It’ll provide coverage for those who think they need it, while also offering a unique touch of customization. I’m honestly really curious to see what sorts of designs people end up coming up with. Either way, this seems like a wonderful way to take advantage of the large camera bar that’ll soon exist on everyones iPhone 17 Pro. Most iPhone 17 Pro cases actually leave a full cutout for the camera bar, so this would fit in quite well. What do you think of these camera bar backplates? Are you interested? What would you want on the back of your phone. Let us know in the comments. My favorite Apple accessories on Amazon: Follow Michael: X/Twitter, Bluesky, Instagram Add 9to5Mac to your Google News feed.  FTC: We use income earning auto affiliate links. More.You’re reading 9to5Mac — experts who break news about Apple and its surrounding ecosystem, day after day. Be sure to check out our homepage for all the latest news, and follow 9to5Mac on Twitter, Facebook, and LinkedIn to stay in the loop. Don’t know where to start? Check out our exclusive stories, reviews, how-tos, and subscribe to our YouTube channel
    0 Commentarii 0 Distribuiri 49 Views
  • FUTURISM.COM
    An AI Identifies Where All Those Planets That Could Host Life Are Hiding
    Researchers in Switzerland have built an AI model to uncover potentially habitable worlds that are hiding from view.As detailed in a new study published in the journal Astronomy and & Astrophysics, the machine learning algorithm identified 44 star systems that it suspects harbor Earth-like exoplanets we haven't detected yet, in a promising demonstration of an approach that could accelerate the search for planets teeming with life.It hasn't outright confirmed that the Earth-like planets are actually there — but it's teed up astronomers to investigate those stellar neighborhoods in the future. In simulations, the model achieved an impressive precision value of up to 0.99, meaning that 99 percent of the systems identified have at least one Earth-like planet."It's one of the few models worldwide with this level of complexity and depth, enabling predictive studies like ours," co-author Dr. Yann Alibert, codirector of the University of Bern's Centre for Space and Habitability, said in a statement, as quoted by Forbes. "This is a significant step in the search for planets with conditions favorable to life and, ultimately, for the search for life in the universe."Exoplanets are notoriously difficult to spot, because they're tiny compared to stars and produce little light of their own. So far, scientists have confirmed the existence of just over 5,800 planets outside our solar system — and the data we have on most of these is scant.That doesn't give a lot of material to train a pattern-seeking algorithm on, which require huge data sets. Instead, the astronomers fed their model synthetic planetary systems generated with the Bern Model of Planet Formation and Evolution, which comprehensively simulates the development of hypothetical planets as far back to their inception from a protoplanetary disc."The Bern Model is one of the only models worldwide that offers such a wealth of interrelated physical processes and enables a study like the current one to be carried out," Alibert said in a statement about the research.During these tests, the AI model revealed that the strongest indicators of an Earth-like planet could be found in a system's innermost detectable planet, particularly its mass and orbital period, the researchers wrote in the study.From there, the team applied the machine learning algorithm to a sample of nearly 1,600 systems with at least one known planet and either a G-type, K-type, or M-type star, with G-types being Sun-like stars, and the remaining two classifications describing stars that are smaller and cooler. That revealed that nearly four dozen of them likely harbor an Earth-like world.But the model isn't infallible. It hasn't reproduced certain characteristics of star systems that astronomers have observed, such as the strong correlation between so-called Super Earths and Cold Jupiters, which often appear together around Sun-like stars, the authors note. And the synthetic planets tend to be found closer to their stars than real ones.Still, it doesn't need to be perfect: anything to narrow down astronomers' hunt for Earth's cousins through the the unfathomably vast cosmos could be a gamechanger.Share This Article
    0 Commentarii 0 Distribuiri 48 Views
  • Nest Step: Influencer Marketing Intern (Remote – Germany Only)
    We’re looking for a creative, social-media-savvy Influencer Marketing Intern to join our team remotely from Germany. This internship is ideal for students or recent graduates eager to gain hands-on experience in influencer outreach, campaign management, and digital brand strategy.You’ll collaborate with our global marketing team to help grow brand visibility by engaging with influencers and supporting real-world campaigns on platforms like Instagram, TikTok, and YouTube.Key ResponsibilitiesResearch and identify relevant influencers (micro & macro) on key social platformsAssist in outreach, communication, and relationship-building with influencersSupport campaign management (brief creation, deliverables tracking, results reporting)Monitor influencer content and track key campaign KPIs (reach, engagement, conversions)Analyze competitor influencer strategies and market trendsHelp brainstorm and execute creative influencer-driven campaign ideasRequirementsCurrently pursuing or recently completed a degree in Marketing, Communications, or BusinessStrong passion for social media, influencers, and content marketingFamiliar with platforms like Instagram, TikTok, YouTube, etc.Strong communication skills (verbal & written)Proactive, organized, and self-motivated in a remote work settingBased in Germany with a reliable internet connectionWhat We Offer✅ 100% Remote Internship – Work from anywhere in Germany✅ Flexible schedule that fits your academic or personal needs✅ Real industry experience in influencer marketing and campaign analytics✅ Mentorship from experienced digital marketing professionals✅ Opportunity for future full-time consideration based on performanceHow to ApplyClick “Apply Now” and send a brief intro along with your CV. Tell us why you're excited about influencer marketing and how you'd bring value to our team.Join us and start building a digital marketing career that connects brands and communities through powerful influencer campaigns.
    0 Commentarii 0 Distribuiri 51 Views
  • 0 Commentarii 0 Distribuiri 43 Views