Category Archives: general

What Unix pipelines got right and how we can do better

UNIX pipelines represent one of computing’s most elegant architectural breakthroughs. While most discussions focus on their practical utility—chaining commands like grep | sort | uniq—the real significance lies deeper. Pipelines demonstrated fundamental principles of software composition that we’re still learning to fully realize in modern systems.

The Breakthrough: True Isolation

The genius of UNIX pipelines wasn’t just connecting programs—it was isolating them in ways that enabled genuine composability.

Data Isolation

Unlike function calls that share memory and state, pipeline processes communicate only through explicit data streams. Each process owns its memory completely. This eliminates shared-state problems that plague modern systems, from race conditions to subtle coupling through global variables. When you run cat file.txt | grep pattern, the cat process cannot corrupt grep‘s memory or accidentally modify its internal state. The isolation is complete and enforced by the operating system itself.

Control Flow Isolation

Perhaps more importantly, pipelines broke the tyranny of synchronous execution. When cat writes to stdout, it doesn’t block waiting for grep to process that data. The sender continues its work independently. This asynchronous-by-default design prevents the implicit blocking that makes reasoning about complex systems so difficult.

Compare this to function calls, where function_a(function_b) creates tight coupling—function_a cannot proceed until function_b completes entirely. Pipelines demonstrated that dataflow and control flow could be separated, enabling true concurrent composition.

Language Agnosticism

Because processes communicate through a simple byte stream interface, you can compose programs written in any language. A Python script can feed a C program that feeds a shell script. Each tool operates within its language’s sweet spot without forcing concepts into inappropriate paradigms.

This cross-language composition remains remarkably rare in modern development, where we typically force everything into a single language ecosystem and its assumptions.

The Elegant Transport Layer

UNIX pipelines got the abstraction layers exactly right:

  • Transport layer: Raw bytes flowing through file descriptors
  • Protocol layer: Applications that need structure (like text processing) layer it on top

Most text-processing commands assume line-oriented data (bytes separated by newlines), but this is a protocol choice, not a transport requirement. The underlying system just moves bytes. This separation of concerns made the system both simple and extensible.

What UNIX Pipelines Proved Was Possible

Pipelines demonstrated that software could be composed like hardware components—isolated units communicating through well-defined interfaces. They showed that:

  • Loose coupling enables reusability: Small, focused programs become building blocks
  • Explicit interfaces prevent hidden dependencies: Everything flows through visible streams
  • Asynchronous composition scales better: No global coordination required
  • Language diversity strengthens systems: Use the right tool for each job

In essence, pipelines provided a “proof of concept” for what would later be called microservices architecture, message-passing systems, and dataflow programming.

The Limitations: Products of Their Time

Despite their architectural elegance, UNIX pipelines had significant constraints that reflected 1970s implementation realities:

Text-Centric Design

The shell syntax itself is fundamentally based on linear text, which constrains how programmers can compose commands. While the transport layer handles raw bytes perfectly, and it’s technically possible to redirect multiple file descriptors, in practice the textual syntax makes it awkward to express anything but linear, left-to-right combinations of commands.

Linear Topology

Only UNIX pipes enforce a strictly linear flow: one input, one output. You cannot easily fan out data to multiple consumers or merge streams from multiple producers. The pipe data structure contains exactly one input file descriptor and one output file descriptor.

In hardware, electrical signals naturally fan out to multiple destinations. In software messaging systems, we can copy data to multiple receivers. But UNIX pipes consume data—once grep reads a line, it’s gone and unavailable to other potential processors. The lack of fan-out makes it awkward to express combinations where one sender feeds many receivers.

In 1970, avoiding garbage collection was a practical necessity, but today garbage collection is available in most programming workflows, and fan-out could be implemented much more easily through message copying rather than consumption.

More significantly, programmers are encouraged to create pipelines in a linear, left-to-right manner, meaning feedback loops usually aren’t even imagined. This represents a profound limitation in thinking.

In contrast, feedback is a fundamental design pattern in electronics, especially in circuits involving operational amplifiers where negative feedback creates self-stabilizing behavior. The linear textual syntax has trained generations of programmers to think in terms of one-way data flows, when many problems would benefit from circular, self-correcting architectures.

The tooling ecosystem that evolved around line-oriented text processing reinforced this linear mindset, making feedback-based designs seem exotic rather than natural.

Note that feedback should not be confused with recursion. Recursion relies on LIFO behavior (Last In First Out) whereas feedback relies on FIFO (First In First Out) behavior. This is akin to someone waiting their turn in line versus someone butting in to the front of the line—feedback versus recursion. The distinction matters because feedback creates temporal loops in data flow, while recursion creates nested control structures.

Heavy Implementation

  • UNIX processes are essentially heavyweight closures.
  • Constrained Error Handling: The stdin/stdout/stderr model implicitly defines a “happy path” assumption. Anything that doesn’t fit the linear, successful processing model gets pushed to stderr or requires out-of-band communication.
  • Complex workflows: Multiple success conditions or branching logic become awkward to express.
  • Limited syntactic expressiveness: The UNIX shell’s textual syntax is poorly suited for expressing asynchronous parts with multiple ports combined in non-sequential arrangements.

One input (stdin) and one output (stdout) are easily handled with pipe syntax like command1 | command2, but non-linear dataflows become awkward to express and are therefore avoided by programmers.

This syntactic constraint has likely shaped decades of software architecture decisions, pushing us toward linear processing chains when the underlying problems might benefit from more sophisticated dataflow patterns.

The pipe operator | is deceptively powerful in its simplicity, but it’s also tyrannically limiting. It makes one thing—linear chaining—so effortless that it becomes the default mental model for composition. Meanwhile, patterns that would be natural in other domains (fan-out in electronics, merge/split in manufacturing, conditional routing in logistics) become “advanced” or “complex” simply because the notation makes them hard to express.

The limitation isn’t conceptual—it’s syntactic. The computational model underneath pipelines was always capable of sophisticated patterns like fan-out, fan-in, and conditional routing. But the textual interface shaped fifty years of thinking about how programs should connect.

This reveals something profound about how notation shapes thought and constrains possibility. The connection between representation and what gets built is fundamental—we tend to build what we can easily express.

Consider how different software architecture might look today if the original shell had been visual rather than textual, if connecting programs looked more like patching a modular synthesizer or wiring a circuit board. We might have developed entirely different patterns for system composition that naturally embrace parallelism and complex dataflow topologies.

Simulated Asynchrony

While pipelines appear asynchronous, they actually rely on time-sharing and dispatcher preemption. Only one process runs at a time on a single CPU. The dispatcher creates an illusion of simultaneity through rapid context switching, but the underlying execution remains fundamentally sequential.

In essence, operating systems convert linear, functional sequences into state machines by saving and restoring state into hidden global data structures. Functions are mapped onto hardware using a global variable—the call stack—which causes further under-the-hood tight coupling and necessitates virtualizing memory at great expense in terms of CPU cycles.

How We Can Do Better in 2025

Modern systems have capabilities that the original UNIX designers could only dream of. We can apply pipeline principles more effectively:

Lightweight Processes

Most modern languages already provide everything needed for pipeline-style composition—closures, message queues, and garbage collection—yet we consistently overlook these capabilities in favor of heavyweight threading abstractions. Modern runtime systems include closures with lexical scoping, event loops, and asynchronous execution primitives.

These are essentially lightweight processes with built-in message passing. Yet applications routinely spawn actual OS processes or system threads when message-passing between closures would be orders of magnitude more efficient.

The influence of CSP (Communicating Sequential Processes) appears in many modern language designs—channels, actors, and message queues are common abstractions. But CSP’s goal was to describe multiprocessing in a sequential manner.

Today we need ways to reason about multiple processes that are genuinely asynchronous and non-sequential, where timing and concurrency are first-class concerns rather than implementation details hidden behind sequential abstractions.

The fundamental building blocks are hiding in plain sight. Closures are lighter than processes, channels are more flexible than pipes, and garbage collection handles message copying automatically. We have superior pipeline implementations sitting in every modern language runtime—we just haven’t recognized them as such, conditioned by decades of function-call thinking.

Rich Data Types

Instead of requiring everything to flatten to a single format, we can maintain structured data throughout processing pipelines by layering protocols appropriately. The key insight from UNIX pipelines—keeping the transport layer simple while allowing richer protocols on top—remains crucial.

The transport layer should handle the simplest possible data unit (bytes, messages, or events). When components need richer data types—JSON, protocol buffers, or domain-specific structures—these become protocol layers implemented by individual parts on an as-needed basis.

This layered approach, reminiscent of the OSI network model, allows each component to operate at the appropriate level of abstraction without forcing unnecessary complexity into the transport infrastructure.

A text-processing component might layer line-oriented protocols on top of byte streams, while a financial system might layer structured transaction records on top of message queues. The transport remains agnostic; the protocol knowledge lives in the components that need it.

The idea of snapping software blocks into architectures to handle “as-needed” cases becomes simpler to imagine when software units can be composed by snapping them together like LEGO® blocks.

True Parallelism

With multi-core systems and cheap memory, we have an opportunity to fundamentally rethink program architecture. Rather than simulating parallelism through time-sharing, we should either design systems with truly isolated CPUs plus private memory, or develop notations that allow Software Architects to partition programs into small components that fit entirely within modern private caches.

The current multi-core model with shared caches and complex coherency protocols obscures the underlying execution reality. We need clearer abstractions: either genuine isolation (separate CPUs with separate memory) or explicit control over cache-sized program partitions.

Software Architects are better positioned than compiler algorithms to decide which parts of a program should be self-contained components. Project-specific knowledge about data flow, timing requirements, and component boundaries should drive the partitioning decisions rather than leaving this to generic optimization algorithms that cannot understand the problem domain.

Flexible Topologies

Message queues and pub/sub systems enable fan-out, fan-in, and complex routing patterns. We’re not limited to linear chains—we can build arbitrary dataflow graphs while maintaining the isolation benefits.

Better Error Handling

Instead of forcing everything into success/error paths, we can design components with multiple named outputs for different conditions. Pattern matching and sum types in modern languages provide elegant ways to handle diverse outcomes.

The Enduring Lessons

UNIX pipelines taught us that great software architecture comes from getting the separation of concerns exactly right. They showed that:

  • Isolation enables composition: The more isolated your components, the more freely you can combine them
  • Simple interfaces scale: Bytes and file descriptors proved more durable than complex APIs
  • Asynchrony should be the default: Synchronous execution is the special case, not the norm
  • Explicit beats implicit: Visible data flows are easier to reason about than hidden function call graphs

These principles remain as relevant today as they were fifty years ago. While the implementation details have evolved dramatically, the core architectural insights of UNIX pipelines continue to guide the design of robust, scalable systems.

The next breakthrough in software development may well come from finally implementing these pipeline principles with the full power of modern computing—true parallelism, rich data types, and lightweight isolation. We have the tools now. We just need to remember the lessons.

See Also

Email: ptcomputingsimplicity@gmail.com

References

Leave a comment below.

https://programmingsimplicity.substack.com/p/what-unix-pipelines-got-right-and

Mike McDaniel, Chris Grier are on termination watch

The Miami Dolphins may have changed the culture, but they definitely haven’t changed the results. The team is currently 1-6 through seven games of the 2025 season. Their latest performance—a 31-6 blowout loss to the previously 1-5 Cleveland Browns—could be the last straw for head coach Mike McDaniel, and possibly for general manager Chris Grier as well.

This disappointing loss comes just one week after quarterback Tua Tagovailoa, who threw three interceptions in Sunday’s game, publicly called out unnamed teammates for showing up late to or skipping player-only meetings.

According to a source speaking to Pro Football Talk (PFT), owner Stephen Ross entered the season intending to give the current coaching regime the entire year to turn things around. However, the inability to win games—aside from a Monday night victory over the still-winless New York Jets—might force Ross to make a change as soon as tomorrow.

Ross has a history of making midseason coaching changes. He previously fired Tony Sparano in 2011 after 13 games and Joe Philbin in 2015 after just four games.

If Miami decides to make a coaching change, potential interim replacements include associate head coach and running backs coach Eric Studesville, who was an interim head coach in Denver 15 years ago; quarterbacks coach and passing game coordinator Darrell Bevell, who served as interim head coach in Jacksonville four years ago; and defensive coordinator Anthony Weaver.
https://www.nbcsports.com/nfl/profootballtalk/rumor-mill/news/mike-mcdaniel-chris-grier-are-on-termination-watch

Israel halts aid to Gaza ‘until further notice’ as renewed fighting tests ceasefire

The fragile ceasefire in Gaza faced its first major test Sunday as an Israeli security official announced that the transfer of aid into the territory was halted “until further notice” following a Hamas ceasefire violation. Concurrently, Israeli forces launched a wave of strikes.

The official, who spoke on condition of anonymity pending a formal announcement, confirmed the suspension just over a week since the start of the U.S.-proposed ceasefire aimed at ending two years of war.

Earlier on Sunday, Israel’s military reported that its troops came under fire from Hamas militants in southern Gaza, with two soldiers later confirmed killed in the area. In response, the Israeli military said it struck dozens of what it described as Hamas targets.

Health officials in Gaza reported that at least 29 Palestinians were killed across the territory, including children.

### Ceasefire Tensions and Reactions

A senior Egyptian official involved in the ceasefire negotiations told reporters that “round-the-clock” contacts were ongoing to deescalate the situation. This official also spoke on condition of anonymity.

There was no immediate comment from the United States.

Israeli Prime Minister Benjamin Netanyahu directed the military to take “strong action” against any ceasefire violations but stopped short of threatening a return to war.

According to the Israeli military, militants fired on troops in parts of Rafah city controlled by Israel under the ceasefire agreement. Meanwhile, Hamas accused Israel of multiple ceasefire violations and claimed it had lost contact with its remaining units in Rafah for months, denying responsibility for any incidents in those areas.

### Strikes in Gaza Raise Fears of Renewed Conflict

Palestinians expressed deep concern about the potential return to war.

“It will be a nightmare,” said Mahmoud Hashim, a father of five from Gaza City, who appealed to U.S. President Donald Trump and other mediators to prevent the ceasefire’s collapse.

An Israeli airstrike on a makeshift coffeehouse in Zawaida town in central Gaza killed at least six Palestinians, according to Gaza’s Health Ministry, which is run by Hamas.

Another strike near the Al-Ahly soccer club in the Nuseirat refugee camp killed at least two people. The strike hit a tent, wounding eight others, according to Al-Awda Hospital, which received the casualties.

The hospital also received the bodies of four people killed in a strike on a school sheltering displaced families in Nuseirat.

Further casualties included six killed in a tent in Nuseirat, one at a charging point west of Nuseirat, and four at a house in Bureij camp.

In Khan Younis, a strike hit a tent in the Muwasi area, killing at least four people, including a woman and two children, according to Nasser Hospital.

Another strike in Beit Lahiya in northern Gaza killed two men, the Shifa Hospital reported.

### Identification of More Hostage Remains

Israel identified the remains of two hostages released by Hamas overnight. Netanyahu’s office said the bodies belonged to Ronen Engel, a father from Kibbutz Nir Oz, and Sonthaya Oakkharasri, a Thai agricultural worker from Kibbutz Be’eri.

Both were believed killed during the Hamas-led attack on southern Israel on October 7, 2023, which initiated the ongoing war.

Engel’s wife, Karina, and two of his three children were kidnapped and later released in a ceasefire agreement in November 2023.

Over the past week, Hamas has handed over the remains of 12 hostages. The armed wing of Hamas, the Qassam Brigades, stated they found the body of a hostage and would return it on Sunday “if circumstances in the field” allowed, warning that any Israeli escalation would hinder search efforts.

### Border Crossing and Hostage Remains Dispute

Israel has pressed Hamas to fulfill its ceasefire obligation to return the remains of all 28 deceased hostages. As a result, the Rafah border crossing between Gaza and Egypt remains closed “until further notice.”

Hamas cites the war’s devastation and Israeli military control of parts of Gaza as reasons for the slow handover. Israel suspects Hamas has access to more bodies than it has returned.

Meanwhile, Israel has released 150 Palestinian bodies back to Gaza, including 15 on Sunday, according to Gaza’s Health Ministry. These bodies, many in an advanced state of decomposition, have not been identified by Israel nor has their cause of death been disclosed.

Currently, only 25 have been identified by the Health Ministry, which posts photos of the bodies online to assist families.

Previously, Israel and Hamas exchanged 20 living hostages for over 1,900 Palestinian prisoners and detainees.

### Next Steps in Ceasefire Negotiations

A Hamas delegation, led by chief negotiator Khalil al-Hayya, arrived in Cairo to follow up on the ceasefire’s implementation with mediators and other Palestinian groups.

The next phases are expected to focus on disarming Hamas, Israeli withdrawal from additional controlled areas in Gaza, and future governance of the devastated territory.

Hamas spokesman Hazem Kassem stated on Saturday that the second phase of negotiations “requires national consensus,” adding that Hamas has initiated discussions to “solidify its positions.”

The U.S. plan suggests establishing an internationally backed authority to govern Gaza. Kassem reiterated that Hamas will not participate in the postwar governing body, instead calling for a body of Palestinian technocrats to manage day-to-day affairs.

“For now, government agencies in Gaza continue to perform their duties, as the (power) vacuum is very dangerous,” he said.

### Status of the Rafah Border Crossing

Before the war, the Rafah crossing was the only one not controlled by Israel. It has been closed since May 2024, after Israel assumed control of the Gaza side.

A full reopening would facilitate medical treatment, travel, and family visits for Palestinians, many of whom have family connections in Egypt.

On Sunday, the Palestinian Authority’s Interior Ministry in Ramallah announced procedures for Palestinians wishing to enter or exit Gaza through Rafah.

Palestinian embassy staff in Cairo will issue temporary travel documents to those leaving Gaza. Those seeking to enter Gaza must apply at the embassy.

### Casualties and Humanitarian Toll

The Israel-Hamas conflict has killed more than 68,000 Palestinians, according to Gaza’s Health Ministry, which does not differentiate between civilians and combatants. The ministry maintains detailed casualty records considered generally reliable by U.N. agencies and independent experts.

Israel disputes these figures but has not presented its own official count.

Thousands more remain missing, according to the Red Cross.

The Hamas-led militants killed around 1,200 people, mostly civilians, and abducted 251 during the October 7 attack that sparked the war.
https://www.wptv.com/world/israel-at-war/israel-halts-aid-to-gaza-until-further-notice-as-renewed-fighting-tests-ceasefire

конторы Mostbet.1006

0 просмотров

# Обзор букмекерской конторы Mostbet ▶️ ИГРАТЬ

## Содержание
– Преимущества и функции Mostbet
– Бонусы и акции
– Ограничения и недостатки
– Рекомендации для игроков

В мире ставок и азартных игр существует множество букмекерских контор, но не все могут похвастаться хорошей репутацией и высоким уровнем обслуживания. Mostbet — одна из лучших букмекерских контор, предлагающая своим клиентам широкий спектр услуг и функций.

Mostbet — международная букмекерская контора, основанная в 2001 году. С тех пор она стала одним из лидеров на рынке ставок и азартных игр. Сервис предлагает своим клиентам более 1000 спортивных событий ежедневно, что обеспечивает высокую частоту ставок.

Кроме спортивных ставок, Mostbet предоставляет большой выбор азартных игр, включая казино, покер и другие развлечения. Это дает возможность выбрать игру по вкусу каждому пользователю.

Mostbet также поддерживает онлайн-ставки, что позволяет делать ставки в любое время и из любого места — особенно удобно для тех, кто не может посетить физический офис конторы.

Для входа на официальный сайт Mostbet используйте адрес [mostbet.com](https://mostbet.com). Здесь доступна регистрация, оформление ставок и игры в азартные развлечения. Кроме того, для обхода блокировок в некоторых регионах предоставляется специальное зеркало сайта — это полезно для игроков из стран с ограниченным доступом к Mostbet.

В целом, Mostbet — надежный партнер для любителей ставок и азартных игр, предлагающий широкий спектр услуг и функций, обеспечивающих комфортную и качественную игру.

> Обратите внимание, что Mostbet не доступен для жителей некоторых регионов, где азартные игры запрещены.

## Преимущества и функции Mostbet

– **Зеркало Mostbet** — функция, позволяющая получить доступ к сайту, даже если он заблокирован в вашей стране. Особенно актуально для игроков из регионов с ограничениями на букмекерскую деятельность.
– **Широкий выбор спортивных событий** — в том числе футбол, баскетбол, хоккей, киберспорт, лото и прочие игры. В наличии более 20 спортивных дисциплин.
– **Быстрый вход в аккаунт (Мостбет вход)** — удобная система авторизации, позволяющая легко зайти в личный кабинет, получить доступ к счету, ставкам и играм.
– **Раздел казино (Мостбет казино)** — выбор из более чем 100 азартных игр, включая рулетку, блэкджек, покер и игры с живыми дилерами.

## Бонусы и акции

Mostbet предлагает разнообразные бонусы и акции для новых и постоянных игроков:

– Приветственный бонус на первый депозит для новых пользователей.
– Регулярные бонусы за участие в различных событиях.
– Программа лояльности, позволяющая получать дополнительные бонусы за активность в ставках и играх.

Эти предложения делают игру более выгодной и привлекательной для всех клиентов.

## Ограничения и недостатки

Несмотря на множество преимуществ, у Mostbet есть некоторые ограничения:

– **Ограничение по количеству аккаунтов** — пользователям разрешается иметь только один аккаунт. Это может стать неудобством для тех, кто хотел бы создавать аккаунты для друзей или семьи.
– **Ограниченный выбор игр** — количество доступных азартных игр меньше, чем у некоторых конкурентов.
– **Ограниченный доступ к функциям казино** — функционал казино не всегда полный, что может не удовлетворить любителей разнообразия.
– **Отсутствие круглосуточной поддержки** — служба поддержки работает не 24/7, что затрудняет быстрый контакт в случае вопросов.

## Рекомендации для игроков

Если вы ищете надежную и популярную букмекерскую контору, Mostbet — отличный выбор. Компания предлагает широкий спектр услуг: ставки на спорт, киберспорт и игры в онлайн-казино.

Рекомендуем новичкам начать с регистрации на официальном сайте Mostbet, чтобы получить приветственный бонус и попробовать свои силы.

Если официальный сайт заблокирован в вашем регионе, воспользуйтесь зеркалом Mostbet — это поможет сохранить доступ к всем функциям сервиса без перебоев.

В целом, Mostbet подойдет как начинающим, так и опытным игрокам, которые ценят надежность, разнообразие ставок и удобство сервиса.

Начинайте играть и получайте удовольствие вместе с Mostbet!
https://cryptoverze.com/kontory-mostbet-1006/?utm_source=rss&utm_medium=rss&utm_campaign=kontory-mostbet-1006

Trump on protests: ‘I’m not a king’

President Trump rejected the idea that he is acting like a monarch in an interview conducted on the same day as the nation’s massive “No Kings” protests.

“They’re referring to me as a king. I’m not a king,” Trump said during an interview with Fox News’s Maria Bartiromo. The conversation was recorded on Saturday, prior to the demonstrations.

The remarks come amid widespread public dissent, with many protesters voicing concerns about perceived overreach and authoritarian tendencies. Trump’s dismissal of the “king” label directly addresses these criticisms.
https://thehill.com/homenews/administration/5562619-trump-no-kings-protest/

Baltimore Ravens Show Signs of Life in New Power Rankings Despite 1-5 Start

Baltimore Ravens Climb in Power Rankings Despite 1-5 Start

The Baltimore Ravens may be 1-5, but experts believe their season isn’t over yet. Despite a four-game losing streak and Lamar Jackson’s injury, the team made a surprising leap in Pro Football Focus’ (PFF) latest power rankings, jumping from No. 25 to No. 7.

According to PFF, the Ravens’ overall potential remains strong even amid injuries and inconsistent play. The site’s rankings factor in player grades, past team performance, and strength of schedule. Currently, PFF gives Baltimore a 39% chance to make the playoffs and a 3% chance to win the Super Bowl.

“As bad as things are in Baltimore, it’s hard to put a real microscope on this team given the injuries,” PFF noted. “The only way that’s going to happen is through a wild-card berth, but it also doesn’t happen until Lamar Jackson is back and healthy.”

Lamar Jackson’s Injury and Expected Return

Jackson has missed the last two games with a hamstring injury but is expected to return after the Ravens’ Week 7 bye. His absence has been felt, as the offense has scored only 13 total points in two games without him.

Head coach John Harbaugh told reporters earlier this week that Jackson’s recovery is “right on track” and that the team is optimistic he’ll be available in Week 8. “We’ve been smart with his timeline,” Harbaugh said. “When he’s back, we expect to get back to playing our brand of football.”

Experts Still Believe in the Ravens’ Potential

While PFF ranked the Ravens surprisingly high, other outlets have been more cautious. Most national media have Baltimore ranked between No. 19 and No. 25 entering Week 7.

NFL.com placed the Ravens at No. 23, writing: “Lamar Jackson is on track to be back after this week’s bye. Now, the bad: the Ravens are 1-5, with six more road games, and they probably need to go 9-2 or better to make the postseason. But Sunday offered a glimmer of hope that things could be better.”

The Ringer also noted the Ravens’ cautious optimism with Jackson’s recovery, saying: “Once he returns, this 1-5 team has to immediately be at its absolute best if it wants to make up the ground it has lost.”

Other outlets, including ESPN, CBS Sports, and Sports Illustrated, pointed to injuries and offensive inconsistency as major challenges. ESPN wrote, “The Ravens can’t win without Lamar Jackson,” while FOX Sports called backup quarterback Cooper Rush’s two starts “a disaster.”

Despite those critiques, analysts agree that Baltimore’s defense showed improvement in Week 6 against the Los Angeles Rams. The unit held Los Angeles to just 17 points and showed flashes of the physicality that once defined the franchise.

The Baltimore Ravens Have a Chance to Hit Reset

The Ravens head into their bye week hoping to regroup before a critical stretch of games. When play resumes, Baltimore will face the Chicago Bears, Miami Dolphins, Minnesota Vikings, and Cleveland Browns — all teams hovering around the .500 mark.

If Jackson returns healthy and the offense regains its rhythm, Baltimore could still climb back into wild-card contention. The Ravens’ resilience is one reason many experts are not ready to count them out just yet.

As Harbaugh summed it up, “We’ve got a lot of football left. Our record doesn’t define what kind of team we can be.”

https://heavy.com/sports/nfl/baltimore-ravens/baltimore-ravens-power-rankings-week-7/

Commanders Insider Makes Feelings Clear on What Treylon Burks Signing Really Means

The Washington Commanders are running low on healthy wide receivers heading into their Week 7 matchup against the Dallas Cowboys. The team will be without Terry McLaurin and Deebo Samuel, their two top receivers, while Noah Brown remains on injured reserve.

### Commanders Thin at Wide Receiver Ahead of Cowboys Game

This leaves just four active receivers on the roster: Luke McCaffrey, Chris Moore, Jaylin Lane, and Robbie Chosen. It’s far from an ideal situation as the Commanders try to stay competitive in the NFC East race.

McLaurin has missed three straight games due to a quad injury, and Samuel is still dealing with a bruised heel that limited his performance against the Chicago Bears in Week 6. Brown hasn’t played since Week 2 against the Green Bay Packers, and after weeks of uncertainty, the Commanders finally placed him on injured reserve.

The mounting injuries have forced General Manager Adam Peters to look for quick solutions, and this week he found one in former first-round pick Treylon Burks. Washington signed Burks to the practice squad after bringing him in for a visit.

### Adding Depth: The Treylon Burks Signing

Burks was drafted No. 18 overall by the Tennessee Titans in 2022 as a potential replacement for A.J. Brown. However, injuries and inconsistent play limited his production, leading the Titans to move on earlier this season. Washington’s decision to sign him is a low-risk move aimed at adding depth to an offense that is rapidly running out of options.

### Washington Insider Reacts

While signing Burks gives the Commanders another body at wide receiver, one insider believes it could also signal that the health outlook for McLaurin and Samuel is not improving soon. NBC Sports Washington’s JP Finlay shared his thoughts on X, saying:

> “I like the Burks signing. Super low risk and maybe pays off. But also pretty clear not much great news imminent with the current hurt WRs (McLaurin, Deebo).”

Currently, the Commanders have five wide receivers on the practice squad—an unusually high number—which highlights how much the front office is bracing for potential long-term absences.

### What’s Next for the Commanders?

Head coach Dan Quinn didn’t provide a firm update on McLaurin or Samuel this week but said the team would “see where things stand after the bye.” Washington’s next game following the Dallas matchup is a Monday Night Football showdown against the Kansas City Chiefs in Week 8, giving the injured players a little extra time to recover.

“We’ve had injuries all year, but that’s part of the game,” Quinn said Friday. “We’ll roll with the guys who are ready. It’s a good chance for some of our younger receivers to show what they can do.”

### Outlook for Week 7

The Commanders enter Week 7 with a 3-3 record and face a crucial divisional game against the Cowboys, who sit just behind them in the standings. With so many receivers out, rookie quarterback Jayden Daniels will likely rely more on short passes, tight end Zach Ertz, and the running game to keep the offense moving.

As Coach Quinn summed it up:

> “You never want to lose guys like Terry or Deebo, but we trust the next man up. That’s how this team has to operate.”
https://heavy.com/sports/nfl/washington-commanders/commanders-insider-treylon-burks-really-means/

Professors weigh in on Trump administration’s demands for universities

On “Face the Nation with Margaret Brennan,” three professors from leading universities shared their perspectives on a significant development in higher education policy.

Representing the University of Virginia, the University of Arizona, and the University of Southern California, these experts discussed the Trump administration’s initiative requiring colleges to sign a nine-page “compact.”

This agreement asks institutions to commit to the administration’s higher education priorities. In return, colleges would receive preferred access to federal funding.

The conversation delved into the implications of this move for colleges and the broader impact on higher education in the United States.
https://www.cbsnews.com/video/professors-weigh-in-on-trump-administrations-demands-for-universities/

Transcript: Sen. Mark Kelly on “Face the Nation with Margaret Brennan,” Oct. 19, 2025

**Interview with Senator Mark Kelly on U.S. Military Actions and Domestic Issues**
*“Face the Nation with Margaret Brennan” – October 19, 2025*

**MARGARET BRENNAN:** And we begin with Arizona Democratic Senator Mark Kelly, who’s here in studio with us. Good morning to you, Senator.

**SEN. MARK KELLY:** Good morning.

**MARGARET BRENNAN:** A lot to get to. I want to start on what you are seeing as a member of the Senate Armed Services and Intelligence Committees. There are about 10,000 U.S. forces now built up in the Caribbean area, either on ships or in Puerto Rico. Three B-2 and B-52 bombers flew near Venezuela last week. There have now been six maritime strikes by U.S. Special Operations Forces. What is this adding up to? Is the Trump administration planning regime change in Venezuela?

**SEN. KELLY:** Well, I hope not. Regime change hasn’t ever really worked out well for us as a nation where we’ve supported that — whether it was in Vietnam, Cuba, Iraq, Afghanistan. It doesn’t go the way we think, and it puts a tremendous number of Americans in harm’s way.

The U.S. military, the guys flying those missions now in B-52s close to the coast, those folks are at risk, members of the United States Navy now in this operation, which traditionally is a law enforcement operation, now escalating to something maybe, as the president talks about, regime change. I think this is the wrong move for this president. The Coast Guard has the resources to do this.

**MARGARET BRENNAN:** To interdict—

**SEN. KELLY:** To interdict drugs. That’s the way this has traditionally been done. And I do worry about the legal authorities, or lack thereof, that the United States military has to conduct these kinds of strikes.

**MARGARET BRENNAN:** And you’ve been briefed on what legal authorities are being invoked. Do you think they are insufficient at this point?

**SEN. KELLY:** They had a very hard time explaining to us the rationale, the legal rationale for doing this and the constitutionality of doing it. When you consider what the law of warfare, especially at sea, was — a very convoluted argument. It also included, by the way, a secret list of over 20 narco organizations, drug trafficking cartels. They wouldn’t share with us the list.

So the brief we got had a tremendous number of holes in it, and they had to go round and around to give us the legal rationale for doing this. And what I worry about, Margaret, are all these young military personnel that might find out, you know, months from now, that what they did was illegal.

And then you get to what are we trying to accomplish here? We want to keep fentanyl out of the United States. And I don’t know how widely known this is, but those routes through the Caribbean on boats are predominantly used to bring cocaine to Europe.

**MARGARET BRENNAN:** To Europe?

**SEN. KELLY:** To Europe, yes.

**MARGARET BRENNAN:** Not to U.S. shores.

**SEN. KELLY:** That’s right. Fentanyl tends to come from a different way, and we do want to keep fentanyl out of the United States.

**MARGARET BRENNAN:** But to this point, you just said the legality of what’s being done. CBS reporting indicates that the commander who was running Southern Command, Admiral Alvin Holsey, was pressured to leave his command post early, just a year into a four-year post, and that there were tensions with Secretary Hegseth that were leading up to that departure, which Hegseth characterized as just a retirement. You speak to the top officers—can they, with confidence, refuse unlawful orders without fear of retribution or even losing their pensions?

**SEN. KELLY:** Well, I don’t know about losing their pension, but they should. This is more important than any single person. This is about our democracy at this point, and those admirals and generals, they need to speak truth to power.

I’ve had conversations with the most senior members of our military about this specific thing. They cannot be breaking the law. Doesn’t matter if the president or the Secretary of Defense tells them to do something. If it’s against the law, they have to say no. They’re not required to follow an unlawful order. So we expect that from them.

I don’t know the exact circumstances why the admiral quit. He hasn’t said publicly yet. I expect in time we’re going to find out more.

**MARGARET BRENNAN:** But you think he did quit? It wasn’t just a retirement, suddenly?

**SEN. KELLY:** I don’t know. They could have forced him out. He could have quit. He could have said, “Hey, you’re not accepting my advice, you need somebody else in here.” I don’t know. I hate to speculate about it.

He had a long service in the U.S. military —

**MARGARET BRENNAN:** 37 years.

**SEN. KELLY:** Highly decorated, and a tremendous leader. I appreciate his service to this country.

All of us, all U.S. citizens, would be better served if this administration listened to the advice of those military leaders, especially the Secretary of Defense, who thinks he is really good at this. He should have never had this job. He was unqualified for the job, and in my view, the president should have fired him multiple times.

**MARGARET BRENNAN:** On Ukraine, you’ve been an outspoken supporter of it. Some of the pilots trained in your state. After President Zelenskyy met with President Trump on Friday, he said they sort of agreed to disagree on whether to get these long-range missiles, these Tomahawks, that would allow them to fire into Russia. Where does that stand? President Biden wouldn’t do this either.

**SEN. KELLY:** Yeah. So I spoke to Zelenskyy three weeks ago in New York, right after his meeting with Donald Trump, and we talked about Tomahawks in that meeting. Much longer range — over 1,000 miles, 700-pound warhead. Really good—

**MARGARET BRENNAN:** Game changing.

**SEN. KELLY:** Game changing. The president said he would consider giving them this weapon system. And then he had a conversation with Vladimir Putin.

And I think it’s important for people to recognize, Vladimir Putin is a former KGB officer. He is a master manipulator. The president has one view. Then he talks to Vladimir Putin, and he changes his story on this.

Of course, Putin does not want Ukraine to get a longer-range missile that could go after targets deep into Russia, beyond Moscow and St. Petersburg, by the way. It can range targets much further. It’s a very accurate, very survivable weapon, and Putin has a conversation with him, and those weapons are now off the table.

Hey, I think Ukraine can handle it if we can give them enough rounds, and we have them in our inventory, and enough launchers. Ground launchers are rather new to this system, something we got rid of for a long period of time. They’ve demonstrated their ability to operate a sophisticated weapon system like the F-16. They could handle this and it would help.

**MARGARET BRENNAN:** Zelenskyy says they’re going to continue to try to persuade President Trump. I have to ask you about the shutdown. The Republican Leader John Thune has offered to sit down with Democrats to discuss Obamacare, but on the condition that Democrats end the shutdown. He posted this on social media. Can you bank this as a win and agree to start negotiations?

**SEN. KELLY:** That’s what we want. We want negotiations—

**MARGARET BRENNAN:** Is it enough?

**SEN. KELLY:** On how to fix— I didn’t look at his tweet, but what we need is to fix this skyrocketing premium. They’re going to go up on November 1 for people; they can’t afford it. People in my state—

**MARGARET BRENNAN:** Either way, they are going up.

**SEN. KELLY:** I’ve talked to so many people. This woman, Emily, whose husband is a pastor who has three kids, says without the Affordable Care Act, she cannot have insurance for her children. They don’t get it through his work.

So what we need to do is fix this health care premium issue and open the government.

**MARGARET BRENNAN:** But don’t you need to do that before November 1, when premiums go up? Are you going to end the shutdown before November 1?

**SEN. KELLY:** I would like to. I’d like to. We should be able to wrap this up this week if they will sit down and have a negotiation with us. The president has spent one hour negotiating this issue with leadership in Congress. That’s it, one hour. They need to get in a room and stay in a room until we can hash this out.

The president has said he wants to fix this premium thing and he wants the government open. That’s what we want.

**MARGARET BRENNAN:** Well, we’ll see if there’s progress this week. Senator, thank you for your time.

**SEN. KELLY:** Thank you.
https://www.cbsnews.com/news/mark-kelly-arizona-democrat-face-the-nation-10-19-2025/

No Puka, no problem: Matthew Stafford throws 5 TDs as Rams dominate Jaguars in London

**Goodbye London. Hello Bye Week.**

The Rams ended an extended road trip and welcomed some time off with a 35-7 victory over the Jacksonville Jaguars on Sunday at Wembley Stadium.

Matthew Stafford passed for five touchdowns—three to Davante Adams, one each to rookies Konata Mumpfield and Terrance Ferguson—and edge rushers Jared Verse and Byron Young led a mostly suffocating defense as the Rams improved their record to 5-2 heading into an off week.

In a light rain and without injured star receiver Puka Nacua, coach Sean McVay and Stafford spread the ball around to 10 different receivers during a victory that made the nine-day road trip worth it.

The Rams were coming off a 17-3 road win over the Baltimore Ravens. They stayed in Baltimore last week, practicing at Oriole Park at Camden Yards before departing for London on Friday. Arriving Saturday, they played on Sunday—and showed no signs of jet lag.

Verse kicked off the game with a sack on Trevor Lawrence on the very first play. The Rams jumped to a 21-0 halftime lead and cruised as McVay remained unbeaten in London games.

Young, rookie outside linebacker Josaiah Stewart, linebacker Nate Landman, lineman Larrell Murchison, and safety Quentin Lake contributed to a combined seven sacks on Lawrence. Lake, who also forced a fumble, and lineman Kobie Turner batted down passes in the backfield.

In 2017, McVay’s first season, the Rams routed the Arizona Cardinals at Twickenham Stadium. Two years later, they defeated the Cincinnati Bengals at Wembley Stadium. Though Sunday’s game was played thousands of miles from Southern California, it had a familiar Rams family feel.

Jaguars coach Liam Coen was an assistant under McVay, and Jaguars first-year general manager James Gladstone worked for nine years under Rams general manager Les Snead.

The upcoming week off should benefit Nacua, who did not play due to an ankle injury sustained against the Ravens. The Rams decided to rest the third-year pro and let him heal before facing the New Orleans Saints on November 2 at SoFi Stadium.

Nacua’s absence opened the door for Adams and others. By the end of the first quarter, Stafford had completed passes to seven of eight different receivers targeted, including touchdowns to Mumpfield and two to Adams. Stafford also connected with Ferguson and Adams for touchdowns in the fourth quarter.

Adams and Stafford, who said in Baltimore they were still working to find their timing together, finally found it on Sunday. Adams caught five passes for 35 yards, with all of his short touchdown receptions coming on the kinds of red-zone plays the Rams envisioned when they signed the three-time All-Pro.

Stafford completed 21 of 33 passes for only 182 yards, but he made them count.

For the first time since 2021, the Rams will go into their bye week with a winning record. In 2023, the Rams were 3-6 at the bye and then won seven of eight games to finish 10-7 and make the playoffs. Last season, they were 1-4 at the bye and then won nine of 12 games to finish 10-7 and make the playoffs.

Sunday’s victory trends closer to 2017, when the Rams shut out the Cardinals, 33-0, at Twickenham Stadium to improve to 5-2 heading into the bye. The Rams went on to win the NFC West and make the playoffs for the first time since 2004.

After taking trips to Tennessee, Philadelphia, Baltimore, and London, the Rams will leave the West Coast only twice more—for a November 30 game at Carolina and a December 29 game at Atlanta. They have to feel good about that as they prepare for the long flight home.
https://www.latimes.com/sports/rams/story/2025-10-19/matthew-stafford-rams-defeat-jaguars-london-wembley