• 0 Comments ·0 Shares ·92 Views
  • www.cgchannel.com
    Friday, February 14th, 2025Posted by Jim ThackerKeenTools releases KeenTools 2025.1 for Blender and Nukehtml PUBLIC "-//W3C//DTD HTML 4.0 Transitional//EN" "http://www.w3.org/TR/REC-html40/loose.dtd"KeenTools has released KeenTools 2025.1, the latest version of its suite of plugins for Blender and Nuke.Facial tracking plugin FaceTracker and 3D object tracking plugin GeoTracker both get workflow updates, including a new wireframe render option to help preview tracks.FaceTracker and GeoTracker: wireframe rendering and Start frame selectionKeenTools 2025.1 is primarily a workflow update to KeenTools tracking plugins, with both FaceTracker and GeoTracker getting a new wireframe render option.It makes it possible to render a wireframe view of the tracked geometry the plugins generate, either in isolation, or overlaid on the source footage to help when previewing a track.The plugins also get a Start frame selector for clips and Sequence Masks, providing a quick way to reposition footage and masks in the timeline.All of the KeenTools plugins, including 3D head generator FaceBuilder, get support for the Blender 4.4 and Nuke 15.2 betas, with support for the Nuke 16.0 beta to come.Price and system requirementsThe KeenTools plugins are compatible with Blender 2.80+ and Nuke 12.2v4+. GeoTracker is also available for After Effects 17.0+.The software is available rental-only, with each individual plugin costing $18/month or $179/year for individuals, or $499/year for studios.Read a full list of new features in KeenTools 2025.1Have your say on this story by following CG Channel on Facebook, Instagram and X (formerly Twitter). As well as being able to comment on stories, followers of our social media accounts can see videos we dont post on the site itself, including making-ofs for the latest VFX movies, animations, games cinematics and motion graphics projects.Latest NewsKeenTools releases KeenTools 2025.1 for Blender and NukeCheck out the changes to tracking plugins FaceTracker and GeoTracker, including new wireframe rendering and start frame selection options.Friday, February 14th, 2025Maxon releases Red Giant 2025.3 and Universe 2025.2Check out the new features in the suite of motion graphics and VFX plugins and the online library of effects and transitions.Thursday, February 13th, 2025Maxon releases Redshift 2025.3Renderer gets better multiscattering in volumes, USD procedural support in Maya, and initial support for GeForce 50 Series GPUs.Thursday, February 13th, 2025Chaos releases Vantage 2.7Real-time ray tracing renderer for exploring large V-Ray scenes gets OCIO color management, DLSS 4, and new lens distortion system.Thursday, February 13th, 2025Adobe launches the Firefly Video Model in public betaNew generative AI model let users create video, animation and even stock FX clips from text prompts and images. Read our FAQs about it.Wednesday, February 12th, 2025Wacom launches redesigned Intuos Pro pen tabletsPopular pro graphics tablets get their first updates in eight years. See the specs and prices for the 2025 Intuos Pro Small, Medium & Large.Wednesday, February 12th, 2025More NewsFree add-on Paint System 'turns Blender into Photoshop'Free tools: Render Manager and Light Editor for BlenderRichard Rosenman releases IK Studio for After EffectsTopaz Labs releases Gigapixel 8.2See CG benchmarks for NVIDIA's GeForce RTX 5090 and 5080 GPUsChaos releases Beta 2 of the new V-Ray for BlenderReview: Huion Kamvas 22 Plus pen displayCETA Software launches Artist AccessTutorials: Creating a Character for Games - Vol. 1 and Vol. 2LightWave Digital previews LightWave 2025Check out the new features in the ForestPack 9.1 updatesSee five great VFX breakdowns from the 2025 V-Ray showreelOlder Posts
    0 Comments ·0 Shares ·98 Views
  • Astro Bot wins Game of the Year | Dice Awards
    venturebeat.com
    Astro Bot from Team Asobi took home five major awards at the Dice Awards, including Game of the Year. The game, which Sony said last night sold 1.5 million copies, also won awards for Outstanding Achievement in Animation, Outstanding Technical Achievement, Family Game of the Year, Outstanding Achievement in Game Design. Solo game developer LocalThuRead More
    0 Comments ·0 Shares ·91 Views
  • Step by Step Guide on How to Build an AI News Summarizer Using Streamlit, Groq and Tavily
    www.marktechpost.com
    IntroductionIn this tutorial, we will build an advanced AI-powered news agent that can search the web for the latest news on a given topic and summarize the results. This agent follows a structured workflow:Browsing: Generate relevant search queries and collect information from the web.Writing: Extracts and compiles news summaries from the collected information.Reflection: Critiques the summaries by checking for factual correctness and suggests improvements.Refinement: Improves the summaries based on the critique.Headline Generation: Generates appropriate headlines for each news summary.To enhance usability, we will also create a simple GUI using Streamlit. Similar to previous tutorials, we will use Groq for LLM-based processing and Tavily for web browsing. You can generate free API keys from their respective websites.Setting Up the EnvironmentWe begin by setting up environment variables, installing the required libraries, and importing necessary dependencies:Install Required Librariespip install langgraph==0.2.53 langgraph-checkpoint==2.0.6 langgraph-sdk==0.1.36 langchain-groq langchain-community langgraph-checkpoint-sqlite==2.0.1 tavily-python streamlitImport Libraries and Set API Keysimport osimport sqlite3from langgraph.graph import StateGraphfrom langchain_core.messages import SystemMessage, HumanMessagefrom langchain_groq import ChatGroqfrom tavily import TavilyClientfrom langgraph.checkpoint.sqlite import SqliteSaverfrom typing import TypedDict, Listfrom pydantic import BaseModelimport streamlit as st# Set API Keysos.environ['TAVILY_API_KEY'] = "your_tavily_key"os.environ['GROQ_API_KEY'] = "your_groq_key"# Initialize Database for Checkpointingsqlite_conn = sqlite3.connect("checkpoints.sqlite", check_same_thread=False)memory = SqliteSaver(sqlite_conn)# Initialize Model and Tavily Clientmodel = ChatGroq(model="Llama-3.1-8b-instant")tavily = TavilyClient(api_key=os.environ["TAVILY_API_KEY"])Defining the Agent StateThe agent maintains state information throughout its workflow:Topic: The topic on which user wants the latest news Drafts: The first drafts of the news summariesContent: The research content extracted from the search results of the TavilyCritique: The critique and recommendations generated for the draft in the reflection state.Refined Summaries: Updated news summaries after incorporating suggesstions from CritiqueHeadings: Headlines generated for each news article classclass AgentState(TypedDict): topic: str drafts: List[str] content: List[str] critiques: List[str] refined_summaries: List[str] headings: List[str]Defining PromptsWe define system prompts for each phase of the agents workflow:BROWSING_PROMPT = """You are an AI news researcher tasked with finding the latest news articles on given topics. Generate up to 3 relevant search queries."""WRITER_PROMPT = """You are an AI news summarizer. Write a detailed summary (1 to 2 paragraphs) based on the given content, ensuring factual correctness, clarity, and coherence."""CRITIQUE_PROMPT = """You are a teacher reviewing draft summaries against the source content. Ensure factual correctness, identify missing or incorrect details, and suggest improvements.----------Content: {content}----------"""REFINE_PROMPT = """You are an AI news editor. Given a summary and critique, refine the summary accordingly.-----------Summary: {summary}"""HEADING_GENERATION_PROMPT = """You are an AI news summarizer. Generate a short, descriptive headline for each news summary."""Structuring Queries and NewsWe use Pydantic to define the structure of queries and News articles. Pydantic allows us to define the structure of the output of the LLM. This is important because we want the queries to be a list of string and the extracted content from web will have multiple news articles, hence a list of strings.from pydantic import BaseModelclass Queries(BaseModel): queries: List[str]class News(BaseModel): news: List[str]Implementing the AI Agents1. Browsing NodeThis node generates search queries and retrieves relevant content from the web.def browsing_node(state: AgentState): queries = model.with_structured_output(Queries).invoke([ SystemMessage(content=BROWSING_PROMPT), HumanMessage(content=state['topic']) ]) content = state.get('content', []) for q in queries.queries: response = tavily.search(query=q, max_results=2) for r in response['results']: content.append(r['content']) return {"content": content}2. Writing NodeExtracts news summaries from the retrieved content.def writing_node(state: AgentState): content = "\n\n".join(state['content']) news = model.with_structured_output(News).invoke([ SystemMessage(content=WRITER_PROMPT), HumanMessage(content=content) ]) return {"drafts": news.news}3. Reflection NodeCritiques the generated summaries against the content.def reflection_node(state: AgentState): content = "\n\n".join(state['content']) critiques = [] for draft in state['drafts']: response = model.invoke([ SystemMessage(content=CRITIQUE_PROMPT.format(content=content)), HumanMessage(content="draft: " + draft) ]) critiques.append(response.content) return {"critiques": critiques}4. Refinement NodeImproves the summaries based on critique.def refine_node(state: AgentState): refined_summaries = [] for summary, critique in zip(state['drafts'], state['critiques']): response = model.invoke([ SystemMessage(content=REFINE_PROMPT.format(summary=summary)), HumanMessage(content="Critique: " + critique) ]) refined_summaries.append(response.content) return {"refined_summaries": refined_summaries}5. Headlines Generation NodeGenerates a short headline for each news summary.def heading_node(state: AgentState): headings = [] for summary in state['refined_summaries']: response = model.invoke([ SystemMessage(content=HEADING_GENERATION_PROMPT), HumanMessage(content=summary) ]) headings.append(response.content) return {"headings": headings}Building the UI with Streamlit# Define Streamlit appst.title("News Summarization Chatbot")# Initialize session stateif "messages" not in st.session_state: st.session_state["messages"] = []# Display past messagesfor message in st.session_state["messages"]: with st.chat_message(message["role"]): st.markdown(message["content"])# Input field for useruser_input = st.chat_input("Ask about the latest news...")thread = 1if user_input: st.session_state["messages"].append({"role": "user", "content": user_input}) with st.chat_message("assistant"): loading_text = st.empty() loading_text.markdown("*Thinking...*") builder = StateGraph(AgentState) builder.add_node("browser", browsing_node) builder.add_node("writer", writing_node) builder.add_node("reflect", reflection_node) builder.add_node("refine", refine_node) builder.add_node("heading", heading_node) builder.set_entry_point("browser") builder.add_edge("browser", "writer") builder.add_edge("writer", "reflect") builder.add_edge("reflect", "refine") builder.add_edge("refine", "heading") graph = builder.compile(checkpointer=memory) config = {"configurable": {"thread_id": f"{thread}"}} for s in graph.stream({"topic": user_input}, config): # loading_text.markdown(f"*{st.session_state['loading_message']}*") print(s) s = graph.get_state(config).values refined_summaries = s['refined_summaries'] headings = s['headings'] thread+=1 # Display final response loading_text.empty() response_text = "\n\n".join([f"{h}\n{s}" for h, s in zip(headings, refined_summaries)]) st.markdown(response_text) st.session_state["messages"].append({"role": "assistant", "content": response_text})ConclusionThis tutorial covered the entire process of building an AI-powered news summarization agent with a simple Streamlit UI. Now you can play around with this and make some further improvements like:A better GUI for enhanced user interaction.Incorporating Iterative refinement to make sure the summaries are accurate and appropriate.Maintaining a context to continue conversation about particular news.Happy coding!Also,feel free to follow us onTwitterand dont forget to join our75k+ ML SubReddit. Vineet KumarVineet Kumar is a consulting intern at MarktechPost. He is currently pursuing his BS from the Indian Institute of Technology(IIT), Kanpur. He is a Machine Learning enthusiast. He is passionate about research and the latest advancements in Deep Learning, Computer Vision, and related fields.Vineet Kumarhttps://www.marktechpost.com/author/vineet1897/Open O1: Revolutionizing Open-Source AI with Cutting-Edge Reasoning and PerformanceVineet Kumarhttps://www.marktechpost.com/author/vineet1897/Building an AI Research Agent for Essay WritingVineet Kumarhttps://www.marktechpost.com/author/vineet1897/Efficient Alignment of Large Language Models Using Token-Level Reward Guidance with GenARMVineet Kumarhttps://www.marktechpost.com/author/vineet1897/Chain-of-Associated-Thoughts (CoAT): An AI Framework to Enhance LLM Reasoning [Recommended] Join Our Telegram Channel
    0 Comments ·0 Shares ·119 Views
  • Yellowjackets Season 3 Premiere Review: Its a Feral Girl Summer
    www.denofgeek.com
    This review contains spoilers for Yellowjackets season 3 episodes 1 & 2.The third season of Showtimes Yellowjackets has left the harsh, unforgiving winter behind in favor of the warm comforts of summer, and with this change in seasons comes an incredibly strong dual episode season opener.The first episode begins with what looks to be yet another feral chase through the woods. It appears as though the young Yellowjackets have given in further to the calls of the wilderness since we last left them, and are still hunting each other to appease whatever mysterious forces they believe to be at work out there. But its all just a game, and we come to find out that the Yellowjackets seem to still be holding on to some semblance of civilization.Despite losing their cabin to Coach Ben (Steven Krueger) in the middle of winter, the young Yellowjackets have come back stronger than ever. Theyve crafted their own shelters, cultivated their own crops, and are hunting and raising game. Natalie (Sophie Thatcher) remains their leader, but Lottie (Courtney Eaton) still seems to have a spiritual hold over the group. They praise the sacrifices and miracles that led them to this point as they prepare to celebrate the summer solstice.Shauna (Sophie Nlisse), however, has become disenfranchised by the whole thing and all but refuses to participate. Unlike the others, she is angered and ashamed by what they did and doesnt believe that theyll be able to go back home, even if theyre rescued. In episode 2 she even goes so far as to move where her baby is buried to a secret place, not wanting him to be included in her teammates prayers and rituals.As good as Nlisses performance is in both of these episodes, and it is quite stellar, Steven Krueger is the true star. Even though the Yellowjackets have done their best to convince themselves that he didnt survive the winter on his own, we see him making his way through the woods, setting traps, and discovering a stash of MREs presumably hidden by one of the cabins previous residents.When he later captures Mari (Alexa Barajas) in the hole he dug to retrieve them, he utters a subtle, but creepy laugh that sends chills down the spine. Its clear that the girls and Travis arent the only ones who have begun to lose parts of themselves to the wilderness, and that setting the cabin on fire might not be the first or last time that Ben puts them in danger. This becomes even more evident when he ties Mari up after helping her out of the hole, not wanting her to go back to the others and tell them that hes alive. He denies that he set the fire, but knows that no one else will believe him, and later Mari hears him talking to himself. Ben is clearly still becoming unhinged, but Krueger plays it subtle enough that we can still hope that he hasnt totally lost his mind yet.In the present, the survivors, sans Lottie who is presumably still seeking mental health treatment, process Natalies (Juliette Lewis) death the best they can. Misty (Christina Ricci) isolates herself, even from Walter (Elijah Wood), blaming herself for the tragic events. She even goes so far as to start to act like Natalie, wearing a leather jacket she finds in her storage locker out while she gets drunk on whisky.Meanwhile, Shauna (Melanie Lynskey) and Callie (Sarah Desjardins) bond over smoking pot and standing up to bullies. Jeff (Warren Kole) is kind of alarmed by how much Shauna seems to be supporting Callie spilling guts on girls at school, but it seems like Shauna is excited to finally see some of herself, her true, more feral self, in her daughter. At least until Lottie (Simone Kessell) comes back into the picture in episode 2 and Shauna sees how interested Callie is in her. Not wanting her daughter to fall under Lotties spell, she asks Misty to come watch the two of them. A plan that works perfectly well until Callie spikes Mistys drink and knocks her out.But despite everyone in both timelines trying to find some semblance of normalcy in their lives, theres just enough creepiness woven in to keep us on edge. Callie finds a package with a mysterious tape addressed to Shauna on their porch. Shauna is haunted by a mysterious stranger in a restaurant bathroom. A relatively young waiter dies of a heart attack chasing Tai (Tawny Cypress) and Van (Lauren Ambrose) when they ditch their bill at a fancy restaurant, and not long after Tai sees the man with no eyes. In the past, the wilderness seems to scream at the Yellowjackets during their Summer Solstice celebration with eerie chittering, growling, and even a babys cry coming from the woods around them.After two seasons, we know that the series tends to build tension slowly over the season making us wonder whats real and what isnt as the Yellowjackets in the past and present do the same. While this season opener doesnt exactly reinvent the wheel, both episodes still serve as a strong, creepy start that has me intrigued and eager to continue watching. By this point, the shows writers know the right number of breadcrumbs to drop and how to keep viewers engaged, and these episodes are no different.Join our mailing listGet the best of Den of Geek delivered right to your inbox!This season of Yellowjackets might just be the most feral and wild season yet, and Im excited to be along for the ride. The Yellowjackets in the past and the present are on the verge of giving in to their more base desires. We see it in how Tai and Van have reverted back to teenage behavior in the present. We see it in how Shauna bites Mari during the Summer Solstice chase. We see it in Lottie and Travis ritual and desire to commune with the wilderness through drug-induced means.The show continues to make one wonder whether or not there are supernatural forces at work, or if its just overwhelming trauma and less-than-ideal coping mechanisms that have driven these survivors to worship the wilderness. Toeing the line between terrifying and realistic takes immense skill, and Yellowjackets has once again crafted a season premiere that will keep us guessing whats real and what isnt for the episodes to come.The first two episodes of Yellowjackets season 3 are available to stream on Paramount+ now. New episodes will premiere Fridays on Paramount+ and Sundays at 8 p.m. ET on Showtime.Learn more about Den of Geeks review process and why you can trust our recommendationshere.
    0 Comments ·0 Shares ·100 Views
  • The 20 Best Saturday Night Live Cast Members Ranked
    www.denofgeek.com
    The 50th anniversary of Saturday Night Live has reminded even lapsed and casual fans of their love for the sketch comedy institution. For 50 years, SNL has helped shape culture. Even when its contributions have been as small as a sketch you dont catch until the next day, it has offered multiple generations a rallying point for the laughter that fuels our souls. You may not even realize how powerful of a force SNL has been until someone brings up that one sketch or that one moment that made a mark on your life and left a smile on your face.Read more Saturday Night Lives cast has always been the heart of it all. That rotating collection of so-called not ready for prime time players has defined SNLs legacy. Along with the shows writers though they often performed double duty SNLs cast members created and performed those iconic moments that would have likely been limited to backroom theaters if it wasnt for this remarkable show. Some went on to superstardom while others simply moved on. Each is often remembered for what they did that one Saturday night.Today we celebrate the Saturday Night Live players by looking at the best SNL cast members ever. While a variety of factors went into these rankings, please note that they are based on each performers time on the show rather than their entire careers. Otherwise, youd have to argue for names like Robert Downey Jr., and nobody associates RDJ with SNLs greatness.20. Jon LovitzSandwiched between two beloved eras of SNL, the timeline of Lovitzs tenure is as darkly hilarious as some of the shows best sketches. He would have struggled to pick a worse time to join and leave the show in terms of SNLs cultural prominence and general quality.But from 1985 to 1990, Lovitz was one of SNLs most reliable players. Bolstered by his stable of memorable recurring characters, Lovitzs strange combination of awkward energy and underlying intelligence allowed him to play the punching bags and dirtbags SNL often relies on.19. Cecily StrongYou could argue that Strong is one of the most versatile and therefore often underrated SNL cast members ever. A jack-of-all-trades (shes even a great singer), Strongs adaptability often led to her disappearing into her characters in ways that may send you to Google to recall which sketches she starred in.But the girl you wish you hadnt started a conversation with at a party should ultimately be remembered as the kind of true sketch comedian that SNL has sometimes pivoted away from in pursuit of star power. Shes the kind of performer that SNL was always meant to showcase, and she always delivered in even the smallest of roles.18. Mike MyersMyers is a weird one. On the one hand, its hard to ignore the reports that Myers could be difficult to work with and may have craved the spotlight. For that matter, Myers biggest movies are arguably more culturally significant than the bulk of his SNL sketches. Even the original Waynes World sketches have been overshadowed by the movies at this point.Yet, Myers had a real gift for creating and playing the kind of big, catchphrase-based characters that SNL often looked for and needed at the time that Myers became a regular cast member. As a comedian, Myers had an earworm style that often made his segments the most talked about sketches where SNL used to matter most: water cooler discussions/sketch recreations on Monday mornings.17. Maya RudolphMaya Rudolphs recent SNL return run as Kamala Harris gave everyone a chance to realize that Rudolph was often underappreciated during her initial run as a main cast member on the show. Much like Cecily Strong, Rudolphs absurd range meant that she leaned towards the do it all style of sketch comedy rather than the kind of performances that sometimes define the before they were stars cast members.Yet, Rudolph always found ways to shine. Whether she was delivering a pitch-perfect interpretation of real-life figures like Oprah or giving the kind of musical performances typically reserved for Broadway shows, Rudolph had this remarkable way of adding just the right amount of sophistication and professionalism to even the material that nobody else could have made work quite as well as she did.Join our mailing listGet the best of Den of Geek delivered right to your inbox!16. Andy SambergWhile its easy enough to argue for Andy Sambergs talents as an on-screen performer, the significance of Sambergs filmed sketches elevates him over cast members like Will Forte and Jason Sudeikis who historically often occupied similar spaces.Even if you didnt necessarily consider yourself a Saturday Night Live fan around the time of Sambergs debut, you likely knew about videos like Lazy Sunday, Dick in a Box, and Best Friends. Sambergs style of comedy arrived at the perfect time for a new online age that emphasized the kind of comedy that he was uniquely capable of delivering. Hes a vital part of the shows evolution and continued relevance.15. Kenan ThompsonKenan Thompsons incredible 22-year run as a Saturday Night Live cast member will never be replicated. While he deserves all the love in the world for his longevity alone, Thompson is so much more than a lifetime achievement recipient.Along with being the best fake game show presenter that SNL has ever had (a considerable competition filled with all-time great comedic talent), Thompson has grown into the SNL style in ways that performers with shorter, brighter tenures never could. He has this truly remarkable way of fitting into every corner of the weird world SNL has gifted us while picking the perfect spots to truly stand out.14. Adam SandlerThis may be a controversial placement, but much like Mike Myers, Adam Sandler often existed in a universe that the rest of the cast simply visited from time to time. His wonderfully bizarre style ended up making him one of the most successful comedians ever, but it didnt always make him the most versatile Saturday Night Live cast member.But if you got Sandler in the way that so many kids of a certain age clearly got him, then his songs, sketches, and characters were often reason enough to watch Saturday Night Live. For some, he was the embodiment of nails on a chalkboard, but Sandlers post-SNL career has only solidified the brilliance that was often at the core of his most absurd antics.13. Bill MurrayBill Murray wasnt necessarily asked to replace Chevy Chase in the sense that he needed to fill the same shoes, but the timing of the latters departure and the formers arrival is noteworthy. Murray needed to step into the shows second season and convince viewers that Saturday Night Live was bigger than its already beloved starting cast.He did that by helping to pave the way for the next 10+ years of comedy. SNL wasnt necessarily Murray at his absolute best, but that dry yet manic comedy that would eventually help Murray become a legend is often on display in these early SNL sketches that both fit perfectly into what the series was and helped show all the things it could grow to be.12. Kristen WiigKristen Wiig is a comedic miracle. Her star-making role in Bridesmaids showed that she is more than capable of taking on the kind of lead roles that sometimes retroactively separate the Saturday Night Live stars from the rest of the players. Yet, Wiigs true gift to the world was her willingness to give her absolute best to every character and every sketch.Wiigs ability to go from 0-10 while playing characters that arent nearly as funny on paper as she ends up making them often broke her fellow cast members. She has this almost casually unassuming nature that always lures you into a lull before she unleashes her incredibly physical comedy and perfect delivery.11. Dana CarveyCarvey is one of those your favorite comedians favorite comedian kind of performers. Every comedian of a certain age with a podcast or platform has shared some story about how Dana Carvey once said something that made them laugh the hardest theyve ever laughed. Quite a few have admitted to stealing one of his bits, and many more have likely stolen them without admitting to it.As a Saturday Night Live cast member, Carvey often delivered nearly perfect comedic renditions of real-life figures or created characters that felt so lived-in the moment they appeared on-screen that they might as well have been based on real people. While his improvisational nature occasionally forced those around him to stay on their toes, it also allowed Carvey to break during the shows darkest days.10. Chris FarleyFarley was obviously inspired by another Saturday Night Live legend well discuss shortly, though his association with that icon is more of a cultural Did You Know? than an asterisk on his own legacy. Farley is about as beloved as an SNL cast member can be.A creature of pure comedic energy, Farley is best remembered for his willingness to do pretty much anything for a laugh. While that usually meant breaking things and yelling (two acts Farley excelled at), Farleys most enduring and underrated quality was his ability to generate sympathy by playing that awkward kid in a big goofy body that he so often was even when the camera wasnt rolling.9. Tina FeyWhile Fey isnt necessarily known for her traditional Saturday Night Live sketches (though shes been in quite a few great ones over the years), her work behind the desk of SNLs Weekend Update segments made her an on-screen legend. Fey not only helped make those segments as funny as they have ever been; she helped truly revive the Weekend Update concept and make it the cornerstone of the show its been ever since her tenure.But Feys work in the writers room makes her an SNL legend. Fey helped SNL move past a very star-driven time for the show and gave a ton of new names the kind of intelligent, fresh, and often pleasantly weird kind of material they needed to forge their own legacy while furthering what SNL was always meant to be.8. Gilda RadnerSelfishly, its hard not to wonder what could have been for Gilda Radner had she not tragically passed away at the age of 42. While Hollywood struggled to utilize Radner following her Saturday Night Live departure, nobody who knew anything about comedy doubted that Radner was the right opportunity away from once again doing what she had always done: breaking barriers with the sheer force of the laughter she inspired.Radner is undoubtedly one of the most influential female comedians in television history. Her work paved the way for nearly every female SNL cast member that followed and quite a few female comedians who never even stepped foot in Studio 8H. Shes more than that, though. Watch those older SNL episodes, and you may be surprised by how many of the biggest laughs dont come from the performers who later became movie megastars but from the incorporable Gilda Radner.7. Dan AykroydModern Dan Aykroyd is dangerously prolific, far removed from his last big comedic hit, and, lets face it, a giant weirdo. As such, its easy to forget what a titan of comedy he once was and just how much he helped shape what Saturday Night Live eventually became.As a performer, Aykroyd was the best character worker of the shows early days and one of the best in the shows illustrious history of such comedians. His ability to bring even the most outlandish character concepts to life led to The Blues Brothers and Coneheads of all things getting major motion pictures. As a writer, he helped shape that youthful, offbeat, inexplicable, yet undeniable style that SNL eventually became known for.6. Kate McKinnonWhile many Saturday Night Live cast members could certainly be described as strange (I dont know if youve ever met a professional comedian, but), few performers rival Kate McKinnon in that arena. Its like the leader of some great comedic civilization realized the core of their planet was about to explode, so they sent their only daughter to Earth with the instructions to watch over us and make us laugh.McKinnons willingness to explore the oddest places just to find that thing that will make you laugh is surpassed only by her ability to do so time and time again. Her almost Gollum-like lust for a smile is made all the more impressive when she is asked to portray an array of real-life figures and does so with shocking accuracy without ever sacrificing a gag. She could have stolen the show in any era of the show but happened to join the cast just when they needed someone like her most.5. John BelushiThe aforementioned inspiration for the great Chris Farley was exactly what Saturday Night Live needed out of the gate. Amongst a cast of undeniable comedic geniuses who were nonetheless pushing a strange strange style of humor, Belushi was a wrecking ball who delivered the big laughs that anyone and everyone could immediately fall in love with.Belushis shot out of a cannon lifestyle and performance style may have caught up with him, but he only needed 33 years on this planet to forge a legacy that often transcends any individual piece of work he participated in. Still, those early SNL episodes remain the most generous examples of the genius that made Belushi synonymous with comedy.4. Phil HartmanAffectionately known among the Saturday Night Live crew as The Glue, Hartman really did have a remarkable ability to keep the show together when everything should have been falling apart. Even when he was working with some of the greatest performers of his generation, Hartmans unselfish nature and ability to adapt to absolutely everything made everyone around him look like the brightest stars.Go back and watch a lot of the sketches Hartman was involved in, though, and youll find that he is often the sometimes subtle standout. His slick and smiling form of comedy wasnt ahead of its time so much as it was a timeless style made to feel fresh by virtue of his presence and delivery. When Hartman allowed himself to step in the spotlight as he did in the shows all-time great Unfrozen Caveman Lawyer sketch, he revealed the kind of talent that allowed him to stand shoulder to shoulder with giants. Mostly, though, Hartman elevated even the very best.3. Bill HaderBill Hader has said that he occasionally suffered from panic attacks and stage fright when he was on Saturday Night Live. Look closely enough (even a glance will sometimes do), and youll spot signs of Haders nervous energy and tendency to break. Over 8 seasons as an SNL regular, though, Hader transformed that struggle into an asset that helped make him one of SNLs most likable, versatile, intelligent, and downright funny performers ever.Haders gift at perfectly impersonating the oddest collection of famous figures was more than enough to get his foot in the door. Once he was in, though, he showcased an even more remarkable ability to make the kinds of gags that comedians pull on each other when theyre trying to get a laugh on the biggest stage. Hader had the rare gift of bringing anyone into the most inside of jokes and making them feel like they always belonged there. As his career evolves, people confess that they didnt know he had his latest accomplishment in him. Take another look, though, and youll see all of his considerable talents on full display in Studio 8H.2. Eddie MurphyYou have to believe that Eddie Murphy would have eventually become a star no matter what. As one of the funniest people who has ever lived, you at least want to believe that someone would have eventually given Murphy a shot at stardom. And yet, it was the Saturday Night Live team that recognized that 19-year-old Eddie Murphy was a savant who needed to be on TV as soon as possible.When SNL appeared to be dead in the cultural waters, Murphys unmissable comedic power made it must-see TV. Even when he caught flak for being the first active member of the cast to also host the show, those who knew Murphy said that he did everything in his power to share the spotlight. While Murphys career grew far beyond the boundaries of SNL, hes the kind of talent that the show was always meant to offer a stage to.1. Will FerrellAs opposed to those often annoying comedians who are always on, Ferrell is the rare kind of comedian who is simply effortlessly funny. Watch him when hes not even trying to perform and youll find the same thing that made him a remarkable performer: a calm, almost everyman demeanor that either transforms into absurdity in the blink of an eye or casually delivers the funniest thing youve ever heard.Presence is worth a lot in comedy, and however you define it, Will Ferrell has it. Even though his physical and comedic presence made him the focal point of just about every sketch he has starred in, he is somehow able to work alongside everyone in a way that always commands attention rather than demands it. Its hardly a surprise that Ferrells rise to superstardom saw him essentially play the kind of SNL characters that he blessed us with every week in a format that could both barely contain him yet often felt like the perfect home.
    0 Comments ·0 Shares ·88 Views
  • AOMD refurbishes rural home using locally sourced waste
    www.architectsjournal.co.uk
    Hop Cottage was originally the working rooms for a conical Oast next door but was converted into a two-bedroom family home in the last century. AOMD has completed a small-scale intervention inspired by the landscape and working within the constraints of its Area of Outstanding Natural Beauty site.Taking a minimal approach while enhancing the envelope of the original Surrey house, the use of locally sourced waste components drove its design.The plan has been reworked to remove an existing conservatory and establish a new central entrance. The original homes timber-clad living room has been enlarged and new propagation window added to support the clients passion for gardening.AdvertisementAn L-shaped extension replaces the dated, underperforming 1990s conservatory, which was resold, its footprint adapted to separate the steeply terraced garden to create three distinct garden rooms. Each of these has a sense of privacy formed through subtle angles in plan and a new chimney mediating between interior and exterior.A landscape design that creates different environments to encourage biodiverse species to thrive was one of the key drivers of the scheme. To the east, the steep site has been reconfigured to make a sunken courtyard for indigenous ferns, bird cherry and tropical begonias, while, to the west, a lower terrace has been created for soft wild grasses.To the north is an espalier wall to a small orchard and kitchen garden. This replaces a hardstanding, converting a large portion of the lawn to vegetated garden while working to shore up the garden against potential subsidence.Referencing Edwin Lutyens many extensions and Mackintoshs Hill House, sustainable and locally sourced waste materials have been used for the interior palette to add tactility and allow the new addition to engage with the historic structure.The project was self-built over 18 months by the clients on a budget of 70,000. Local waste streams were identified to minimise landfill: the conservatory was carefully removed and resold; the existing slab retained; the sites retaining structure was built using demolition waste; timber framing sourced from a local builders merchant; standard profiles used only; and rejected bricks used, sourced from within 10 miles.AdvertisementArchitects viewHop Cottage demonstrates the value of local collaboration, and how the careful reuse of material resources can be deftly and economically integrated in projects in a historic rural contexts. It reveals the potential for the development of a contemporary local vernacular.The project was built over an 18-month period by the owners on a shoestring budget of 70,000. By adopting a self-build approach, we worked in close collaboration with the owners to ensure re-use of materials, prioritising locally sourced and environmentally considered solutions throughout the process.The extension only slightly increases the footprint of the former conservatory, working predominantly within the existing house. We worked with the clients to identify local waste streams, which then drove the concept and spatial design for reconfiguring the scheme. To minimise landfill, an existing conservatory was removed and resold, with the new extension designed to sit on the existing slab, whilst the retaining structure to the steeply sloping site was constructed from the demolition materials.Timber framing was sourced from a local builders merchant, selecting standard profiles requiring minimal customisation, and we achieved a waterstruck-esque finish using the back, rough face of a cheaper brick type sourced from a yard specialising in rejects/over orders from larger sites 10 miles away. The design approach we adopted illustrates the value of local collaboration, resourcefulness, and innovative thinking within the constraints of an Area of Outstanding Natural Beauty.In developing a scheme which enables the residents to consider their future mobility needs within their home, we worked with the owners to adopt a self-build approach to construction, and to use materials and fittings with long life in mind. Internally, the layout has been opened up to afford constant connection to the landscape beyond; there is an architectural playfulness in the edges between interior and exterior.Michael Dillon, director, AOMDProject dataStart on site September 2023CompletionNovember 2024Gross internal floor area 123m2 (existing house), 23m2 (extension)Form of contractTraditional, self-build by clientConstruction cost 70,000Construction cost per m2 2,500Architect AOMDExecutive architect Michael DillonClient PrivateDesign life 60 yearsEmbodied/whole-life carbon 448 kgCO2eq/m2, 354 kgCO2eq/m2 (including sequestration)
    0 Comments ·0 Shares ·109 Views
  • Marvel Rivals Dev Talk 12 reveals Season 1 rewards are here to stay in new update
    www.videogamer.com
    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 hereMarvel Rivals has addressed a surge of player feedback on its competitive season structure in a series of dev talk blogs that have piqued the communitys interest. Recent conversations in Dev Talk Vol.10 indicated a large mid-season half-rank reset for the current Season 1, which sparked early fears among players. The concept aimed to reduce player ranks by four divisions on February 21, 2025, while also adding new heroes such as The Thing and Human Torch and making substantial balancing changes.However, the pushback was fast and loud, with players voicing their dissatisfaction across several platforms, underlining the demotivating nature of regular rank resets. The communitys answer was clear: the strain of advancing the rankings twice in a single season did not make sense.Responding to this input, NetEase took an unusual move by reversing their decision in less than 24 hours via Dev Talk Vol.11. Instead of a reset, players would keep their ranks from the first half of the season, requiring only 10 matches in Competitive mode to qualify for new awards. Now, a new Dev Talk Vol.12, has been released which promises more good news for the player community. Save Up to $1,200 on the Samsung Galaxy S25! Pre-order now and save big with trade-in and Samsung credit. Limited time only! *Includes trade-in value + $300 Samsung credit. Marvel Rivals announces two free competitive skins for players in new updateTwo free Competitive skins in Marvel Rivals Season 1. Image by VideoGamer.Marvel Rivals has released a new Dev Talk 12 blog on their website, talking about Seasonal Rewards that players can get with the February 21 update for Season 1: Eternal Night Falls. The devs said, After the recent Dev Talk on rank adjustments, we have been closely monitoring the communitys feedback. As the first half of Season 1 draws to a close, we recognize that some players are concerned about not having enough time to reach Gold rank and earn the Invisible Woman costume, Blood Shield reward. We have decided to make some adjustments to the reward system to accommodate and help support these players Must-Listen: Publishing Manor Lords w/ Joe Robinson VideoGamer Podcast Listen Now The adjustments made are as follows:The first half of the season will conclude on February 21, 2025, at 8:00 AM (UTC+0). Eligible players will receive their respective rewards, allowing them to enjoy the fruits of their hard work ahead of time.The Gold rank costume rewards for the second half of the season will include:the Invisible Woman costume, Blood Shield, from the first half of the season, and the brand-new Human Torch costume, Blood Blaze, for the second half of the season. In order to claim both rewards, players must participate in at least 10 competitive matches during the second half of the season and reach Gold rank or higher. Keep in mind, this is the last opportunity to earn these costumes, as they will be replaced with new rewards in Season 2.The Crest of Honor rewards will remain separate for each half of the season. This means that the Crests of Honor for the first half of the season can only be earned during that period, while the Crests of Honor for the second half of the season can only be obtained within its respective timeframe.This shows the commitment by NetEase towards the Rivals player base as they will receive not one but two Fantastic Four skins for free by grinding in the games competitive mode. While youre working hard to unlock these two skins, check out how to get free Mister Fantastic and Invisible Woman Valentines skins as well.Marvel RivalsPlatform(s):macOS, PC, PlayStation 5, Xbox Series S, Xbox Series XGenre(s):Fighting, ShooterRelated TopicsMarvel Rivals Subscribe to our newsletters!By subscribing, you agree to our Privacy Policy and may receive occasional deal communications; you can unsubscribe anytime.Share
    0 Comments ·0 Shares ·104 Views
  • What In Blender Needs a GPU?
    www.blendernation.com
    What In Blender Needs a GPU? By Michael Bridges on February 14, 2025 3D News Ever wondered where a powerful GPU truly shines in Blender? Michael Bridges dives deep into the specifics, helping you optimize your hardware for the best performance.Does Blender need a powerful GPU? Yesbut only in the right areas. In this video, I break down exactly where a GPU makes a difference and where it doesnt, so you can optimize your hardware for the best performance.Ever wondered what your GPU actually does in Blender? You might have upgraded your graphics card, expecting massive performance improvements, only to find things still running slower than you'd hoped. Today, Im diving into exactly how Blender uses your GPUand where it doesntso you can make informed hardware choices and optimize your workflow.We start by breaking down RAM vs. VRAM and how each plays a role in performance. While VRAM is crucial for handling textures, rendering, and viewport performance, running out of it can slow things down significantly. I also demonstrate how different Blender tasks impact memory usage, showing real-time examples of how VRAM and system RAM are allocated.Next, we explore viewport performance, highlighting when the GPU helps and when it doesnt. While rendering modes like Material Preview and Cycles benefit from GPU acceleration, solid and wireframe views remain CPU-driven. I also test sculpting to reveal that while the viewport may get a small boost from a good GPU, the actual vertex manipulation is entirely CPU-based.Rendering, however, is where a strong GPU shines. I show a direct comparison between CPU and GPU rendering times, proving how crucial GPU acceleration is for faster rendersespecially for animations. But simply having a powerful GPU isnt enough; I also guide you on enabling the correct settings to ensure Blender is actually using it.We then move on to animations, compositing, and geometry nodes, revealing which tasks are GPU-heavy and which remain CPU-bound. Modifiers and geometry nodes, for example, mostly rely on the CPU, but viewport performance benefits from a good GPU when working with textured scenes.Textures and environment lighting can also have a major impact on performance. I demonstrate how high-resolution textures quickly eat up VRAM, slowing down renders if Blender has to offload them to system RAM. Similarly, large HDRI environments can take a toll on memory, affecting both real-time lighting and rendering efficiency.For simulations and VFXsuch as smoke, fire, water, and clothBlender is fully CPU-dependent, meaning a better GPU wont speed up these calculations. I show live examples of how increasing simulation resolution slows down playback and why pre-baking simulations is essential for smooth performance.Finally, I touch on Blenders Video Sequence Editor, which does not benefit from GPU acceleration. Since all video decoding and effects are CPU-driven, editing high-resolution footage in Blender can be frustrating without proxies. I explain how this process works and why a dedicated video editing software like DaVinci Resolve might be a better choice.So, does Blender need a powerful GPU? The answer is yesbut only in the right places. Rendering, materials, and lighting see massive improvements, but simulations, modeling, and video editing remain mostly CPU-bound. If you've ever struggled with performance in Blender, what was your biggest bottleneck? Let me know in the comments, and dont forget to like and subscribe for more tech insights!
    0 Comments ·0 Shares ·118 Views
  • Unity. Strange behavior of parameters
    realtimevfx.com
    Hello community!I faced with something not abvious during making a vertex animation in shader graph.The goal is to bend texture as more as faster object is moving. I took a speed of game object by the script ((current position - previous position)/Time.deltaTime) and returned its value in the material property which use in shader further.And when the object starts to move my texture starts to bend but with jerky behavior. I expect increasing value from 0 to some positive maximum. But sometime, at some frames its jumping up or falling down. All my tries to smooth or clamp values didnt give a result. Then I decided to look at values of the speed that I got from the script. I found that it changing not linier. You can find it on the graph (attached).At first I thought that my speed getter should be in FixedUpdate method. But change the method didnt give a result.And here is a question. Whats a reason of this behavior of values can be? And how to fix it and to get a smooth values exact as objects movement?Thanks a lot!
    0 Comments ·0 Shares ·108 Views