The biggest semantic mess in Futhark

**Posted on September 26, 2025**

The original idea behind Futhark was that parallel programming (of certain problems) does not require a complicated language. Indeed, we believed that there was little need for the complexity to exceed that of the functional languages commonly taught to first-year students at universities. (The complexity of parallel algorithms is another matter.) Overall, I think Futhark has succeeded at that.

The meaning of a Futhark program is fairly easily determined using normal environment-based semantics; even tricky things like uniqueness types are mainly complicated in an operational sense, and to some extent in the type system, the meaning of a program (once it type checks) is obvious. This semantic simplicity is also evident in the implementation. While the compiler has lots of complicated optimizations and sophisticated transformations, the reference interpreter is largely straightforward and quite similar in structure to how a person studying programming languages would write their first tree-walking interpreter.

You will note that the above paragraph is full of words like *overall*, *largely*, and *fairly*. This is because there is one language feature that has proven a particularly fertile ground for edge cases and implementation bugs. That feature is **size types**.

In the following, I will explain why a seemingly simple type system feature has proven so surprisingly challenging.

### Size Parameters

To recap the basic idea, size types allow Futhark functions to impose constraints on the sizes of their parameters. A simple example is a definition of the dot product, which takes two arguments that must be vectors of the same size.

Here, *n* is a size parameter that is implicitly instantiated whenever the function `dotprod` is applied, based on the concrete arrays it is passed. This by itself is not so difficult. Sizes can easily be incorporated into a type checking algorithm by treating them as types of a different kind — the details do not matter, just take my word that it’s fine. (Writing blog posts is easier than writing academic papers.)

The main trouble arises when we introduce the ability to use sizes as term-level variables, like, for example, the definition of `length`.

When a size parameter is in scope, it can be used in expressions. Unsurprisingly, the value of a size parameter is the size of the corresponding dimension in some array. What is interesting is that we can access the size of `x` without actually mentioning `x` itself.

Intuitively, we can imagine that the concrete value of *n* is determined at run time by actually looking at `x` (say, by counting its elements), and for now this intuition holds.

But now let us consider what happens for a function that takes the number of columns of a matrix (the inner length):

“`futhark
cols (mat: [n][m]a) = m
“`

There are now two size parameters, *n* and *m*, and we retrieve the latter.

This case is a little more challenging when *n* is zero, as we cannot simply retrieve a row and look at it to determine *m* because there are no rows. Yet an expression such as

“`futhark
cols (replicate 0 (replicate 3 0))
“`

should still work (and evaluate to 3).

This means we need to extend our notion of how the values of size parameters are determined since it cannot be done by looking at the syntactic form of an array value and counting the elements (since `replicate 0 (replicate 3 0)` really is just written `[]`).

### Shape Annotation of Arrays

The solution is to extend our (conceptual and perhaps even concrete) array representation such that an array always carries a **shape** with it, in addition to its actual elements.

Then, intuitively, to determine the value of some size parameter, we still look for values (such as `x` above) that have that size somewhere and extract it from those values.

But now, perhaps unwittingly, we have picked a difficult fight.

The problem is that we sometimes have to create multidimensional arrays without having any example of an element! Yet we still somehow have to conjure up the right shape for the array.

As an example, consider the `map` function, of the following type:

“`futhark
val map [n] ‘a ‘b : (f: a -> b) -> (as: [n]a) -> [n]b
“`

The element type of the returned array is given by the return type of the function `(f)` we are mapping with. But if we are mapping over an empty array, then `f` may never be applied:

“`futhark
map (\(x: i32) -> [x, x, x]) []
“`

How, then, are we supposed to determine that the shape of this empty array is actually `[0][3]`?

When the array is constructed inside `map`, all that is known is that the outer size is *n* (which is known to be 0), and that the element type is some `b`, but we have no value of type `b` we can use to determine what the shape may be! We do have a function `a -> b`, but we also have no `a`; all we have is an array of type `[0]a`, which clearly does not have any elements inside of it.

### The Idea of Shapely Functions

One solution to this problem is due to Barry Jay and explained in the paper *A Semantics for Shape*.

The idea is that any **shapely function** can be evaluated normally (with a value, producing a value) or with a shape, producing a shape. A shapely function is therefore one where the shape of the result depends *only* on the shape of the input, which rules out functions such as filtering, where the result shape depends on the values as well.

This by itself is no problem to Futhark, as we only want to allow mapping with functions that have a predictable result to avoid irregular arrays.

Using this approach requires us to have two ways of applying a function: for **value** and for **shape**. This is a slight semantic complication, but perhaps we can live with it.

But we also have to get the input shape from somewhere, and in the case of `map`, all we know is that the input has type `a`.

### Using Instantiated Type Parameters

Things could be made to work if, whenever a function is invoked, we also receive the concrete shapes of values of type `a` (assuming this is possible, but because `a` is used for array elements, we know it must have a meaningful shape).

But if we do that, then why not just take the shape from `b` instead and avoid this entire business of shapely functions?

And indeed, this is the Futhark evaluation model. At any time, a polymorphic function can inquire about the concrete type that a type parameter has been instantiated with and extract a shape if necessary.

This can then be used to annotate any constructed arrays with their full shape.

Note that this is a model: the interpreter does it this way because the interpreter is intended to closely mirror the model, but the actual compiler does not, of course, do it literally this way, as type parameters do not exist at run time. It just has to do it in a way that produces the same result. (In practice, it does monomorphisation.)

### Troubles

We didn’t do it this way because it was easy. We did it because we thought it would be easy.

Sadly, it has turned out to not be easy.

The basic problem is that we now have an obligation to always know the full shape of any type at all times (except for those types that can never be used as array elements, but let us leave those aside for now).

This turns out to require machinery more intricate than standard environment-based evaluation.

The fundamental problem is pretty obvious: we need to also evaluate **types** along with expressions, just in case they are eventually used to construct an array, and types occur in various unexpected places.

For example, consider a module that defines some local binding `cnt` and a size-parameterised type that refers also to `cnt`:

“`futhark
module M = {
let cnt = 5
type C [n] = [n][n * cnt]i32
}
“`

The usual way definitions of polymorphic types such as `type C [n] = …` works is that they are added as type constructors to a type environment and then instantiated when used.

Now, `M.C [n]` by itself does not have a shape, since *n* is not yet known. At some point in the future, we may end up with an instantiation `M.C [k]` for some concrete *k*, and when that happens we can then compute the shape of the type, which will be `[k][k * M.cnt]`.

But there is no guarantee that `M.cnt` is actually in scope — it may be some hidden definition inside the module `M`, and even if it isn’t, it’s difficult to go from an expression `n * cnt` and give it a meaning in a different scope than it was originally defined in.

Since Futhark is a pure language, we could, as soon as we interpret the type definition of `C`, substitute the result of evaluating `cnt` into its right-hand side.

But this is also uncomfortable: it’s a syntactic operation, and while substitution-based semantics are fairly common in theoretical work, they are undesirable in implementations because they are quite inefficient. While the expression `n * cnt` is small, others may be large.

### Type Constructors as Closures

Our solution is that a type definition captures not just the right-hand side of the definition, but also its environment — that is, type constructors are **closures**.

When at some point in the future we finally instantiate `M.C` and have a `k` value for `n`, we extend the captured environment with a binding `n => k` and evaluate all the expressions in sizes.

This is a very strange implementation that took us quite a while to work out. If I had more experience implementing dependently typed languages, then perhaps I would not find it so weird, as it really just makes type constructors similar to functions, which they would be in a fully dependently typed language.

### Takeaway

Size types have proven to be a rich source of complexity in the design and implementation of Futhark, despite their initial simplicity.

Handling shapes, sizes, and type-level computations requires intricate machinery and careful design decisions.

However, these challenges are also what make Futhark powerful and expressive for parallel programming with precise size constraints.

Understanding these subtleties brings us closer to developing robust, efficient, and predictable parallel programs.

Thank you for reading!
https://futhark-lang.org/blog/2025-09-26-the-biggest-semantic-mess.html

Roll up, roll up: the Burnie Show is back with full-on fun for families

**Free Two-Day Music Workshop for Young People**
Are you aged 16-25? If yes, then you need to be a part of this free two-day music workshop for young people at the new Burnie Arts Centre. It will be two full days of music making, conversation, and connection.

Break open your ideas and turn them into full songs. Explore how lyrics, melody, and structure work together. Work through creative blocks and find new ways to write. Get real about booking gigs, building an audience, and releasing your work. Share your songs and hear how they land.

Led by nationally recognized facilitators from The Push, a national youth music training organisation, with support from Music Tasmania. Spots are limited. For more information and registration, visit the Burnie Arts Centre website.

### Burnie Show and Agri-Expo | October 3-4
The first weekend of October, the Burnie Show and Agri-Expo will take over the Agriplex at Romaine. The event features a wide array of attractions, including a country fashion show and a battle of the bands that draw visitors from across the region.

Tickets are available online.

### Annual Spring Show Spectacular | October 3-5
The Devonport Orchid Society Inc. Annual Spring Orchid Show Spectacular will be held at Maidstone Park Memorial Hall, Main Road, Spreyton, from October 3 to 5. This event features Australian native and exotic orchids, alongside a floral art show.

Enjoy orchid potting demonstrations, advice, floral art posie sales, orchid plants and bark sales, and a monster raffle with marvellous prizes.

Opening hours:
– Friday, October 3: 2pm to 5pm
– Saturday, October 4: 9am to 4:30pm
– Sunday, October 5: 9am to 3pm

### TASART Exhibition | October 3–25
The Burnie Coastal Art Group presents TASART, now in its 47th year. This exhibition is a competition with donated prizes each valued around $1,000, and a major prize of $5,000.

The exhibition opens with a cocktail party on October 3 at 6pm at Burnie Coastal Art Gallery, 211 Upper Mount Street, Burnie. Tickets are $30 and can be purchased from the BCAG website.

### Suitcase Rummage Market | October 4
For thrifty, sustainable, and organic lovers! Join the Waratah-Wynyard Council for the Suitcase Rummage Market at The Don, 26 Goldie Street, Wynyard, from 10am to 2pm.

Explore a diverse range of vendors offering organic produce, handmade crafts, upcycled products, and eco-friendly goods. For more information, contact Natalie on 0419 334 218.

### Coastal Pathway Ultra | October 5
Tasmania’s first running event of its kind, the Coastal Pathway Ultra, starts and finishes in Latrobe. This unique race follows the scenic Coastal Pathway through three municipalities, showcasing Tasmania’s North-West Coast’s breathtaking natural beauty.

Distance options: 64km, 42.2km, 21.1km, and 10km — suitable for ultra-athletes and beginners alike. Whether chasing a personal best or soaking in the views, this event offers a one-of-a-kind experience.

To enter, visit the official event website.

### Dutch Fest | October 5
Celebrate Dutch heritage at Hiscutt Park, Penguin. The event starts at 3pm and includes Dutch donuts, poffertjes, cheese tastings, a bicycle decorating competition, traditional Dutch games, music, and face painting.

Entry is free. The event is sponsored by De Bruyns Transport.

### Tunes in the Tulips | October 5
Join the celebration of live music, local flavours, and fun for all ages at the Table Cape Tulip Farm from 2pm to 5:30pm.

Enjoy delicious local produce, grab a drink from the bar, and groove to performances by KARAI and The Bad Dad Orchestra.

Tickets are available online.

### Illusionist Anthony Street Magic Show | October 6
Step into a world of wonder with Illusionist Anthony Street in a thrilling magic show crafted for all ages. Anthony, creator and star of the world-famous Celtic Illusion, will dazzle you with breathtaking illusions, mind-bending magic, and boundless charisma.

Experience traditional magic blended with modern spectacle for a heart-pounding and heartwarming show.

Tickets can be purchased via the Burnie Arts website.

### Claws on the Line Workshop | October 6-7
These school holidays, Burnie Arts hosts creative workshops with local artist Jen Sweeney, in partnership with the Bookend Trust. Designed for primary school-aged children, sessions will help develop drawing skills and teach about Tasmania’s Central North Burrowing Crayfish.

Kids can create artwork to enter the Claws on the Line art competition. Bookings are essential.

### Speedcubing Event | October 11
Calling all puzzle enthusiasts! Come to the Burnie Library for a speedcubing event from 10am to 12pm. Speedcubing is the sport of solving Rubik’s Cubes and twisty puzzles as quickly as possible using various solving methods and algorithms.

Spectators and learners alike are welcome to watch or participate.

### Nature Book Week Author Event | October 11
Join local author Alaynah Hensens at the Devonport Library at 11am for a reading of her new story, *The Whale and the Astronaut*, to celebrate Nature Book Week.

The free event includes a reading, Q&A, and printed photos and colouring-in pages created by Devonport artist Bee Naree. This beautifully illustrated book introduces children to local ecological issues.

### Death Cafe | October 12
The worldwide initiative, aimed at sparking conversations about death and encouraging reflection on life, comes to Penguin.

The secular gathering at the Reseed Centre runs from 10am to 12pm with unstructured conversations over tea, coffee, and cake. Entry is by donation. Registration is essential. Contact 0428 584 739 to reserve your spot.

### Wynyard Tulip Festival | October 11
Celebrate spring at the 33rd Wynyard Tulip Festival on Tasmania’s stunning North-West Coast. Special guests include Josh “Pezza” Perry (2024 MasterChef Runner-Up) and Hannah Moloney (ABC Gardening Australia Host).

Festival Highlights:
– Free shuttle bus to and from the Tulip Farm
– Helicopter rides over tulip fields and coast
– Thrill rides, food vans, local art and market stalls
– Live music from morning till night
– Fireworks finale at 9pm

Bring your family, friends, and camera for a full day of fun and festivities. For updates and program details, visit wynyardtulipfestival.com.

**Stay Updated with The Advocate**
Get the latest news, special reports, and event updates from your region and beyond by subscribing to The Advocate newsletters and alerts. Whether interested in daily news, sports, travel, or special reports, there’s something for everyone.

For more information and ticket bookings, please visit the respective event websites or contact the listed organizers.
https://www.theadvocate.com.au/story/9077096/what-events-are-happening-on-the-north-west-coast-in-october/?src=rss

EXCLUSIVE: How Prince Harry Was Blocked From Getting His ‘Dream’ Tattoo — After He Was Spotted at Inker’s Parlor in New York

**Prince Harry Nearly Got His ‘Dream’ Tattoo on a Wild Las Vegas Trip, New Details Reveal**

*Published Oct. 1, 2025, 7:40 p.m. ET*

Prince Harry once came close to getting his “dream” tattoo during a wild trip to Las Vegas — a story RadarOnline.com can now reveal has resurfaced after he was recently seen taking part in a tattoo stunt at a New York parlor.

Harry, 41, recounted in his memoir *Spare* how, during a notorious 2012 trip to Nevada, he was determined to commemorate the holiday with a permanent mark of ink. Egged on by alcohol and the rush of freedom, he settled on the idea of a map of Botswana on the sole of his foot.

### A Tattoo Plan Born in Sin City

However, his friends quickly intervened, insisting that no prince should wake up with a permanent reminder of a night out in Sin City. A source close to the duke shared, “Harry genuinely wanted the tattoo — to him, it symbolized both his connection to Botswana and living in the moment. His friends, though, saw it as a bad idea and stepped in, convinced he’d regret it later.”

In *Spare*, Harry described how he debated the placement of the tattoo. The shoulder was “too visible,” the lower back “too provocative,” but the sole of his foot seemed perfect. “Layers upon layers of symbolism,” he wrote, recalling how he wandered down the Las Vegas Strip looking for a parlor with an atlas of Africa.

### Friends Put Their Foot Down

Despite his enthusiasm, his friends had other ideas. “Absolutely not,” they said, even threatening to “hold me down, knock me out, whatever it took” to stop him. In the end, Harry abandoned the plan and instead joined his entourage in a nightclub, admitting to sulking over the missed opportunity.

### Ink Fascination Resurfaces in New York

More than a decade later, Harry’s fascination with body art has not diminished. Last year, he was spotted entering East Side Ink in Manhattan alongside American country star Jelly Roll, sparking speculation he had finally gone through with the tattoo.

It later emerged, however, that the scene was staged as part of a promotional sketch for the Invictus Games Vancouver Whistler 2025. In the short film, Jelly Roll jokingly inks Harry, who pretends to be getting his first tattoo.

The prank highlighted the royal exile’s playful side but also revived memories of that infamous Vegas trip. Another insider commented, “The stunt brought back memories of Harry’s long-standing curiosity about tattoos. Even though it wasn’t real, it reminded people of that night in Las Vegas when he nearly went through with it.”

### A Dream Deferred, Not Forgotten

Harry’s 2012 weekend in Nevada is remembered more for scandalous photographs leaked from a game of strip billiards than for his unfulfilled tattoo dream. Yet his memoir underlines how seriously he had considered it at the time, describing the tattoo as a symbol of his independence.

Though he never went through with the Botswana design, Harry admitted the idea lingered. *“The tattoo could wait till the next day,”* he recalled in *Spare* — though that day has not come… yet.
https://radaronline.com/p/prince-harry-blocked-dream-tattoo-new-york-parlor/

SK Hynix shares hit multidecade highs, Samsung also surges as chipmakers partner with OpenAI

Shares of South Korean semiconductor giants Samsung Electronics and SK Hynix surged significantly on Thursday, following the announcement of their partnership with artificial intelligence leader OpenAI as part of the U.S. company’s Stargate initiative.

Samsung’s shares climbed over 4%, reaching their highest level since January 2021, while SK Hynix’s stock soared more than 9%, hitting its highest point since the year 2000.

In a statement, OpenAI explained that the partnership will focus on increasing the supply of advanced memory chips essential for next-generation AI technologies and expanding data center capacity in South Korea. The ChatGPT developer also revealed that both chipmakers plan to scale up production of advanced memory chips critical for powering its AI models.

The announcement coincided with OpenAI CEO Sam Altman’s visit to Seoul, where he met with South Korean President Lee Jae Myung and the top executives of Samsung and SK Hynix.

Earlier this month, SK Hynix announced it was ready to mass-produce its next-generation high-bandwidth memory (HBM) chips, solidifying its leading position in the AI hardware value chain. HBM is a specialized type of memory used in chipsets designed for AI computing, including those from global AI powerhouse Nvidia, a major client of SK Hynix.

The upcoming HBM4 chips are expected to be the primary AI memory chips required for Nvidia’s next-generation Rubin architecture—an advanced AI chip intended for global data centers.

While SK Hynix has long been a primary chip supplier to Nvidia, rival Samsung is reportedly working to get its HBM4 chips certified by Nvidia, aiming to expand its footprint in the AI chip market.

This is a developing story. Please check back for updates.
https://www.cnbc.com/2025/10/02/sk-hynix-samsung-shares-openai-stargate-korea.html

Jane Goodall had ‘old friends’ in Sydney, but rebuked Australian conservation efforts

“Australia is not doing well at all,” said Goodall, who had a close relationship with Sydney’s Taronga Zoo.

She made this observation during one of her many visits to the facility.
https://www.smh.com.au/national/jane-goodall-had-beloved-old-friends-in-sydney-but-rebuked-australian-conservation-efforts-20230522-p5da8y.html?ref=rss&utm_medium=rss&utm_source=rss_feed

MEXC Ventures Invests $30M in Ethena, Total $66M Committed

**MEXC Ventures Invests $30M in Ethena, Total $66M Committed**

MEXC Ventures has further reinforced its commitment to Ethena with a fresh $30 million investment, bringing its total exposure to the ecosystem to $66 million. This move highlights MEXC’s long-term vision for supporting blockchain projects with strong growth potential and underscores the evolving role of venture firms—from traditional funding sources to active ecosystem builders.

**MEXC Strengthens Stake in Ethena’s Ecosystem**

According to the recent announcement, the $30 million infusion is primarily targeting ENA, Ethena’s governance token. Previously, MEXC Ventures acquired $16 million worth of ENA and $20 million worth of USDe, the protocol’s synthetic stablecoin. Combined, these allocations amount to a consolidated $66 million position across the Ethena ecosystem.

What sets MEXC apart from typical venture capital firms is its hands-on approach. Rather than acting as a passive financial backer, MEXC provides its partners with operational support, robust trading infrastructure, and access to its expansive user base. This blend of resources is designed to accelerate adoption and give projects a competitive edge in the increasingly crowded blockchain landscape.

**Strategic Ecosystem Building**

Leo Zhao, Investment Director at MEXC Ventures, described the firm’s methodology as “ecosystem building.” He emphasized the importance of integrating capital with technical expertise, marketing acumen, and operational knowledge. According to Zhao, this synergy delivers unique value and supports broader industry growth.

Industry analysts following the Ethena partnership believe that MEXC’s strategy not only strengthens Ethena but also enhances MEXC’s reputation as a strategic and proactive player in the blockchain space.

**MEXC Ventures’ Expanding Portfolio**

Over the past two years, MEXC Ventures has invested more than $100 million across 40 blockchain projects. Out of these, seven projects—including Ethena—have received significant contributions through MEXC’s integrated support model. By linking financial capital with exchange-backed infrastructure, MEXC aims to foster innovation and sustainable growth within the blockchain ecosystem.

*Related Reading:*
[YZi Labs Strengthens Investment in Ethena Labs to Boost USDe Stablecoin Growth | Live Bitcoin News](#)
https://bitcoinethereumnews.com/tech/mexc-ventures-invests-30m-in-ethena-total-66m-committed/?utm_source=rss&utm_medium=rss&utm_campaign=mexc-ventures-invests-30m-in-ethena-total-66m-committed

SEC seeks strict 9-year limit for independent directors

MANILA, Philippines — Independent directors may soon be barred from seeking a longer term beyond nine years as the Securities and Exchange Commission (SEC) proposed a circular setting term limits.

SEC chair Francis Lim on Wednesday told reporters that setting the term limit in stone would allow opportunities for “true, meaningful independent directors.”

Under the proposed regulations, independent directors would be restricted to a maximum tenure of nine years, ensuring fresh perspectives and enhancing corporate governance standards.

https://business.inquirer.net/550197/sec-seeks-strict-9-year-limit-for-independent-directors

Renée Elise Goldsberry is ‘Satisfied’

Renée Elise Goldsberry is most well-known to the public as Angelica Schuyler from the hit musical *Hamilton*, but her career started long before that.

**“Satisfied,”** a new documentary from Melissa Haizlip and Chris Bolan, takes a close look at Goldsberry’s run on *Hamilton*—but more importantly, it explores what she sacrificed to dedicate herself to that award-winning performance. The film offers an honest portrayal of how a performer at the top of her career attempts to balance being a wife and mother while navigating a career-changing moment many dream of.

Haizlip and Bolan recently sat down with the *Tribune* to discuss their film and the evolving role of documentarians during these challenging times. The filmmakers shared what inspired them to make the documentary, with Bolan highlighting the canceled theatrical release of *Hamilton* as the catalyst.

“Renée moved away from the city and became close friends with a dear friend of mine, Kelli O’Hara—who is also a wonderful Broadway performer, Tony Award-winning actress, and executive producer (EP) on our project,” Bolan explained. “Renée told Kelli that she had a lot of behind-the-scenes footage from *Hamilton* and wished she had done something with it instead of just posting it all on Instagram. She wished she had made a documentary or met someone who knew how to create one.”

Kelli responded, “‘Well, it just so happens that I have a good friend who lives right over here who is a documentary filmmaker. Do you want to meet him?’ And [Renée] said, ‘Sure!’”

As a theater fan herself, Haizlip said she was excited to join the team for this Renée Goldsberry documentary. “I’m a huge musical theater fan; I’m a musical theater kid,” she shared. “I also grew up doing plays and musicals, and then I had a really long career on Broadway, performing myself in many shows. Now I’m producing shows on Broadway, and I love making documentaries as well. So the idea of bringing all these things together as a Black woman in theater, I was so excited to see her story being told this way.”

One of the major themes examined in *Satisfied* is how Goldsberry balances her career and family—a dilemma that many women in America face. As Goldsberry states in the film, “I’m the only cast member that’s also a mom.”

“The themes of our film—motherhood, balancing career and family—are just so universal,” Haizlip emphasized, “but the specificity of Renée and seeing the film through her eyes, that’s what really made a lot of difference for me.”

Both filmmakers, with impressive résumés, were also asked about the role of documentarians in today’s historical context. In many ways, they represent the last true truth-tellers.

“I try to use it to amplify underrepresented stories, particularly those focusing on Black culture and history,” Haizlip said. “I intentionally approach filmmaking to show the full breadth of Black expression and humanity; especially with this film, we tried to tell a more intimate story about her journey with motherhood and infertility.”

Bolan highlighted his previous film, *A Secret Love*, to explain his perspective on why documentarians are so important. “Creating a documentary requires dedication and teaches us the importance of perseverance. I try to build trust with my subjects by ensuring they are co-creators in the storytelling process,” he shared. “I work with them to ensure their story is told in an authentic and compelling way, and that’s what Melissa and I did with *Satisfied.*”

It is this type of attention to detail and care that makes *Satisfied* such a compelling film. It not only highlights Goldsberry’s incredible talents but also the sacrifices an artist of her caliber makes to bring us a lifetime full of memories.

*Satisfied* hits U.S. theaters for a special three-day theatrical event via Fathom Events through October 2.

*Stay informed and connected—subscribe to The Philadelphia Tribune NOW!*

**Community Guidelines Reminder:**
– Keep it clean. Avoid obscene, vulgar, lewd, racist, or sexually-oriented language.
– Please turn off your caps lock.
– Don’t threaten others. Threats of harm will not be tolerated.
– Be truthful. Don’t knowingly lie about anyone or anything.
– Be nice. No racism, sexism, or any kind of -ism that degrades others.
– Be proactive. Use the ‘Report’ link to notify us of abusive posts.
– Share with us. We’d love to hear eyewitness accounts and the history behind an article.
https://www.phillytrib.com/entertainment/movies/ren-e-elise-goldsberry-is-satisfied/article_37a840e2-7fdc-423b-848d-20ae9fdd8e38.html

Xbox Game Pass Ultimate gets $10 price increase

The other two Game Pass tiers have been renamed to Essential and Premium. This change aims to provide clearer distinctions between the subscription options, helping gamers choose the plan that best fits their needs. Stay tuned for more updates on what each tier offers and how these changes might enhance your gaming experience.
https://www.shacknews.com/article/146178/xbox-game-pass-ultimate-price-increase-october-2025

NCAA: Ato Barba out to prove worth after PBA Draft heartbreak

MANILA, Philippines —

After not being picked in the 2025 PBA Rookie Draft, graduating Lyceum guard Ato Barba is out for blood. The Pirates’ 90-89 loss to Mapua in double overtime to open their NCAA Season 101 men’s basketball campaign didn’t dampen Barba’s determination for a revenge tour.

“After the PBA Draft, I really got sad and…,” Barba shared, signaling his motivation to bounce back stronger.
https://sports.inquirer.net/642593/ncaa-ato-barba-out-to-prove-worth-after-pba-draft-heartbreak

Exit mobile version