Skip to content

Improve board list detection via cloud API #1982

New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

Merged
merged 5 commits into from
Nov 21, 2022
Merged
Show file tree
Hide file tree
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
114 changes: 64 additions & 50 deletions commands/board/list.go
Original file line number Diff line number Diff line change
Expand Up @@ -19,7 +19,7 @@ import (
"context"
"encoding/json"
"fmt"
"io/ioutil"
"io"
"net/http"
"regexp"
"sort"
Expand All @@ -32,24 +32,43 @@ import (
"github.com/arduino/arduino-cli/arduino/discovery"
"github.com/arduino/arduino-cli/arduino/httpclient"
"github.com/arduino/arduino-cli/commands"
"github.com/arduino/arduino-cli/inventory"
rpc "github.com/arduino/arduino-cli/rpc/cc/arduino/cli/commands/v1"
"github.com/pkg/errors"
"github.com/sirupsen/logrus"
)

type boardNotFoundError struct{}

func (e *boardNotFoundError) Error() string {
return tr("board not found")
}

var (
// ErrNotFound is returned when the API returns 404
ErrNotFound = &boardNotFoundError{}
vidPidURL = "https://builder.arduino.cc/v3/boards/byVidPid"
validVidPid = regexp.MustCompile(`0[xX][a-fA-F\d]{4}`)
)

func cachedAPIByVidPid(vid, pid string) ([]*rpc.BoardListItem, error) {
var resp []*rpc.BoardListItem

cacheKey := fmt.Sprintf("cache.builder-api.v3/boards/byvid/pid/%s/%s", vid, pid)
if cachedResp := inventory.Store.GetString(cacheKey + ".data"); cachedResp != "" {
ts := inventory.Store.GetTime(cacheKey + ".ts")
if time.Since(ts) < time.Hour*24 {
// Use cached response
if err := json.Unmarshal([]byte(cachedResp), &resp); err == nil {
return resp, nil
}
}
}

resp, err := apiByVidPid(vid, pid) // Perform API requrest

if err == nil {
if cachedResp, err := json.Marshal(resp); err == nil {
inventory.Store.Set(cacheKey+".data", string(cachedResp))
inventory.Store.Set(cacheKey+".ts", time.Now())
inventory.WriteStore()
}
}
return resp, err
}

func apiByVidPid(vid, pid string) ([]*rpc.BoardListItem, error) {
// ensure vid and pid are valid before hitting the API
if !validVidPid.MatchString(vid) {
Expand All @@ -60,7 +79,6 @@ func apiByVidPid(vid, pid string) ([]*rpc.BoardListItem, error) {
}

url := fmt.Sprintf("%s/%s/%s", vidPidURL, vid, pid)
retVal := []*rpc.BoardListItem{}
req, _ := http.NewRequest("GET", url, nil)
req.Header.Set("Content-Type", "application/json")

Expand All @@ -72,50 +90,53 @@ func apiByVidPid(vid, pid string) ([]*rpc.BoardListItem, error) {
return nil, errors.Wrap(err, tr("failed to initialize http client"))
}

if res, err := httpClient.Do(req); err == nil {
if res.StatusCode >= 400 {
if res.StatusCode == 404 {
return nil, ErrNotFound
}
return nil, errors.Errorf(tr("the server responded with status %s"), res.Status)
}

body, _ := ioutil.ReadAll(res.Body)
res.Body.Close()

var dat map[string]interface{}
err = json.Unmarshal(body, &dat)
if err != nil {
return nil, errors.Wrap(err, tr("error processing response from server"))
}
res, err := httpClient.Do(req)
if err != nil {
return nil, errors.Wrap(err, tr("error querying Arduino Cloud Api"))
}
if res.StatusCode == 404 {
// This is not an error, it just means that the board is not recognized
return nil, nil
}
if res.StatusCode >= 400 {
return nil, errors.Errorf(tr("the server responded with status %s"), res.Status)
}

name, nameFound := dat["name"].(string)
fqbn, fbqnFound := dat["fqbn"].(string)
resp, err := io.ReadAll(res.Body)
if err != nil {
return nil, err
}
if err := res.Body.Close(); err != nil {
return nil, err
}

if !nameFound || !fbqnFound {
return nil, errors.New(tr("wrong format in server response"))
}
var dat map[string]interface{}
if err := json.Unmarshal(resp, &dat); err != nil {
return nil, errors.Wrap(err, tr("error processing response from server"))
}
name, nameFound := dat["name"].(string)
fqbn, fbqnFound := dat["fqbn"].(string)
if !nameFound || !fbqnFound {
return nil, errors.New(tr("wrong format in server response"))
}

retVal = append(retVal, &rpc.BoardListItem{
return []*rpc.BoardListItem{
{
Name: name,
Fqbn: fqbn,
})
} else {
return nil, errors.Wrap(err, tr("error querying Arduino Cloud Api"))
}

return retVal, nil
},
}, nil
}

func identifyViaCloudAPI(port *discovery.Port) ([]*rpc.BoardListItem, error) {
// If the port is not USB do not try identification via cloud
id := port.Properties
if !id.ContainsKey("vid") || !id.ContainsKey("pid") {
return nil, ErrNotFound
return nil, nil
}

logrus.Debug("Querying builder API for board identification...")
return apiByVidPid(id.Get("vid"), id.Get("pid"))
return cachedAPIByVidPid(id.Get("vid"), id.Get("pid"))
}

// identify returns a list of boards checking first the installed platforms or the Cloud API
Expand Down Expand Up @@ -146,17 +167,10 @@ func identify(pme *packagemanager.Explorer, port *discovery.Port) ([]*rpc.BoardL
// the builder API if the board is a USB device port
if len(boards) == 0 {
items, err := identifyViaCloudAPI(port)
if errors.Is(err, ErrNotFound) {
// the board couldn't be detected, print a warning
logrus.Debug("Board not recognized")
} else if err != nil {
// this is bad, bail out
return nil, &arduino.UnavailableError{Message: tr("Error getting board info from Arduino Cloud")}
if err != nil {
// this is bad, but keep going
logrus.WithError(err).Debug("Error querying builder API")
}

// add a DetectedPort entry in any case: the `Boards` field will
// be empty but the port will be shown anyways (useful for 3rd party
// boards)
boards = items
}

Expand Down
7 changes: 3 additions & 4 deletions commands/board/list_test.go
Original file line number Diff line number Diff line change
Expand Up @@ -71,9 +71,8 @@ func TestGetByVidPidNotFound(t *testing.T) {

vidPidURL = ts.URL
res, err := apiByVidPid("0x0420", "0x0069")
require.NotNil(t, err)
require.Equal(t, "board not found", err.Error())
require.Len(t, res, 0)
require.NoError(t, err)
require.Empty(t, res)
}

func TestGetByVidPid5xx(t *testing.T) {
Expand Down Expand Up @@ -108,7 +107,7 @@ func TestBoardDetectionViaAPIWithNonUSBPort(t *testing.T) {
Properties: properties.NewMap(),
}
items, err := identifyViaCloudAPI(port)
require.ErrorIs(t, err, ErrNotFound)
require.NoError(t, err)
require.Empty(t, items)
}

Expand Down
6 changes: 6 additions & 0 deletions inventory/inventory.go
Original file line number Diff line number Diff line change
Expand Up @@ -19,6 +19,7 @@ import (
"fmt"
"os"
"path/filepath"
"sync"

"github.com/arduino/arduino-cli/i18n"
"github.com/gofrs/uuid"
Expand Down Expand Up @@ -77,9 +78,14 @@ func generateInstallationData() error {
return nil
}

var writeStoreMux sync.Mutex

// WriteStore writes the current information from Store to configFilePath.
// Returns err if it fails.
func WriteStore() error {
writeStoreMux.Lock()
defer writeStoreMux.Unlock()

configPath := filepath.Dir(configFilePath)

// Create config dir if not present,
Expand Down