Home Blog Page 7

Harvard equips its RoboBee with crane fly-inspired touchdown gear

0


Harvard equips its RoboBee with crane fly-inspired touchdown gear

A comparability shot exhibits the relative measurement of the present RoboBee platform with a penny, a earlier iteration of the RoboBee, and a crane fly. | Supply: Harvard College

Almost eight years in the past, Harvard College researchers unveiled RoboBee, a small, hybrid robotic that would fly, dive, and swim. Now, engineers on the Harvard Microrobotics Laboratory have outfitted RoboBee with its most dependable touchdown gear to this point, impressed by the crane fly.

Robert Wooden, the Harry Lewis and Marlyn McGrath Professor of Engineering and Utilized Sciences within the John A. Paulson Faculty of Engineering and Utilized Sciences (SEAS), led the workforce. The researchers have given their flying robotic a set of lengthy, jointed legs that assist ease its transition from air to floor.

They additionally outfitted RoboBee with an up to date controller that helps it decelerate on strategy, leading to a mild plop-down.

These enhancements are meant to guard the robotic’s delicate piezoelectric actuators. These are energy-dense “muscle mass” deployed for flight which can be simply fractured by exterior forces from tough landings and collisions.

RoboBee will get higher at touchdown

Touchdown has been problematic for the RoboBee partly due to how small and lightweight it’s. The robotic weighs only a tenth of a gram and has a wingspan of three cm. Earlier iterations suffered from important floor impact, or instability on account of air vortices from its flapping wings. That is very like the groundward-facing full-force gales generated by helicopter propellers.

“Beforehand, if we had been to go in for a touchdown, we’d flip off the car slightly bit above the bottom and simply drop it, and pray that it’s going to land upright and safely,” stated Christian Chan, co-first creator and a graduate scholar who led the mechanical redesign of the robotic.

The workforce’s paper describes the enhancements it made to the robotic’s controller, or mind, to adapt to the bottom results because it approaches. That is an effort led by co-first creator and former postdoctoral researcher Nak-seung Patrick Hyun. Hyun led managed touchdown checks on a leaf, in addition to inflexible surfaces.

Researchers draw inspiration from nature

“The profitable touchdown of any flying car depends on minimizing the rate because it approaches the floor earlier than influence and dissipating vitality rapidly after the influence,” stated Hyun, now an assistant professor at Purdue College. “Even with the tiny wing flaps of RoboBee, the bottom impact is non-negligible when flying near the floor, and issues can worsen after the influence because it bounces and tumbles.”

The lab regarded to nature to encourage mechanical upgrades for skillful flight and sleek touchdown on a wide range of terrains. The scientists selected the crane fly, a comparatively slow-moving, innocent insect that emerges from spring to fall and is commonly mistaken for a large mosquito.

“The scale and scale of our platform’s wingspan and physique measurement was pretty just like crane flies,” Chan stated.

The researchers famous that crane flies’ lengthy, jointed appendages seemingly give the bugs the flexibility to dampen their landings. Crane flies are additional characterised by their short-duration flights. A lot of their temporary grownup lifespan (days to a few weeks) is spent touchdown and taking off.

Contemplating specimen information from Harvard’s Museum of Comparative Zoology database, the workforce created prototypes of various leg architectures. It will definitely settled on designs just like a crane fly’s leg segmentation and joint location. The lab used manufacturing strategies pioneered within the Harvard Microrobotics Lab for adapting the stiffness and damping of every joint.

Postdoctoral researcher and co-author Alyssa Hernandez introduced her biology experience to the venture, having obtained her Ph.D. from Harvard’s Division of Organismic and Evolutionary Biology, the place she studied insect locomotion.

“RoboBee is a superb platform to discover the interface of biology and robotics,” she stated. “Looking for bioinspiration throughout the wonderful variety of bugs affords us numerous avenues to proceed enhancing the robotic. Reciprocally, we are able to use these robotic platforms as instruments for organic analysis, producing research that take a look at biomechanical hypotheses.”


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


Researchers stay up for RoboBee functions

At present, the RoboBee stays tethered to off-board management methods. The workforce stated it should proceed to deal with scaling up the car and incorporating onboard electronics to present the robotic sensor, energy, and management autonomy. These three applied sciences will enable the RoboBee platform to really take off, asserted the researchers.

“The longer-term objective is full autonomy, however within the interim, we now have been working by way of challenges for electrical and mechanical parts utilizing tethered units,” stated Wooden. “The security tethers had been, unsurprisingly, getting in the way in which of our experiments, and so protected touchdown is one vital step to take away these tethers.”

The RoboBee’s diminutive measurement and insect-like flight prowess provide intriguing prospects for future functions, stated the researchers. This might embrace environmental monitoring and catastrophe surveillance.

Amongst Chan’s favourite potential functions is synthetic pollination. This could contain swarms of RoboBees buzzing round vertical farms and gardens of the longer term.

The Nationwide Science Basis (NSF) Graduate Analysis Fellowship Program beneath Grant No. DGE 2140743 supported this analysis.

A composite image of the Harvard RoboBee landing on a leaf.

A composite picture of the RoboBee touchdown on a leaf. | Supply: Harvard College

ios – Finest strategy to retailer app settings in SwiftData


I’ve an app that at the moment makes use of @AppStorage to retailer consumer settings. Quite a lot of settings ought to sync between gadgets so I added a generic mannequin to retailer consumer settings in SwiftData like so:

@Mannequin
class CloudSetting {
    var key: SettingItem
    var date: Date?
    var worth: Knowledge
    
    init(key: SettingItem, date: Date?, worth: T) {
        self.key = key
        self.date = date
        self.worth = attempt! JSONEncoder().encode(worth)
    }
    
    func getValue(as sort: T.Sort) -> T? {
        attempt? JSONDecoder().decode(sort, from: worth)
    }
    
    func setValue(_ newValue: T) {
        self.worth = attempt! JSONEncoder().encode(newValue)
    }
}

I already had an enum (SettingItem) that comprises all related settings that’s then used to arrange the defaults within the newly @Observable class “SettingsManager” that handles the creation and adjustments to the mannequin information. For this I created an exemplary property “useLiveActivity” to make accessing the setting within the view simpler:

@Observable
class SettingsManager {
    personal var modelContext: ModelContext
    personal var settings = [SettingItem: [CloudSetting]]()
    
    // Computed variables for simpler entry
    var useLiveActivity: Bool {
        get { getSetting(for: .useliveActivity)}
        set { setSetting(for: .useliveActivity, to: newValue)}
    }
    
    init(modelContext: ModelContext) {
        self.modelContext = modelContext
        fetchAndCreateSettings()
    }
    
    func getSetting(for key: SettingItem) -> T {
        (settings[key]?.first?.getValue(as: T.self))!
    }
    
    func setSetting(for key: SettingItem, to worth: Codable) {
        settings[key]?.first?.setValue(worth)
    }
    
    func fetchAndCreateSettings() {
        // Fetch present settings or if empty, create a brand new array occasion
        var existingSettings = (attempt? modelContext.fetch(FetchDescriptor())) ?? [CloudSetting]()
        for setting in SettingItem.allCases {
            // Test that setting will not be but saved in container, in any other case proceed with subsequent iteration
            guard (existingSettings.firstIndex(the place: {$0.key == setting}) == nil) else {
                proceed
            }
            
            // Add new setting to array and to container
            let setting = CloudSetting(key: setting, date: setting.defaultDate, worth: setting.defaultValue)
            modelContext.insert(setting)
            existingSettings.append(setting)
        }
        // Save after inserting obligatory parts
        attempt? modelContext.save()
        
        // Replace variable
        settings = Dictionary(grouping: existingSettings, by: { $0.key })
    }

The SettingsManager is then instantiated within the App Struct like so:

struct ArbeitszeitApp: App {
    /// Container holds the persistent modelContainer for all SwiftData
    @State personal var container: ModelContainer
    /// SettingsManager is a retailer for all settings that must be synced through CloudKit (SwiftData)
    @State personal var settingsManager: SettingsManager
    
    init() {
        let container = ArbeitszeitApp.createContainer()
        _container = State(wrappedValue: container)
        
        let settingsManager = SettingsManager(modelContext: container.mainContext)
        _settingsManager = State(wrappedValue: settingsManager)
    }
    
    var physique: some Scene {
        WindowGroup {
            ContentView()
                .setting(settingsManager)
        }
        .modelContainer(container)
    }
}

Then I can entry the information within the view like so and whereas this typically works as anticipated, I used to be questioning what could be one of the best strategy:

struct ManageLiveActivitiesView: View {
    @Surroundings(SettingsManager.self) personal var settingsManager
    @Bindable var settings: SettingsManager
    
    var physique: some View {
        Checklist {
                Toggle("", isOn: Binding(
                    get: {settingsManager.stay},
                    set: {settingsManager.stay = $0})
                Toggle("", isOn: $settingsManager.stay) 
            }
        }
    }
}

So the principle query(s) could be:

  • Is it extra widespread/higher to
    • use the SettingsManager occasion from the @Surroundings within the view on to entry and alter the setting however with the necessity to create an specific binding
    • or learn the SettingsManager occasion within the root view of the settings after which move it all the way down to the views to make dealing with the binding simpler?
  • Does it make sense to create helper variables for all settings within the SettingsManager for simpler entry within the view?
  • Or is there a greater strategy on the whole?

Retrieval-Augmented Era: SMBs’ Answer for Using AI Effectively and Successfully

0


As Synthetic Intelligence (AI) continues to dominate headlines, the main focus of dialog is shifting to the outcomes and implications for companies. Many massive enterprises are utilizing AI to automate repetitive duties, like accounting, and improve operational effectivity total. AI has proven worth for the big organizations which have sources to rigorously implement it by means of their very own LLM fashions and software program. However Small and Medium-Sized Companies (SMBs) don’t have the identical sources, so they need to work out how you can greatest use the ability of LLMs.

One of many important challenges is deciding what works greatest for his or her distinctive wants in a safe approach that safeguards their knowledge. One other problem: How can SMBs leverage the ability of AI fashions to compete with bigger organizations?

Implementing Applications for Effectivity with Restricted Availability

On this aggressive market, SMBs can not afford to fall behind friends or bigger organizations in terms of technological developments. In line with a latest Salesforce report, 75% of SMBs are not less than experimenting with AI, with 83% of these growing their income with the expertise’s adoption. Nevertheless, there’s an adoption hole. 78% of rising SMBs are planning to extend their AI investments whereas solely half (55%) of declining SMBs have the identical plans.

Whether or not experimenting with the expertise or not, one fact stays: SMBs can not play in a sport in opposition to bigger firms after they lack the identical infrastructure and workforce assist. However they don’t must undergo due to it. For SMBs with smaller groups, AI is a key device to enhance effectivity, embrace development alternatives, and maintain tempo with rivals that leverage automation for smarter decision-making.

For instance, the accounting groups of SMBs can battle with velocity, effectivity, and accuracy, typically turning into overwhelmed with monetary backlogs. AI generally is a sport changer for a monetary crew’s success, liberating them from repetitive accounting duties, whereas giving them confidence to shift their focus to strategic evaluation wanted to propel the enterprise ahead.

For smaller groups to transition from experimentation into strategic implementation, the expertise must function effectively with much less handbook effort, extracting related insights for decision-making whereas remaining accessible to workers.

The Unsung Hero: Retrieval Augmented Era

For SMBs, AI’s future lies in Retrieval Augmented Era (RAG). RAG environments work by retrieving and storing knowledge in varied sources, domains, and codecs accessible to the individual inputting the information. With a well-constructed RAG system, companies can present their proprietary knowledge in context to a strong mannequin. Utilizing normal data and the corporate’s personal particular knowledge, the mannequin can reply questions utilizing solely the retrieved knowledge. This method permits even the smallest organizations to entry the identical enterprise and accounting processing energy because the tech giants (FAANG and past).

RAG offers small companies the power to extract actionable insights from their knowledge, compete at scale, and embrace the subsequent wave of innovation with out huge upfront prices or infrastructure. That is completed through the use of an embedding mannequin to vectorize knowledge for retrieval. The power to do a semantic search leveraging pure language processing (NLP) on the RAG sources permits the LLMs to obtain the precise knowledge and supply a useful response. This vastly cuts down on program hallucinations as a result of RAG is grounded in a dataset, growing the reliability of the information.

One of many nice benefits of RAG for enterprise use is that the fashions usually are not skilled on the information. Which means that data put into this system is not going to be used for continued improvement of the substitute software program. For delicate data, like accounting and monetary knowledge, firms can share proprietary data for perception with out having to fret about that knowledge turning into public data.

RAG to Riches: The way to Combine Into Workflows

Organizations can profit from AI in the identical approach expert professionals grasp their craft. Simply as electricians perceive the interface between energy and infrastructure, SMBs should discover ways to tailor RAG to deal with their distinctive wants.

A strong understanding of the instruments additionally ensures SMBs apply AI to successfully clear up the precise enterprise challenges. A couple of key suggestions for enterprises to implement RAG embody:

  • Curate and Construction the Information Base – A retrieval system is barely pretty much as good as the information feeding into it. Enterprises ought to spend money on cleansing, structuring, and embedding their data base—whether or not it’s inner documentation, buyer interactions, or analysis archives. A well-organized vector database (FAISS, Pinecone, Chroma) will set the muse for high-quality retrieval.
  • Optimize Retrieval and Era – Off-the-shelf fashions gained’t reduce it. Positive-tune the retriever (dense passage retrieval, hybrid search) and generator (LLM) to align with the corporate’s area. If a system isn’t retrieving the precise knowledge, even the most effective LLM will generate nonsense. Steadiness precision and recall to get the precise data on the proper time.
  • Lock Down Safety & Compliance – AI adoption within the enterprise isn’t nearly efficiency—it’s about belief. Implement strict entry controls and guarantee compliance with rules (GDPR or SOC 2). If these guidelines aren’t adopted, a RAG pipeline may turn into a legal responsibility as a substitute of an asset.
  • Monitor, Iterate, Enhance – AI techniques aren’t “set and neglect.” To correctly control them, departments ought to monitor retrieval high quality, measure response accuracy, and set up a suggestions loop with actual customers. Deploy human-in-the-loop validation the place wanted and repeatedly refine retrieval metrics and mannequin tuning. Firms that win with AI are those that deal with it as a residing system—not a static device.

Strategic AI Makes for Efficient Enterprise Administration

Whereas AI generally is a highly effective —if not overwhelming —device, RAG offers a grounded, actionable method to adoption. As a result of RAG applications pull from firms’ already augmented knowledge, it permits for funding returns which are helpful for SMBs’ distinctive enterprise and monetary monitoring wants. With the power to tug context-rich insights from proprietary knowledge securely and effectively, RAG permits smaller groups to make sooner, smarter choices and shut the hole between them and far bigger rivals.

SMB management searching for stability ought to prioritize RAG as a method to discover effectivity whereas securing their knowledge. For thoseready to maneuver past experimentation and into strategic development, RAG is not only a technical resolution—it is a aggressive benefit.

A Story of Two International locations: Bolivia’s EV Gross sales Are Booming By means of A Gasoline Disaster, Whereas Ecuador’s EV Gross sales Are Additionally Booming Regardless of An Electrical energy Disaster


Join CleanTechnica’s Weekly Substack for Zach and Scott’s in-depth analyses and excessive degree summaries, join our each day publication, and/or comply with us on Google Information!


Final Up to date on: nineteenth April 2025, 01:16 am

Many, many instances have I learn the argument in opposition to EV adoption in growing international locations based mostly upon our (supposed) incapacity to handle an honest grid, the existence of widespread blackouts, and the resultant power insecurity. In response to this argument, individuals topic to those blackouts won’t ever change their reliable ICEVs for a brand new, doubtlessly ineffective expertise.

The catch, in fact, is that poor international locations are as more likely to face gasoline shortage as they’re to have blackouts (and possibly extra so). So, what occurs to this “reliable” expertise when gasoline turns into unavailable? Properly, let’s verify the most recent nation to have a gasoline disaster to search out out: Bolivia.

Bolivia’s predicament

Bolivia is at a crossroads.

Poor international locations are inclined to subsidize gas to some extent, typically as a measure to supply reduction to inflation, typically as a consequence of value controls that don’t account for native foreign money devaluation or the fluctuation on costs of oil. Usually, as soon as a subsidy has been established, it’s almost not possible to elevate it, as doing so universally ends in large protests (seen in recent times in Ecuador and Colombia, for instance). The truth that the lifting of those insurance policies usually goes hand in hand with generalized cuts to social spending doesn’t assist.

However I digress. In 2024, Bolivia spent over 2 billion {dollars} in gasoline and diesel subsidies, a large quantity for a rustic with its economic system (and nearly 5% of its whole funds). The nation has been having financial hassle for some time, and it principally ran out of cash to import gas a number of weeks in the past, forcing President Luis Arce to resort to their gold reserves. Sure, that’s not a typo: Arce ordered the promoting of a part of Bolivia’s gold reserves to purchase gasoline and diesel.

But gas stays scarce, and there are warnings of additional collapse of ICEV gross sales, which fell already by 50% in 2024. However there’s a silver lining right here: each the federal government and the individuals appear to think about EVs as an answer to their conundrum.

Bolivia’s authorities exempted EVs from all tariffs in 2021, however resulting from excessive costs, gross sales remained few and much between. Already by 2024, extra inexpensive EVs began to buck the pattern, although, and that 12 months 129 BEVs have been offered, reaching nearly 0.5% market share.

However this 12 months to this point, progress has been exponential:

Common BEV gross sales have gone by way of the roof, with the month-to-month common rising by a large 918%: assuming stagnant ICEV gross sales, this is able to imply 4% or so market share, however bear in mind, ICEV gross sales are falling. We sadly don’t know by how a lot, however it’s very probably that Bolivia has develop into — in report time — the fourth Latin American market so far as market share goes, and maybe the third: at this level, an 8–9% market share wouldn’t shock me. The gist of the matter is that BEV gross sales within the first two months of 2025 have almost doubled the entire for 2024:

Bolivian media has been receptive to EVs, and there’s a sure affinity with them given Bolivia’s lithium manufacturing. The nation appears to be betting on ethanol, biofuels, and EVs to resolve its disaster, although there are not any plans to cease subsidizing gas, and it’s anticipated that native manufacturing from new wells will present as much as 86% of consumption by late 2026.

Hopefully, the Bolivian individuals will understand earlier than that how significantly better it may be to change to EVs and the nation is not going to want as a lot gas sooner or later because it has calculated.

In Bolivia, we see the risks of gasoline and diesel dependence for a poor nation missing in international reserves, and the speedy pivot in the direction of EVs that may be attributable to gasoline shortage. By this metric, one would assume that blackouts would trigger the precise reverse: a slowdown in EV gross sales. However as we’ll see in Ecuador, this doesn’t appear to be the case.

Ecuador’s paradox

By means of the final fourth months of 2024, Ecuador suffered large blackouts that began with 6-hour rationing in September and grew to 12 hour rationing in November. The trigger? A mix between lack of funding and the worst drought the nation had seen in 60 years.

Blackouts resulted in December 20, however shortage shouldn’t be but solved and there are alerts that, ought to rains not include the anticipated power, rationing will begin as soon as once more. The nation can also be investing each in conventional thermal era and in photo voltaic panels, although — native media alerts — not on the required velocity to keep away from points later within the 12 months.

But, regardless of the very actual danger of blackouts, Ecuador’s BEV gross sales are additionally booming. Gross sales grew by a large 202% in February (reaching an all-time report) and by a extra average 50% in March:

Consequently, market share reached 3.3% in February, though it slowed all the way down to 1.9% in March:

This comes as a shock to me. I’d’ve anticipated EV (and significantly BEV) gross sales to stagnate and even perhaps fall below the talked about blackouts, to not nearly triple. The trigger appears to be the identical as all the time: inexpensive EVs coming from China, significantly the very fashionable BYD Yuan Professional, which leads the rankings in 2025:

A notable point out to the 2 Chevrolets (as soon as once more exhibiting up in a rating dominated by China-made automobiles) and the Audi Q8 E-Tron. It’s additionally price mentioning the Neta V, a BEV hatchback within the 11th place within the rating, which, priced at $18.990, stands out as some of the aggressive fashions out there anyplace in Latin America. Eventually, the 60 models you see from Yutong are all electrical buses.

As most international locations within the area with respectable EV adoption, Ecuador has a 0% tariff for BEVs and exempts them from visitors restrictions within the largest cities (which, it bears mentioning, aren’t as strict as different international locations’). Even then, it nonetheless surprises me to see such speedy progress as we see literal blackouts, one thing that in response to EV naysayers we weren’t purported to see. I nonetheless consider the blackouts have considerably affected adoption and we might now be seeing a lot larger market share within the nation had it not been due to them.

However Ecuador stands for instance that, even when it seems your grid is admittedly not dependable, EVs can nonetheless show themselves a viable various.

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




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


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


Commercial



 


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

CleanTechnica’s Remark Coverage




Robots-Weblog | Inklusionsprojekt mit Low-Value-Roboter gewinnt ROIBOT Award von igus

0


Wittekindshofer Werkstätten realisieren behindertengerechten Arbeitsplatz mit Low-Value-Roboter für 4.970 Euro

Köln, 10. April 2025 – Daniel Hillebrand leidet an einer Tetraspastik, die eine kontrollierte Bewegung der Extremitäten unmöglich macht. Trotzdem kann er selbstbestimmt arbeiten – dank eines automatisierten Arbeitsplatzes, den die Diakonische Stiftung Wittekindshofer Werkstätten aus Unhealthy Oeynhausen trotz engen Budgets mit einem Low-Value-Roboter von igus realisiert hat. Für dieses kreative Inklusionsprojekt erhielt die Stiftung jetzt den ROIBOT Award. Der Wettbewerb zeichnet modern und wirtschaftliche Automatisierungsprojekte aus, die mithilfe von igus Produkten erfolgreich umgesetzt wurden. Zu den weiteren Preisträgern zählen das niederländische Unternehmen Paperfoam, das französische Forschungsinstitut CNRS und die Universität Politecnico aus Mailand.

Daniel Hillebrand sitzt im Rollstuhl und bewegt mit seinem Kinn einen Joystick. Damit steuert er einen Roboterarm, der Kunststoffbauteile sortiert. Mehrere Stunden professional Tag, ohne fremde Hilfe. „Daniel ist es gewohnt, in seinem Leben quick vollständig auf Hilfe angewiesen zu sein“, sagt Torsten Jeschke, Elektriker und Erzieher in den Wittekindshofer Werkstätten. „Dank der neuen Anlage kann er nun trotz seiner schweren Lähmung selbstbestimmt arbeiten.“ Das sei für ihn der Himmel auf Erden. „Der Roboter ist cool“, bestätigt Daniel Hillebrand. „Ich musste in die Technik erst reinkommen, aber mittlerweile läuft alles richtig intestine. Am schönsten ist es, wenn der Sack nach langer Arbeit voll ist.“

„Ein Automationsprojekt, das für uns bei igus besonders ergreifend ist.“
Marktübliche Industrieroboter wären für die Wittekindshofer Werkstätten unerschwinglich und in der Steuerung zu komplex gewesen. Jeschke hat deshalb eine günstigere Lösung zusammengestellt, die sich ähnlich leicht bedienen lässt wie ein Computerspiel – mithilfe der Low-Value-Robotik-Plattform RBTX von igus. Herzstück und Daniel Hillebrands Armersatz ist dabei der ReBeL, ein Gelenkarmroboter aus Hochleistungskunststoff für nur 4.970 Euro. igus hatte den ROIBOT-Wettbewerb zum mittlerweile dritten Mal ausgeschrieben, um Unternehmen und Organisationen auszuzeichnen, die mithilfe des RBTX-Marktplatzes besonders smarte und wirtschaftliche Automationsprojekte realisieren. Die Gewinner erhalten Gutscheine für Robotik-{Hardware} im Wert von bis zu 5.000 Euro. „Für uns ist es wirklich ergreifend zu sehen, wie es die Wittekindshofer Werkstätten geschafft haben, mit begrenzten finanziellen Ressourcen und dafür umso mehr Fantasie ein Automationsprojekt auf die Beine zu stellen, welches das Leben eines Menschen so sehr verbessert. Wir hoffen, dass sie den 5.000 Euro-Gutschein nutzen können, um in Zukunft noch weitere Projekte dieser Artwork umzusetzen“, sagt Alexander Mühlens, Leiter des Geschäftsbereichs Low-Value-Automation bei igus und Schirmherr der ROIBOT Awards. igus selbst hat die Good Work Constitution des Verband Deutscher Maschinen- und Anlagenbauer unterschrieben und sich damit dem positiven Beitrag von Robotik zur Gesellschaft verpflichtet. Die Charta betont, dass Robotik und Automatisierungstechnologien nicht nur die Produktivität steigern, sondern auch das Leben der Menschen verbessern können, indem sie Arbeitsbedingungen optimieren und neue Möglichkeiten schaffen.

Die weiteren Preisträger: Roboterkomponenten für die Qualitätssicherung, Astroteilchenphysik und automatisierte Obsternte
Platz zwei und 2.500 Euro für Robotik-{Hardware} gehen an Paperfoam. Die niederländische Firma hat den Gelenkarmroboter ReBeL von igus mit einer Kamera ausgestattet, um ihre biobasierten und recycelbaren Verpackungen stichprobenweise auf Produktionsfehler zu prüfen. Die Lösung reduziert die körperliche Belastung der Mitarbeiter und erhöht gleichzeitig die Qualität der Produktion. Über Platz drei und 1.000 Euro freut sich das französische Forschungsinstitut Centre nationwide de la recherche scientifique (CNRS) für die Entwicklung einer Kalibriervorrichtung eines Teleskops für die Astroteilchenphysik. Durch den Einsatz von schmierfreien Linearachsen von igus erreichen die Konstrukteure eine hohe Präzision und Wartungsfreundlichkeit. Der Sonderpreis für Bildungseinrichtungen und ebenfalls 1.000 Euro gehen an die wissenschaftliche-technische Universität Politecnico in Mailand. Sie hat mit dem ReBeL Roboterarm einen mobilen Manipulator konstruiert, der die Obsternte durch Automatisierung effizienter und weniger arbeitsintensiv gestaltet. „Die Gewinner beweisen, dass Automation heute nicht mehr nur eine Frage des Geldes ist“, so Mühlens abschließend. „Auch mit kleinen Budgets und Kreativität lassen sich wirtschaftliche Automationslösungen mit einem schnellen Return on Make investments realisieren. Wir freuen uns schon darauf weitere spannende und kostengünstige Automatisierungsprojekte beim nächsten ROIBOT Award kennenzulernen.“

Erfahren Sie mehr über den ROIBOT Award und die Gewinner auf:
https://www.igus.de/automation/service/gewinner-roibot