13.7 C
New York
Tuesday, April 1, 2025
Home Blog

Cybersecurity vulnerabilities in solar energy could possibly be used to assault the grid and trigger blackouts



Cybersecurity vulnerabilities in solar energy could possibly be used to assault the grid and trigger blackouts

Cybersecurity vulnerabilities in solar energy methods pose potential dangers to grid safety, stability and availability, in response to a brand new examine

The SUN:DOWN analysis – carried out by Forescout Analysis, a specialist in cybersecurity – investigated completely different implementations of solar energy era. “Our findings present an insecure ecosystem — with harmful vitality and nationwide safety implications,” says the group’s weblog, which presents these extra regarding ramifications because the potential influence of a coordinated assault towards giant numbers of methods.

The report critiques identified points and presents new vulnerabilities with methods supplied by three main solar energy system producers: Sungrow, Growatt, and SMA. It presents seemingly life like power-grid-attack eventualities with the potential to trigger emergencies or blackouts. It additionally advises on danger mitigation for homeowners of sensible inverters, utilities, machine producers, and regulators.

Forescout Analysis summarises its major findings as follows:

  • We cataloged 93 earlier vulnerabilities on solar energy and analyzed developments:
    Because of rising considerations over the dominance of foreign-made solar energy parts, we analyzed their widespread nations of origin:
    • There’s a mean of over 10 new vulnerabilities disclosed per yr up to now three years
    • 80% of these have a excessive or important severity
    • 32% have a CVSS rating of 9.8 or 10 which typically means an attacker can take full management of an affected system
    • Probably the most affected parts are photo voltaic displays (38%) and cloud backends (25%). Comparatively few vulnerabilities (15%) have an effect on photo voltaic inverters straight
  • New vulnerabilities:
    • 53% of photo voltaic inverter producers are primarily based in China
    • 58% of storage system and 20% of the monitoring system producers are in China
    • The second and third commonest nations of origin for parts are India and the US
  • New vulnerabilities:
    • We analyzed six of the highest 10 distributors of solar energy methods worldwide: Huawei, Sungrow, Ginlong Solis, Growatt, GoodWe, and SMA
    • We discovered 46 new vulnerabilities affecting completely different parts in three distributors: Sungrow, Growatt and SMA.
    • These vulnerabilities allow eventualities that influence grid stability and person privateness
    • Some vulnerabilities additionally permit attackers to hijack different sensible units in customers’ houses

Whereas the brand new vulnerabilities have now been rectified by the distributors in query, Forescout stated they may permit attackers to take full management of a fleet of solar energy inverters through a few eventualities. For instance, by acquiring account usernames, resetting passwords to hijack the respective accounts, and utilizing the hijacked accounts.

Attackers can then intervene with energy output settings, or swap them on and off on the behest of a botnet. “The mixed impact of the hijacked inverters produces a big impact on energy era in a grid,” says the weblog. “The influence of this impact will depend on that grid’s emergency era capability and how briskly that may be activated.”

The report discusses the instance of the European grid. Earlier analysis confirmed that management over 4.5GW can be required to deliver the frequency all the way down to 49Hz — which mandates load shedding. Since present photo voltaic capability in Europe is round 270GW, it will require attackers to regulate lower than 2% of inverters in a market that’s dominated by Huawei, Sungrow, and SMA.

The group offers quite a lot of suggestions. For instance, to deal with PV inverters in residential, business, and industrial installations as important infrastructure. This is able to imply following (within the US) NIST pointers for cybersecurity with parts like sensible inverters in residential and business installations

House owners of economic and industrial photo voltaic installations ought to think about safety throughout procurement, and conduct a danger evaluation when organising units. Different suggestions are outlined within the weblog and full report.

ios – Animate a peak and width change individually in a SwiftUI view


You need to use the animation modifier that take a physique closure. That is the way you separate animations into completely different “domains”. Slightly than animating a worth change, it solely animates the ViewModifiers within the physique which are Animatable.

Sadly, body just isn’t an Animatable modifier (however scaleEffect is, so think about using that if you happen to can), so you must make an Animatable wrapper round it.

struct AnimatableFrameModifier: ViewModifier, Animatable {
    var animatableData: CGFloat
    let isWidth: Bool
    
    init(width: CGFloat) {
        self.animatableData = width
        isWidth = true
    }
    
    init(peak: CGFloat) {
        self.animatableData = peak
        isWidth = false
    }
    
    func physique(content material: Content material) -> some View {
        content material.body(width: isWidth ? animatableData : nil,
                      peak: isWidth ? nil : animatableData)
    }
}
struct TestView: View {
    @State var currentWidth: CGFloat = 10
    @State var currentHeight: CGFloat = 10
    
    var physique: some View {
        VStack {
            Coloration.purple
                .animation(.spring(length:1.0)) {
                    $0.modifier(AnimatableFrameModifier(width: currentWidth))
                }
                .animation(.spring(length:20.0)) {
                    $0.modifier(AnimatableFrameModifier(peak: currentHeight))
                }
            
        }
        .onAppear {
            currentWidth = 100
            currentHeight = 100
        }
    }
}

The choice that makes use of scaleEffect, which is likely to be undesirable relying on what you might be doing.

struct TestView: View {
    @State var currentWidth: CGFloat = 10
    @State var currentHeight: CGFloat = 10
    @State var xScale: CGFloat = 1
    @State var yScale: CGFloat = 1
    
    var physique: some View {
        VStack {
            Coloration.purple
                .body(width: 10, peak: 10)
                .animation(.spring(length:1.0)) {
                    $0.scaleEffect(x: xScale)
                }
                .animation(.spring(length:20.0)) {
                    $0.scaleEffect(y: yScale)
                }
                .body(width: currentWidth, peak: currentHeight)
            
        }
        .onAppear {
            currentWidth = 100
            currentHeight = 100
            xScale = 10
            yScale = 10
        }
    }
}

Earlier than iOS 17, you possibly can obtain an analogous impact by ready for a brief period of time between two withAnimation calls.

@State var currentWidth: CGFloat = 10
@State var currentHeight: CGFloat = 10

var physique: some View {
    VStack {
        Coloration.purple
            .body(width: currentWidth, peak: currentHeight)
    }
    .activity {
        withAnimation(.linear(length: 1)) {
            currentWidth = 100
        }

        // right here I used Job.yield to attend for the following body
        // you can too use Job.sleep, DisptachQueue.predominant.asyncAfter, and so on
        await Job.yield()

        withAnimation(.linear(length: 2)) {
            currentHeight = 400
        }
    }
}

However this solely works for animations that merge in a fascinating method. The best way spring animations merge usually are not fascinating for this goal.

The Rising Variety of Tech Firms Getting Cancelled for AI Washing

0


In 2024, 15 AI expertise corporations have been hit by regulators for exaggerating their merchandise’ capabilities, and that quantity has greater than doubled from 2023. AI-related filings are on the rise and tech corporations could possibly be caught within the crossfire in the event that they don’t perceive rising laws and keep away from them.

What’s Mistaken with AI Advertising As we speak?

Whereas many are acquainted with the phrase “greenwashing,” it’s solely within the final yr {that a} new type has emerged from the hype round synthetic intelligence, and it’s known as “AI washing.” In line with BBC the phenomenon of AI washing might be outlined as claiming to make use of AI when in actuality a less-sophisticated methodology of computing is getting used. They clarify that AI washing can even happen when corporations overstate how operational their AI is or when an organization combines merchandise or capabilities collectively. For instance, when “corporations are merely bolting an AI chatbot onto their current non-AI working software program.”

Over-exaggerated AI claims are harmful for customers and different stakeholders. Three apparent considerations about AI washing come to thoughts:

  • The person paying for one thing they’re not getting
  • Customers anticipating an final result that isn’t achievable
  • Firm stakeholders not understanding in the event that they’re investing in a enterprise that’s actually innovating with AI

AI washing is a rising subject as tech corporations compete for better market share. As many as 40% of corporations who described themselves as an AI start-up in 2019 had zero synthetic intelligence expertise. The stress to supply superior expertise is even better now than it was 5 years in the past.

What’s Driving AI Washing?

Consultants have a number of theories about what’s behind this rising phenomenon. Douglas Dick, the top of rising expertise threat at KPMG within the UK, instructed BBC that it’s the lack of AI definition and the anomaly that makes AI washing doable.

Consultants at Berkely consider that the discourse of organizational tradition is accountable for AI washing, and the core causes for this phenomenon embrace:

  • Lack of technical AI information in senior management
  • Strain for steady innovation
  • Quick-termism and hype
  • Concern of lacking out (FOMO)

AI washing may also be pushed by funding. Buyers wish to see constant innovation and outpacing of opponents. Even when manufacturers haven’t totally developed an AI functionality, they’ll appeal to the eye of traders with half-baked automation instruments to earn further capital.

With the worldwide AI market set to achieve roughly $250B by the top of 2025, it’s straightforward to know why the bandwagon is in full impact, and startups longing for funding are fast to slap the AI label onto something. Sadly, regulators have taken notice.

AI Tech Firms Charged with AI Washing

Firms that declare to make use of synthetic intelligence are sometimes simply utilizing superior computing and automation methods. Until true AI information science infrastructure is in place with machine studying algorithms, neural networks, pure language processing, picture recognition, or some type of Gen AI is in play, the corporate could be placing up smoke and mirrors with their AI claims.

One AI HR tech firm known as Joonko was shut down by the SEC for fraudulent practices.

Studying from Joonko

Joonko claimed that it may assist employers establish near-hires so employers may faucet into these swimming pools. The thought was that this is able to create extra numerous candidates to be put in entrance of recruiters and have a better likelihood of getting employed. Joonko was so profitable at advertising and marketing its AI that Eubanks wrote about Joonko in his first guide, and the corporate raised $27 million in VC funding between 2021 and 2022.

When the SEC charged Joonko’s former CEO with AI washing securities fraud, it was as a result of he had falsely represented the quantity and names of their clients. He claimed that Joonka bought to world bank cards, journey, and luxurious manufacturers, and solid financial institution statements and buy orders for traders. The CEO obtained felony fees along with the SEC fees in opposition to the corporate.

Studying from Codeway

In 2023, the Codeway app was charged for a deceptive advert on Instagram that claimed their AI may repair blurry photographs. The advert learn “Improve your picture with AI” and when challenged by a complainant, the corporate did not show how their app may repair a blurry picture by itself with out the assistance of different digital picture enhancement processes. The Promoting Requirements Authority (ASA) upheld the grievance and banned the corporate from operating that advert or any others prefer it.

Different Examples

Within the US, the FTC and SEC not too long ago carried out the following enforcement actions:

  • A number of enterprise schemes have been halted after claiming individuals may use AI to earn a living with on-line storefronts
  • A declare for over 190k was actioned for ineffective robotic lawyer companies
  • An organization known as Rytr LLC falsely claimed that it may create AI-generated content material
  • A settlement motion in opposition to IntelliVision Applied sciences for deceptive claims about its AI facial recognition
  • Delphia Inc. and World Predictions Inc. have been charged for making false claims about AI on their web site and social media accounts

Rising Rules

The expansion of AI expertise, and AI washing, have caught the eye of regulators around the globe. Within the UK, the ASA is already setting a precedent by litigating in opposition to unsubstantiated AI-related advertisements.

In Canada, regulators are focusing on unsubstantiated claims about AI as nicely and likewise advertising and marketing materials that’s deceptive or overly promotes AI expertise. The Canadian Securities Directors launched a workers discover on November seventh, 2024 that shared some examples of what it considers to be AI washing:

  • An AI firm making the declare that their issuer is disrupting their business with essentially the most superior and fashionable AI expertise out there
  • An AI firm making the declare that they’re the worldwide chief of their AI class
  • An AI firm over-exaggerating its utilization or significance to the business

Within the US, there are state-specific laws, like New York Metropolis’s necessary AI bias audits that each AI tech firm working there may be required to have. Nevertheless, there aren’t any complete federal laws that prohibit the event or use of AI. In December 2024, the US Congress was contemplating greater than 120 totally different AI payments. These laws would cowl all the things from AI’s entry to nuclear weapons to copyright, however they might depend on voluntary measures relatively than strict protocols that would sluggish technological progress. Whereas these payments are debated, there’s a patchwork of US federal legal guidelines inside particular departments, such because the Federal Aviation Administration that claims AI in aviation have to be reviewed. Equally, there have been govt orders on AI throughout the White Home. These orders put in place to mitigate the danger of AI use and guarantee public security, label AI-generated content material, defend information privateness, guarantee necessary security testing and different AI steerage have all simply been eliminated by the Trump administration as not too long ago as January 2025. The US-based AI corporations that serve worldwide markets will nonetheless have to stick to their laws.

Don’t Be an AI Poser

As regulators proceed to implement numerous sorts of actions in opposition to culprits of AI-washing, tech corporations ought to take notice. Any firm that does declare to make actual AI expertise ought to be capable to again up their claims. Their advertising and marketing groups ought to keep away from overexaggerating the aptitude of their firm’s AI merchandise, in addition to the outcomes, the shoppers, and the income. Any firm that’s uncertain of its personal expertise or advertising and marketing ought to evaluation rising laws domestically and throughout the markets they promote to. Shoppers or corporations considering of buying AI expertise ought to look very intently on the product earlier than shopping for it. With the 2024 circumstances of AI washing nonetheless within the early phases of litigation, the story continues to be unfolding, however one factor is bound, you don’t need your organization to be part of it.

“Lazarus Hackers Group” now not confer with a single APT group however a group of many sub-groups

0


The time period “Lazarus Group,” as soon as used to explain a singular Superior Persistent Risk (APT) actor, has advanced to symbolize a posh community of sub-groups working beneath shared aims and ways.

This shift displays the rising scale and diversification of their cyber actions, making conventional classifications more and more out of date.

Safety analysts now argue that “Lazarus” serves as an umbrella time period encompassing a number of specialised items reasonably than a single cohesive entity.

The reclassification stems from the challenges of precisely attributing cyberattacks.

Varied sub-groups beneath the Lazarus umbrella, equivalent to APT38, Bluenoroff, Andariel, and others, have overlapping ways, strategies, and procedures (TTPs).

These overlaps complicate efforts to tell apart between particular person actors and campaigns.

As an example, sub-groups like Citrine Sleet and Moonstone Sleet share related assault vectors, equivalent to utilizing LinkedIn to lure targets into downloading malicious npm or Python packages.

A number of subgroups that contact their targets on SNS and have them obtain malicious packages

Regardless of these similarities, their aims starting from cryptocurrency theft to ransomware deployment typically diverge.

Traits of Lazarus Sub-Teams

The proliferation of sub-group classifications highlights the complexity of this community.

Safety distributors have launched quite a few labels for each assault campaigns and sub-groups, additional muddying the waters.

For instance:

  • Marketing campaign Names: Operation Dreamjob, AppleJeus, and Contagious Interview.
  • Sub-Group Labels: TEMP.Hermit, Sapphire Sleet, TA444, and Silent Chollima.

Some labels initially referred to particular campaigns however later got here to indicate whole sub-groups or successor entities.

In keeping with the Report, this inconsistency underscores the issue of sustaining a unified taxonomy throughout the cybersecurity group.

Including to the complexity is the emergence of job force-like entities equivalent to Bureau325, which function exterior conventional subgroup buildings however share TTPs with Lazarus-affiliated items.

Such developments blur the strains between distinct teams and collaborative efforts.

Why Sub-Group Identification Issues

Detailed identification on the subgroup stage is essential for a number of causes:

  1. Focused Alerts: By understanding the particular aims and industries focused by every subgroup (e.g., cryptocurrency companies or protection sectors), safety professionals can subject extra exact warnings.
  2. Efficient Countermeasures: Tailoring responses to the distinctive traits of every subgroup enhances the efficacy of defensive methods.
  3. Strategic Messaging: Correct attribution sends a deterrent message to attackers by demonstrating defenders’ analytical capabilities.
Lazarus Hackers GroupLazarus Hackers Group
Transition of Lazarus subgroups

For instance, Moonstone Sleet’s ransomware actions differ considerably from Citrine Sleet’s cryptocurrency-focused exploits.

Figuring out these distinctions permits simpler useful resource allocation for mitigation efforts.

The Lazarus Group’s evolution right into a constellation of sub-groups displays broader traits in cyber risk landscapes.

As attackers undertake extra subtle organizational buildings, defenders should refine their attribution methodologies to maintain tempo.

Whereas subgroup-level evaluation could appear overly granular, it affords invaluable insights for long-term risk mitigation and strategic counter-operations.

The cybersecurity group should proceed adapting its frameworks to handle these challenges successfully.

Discover this Information Fascinating! Observe us on Google InformationLinkedIn, and X to Get Immediate Updates!

Ontario Doubles Down On Hydrogen For Vitality As International locations Go away Desk



Join every day information updates from CleanTechnica on e-mail. Or observe us on Google Information!


Ontario’s love affair with hydrogen was all the time going to be an costly fling. However now it’s turning right into a full-blown marriage—regardless of all of the warning indicators from older, wiser jurisdictions which have already filed for divorce. The province is doubling the Hydrogen Innovation Fund to $30 million, a tidy sum that would in any other case purchase a fleet of electrical buses, improve grid infrastructure, or—heaven forbid—really cut back emissions within the subsequent 5 years. As an alternative, Ontario’s taxpayers, by way of the Doug Ford Conservative authorities, are throwing cash at a hydrogen dream that’s already wheezing its final breath in locations like Norway and Australia, each of which have been miles forward into the hydrogen for vitality useless finish and at the moment are backing slowly out, with wallets lighter and eyebrows completely raised.

Let’s rewind the tape. Ontario’s hydrogen flirtation formally started in 2022, when the federal government launched its Low-Carbon Hydrogen Technique, proclaiming the province can be a “North American chief” in hydrogen manufacturing, storage, and end-use. The doc was a masterclass in aspirational fluff—brimming with bold targets, imprecise frameworks, and a parade of buzzwords about innovation and vitality independence. It was a political press launch dressed up as coverage, with subsequent to no critical techno-economic modeling behind it. The assumptions embedded within the technique bordered on magical considering: that inexperienced hydrogen prices would quickly decline, that hydrogen would turn out to be a aggressive gasoline for heating and transport, and that Ontario would be capable of export surplus hydrogen regardless of no infrastructure or demand.

One of many evident failures of the technique was its remedy of hydrogen as a Swiss Military knife of decarbonization. Quite than focusing on the handful of hard-to-abate industrial sectors the place hydrogen may make financial and technical sense—reminiscent of metal or fertilizer—the technique proposed mixing hydrogen into pure gasoline grids for heating, utilizing it in long-haul trucking, and even injecting it into gasoline generators for electrical energy era. Every of those use instances has been studied to demise by critical analysts globally, and the consensus is evident: hydrogen is woefully inefficient for many of them. Burning hydrogen for warmth wastes electrical energy. Utilizing it in transport competes poorly with batteries. And injecting it into pure gasoline techniques creates new security, supplies compatibility, and emissions challenges. These weren’t simply harmless oversights. They have been coverage selections made in full view of a long time of scientific literature and up to date worldwide expertise.

What’s worse is what number of stakeholders appeared the opposite manner—or actively enabled the fantasy. Enbridge, Canada’s pure gasoline and pipeline behemoth, was a vocal supporter of mixing hydrogen into distribution networks, which conveniently extends the lifespan of its belongings and enterprise mannequin. The utility business at giant had each purpose to play alongside: hydrogen mixing meant continued justification for capital expenditures, rate-base development, and infrastructure safety in a world slowly transferring towards electrification. In the meantime, native producers and development companies nodded enthusiastically at pilot challenge funding, even when not one of the tasks had viable long-term economics. The schools and analysis establishments, a lot of which depend on provincial funding and partnerships, stayed largely silent somewhat than elevating technical crimson flags. This wasn’t only a failure of coverage design—it was a systemic failure of governance and institutional accountability.

Then got here the Niagara Falls pilot, essentially the most tangible product of the 2022 technique—a 20 MW electrolyzer beneath growth subsequent to the Sir Adam Beck hydroelectric plant. In idea, it might use clear electrical energy to make inexperienced hydrogen. In observe, it uncovered simply how unmoored the technique was from fundamental logistical and business realities. There was no close by industrial buyer for the hydrogen. There was no pipeline. There was no refueling infrastructure. So, the plan turned to truck the hydrogen—at nice expense and emissions—over 150 kilometers to Halton Hills to be burned in a pure gasoline peaker plant. That’s taking zero-carbon electrical energy, changing it right into a leaky, hard-to-handle gasoline at 70% effectivity, trucking it utilizing diesel semis, then burning it in a mixed cycle plant at 55% effectivity. Finest case state of affairs, you get again 30% of your authentic vitality—after spending a fortune. That’s not decarbonization. That’s a Rube Goldberg machine powered by taxpayer cash.

The Niagara pilot wasn’t an aberration—it was the logical consequence of a technique constructed on wishful considering and captured by vested pursuits. It prioritized bulletins over outcomes, ribbon-cuttings over rigorous evaluation. And now, as an alternative of reassessing, Ontario is doubling down—throwing good cash after dangerous, whereas the remainder of the world quietly backs away.

The doubling of the fund introduced in March 2025 is a baffling transfer, particularly contemplating the teachings pouring in from nations that sprinted down this highway years in the past. Norway, not precisely a local weather slouch, just lately restructured its complete industrial decarbonization technique to pivot away from hydrogen for vitality. Their extremely publicized hydrogen ferry—the MF Hydra—has been hit with provide points and rising prices and now will get hydrogen transported in diesel vehicles from 1,300 km away, and their goals of piping blue hydrogen from offshore fields to Germany have quietly evaporated within the chilly North Sea air. Norway has seen the sunshine: hydrogen is a boutique answer, not a cornerstone of vitality techniques.

Australia gives one other stark cautionary story. At one level, Canberra dreamed of turning the sun-drenched Outback right into a hydrogen export juggernaut, sending inexperienced molecules to Japan and South Korea. The advertising and marketing sizzle was actual. However then got here the receipts. The $750 million Port Pirie inexperienced hydrogen plant was shelved in early 2025, citing sky-high capital prices and no assured patrons. Across the similar time, Queensland’s flagship Central Hydrogen Challenge requested for a further billion {dollars} in authorities assist earlier than being axed altogether. Australia, as soon as the poster youngster for inexperienced hydrogen exports, is now specializing in home inexperienced business as an alternative—particularly inexperienced iron and ammonia, the place hydrogen use really is smart.

And right here’s the place Ontario’s technique actually begins to appear like a slow-motion automobile crash. Australia and Norway have been on the entrance of the hydrogen line and have now taken their losses and walked away. In the meantime, Ontario—by no means a worldwide chief in hydrogen tech—is simply getting warmed up. The province talks about defending jobs and sparking innovation, however $30 million might electrify plenty of faculty buses or construct megawatts of solar-plus-storage that really decrease payments and emissions. As an alternative, it’s being sprayed throughout pilot tasks with no clear off-take, no business scaling path, and no impartial lifecycle emissions accounting. Keep in mind, hydrogen leaks and has a GWP20 37 instances worse than carbon dioxide.

There’s additionally the inconvenient fiscal actuality. Electrolytic hydrogen from clear electrical energy clocks in at $5 to $9 per kilogram in Canada proper now when it’s performed in any respect, normally the excessive finish. That’s earlier than transport, storage, and conversion losses. Mixing it right into a gasoline turbine system for electrical energy era yields maybe 30–35% round-trip effectivity—much less if you happen to embrace trucking emissions and liquefaction losses. We’re burning $100 of electrical energy to get $30 of it again, simply so we are able to slap a inexperienced sticker on a gray downside. That’s not innovation. That’s thermodynamic malpractice.

The hydrogen foyer loves to border this as an funding sooner or later, however the true future—the fiscally accountable one—is already rising elsewhere. Direct electrification is cheaper. Warmth pumps are rolling out throughout Ontario houses. Battery-electric buses are slashing working prices for transit authorities. Grid modernization and demand response provide 5-to-1 payback ratios. Hydrogen, in distinction, continues to guzzle public cash with all of the grace of a Hummer in a downtown bike lane, at the least those that also exist after the Ford authorities, once more, determined to pay companies like Stantec to tear them up.

Ontario is selecting to disregard the teachings from nations that moved sooner and failed more durable. It’s romanticizing a molecule that is smart as an industrial feedstock for refining oil, ammonia manufacturing and possibly inexperienced steelmaking. Every thing else is a mirage—particularly long-distance exports and residential heating. This isn’t only a dangerous wager. It’s a failure to learn the room, the market, and the maths.

There’s nonetheless time for Ontario to again out of the cul-de-sac. However each million spent now on dead-end hydrogen pilots is one million not spent on scalable, shovel-ready, low-emissions options. The world has moved on. The province simply hasn’t checked the rear-view mirror—or the invoice.

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 recommend a visitor for our CleanTech Speak podcast? Contact us right here.


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


Commercial



 


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

CleanTechnica’s Remark Coverage