4.9 C
New York
Monday, April 7, 2025
Home Blog

Enter the period of bodily intelligence on the 2025 Robotics Summit

0


Daniela Rus will deliver a keynote on physical intelligence at the Robotics Summit.

With the rise of huge language fashions and generative AI, researchers have spent the previous few years determining the right way to apply that know-how to robotics. For a lot of, the reply is bodily intelligence, the subsequent main breakthrough for the robotics business. On the 2025 Robotics Summit & Expo on the Boston Conference and Exhibition Heart, MIT CSAIL Director Daniela Rus will give a keynote presentation on the subject.

Bodily Intelligence is achieved when the flexibility of synthetic intelligence to grasp textual content, photographs, alerts, and different data permits bodily machines corresponding to robots to higher work together with their environments, objects, and other people. To attain efficient bodily intelligence, the business wants energy-efficient AI methods that may run reliably on robots, sensors, and different edge gadgets.

In her keynote on Might 1, Rus will focus on the challenges of transformer-based basis AI fashions. She may even introduce various physics-based fashions and clarify how they obtain efficiency effectively.

Rus is the Andrew (1956) and Erna Viterbi Professor of Electrical Engineering and Pc Science on the Massachusetts Institute of Expertise. She can also be director of the Pc Science and Synthetic Intelligence Laboratory (CSAIL) at MIT. Her analysis pursuits embrace robotics, AI, and machine studying and their purposes towards a greater world.

As well as, Rus is a senior visiting fellow at MITRE Corp.; a MacArthur Fellow; and a fellow of ACM, AAAI, AAAS, and IEEE. She is a member of the Nationwide Academy of Engineering and the American Academy of Arts and Sciences.

Rus is the recipient of the Engelberger Award for robotics, the IEEE RAS Technical Award, and the John Scott Medal. Rus earned her Ph.D. in laptop science from Cornell College.

Extra in regards to the Robotics Summit & Expo

The Robotics Summit & Expo will carry collectively greater than 5,000 attendees centered on constructing robots for varied business industries. Attendees can acquire insights into the newest enabling applied sciences, engineering greatest practices, rising traits, and extra.

Along with Rus, the keynote audio system on April 30 and Might 1 will embrace:

  • Aaron Saunders, the chief know-how officer at Boston Dynamics
  • James Kuffner, CTO of Symbotic
  • Aaron Parness, director of utilized science in robotics and AI at Amazon Robotics
  • Dr. Aadeel Akhtar, the founder and CEO of PSYONIC

The occasion will function greater than 50 instructional classes in tracks on AI, design and improvement, enabling applied sciences, healthcare, and logistics. The Engineering Theater on the present flooring may even function displays by business consultants.

The expo corridor can have over 200 exhibitors showcasing the newest enabling applied sciences, merchandise, and companies that may assist robotics engineers all through their improvement journeys.

The Robotics Summit additionally gives quite a few networking alternatives, a Profession Honest, a robotics improvement problem, the RBR50 Robotics Innovation Awards Gala, and extra.

Co-located with the occasion is DeviceTalks Boston, the premier occasion for medical know-how professionals, at the moment in its tenth yr. Each occasions entice engineering and enterprise professionals from a broad vary of healthcare and medical know-how backgrounds.

Registration is now open.

ios – SwiftUI align view to middle scrollView


My activity is to make a scrollview, which receives an array of strings and an overlay, which is situated within the middle. When some view will get into this overlay, it ought to instantly align to its borders, that’s, be within the middle of the display. The checklist ought to begin from the center of the display with the primary aspect.
I used to be on the lookout for an answer right here textual content

I’ve struct

struct Area: Equatable, Hashable {
    let title: String
}

PreferenceKeyStruct

struct ViewOffsetKey: PreferenceKey {
    static var defaultValue: [String: CGRect] = [:]
    
    static func cut back(worth: inout [String: CGRect], nextValue: () -> [String: CGRect]) {
        worth.merge(nextValue(), uniquingKeysWith: { $1 })
    }
}

and subView

struct RegionView: View {
    
    let title: String
    
    var physique: some View {
        HStack {
            Textual content(self.title)
                .foregroundColor(.white)
                .font(.system(.physique))
            
            Spacer()
        }
        .padding(16)
        .body(width: 348, alignment: .topLeading)
        .background(Shade.black)
        .cornerRadius(50)
        .id(title)
        .background(GeometryReader {
            Shade.clear.desire(key: ViewOffsetKey.self,
                                   worth: [name: $0.frame(in: .global)])
        })
    }
}

The primary view is realized by CurrentValueSubject and AnyPublisher.
I verify if subView intersects a rectangle with a top of 1, then I write it as displayed. When the scroll ends, I name the scrollTo methodology

struct RegionListView: View {
    let detector: CurrentValueSubject<[String: CGRect], By no means>
    let writer: AnyPublisher<[String: CGRect], By no means>
    
    let areas: [Region] = [
        Region(name: "Region 1"),
        Region(name: "Region 2"),
        Region(name: "Region 3"),
        Region(name: "Region 4"),
        Region(name: "Region 5"),
        Region(name: "Region 6"),
        Region(name: "Region 7"),
        Region(name: "Region 8"),
        Region(name: "Region 9"),
        Region(name: "Region 10"),
        Region(name: "Region 11"),
        Region(name: "Region 12"),
        Region(name: "Region 13"),
        Region(name: "Region 14"),
        Region(name: "Region 15"),
        Region(name: "Region 16"),
        Region(name: "Region 17"),
        Region(name: "Region 18"),
        Region(name: "Region 19"),
        Region(name: "Region 20"),
    ]
    
    @State personal var topVisibleChildId: String?
    
    init() {
        let detector = CurrentValueSubject<[String: CGRect], By no means>([:])
        self.writer = detector
            .debounce(for: .seconds(0.1), scheduler: DispatchQueue.major)
            .dropFirst()
            .eraseToAnyPublisher()
        self.detector = detector
    }
    
    var physique: some View {
        GeometryReader { geometryReader in
            ScrollViewReader { proxy in
                ScrollView {
                    VStack(spacing: 8) {
                        ForEach(self.areas, id: .self) { area in
                            RegionView(title: area.title)
                        }
                    }
                    .body(maxWidth: .infinity)
                    .onPreferenceChange(ViewOffsetKey.self) { childFrames in
                        detector.ship(childFrames)
                        
                        var visibleChildIds = [String]()
                        let screenMid = geometryReader.measurement.top / 2 + 56
                        
                        for (id, childFrame) in childFrames the place childFrame.intersects(CGRect(x: 0, y: Int(screenMid), width: .max, top: 56)) {
                            print("id (id) childFrame (childFrame)")
                            visibleChildIds.append(id)
                        }
                        
                        visibleChildIds.kind()
                        
                        if let first = visibleChildIds.first {
                            topVisibleChildId = first
                        }
                    }
                }
                .safeAreaPadding(.prime, geometryReader.measurement.top / 2 - 28)
                .safeAreaPadding(.backside, geometryReader.measurement.top / 2 - 28)
                .background(Shade.black)
                .onReceive(writer) { _ in
                    proxy.scrollTo(topVisibleChildId, anchor: .middle)
                }
                .overlay(
                    Textual content("High Seen Baby: (topVisibleChildId ?? "")")
                        .padding()
                        .background(Shade.blue.opacity(1))
                        .foregroundColor(.white)
                        .cornerRadius(10),
                    alignment: .prime
                )
                
                .overlay(
                    Rectangle()
                        .body(maxWidth: .infinity)
                        .body(top: 56)
                        .foregroundColor(Shade.clear)
                        .border(.inexperienced, width: 4),
                    alignment: .middle
                )
            }
        }
    }
}

My query: is it doable to implement a habits through which altering cells might be just like selecting a time when setting an alarm. That’s, the cell won’t must be scrolled to the middle if the consumer didn’t end scrolling within the center. I hope I defined it clearly.

Cute, Quirky IONNA EV Charging Consortium Brings Its A Sport



Join day by day information updates from CleanTechnica on e mail. Or comply with us on Google Information!


The IONNA EV charging station consortium unveiled itself final yr with a plan to deal with EV drivers within the US and Canada to lounge-type type and luxury whereas they cost up, and now Tesla CEO Elon Musk has handed them a golden alternative to current their retro-chic “Rechargery” mannequin as a welcome various to the Tesla Supercharger community. IONNA goals to benefit from the chance underneath a brand new model creation and design partnership with the worldwide advertising powerhouse VLM.

Supercharging The IONNA EV Charging Model Id

For all of the fuss over the Tesla’s speedy buildup of its Supercharger community, the corporate failed to contemplate what may occur when different EV charging stakeholders start to make the charging expertise extra engaging. Take these large, busy Interstate journey facilities, for instance. You may see a financial institution of Superchargers there, off within the nook of a big car parking zone, farthest from the bogs and the meals courtroom, simply naked bones with out even a cover to protect drivers from the climate whereas they’re hooking up for a cost. Though, primarily based on what I noticed a couple of months in the past, the charging cables could make enjoyable form of swing for an creative toddler on the free.

Into this image steps the IONNA consortium with a mannequin for public quick charging stations that places the driving force expertise entrance and middle. “IONNA combines the forces of BMW, Normal Motors, Honda, Hyundai, Kia, Mercedes-Benz, Stellantis, and Toyota,” CleanTechnica famous in February, when IONNA introduced that it was glad with the beta-testing stage of the enterprise (see extra IONNA charging station background right here).

At its launch, IONNA had already settled on a retro type aesthetic, aiming to draw and reassure EV drivers with a model identification that harks again to the olden days however with an up to date method resembling a properly styled airport lounge.

Apparently not taking any probabilities, final yr IONNA additionally launched a five-month aggressive seek for a model creation and design accomplice. Final week, the competitors concluded with the choice of VML.

VML Dives Into EV Charging

AdWeek reporter Kathryn Lundstrom has the rundown on the brand new partnership, which already has a type of Trekkie really feel about it.

Citing Robb Smigielski, chief design officer and government lead of name design at VML, Lundstrom noticed:

“In growing the model identification for Ionna, VML created a lexicon round EV charging that he hopes will turn into a part of the tradition as extra individuals purchase electrical vehicles. The stations are rechargeries, the chargers are ‘geniune Ionna cost dispensers,’ and EV house owners who use the stations are ‘Ionnians.’”

“Ionna is automakers’ first vital effort to problem Tesla’s dominance in EV charging, and it’s coming in an period when many individuals are distancing themselves from Tesla CEO Elon Musk,” Lundstrom added. “At present, Tesla’s community makes up a majority of the quick chargers obtainable throughout the nation (it’s at the moment at 58%, in response to analysis and evaluation agency EVAdoption).”

“If Ionna could make good on its promise, it may supply another,” she emphasised. “The retro really feel of the branding alludes to a community-centric, nearly utopian imaginative and prescient of American life, marrying old-school Route 66 vibes to a clear vitality future and taking pictures for the model obsession individuals have for regional fuel station chains like Buc-ee’s or Wawa.”

You Had Me At Wawa…

When you’ve got private data of the Buc-ee’s expertise, drop a notice within the remark thread. I can solely communicate to Wawa, which is known in my neck of the woods.

The purpose is that, not like the serendipitous truck stops of these olden days, fashionable journey facilities have turn into locations to linger and benefit from the facilities, together with clear bogs, all kinds of acquainted meals choices, and Wi-Fi.

“In partnership with VML, the model launch of IONNA takes a novel method, utilizing nostalgic design components that have been drawn from America’s automotive previous and retro service station manufacturers,” VML elaborates. “Nostalgic components imbue consolation and familiarity and inject a way of pleasure and allure missing within the EV charging class as we speak.”

“We needed to launch IONNA – a charging community – that appears to the previous expertise of service stations that made us smile and earned our belief by wrapping the expertise in heat, hospitality, and considerate design and craft a model identification with acquainted consolation and timeless optimism,” explains Smigielski.

IONNA’s Chief Product Officer Ricardo Stamatti additionally chipped in his two cents in a press assertion. “In a world the place all charging manufacturers skew to both techno-cold or parking-lot-boring, designed for machines as a substitute of the individuals who drive them, IONNA was created to reintroduce consolation and familiarity again into the open street.”

“To construct a contemporary service station the place we’d verify your oil, without cost, with a welcoming smile… If EVs had oil,” Stamatti famous.

Subsequent Steps For EV Charging In The US

VML’s business-driven religion within the IONNA model comes at a pivotal time for the growth of public EV charging entry within the US. Amongst different actions aimed toward crippling the US auto business usually and EV makers specifically, the thin-skinned, malevolently incompetent Commander-in-Chief who occupies the White Home suspended the federally funded NEVI program aimed toward constructing out the nation’s public quick charging community.

The IONNA consortium is a welcome effort to assist make up for the dearth of federal assist for EV charging. If all goes in response to plan, driver confidence in public EV charging will assist maintain the EV gross sales pattern spiraling upwards.

Different non-public sector EV charging initiatives are additionally taking form, notably within the beforehand untapped marketplace for house charging at multi-family residential buildings.

None of that is excellent news for Tesla, which has turn into a notable outlier within the EV gross sales pattern right here within the US and different key EV markets.

The Tesla model has been on shaky floor for years, not less than for these paying consideration to the antics of Musk throughout the COVID outbreak and persevering with on by to Russia’s unprovoked invasion of Ukraine in February of 2022 and his buy of Twitter. After Musk utilized his private fortune to the election of President Trump and commenced working amok by the federal authorities, extra individuals paid consideration.

Don’t simply take my phrase for it. “Tesla has basically turn into a political image globally,” stated Wedbush Securities analyst Daniel Ives in a broadly reported publish over the weekend. The well-known Tesla fan previously pegged Tesla shares at $550, however slashed the outlook to $315.

Ouch!

Picture (cropped): The IONNA EV charging consortium has a golden alternative to supply EV drivers with public quick charging various to Tesla Superchargers, and they don’t seem to be letting the model popularity grass develop underneath their toes (courtesy of VLM).

Whether or not you’ve got solar energy or not, please full our newest solar energy survey.



Chip in a couple of {dollars} a month to assist assist impartial cleantech protection that helps to speed up the cleantech revolution!


Have a tip for CleanTechnica? Wish to promote? Wish to counsel a visitor for our CleanTech Discuss podcast? Contact us right here.


Join our day by day publication for 15 new cleantech tales a day. Or join our weekly one if day by day is simply too frequent.


Commercial



 


CleanTechnica makes use of affiliate hyperlinks. See our coverage right here.

CleanTechnica’s Remark Coverage




New guidelines simplifying recycling for workplaces in England come into pressure



New guidelines simplifying recycling for workplaces in England come into pressure
Picture credit score: jax10289 / Shutterstock.com.

New guidelines on how workplaces in England type their recycling and waste got here into pressure on 31 March, hopefully ending confusion over what goes the place and enabling constant, extra streamlined collections.

The measures are a part of the Authorities’s Easier Recycling plans and are anticipated to spice up flatlining recycling charges, cut back the quantity of waste despatched to landfill or for incineration, and ship price financial savings for some companies, whereas changing earlier laws which might have required them to have as much as six bins.

From Monday 31 March, workplaces with 10 or extra staff might want to prepare for the gathering of the next:

  • dry recyclable supplies – together with plastic, steel, glass, and paper and card
  • meals waste
  • residual (non-recyclable) waste

Workplaces might want to separate paper and card from the opposite dry recyclables until their waste collector collects them collectively. They may also have the liberty to determine on the dimensions of containers and frequency of collections primarily based on the amount of waste they produce.

This may be seen as a wise, pragmatic strategy to the gathering of supplies for the companies and different premises in scope, which embody residential houses, universities and faculties, and hospitals or nursing houses.

Simplifying the strategy will imply extra high-quality recycled materials may be sourced domestically, which may then be utilized by producers to make new merchandise as a part of the transition to a extra round economic system.

This can cut back carbon emissions, lower environmental and societal impacts from waste disposal, and help progress of the UK reprocessing trade, stated the federal government’s announcement.

Round Financial system Minister Mary Creagh stated: “We’re dedicated to ending the throwaway society, boosting recycling charges which have stalled for too lengthy, and driving progress by means of the Authorities’s Plan for Change.

“Simplifying the principles for workplaces will make recycling simpler, maximising environmental advantages, delivering price financial savings and stimulating progress.

“We’ll proceed to work hand-in-hand with companies to ship our reforms to drive up recycling charges and guarantee there’s extra recycled content material within the merchandise we purchase.”

As of 31 March, the Surroundings Company has assumed tasks because the regulator for Easier Recycling, which means it’s dedicated to supporting companies – each waste producers and collectors – with their new duties.

This contains serving to companies to know the actions they should take to make sure compliance with the rules.

Steve Molyneux, deputy director of waste and sources regulation on the Surroundings Company, stated:

“The implementation of Easier Recycling for workplaces is a pivotal second and an enormous step ahead, driving change within the waste market, optimising the usage of our treasured sources, and contributing to a round economic system.

“We’re dedicated to supporting companies with their new duties. We are going to take a practical strategy to implementation and can work with stakeholders to help them in overcoming any difficulties they may face in relation to compliance.”

Easier Recycling in England is integral to the Authorities’s dedication to maneuver to a round economic system wherein sources are saved in use for longer and waste is diminished; the trail to web zero is accelerated; and the economic system prospers because of funding in important infrastructure and inexperienced jobs.

Additional measures below Easier Recycling to come back imply the general public will have the ability to recycle the identical supplies throughout England, whether or not at house, work or college.

By 31 March 2026, native authorities can be required to gather the core recyclable waste streams from all households in England. This contains introducing weekly meals waste collections for many houses, until their councils have a transitional association in place, giving them a later begin date in laws.

Kerbside plastic movie collections from workplaces and households may also be launched by 31 March 2027.

Workplaces with fewer than 10 staff have till 31 March 2027 to rearrange for the recycling of the core recyclable waste streams.

Alongside prolonged producer accountability for packaging and the deposit return scheme for drinks containers, Easier Recycling in England is estimated to ship greenhouse gasoline emissions financial savings equal to £11.8 billion and make a big contribution in direction of assembly the ambition to recycle 65% of municipal waste by 2035.

The reforms may also drive up recycling charges – family recycling charges in England have flatlined at round 44-45% since 2015.

 

 

A River Rising: Ohio River Water Degree Disaster Hits Cincinnati


On April 7, 2025, the Ohio River hit 60 toes at Cincinnati’s riverfront—its highest in seven years. The Nationwide Climate Service flagged it early, however for a lot of residents, the indicators had been already clear. Parks disappeared beneath muddy water. Floodgates lined the East Finish. Households hurried to lift furnishings and stack sandbags. It wasn’t simply one other spring flood. This one had enamel.

Whereas this surge is tied to latest rainfall, it factors to a a lot bigger story about climate patterns, infrastructure, and the dangers of river residing. Let’s unpack how we bought right here—and the place we go from right here.

Ohio River Water Degree: How Excessive Is Too Excessive?

In Cincinnati, flood stage formally begins at 52 toes. When the Ohio River reaches 56 toes, flooding turns into reasonable. However at 60 toes, the influence is severe: roads are lower off, neighborhoods flood, and river commerce involves a halt. Although the floodwalls are designed for a monstrous 80 toes, that doesn’t imply we’re within the clear.

Most properties, companies, and emergency plans simply aren’t designed for water that prime. What occurred this April was a warning shot. It confirmed simply how shortly issues can shift.

Why the Ohio River Flooded in 2025: A Nearer Look

So, what triggered this flood? In simply 5 days, a large climate system dumped 4 to 7 inches of rain throughout the Ohio River watershed—a 204,000-square-mile area. Soils had been already soaked. Tributaries just like the Allegheny, Monongahela, and Muskingum funneled all that water straight into the primary stem of the Ohio.

The Cincinnati USGS gauge (03255000) tracked the river climbing from a peaceful 26 toes to 60 toes. That’s a 34-foot rise in lower than per week. The maths is startling, however not unprecedented.

Yr Crest (toes)
1937 79.9
1997 64.7
2018 60.0

This 12 months’s flood joins a shortlist of main occasions. And with local weather shifts, it might not be lengthy earlier than we prime it once more.

Ohio River Water overflow

How This Flood Compares to 2018 and 1937

The Ohio River has an extended reminiscence. In 1937, it flooded for almost three weeks. The water reached virtually 80 toes and altered town ceaselessly. In response, Cincinnati constructed a flood protection system now referred to as the LFPP.

In 2018, the river climbed to 60 toes, very like this 12 months. However in 2025, there’s a twist: extra folks, extra pavement, and extra runoff.

Occasion Yr Water Degree (ft) Key Outcomes
1937 79.9 19 days of flooding, huge injury
1997 64.7 Critical disruptions to infrastructure
2018 60.0 Main native flooding
2025 60.0 Widespread city influence

We’re constructing and increasing quicker than ever. However with that comes vulnerability. The river reminds us of that each few years.

Is Local weather Change Making Ohio River Flooding Worse?

Right here’s what the information reveals: the Midwest is getting wetter. NOAA stories a gradual rise in each rainfall quantity and frequency. When the environment holds extra moisture, storms dump extra water.

That’s how we get:

  • Greater, quicker runoff
  • Overwhelmed storm drains
  • Sooner river rises with much less warning

Scientists are cautious to not pin each storm on local weather change. However the development is obvious: the Ohio River is responding to a wetter, wilder world.

Ohio River Flood Impacts: How 60 Ft Modifications The whole lot

When the river hits 60 toes, it stops being surroundings and begins being a severe menace. Neighborhoods flood, roads vanish, and boats can’t go beneath bridges. Right here’s how totally different areas had been hit:

  • Cincinnati East Finish: Basements stuffed. Sandbags grew to become lifelines.
  • New Richmond: Households evacuated as streets turned to rivers.
  • Aurora, IN: Companies closed, docks went beneath.
  • Route 52 & Kellogg Avenue: Impassable for days.

Cincinnati’s floodwalls did their job—for now. However past these partitions, injury piled up. River site visitors was shut down. Barge shipments stalled. Losses are estimated within the a whole bunch of tens of millions.

What Residents Can Do Now: Security and Restoration Suggestions

Floods occur quick. Restoration strikes slower. Right here’s what to do:

Earlier than the flood:

  • Have an emergency equipment prepared
  • Transfer belongings off basement flooring
  • Join metropolis alert techniques

In the course of the flood:

  • Don’t drive by water—ever
  • Flip off gasoline and electrical energy for those who go away
  • Keep linked by way of radio or cellular updates

After the flood:

  • Take images of injury
  • File claims early
  • Be careful for mildew, downed traces, and contaminated water

Local weather Connection: Is International Warming Fueling the Ohio River?

You’ve in all probability heard it earlier than: hotter air holds extra water. Which means extra rain. And it’s displaying up within the Ohio River.

Flooding patterns that used to occur as soon as in 20 years are actually taking place each 5 to 10. That’s not simply climate. That’s a altering local weather at work.

The takeaway? We will’t afford to deal with every flood as a shock.

Flood Infrastructure: Robust However Getting old

After 1937’s devastation, the Military Corps and the Metropolis of Cincinnati constructed the LFPP. It’s spectacular:

  • Partitions that may deal with 80-foot crests
  • Pump stations and gates
  • Coordination with upstream dams like Meldahl

But it surely’s additionally almost 90 years previous. With rising water and new growth, it’s time for an improve. Sensors, good pumps, and climate-aware zoning legal guidelines may make all of the distinction.

Social & Environmental Prices of Rising Ohio River Water Ranges

Floods don’t hit everybody equally. Right here’s the breakdown:

Environmental points:

  • Erosion and sediment choke fish habitats
  • Pollution wash from streets into the river
  • Pure floodplains are paved over

Group influence:

  • Decrease-income areas endure most
  • Flood insurance coverage gaps go away households stranded
  • Psychological stress grows with every flood season

“Each spring we wait and surprise,” stated lifelong East Finish resident, Jane Connors. “How a lot water this time?”

Future Outlook: Brief-Time period Response and Lengthy-Time period Options

Within the quick time period:

  • Crews proceed monitoring upstream dams
  • FEMA and native companies set up cleanup
  • Roads reopen as water recedes

In the long run:

  • Replace flood defenses with new tech
  • Use inexperienced infrastructure to gradual runoff
  • Rewrite zoning guidelines to maintain properties out of hurt’s means
  • Educate residents by way of social media and college applications

Cities like Pittsburgh have already made huge strides. Cincinnati can lead, too.

Actual-Time Assets

What You Have to Know In regards to the Ohio River Water Degree

How excessive is simply too excessive?
As soon as the Ohio River hits 56 toes, flooding will get severe. At 60 toes, whole roads and neighborhoods go beneath.

How usually does the river flood like this?
It’s changing into extra frequent—particularly with heavier rain patterns and continued growth close to floodplains.

Is local weather change in charge?
It’s not the one trigger, nevertheless it’s positively making issues worse by growing rainfall depth.

Can residents put together?
Completely. Early warnings, flood kits, and good house upgrades make a distinction.

The place can I observe river ranges in actual time?
Use the USGS or NWS websites listed above for up-to-date data.

Conclusion: The Ohio River’s Warning Shouldn’t Be Ignored

The Ohio River’s rise to 60 toes isn’t simply one other line on a chart. It’s a narrative of danger, resilience, and the pressing have to adapt. For now, the water is receding. However the message stays loud and clear.

This gained’t be the final time the river rises. The actual query is: will we be prepared subsequent time?

Use #OhioRiverFlood to share your story and assist others keep ready.