Home Blog Page 13

Learn the way warehouse automation is resulting in ‘lights out’ success

0


Learn the way warehouse automation is resulting in ‘lights out’ success

A RightPick system with an ASRS illustrating lights out perform. Supply: RightHand Robotics

Warehouse operators are turning to robotics and automation to satisfy expectations for decrease prices and ever-faster success. “Lights-out” amenities promise full automation, however most of at this time’s warehouses and distribution facilities nonetheless depend on guide processes. A panel dialogue on the 2025 Robotics Summit & Expo will focus on the maturing applied sciences that allow lights-out operations.

This session on “Maximizing the Worth of a Warehouse By Lights Out Order Achievement” will likely be at 11:30 a.m. ET on Thursday, Might 1, in Room 256 of the Boston Conference and Exhibition Middle. The panelists may even contemplate the roles of choosing techniques, cellular robots, and automatic storage and retrieval techniques (ASRS).

Based on our specialists, end-to-end automation requires a transparent enterprise mannequin, correctly built-in applied sciences, and software program and processes to handle the return on funding (ROI). Attendees can study extra in regards to the following:

  • How warehouses can climate present financial disruptions
  • Enabling robots to work with legacy techniques and different equipment
  • The place human associates or supervision nonetheless is sensible
  • How a lot demand there may be for lights-out amenities
  • The function of software program, information, and synthetic intelligence in enhancing accuracy and throughput
  • How essential are integrators?

Study from specialists in lights-out success

Yaro Tenzer, CEO of RightHand Robotics, will discuss lights out warehouses at the 2025 Robotics Summit.

Yaro Tenzer is co-founder and CEO of RightHand Robotics, which offers predictable success in logistics purposes by growing robots that may grasp all kinds of on a regular basis objects. A pioneer within the house, RightHand has scaled prospects in Europe, Japan, and North America.

Previous to forming RightHand Robotics, Dr. Tenzer was a postdoctoral researcher on the Harvard Biorobotics Lab, the place he and his co-founders developed a most well-liked greedy answer for the DARPA Grand Robotics Problem.

Yaro acquired his Ph.D. in medical robotics from the Imperial Faculty London and holds a M.Sc. in mechatronics and B.Sc. in mechanical engineering from Ben Gurion College.

Ayman Labib is co-founder and CEO of SIMPL Automation.

Ayman Labib is co-founder and CEO of SIMPL Automation. Below his management, SIMPL is remodeling warehouse effectivity by retrofitting goods-to-person (G2P) automation onto present storage techniques—bridging the hole between conventional infrastructure and cutting-edge automation.

With greater than 28 years of expertise in automation, Labib has efficiently led over 80 automation initiatives throughout various industries. As the previous chief expertise officer at Invata Intralogistics, he performed a pivotal function in establishing and main its robotics division, driving greater than $180 million in income progress inside simply 4 years.

An entrepreneur at coronary heart, Ayman has based and invested in a number of start-ups, utilizing his mechanical and industrial engineering background to innovate in automation expertise. His experience in system design, robotics, and intralogistics has made him a acknowledged thought chief within the business, repeatedly pushing the boundaries of what’s attainable in warehouse automation.

Mike Keneally, co-owner of Accutech Packaging, will discuss lights-out order fulfillment at the Robotics Summit & Expo.

Mike Keneally is the co-owner of Accutech Packaging, a market chief in outbound packaging tools for the e-commerce and success industries. Its totally built-in options embody movie wrapping mailer techniques, autoboxing techniques, and padded mailer techniques. Keneally has been fascinated with the advances in robotics and has collaborated with quite a few firms within the ASRS and robotic choosing house.

Many firms are arising with nice options for merchandise choosing and sorting, however to realize decrease prices and quicker throughput, they need to consider built-in auto bagging and auto boxing.

Accutech affords its e-commerce shoppers the means to supply sustainable, curbside-recyclable packages that enchantment to their shoppers.

Eugene Demaitre, editorial director for robotics at WTWH Media

Eugene Demaitre is editorial director of the robotics group at WTWH Media, which produces Automated Warehouse, the Robotics Summit & Expo, The Robotic Report, and RoboBusiness.

Previous to working at WTWH Media, Demaitre was an editor at BNA (now a part of Bloomberg), Computerworld, TechTarget, Robotics Enterprise Assessment, and Robotics 24/7. He has participated in quite a few robotics webcasts, podcasts, and conferences worldwide.

Gene has a grasp’s from the George Washington College and lives within the Boston space.

Extra in regards to the Robotics Summit & Expo

The 2025 Robotics Summit & Expo will carry collectively greater than 5,000 attendees centered on constructing robots for numerous business industries. Attendees can achieve insights into the most recent enabling applied sciences, engineering finest practices, rising developments, and extra.

Keynote audio system will embody Aaron Saunders, the chief expertise officer at Boston Dynamics; James Kuffner, CTO of Symbotic; and Aaron Parness, director of utilized science in robotics and AI at Amazon Robotics, amongst others.

The present could have greater than 50 instructional periods in tracks on AI, design and growth, enabling applied sciences, healthcare, and logistics. The Engineering Theater on the present flooring may even function shows by business specialists.

The expo corridor will function over 200 exhibitors showcasing the most recent enabling applied sciences, merchandise, and companies that may assist robotics engineers all through their growth journeys.

The Robotics Summit additionally affords quite a few networking alternatives, a Profession Truthful, a robotics growth problem, the RBR50 Robotics Innovation Awards Gala, and extra.

Registration is now open.


SITE AD for the 2025 Robotics Summit registration.
Register now so you do not miss out!


ios – Swift CSV import fails with ‘Didn’t load flashcards: ERR257.DFU’ — doable encoding or parsing difficulty?


I’m engaged on importing flashcards from a CSV file in my Swift app. I exploit the next methodology to generate and write the CSV file:

func generateCSVText(withManagedObjects arrManagedObject: [Flashcard]) {
    var CSVString = "reply, questionn"

    for flashcard in arrManagedObject {
        let entityContent = ""(flashcard.flashcardAnswer)", "(flashcard.flashcardQuestion)"n"
        CSVString.append(entityContent)
    }

    let tempDirectory = FileManager.default.temporaryDirectory
    let fileURL = tempDirectory.appendingPathComponent("(cardSet.cardSetName).csv")

    do {
        attempt CSVString.write(to: fileURL, atomically: true, encoding: .utf8)
        DispatchQueue.principal.async {
            self.csvFileURL = fileURL
        }
        self.isShowingExportView = true
    } catch {
        print("Error writing CSV: (error.localizedDescription)")
    }
}

Then I try and import it utilizing:

func importFlashcards(from fileURL: URL) {
    do {
        let content material = attempt String(contentsOf: fileURL, encoding: .utf8)
        let rows = content material.parts(separatedBy: "n").dropFirst() // Skip header

        for row in rows {
            let trimmed = row.trimmingCharacters(in: .whitespacesAndNewlines)
            guard !trimmed.isEmpty else { proceed }

            var parts = trimmed.parts(separatedBy: "", "")
            if parts.depend == 2 {
                // Take away surrounding quotes
                var reply = parts[0]
                var query = parts[1]

                if reply.hasPrefix(""") { reply.removeFirst() }
                if query.hasSuffix(""") { query.removeLast() }

                dataController.newFlashcard(reply: reply, query: query)
            }
        }
    } catch {
        print("Didn't load flashcards: (error.localizedDescription)")
    }
}

Nonetheless, after I choose the file for import, I get the next error:

Didn't load flashcards: ERR257.DFU

I additionally opened the CSV in a web based CSV editor and viewer, chosen “UTF-8” encoding there, and it displayed/edited simply positive.

Bagel AI Raises $5.5M to Bridge Product and GTM Groups with AI-Powered Intelligence Platform

0


In a major transfer towards redefining how corporations align product technique with enterprise affect, Bagel AI has introduced a $5.5 million Seed funding spherical led by at.inc/, with extra backing from Demo Capital, Loyal VC, CS Angel, and notable angel traders together with Zoom’s former CPO Oded Gal, CyberArk Founder Udi Mokady, and Atlassian’s former Head of Product Advertising Sean Regan.

Fixing the Multi-Trillion-Greenback Disconnect

On the coronary heart of Bagel AI’s mission is fixing a $3 trillion-dollar downside: the misalignment between product groups and go-to-market (GTM) features. Regardless of corporations drowning in suggestions, analytics, and buyer insights, a lot of this information stays underutilized—locked in silos and unfold throughout instruments like Salesforce, Jira, Zendesk, and Gong. The outcome? Groups make product selections in a vacuum, and GTM methods fall flat—some estimates present as much as 70% of GTM methods fail resulting from poor alignment.

Bagel AI is stepping in because the AI-powered connective tissue between these important features.

Not Simply Extra Knowledge—Smarter Knowledge

Bagel AI doesn’t merely accumulate information—it transforms it. Utilizing customer-tailored AI fashions, Bagel AI mechanically analyzes scattered, unstructured suggestions from a number of sources, extracting significant insights about product gaps, person ache factors, and rising market tendencies.

The platform goes additional by linking these insights on to enterprise metrics, guaranteeing that each product choice will be quantified by ROI. This transforms guesswork into technique, and transforms information from a passive useful resource into an lively development driver.

“As corporations start shifting away from a growth-at-all-cost mindset and as an alternative specializing in smarter, extra sustainable development, Bagel AI is presenting a path to realize this,” stated Ohad Biron, CEO & Co-founder of Bagel AI. “We allow groups to pinpoint—utilizing AI—the fitting resolution for the fitting downside, all whereas driving measurable outcomes.”

AI-Pushed Product Intelligence: A Nearer Look

Right here’s how Bagel AI works throughout a typical enterprise product group:

  • Computerized Knowledge Consolidation: Pulls in structured and unstructured suggestions from Slack, Chrome, Jira, Gong, Salesforce, Notion, and extra.

  • AI-Powered Evaluation: Learns an organization’s distinctive taxonomy to detect patterns, product pains, and untapped alternatives in real-time.

  • Segmentation & Prioritization: Ranks roadmap objects based mostly on buyer sentiment, income potential, and adoption chance.

  • Finish-to-Finish Alignment: From product managers to gross sales leaders and buyer success groups, Bagel AI retains everybody aligned with 360° visibility into characteristic affect and supply.

This isn’t a static dashboard. It’s an always-on, studying system that acts as an clever product co-pilot, proactively recommending actions and roadmap concepts that drive enterprise outcomes.

Constructed for Groups Who Want Outcomes, Not Studies

“Product groups are drowning in scattered information and clunky instruments. Bagel AI adjustments that,” stated Oded Gal, former CPO of Zoom and Bagel AI board member. “It connects information to selections—and in the end to income—by automating the messy evaluation work and aligning groups quick.”

This isn’t simply one other analytics platform. Bagel AI’s zero-silo integration mannequin embeds deeply into present workflows, changing outdated options like Productboard, UserVoice, and even “glorified spreadsheets.”

As a substitute of dumping extra dashboards on already-overwhelmed groups, Bagel AI delivers actionable, ranked insights natively throughout the instruments groups already use.

Momentum and the Highway Forward

Bagel AI is already trusted by high-growth corporations together with Tipalti, Zenicy, Hivebrite, and HoneyBook. The platform is delivering tangible outcomes:

  • 31% greater onboarding success price

  • 15% churn discount

  • 12x sooner response to product gaps

  • 85% much less duplicated information throughout instruments

And now, with this $5.5 million injection of capital, the corporate plans to speed up buyer acquisition and scale its platform to fulfill hovering demand for AI-driven product intelligence.

“Bagel AI is proving its affect the place it issues most—serving to product and GTM groups uncover hidden insights and switch them into enterprise outcomes,” stated Roni Bonjack, Enterprise Associate at at.inc/ and board member at Bagel AI. “The worth is rapid. That’s what makes this such an thrilling funding.”

Abstract

Based in 2022 by Ohad Biron (CEO), Itai Danino (CTO), and Yuval Nachman (CPO), Bagel AI is an alumnus of Google’s prestigious AI First accelerator. The founding group brings a uncommon mixture of product experience, technical management, and a mission-driven strategy to reworking how corporations make selections.

Their motto? “Make each characteristic depend.”

With this newest funding and rising buyer traction, Bagel AI is on a path to changing into the gold commonplace in product intelligence platforms—empowering corporations to behave smarter, scale sooner, and ship extra worth with each product choice.

SoundCloud makes use of Jetpack Look to construct Preferred Tracks widget in simply 2 weeks



SoundCloud makes use of Jetpack Look to construct Preferred Tracks widget in simply 2 weeks

Posted by Summers Pittman – Developer Relations Engineer

To make it even simpler for customers to hear on Android, builders at SoundCloud — an artist-first music platform — turned to Jetpack Look to create a Preferred Tracks widget for his or her highly-rated app, which boasts 4.6 stars and over 100 million downloads. With a catalog of over 400 million tracks from greater than 40 million creators, SoundCloud is devoted to connecting artists and followers by way of music, and this newest replace to its Android app affords listeners an much more handy method to get pleasure from their favourite tracks. Propelled by Look, the staff was capable of full the challenge in simply two weeks, saving treasured growth time and boosting engagement.

Maximize visibility with user-friendly touchpoints

By showcasing the art work of their not too long ago favored tracks, the brand new Preferred Tracks widget permits customers to to leap on to a particular music or entry their full monitor record proper from their dwelling display. This retains SoundCloud entrance and heart for listeners, performing as a shortcut to their private libraries and inspiring them to tune again in.

Preferred Tracks isn’t SoundCloud’s first widget. Over a decade in the past, SoundCloud builders used RemoteViews to create a Participant widget that allow customers simply management playback and like tracks. After not too long ago updating the Participant widget based mostly on design suggestions, builders made certain to prioritize a customized interface for Preferred Tracks. The brand new widget options each gentle and darkish modes, resizes freely to accommodate consumer preferences, and dynamically adapts its theme to enrich the consumer’s wallpaper. Backed by Look, these design selections ensured the widget isn’t simply seamless to make use of but additionally serves as an interesting and tailor-made gateway into the SoundCloud app.

A foldable smartphone is open, displaying various apps and widgets, including music controls and 'Liked tracks'

SoundCloud’s Preferred Tracks widget in motion.

Speed up growth cycles with Look

Look additionally performed an important function in streamlining the event of Preferred Tracks. For builders already proficient in Compose, Look’s intuitive design felt acquainted, minimizing the training curve and accelerating the staff’s onboarding. The platform’s assortment of code samples supplied a helpful place to begin, too, serving to builders rapidly grasp its capabilities and finest practices. “Utilizing pattern app repositories is an effective way to be taught. I can try a whole repository and examine how the code operates,” mentioned Sigute Kateivaite, lead SoundCloud engineer on the Android staff. “It sped up our widget growth by so much.”

Quote card reads: “Using sample app repositories is a great way to learn. It sped up our widget development.” — Sigute Kateivaite, Android Engineer at SoundCloud

The declarative nature of Look’s UI was particularly helpful to builders. As a result of they didn’t have to make use of extra XML information when constructing, builders might create cleaner, extra readable code with much less boilerplate. Look additionally allowed them to work with modules individually, that means elements may very well be written and built-in one after the other and reused for later iterations. By isolating elements, builders might rapidly take a look at modules, establish and resolve points, and construct for various states with out duplication, resulting in extra environment friendly workflows.

Look’s design additionally improved the general code high quality. The power to make modifications utilizing Android Studio’s help for Look’s real-time preview enabled builders to construct elements in isolation without having to combine the UI part into the widget or deploy the complete widget on the cellphone. They may symbolize numerous states, view all related instances, and evaluation modifications to elements with out having to compile the complete app. Put merely, Look made builders extra productive as a result of it allowed them to iterate quicker, refining the widget for a extra polished closing product.

Elevate app widgets with the facility of Look

With efficient new workflows and no main growth points, the SoundCloud staff applauds Look for streamlining a profitable manufacturing. “With the brand new Preferred Tracks widget, rollout has been actually steady,” Sigute mentioned. “Growth and the testing course of went actually easily.” Early knowledge additionally reveals promising outcomes — lively customers now work together with the widget to entry the app a number of occasions a day on common.

Stat card reads:'2X average daily active user interaction with widget feature.'

2X common every day lively consumer interplay with widget characteristic.

Trying forward, the SoundCloud staff is raring to make use of extra of Look to enhance present widgets, like adopting canonical layouts, and even develop new ones. Whereas the present Preferred Tracks widget focuses totally on picture show, the staff is inquisitive about together with different forms of content material to additional enrich consumer expertise. Builders additionally hope emigrate the Participant widget over to Look to entry the framework’s strong theming choices, simplify resizing processes, and handle some long-standing bugs.

Past the Preferred Tracks and Participant options, the staff is happy in regards to the potential of utilizing Look to construct a wider vary of widgets. The modular, component-based structure of the Preferred Tracks widget, with reusable parts like UserAvatar and Brand, affords a strong basis for future growth, promising to simplify processes from the beginning.

Get began constructing customized app widgets with Jetpack Look

Quickly develop and deploy widgets that preserve your app seen and interesting with Look.


This weblog submit is a part of our collection: Highlight Week on Widgets, the place we offer sources—weblog posts, movies, pattern code, and extra—all designed that can assist you design and create widgets. You may learn extra within the overview of Highlight Week: Widgets, which can be up to date all through the week.

ios – Why SwiftUI redraws the physique of my customized View since nothing associated to him modifications?


Right here is an instance:

struct DemoApp: View {
    @State var viewModel = DemoAppViewModel()
    var physique: some View {
        VStack {
            DemoMonthView(date: viewModel.monthDate)
            DemoDayView(date: viewModel.dayDate) // FIRST
                .onTapGesture {
                    viewModel.dayDate = viewModel.dayDate.addingTimeInterval(86000)
                }
            DemoDayView(date: viewModel.monthDate) // SECOND
                .onTapGesture {
                    viewModel.monthDate = viewModel.monthDate.addingTimeInterval(1400000)
                }
        }
    }
}

@Observable
class DemoAppViewModel {
    var dayDate: Date = Date()
    var monthDate: Date = Date()
}

struct DemoMonthView: View {
    var date: Date
    @FetchRequest personal var days: FetchedResults //it's essential change Day right here with any Entity that can permit to breed the problem
    init(date: Date) {
        self.date = date
        _days = FetchRequest(
            sortDescriptors: [SortDescriptor(.date, order: .reverse)],
            predicate: NSPredicate(worth: true)
        )
        print("DemoMonthView init known as") //needs to be known as, however with out physique redraws

        // heavy calculations for given month
    }
    
    var physique: some View {
        if #obtainable(iOS 17.1, *) {
            print("DemoMonthView physique known as") //shouldn't be known as❓
        }
        return VStack {
            Textual content(date.formatted(date: .lengthy, time: .omitted)).font(.title.daring())
        }
    }
}

struct DemoDayView: View {
    var date: Date
    
    var physique: some View {
        Textual content(date.formatted(date: .lengthy, time: .omitted))
    }
}

#Preview {
    DemoApp()
}

Merely, while you faucet FIRST button it shouldn’t redraw DemoMonthView, nevertheless it does. Why? I really want to keep away from that by tapping each time FIRST button. SECOND button redraws DemoMonthView view accurately, what I perceive. However why the FIRST?

Once I remark it out days and _days affiliation in init, then every part is okay, it DOES NOT redraws…

However that state of affairs is only a shortened drawback of my actual, extra difficult app. There’s a fetchRequest with heavy calculations which shouldn’t be known as so ceaselessly like faucet on the button, like right here in instance, when tapping that button doesn’t change something associated to DemoMonthView.

If it’s the cause because of the lack of my data, what ought to I do know to keep away from that?

Why it issues right here? As a result of I have to replace that DemoMonthView ONLY when monthDate modifications, not every time when dayDate modifications.