8.4 C
New York
Thursday, April 3, 2025
Home Blog Page 3772

Take a look at-Driving HTML Templates


foo

Let’s examine the right way to do it in phases: we begin with the next take a look at that
tries to compile the template. In Go we use the usual html/template bundle.

Go

  func Test_wellFormedHtml(t *testing.T) {
    templ := template.Should(template.ParseFiles("index.tmpl"))
    _ = templ
  }

In Java, we use jmustache
as a result of it is quite simple to make use of; Freemarker or
Velocity are different frequent selections.

Java

  @Take a look at
  void indexIsSoundHtml() {
      var template = Mustache.compiler().compile(
              new InputStreamReader(
                      getClass().getResourceAsStream("/index.tmpl")));
  }

If we run this take a look at, it can fail, as a result of the index.tmpl file does
not exist. So we create it, with the above damaged HTML. Now the take a look at ought to move.

Then we create a mannequin for the template to make use of. The applying manages a todo-list, and
we are able to create a minimal mannequin for demonstration functions.

Go

  func Test_wellFormedHtml(t *testing.T) {
    templ := template.Should(template.ParseFiles("index.tmpl"))
    mannequin := todo.NewList()
    _ = templ
    _ = mannequin
  }

Java

  @Take a look at
  void indexIsSoundHtml() {
      var template = Mustache.compiler().compile(
              new InputStreamReader(
                      getClass().getResourceAsStream("/index.tmpl")));
      var mannequin = new TodoList();
  }

Now we render the template, saving the leads to a bytes buffer (Go) or as a String (Java).

Go

  func Test_wellFormedHtml(t *testing.T) {
    templ := template.Should(template.ParseFiles("index.tmpl"))
    mannequin := todo.NewList()
    var buf bytes.Buffer
    err := templ.Execute(&buf, mannequin)
    if err != nil {
      panic(err)
    }
  }

Java

  @Take a look at
  void indexIsSoundHtml() {
      var template = Mustache.compiler().compile(
              new InputStreamReader(
                      getClass().getResourceAsStream("/index.tmpl")));
      var mannequin = new TodoList();
  
      var html = template.execute(mannequin);
  }

At this level, we wish to parse the HTML and we anticipate to see an
error, as a result of in our damaged HTML there’s a div ingredient that
is closed by a p ingredient. There’s an HTML parser within the Go
normal library, however it’s too lenient: if we run it on our damaged HTML, we do not get an
error. Fortunately, the Go normal library additionally has an XML parser that may be
configured to parse HTML (due to this Stack Overflow reply)

Go

  func Test_wellFormedHtml(t *testing.T) {
    templ := template.Should(template.ParseFiles("index.tmpl"))
    mannequin := todo.NewList()
    
    // render the template right into a buffer
    var buf bytes.Buffer
    err := templ.Execute(&buf, mannequin)
    if err != nil {
      panic(err)
    }
  
    // examine that the template will be parsed as (lenient) XML
    decoder := xml.NewDecoder(bytes.NewReader(buf.Bytes()))
    decoder.Strict = false
    decoder.AutoClose = xml.HTMLAutoClose
    decoder.Entity = xml.HTMLEntity
    for {
      _, err := decoder.Token()
      swap err {
      case io.EOF:
        return // We're performed, it is legitimate!
      case nil:
        // do nothing
      default:
        t.Fatalf("Error parsing html: %s", err)
      }
    }
  }

supply

This code configures the HTML parser to have the best stage of leniency
for HTML, after which parses the HTML token by token. Certainly, we see the error
message we wished:

--- FAIL: Test_wellFormedHtml (0.00s)
    index_template_test.go:61: Error parsing html: XML syntax error on line 4: sudden finish ingredient 

In Java, a flexible library to make use of is jsoup:

Java

  @Take a look at
  void indexIsSoundHtml() {
      var template = Mustache.compiler().compile(
              new InputStreamReader(
                      getClass().getResourceAsStream("/index.tmpl")));
      var mannequin = new TodoList();
  
      var html = template.execute(mannequin);
  
      var parser = Parser.htmlParser().setTrackErrors(10);
      Jsoup.parse(html, "", parser);
      assertThat(parser.getErrors()).isEmpty();
  }

supply

And we see it fail:

java.lang.AssertionError: 
Anticipating empty however was:<[<1:13>: Unexpected EndTag token [] when in state [InBody],

Success! Now if we copy over the contents of the TodoMVC
template
to our index.tmpl file, the take a look at passes.

The take a look at, nonetheless, is simply too verbose: we extract two helper capabilities, in
order to make the intention of the take a look at clearer, and we get

Go

  func Test_wellFormedHtml(t *testing.T) {
    mannequin := todo.NewList()
  
    buf := renderTemplate("index.tmpl", mannequin)
  
    assertWellFormedHtml(t, buf)
  }

supply

Java

  @Take a look at
  void indexIsSoundHtml() {
      var mannequin = new TodoList();
  
      var html = renderTemplate("/index.tmpl", mannequin);
  
      assertSoundHtml(html);
  }

supply

Stage 2: testing HTML construction

What else ought to we take a look at?

We all know that the seems to be of a web page can solely be examined, in the end, by a
human how it’s rendered in a browser. Nevertheless, there may be typically
logic in templates, and we wish to have the ability to take a look at that logic.

One may be tempted to check the rendered HTML with string equality,
however this method fails in observe, as a result of templates comprise quite a lot of
particulars that make string equality assertions impractical. The assertions
grow to be very verbose, and when studying the assertion, it turns into troublesome
to grasp what it’s that we’re making an attempt to show.

What we’d like
is a method to claim that some elements of the rendered HTML
correspond to what we anticipate, and to ignore all the small print we do not
care about.
A technique to do that is by working queries with the CSS selector language:
it’s a highly effective language that enables us to pick out the
parts that we care about from the entire HTML doc. As soon as we now have
chosen these parts, we (1) depend that the variety of ingredient returned
is what we anticipate, and (2) that they comprise the textual content or different content material
that we anticipate.

The UI that we’re imagined to generate seems to be like this:

Take a look at-Driving HTML Templates

There are a number of particulars which can be rendered dynamically:

  1. The variety of gadgets and their textual content content material change, clearly
  2. The fashion of the todo-item adjustments when it is accomplished (e.g., the
    second)
  3. The “2 gadgets left” textual content will change with the variety of non-completed
    gadgets
  4. One of many three buttons “All”, “Energetic”, “Accomplished” shall be
    highlighted, relying on the present url; as an example if we determine that the
    url that exhibits solely the “Energetic” gadgets is /lively, then when the present url
    is /lively, the “Energetic” button must be surrounded by a skinny crimson
    rectangle
  5. The “Clear accomplished” button ought to solely be seen if any merchandise is
    accomplished

Every of this issues will be examined with the assistance of CSS selectors.

This can be a snippet from the TodoMVC template (barely simplified). I
haven’t but added the dynamic bits, so what we see right here is static
content material, supplied for instance:

index.tmpl

  

supply

Unlocking the Energy of Hugging Face for NLP Duties | by Ravjot Singh | Jul, 2024


The sector of Pure Language Processing (NLP) has seen important developments lately, largely pushed by the event of refined fashions able to understanding and producing human language. One of many key gamers on this revolution is Hugging Face, an open-source AI firm that gives state-of-the-art fashions for a variety of NLP duties. Hugging Face’s Transformers library has turn into the go-to useful resource for builders and researchers seeking to implement highly effective NLP options.

Inbound-leads-automatically-with-ai. These fashions are educated on huge quantities of knowledge and fine-tuned to realize distinctive efficiency on particular duties. The platform additionally supplies instruments and assets to assist customers fine-tune these fashions on their very own datasets, making it extremely versatile and user-friendly.

On this weblog, we’ll delve into the way to use the Hugging Face library to carry out a number of NLP duties. We’ll discover the way to arrange the atmosphere, after which stroll by examples of sentiment evaluation, zero-shot classification, textual content technology, summarization, and translation. By the tip of this weblog, you’ll have a strong understanding of the way to leverage Hugging Face fashions to sort out numerous NLP challenges.

First, we have to set up the Hugging Face Transformers library, which supplies entry to a variety of pre-trained fashions. You possibly can set up it utilizing the next command:

!pip set up transformers

This library simplifies the method of working with superior NLP fashions, permitting you to give attention to constructing your utility reasonably than coping with the complexities of mannequin coaching and optimization.

Sentiment evaluation determines the emotional tone behind a physique of textual content, figuring out it as optimistic, unfavourable, or impartial. Right here’s the way it’s accomplished utilizing Hugging Face:

from transformers import pipeline
classifier = pipeline("sentiment-analysis", token = access_token, mannequin='distilbert-base-uncased-finetuned-sst-2-english')classifier("That is by far the most effective product I've ever used; it exceeded all my expectations.")

On this instance, we use the sentiment-analysis pipeline to categorise the emotions of sentences, figuring out whether or not they’re optimistic or unfavourable.

Classifying one single sentence
Classifying a number of sentences

Zero-shot classification permits the mannequin to categorise textual content into classes with none prior coaching on these particular classes. Right here’s an instance:

classifier = pipeline("zero-shot-classification")
classifier(
"Photosynthesis is the method by which inexperienced vegetation use daylight to synthesize vitamins from carbon dioxide and water.",
candidate_labels=["education", "science", "business"],
)

The zero-shot-classification pipeline classifies the given textual content into one of many supplied labels. On this case, it appropriately identifies the textual content as being associated to “science”.

Zero-Shot Classification

On this process, we discover textual content technology utilizing a pre-trained mannequin. The code snippet under demonstrates the way to generate textual content utilizing the GPT-2 mannequin:

generator = pipeline("text-generation", mannequin="distilgpt2")generator("Simply completed an incredible e-book",max_length=40, num_return_sequences=2,)

Right here, we use the pipeline perform to create a textual content technology pipeline with the distilgpt2 mannequin. We offer a immediate (“Simply completed an incredible e-book”) and specify the utmost size of the generated textual content. The result’s a continuation of the supplied immediate.

Textual content technology mannequin

Subsequent, we use Hugging Face to summarize a protracted textual content. The next code reveals the way to summarize a chunk of textual content utilizing the BART mannequin:

summarizer = pipeline("summarization")
textual content = """
San Francisco, formally the Metropolis and County of San Francisco, is a business and cultural middle within the northern area of the U.S. state of California. San Francisco is the fourth most populous metropolis in California and the seventeenth most populous in the US, with 808,437 residents as of 2022.
"""
abstract = summarizer(textual content, max_length=50, min_length=25, do_sample=False)
print(abstract)

The summarization pipeline is used right here, and we go a prolonged piece of textual content about San Francisco. The mannequin returns a concise abstract of the enter textual content.

Textual content Summarization

Within the remaining process, we reveal the way to translate textual content from one language to a different. The code snippet under reveals the way to translate French textual content to English utilizing the Helsinki-NLP mannequin:

translator = pipeline("translation", mannequin="Helsinki-NLP/opus-mt-fr-en")
translation = translator("L'engagement de l'entreprise envers l'innovation et l'excellence est véritablement inspirant.")
print(translation)

Right here, we use the translation pipeline with the Helsinki-NLP/opus-mt-fr-en mannequin. The French enter textual content is translated into English, showcasing the mannequin’s capability to grasp and translate between languages.

Textual content Translation — French to English Language

The Hugging Face library provides highly effective instruments for quite a lot of NLP duties. Through the use of easy pipelines, we are able to carry out sentiment evaluation, zero-shot classification, textual content technology, summarization, and translation with only a few strains of code. This pocket book serves as a superb place to begin for exploring the capabilities of Hugging Face fashions in NLP initiatives.

Be at liberty to experiment with completely different fashions and duties to see the complete potential of Hugging Face in motion!

Saildrone maps unexplored areas of the Gulf of Maine

0


Take heed to this text

Voiced by Amazon Polly
Saildrone maps unexplored areas of the Gulf of Maine

The Saildrone Voyager is a ten m uncrewed floor car (USV) designed for seafloor mapping at depths as much as 300 m. | Supply: Saildrone

Two Saildrone Voyager uncrewed floor autos, or USVs, have surveyed 1,500 sq. nautical miles (5,144.8 sq. km) in a north-central space of the Gulf of Maine. The marine robots mapped areas that had by no means been mapped in excessive decision.

This expedition helps deep-sea coral surveys and different missions of the Nationwide Oceanic and Atmospheric Administration (NOAA). 

The Gulf of Maine, which is bordered by Massachusetts, New Hampshire, and Maine, in addition to the Canadian provinces of New Brunswick and Nova Scotia, is a productive and dynamic marine setting. Its waters are dwelling to a various array of economically necessary fisheries, together with Atlantic cod, herring, lobster, and scallops.

As well as, the gulf homes distinctive underwater habitats, together with kelp forests, eelgrass beds, and deep-sea coral. All of those could present shelter and breeding grounds for a lot of marine organisms. 

Saildrone Inc. stated it creates uncrewed floor autos (USVs) that may cost-effectively collect knowledge for science, fisheries, climate forecasting, and extra. The Alameda, Calif.-based firm makes use of autonomous vessels to ship observations and insights about exercise above and beneath the ocean floor.

The Surveyor, Explorer, and Voyager USVs are powered by renewable wind and photo voltaic power. They repeatedly feed knowledge in actual time to drive extra knowledgeable decision-making throughout maritime safety, commerce, and sustainability, stated Saildrone. 

Why is the Gulf of Maine so necessary?

Along with its various wildlife, the Gulf of Maine’s seafloor has a fancy topography of sea basins, shallow banks, and steep slopes. Nevertheless, high-resolution mapping knowledge has been extraordinarily restricted, particularly in deeper waters. 

The Unique Financial Zone (EEZ) typically extends from the coast to 200 nautical miles (370.4 km) offshore. That is the maritime zone for which a coastal nation has jurisdiction over pure assets.

Over 4 million sq. mi. (10.3 million sq. km), the U.S. EEZ is bigger than all 50 states mixed, but 48% stays unmapped and unexplored, in accordance with Saildrone. Correct ocean depths and topography are important for useful resource administration and responsibly growing and sustaining coastal infrastructure.

To enhance understanding of the seafloor, the federal authorities established the “Technique for Mapping, Exploring, and Characterizing america Unique Financial Zone” (NOMEX). The Gulf of Maine is likely one of the highest mapping priorities attributable to its vital business fisheries supported by various habitats and the potential to help wind power.

Specifically, good mapping knowledge is important to information the seek for deep-sea coral, which serves as a habitat for necessary fisheries, Saildrone famous.


SITE AD for the 2024 RoboBusiness registration now open.
Register now.


Saildrone Voyager maps Gulf of Fundamental basins

Saildrone’s mission primarily centered on the Jordan and Georges Basins, at depths of as much as 300 m (984.2 ft.). The corporate’s knowledge revealed a fancy and various underwater panorama, reflecting its glacial historical past and dynamic oceanographic processes. 

“The Saildrone Voyagers are filling in a considerable hole in seafloor knowledge within the Gulf of Maine,” stated Heather Coleman, a researcher within the Deep Sea Coral Analysis and Expertise Program underneath the NOAA Fisheries Workplace of Habitat Conservation.

“NOAA and companions are very enthusiastic about higher understanding habitats within the area which will help fish manufacturing,” she added. “These high-resolution seafloor maps will inform future surveying and modeling efforts, in addition to help within the New England Fishery Administration Council’s (NEFMC) fishery administration selections.”

Voyager is a 10-m (33-ft.) USV designed particularly for near-shore ocean and lakebed mapping. It carries a payload of science sensors and mapping echo sounders, in addition to navigation and communications tools.

Saildrone stated Voyager can ship long-duration Worldwide Hydrographic Group (IHO)-compliant multibeam mapping surveys and ocean knowledge assortment. Whereas the corporate’s USVs are primarily wind and solar-powered, Voyager additionally carries a high-efficiency electrical motor for velocity and maneuverability in mild winds. 

Undersea knowledge has a number of makes use of

The multibeam and backscatter knowledge collected within the Gulf of Maine will inform new species-distribution fashions, which was beforehand not attainable with the dearth of high-resolution seafloor data. These new maps may also assist replace nautical charts and help navigation, filling necessary gaps in bathymetric protection.

“That is the primary profitable demonstration of Saildrone Voyager mapping capabilities, pushing the envelope of what’s attainable utilizing autonomous methods for shallow to mid-depth EEZ mapping,” stated Brian Connon, vice chairman of ocean mapping at Saildrone. “Its state-of-the-art Norbit multibeam echo sounder, mixed with near-silent operations and classification from the American Bureau of Transport, make Saildrone’s Voyager the USV of alternative for near-shore mapping.”

“These capabilities may be utilized for any variety of missions, from habitat exploration to security of navigation to web site characterization for offshore wind,” he asserted.

Saildrone has been working autonomous knowledge assortment missions for ocean analysis, seafloor mapping, and maritime safety since 2015. Up to now, it has constructed greater than 140 USVs throughout the three Explorer, Voyager, and Surveyor courses.

The Saildrone fleet has already spent greater than 42,000 days at sea and sailed greater than 1.3 million nm (240,000 km) from the Excessive North to the Southern Ocean. Earlier this month, Saildrone started a mission to map 29,300 sq. nm (10,000 sq. km) of the Cayman Islands’ EEZ.

Image of data collected by Saildrone showing the varied topography in the Gulf of Maine.

Picture of knowledge collected by Saildrone exhibiting the numerous topography within the Gulf of Maine. | Supply: Saildrone

America’s Rising Wind Power Future — 3 New Reviews


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


The Three New Wind Power Reviews Spotlight Business Growth, Growth, and the Insurance policies and Incentives Driving Wind Power Ahead

WASHINGTON, D.C. — Over the previous yr, the U.S. wind vitality sector showcased its resilience and potential, as detailed within the 2024 editions of the annual market reviews launched right this moment by the U.S. Division of Power (DOE). The reviews discover that the passage of the Inflation Discount Act (IRA) has led to vital will increase in near-term wind deployment forecasts and has motivated billions of {dollars} of funding within the home wind provide chain, regardless of ongoing challenges that the business is navigating. Beneath President Biden and Vice President Harris’ management final yr, wind energy offered greater than 10% of U.S. electrical energy and accounted for 12% of latest electrical energy capability, representing $10.8 billion in capital funding and supporting greater than 125,000 American jobs. As some of the cost-effective sources of electrical energy in America, wind vitality is well-positioned for future progress.

“The US is dedicated to investing in applied sciences to speed up the deployment of wind vitality and convey extra renewable electrical energy onto the grid,” stated Eric Lantz, director, Wind Power Applied sciences Workplace “DOE will proceed collaborating with companions and stakeholders nationwide to advance the business and propel our nation towards a cleaner, safer and resilient vitality future for all Individuals.”

Close to-term forecasts for wind vitality have elevated by over 30% within the wake of the IRA’s passage, with progress anticipated to ramp as much as greater than 15 gigawatts (GW) per yr by 2026 and to almost 20 GW per yr by the tip of the last decade. The IRA can also be fueling provide chain enlargement with 15 new, re-opened, or expanded land-based wind manufacturing amenities introduced since its passage.

The reviews additionally discover vital offshore wind progress anticipated within the subsequent few years, with a U.S. venture pipeline that has grown by 53% from the earlier yr. There are initiatives totaling virtually 6 GW of offshore wind capability underneath development, 3 GW of further initiatives authorised by the U.S. Division of the Inside’s Bureau of Ocean Power Administration (BOEM) which have offtake agreements and are making ready to start development, and greater than 45 GW in state commitments.

The Land-Primarily based Wind Market Report, ready by DOE’s Lawrence Berkeley Nationwide Laboratory, particulars the practically 6,500 megawatts (MW) of latest utility-scale, land-based wind capability added in 2023, bringing the overall cumulative put in wind capability to almost 150,500 MW—the equal of powering round 45 million American properties. Key findings from the report embrace:

  • Wind vitality offered 10% of complete electrical energy nationwide, greater than 59% of electrical energy in Iowa, greater than 55% of electrical energy in South Dakota, and greater than 40% of electrical energy in Kansas and Oklahoma.
  • On the finish of 2023, utility-scale, land-based wind was put in in a complete of 42 states, with 17 states putting in new utility-scale, land-based wind generators in 2023. Texas put in probably the most capability, with 1,323 MW. Different main states included Illinois and Kansas, with every including greater than 800 MW of capability in 2023.
  • For the second time, non-utility consumers, corresponding to companies, are buying extra wind than utilities. Direct retail purchasers of wind—together with company commitments—purchase electrical energy from a minimum of 48% of the brand new wind capability put in in 2023.
  • Wind generators proceed to develop in dimension and energy, contributing to aggressive prices and costs. The typical capability of newly put in wind generators has grown by 23% since 2020, to three.4 MW, whereas the rotor diameter—the width of the circle swept by the rotating turbine blades—has elevated 7% since 2020, to 438 toes. Bigger wind generators can create extra electrical energy by capturing extra wind with their longer blades, they usually profit from the higher wind sources larger above the bottom.
  • Wind gives public well being and local weather advantages by decreasing emissions of carbon dioxide, nitrogen oxides, and sulfur dioxide. The well being and local weather advantages of wind are bigger than its grid-system worth, and the mixture of all three is greater than 3 times the common levelized price of vitality for wind.

The Offshore Wind Market Report, ready by DOE’s Nationwide Renewable Power Laboratory, reveals that regardless of latest macroeconomic situations and provide chain constraints, the U.S. offshore wind business is ready as much as scale. The U.S. offshore wind vitality venture pipeline grew by 53% from the earlier yr to a complete of 80,523 MW—sufficient to energy greater than 26 million properties if totally developed. This contains three totally operational initiatives totaling 174 MW, together with South Fork Wind Farm, which is offering energy to New York and is america’ first totally operational commercial-scale wind farm, and several other initiatives underneath development. Forecasts estimate that america might have 40 GW of offshore wind capability put in by 2035. Different key findings from the report embrace:

  • DOE estimates that $10 billion has been introduced or invested within the U.S. offshore wind provide chain because the starting of 2021. This determine contains $2.1 billion invested in 2023 alone.
  • Eight states have procurement mandates that complete greater than 45 GW of offshore wind capability by 2040.
  • Floating offshore wind is changing into a bigger a part of the U.S. offshore wind vitality pipeline and future. California now has greater than 6,000 MW of estimated pipeline capability within the web site management stage from 5 floating offshore wind initiatives, and the Gulf of Maine now has an estimated pipeline complete of greater than 15,000 MW (if totally developed) from eight new proposed lease areas.
  • As of Could 2024, the U.S. offshore wind vitality pipeline has 38 initiatives in allowing or underneath web site management, totaling greater than 42 GW, with an extra 30 GW of capability within the starting stage of the pipeline.
  • Rising rates of interest, provide chain constraints, and better commodity costs throughout 2021–2023 have led to larger offshore wind vitality prices, however in opposition to a backdrop of longer-term reductions. Even together with latest price will increase, offshore wind prices have decreased by greater than 50% since 2013.

The Distributed Wind Market Report, ready by DOE’s Pacific Northwest Nationwide Laboratory, notes that 1,999 distributed wind generators have been added throughout 16 states in 2023. Distributed wind generators, which serve on-site vitality demand or help operation of native electrical energy distribution networks, added a complete 10.5 MW of latest capability in 2023, representing $37 million in new funding. Key findings from the report embrace:

  • Cumulative U.S. distributed wind capability stands at 1,110 MW from greater than 92,000 wind generators throughout all 50 states, the District of Columbia, Puerto Rico, the U.S. Virgin Islands, the Northern Mariana Islands, and Guam.
  • Ohio, Illinois, and Alaska led america in distributed wind capability additions in 2023, with three initiatives collectively representing 78% of capability put in.
  • Distributed wind is poised for deployment progress partially on account of IRA funding alternatives and collaboration between DOE and the U.S. Division of Agriculture (USDA). In 2024, DOE and USDA launched the Rural Agricultural Revenue & Financial savings from Renewable Power (RAISE) initiative to assist farmers reduce prices and improve revenue via distributed era initiatives, together with distributed wind. RAISE has an preliminary aim of serving to 400 farmers deploy smaller-scale wind initiatives to assist reduce prices and improve revenue. To help this aim, DOE has made a $4 million preliminary funding and USDA is leveraging a $303 million fund for underutilized applied sciences (together with distributed wind) and technical help via its Rural Power for America Program (REAP).
  • In 2023, a complete of 40 wind vitality initiatives obtained $3.4 million in USDA REAP grants, the most important complete in additional than a decade.

These reviews aren’t only for consultants—they’re for everybody inquisitive about wind vitality. Discover the brand new reviews now and uncover the alternatives within the wind on the DOE web site at vitality.gov/windreport.

Courtesy of U.S. DOE.


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


Newest CleanTechnica.TV Movies

Commercial



 


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

CleanTechnica’s Remark Coverage




Importing Internet-based SwiftPM packages to your Xcode Playground — Erica Sadun


I’ve been kicking the wheels on Xcode 12 and its potential to make use of frameworks and packages with playgrounds. Up till now, I’ve solely been capable of import packages which are both downloaded or developed regionally on my residence system. Nevertheless, plenty of the packages I need to work with are hosted from GitHub.

I made a decision to observe a hunch and see if I may import my dependency by means of a neighborhood Forwarding package deal after which use that code. Lengthy story brief: I may.

Right here’s my playground, efficiently operating.

The RuntimeImplementation is asserted in a GitHub-hosted package deal known as Swift-Common-Utility:

What I did to make this work was that I created what I known as a Forwarding Utility, whose sole job is to create a shell package deal that depends upon the distant package deal and forwards it to the playground. It seems to be like this. It’s a single file known as “Forwarding.swift” (no, the title is under no circumstances magic.) in Sources/. I exploit @_exported to ahead the import.

/*
 
 Use this to ahead web-based dependencies to Swift Pkg
 
 */

@_exported import GeneralUtility

Its Bundle.swift installs the dependency:

    dependencies: [ .package(url: "https://github.com/erica/Swift-General-Utility", .exact("0.0.4")), ],
    targets: [
        .target(
            name: "ForwardingUtility",
            dependencies: [ .product(name: "GeneralUtility"), ],
            path: "Sources/"
        ),
    ],

And that’s just about all that there’s to it, aside from (as I discussed in my different put up about how you can use SwiftPM packages in playground workspaces) that you might have to give up and re-open the primary beta earlier than you possibly can import the forwarding.

Let me know something that I tousled. But additionally let me know if this was useful to you!