├── _config.yml ├── .gitignore ├── clients └── switch │ ├── README.md │ ├── package.json │ ├── server.js │ ├── public │ └── index.html │ └── yarn.lock ├── go.mod ├── get-ws281x.sh ├── draw_test.go ├── main.go ├── server.go ├── framebuffer ├── framebuffer.proto └── framebuffer.pb.go ├── README.md ├── draw.go ├── go.sum └── LICENSE /_config.yml: -------------------------------------------------------------------------------- 1 | theme: jekyll-theme-cayman -------------------------------------------------------------------------------- /.gitignore: -------------------------------------------------------------------------------- 1 | leet 2 | 3 | clients/switch/node_modules 4 | -------------------------------------------------------------------------------- /clients/switch/README.md: -------------------------------------------------------------------------------- 1 | 2 | # switch 3 | 4 | Turn the lights on! 5 | 6 | ## Developing 7 | 8 | 1. Get dependencies: `yarn install` 9 | 2. Start server: `yarn start` 10 | 11 | 12 | -------------------------------------------------------------------------------- /go.mod: -------------------------------------------------------------------------------- 1 | module github.com/serverwentdown/leet 2 | 3 | go 1.12 4 | 5 | require ( 6 | github.com/golang/protobuf v1.4.0 7 | github.com/rpi-ws281x/rpi-ws281x-go v1.0.5 8 | google.golang.org/grpc v1.29.0 9 | google.golang.org/protobuf v1.21.0 10 | ) 11 | -------------------------------------------------------------------------------- /clients/switch/package.json: -------------------------------------------------------------------------------- 1 | { 2 | "name": "switch", 3 | "version": "0.1.0", 4 | "description": "Turn the lights on!", 5 | "repository": "git@github.com:serverwentdown/leet.git", 6 | "author": "Ambrose Chua", 7 | "license": "MPL-2.0", 8 | "dependencies": { 9 | "@grpc/grpc-js": "^1.0.1", 10 | "@grpc/proto-loader": "^0.5.4", 11 | "express": "^4.17.3", 12 | "grpc": "^1.24.2" 13 | } 14 | } 15 | -------------------------------------------------------------------------------- /get-ws281x.sh: -------------------------------------------------------------------------------- 1 | #!/bin/sh 2 | 3 | set -ex 4 | 5 | echo "Installing dependencies" 6 | sudo apt-get install -y git scons build-essential 7 | 8 | echo "Cloning ws281x" 9 | git clone https://github.com/jgarff/rpi_ws281x /tmp/rpi_ws281x 10 | 11 | echo "Building ws281x" 12 | cd /tmp/rpi_ws281x 13 | scons 14 | 15 | echo "Installing into /usr/local" 16 | sudo cp libws2811.a /usr/local/lib 17 | sudo cp ws2811.h pwm.h rpihw.h /usr/local/include 18 | 19 | echo "Cleaning up" 20 | cd /tmp 21 | rm -rf /tmp/rpi_ws281x 22 | 23 | -------------------------------------------------------------------------------- /draw_test.go: -------------------------------------------------------------------------------- 1 | package main 2 | 3 | import "testing" 4 | 5 | func TestMixColors(t *testing.T) { 6 | mixed := mixColors(uint32(0), uint32(0xFFFF0000)) 7 | if mixed != uint32(0xFFFF0000) { 8 | t.Errorf("mixColors(0, 0xFFFF0000) was incorrect, got: %#x, want: %#x", mixed, uint32(0xFFFF0000)) 9 | } 10 | mixed = mixColors(uint32(0), uint32(0)) 11 | if mixed != uint32(0) { 12 | t.Errorf("mixColors(0, 0) was incorrect, got: %#x, want: %#x", mixed, uint32(0)) 13 | } 14 | mixed = mixColors(uint32(0x7FFF0000), uint32(0x7F00FF00)) 15 | if mixed != uint32(0xbe7f3f00) { 16 | t.Errorf("mixColors(0x7FFF0000, 0x7F00FF00) was incorrect, got: %#x, want: %#x", mixed, uint32(0xbe7f3f00)) 17 | } 18 | } 19 | -------------------------------------------------------------------------------- /main.go: -------------------------------------------------------------------------------- 1 | package main // import "github.com/serverwentdown/leet" 2 | 3 | import ( 4 | "log" 5 | "net" 6 | 7 | "github.com/serverwentdown/leet/framebuffer" 8 | "google.golang.org/grpc" 9 | ) 10 | 11 | const listen = ":5000" 12 | const length = 275 13 | 14 | func main() { 15 | log.Print("starting server") 16 | 17 | lis, err := net.Listen("tcp", listen) 18 | if err != nil { 19 | log.Fatalf("failed to listen: %v", err) 20 | } 21 | s := grpc.NewServer() 22 | 23 | drawer, err := NewDrawer(length) 24 | if err != nil { 25 | log.Fatalf("failed to setup WS281x library: %v", err) 26 | } 27 | 28 | framebuffer.RegisterDrawerServer(s, NewServer(drawer)) 29 | if err := s.Serve(lis); err != nil { 30 | log.Fatalf("failed to serve: %v", err) 31 | } 32 | } 33 | -------------------------------------------------------------------------------- /server.go: -------------------------------------------------------------------------------- 1 | package main // import "github.com/serverwentdown/leet" 2 | 3 | //go:generate protoc -I framebuffer framebuffer/framebuffer.proto --go_out=plugins=grpc:framebuffer 4 | 5 | import ( 6 | "context" 7 | "log" 8 | "time" 9 | 10 | "github.com/serverwentdown/leet/framebuffer" 11 | ) 12 | 13 | type Server struct { 14 | drawer *Drawer 15 | } 16 | 17 | func NewServer(drawer *Drawer) *Server { 18 | s := &Server{ 19 | drawer: drawer, 20 | } 21 | return s 22 | } 23 | 24 | func (s *Server) DrawFrame(ctx context.Context, in *framebuffer.FrameBuffer) (*framebuffer.DrawResponse, error) { 25 | s.drawer.SetLayer(int32(in.Layer), in.Frame.Dots) 26 | timeDrawStart := time.Now() 27 | err := s.drawer.Draw() 28 | timeDrawEnd := time.Now() 29 | if err != nil { 30 | return nil, err 31 | } 32 | log.Printf("Draw took %d milliseconds", timeDrawEnd.Sub(timeDrawStart)/1000/1000) 33 | return &framebuffer.DrawResponse{}, nil 34 | } 35 | 36 | func (s *Server) DrawFrames(ctx context.Context, in *framebuffer.FrameSequence) (*framebuffer.DrawResponse, error) { 37 | log.Print("Received FrameSequence, but not implemented") 38 | return &framebuffer.DrawResponse{}, nil 39 | } 40 | 41 | func (s *Server) GetLength(ctx context.Context, in *framebuffer.LengthRequest) (*framebuffer.LengthResponse, error) { 42 | length := uint32(s.drawer.Length) 43 | return &framebuffer.LengthResponse{ 44 | Length: length, 45 | }, nil 46 | } 47 | -------------------------------------------------------------------------------- /clients/switch/server.js: -------------------------------------------------------------------------------- 1 | const path = require('path'); 2 | 3 | 4 | const grpc = require('grpc'); 5 | const protoLoader = require('@grpc/proto-loader'); 6 | 7 | const PROTO_PATH = path.join(__dirname, '..', '..', 'framebuffer', 'framebuffer.proto'); 8 | const packageDefinition = protoLoader.loadSync(PROTO_PATH); 9 | const framebuffer = grpc.loadPackageDefinition(packageDefinition); 10 | 11 | const client = new framebuffer.Drawer('raspi.cacti.makerforce.io:5000', grpc.credentials.createInsecure()); 12 | 13 | 14 | const express = require('express'); 15 | 16 | const app = express(); 17 | const PORT = 5001; 18 | 19 | const PIXEL_COUNT = 275; 20 | 21 | // TODO: async 22 | app.post('/on', (req, res, next) => { 23 | let fill = 0x00000000; 24 | switch (req.query.tempreature) { 25 | case 'cool': 26 | fill = 0xFFFFFFFF; 27 | break; 28 | case 'warm': 29 | default: 30 | fill = 0xFFFFAA77; 31 | break; 32 | } 33 | client.drawFrame({ 34 | frame: { 35 | dots: Array(PIXEL_COUNT-1).fill(fill).concat([0xBBFF0000]), 36 | }, 37 | layer: 'LIGHT', 38 | }, (err, resp) => { 39 | if (err) { 40 | return next(err); 41 | } 42 | res.writeHead(200); 43 | res.end(); 44 | }); 45 | }); 46 | app.post('/off', (req, res, next) => { 47 | client.drawFrame({ 48 | frame: { 49 | dots: Array(PIXEL_COUNT).fill(0x00000000), 50 | }, 51 | layer: 'LIGHT', 52 | }, (err, resp) => { 53 | if (err) { 54 | return next(err); 55 | } 56 | res.writeHead(200); 57 | res.end(); 58 | }); 59 | }); 60 | 61 | app.use(express.static('public')); 62 | 63 | app.listen(PORT, () => console.log(`App listening on ${PORT}`)); 64 | -------------------------------------------------------------------------------- /framebuffer/framebuffer.proto: -------------------------------------------------------------------------------- 1 | syntax = "proto3"; 2 | 3 | /* 4 | Layer defines some default layers for compositing animations onto for 5 | various purposes. 6 | */ 7 | enum Layer { 8 | NONE = 0; 9 | // Well-known layers 10 | LIGHT = 1; 11 | COLOR = 2; 12 | NOTIFICATIONS = 8; 13 | PRIORITY = 9; 14 | } 15 | 16 | /* 17 | FrameData represents an ARGB array of dots. 18 | */ 19 | message FrameData { 20 | // ARGB 21 | repeated fixed32 dots = 1; 22 | } 23 | 24 | /* 25 | FrameBuffer represents an entire frame together with a layer tag. It also 26 | defines a timestamp that can be used within a FrameSequence to define the 27 | duration a frame will be shown. 28 | */ 29 | message FrameBuffer { 30 | FrameData frame = 1; 31 | // Time offset from start of frame in milliseconds 32 | fixed32 timestamp = 2; 33 | // Layer to apply the frame to 34 | Layer layer = 3; 35 | } 36 | 37 | /* 38 | FrameSequence buffers a series of frames to be drawn one by one at intervals 39 | defined by the timestamp included in the FrameBuffers. Useful for running 40 | smooth animations. 41 | 42 | In the future, this should have more metadata like looping counts and async 43 | animations. 44 | */ 45 | message FrameSequence { 46 | repeated FrameBuffer frames = 1; 47 | // Number of times to loop the sequence 48 | int32 loop = 2; 49 | } 50 | 51 | message DrawResponse { 52 | } 53 | 54 | message LengthRequest { 55 | } 56 | 57 | message LengthResponse { 58 | fixed32 length = 1; 59 | } 60 | 61 | service Drawer { 62 | // DrawFrame draws one frame 63 | rpc DrawFrame (FrameBuffer) returns (DrawResponse) {} 64 | // DrawFrames draws a series of frames 65 | rpc DrawFrames (FrameSequence) returns (DrawResponse) {} 66 | // GetLength returns the length of the strip 67 | rpc GetLength (LengthRequest) returns (LengthResponse) {} 68 | } 69 | 70 | -------------------------------------------------------------------------------- /clients/switch/public/index.html: -------------------------------------------------------------------------------- 1 | 2 | 3 | 4 | 5 | 6 | 7 | 8 | 9 | Lights 10 | 44 | 45 | 46 |
47 | Lights On 48 |
49 | 64 | 65 | 66 | -------------------------------------------------------------------------------- /README.md: -------------------------------------------------------------------------------- 1 | 2 | # leet 3 | 4 | Pronounced as "lit". Environmental lighting over gRPC 5 | 6 | ## TODO 7 | 8 | - [ ] Create lighting client, with tempreature setting 9 | - [ ] Create a color cycle client for when I'm partying alone because I'm lonely 10 | - [ ] Write an Android app that taps onto new system notifications 11 | - [ ] Write an IMAP client that polls for new emails 12 | - [ ] Make the server more generic 13 | - [ ] Configuration for service overlay priorities 14 | - [ ] Queues for each layer, to enable sharing of layers 15 | - [ ] Attempt some audio visualisations 16 | 17 | ## WTF?! 18 | 19 | At home, I have a strip of 287 WS2812B LEDs connected to a Raspberry Pi, that needs to be used as a light, mood lighting, and for notifications. I don't want to be a typical person and write a monolithic application, so `leet` is a simple gRPC server that renders basic opacity composition and buffered animations onto the LED strip. This also enables me to add additional sources of data in the future from anywhere on my home network, including servers, phones and your IoT Blockchain AI appliances. 20 | 21 | ## Architecture 22 | 23 | ``` 24 | ------------------- --------------- 25 | | Lighting Web UI | -------| IMAP Client | 26 | ------------------- | --------------- 27 | | | 28 | -------------------- | -------------------------- 29 | | Lighting Backend | | | Server Load Monitoring | 30 | -------------------- | -------------------------- 31 | | | | 32 | ---------------------------------- ----------------- 33 | | Leet on the Raspberry Pi |--| WS2812B Strip | 34 | ---------------------------------- ----------------- 35 | ``` 36 | 37 | ## Protocol 38 | 39 | See [`framebuffer.proto`](framebuffer/framebuffer.proto) for the actual gRPC protocol 40 | 41 | ## Developing 42 | 43 | 1. [Install](https://grpc.io/docs/quickstart/go.html#install-protocol-buffers-v3) `protoc` and `protoc-gen-go` 44 | 2. Install the `rpi_ws281x` library: `./get-ws2812x.sh` (WARNING: this installs four files into /usr/local) 45 | 3. Get dependencies: `go get` 46 | 4. Start building with `go build` 47 | 48 | -------------------------------------------------------------------------------- /draw.go: -------------------------------------------------------------------------------- 1 | package main // import "github.com/serverwentdown/leet" 2 | 3 | import ( 4 | "log" 5 | "time" 6 | 7 | ws2811 "github.com/rpi-ws281x/rpi-ws281x-go" 8 | ) 9 | 10 | // TODO: full-sized grid with multiple channels mapped onto the grid 11 | 12 | const ( 13 | MAX_LAYERS = 10 14 | ) 15 | 16 | type Drawer struct { 17 | Length int 18 | layers [][]uint32 19 | device *ws2811.WS2811 20 | } 21 | 22 | func NewDrawer(length int) (*Drawer, error) { 23 | opt := ws2811.DefaultOptions 24 | opt.Channels[0].LedCount = length 25 | opt.Channels[0].Brightness = 255 26 | 27 | d := &Drawer{} 28 | d.Length = length 29 | d.layers = make([][]uint32, MAX_LAYERS) 30 | for i := range d.layers { 31 | d.layers[i] = make([]uint32, length) 32 | } 33 | for i := range d.layers[0] { 34 | d.layers[0][i] = 0xff000000 35 | } 36 | dev, err := ws2811.MakeWS2811(&opt) 37 | if err != nil { 38 | return nil, err 39 | } 40 | err = dev.Init() 41 | if err != nil { 42 | return nil, err 43 | } 44 | d.device = dev 45 | 46 | return d, nil 47 | } 48 | 49 | func (d *Drawer) SetLayer(layer int32, dots []uint32) { 50 | for i, dot := range dots { 51 | if i > d.Length { 52 | break 53 | } 54 | d.layers[layer][i] = dot 55 | } 56 | } 57 | 58 | func (d *Drawer) Draw() error { 59 | timeMixStart := time.Now() 60 | for i := 0; i < d.Length; i++ { 61 | dot := mix(d.layers, i) 62 | d.device.Leds(0)[i] = dot 63 | } 64 | timeMixEnd := time.Now() 65 | 66 | if err := d.device.Render(); err != nil { 67 | return err 68 | } 69 | 70 | log.Printf("mix took %d milliseconds", timeMixEnd.Sub(timeMixStart)/1000/1000) 71 | return nil 72 | } 73 | 74 | func mix(layers [][]uint32, i int) uint32 { 75 | var base uint32 76 | for _, layer := range layers { 77 | if i >= len(layer) { 78 | continue 79 | } 80 | base = mixColors(layer[i], base) 81 | } 82 | return base 83 | } 84 | 85 | func mixColors(a uint32, b uint32) uint32 { 86 | // Extract channels 87 | aa, ba := uint32(a>>24), uint32(b>>24) 88 | ar, br := a&uint32(0x00FF0000)>>16, b&uint32(0x00FF0000)>>16 89 | ag, bg := a&uint32(0x0000FF00)>>8, b&uint32(0x0000FF00)>>8 90 | ab, bb := a&uint32(0x000000FF), b&uint32(0x000000FF) 91 | // Apply alpha computation to each channel 92 | oa := uint32(ba*(255-aa)/255 + aa) 93 | or := uint32(br*ba*(255-aa)/(255*255) + ar*aa/255) 94 | og := uint32(bg*ba*(255-aa)/(255*255) + ag*aa/255) 95 | ob := uint32(bb*ba*(255-aa)/(255*255) + ab*aa/255) 96 | return (oa << 24) | (or << 16) | (og << 8) | ob 97 | } 98 | -------------------------------------------------------------------------------- /go.sum: -------------------------------------------------------------------------------- 1 | cloud.google.com/go v0.26.0/go.mod h1:aQUYkXzVsufM+DwF1aE+0xfcU+56JwCaLick0ClmMTw= 2 | github.com/BurntSushi/toml v0.3.1/go.mod h1:xHWCNGjB5oqiDr8zfno3MHue2Ht5sIBksp03qcyfWMU= 3 | github.com/census-instrumentation/opencensus-proto v0.2.1/go.mod h1:f6KPmirojxKA12rnyqOA5BBL4O983OfeGPqjHWSTneU= 4 | github.com/client9/misspell v0.3.4/go.mod h1:qj6jICC3Q7zFZvVWo7KLAzC3yx5G7kyvSDkc90ppPyw= 5 | github.com/cncf/udpa/go v0.0.0-20191209042840-269d4d468f6f/go.mod h1:M8M6+tZqaGXZJjfX53e64911xZQV5JYwmTeXPW+k8Sc= 6 | github.com/davecgh/go-spew v1.1.0/go.mod h1:J7Y8YcW2NihsgmVo/mv3lAwl/skON4iLHjSsI+c5H38= 7 | github.com/davecgh/go-spew v1.1.1/go.mod h1:J7Y8YcW2NihsgmVo/mv3lAwl/skON4iLHjSsI+c5H38= 8 | github.com/envoyproxy/go-control-plane v0.9.0/go.mod h1:YTl/9mNaCwkRvm6d1a2C3ymFceY/DCBVvsKhRF0iEA4= 9 | github.com/envoyproxy/go-control-plane v0.9.4/go.mod h1:6rpuAdCZL397s3pYoYcLgu1mIlRU8Am5FuJP05cCM98= 10 | github.com/envoyproxy/protoc-gen-validate v0.1.0/go.mod h1:iSmxcyjqTsJpI2R4NaDN7+kN2VEUnK/pcBlmesArF7c= 11 | github.com/golang/glog v0.0.0-20160126235308-23def4e6c14b h1:VKtxabqXZkF25pY9ekfRL6a582T4P37/31XEstQ5p58= 12 | github.com/golang/glog v0.0.0-20160126235308-23def4e6c14b/go.mod h1:SBH7ygxi8pfUlaOkMMuAQtPIUF8ecWP5IEl/CR7VP2Q= 13 | github.com/golang/mock v1.1.1/go.mod h1:oTYuIxOrZwtPieC+H1uAHpcLFnEyAGVDL/k47Jfbm0A= 14 | github.com/golang/protobuf v1.2.0 h1:P3YflyNX/ehuJFLhxviNdFxQPkGK5cDcApsge1SqnvM= 15 | github.com/golang/protobuf v1.2.0/go.mod h1:6lQm79b+lXiMfvg/cZm0SGofjICqVBUtrP5yJMmIC1U= 16 | github.com/golang/protobuf v1.3.1 h1:YF8+flBXS5eO826T4nzqPrxfhQThhXl0YzfuUPu4SBg= 17 | github.com/golang/protobuf v1.3.1/go.mod h1:6lQm79b+lXiMfvg/cZm0SGofjICqVBUtrP5yJMmIC1U= 18 | github.com/golang/protobuf v1.3.2/go.mod h1:6lQm79b+lXiMfvg/cZm0SGofjICqVBUtrP5yJMmIC1U= 19 | github.com/golang/protobuf v1.3.3/go.mod h1:vzj43D7+SQXF/4pzW/hwtAqwc6iTitCiVSaWz5lYuqw= 20 | github.com/golang/protobuf v1.4.0-rc.1/go.mod h1:ceaxUfeHdC40wWswd/P6IGgMaK3YpKi5j83Wpe3EHw8= 21 | github.com/golang/protobuf v1.4.0-rc.1.0.20200221234624-67d41d38c208/go.mod h1:xKAWHe0F5eneWXFV3EuXVDTCmh+JuBKY0li0aMyXATA= 22 | github.com/golang/protobuf v1.4.0-rc.2/go.mod h1:LlEzMj4AhA7rCAGe4KMBDvJI+AwstrUpVNzEA03Pprs= 23 | github.com/golang/protobuf v1.4.0-rc.4.0.20200313231945-b860323f09d0 h1:aRz0NBceriICVtjhCgKkDvl+RudKu1CT6h0ZvUTrNfE= 24 | github.com/golang/protobuf v1.4.0-rc.4.0.20200313231945-b860323f09d0/go.mod h1:WU3c8KckQ9AFe+yFwt9sWVRKCVIyN9cPHBJSNnbL67w= 25 | github.com/golang/protobuf v1.4.0 h1:oOuy+ugB+P/kBdUnG5QaMXSIyJ1q38wWSojYCb3z5VQ= 26 | github.com/golang/protobuf v1.4.0/go.mod h1:jodUvKwWbYaEsadDk5Fwe5c77LiNKVO9IDvqG2KuDX0= 27 | github.com/google/go-cmp v0.2.0/go.mod h1:oXzfMopK8JAjlY9xF4vHSVASa0yLyX7SntLO5aqRK0M= 28 | github.com/google/go-cmp v0.3.0/go.mod h1:8QqcDgzrUqlUb/G2PQTWiueGozuR1884gddMywk6iLU= 29 | github.com/google/go-cmp v0.3.1/go.mod h1:8QqcDgzrUqlUb/G2PQTWiueGozuR1884gddMywk6iLU= 30 | github.com/google/go-cmp v0.4.0/go.mod h1:v8dTdLbMG2kIc/vJvl+f65V22dbkXbowE6jgT/gNBxE= 31 | github.com/pkg/errors v0.8.0 h1:WdK/asTD0HN+q6hsWO3/vpuAkAr+tw6aNJNDFFf0+qw= 32 | github.com/pkg/errors v0.8.0/go.mod h1:bwawxfHBFNV+L2hUp1rHADufV3IMtnDRdf1r5NINEl0= 33 | github.com/pkg/errors v0.8.1 h1:iURUrRGxPUNPdy5/HRSm+Yj6okJ6UtLINN0Q9M4+h3I= 34 | github.com/pkg/errors v0.8.1/go.mod h1:bwawxfHBFNV+L2hUp1rHADufV3IMtnDRdf1r5NINEl0= 35 | github.com/pmezard/go-difflib v1.0.0/go.mod h1:iKH77koFhYxTK1pcRnkKkqfTogsbg7gZNVY4sRDYZ/4= 36 | github.com/prometheus/client_model v0.0.0-20190812154241-14fe0d1b01d4/go.mod h1:xMI15A0UPsDsEKsMN9yxemIoYk6Tm2C1GtYGdfGttqA= 37 | github.com/rpi-ws281x/rpi-ws281x-go v1.0.5 h1:XZ4S5je+Sj3PKbTKGcsg92AhThZHQ0jnYG5YFqRU3YQ= 38 | github.com/rpi-ws281x/rpi-ws281x-go v1.0.5/go.mod h1:Swt7ePLxEtCqQvFZZPHsnfstkaVRVICwC8Di6SdeO30= 39 | github.com/serverwentdown/rpi-ws281x-go v1.0.4 h1:Ti+oxrYcU/lp0NjBl/y0EMcJp9gqvKJka2zFSCM2r2c= 40 | github.com/serverwentdown/rpi-ws281x-go v1.0.4/go.mod h1:NJ9ZCa/NPRHHb841qr+G9IEJe1J4aOgBMwkf9xyDnmk= 41 | github.com/stretchr/objx v0.1.0/go.mod h1:HFkY916IF+rwdDfMAkV7OtwuqBVzrE8GR6GFx+wExME= 42 | github.com/stretchr/testify v1.4.0/go.mod h1:j7eGeouHqKxXV5pUuKE4zz7dFj8WfuZ+81PSLYec5m4= 43 | golang.org/x/crypto v0.0.0-20190308221718-c2843e01d9a2/go.mod h1:djNgcEr1/C05ACkg1iLfiJU5Ep61QUkGW8qpdssI0+w= 44 | golang.org/x/exp v0.0.0-20190121172915-509febef88a4/go.mod h1:CJ0aWSM057203Lf6IL+f9T1iT9GByDxfZKAQTCR3kQA= 45 | golang.org/x/lint v0.0.0-20181026193005-c67002cb31c3/go.mod h1:UVdnD1Gm6xHRNCYTkRU2/jEulfH38KcIWyp/GAMgvoE= 46 | golang.org/x/lint v0.0.0-20190227174305-5b3e6a55c961/go.mod h1:wehouNa3lNwaWXcvxsM5YxQ5yQlVC4a0KAMCusXpPoU= 47 | golang.org/x/lint v0.0.0-20190313153728-d0100b6bd8b3/go.mod h1:6SW0HCj/g11FgYtHlgUYUwCkIfeOF89ocIRzGO/8vkc= 48 | golang.org/x/net v0.0.0-20180724234803-3673e40ba225/go.mod h1:mL1N/T3taQHkDXs73rZJwtUhF3w3ftmwwsq0BUmARs4= 49 | golang.org/x/net v0.0.0-20180826012351-8a410e7b638d h1:g9qWBGx4puODJTMVyoPrpoxPFgVGd+z1DZwjfRu4d0I= 50 | golang.org/x/net v0.0.0-20180826012351-8a410e7b638d/go.mod h1:mL1N/T3taQHkDXs73rZJwtUhF3w3ftmwwsq0BUmARs4= 51 | golang.org/x/net v0.0.0-20190213061140-3a22650c66bd/go.mod h1:mL1N/T3taQHkDXs73rZJwtUhF3w3ftmwwsq0BUmARs4= 52 | golang.org/x/net v0.0.0-20190311183353-d8887717615a h1:oWX7TPOiFAMXLq8o0ikBYfCJVlRHBcsciT5bXOrH628= 53 | golang.org/x/net v0.0.0-20190311183353-d8887717615a/go.mod h1:t9HGtf8HONx5eT2rtn7q6eTqICYqUVnKs3thJo3Qplg= 54 | golang.org/x/oauth2 v0.0.0-20180821212333-d2e6202438be/go.mod h1:N/0e6XlmueqKjAGxoOufVs8QHGRruUQn6yWY3a++T0U= 55 | golang.org/x/sync v0.0.0-20180314180146-1d60e4601c6f/go.mod h1:RxMgew5VJxzue5/jJTE5uejpjVlOe/izrB70Jof72aM= 56 | golang.org/x/sync v0.0.0-20181108010431-42b317875d0f/go.mod h1:RxMgew5VJxzue5/jJTE5uejpjVlOe/izrB70Jof72aM= 57 | golang.org/x/sync v0.0.0-20190423024810-112230192c58/go.mod h1:RxMgew5VJxzue5/jJTE5uejpjVlOe/izrB70Jof72aM= 58 | golang.org/x/sys v0.0.0-20180830151530-49385e6e1522 h1:Ve1ORMCxvRmSXBwJK+t3Oy+V2vRW2OetUQBq4rJIkZE= 59 | golang.org/x/sys v0.0.0-20180830151530-49385e6e1522/go.mod h1:STP8DvDyc/dI5b8T5hshtkjS+E42TnysNCUPdjciGhY= 60 | golang.org/x/sys v0.0.0-20190215142949-d0b11bdaac8a h1:1BGLXjeY4akVXGgbC9HugT3Jv3hCI0z56oJR5vAMgBU= 61 | golang.org/x/sys v0.0.0-20190215142949-d0b11bdaac8a/go.mod h1:STP8DvDyc/dI5b8T5hshtkjS+E42TnysNCUPdjciGhY= 62 | golang.org/x/text v0.3.0 h1:g61tztE5qeGQ89tm6NTjjM9VPIm088od1l6aSorWRWg= 63 | golang.org/x/text v0.3.0/go.mod h1:NqM8EUOU14njkJ3fqMW+pc6Ldnwhi/IjpwHt7yyuwOQ= 64 | golang.org/x/tools v0.0.0-20190114222345-bf090417da8b/go.mod h1:n7NCudcB/nEzxVGmLbDWY5pfWTLqBcC2KZ6jyYvM4mQ= 65 | golang.org/x/tools v0.0.0-20190226205152-f727befe758c/go.mod h1:9Yl7xja0Znq3iFh3HoIrodX9oNMXvdceNzlUR8zjMvY= 66 | golang.org/x/tools v0.0.0-20190311212946-11955173bddd/go.mod h1:LCzVGOaR6xXOjkQ3onu1FJEFr0SW1gC7cKk1uF8kGRs= 67 | golang.org/x/tools v0.0.0-20190524140312-2c0ae7006135/go.mod h1:RgjU9mgBXZiqYHBnxXauZ1Gv1EHHAz9KjViQ78xBX0Q= 68 | golang.org/x/xerrors v0.0.0-20191204190536-9bdfabe68543/go.mod h1:I/5z698sn9Ka8TeJc9MKroUUfqBBauWjQqLJ2OPfmY0= 69 | google.golang.org/appengine v1.1.0/go.mod h1:EbEs0AVv82hx2wNQdGPgUI5lhzA/G0D9YwlJXL52JkM= 70 | google.golang.org/appengine v1.4.0/go.mod h1:xpcJRLb0r/rnEns0DIKYYv+WjYCduHsrkT7/EB5XEv4= 71 | google.golang.org/genproto v0.0.0-20180817151627-c66870c02cf8 h1:Nw54tB0rB7hY/N0NQvRW8DG4Yk3Q6T9cu9RcFQDu1tc= 72 | google.golang.org/genproto v0.0.0-20180817151627-c66870c02cf8/go.mod h1:JiN7NxoALGmiZfu7CAH4rXhgtRTLTxftemlI0sWmxmc= 73 | google.golang.org/genproto v0.0.0-20190819201941-24fa4b261c55 h1:gSJIx1SDwno+2ElGhA4+qG2zF97qiUzTM+rQ0klBOcE= 74 | google.golang.org/genproto v0.0.0-20190819201941-24fa4b261c55/go.mod h1:DMBHOl98Agz4BDEuKkezgsaosCRResVns1a3J2ZsMNc= 75 | google.golang.org/grpc v1.19.0/go.mod h1:mqu4LbDTu4XGKhr4mRzUsmM4RtVoemTSY81AxZiDr8c= 76 | google.golang.org/grpc v1.19.1 h1:TrBcJ1yqAl1G++wO39nD/qtgpsW9/1+QGrluyMGEYgM= 77 | google.golang.org/grpc v1.19.1/go.mod h1:mqu4LbDTu4XGKhr4mRzUsmM4RtVoemTSY81AxZiDr8c= 78 | google.golang.org/grpc v1.23.0/go.mod h1:Y5yQAOtifL1yxbo5wqy6BxZv8vAUGQwXBOALyacEbxg= 79 | google.golang.org/grpc v1.25.1/go.mod h1:c3i+UQWmh7LiEpx4sFZnkU36qjEYZ0imhYfXVyQciAY= 80 | google.golang.org/grpc v1.29.0 h1:2pJjwYOdkZ9HlN4sWRYBg9ttH5bCOlsueaM+b/oYjwo= 81 | google.golang.org/grpc v1.29.0/go.mod h1:itym6AZVZYACWQqET3MqgPpjcuV5QH3BxFS3IjizoKk= 82 | google.golang.org/protobuf v0.0.0-20200109180630-ec00e32a8dfd/go.mod h1:DFci5gLYBciE7Vtevhsrf46CRTquxDuWsQurQQe4oz8= 83 | google.golang.org/protobuf v0.0.0-20200221191635-4d8936d0db64/go.mod h1:kwYJMbMJ01Woi6D6+Kah6886xMZcty6N08ah7+eCXa0= 84 | google.golang.org/protobuf v0.0.0-20200228230310-ab0ca4ff8a60/go.mod h1:cfTl7dwQJ+fmap5saPgwCLgHXTUD7jkjRqWcaiX5VyM= 85 | google.golang.org/protobuf v1.20.1-0.20200309200217-e05f789c0967/go.mod h1:A+miEFZTKqfCUM6K7xSMQL9OKL/b6hQv+e19PK+JZNE= 86 | google.golang.org/protobuf v1.21.0 h1:qdOKuR/EIArgaWNjetjgTzgVTAZ+S/WXVrq9HW9zimw= 87 | google.golang.org/protobuf v1.21.0/go.mod h1:47Nbq4nVaFHyn7ilMalzfO3qCViNmqZ2kzikPIcrTAo= 88 | gopkg.in/check.v1 v0.0.0-20161208181325-20d25e280405/go.mod h1:Co6ibVJAznAaIkqp8huTwlJQCZ016jof/cbN4VW5Yz0= 89 | gopkg.in/yaml.v2 v2.2.2/go.mod h1:hI93XBmqTisBFMUTm0b8Fm+jr3Dg1NNxqwp+5A1VGuI= 90 | honnef.co/go/tools v0.0.0-20190102054323-c2f93a96b099/go.mod h1:rf3lG4BRIbNafJWhAfAdb/ePZxsR/4RtNHQocxwk9r4= 91 | honnef.co/go/tools v0.0.0-20190523083050-ea95bdfd59fc/go.mod h1:rf3lG4BRIbNafJWhAfAdb/ePZxsR/4RtNHQocxwk9r4= 92 | -------------------------------------------------------------------------------- /LICENSE: -------------------------------------------------------------------------------- 1 | Mozilla Public License Version 2.0 2 | ================================== 3 | 4 | 1. Definitions 5 | -------------- 6 | 7 | 1.1. "Contributor" 8 | means each individual or legal entity that creates, contributes to 9 | the creation of, or owns Covered Software. 10 | 11 | 1.2. "Contributor Version" 12 | means the combination of the Contributions of others (if any) used 13 | by a Contributor and that particular Contributor's Contribution. 14 | 15 | 1.3. "Contribution" 16 | means Covered Software of a particular Contributor. 17 | 18 | 1.4. "Covered Software" 19 | means Source Code Form to which the initial Contributor has attached 20 | the notice in Exhibit A, the Executable Form of such Source Code 21 | Form, and Modifications of such Source Code Form, in each case 22 | including portions thereof. 23 | 24 | 1.5. "Incompatible With Secondary Licenses" 25 | means 26 | 27 | (a) that the initial Contributor has attached the notice described 28 | in Exhibit B to the Covered Software; or 29 | 30 | (b) that the Covered Software was made available under the terms of 31 | version 1.1 or earlier of the License, but not also under the 32 | terms of a Secondary License. 33 | 34 | 1.6. "Executable Form" 35 | means any form of the work other than Source Code Form. 36 | 37 | 1.7. "Larger Work" 38 | means a work that combines Covered Software with other material, in 39 | a separate file or files, that is not Covered Software. 40 | 41 | 1.8. "License" 42 | means this document. 43 | 44 | 1.9. "Licensable" 45 | means having the right to grant, to the maximum extent possible, 46 | whether at the time of the initial grant or subsequently, any and 47 | all of the rights conveyed by this License. 48 | 49 | 1.10. "Modifications" 50 | means any of the following: 51 | 52 | (a) any file in Source Code Form that results from an addition to, 53 | deletion from, or modification of the contents of Covered 54 | Software; or 55 | 56 | (b) any new file in Source Code Form that contains any Covered 57 | Software. 58 | 59 | 1.11. "Patent Claims" of a Contributor 60 | means any patent claim(s), including without limitation, method, 61 | process, and apparatus claims, in any patent Licensable by such 62 | Contributor that would be infringed, but for the grant of the 63 | License, by the making, using, selling, offering for sale, having 64 | made, import, or transfer of either its Contributions or its 65 | Contributor Version. 66 | 67 | 1.12. "Secondary License" 68 | means either the GNU General Public License, Version 2.0, the GNU 69 | Lesser General Public License, Version 2.1, the GNU Affero General 70 | Public License, Version 3.0, or any later versions of those 71 | licenses. 72 | 73 | 1.13. "Source Code Form" 74 | means the form of the work preferred for making modifications. 75 | 76 | 1.14. "You" (or "Your") 77 | means an individual or a legal entity exercising rights under this 78 | License. For legal entities, "You" includes any entity that 79 | controls, is controlled by, or is under common control with You. For 80 | purposes of this definition, "control" means (a) the power, direct 81 | or indirect, to cause the direction or management of such entity, 82 | whether by contract or otherwise, or (b) ownership of more than 83 | fifty percent (50%) of the outstanding shares or beneficial 84 | ownership of such entity. 85 | 86 | 2. License Grants and Conditions 87 | -------------------------------- 88 | 89 | 2.1. Grants 90 | 91 | Each Contributor hereby grants You a world-wide, royalty-free, 92 | non-exclusive license: 93 | 94 | (a) under intellectual property rights (other than patent or trademark) 95 | Licensable by such Contributor to use, reproduce, make available, 96 | modify, display, perform, distribute, and otherwise exploit its 97 | Contributions, either on an unmodified basis, with Modifications, or 98 | as part of a Larger Work; and 99 | 100 | (b) under Patent Claims of such Contributor to make, use, sell, offer 101 | for sale, have made, import, and otherwise transfer either its 102 | Contributions or its Contributor Version. 103 | 104 | 2.2. Effective Date 105 | 106 | The licenses granted in Section 2.1 with respect to any Contribution 107 | become effective for each Contribution on the date the Contributor first 108 | distributes such Contribution. 109 | 110 | 2.3. Limitations on Grant Scope 111 | 112 | The licenses granted in this Section 2 are the only rights granted under 113 | this License. No additional rights or licenses will be implied from the 114 | distribution or licensing of Covered Software under this License. 115 | Notwithstanding Section 2.1(b) above, no patent license is granted by a 116 | Contributor: 117 | 118 | (a) for any code that a Contributor has removed from Covered Software; 119 | or 120 | 121 | (b) for infringements caused by: (i) Your and any other third party's 122 | modifications of Covered Software, or (ii) the combination of its 123 | Contributions with other software (except as part of its Contributor 124 | Version); or 125 | 126 | (c) under Patent Claims infringed by Covered Software in the absence of 127 | its Contributions. 128 | 129 | This License does not grant any rights in the trademarks, service marks, 130 | or logos of any Contributor (except as may be necessary to comply with 131 | the notice requirements in Section 3.4). 132 | 133 | 2.4. Subsequent Licenses 134 | 135 | No Contributor makes additional grants as a result of Your choice to 136 | distribute the Covered Software under a subsequent version of this 137 | License (see Section 10.2) or under the terms of a Secondary License (if 138 | permitted under the terms of Section 3.3). 139 | 140 | 2.5. Representation 141 | 142 | Each Contributor represents that the Contributor believes its 143 | Contributions are its original creation(s) or it has sufficient rights 144 | to grant the rights to its Contributions conveyed by this License. 145 | 146 | 2.6. Fair Use 147 | 148 | This License is not intended to limit any rights You have under 149 | applicable copyright doctrines of fair use, fair dealing, or other 150 | equivalents. 151 | 152 | 2.7. Conditions 153 | 154 | Sections 3.1, 3.2, 3.3, and 3.4 are conditions of the licenses granted 155 | in Section 2.1. 156 | 157 | 3. Responsibilities 158 | ------------------- 159 | 160 | 3.1. Distribution of Source Form 161 | 162 | All distribution of Covered Software in Source Code Form, including any 163 | Modifications that You create or to which You contribute, must be under 164 | the terms of this License. You must inform recipients that the Source 165 | Code Form of the Covered Software is governed by the terms of this 166 | License, and how they can obtain a copy of this License. You may not 167 | attempt to alter or restrict the recipients' rights in the Source Code 168 | Form. 169 | 170 | 3.2. Distribution of Executable Form 171 | 172 | If You distribute Covered Software in Executable Form then: 173 | 174 | (a) such Covered Software must also be made available in Source Code 175 | Form, as described in Section 3.1, and You must inform recipients of 176 | the Executable Form how they can obtain a copy of such Source Code 177 | Form by reasonable means in a timely manner, at a charge no more 178 | than the cost of distribution to the recipient; and 179 | 180 | (b) You may distribute such Executable Form under the terms of this 181 | License, or sublicense it under different terms, provided that the 182 | license for the Executable Form does not attempt to limit or alter 183 | the recipients' rights in the Source Code Form under this License. 184 | 185 | 3.3. Distribution of a Larger Work 186 | 187 | You may create and distribute a Larger Work under terms of Your choice, 188 | provided that You also comply with the requirements of this License for 189 | the Covered Software. If the Larger Work is a combination of Covered 190 | Software with a work governed by one or more Secondary Licenses, and the 191 | Covered Software is not Incompatible With Secondary Licenses, this 192 | License permits You to additionally distribute such Covered Software 193 | under the terms of such Secondary License(s), so that the recipient of 194 | the Larger Work may, at their option, further distribute the Covered 195 | Software under the terms of either this License or such Secondary 196 | License(s). 197 | 198 | 3.4. Notices 199 | 200 | You may not remove or alter the substance of any license notices 201 | (including copyright notices, patent notices, disclaimers of warranty, 202 | or limitations of liability) contained within the Source Code Form of 203 | the Covered Software, except that You may alter any license notices to 204 | the extent required to remedy known factual inaccuracies. 205 | 206 | 3.5. Application of Additional Terms 207 | 208 | You may choose to offer, and to charge a fee for, warranty, support, 209 | indemnity or liability obligations to one or more recipients of Covered 210 | Software. However, You may do so only on Your own behalf, and not on 211 | behalf of any Contributor. You must make it absolutely clear that any 212 | such warranty, support, indemnity, or liability obligation is offered by 213 | You alone, and You hereby agree to indemnify every Contributor for any 214 | liability incurred by such Contributor as a result of warranty, support, 215 | indemnity or liability terms You offer. You may include additional 216 | disclaimers of warranty and limitations of liability specific to any 217 | jurisdiction. 218 | 219 | 4. Inability to Comply Due to Statute or Regulation 220 | --------------------------------------------------- 221 | 222 | If it is impossible for You to comply with any of the terms of this 223 | License with respect to some or all of the Covered Software due to 224 | statute, judicial order, or regulation then You must: (a) comply with 225 | the terms of this License to the maximum extent possible; and (b) 226 | describe the limitations and the code they affect. Such description must 227 | be placed in a text file included with all distributions of the Covered 228 | Software under this License. Except to the extent prohibited by statute 229 | or regulation, such description must be sufficiently detailed for a 230 | recipient of ordinary skill to be able to understand it. 231 | 232 | 5. Termination 233 | -------------- 234 | 235 | 5.1. The rights granted under this License will terminate automatically 236 | if You fail to comply with any of its terms. However, if You become 237 | compliant, then the rights granted under this License from a particular 238 | Contributor are reinstated (a) provisionally, unless and until such 239 | Contributor explicitly and finally terminates Your grants, and (b) on an 240 | ongoing basis, if such Contributor fails to notify You of the 241 | non-compliance by some reasonable means prior to 60 days after You have 242 | come back into compliance. Moreover, Your grants from a particular 243 | Contributor are reinstated on an ongoing basis if such Contributor 244 | notifies You of the non-compliance by some reasonable means, this is the 245 | first time You have received notice of non-compliance with this License 246 | from such Contributor, and You become compliant prior to 30 days after 247 | Your receipt of the notice. 248 | 249 | 5.2. If You initiate litigation against any entity by asserting a patent 250 | infringement claim (excluding declaratory judgment actions, 251 | counter-claims, and cross-claims) alleging that a Contributor Version 252 | directly or indirectly infringes any patent, then the rights granted to 253 | You by any and all Contributors for the Covered Software under Section 254 | 2.1 of this License shall terminate. 255 | 256 | 5.3. In the event of termination under Sections 5.1 or 5.2 above, all 257 | end user license agreements (excluding distributors and resellers) which 258 | have been validly granted by You or Your distributors under this License 259 | prior to termination shall survive termination. 260 | 261 | ************************************************************************ 262 | * * 263 | * 6. Disclaimer of Warranty * 264 | * ------------------------- * 265 | * * 266 | * Covered Software is provided under this License on an "as is" * 267 | * basis, without warranty of any kind, either expressed, implied, or * 268 | * statutory, including, without limitation, warranties that the * 269 | * Covered Software is free of defects, merchantable, fit for a * 270 | * particular purpose or non-infringing. The entire risk as to the * 271 | * quality and performance of the Covered Software is with You. * 272 | * Should any Covered Software prove defective in any respect, You * 273 | * (not any Contributor) assume the cost of any necessary servicing, * 274 | * repair, or correction. This disclaimer of warranty constitutes an * 275 | * essential part of this License. No use of any Covered Software is * 276 | * authorized under this License except under this disclaimer. * 277 | * * 278 | ************************************************************************ 279 | 280 | ************************************************************************ 281 | * * 282 | * 7. Limitation of Liability * 283 | * -------------------------- * 284 | * * 285 | * Under no circumstances and under no legal theory, whether tort * 286 | * (including negligence), contract, or otherwise, shall any * 287 | * Contributor, or anyone who distributes Covered Software as * 288 | * permitted above, be liable to You for any direct, indirect, * 289 | * special, incidental, or consequential damages of any character * 290 | * including, without limitation, damages for lost profits, loss of * 291 | * goodwill, work stoppage, computer failure or malfunction, or any * 292 | * and all other commercial damages or losses, even if such party * 293 | * shall have been informed of the possibility of such damages. This * 294 | * limitation of liability shall not apply to liability for death or * 295 | * personal injury resulting from such party's negligence to the * 296 | * extent applicable law prohibits such limitation. Some * 297 | * jurisdictions do not allow the exclusion or limitation of * 298 | * incidental or consequential damages, so this exclusion and * 299 | * limitation may not apply to You. * 300 | * * 301 | ************************************************************************ 302 | 303 | 8. Litigation 304 | ------------- 305 | 306 | Any litigation relating to this License may be brought only in the 307 | courts of a jurisdiction where the defendant maintains its principal 308 | place of business and such litigation shall be governed by laws of that 309 | jurisdiction, without reference to its conflict-of-law provisions. 310 | Nothing in this Section shall prevent a party's ability to bring 311 | cross-claims or counter-claims. 312 | 313 | 9. Miscellaneous 314 | ---------------- 315 | 316 | This License represents the complete agreement concerning the subject 317 | matter hereof. If any provision of this License is held to be 318 | unenforceable, such provision shall be reformed only to the extent 319 | necessary to make it enforceable. Any law or regulation which provides 320 | that the language of a contract shall be construed against the drafter 321 | shall not be used to construe this License against a Contributor. 322 | 323 | 10. Versions of the License 324 | --------------------------- 325 | 326 | 10.1. New Versions 327 | 328 | Mozilla Foundation is the license steward. Except as provided in Section 329 | 10.3, no one other than the license steward has the right to modify or 330 | publish new versions of this License. Each version will be given a 331 | distinguishing version number. 332 | 333 | 10.2. Effect of New Versions 334 | 335 | You may distribute the Covered Software under the terms of the version 336 | of the License under which You originally received the Covered Software, 337 | or under the terms of any subsequent version published by the license 338 | steward. 339 | 340 | 10.3. Modified Versions 341 | 342 | If you create software not governed by this License, and you want to 343 | create a new license for such software, you may create and use a 344 | modified version of this License if you rename the license and remove 345 | any references to the name of the license steward (except to note that 346 | such modified license differs from this License). 347 | 348 | 10.4. Distributing Source Code Form that is Incompatible With Secondary 349 | Licenses 350 | 351 | If You choose to distribute Source Code Form that is Incompatible With 352 | Secondary Licenses under the terms of this version of the License, the 353 | notice described in Exhibit B of this License must be attached. 354 | 355 | Exhibit A - Source Code Form License Notice 356 | ------------------------------------------- 357 | 358 | This Source Code Form is subject to the terms of the Mozilla Public 359 | License, v. 2.0. If a copy of the MPL was not distributed with this 360 | file, You can obtain one at http://mozilla.org/MPL/2.0/. 361 | 362 | If it is not possible or desirable to put the notice in a particular 363 | file, then You may include the notice in a location (such as a LICENSE 364 | file in a relevant directory) where a recipient would be likely to look 365 | for such a notice. 366 | 367 | You may add additional accurate notices of copyright ownership. 368 | 369 | Exhibit B - "Incompatible With Secondary Licenses" Notice 370 | --------------------------------------------------------- 371 | 372 | This Source Code Form is "Incompatible With Secondary Licenses", as 373 | defined by the Mozilla Public License, v. 2.0. 374 | 375 | -------------------------------------------------------------------------------- /framebuffer/framebuffer.pb.go: -------------------------------------------------------------------------------- 1 | // Code generated by protoc-gen-go. DO NOT EDIT. 2 | // versions: 3 | // protoc-gen-go v1.21.0 4 | // protoc (unknown) 5 | // source: framebuffer.proto 6 | 7 | package framebuffer 8 | 9 | import ( 10 | context "context" 11 | proto "github.com/golang/protobuf/proto" 12 | grpc "google.golang.org/grpc" 13 | codes "google.golang.org/grpc/codes" 14 | status "google.golang.org/grpc/status" 15 | protoreflect "google.golang.org/protobuf/reflect/protoreflect" 16 | protoimpl "google.golang.org/protobuf/runtime/protoimpl" 17 | reflect "reflect" 18 | sync "sync" 19 | ) 20 | 21 | const ( 22 | // Verify that this generated code is sufficiently up-to-date. 23 | _ = protoimpl.EnforceVersion(20 - protoimpl.MinVersion) 24 | // Verify that runtime/protoimpl is sufficiently up-to-date. 25 | _ = protoimpl.EnforceVersion(protoimpl.MaxVersion - 20) 26 | ) 27 | 28 | // This is a compile-time assertion that a sufficiently up-to-date version 29 | // of the legacy proto package is being used. 30 | const _ = proto.ProtoPackageIsVersion4 31 | 32 | // 33 | //Layer defines some default layers for compositing animations onto for 34 | //various purposes. 35 | type Layer int32 36 | 37 | const ( 38 | Layer_NONE Layer = 0 39 | // Well-known layers 40 | Layer_LIGHT Layer = 1 41 | Layer_COLOR Layer = 2 42 | Layer_NOTIFICATIONS Layer = 8 43 | Layer_PRIORITY Layer = 9 44 | ) 45 | 46 | // Enum value maps for Layer. 47 | var ( 48 | Layer_name = map[int32]string{ 49 | 0: "NONE", 50 | 1: "LIGHT", 51 | 2: "COLOR", 52 | 8: "NOTIFICATIONS", 53 | 9: "PRIORITY", 54 | } 55 | Layer_value = map[string]int32{ 56 | "NONE": 0, 57 | "LIGHT": 1, 58 | "COLOR": 2, 59 | "NOTIFICATIONS": 8, 60 | "PRIORITY": 9, 61 | } 62 | ) 63 | 64 | func (x Layer) Enum() *Layer { 65 | p := new(Layer) 66 | *p = x 67 | return p 68 | } 69 | 70 | func (x Layer) String() string { 71 | return protoimpl.X.EnumStringOf(x.Descriptor(), protoreflect.EnumNumber(x)) 72 | } 73 | 74 | func (Layer) Descriptor() protoreflect.EnumDescriptor { 75 | return file_framebuffer_proto_enumTypes[0].Descriptor() 76 | } 77 | 78 | func (Layer) Type() protoreflect.EnumType { 79 | return &file_framebuffer_proto_enumTypes[0] 80 | } 81 | 82 | func (x Layer) Number() protoreflect.EnumNumber { 83 | return protoreflect.EnumNumber(x) 84 | } 85 | 86 | // Deprecated: Use Layer.Descriptor instead. 87 | func (Layer) EnumDescriptor() ([]byte, []int) { 88 | return file_framebuffer_proto_rawDescGZIP(), []int{0} 89 | } 90 | 91 | // 92 | //FrameData represents an ARGB array of dots. 93 | type FrameData struct { 94 | state protoimpl.MessageState 95 | sizeCache protoimpl.SizeCache 96 | unknownFields protoimpl.UnknownFields 97 | 98 | // ARGB 99 | Dots []uint32 `protobuf:"fixed32,1,rep,packed,name=dots,proto3" json:"dots,omitempty"` 100 | } 101 | 102 | func (x *FrameData) Reset() { 103 | *x = FrameData{} 104 | if protoimpl.UnsafeEnabled { 105 | mi := &file_framebuffer_proto_msgTypes[0] 106 | ms := protoimpl.X.MessageStateOf(protoimpl.Pointer(x)) 107 | ms.StoreMessageInfo(mi) 108 | } 109 | } 110 | 111 | func (x *FrameData) String() string { 112 | return protoimpl.X.MessageStringOf(x) 113 | } 114 | 115 | func (*FrameData) ProtoMessage() {} 116 | 117 | func (x *FrameData) ProtoReflect() protoreflect.Message { 118 | mi := &file_framebuffer_proto_msgTypes[0] 119 | if protoimpl.UnsafeEnabled && x != nil { 120 | ms := protoimpl.X.MessageStateOf(protoimpl.Pointer(x)) 121 | if ms.LoadMessageInfo() == nil { 122 | ms.StoreMessageInfo(mi) 123 | } 124 | return ms 125 | } 126 | return mi.MessageOf(x) 127 | } 128 | 129 | // Deprecated: Use FrameData.ProtoReflect.Descriptor instead. 130 | func (*FrameData) Descriptor() ([]byte, []int) { 131 | return file_framebuffer_proto_rawDescGZIP(), []int{0} 132 | } 133 | 134 | func (x *FrameData) GetDots() []uint32 { 135 | if x != nil { 136 | return x.Dots 137 | } 138 | return nil 139 | } 140 | 141 | // 142 | //FrameBuffer represents an entire frame together with a layer tag. It also 143 | //defines a timestamp that can be used within a FrameSequence to define the 144 | //duration a frame will be shown. 145 | type FrameBuffer struct { 146 | state protoimpl.MessageState 147 | sizeCache protoimpl.SizeCache 148 | unknownFields protoimpl.UnknownFields 149 | 150 | Frame *FrameData `protobuf:"bytes,1,opt,name=frame,proto3" json:"frame,omitempty"` 151 | // Time offset from start of frame in milliseconds 152 | Timestamp uint32 `protobuf:"fixed32,2,opt,name=timestamp,proto3" json:"timestamp,omitempty"` 153 | // Layer to apply the frame to 154 | Layer Layer `protobuf:"varint,3,opt,name=layer,proto3,enum=Layer" json:"layer,omitempty"` 155 | } 156 | 157 | func (x *FrameBuffer) Reset() { 158 | *x = FrameBuffer{} 159 | if protoimpl.UnsafeEnabled { 160 | mi := &file_framebuffer_proto_msgTypes[1] 161 | ms := protoimpl.X.MessageStateOf(protoimpl.Pointer(x)) 162 | ms.StoreMessageInfo(mi) 163 | } 164 | } 165 | 166 | func (x *FrameBuffer) String() string { 167 | return protoimpl.X.MessageStringOf(x) 168 | } 169 | 170 | func (*FrameBuffer) ProtoMessage() {} 171 | 172 | func (x *FrameBuffer) ProtoReflect() protoreflect.Message { 173 | mi := &file_framebuffer_proto_msgTypes[1] 174 | if protoimpl.UnsafeEnabled && x != nil { 175 | ms := protoimpl.X.MessageStateOf(protoimpl.Pointer(x)) 176 | if ms.LoadMessageInfo() == nil { 177 | ms.StoreMessageInfo(mi) 178 | } 179 | return ms 180 | } 181 | return mi.MessageOf(x) 182 | } 183 | 184 | // Deprecated: Use FrameBuffer.ProtoReflect.Descriptor instead. 185 | func (*FrameBuffer) Descriptor() ([]byte, []int) { 186 | return file_framebuffer_proto_rawDescGZIP(), []int{1} 187 | } 188 | 189 | func (x *FrameBuffer) GetFrame() *FrameData { 190 | if x != nil { 191 | return x.Frame 192 | } 193 | return nil 194 | } 195 | 196 | func (x *FrameBuffer) GetTimestamp() uint32 { 197 | if x != nil { 198 | return x.Timestamp 199 | } 200 | return 0 201 | } 202 | 203 | func (x *FrameBuffer) GetLayer() Layer { 204 | if x != nil { 205 | return x.Layer 206 | } 207 | return Layer_NONE 208 | } 209 | 210 | // 211 | //FrameSequence buffers a series of frames to be drawn one by one at intervals 212 | //defined by the timestamp included in the FrameBuffers. Useful for running 213 | //smooth animations. 214 | // 215 | //In the future, this should have more metadata like looping counts and async 216 | //animations. 217 | type FrameSequence struct { 218 | state protoimpl.MessageState 219 | sizeCache protoimpl.SizeCache 220 | unknownFields protoimpl.UnknownFields 221 | 222 | Frames []*FrameBuffer `protobuf:"bytes,1,rep,name=frames,proto3" json:"frames,omitempty"` 223 | // Number of times to loop the sequence 224 | Loop int32 `protobuf:"varint,2,opt,name=loop,proto3" json:"loop,omitempty"` 225 | } 226 | 227 | func (x *FrameSequence) Reset() { 228 | *x = FrameSequence{} 229 | if protoimpl.UnsafeEnabled { 230 | mi := &file_framebuffer_proto_msgTypes[2] 231 | ms := protoimpl.X.MessageStateOf(protoimpl.Pointer(x)) 232 | ms.StoreMessageInfo(mi) 233 | } 234 | } 235 | 236 | func (x *FrameSequence) String() string { 237 | return protoimpl.X.MessageStringOf(x) 238 | } 239 | 240 | func (*FrameSequence) ProtoMessage() {} 241 | 242 | func (x *FrameSequence) ProtoReflect() protoreflect.Message { 243 | mi := &file_framebuffer_proto_msgTypes[2] 244 | if protoimpl.UnsafeEnabled && x != nil { 245 | ms := protoimpl.X.MessageStateOf(protoimpl.Pointer(x)) 246 | if ms.LoadMessageInfo() == nil { 247 | ms.StoreMessageInfo(mi) 248 | } 249 | return ms 250 | } 251 | return mi.MessageOf(x) 252 | } 253 | 254 | // Deprecated: Use FrameSequence.ProtoReflect.Descriptor instead. 255 | func (*FrameSequence) Descriptor() ([]byte, []int) { 256 | return file_framebuffer_proto_rawDescGZIP(), []int{2} 257 | } 258 | 259 | func (x *FrameSequence) GetFrames() []*FrameBuffer { 260 | if x != nil { 261 | return x.Frames 262 | } 263 | return nil 264 | } 265 | 266 | func (x *FrameSequence) GetLoop() int32 { 267 | if x != nil { 268 | return x.Loop 269 | } 270 | return 0 271 | } 272 | 273 | type DrawResponse struct { 274 | state protoimpl.MessageState 275 | sizeCache protoimpl.SizeCache 276 | unknownFields protoimpl.UnknownFields 277 | } 278 | 279 | func (x *DrawResponse) Reset() { 280 | *x = DrawResponse{} 281 | if protoimpl.UnsafeEnabled { 282 | mi := &file_framebuffer_proto_msgTypes[3] 283 | ms := protoimpl.X.MessageStateOf(protoimpl.Pointer(x)) 284 | ms.StoreMessageInfo(mi) 285 | } 286 | } 287 | 288 | func (x *DrawResponse) String() string { 289 | return protoimpl.X.MessageStringOf(x) 290 | } 291 | 292 | func (*DrawResponse) ProtoMessage() {} 293 | 294 | func (x *DrawResponse) ProtoReflect() protoreflect.Message { 295 | mi := &file_framebuffer_proto_msgTypes[3] 296 | if protoimpl.UnsafeEnabled && x != nil { 297 | ms := protoimpl.X.MessageStateOf(protoimpl.Pointer(x)) 298 | if ms.LoadMessageInfo() == nil { 299 | ms.StoreMessageInfo(mi) 300 | } 301 | return ms 302 | } 303 | return mi.MessageOf(x) 304 | } 305 | 306 | // Deprecated: Use DrawResponse.ProtoReflect.Descriptor instead. 307 | func (*DrawResponse) Descriptor() ([]byte, []int) { 308 | return file_framebuffer_proto_rawDescGZIP(), []int{3} 309 | } 310 | 311 | type LengthRequest struct { 312 | state protoimpl.MessageState 313 | sizeCache protoimpl.SizeCache 314 | unknownFields protoimpl.UnknownFields 315 | } 316 | 317 | func (x *LengthRequest) Reset() { 318 | *x = LengthRequest{} 319 | if protoimpl.UnsafeEnabled { 320 | mi := &file_framebuffer_proto_msgTypes[4] 321 | ms := protoimpl.X.MessageStateOf(protoimpl.Pointer(x)) 322 | ms.StoreMessageInfo(mi) 323 | } 324 | } 325 | 326 | func (x *LengthRequest) String() string { 327 | return protoimpl.X.MessageStringOf(x) 328 | } 329 | 330 | func (*LengthRequest) ProtoMessage() {} 331 | 332 | func (x *LengthRequest) ProtoReflect() protoreflect.Message { 333 | mi := &file_framebuffer_proto_msgTypes[4] 334 | if protoimpl.UnsafeEnabled && x != nil { 335 | ms := protoimpl.X.MessageStateOf(protoimpl.Pointer(x)) 336 | if ms.LoadMessageInfo() == nil { 337 | ms.StoreMessageInfo(mi) 338 | } 339 | return ms 340 | } 341 | return mi.MessageOf(x) 342 | } 343 | 344 | // Deprecated: Use LengthRequest.ProtoReflect.Descriptor instead. 345 | func (*LengthRequest) Descriptor() ([]byte, []int) { 346 | return file_framebuffer_proto_rawDescGZIP(), []int{4} 347 | } 348 | 349 | type LengthResponse struct { 350 | state protoimpl.MessageState 351 | sizeCache protoimpl.SizeCache 352 | unknownFields protoimpl.UnknownFields 353 | 354 | Length uint32 `protobuf:"fixed32,1,opt,name=length,proto3" json:"length,omitempty"` 355 | } 356 | 357 | func (x *LengthResponse) Reset() { 358 | *x = LengthResponse{} 359 | if protoimpl.UnsafeEnabled { 360 | mi := &file_framebuffer_proto_msgTypes[5] 361 | ms := protoimpl.X.MessageStateOf(protoimpl.Pointer(x)) 362 | ms.StoreMessageInfo(mi) 363 | } 364 | } 365 | 366 | func (x *LengthResponse) String() string { 367 | return protoimpl.X.MessageStringOf(x) 368 | } 369 | 370 | func (*LengthResponse) ProtoMessage() {} 371 | 372 | func (x *LengthResponse) ProtoReflect() protoreflect.Message { 373 | mi := &file_framebuffer_proto_msgTypes[5] 374 | if protoimpl.UnsafeEnabled && x != nil { 375 | ms := protoimpl.X.MessageStateOf(protoimpl.Pointer(x)) 376 | if ms.LoadMessageInfo() == nil { 377 | ms.StoreMessageInfo(mi) 378 | } 379 | return ms 380 | } 381 | return mi.MessageOf(x) 382 | } 383 | 384 | // Deprecated: Use LengthResponse.ProtoReflect.Descriptor instead. 385 | func (*LengthResponse) Descriptor() ([]byte, []int) { 386 | return file_framebuffer_proto_rawDescGZIP(), []int{5} 387 | } 388 | 389 | func (x *LengthResponse) GetLength() uint32 { 390 | if x != nil { 391 | return x.Length 392 | } 393 | return 0 394 | } 395 | 396 | var File_framebuffer_proto protoreflect.FileDescriptor 397 | 398 | var file_framebuffer_proto_rawDesc = []byte{ 399 | 0x0a, 0x11, 0x66, 0x72, 0x61, 0x6d, 0x65, 0x62, 0x75, 0x66, 0x66, 0x65, 0x72, 0x2e, 0x70, 0x72, 400 | 0x6f, 0x74, 0x6f, 0x22, 0x1f, 0x0a, 0x09, 0x46, 0x72, 0x61, 0x6d, 0x65, 0x44, 0x61, 0x74, 0x61, 401 | 0x12, 0x12, 0x0a, 0x04, 0x64, 0x6f, 0x74, 0x73, 0x18, 0x01, 0x20, 0x03, 0x28, 0x07, 0x52, 0x04, 402 | 0x64, 0x6f, 0x74, 0x73, 0x22, 0x6b, 0x0a, 0x0b, 0x46, 0x72, 0x61, 0x6d, 0x65, 0x42, 0x75, 0x66, 403 | 0x66, 0x65, 0x72, 0x12, 0x20, 0x0a, 0x05, 0x66, 0x72, 0x61, 0x6d, 0x65, 0x18, 0x01, 0x20, 0x01, 404 | 0x28, 0x0b, 0x32, 0x0a, 0x2e, 0x46, 0x72, 0x61, 0x6d, 0x65, 0x44, 0x61, 0x74, 0x61, 0x52, 0x05, 405 | 0x66, 0x72, 0x61, 0x6d, 0x65, 0x12, 0x1c, 0x0a, 0x09, 0x74, 0x69, 0x6d, 0x65, 0x73, 0x74, 0x61, 406 | 0x6d, 0x70, 0x18, 0x02, 0x20, 0x01, 0x28, 0x07, 0x52, 0x09, 0x74, 0x69, 0x6d, 0x65, 0x73, 0x74, 407 | 0x61, 0x6d, 0x70, 0x12, 0x1c, 0x0a, 0x05, 0x6c, 0x61, 0x79, 0x65, 0x72, 0x18, 0x03, 0x20, 0x01, 408 | 0x28, 0x0e, 0x32, 0x06, 0x2e, 0x4c, 0x61, 0x79, 0x65, 0x72, 0x52, 0x05, 0x6c, 0x61, 0x79, 0x65, 409 | 0x72, 0x22, 0x49, 0x0a, 0x0d, 0x46, 0x72, 0x61, 0x6d, 0x65, 0x53, 0x65, 0x71, 0x75, 0x65, 0x6e, 410 | 0x63, 0x65, 0x12, 0x24, 0x0a, 0x06, 0x66, 0x72, 0x61, 0x6d, 0x65, 0x73, 0x18, 0x01, 0x20, 0x03, 411 | 0x28, 0x0b, 0x32, 0x0c, 0x2e, 0x46, 0x72, 0x61, 0x6d, 0x65, 0x42, 0x75, 0x66, 0x66, 0x65, 0x72, 412 | 0x52, 0x06, 0x66, 0x72, 0x61, 0x6d, 0x65, 0x73, 0x12, 0x12, 0x0a, 0x04, 0x6c, 0x6f, 0x6f, 0x70, 413 | 0x18, 0x02, 0x20, 0x01, 0x28, 0x05, 0x52, 0x04, 0x6c, 0x6f, 0x6f, 0x70, 0x22, 0x0e, 0x0a, 0x0c, 414 | 0x44, 0x72, 0x61, 0x77, 0x52, 0x65, 0x73, 0x70, 0x6f, 0x6e, 0x73, 0x65, 0x22, 0x0f, 0x0a, 0x0d, 415 | 0x4c, 0x65, 0x6e, 0x67, 0x74, 0x68, 0x52, 0x65, 0x71, 0x75, 0x65, 0x73, 0x74, 0x22, 0x28, 0x0a, 416 | 0x0e, 0x4c, 0x65, 0x6e, 0x67, 0x74, 0x68, 0x52, 0x65, 0x73, 0x70, 0x6f, 0x6e, 0x73, 0x65, 0x12, 417 | 0x16, 0x0a, 0x06, 0x6c, 0x65, 0x6e, 0x67, 0x74, 0x68, 0x18, 0x01, 0x20, 0x01, 0x28, 0x07, 0x52, 418 | 0x06, 0x6c, 0x65, 0x6e, 0x67, 0x74, 0x68, 0x2a, 0x48, 0x0a, 0x05, 0x4c, 0x61, 0x79, 0x65, 0x72, 419 | 0x12, 0x08, 0x0a, 0x04, 0x4e, 0x4f, 0x4e, 0x45, 0x10, 0x00, 0x12, 0x09, 0x0a, 0x05, 0x4c, 0x49, 420 | 0x47, 0x48, 0x54, 0x10, 0x01, 0x12, 0x09, 0x0a, 0x05, 0x43, 0x4f, 0x4c, 0x4f, 0x52, 0x10, 0x02, 421 | 0x12, 0x11, 0x0a, 0x0d, 0x4e, 0x4f, 0x54, 0x49, 0x46, 0x49, 0x43, 0x41, 0x54, 0x49, 0x4f, 0x4e, 422 | 0x53, 0x10, 0x08, 0x12, 0x0c, 0x0a, 0x08, 0x50, 0x52, 0x49, 0x4f, 0x52, 0x49, 0x54, 0x59, 0x10, 423 | 0x09, 0x32, 0x93, 0x01, 0x0a, 0x06, 0x44, 0x72, 0x61, 0x77, 0x65, 0x72, 0x12, 0x2a, 0x0a, 0x09, 424 | 0x44, 0x72, 0x61, 0x77, 0x46, 0x72, 0x61, 0x6d, 0x65, 0x12, 0x0c, 0x2e, 0x46, 0x72, 0x61, 0x6d, 425 | 0x65, 0x42, 0x75, 0x66, 0x66, 0x65, 0x72, 0x1a, 0x0d, 0x2e, 0x44, 0x72, 0x61, 0x77, 0x52, 0x65, 426 | 0x73, 0x70, 0x6f, 0x6e, 0x73, 0x65, 0x22, 0x00, 0x12, 0x2d, 0x0a, 0x0a, 0x44, 0x72, 0x61, 0x77, 427 | 0x46, 0x72, 0x61, 0x6d, 0x65, 0x73, 0x12, 0x0e, 0x2e, 0x46, 0x72, 0x61, 0x6d, 0x65, 0x53, 0x65, 428 | 0x71, 0x75, 0x65, 0x6e, 0x63, 0x65, 0x1a, 0x0d, 0x2e, 0x44, 0x72, 0x61, 0x77, 0x52, 0x65, 0x73, 429 | 0x70, 0x6f, 0x6e, 0x73, 0x65, 0x22, 0x00, 0x12, 0x2e, 0x0a, 0x09, 0x47, 0x65, 0x74, 0x4c, 0x65, 430 | 0x6e, 0x67, 0x74, 0x68, 0x12, 0x0e, 0x2e, 0x4c, 0x65, 0x6e, 0x67, 0x74, 0x68, 0x52, 0x65, 0x71, 431 | 0x75, 0x65, 0x73, 0x74, 0x1a, 0x0f, 0x2e, 0x4c, 0x65, 0x6e, 0x67, 0x74, 0x68, 0x52, 0x65, 0x73, 432 | 0x70, 0x6f, 0x6e, 0x73, 0x65, 0x22, 0x00, 0x62, 0x06, 0x70, 0x72, 0x6f, 0x74, 0x6f, 0x33, 433 | } 434 | 435 | var ( 436 | file_framebuffer_proto_rawDescOnce sync.Once 437 | file_framebuffer_proto_rawDescData = file_framebuffer_proto_rawDesc 438 | ) 439 | 440 | func file_framebuffer_proto_rawDescGZIP() []byte { 441 | file_framebuffer_proto_rawDescOnce.Do(func() { 442 | file_framebuffer_proto_rawDescData = protoimpl.X.CompressGZIP(file_framebuffer_proto_rawDescData) 443 | }) 444 | return file_framebuffer_proto_rawDescData 445 | } 446 | 447 | var file_framebuffer_proto_enumTypes = make([]protoimpl.EnumInfo, 1) 448 | var file_framebuffer_proto_msgTypes = make([]protoimpl.MessageInfo, 6) 449 | var file_framebuffer_proto_goTypes = []interface{}{ 450 | (Layer)(0), // 0: Layer 451 | (*FrameData)(nil), // 1: FrameData 452 | (*FrameBuffer)(nil), // 2: FrameBuffer 453 | (*FrameSequence)(nil), // 3: FrameSequence 454 | (*DrawResponse)(nil), // 4: DrawResponse 455 | (*LengthRequest)(nil), // 5: LengthRequest 456 | (*LengthResponse)(nil), // 6: LengthResponse 457 | } 458 | var file_framebuffer_proto_depIdxs = []int32{ 459 | 1, // 0: FrameBuffer.frame:type_name -> FrameData 460 | 0, // 1: FrameBuffer.layer:type_name -> Layer 461 | 2, // 2: FrameSequence.frames:type_name -> FrameBuffer 462 | 2, // 3: Drawer.DrawFrame:input_type -> FrameBuffer 463 | 3, // 4: Drawer.DrawFrames:input_type -> FrameSequence 464 | 5, // 5: Drawer.GetLength:input_type -> LengthRequest 465 | 4, // 6: Drawer.DrawFrame:output_type -> DrawResponse 466 | 4, // 7: Drawer.DrawFrames:output_type -> DrawResponse 467 | 6, // 8: Drawer.GetLength:output_type -> LengthResponse 468 | 6, // [6:9] is the sub-list for method output_type 469 | 3, // [3:6] is the sub-list for method input_type 470 | 3, // [3:3] is the sub-list for extension type_name 471 | 3, // [3:3] is the sub-list for extension extendee 472 | 0, // [0:3] is the sub-list for field type_name 473 | } 474 | 475 | func init() { file_framebuffer_proto_init() } 476 | func file_framebuffer_proto_init() { 477 | if File_framebuffer_proto != nil { 478 | return 479 | } 480 | if !protoimpl.UnsafeEnabled { 481 | file_framebuffer_proto_msgTypes[0].Exporter = func(v interface{}, i int) interface{} { 482 | switch v := v.(*FrameData); i { 483 | case 0: 484 | return &v.state 485 | case 1: 486 | return &v.sizeCache 487 | case 2: 488 | return &v.unknownFields 489 | default: 490 | return nil 491 | } 492 | } 493 | file_framebuffer_proto_msgTypes[1].Exporter = func(v interface{}, i int) interface{} { 494 | switch v := v.(*FrameBuffer); i { 495 | case 0: 496 | return &v.state 497 | case 1: 498 | return &v.sizeCache 499 | case 2: 500 | return &v.unknownFields 501 | default: 502 | return nil 503 | } 504 | } 505 | file_framebuffer_proto_msgTypes[2].Exporter = func(v interface{}, i int) interface{} { 506 | switch v := v.(*FrameSequence); i { 507 | case 0: 508 | return &v.state 509 | case 1: 510 | return &v.sizeCache 511 | case 2: 512 | return &v.unknownFields 513 | default: 514 | return nil 515 | } 516 | } 517 | file_framebuffer_proto_msgTypes[3].Exporter = func(v interface{}, i int) interface{} { 518 | switch v := v.(*DrawResponse); i { 519 | case 0: 520 | return &v.state 521 | case 1: 522 | return &v.sizeCache 523 | case 2: 524 | return &v.unknownFields 525 | default: 526 | return nil 527 | } 528 | } 529 | file_framebuffer_proto_msgTypes[4].Exporter = func(v interface{}, i int) interface{} { 530 | switch v := v.(*LengthRequest); i { 531 | case 0: 532 | return &v.state 533 | case 1: 534 | return &v.sizeCache 535 | case 2: 536 | return &v.unknownFields 537 | default: 538 | return nil 539 | } 540 | } 541 | file_framebuffer_proto_msgTypes[5].Exporter = func(v interface{}, i int) interface{} { 542 | switch v := v.(*LengthResponse); i { 543 | case 0: 544 | return &v.state 545 | case 1: 546 | return &v.sizeCache 547 | case 2: 548 | return &v.unknownFields 549 | default: 550 | return nil 551 | } 552 | } 553 | } 554 | type x struct{} 555 | out := protoimpl.TypeBuilder{ 556 | File: protoimpl.DescBuilder{ 557 | GoPackagePath: reflect.TypeOf(x{}).PkgPath(), 558 | RawDescriptor: file_framebuffer_proto_rawDesc, 559 | NumEnums: 1, 560 | NumMessages: 6, 561 | NumExtensions: 0, 562 | NumServices: 1, 563 | }, 564 | GoTypes: file_framebuffer_proto_goTypes, 565 | DependencyIndexes: file_framebuffer_proto_depIdxs, 566 | EnumInfos: file_framebuffer_proto_enumTypes, 567 | MessageInfos: file_framebuffer_proto_msgTypes, 568 | }.Build() 569 | File_framebuffer_proto = out.File 570 | file_framebuffer_proto_rawDesc = nil 571 | file_framebuffer_proto_goTypes = nil 572 | file_framebuffer_proto_depIdxs = nil 573 | } 574 | 575 | // Reference imports to suppress errors if they are not otherwise used. 576 | var _ context.Context 577 | var _ grpc.ClientConnInterface 578 | 579 | // This is a compile-time assertion to ensure that this generated file 580 | // is compatible with the grpc package it is being compiled against. 581 | const _ = grpc.SupportPackageIsVersion6 582 | 583 | // DrawerClient is the client API for Drawer service. 584 | // 585 | // For semantics around ctx use and closing/ending streaming RPCs, please refer to https://godoc.org/google.golang.org/grpc#ClientConn.NewStream. 586 | type DrawerClient interface { 587 | // DrawFrame draws one frame 588 | DrawFrame(ctx context.Context, in *FrameBuffer, opts ...grpc.CallOption) (*DrawResponse, error) 589 | // DrawFrames draws a series of frames 590 | DrawFrames(ctx context.Context, in *FrameSequence, opts ...grpc.CallOption) (*DrawResponse, error) 591 | // GetLength returns the length of the strip 592 | GetLength(ctx context.Context, in *LengthRequest, opts ...grpc.CallOption) (*LengthResponse, error) 593 | } 594 | 595 | type drawerClient struct { 596 | cc grpc.ClientConnInterface 597 | } 598 | 599 | func NewDrawerClient(cc grpc.ClientConnInterface) DrawerClient { 600 | return &drawerClient{cc} 601 | } 602 | 603 | func (c *drawerClient) DrawFrame(ctx context.Context, in *FrameBuffer, opts ...grpc.CallOption) (*DrawResponse, error) { 604 | out := new(DrawResponse) 605 | err := c.cc.Invoke(ctx, "/Drawer/DrawFrame", in, out, opts...) 606 | if err != nil { 607 | return nil, err 608 | } 609 | return out, nil 610 | } 611 | 612 | func (c *drawerClient) DrawFrames(ctx context.Context, in *FrameSequence, opts ...grpc.CallOption) (*DrawResponse, error) { 613 | out := new(DrawResponse) 614 | err := c.cc.Invoke(ctx, "/Drawer/DrawFrames", in, out, opts...) 615 | if err != nil { 616 | return nil, err 617 | } 618 | return out, nil 619 | } 620 | 621 | func (c *drawerClient) GetLength(ctx context.Context, in *LengthRequest, opts ...grpc.CallOption) (*LengthResponse, error) { 622 | out := new(LengthResponse) 623 | err := c.cc.Invoke(ctx, "/Drawer/GetLength", in, out, opts...) 624 | if err != nil { 625 | return nil, err 626 | } 627 | return out, nil 628 | } 629 | 630 | // DrawerServer is the server API for Drawer service. 631 | type DrawerServer interface { 632 | // DrawFrame draws one frame 633 | DrawFrame(context.Context, *FrameBuffer) (*DrawResponse, error) 634 | // DrawFrames draws a series of frames 635 | DrawFrames(context.Context, *FrameSequence) (*DrawResponse, error) 636 | // GetLength returns the length of the strip 637 | GetLength(context.Context, *LengthRequest) (*LengthResponse, error) 638 | } 639 | 640 | // UnimplementedDrawerServer can be embedded to have forward compatible implementations. 641 | type UnimplementedDrawerServer struct { 642 | } 643 | 644 | func (*UnimplementedDrawerServer) DrawFrame(context.Context, *FrameBuffer) (*DrawResponse, error) { 645 | return nil, status.Errorf(codes.Unimplemented, "method DrawFrame not implemented") 646 | } 647 | func (*UnimplementedDrawerServer) DrawFrames(context.Context, *FrameSequence) (*DrawResponse, error) { 648 | return nil, status.Errorf(codes.Unimplemented, "method DrawFrames not implemented") 649 | } 650 | func (*UnimplementedDrawerServer) GetLength(context.Context, *LengthRequest) (*LengthResponse, error) { 651 | return nil, status.Errorf(codes.Unimplemented, "method GetLength not implemented") 652 | } 653 | 654 | func RegisterDrawerServer(s *grpc.Server, srv DrawerServer) { 655 | s.RegisterService(&_Drawer_serviceDesc, srv) 656 | } 657 | 658 | func _Drawer_DrawFrame_Handler(srv interface{}, ctx context.Context, dec func(interface{}) error, interceptor grpc.UnaryServerInterceptor) (interface{}, error) { 659 | in := new(FrameBuffer) 660 | if err := dec(in); err != nil { 661 | return nil, err 662 | } 663 | if interceptor == nil { 664 | return srv.(DrawerServer).DrawFrame(ctx, in) 665 | } 666 | info := &grpc.UnaryServerInfo{ 667 | Server: srv, 668 | FullMethod: "/Drawer/DrawFrame", 669 | } 670 | handler := func(ctx context.Context, req interface{}) (interface{}, error) { 671 | return srv.(DrawerServer).DrawFrame(ctx, req.(*FrameBuffer)) 672 | } 673 | return interceptor(ctx, in, info, handler) 674 | } 675 | 676 | func _Drawer_DrawFrames_Handler(srv interface{}, ctx context.Context, dec func(interface{}) error, interceptor grpc.UnaryServerInterceptor) (interface{}, error) { 677 | in := new(FrameSequence) 678 | if err := dec(in); err != nil { 679 | return nil, err 680 | } 681 | if interceptor == nil { 682 | return srv.(DrawerServer).DrawFrames(ctx, in) 683 | } 684 | info := &grpc.UnaryServerInfo{ 685 | Server: srv, 686 | FullMethod: "/Drawer/DrawFrames", 687 | } 688 | handler := func(ctx context.Context, req interface{}) (interface{}, error) { 689 | return srv.(DrawerServer).DrawFrames(ctx, req.(*FrameSequence)) 690 | } 691 | return interceptor(ctx, in, info, handler) 692 | } 693 | 694 | func _Drawer_GetLength_Handler(srv interface{}, ctx context.Context, dec func(interface{}) error, interceptor grpc.UnaryServerInterceptor) (interface{}, error) { 695 | in := new(LengthRequest) 696 | if err := dec(in); err != nil { 697 | return nil, err 698 | } 699 | if interceptor == nil { 700 | return srv.(DrawerServer).GetLength(ctx, in) 701 | } 702 | info := &grpc.UnaryServerInfo{ 703 | Server: srv, 704 | FullMethod: "/Drawer/GetLength", 705 | } 706 | handler := func(ctx context.Context, req interface{}) (interface{}, error) { 707 | return srv.(DrawerServer).GetLength(ctx, req.(*LengthRequest)) 708 | } 709 | return interceptor(ctx, in, info, handler) 710 | } 711 | 712 | var _Drawer_serviceDesc = grpc.ServiceDesc{ 713 | ServiceName: "Drawer", 714 | HandlerType: (*DrawerServer)(nil), 715 | Methods: []grpc.MethodDesc{ 716 | { 717 | MethodName: "DrawFrame", 718 | Handler: _Drawer_DrawFrame_Handler, 719 | }, 720 | { 721 | MethodName: "DrawFrames", 722 | Handler: _Drawer_DrawFrames_Handler, 723 | }, 724 | { 725 | MethodName: "GetLength", 726 | Handler: _Drawer_GetLength_Handler, 727 | }, 728 | }, 729 | Streams: []grpc.StreamDesc{}, 730 | Metadata: "framebuffer.proto", 731 | } 732 | -------------------------------------------------------------------------------- /clients/switch/yarn.lock: -------------------------------------------------------------------------------- 1 | # THIS IS AN AUTOGENERATED FILE. DO NOT EDIT THIS FILE DIRECTLY. 2 | # yarn lockfile v1 3 | 4 | 5 | "@grpc/grpc-js@^1.0.1": 6 | version "1.0.1" 7 | resolved "https://registry.yarnpkg.com/@grpc/grpc-js/-/grpc-js-1.0.1.tgz#1c09a7a3e276cb1003ff3497f5707e5a74d6c6c5" 8 | integrity sha512-qgdvnNy8IY9LExVNne1vFZAgiVfbZAP+8j0Z8fSN23pjmxlIn5YKze8JV6QkSHIYPmqiufcIw7VNeo4Z+64WlA== 9 | dependencies: 10 | semver "^6.2.0" 11 | 12 | "@grpc/proto-loader@^0.5.4": 13 | version "0.5.4" 14 | resolved "https://registry.yarnpkg.com/@grpc/proto-loader/-/proto-loader-0.5.4.tgz#038a3820540f621eeb1b05d81fbedfb045e14de0" 15 | integrity sha512-HTM4QpI9B2XFkPz7pjwMyMgZchJ93TVkL3kWPW8GDMDKYxsMnmf4w2TNMJK7+KNiYHS5cJrCEAFlF+AwtXWVPA== 16 | dependencies: 17 | lodash.camelcase "^4.3.0" 18 | protobufjs "^6.8.6" 19 | 20 | "@protobufjs/aspromise@^1.1.1", "@protobufjs/aspromise@^1.1.2": 21 | version "1.1.2" 22 | resolved "https://registry.yarnpkg.com/@protobufjs/aspromise/-/aspromise-1.1.2.tgz#9b8b0cc663d669a7d8f6f5d0893a14d348f30fbf" 23 | integrity sha1-m4sMxmPWaafY9vXQiToU00jzD78= 24 | 25 | "@protobufjs/base64@^1.1.2": 26 | version "1.1.2" 27 | resolved "https://registry.yarnpkg.com/@protobufjs/base64/-/base64-1.1.2.tgz#4c85730e59b9a1f1f349047dbf24296034bb2735" 28 | integrity sha512-AZkcAA5vnN/v4PDqKyMR5lx7hZttPDgClv83E//FMNhR2TMcLUhfRUBHCmSl0oi9zMgDDqRUJkSxO3wm85+XLg== 29 | 30 | "@protobufjs/codegen@^2.0.4": 31 | version "2.0.4" 32 | resolved "https://registry.yarnpkg.com/@protobufjs/codegen/-/codegen-2.0.4.tgz#7ef37f0d010fb028ad1ad59722e506d9262815cb" 33 | integrity sha512-YyFaikqM5sH0ziFZCN3xDC7zeGaB/d0IUb9CATugHWbd1FRFwWwt4ld4OYMPWu5a3Xe01mGAULCdqhMlPl29Jg== 34 | 35 | "@protobufjs/eventemitter@^1.1.0": 36 | version "1.1.0" 37 | resolved "https://registry.yarnpkg.com/@protobufjs/eventemitter/-/eventemitter-1.1.0.tgz#355cbc98bafad5978f9ed095f397621f1d066b70" 38 | integrity sha1-NVy8mLr61ZePntCV85diHx0Ga3A= 39 | 40 | "@protobufjs/fetch@^1.1.0": 41 | version "1.1.0" 42 | resolved "https://registry.yarnpkg.com/@protobufjs/fetch/-/fetch-1.1.0.tgz#ba99fb598614af65700c1619ff06d454b0d84c45" 43 | integrity sha1-upn7WYYUr2VwDBYZ/wbUVLDYTEU= 44 | dependencies: 45 | "@protobufjs/aspromise" "^1.1.1" 46 | "@protobufjs/inquire" "^1.1.0" 47 | 48 | "@protobufjs/float@^1.0.2": 49 | version "1.0.2" 50 | resolved "https://registry.yarnpkg.com/@protobufjs/float/-/float-1.0.2.tgz#5e9e1abdcb73fc0a7cb8b291df78c8cbd97b87d1" 51 | integrity sha1-Xp4avctz/Ap8uLKR33jIy9l7h9E= 52 | 53 | "@protobufjs/inquire@^1.1.0": 54 | version "1.1.0" 55 | resolved "https://registry.yarnpkg.com/@protobufjs/inquire/-/inquire-1.1.0.tgz#ff200e3e7cf2429e2dcafc1140828e8cc638f089" 56 | integrity sha1-/yAOPnzyQp4tyvwRQIKOjMY48Ik= 57 | 58 | "@protobufjs/path@^1.1.2": 59 | version "1.1.2" 60 | resolved "https://registry.yarnpkg.com/@protobufjs/path/-/path-1.1.2.tgz#6cc2b20c5c9ad6ad0dccfd21ca7673d8d7fbf68d" 61 | integrity sha1-bMKyDFya1q0NzP0hynZz2Nf79o0= 62 | 63 | "@protobufjs/pool@^1.1.0": 64 | version "1.1.0" 65 | resolved "https://registry.yarnpkg.com/@protobufjs/pool/-/pool-1.1.0.tgz#09fd15f2d6d3abfa9b65bc366506d6ad7846ff54" 66 | integrity sha1-Cf0V8tbTq/qbZbw2ZQbWrXhG/1Q= 67 | 68 | "@protobufjs/utf8@^1.1.0": 69 | version "1.1.0" 70 | resolved "https://registry.yarnpkg.com/@protobufjs/utf8/-/utf8-1.1.0.tgz#a777360b5b39a1a2e5106f8e858f2fd2d060c570" 71 | integrity sha1-p3c2C1s5oaLlEG+OhY8v0tBgxXA= 72 | 73 | "@types/bytebuffer@^5.0.40": 74 | version "5.0.40" 75 | resolved "https://registry.yarnpkg.com/@types/bytebuffer/-/bytebuffer-5.0.40.tgz#d6faac40dcfb09cd856cdc4c01d3690ba536d3ee" 76 | integrity sha512-h48dyzZrPMz25K6Q4+NCwWaxwXany2FhQg/ErOcdZS1ZpsaDnDMZg8JYLMTGz7uvXKrcKGJUZJlZObyfgdaN9g== 77 | dependencies: 78 | "@types/long" "*" 79 | "@types/node" "*" 80 | 81 | "@types/long@*", "@types/long@^4.0.1": 82 | version "4.0.1" 83 | resolved "https://registry.yarnpkg.com/@types/long/-/long-4.0.1.tgz#459c65fa1867dafe6a8f322c4c51695663cc55e9" 84 | integrity sha512-5tXH6Bx/kNGd3MgffdmP4dy2Z+G4eaXw0SE81Tq3BNadtnMR5/ySMzX4SLEzHJzSmPNn4HIdpQsBvXMUykr58w== 85 | 86 | "@types/node@*", "@types/node@^13.7.0": 87 | version "13.13.2" 88 | resolved "https://registry.yarnpkg.com/@types/node/-/node-13.13.2.tgz#160d82623610db590a64e8ca81784e11117e5a54" 89 | integrity sha512-LB2R1Oyhpg8gu4SON/mfforE525+Hi/M1ineICEDftqNVTyFg1aRIeGuTvXAoWHc4nbrFncWtJgMmoyRvuGh7A== 90 | 91 | abbrev@1: 92 | version "1.1.1" 93 | resolved "https://registry.yarnpkg.com/abbrev/-/abbrev-1.1.1.tgz#f8f2c887ad10bf67f634f005b6987fed3179aac8" 94 | integrity sha512-nne9/IiQ/hzIhY6pdDnbBtz7DjPTKrY00P/zvPSm5pOFkl6xuGrGnXn/VtTNNfNtAfZ9/1RtehkszU9qcTii0Q== 95 | 96 | accepts@~1.3.8: 97 | version "1.3.8" 98 | resolved "https://registry.yarnpkg.com/accepts/-/accepts-1.3.8.tgz#0bf0be125b67014adcb0b0921e62db7bffe16b2e" 99 | integrity sha512-PYAthTa2m2VKxuvSD3DPC/Gy+U+sOA1LAuT8mkmRuvw+NACSaeXEQ+NHcVF7rONl6qcaxV3Uuemwawk+7+SJLw== 100 | dependencies: 101 | mime-types "~2.1.34" 102 | negotiator "0.6.3" 103 | 104 | ansi-regex@^2.0.0: 105 | version "2.1.1" 106 | resolved "https://registry.yarnpkg.com/ansi-regex/-/ansi-regex-2.1.1.tgz#c3b33ab5ee360d86e0e628f0468ae7ef27d654df" 107 | integrity sha1-w7M6te42DYbg5ijwRorn7yfWVN8= 108 | 109 | ansi-regex@^3.0.0: 110 | version "3.0.0" 111 | resolved "https://registry.yarnpkg.com/ansi-regex/-/ansi-regex-3.0.0.tgz#ed0317c322064f79466c02966bddb605ab37d998" 112 | integrity sha1-7QMXwyIGT3lGbAKWa922Bas32Zg= 113 | 114 | aproba@^1.0.3: 115 | version "1.2.0" 116 | resolved "https://registry.yarnpkg.com/aproba/-/aproba-1.2.0.tgz#6802e6264efd18c790a1b0d517f0f2627bf2c94a" 117 | integrity sha512-Y9J6ZjXtoYh8RnXVCMOU/ttDmk1aBjunq9vO0ta5x85WDQiQfUF9sIPBITdbiiIVcBo03Hi3jMxigBtsddlXRw== 118 | 119 | are-we-there-yet@~1.1.2: 120 | version "1.1.5" 121 | resolved "https://registry.yarnpkg.com/are-we-there-yet/-/are-we-there-yet-1.1.5.tgz#4b35c2944f062a8bfcda66410760350fe9ddfc21" 122 | integrity sha512-5hYdAkZlcG8tOLujVDTgCT+uPX0VnpAH28gWsLfzpXYm7wP6mp5Q/gYyR7YQ0cKVJcXJnl3j2kpBan13PtQf6w== 123 | dependencies: 124 | delegates "^1.0.0" 125 | readable-stream "^2.0.6" 126 | 127 | array-flatten@1.1.1: 128 | version "1.1.1" 129 | resolved "https://registry.yarnpkg.com/array-flatten/-/array-flatten-1.1.1.tgz#9a5f699051b1e7073328f2a008968b64ea2955d2" 130 | integrity sha1-ml9pkFGx5wczKPKgCJaLZOopVdI= 131 | 132 | ascli@~1: 133 | version "1.0.1" 134 | resolved "https://registry.yarnpkg.com/ascli/-/ascli-1.0.1.tgz#bcfa5974a62f18e81cabaeb49732ab4a88f906bc" 135 | integrity sha1-vPpZdKYvGOgcq660lzKrSoj5Brw= 136 | dependencies: 137 | colour "~0.7.1" 138 | optjs "~3.2.2" 139 | 140 | balanced-match@^1.0.0: 141 | version "1.0.2" 142 | resolved "https://registry.yarnpkg.com/balanced-match/-/balanced-match-1.0.2.tgz#e83e3a7e3f300b34cb9d87f615fa0cbf357690ee" 143 | integrity sha512-3oSeUO0TMV67hN1AmbXsK4yaqU7tjiHlbxRDZOpH0KW9+CeX4bRAaX0Anxt0tx2MrpRpWwQaPwIlISEJhYU5Pw== 144 | 145 | body-parser@1.19.2: 146 | version "1.19.2" 147 | resolved "https://registry.yarnpkg.com/body-parser/-/body-parser-1.19.2.tgz#4714ccd9c157d44797b8b5607d72c0b89952f26e" 148 | integrity sha512-SAAwOxgoCKMGs9uUAUFHygfLAyaniaoun6I8mFY9pRAJL9+Kec34aU+oIjDhTycub1jozEfEwx1W1IuOYxVSFw== 149 | dependencies: 150 | bytes "3.1.2" 151 | content-type "~1.0.4" 152 | debug "2.6.9" 153 | depd "~1.1.2" 154 | http-errors "1.8.1" 155 | iconv-lite "0.4.24" 156 | on-finished "~2.3.0" 157 | qs "6.9.7" 158 | raw-body "2.4.3" 159 | type-is "~1.6.18" 160 | 161 | brace-expansion@^1.1.7: 162 | version "1.1.11" 163 | resolved "https://registry.yarnpkg.com/brace-expansion/-/brace-expansion-1.1.11.tgz#3c7fcbf529d87226f3d2f52b966ff5271eb441dd" 164 | integrity sha512-iCuPHDFgrHX7H2vEI/5xpz07zSHB00TpugqhmYtVmMO6518mCuRMoOYFldEBl0g187ufozdaHgWKcYFb61qGiA== 165 | dependencies: 166 | balanced-match "^1.0.0" 167 | concat-map "0.0.1" 168 | 169 | bytebuffer@~5: 170 | version "5.0.1" 171 | resolved "https://registry.yarnpkg.com/bytebuffer/-/bytebuffer-5.0.1.tgz#582eea4b1a873b6d020a48d58df85f0bba6cfddd" 172 | integrity sha1-WC7qSxqHO20CCkjVjfhfC7ps/d0= 173 | dependencies: 174 | long "~3" 175 | 176 | bytes@3.1.2: 177 | version "3.1.2" 178 | resolved "https://registry.yarnpkg.com/bytes/-/bytes-3.1.2.tgz#8b0beeb98605adf1b128fa4386403c009e0221a5" 179 | integrity sha512-/Nf7TyzTx6S3yRJObOAV7956r8cr2+Oj8AC5dt8wSP3BQAoeX58NoHyCU8P8zGkNXStjTSi6fzO6F0pBdcYbEg== 180 | 181 | camelcase@^2.0.1: 182 | version "2.1.1" 183 | resolved "https://registry.yarnpkg.com/camelcase/-/camelcase-2.1.1.tgz#7c1d16d679a1bbe59ca02cacecfb011e201f5a1f" 184 | integrity sha1-fB0W1nmhu+WcoCys7PsBHiAfWh8= 185 | 186 | chownr@^1.1.4: 187 | version "1.1.4" 188 | resolved "https://registry.yarnpkg.com/chownr/-/chownr-1.1.4.tgz#6fc9d7b42d32a583596337666e7d08084da2cc6b" 189 | integrity sha512-jJ0bqzaylmJtVnNgzTeSOs8DPavpbYgEr/b0YL8/2GO3xJEhInFmhKMUnEJQjZumK7KXGFhUy89PrsJWlakBVg== 190 | 191 | cliui@^3.0.3: 192 | version "3.2.0" 193 | resolved "https://registry.yarnpkg.com/cliui/-/cliui-3.2.0.tgz#120601537a916d29940f934da3b48d585a39213d" 194 | integrity sha1-EgYBU3qRbSmUD5NNo7SNWFo5IT0= 195 | dependencies: 196 | string-width "^1.0.1" 197 | strip-ansi "^3.0.1" 198 | wrap-ansi "^2.0.0" 199 | 200 | code-point-at@^1.0.0: 201 | version "1.1.0" 202 | resolved "https://registry.yarnpkg.com/code-point-at/-/code-point-at-1.1.0.tgz#0d070b4d043a5bea33a2f1a40e2edb3d9a4ccf77" 203 | integrity sha1-DQcLTQQ6W+ozovGkDi7bPZpMz3c= 204 | 205 | colour@~0.7.1: 206 | version "0.7.1" 207 | resolved "https://registry.yarnpkg.com/colour/-/colour-0.7.1.tgz#9cb169917ec5d12c0736d3e8685746df1cadf778" 208 | integrity sha1-nLFpkX7F0SwHNtPoaFdG3xyt93g= 209 | 210 | concat-map@0.0.1: 211 | version "0.0.1" 212 | resolved "https://registry.yarnpkg.com/concat-map/-/concat-map-0.0.1.tgz#d8a96bd77fd68df7793a73036a3ba0d5405d477b" 213 | integrity sha512-/Srv4dswyQNBfohGpz9o6Yb3Gz3SrUDqBH5rTuhGR7ahtlbYKnVxw2bCFMRljaA7EXHaXZ8wsHdodFvbkhKmqg== 214 | 215 | console-control-strings@^1.0.0, console-control-strings@~1.1.0: 216 | version "1.1.0" 217 | resolved "https://registry.yarnpkg.com/console-control-strings/-/console-control-strings-1.1.0.tgz#3d7cf4464db6446ea644bf4b39507f9851008e8e" 218 | integrity sha1-PXz0Rk22RG6mRL9LOVB/mFEAjo4= 219 | 220 | content-disposition@0.5.4: 221 | version "0.5.4" 222 | resolved "https://registry.yarnpkg.com/content-disposition/-/content-disposition-0.5.4.tgz#8b82b4efac82512a02bb0b1dcec9d2c5e8eb5bfe" 223 | integrity sha512-FveZTNuGw04cxlAiWbzi6zTAL/lhehaWbTtgluJh4/E95DqMwTmha3KZN1aAWA8cFIhHzMZUvLevkw5Rqk+tSQ== 224 | dependencies: 225 | safe-buffer "5.2.1" 226 | 227 | content-type@~1.0.4: 228 | version "1.0.4" 229 | resolved "https://registry.yarnpkg.com/content-type/-/content-type-1.0.4.tgz#e138cc75e040c727b1966fe5e5f8c9aee256fe3b" 230 | integrity sha512-hIP3EEPs8tB9AT1L+NUqtwOAps4mk2Zob89MWXMHjHWg9milF/j4osnnQLXBCBFBk/tvIG/tUc9mOUJiPBhPXA== 231 | 232 | cookie-signature@1.0.6: 233 | version "1.0.6" 234 | resolved "https://registry.yarnpkg.com/cookie-signature/-/cookie-signature-1.0.6.tgz#e303a882b342cc3ee8ca513a79999734dab3ae2c" 235 | integrity sha1-4wOogrNCzD7oylE6eZmXNNqzriw= 236 | 237 | cookie@0.4.2: 238 | version "0.4.2" 239 | resolved "https://registry.yarnpkg.com/cookie/-/cookie-0.4.2.tgz#0e41f24de5ecf317947c82fc789e06a884824432" 240 | integrity sha512-aSWTXFzaKWkvHO1Ny/s+ePFpvKsPnjc551iI41v3ny/ow6tBG5Vd+FuqGNhh1LxOmVzOlGUriIlOaokOvhaStA== 241 | 242 | core-util-is@~1.0.0: 243 | version "1.0.2" 244 | resolved "https://registry.yarnpkg.com/core-util-is/-/core-util-is-1.0.2.tgz#b5fd54220aa2bc5ab57aab7140c940754503c1a7" 245 | integrity sha1-tf1UIgqivFq1eqtxQMlAdUUDwac= 246 | 247 | debug@2.6.9: 248 | version "2.6.9" 249 | resolved "https://registry.yarnpkg.com/debug/-/debug-2.6.9.tgz#5d128515df134ff327e90a4c93f4e077a536341f" 250 | integrity sha512-bC7ElrdJaJnPbAP+1EotYvqZsb3ecl5wi6Bfi6BJTUcNowp6cvspg0jXznRTKDjm/E7AdgFBVeAPVMNcKGsHMA== 251 | dependencies: 252 | ms "2.0.0" 253 | 254 | debug@^3.2.6: 255 | version "3.2.6" 256 | resolved "https://registry.yarnpkg.com/debug/-/debug-3.2.6.tgz#e83d17de16d8a7efb7717edbe5fb10135eee629b" 257 | integrity sha512-mel+jf7nrtEl5Pn1Qx46zARXKDpBbvzezse7p7LqINmdoIk8PYP5SySaxEmYv6TZ0JyEKA1hsCId6DIhgITtWQ== 258 | dependencies: 259 | ms "^2.1.1" 260 | 261 | decamelize@^1.1.1: 262 | version "1.2.0" 263 | resolved "https://registry.yarnpkg.com/decamelize/-/decamelize-1.2.0.tgz#f6534d15148269b20352e7bee26f501f9a191290" 264 | integrity sha1-9lNNFRSCabIDUue+4m9QH5oZEpA= 265 | 266 | deep-extend@^0.6.0: 267 | version "0.6.0" 268 | resolved "https://registry.yarnpkg.com/deep-extend/-/deep-extend-0.6.0.tgz#c4fa7c95404a17a9c3e8ca7e1537312b736330ac" 269 | integrity sha512-LOHxIOaPYdHlJRtCQfDIVZtfw/ufM8+rVj649RIHzcm/vGwQRXFt6OPqIFWsm2XEMrNIEtWR64sY1LEKD2vAOA== 270 | 271 | delegates@^1.0.0: 272 | version "1.0.0" 273 | resolved "https://registry.yarnpkg.com/delegates/-/delegates-1.0.0.tgz#84c6e159b81904fdca59a0ef44cd870d31250f9a" 274 | integrity sha1-hMbhWbgZBP3KWaDvRM2HDTElD5o= 275 | 276 | depd@~1.1.2: 277 | version "1.1.2" 278 | resolved "https://registry.yarnpkg.com/depd/-/depd-1.1.2.tgz#9bcd52e14c097763e749b274c4346ed2e560b5a9" 279 | integrity sha1-m81S4UwJd2PnSbJ0xDRu0uVgtak= 280 | 281 | destroy@~1.0.4: 282 | version "1.0.4" 283 | resolved "https://registry.yarnpkg.com/destroy/-/destroy-1.0.4.tgz#978857442c44749e4206613e37946205826abd80" 284 | integrity sha1-l4hXRCxEdJ5CBmE+N5RiBYJqvYA= 285 | 286 | detect-libc@^1.0.2: 287 | version "1.0.3" 288 | resolved "https://registry.yarnpkg.com/detect-libc/-/detect-libc-1.0.3.tgz#fa137c4bd698edf55cd5cd02ac559f91a4c4ba9b" 289 | integrity sha1-+hN8S9aY7fVc1c0CrFWfkaTEups= 290 | 291 | ee-first@1.1.1: 292 | version "1.1.1" 293 | resolved "https://registry.yarnpkg.com/ee-first/-/ee-first-1.1.1.tgz#590c61156b0ae2f4f0255732a158b266bc56b21d" 294 | integrity sha1-WQxhFWsK4vTwJVcyoViyZrxWsh0= 295 | 296 | encodeurl@~1.0.2: 297 | version "1.0.2" 298 | resolved "https://registry.yarnpkg.com/encodeurl/-/encodeurl-1.0.2.tgz#ad3ff4c86ec2d029322f5a02c3a9a606c95b3f59" 299 | integrity sha1-rT/0yG7C0CkyL1oCw6mmBslbP1k= 300 | 301 | escape-html@~1.0.3: 302 | version "1.0.3" 303 | resolved "https://registry.yarnpkg.com/escape-html/-/escape-html-1.0.3.tgz#0258eae4d3d0c0974de1c169188ef0051d1d1988" 304 | integrity sha1-Aljq5NPQwJdN4cFpGI7wBR0dGYg= 305 | 306 | etag@~1.8.1: 307 | version "1.8.1" 308 | resolved "https://registry.yarnpkg.com/etag/-/etag-1.8.1.tgz#41ae2eeb65efa62268aebfea83ac7d79299b0887" 309 | integrity sha1-Qa4u62XvpiJorr/qg6x9eSmbCIc= 310 | 311 | express@^4.17.3: 312 | version "4.17.3" 313 | resolved "https://registry.yarnpkg.com/express/-/express-4.17.3.tgz#f6c7302194a4fb54271b73a1fe7a06478c8f85a1" 314 | integrity sha512-yuSQpz5I+Ch7gFrPCk4/c+dIBKlQUxtgwqzph132bsT6qhuzss6I8cLJQz7B3rFblzd6wtcI0ZbGltH/C4LjUg== 315 | dependencies: 316 | accepts "~1.3.8" 317 | array-flatten "1.1.1" 318 | body-parser "1.19.2" 319 | content-disposition "0.5.4" 320 | content-type "~1.0.4" 321 | cookie "0.4.2" 322 | cookie-signature "1.0.6" 323 | debug "2.6.9" 324 | depd "~1.1.2" 325 | encodeurl "~1.0.2" 326 | escape-html "~1.0.3" 327 | etag "~1.8.1" 328 | finalhandler "~1.1.2" 329 | fresh "0.5.2" 330 | merge-descriptors "1.0.1" 331 | methods "~1.1.2" 332 | on-finished "~2.3.0" 333 | parseurl "~1.3.3" 334 | path-to-regexp "0.1.7" 335 | proxy-addr "~2.0.7" 336 | qs "6.9.7" 337 | range-parser "~1.2.1" 338 | safe-buffer "5.2.1" 339 | send "0.17.2" 340 | serve-static "1.14.2" 341 | setprototypeof "1.2.0" 342 | statuses "~1.5.0" 343 | type-is "~1.6.18" 344 | utils-merge "1.0.1" 345 | vary "~1.1.2" 346 | 347 | finalhandler@~1.1.2: 348 | version "1.1.2" 349 | resolved "https://registry.yarnpkg.com/finalhandler/-/finalhandler-1.1.2.tgz#b7e7d000ffd11938d0fdb053506f6ebabe9f587d" 350 | integrity sha512-aAWcW57uxVNrQZqFXjITpW3sIUQmHGG3qSb9mUah9MgMC4NeWhNOlNjXEYq3HjRAvL6arUviZGGJsBg6z0zsWA== 351 | dependencies: 352 | debug "2.6.9" 353 | encodeurl "~1.0.2" 354 | escape-html "~1.0.3" 355 | on-finished "~2.3.0" 356 | parseurl "~1.3.3" 357 | statuses "~1.5.0" 358 | unpipe "~1.0.0" 359 | 360 | forwarded@0.2.0: 361 | version "0.2.0" 362 | resolved "https://registry.yarnpkg.com/forwarded/-/forwarded-0.2.0.tgz#2269936428aad4c15c7ebe9779a84bf0b2a81811" 363 | integrity sha512-buRG0fpBtRHSTCOASe6hD258tEubFoRLb4ZNA6NxMVHNw2gOcwHo9wyablzMzOA5z9xA9L1KNjk/Nt6MT9aYow== 364 | 365 | fresh@0.5.2: 366 | version "0.5.2" 367 | resolved "https://registry.yarnpkg.com/fresh/-/fresh-0.5.2.tgz#3d8cadd90d976569fa835ab1f8e4b23a105605a7" 368 | integrity sha1-PYyt2Q2XZWn6g1qx+OSyOhBWBac= 369 | 370 | fs-minipass@^1.2.7: 371 | version "1.2.7" 372 | resolved "https://registry.yarnpkg.com/fs-minipass/-/fs-minipass-1.2.7.tgz#ccff8570841e7fe4265693da88936c55aed7f7c7" 373 | integrity sha512-GWSSJGFy4e9GUeCcbIkED+bgAoFyj7XF1mV8rma3QW4NIqX9Kyx79N/PF61H5udOV3aY1IaMLs6pGbH71nlCTA== 374 | dependencies: 375 | minipass "^2.6.0" 376 | 377 | fs.realpath@^1.0.0: 378 | version "1.0.0" 379 | resolved "https://registry.yarnpkg.com/fs.realpath/-/fs.realpath-1.0.0.tgz#1504ad2523158caa40db4a2787cb01411994ea4f" 380 | integrity sha1-FQStJSMVjKpA20onh8sBQRmU6k8= 381 | 382 | gauge@~2.7.3: 383 | version "2.7.4" 384 | resolved "https://registry.yarnpkg.com/gauge/-/gauge-2.7.4.tgz#2c03405c7538c39d7eb37b317022e325fb018bf7" 385 | integrity sha1-LANAXHU4w51+s3sxcCLjJfsBi/c= 386 | dependencies: 387 | aproba "^1.0.3" 388 | console-control-strings "^1.0.0" 389 | has-unicode "^2.0.0" 390 | object-assign "^4.1.0" 391 | signal-exit "^3.0.0" 392 | string-width "^1.0.1" 393 | strip-ansi "^3.0.1" 394 | wide-align "^1.1.0" 395 | 396 | glob@^7.0.5, glob@^7.1.3: 397 | version "7.1.6" 398 | resolved "https://registry.yarnpkg.com/glob/-/glob-7.1.6.tgz#141f33b81a7c2492e125594307480c46679278a6" 399 | integrity sha512-LwaxwyZ72Lk7vZINtNNrywX0ZuLyStrdDtabefZKAY5ZGJhVtgdznluResxNmPitE0SAO+O26sWTHeKSI2wMBA== 400 | dependencies: 401 | fs.realpath "^1.0.0" 402 | inflight "^1.0.4" 403 | inherits "2" 404 | minimatch "^3.0.4" 405 | once "^1.3.0" 406 | path-is-absolute "^1.0.0" 407 | 408 | grpc@^1.24.2: 409 | version "1.24.2" 410 | resolved "https://registry.yarnpkg.com/grpc/-/grpc-1.24.2.tgz#76d047bfa7b05b607cbbe3abb99065dcefe0c099" 411 | integrity sha512-EG3WH6AWMVvAiV15d+lr+K77HJ/KV/3FvMpjKjulXHbTwgDZkhkcWbwhxFAoTdxTkQvy0WFcO3Nog50QBbHZWw== 412 | dependencies: 413 | "@types/bytebuffer" "^5.0.40" 414 | lodash.camelcase "^4.3.0" 415 | lodash.clone "^4.5.0" 416 | nan "^2.13.2" 417 | node-pre-gyp "^0.14.0" 418 | protobufjs "^5.0.3" 419 | 420 | has-unicode@^2.0.0: 421 | version "2.0.1" 422 | resolved "https://registry.yarnpkg.com/has-unicode/-/has-unicode-2.0.1.tgz#e0e6fe6a28cf51138855e086d1691e771de2a8b9" 423 | integrity sha1-4Ob+aijPUROIVeCG0Wkedx3iqLk= 424 | 425 | http-errors@1.8.1: 426 | version "1.8.1" 427 | resolved "https://registry.yarnpkg.com/http-errors/-/http-errors-1.8.1.tgz#7c3f28577cbc8a207388455dbd62295ed07bd68c" 428 | integrity sha512-Kpk9Sm7NmI+RHhnj6OIWDI1d6fIoFAtFt9RLaTMRlg/8w49juAStsrBgp0Dp4OdxdVbRIeKhtCUvoi/RuAhO4g== 429 | dependencies: 430 | depd "~1.1.2" 431 | inherits "2.0.4" 432 | setprototypeof "1.2.0" 433 | statuses ">= 1.5.0 < 2" 434 | toidentifier "1.0.1" 435 | 436 | iconv-lite@0.4.24, iconv-lite@^0.4.4: 437 | version "0.4.24" 438 | resolved "https://registry.yarnpkg.com/iconv-lite/-/iconv-lite-0.4.24.tgz#2022b4b25fbddc21d2f524974a474aafe733908b" 439 | integrity sha512-v3MXnZAcvnywkTUEZomIActle7RXXeedOR31wwl7VlyoXO4Qi9arvSenNQWne1TcRwhCL1HwLI21bEqdpj8/rA== 440 | dependencies: 441 | safer-buffer ">= 2.1.2 < 3" 442 | 443 | ignore-walk@^3.0.1: 444 | version "3.0.3" 445 | resolved "https://registry.yarnpkg.com/ignore-walk/-/ignore-walk-3.0.3.tgz#017e2447184bfeade7c238e4aefdd1e8f95b1e37" 446 | integrity sha512-m7o6xuOaT1aqheYHKf8W6J5pYH85ZI9w077erOzLje3JsB1gkafkAhHHY19dqjulgIZHFm32Cp5uNZgcQqdJKw== 447 | dependencies: 448 | minimatch "^3.0.4" 449 | 450 | inflight@^1.0.4: 451 | version "1.0.6" 452 | resolved "https://registry.yarnpkg.com/inflight/-/inflight-1.0.6.tgz#49bd6331d7d02d0c09bc910a1075ba8165b56df9" 453 | integrity sha1-Sb1jMdfQLQwJvJEKEHW6gWW1bfk= 454 | dependencies: 455 | once "^1.3.0" 456 | wrappy "1" 457 | 458 | inherits@2, inherits@2.0.4, inherits@~2.0.3: 459 | version "2.0.4" 460 | resolved "https://registry.yarnpkg.com/inherits/-/inherits-2.0.4.tgz#0fa2c64f932917c3433a0ded55363aae37416b7c" 461 | integrity sha512-k/vGaX4/Yla3WzyMCvTQOXYeIHvqOKtnqBduzTHpzpQZzAskKMhZ2K+EnBiSM9zGSoIFeMpXKxa4dYeZIQqewQ== 462 | 463 | ini@~1.3.0: 464 | version "1.3.7" 465 | resolved "https://registry.yarnpkg.com/ini/-/ini-1.3.7.tgz#a09363e1911972ea16d7a8851005d84cf09a9a84" 466 | integrity sha512-iKpRpXP+CrP2jyrxvg1kMUpXDyRUFDWurxbnVT1vQPx+Wz9uCYsMIqYuSBLV+PAaZG/d7kRLKRFc9oDMsH+mFQ== 467 | 468 | invert-kv@^1.0.0: 469 | version "1.0.0" 470 | resolved "https://registry.yarnpkg.com/invert-kv/-/invert-kv-1.0.0.tgz#104a8e4aaca6d3d8cd157a8ef8bfab2d7a3ffdb6" 471 | integrity sha1-EEqOSqym09jNFXqO+L+rLXo//bY= 472 | 473 | ipaddr.js@1.9.1: 474 | version "1.9.1" 475 | resolved "https://registry.yarnpkg.com/ipaddr.js/-/ipaddr.js-1.9.1.tgz#bff38543eeb8984825079ff3a2a8e6cbd46781b3" 476 | integrity sha512-0KI/607xoxSToH7GjN1FfSbLoU0+btTicjsQSWQlh/hZykN8KpmMf7uYwPW3R+akZ6R/w18ZlXSHBYXiYUPO3g== 477 | 478 | is-fullwidth-code-point@^1.0.0: 479 | version "1.0.0" 480 | resolved "https://registry.yarnpkg.com/is-fullwidth-code-point/-/is-fullwidth-code-point-1.0.0.tgz#ef9e31386f031a7f0d643af82fde50c457ef00cb" 481 | integrity sha1-754xOG8DGn8NZDr4L95QxFfvAMs= 482 | dependencies: 483 | number-is-nan "^1.0.0" 484 | 485 | is-fullwidth-code-point@^2.0.0: 486 | version "2.0.0" 487 | resolved "https://registry.yarnpkg.com/is-fullwidth-code-point/-/is-fullwidth-code-point-2.0.0.tgz#a3b30a5c4f199183167aaab93beefae3ddfb654f" 488 | integrity sha1-o7MKXE8ZkYMWeqq5O+764937ZU8= 489 | 490 | isarray@~1.0.0: 491 | version "1.0.0" 492 | resolved "https://registry.yarnpkg.com/isarray/-/isarray-1.0.0.tgz#bb935d48582cba168c06834957a54a3e07124f11" 493 | integrity sha1-u5NdSFgsuhaMBoNJV6VKPgcSTxE= 494 | 495 | lcid@^1.0.0: 496 | version "1.0.0" 497 | resolved "https://registry.yarnpkg.com/lcid/-/lcid-1.0.0.tgz#308accafa0bc483a3867b4b6f2b9506251d1b835" 498 | integrity sha1-MIrMr6C8SDo4Z7S28rlQYlHRuDU= 499 | dependencies: 500 | invert-kv "^1.0.0" 501 | 502 | lodash.camelcase@^4.3.0: 503 | version "4.3.0" 504 | resolved "https://registry.yarnpkg.com/lodash.camelcase/-/lodash.camelcase-4.3.0.tgz#b28aa6288a2b9fc651035c7711f65ab6190331a6" 505 | integrity sha1-soqmKIorn8ZRA1x3EfZathkDMaY= 506 | 507 | lodash.clone@^4.5.0: 508 | version "4.5.0" 509 | resolved "https://registry.yarnpkg.com/lodash.clone/-/lodash.clone-4.5.0.tgz#195870450f5a13192478df4bc3d23d2dea1907b6" 510 | integrity sha1-GVhwRQ9aExkkeN9Lw9I9LeoZB7Y= 511 | 512 | long@^4.0.0: 513 | version "4.0.0" 514 | resolved "https://registry.yarnpkg.com/long/-/long-4.0.0.tgz#9a7b71cfb7d361a194ea555241c92f7468d5bf28" 515 | integrity sha512-XsP+KhQif4bjX1kbuSiySJFNAehNxgLb6hPRGJ9QsUr8ajHkuXGdrHmFUTUUXhDwVX2R5bY4JNZEwbUiMhV+MA== 516 | 517 | long@~3: 518 | version "3.2.0" 519 | resolved "https://registry.yarnpkg.com/long/-/long-3.2.0.tgz#d821b7138ca1cb581c172990ef14db200b5c474b" 520 | integrity sha1-2CG3E4yhy1gcFymQ7xTbIAtcR0s= 521 | 522 | media-typer@0.3.0: 523 | version "0.3.0" 524 | resolved "https://registry.yarnpkg.com/media-typer/-/media-typer-0.3.0.tgz#8710d7af0aa626f8fffa1ce00168545263255748" 525 | integrity sha1-hxDXrwqmJvj/+hzgAWhUUmMlV0g= 526 | 527 | merge-descriptors@1.0.1: 528 | version "1.0.1" 529 | resolved "https://registry.yarnpkg.com/merge-descriptors/-/merge-descriptors-1.0.1.tgz#b00aaa556dd8b44568150ec9d1b953f3f90cbb61" 530 | integrity sha1-sAqqVW3YtEVoFQ7J0blT8/kMu2E= 531 | 532 | methods@~1.1.2: 533 | version "1.1.2" 534 | resolved "https://registry.yarnpkg.com/methods/-/methods-1.1.2.tgz#5529a4d67654134edcc5266656835b0f851afcee" 535 | integrity sha1-VSmk1nZUE07cxSZmVoNbD4Ua/O4= 536 | 537 | mime-db@1.43.0: 538 | version "1.43.0" 539 | resolved "https://registry.yarnpkg.com/mime-db/-/mime-db-1.43.0.tgz#0a12e0502650e473d735535050e7c8f4eb4fae58" 540 | integrity sha512-+5dsGEEovYbT8UY9yD7eE4XTc4UwJ1jBYlgaQQF38ENsKR3wj/8q8RFZrF9WIZpB2V1ArTVFUva8sAul1NzRzQ== 541 | 542 | mime-db@1.52.0: 543 | version "1.52.0" 544 | resolved "https://registry.yarnpkg.com/mime-db/-/mime-db-1.52.0.tgz#bbabcdc02859f4987301c856e3387ce5ec43bf70" 545 | integrity sha512-sPU4uV7dYlvtWJxwwxHD0PuihVNiE7TyAbQ5SWxDCB9mUYvOgroQOwYQQOKPJ8CIbE+1ETVlOoK1UC2nU3gYvg== 546 | 547 | mime-types@~2.1.24: 548 | version "2.1.26" 549 | resolved "https://registry.yarnpkg.com/mime-types/-/mime-types-2.1.26.tgz#9c921fc09b7e149a65dfdc0da4d20997200b0a06" 550 | integrity sha512-01paPWYgLrkqAyrlDorC1uDwl2p3qZT7yl806vW7DvDoxwXi46jsjFbg+WdwotBIk6/MbEhO/dh5aZ5sNj/dWQ== 551 | dependencies: 552 | mime-db "1.43.0" 553 | 554 | mime-types@~2.1.34: 555 | version "2.1.35" 556 | resolved "https://registry.yarnpkg.com/mime-types/-/mime-types-2.1.35.tgz#381a871b62a734450660ae3deee44813f70d959a" 557 | integrity sha512-ZDY+bPm5zTTF+YpCrAU9nK0UgICYPT0QtT1NZWFv4s++TNkcgVaT0g6+4R2uI4MjQjzysHB1zxuWL50hzaeXiw== 558 | dependencies: 559 | mime-db "1.52.0" 560 | 561 | mime@1.6.0: 562 | version "1.6.0" 563 | resolved "https://registry.yarnpkg.com/mime/-/mime-1.6.0.tgz#32cd9e5c64553bd58d19a568af452acff04981b1" 564 | integrity sha512-x0Vn8spI+wuJ1O6S7gnbaQg8Pxh4NNHb7KSINmEWKiPE4RKOplvijn+NkmYmmRgP68mc70j2EbeTFRsrswaQeg== 565 | 566 | minimatch@^3.0.4: 567 | version "3.1.2" 568 | resolved "https://registry.yarnpkg.com/minimatch/-/minimatch-3.1.2.tgz#19cd194bfd3e428f049a70817c038d89ab4be35b" 569 | integrity sha512-J7p63hRiAjw1NDEww1W7i37+ByIrOWO5XQQAzZ3VOcL0PNybwpfmV/N05zFAzwQ9USyEcX6t3UO+K5aqBQOIHw== 570 | dependencies: 571 | brace-expansion "^1.1.7" 572 | 573 | minimist@^1.2.0, minimist@^1.2.5: 574 | version "1.2.6" 575 | resolved "https://registry.yarnpkg.com/minimist/-/minimist-1.2.6.tgz#8637a5b759ea0d6e98702cfb3a9283323c93af44" 576 | integrity sha512-Jsjnk4bw3YJqYzbdyBiNsPWHPfO++UGG749Cxs6peCu5Xg4nrena6OVxOYxrQTqww0Jmwt+Ref8rggumkTLz9Q== 577 | 578 | minipass@^2.6.0, minipass@^2.9.0: 579 | version "2.9.0" 580 | resolved "https://registry.yarnpkg.com/minipass/-/minipass-2.9.0.tgz#e713762e7d3e32fed803115cf93e04bca9fcc9a6" 581 | integrity sha512-wxfUjg9WebH+CUDX/CdbRlh5SmfZiy/hpkxaRI16Y9W56Pa75sWgd/rvFilSgrauD9NyFymP/+JFV3KwzIsJeg== 582 | dependencies: 583 | safe-buffer "^5.1.2" 584 | yallist "^3.0.0" 585 | 586 | minizlib@^1.3.3: 587 | version "1.3.3" 588 | resolved "https://registry.yarnpkg.com/minizlib/-/minizlib-1.3.3.tgz#2290de96818a34c29551c8a8d301216bd65a861d" 589 | integrity sha512-6ZYMOEnmVsdCeTJVE0W9ZD+pVnE8h9Hma/iOwwRDsdQoePpoX56/8B6z3P9VNwppJuBKNRuFDRNRqRWexT9G9Q== 590 | dependencies: 591 | minipass "^2.9.0" 592 | 593 | mkdirp@^0.5.1, mkdirp@^0.5.5: 594 | version "0.5.5" 595 | resolved "https://registry.yarnpkg.com/mkdirp/-/mkdirp-0.5.5.tgz#d91cefd62d1436ca0f41620e251288d420099def" 596 | integrity sha512-NKmAlESf6jMGym1++R0Ra7wvhV+wFW63FaSOFPwRahvea0gMUcGUhVeAg/0BC0wiv9ih5NYPB1Wn1UEI1/L+xQ== 597 | dependencies: 598 | minimist "^1.2.5" 599 | 600 | ms@2.0.0: 601 | version "2.0.0" 602 | resolved "https://registry.yarnpkg.com/ms/-/ms-2.0.0.tgz#5608aeadfc00be6c2901df5f9861788de0d597c8" 603 | integrity sha1-VgiurfwAvmwpAd9fmGF4jeDVl8g= 604 | 605 | ms@2.1.3: 606 | version "2.1.3" 607 | resolved "https://registry.yarnpkg.com/ms/-/ms-2.1.3.tgz#574c8138ce1d2b5861f0b44579dbadd60c6615b2" 608 | integrity sha512-6FlzubTLZG3J2a/NVCAleEhjzq5oxgHyaCU9yYXvcLsvoVaHJq/s5xXI6/XXP6tz7R9xAOtHnSO/tXtF3WRTlA== 609 | 610 | ms@^2.1.1: 611 | version "2.1.2" 612 | resolved "https://registry.yarnpkg.com/ms/-/ms-2.1.2.tgz#d09d1f357b443f493382a8eb3ccd183872ae6009" 613 | integrity sha512-sGkPx+VjMtmA6MX27oA4FBFELFCZZ4S4XqeGOXCv68tT+jb3vk/RyaKWP0PTKyWtmLSM0b+adUTEvbs1PEaH2w== 614 | 615 | nan@^2.13.2: 616 | version "2.14.1" 617 | resolved "https://registry.yarnpkg.com/nan/-/nan-2.14.1.tgz#d7be34dfa3105b91494c3147089315eff8874b01" 618 | integrity sha512-isWHgVjnFjh2x2yuJ/tj3JbwoHu3UC2dX5G/88Cm24yB6YopVgxvBObDY7n5xW6ExmFhJpSEQqFPvq9zaXc8Jw== 619 | 620 | needle@^2.2.1: 621 | version "2.4.1" 622 | resolved "https://registry.yarnpkg.com/needle/-/needle-2.4.1.tgz#14af48732463d7475696f937626b1b993247a56a" 623 | integrity sha512-x/gi6ijr4B7fwl6WYL9FwlCvRQKGlUNvnceho8wxkwXqN8jvVmmmATTmZPRRG7b/yC1eode26C2HO9jl78Du9g== 624 | dependencies: 625 | debug "^3.2.6" 626 | iconv-lite "^0.4.4" 627 | sax "^1.2.4" 628 | 629 | negotiator@0.6.3: 630 | version "0.6.3" 631 | resolved "https://registry.yarnpkg.com/negotiator/-/negotiator-0.6.3.tgz#58e323a72fedc0d6f9cd4d31fe49f51479590ccd" 632 | integrity sha512-+EUsqGPLsM+j/zdChZjsnX51g4XrHFOIXwfnCVPGlQk/k5giakcKsuxCObBRu6DSm9opw/O6slWbJdghQM4bBg== 633 | 634 | node-pre-gyp@^0.14.0: 635 | version "0.14.0" 636 | resolved "https://registry.yarnpkg.com/node-pre-gyp/-/node-pre-gyp-0.14.0.tgz#9a0596533b877289bcad4e143982ca3d904ddc83" 637 | integrity sha512-+CvDC7ZttU/sSt9rFjix/P05iS43qHCOOGzcr3Ry99bXG7VX953+vFyEuph/tfqoYu8dttBkE86JSKBO2OzcxA== 638 | dependencies: 639 | detect-libc "^1.0.2" 640 | mkdirp "^0.5.1" 641 | needle "^2.2.1" 642 | nopt "^4.0.1" 643 | npm-packlist "^1.1.6" 644 | npmlog "^4.0.2" 645 | rc "^1.2.7" 646 | rimraf "^2.6.1" 647 | semver "^5.3.0" 648 | tar "^4.4.2" 649 | 650 | nopt@^4.0.1: 651 | version "4.0.3" 652 | resolved "https://registry.yarnpkg.com/nopt/-/nopt-4.0.3.tgz#a375cad9d02fd921278d954c2254d5aa57e15e48" 653 | integrity sha512-CvaGwVMztSMJLOeXPrez7fyfObdZqNUK1cPAEzLHrTybIua9pMdmmPR5YwtfNftIOMv3DPUhFaxsZMNTQO20Kg== 654 | dependencies: 655 | abbrev "1" 656 | osenv "^0.1.4" 657 | 658 | npm-bundled@^1.0.1: 659 | version "1.1.1" 660 | resolved "https://registry.yarnpkg.com/npm-bundled/-/npm-bundled-1.1.1.tgz#1edd570865a94cdb1bc8220775e29466c9fb234b" 661 | integrity sha512-gqkfgGePhTpAEgUsGEgcq1rqPXA+tv/aVBlgEzfXwA1yiUJF7xtEt3CtVwOjNYQOVknDk0F20w58Fnm3EtG0fA== 662 | dependencies: 663 | npm-normalize-package-bin "^1.0.1" 664 | 665 | npm-normalize-package-bin@^1.0.1: 666 | version "1.0.1" 667 | resolved "https://registry.yarnpkg.com/npm-normalize-package-bin/-/npm-normalize-package-bin-1.0.1.tgz#6e79a41f23fd235c0623218228da7d9c23b8f6e2" 668 | integrity sha512-EPfafl6JL5/rU+ot6P3gRSCpPDW5VmIzX959Ob1+ySFUuuYHWHekXpwdUZcKP5C+DS4GEtdJluwBjnsNDl+fSA== 669 | 670 | npm-packlist@^1.1.6: 671 | version "1.4.8" 672 | resolved "https://registry.yarnpkg.com/npm-packlist/-/npm-packlist-1.4.8.tgz#56ee6cc135b9f98ad3d51c1c95da22bbb9b2ef3e" 673 | integrity sha512-5+AZgwru5IevF5ZdnFglB5wNlHG1AOOuw28WhUq8/8emhBmLv6jX5by4WJCh7lW0uSYZYS6DXqIsyZVIXRZU9A== 674 | dependencies: 675 | ignore-walk "^3.0.1" 676 | npm-bundled "^1.0.1" 677 | npm-normalize-package-bin "^1.0.1" 678 | 679 | npmlog@^4.0.2: 680 | version "4.1.2" 681 | resolved "https://registry.yarnpkg.com/npmlog/-/npmlog-4.1.2.tgz#08a7f2a8bf734604779a9efa4ad5cc717abb954b" 682 | integrity sha512-2uUqazuKlTaSI/dC8AzicUck7+IrEaOnN/e0jd3Xtt1KcGpwx30v50mL7oPyr/h9bL3E4aZccVwpwP+5W9Vjkg== 683 | dependencies: 684 | are-we-there-yet "~1.1.2" 685 | console-control-strings "~1.1.0" 686 | gauge "~2.7.3" 687 | set-blocking "~2.0.0" 688 | 689 | number-is-nan@^1.0.0: 690 | version "1.0.1" 691 | resolved "https://registry.yarnpkg.com/number-is-nan/-/number-is-nan-1.0.1.tgz#097b602b53422a522c1afb8790318336941a011d" 692 | integrity sha1-CXtgK1NCKlIsGvuHkDGDNpQaAR0= 693 | 694 | object-assign@^4.1.0: 695 | version "4.1.1" 696 | resolved "https://registry.yarnpkg.com/object-assign/-/object-assign-4.1.1.tgz#2109adc7965887cfc05cbbd442cac8bfbb360863" 697 | integrity sha1-IQmtx5ZYh8/AXLvUQsrIv7s2CGM= 698 | 699 | on-finished@~2.3.0: 700 | version "2.3.0" 701 | resolved "https://registry.yarnpkg.com/on-finished/-/on-finished-2.3.0.tgz#20f1336481b083cd75337992a16971aa2d906947" 702 | integrity sha1-IPEzZIGwg811M3mSoWlxqi2QaUc= 703 | dependencies: 704 | ee-first "1.1.1" 705 | 706 | once@^1.3.0: 707 | version "1.4.0" 708 | resolved "https://registry.yarnpkg.com/once/-/once-1.4.0.tgz#583b1aa775961d4b113ac17d9c50baef9dd76bd1" 709 | integrity sha1-WDsap3WWHUsROsF9nFC6753Xa9E= 710 | dependencies: 711 | wrappy "1" 712 | 713 | optjs@~3.2.2: 714 | version "3.2.2" 715 | resolved "https://registry.yarnpkg.com/optjs/-/optjs-3.2.2.tgz#69a6ce89c442a44403141ad2f9b370bd5bb6f4ee" 716 | integrity sha1-aabOicRCpEQDFBrS+bNwvVu29O4= 717 | 718 | os-homedir@^1.0.0: 719 | version "1.0.2" 720 | resolved "https://registry.yarnpkg.com/os-homedir/-/os-homedir-1.0.2.tgz#ffbc4988336e0e833de0c168c7ef152121aa7fb3" 721 | integrity sha1-/7xJiDNuDoM94MFox+8VISGqf7M= 722 | 723 | os-locale@^1.4.0: 724 | version "1.4.0" 725 | resolved "https://registry.yarnpkg.com/os-locale/-/os-locale-1.4.0.tgz#20f9f17ae29ed345e8bde583b13d2009803c14d9" 726 | integrity sha1-IPnxeuKe00XoveWDsT0gCYA8FNk= 727 | dependencies: 728 | lcid "^1.0.0" 729 | 730 | os-tmpdir@^1.0.0: 731 | version "1.0.2" 732 | resolved "https://registry.yarnpkg.com/os-tmpdir/-/os-tmpdir-1.0.2.tgz#bbe67406c79aa85c5cfec766fe5734555dfa1274" 733 | integrity sha1-u+Z0BseaqFxc/sdm/lc0VV36EnQ= 734 | 735 | osenv@^0.1.4: 736 | version "0.1.5" 737 | resolved "https://registry.yarnpkg.com/osenv/-/osenv-0.1.5.tgz#85cdfafaeb28e8677f416e287592b5f3f49ea410" 738 | integrity sha512-0CWcCECdMVc2Rw3U5w9ZjqX6ga6ubk1xDVKxtBQPK7wis/0F2r9T6k4ydGYhecl7YUBxBVxhL5oisPsNxAPe2g== 739 | dependencies: 740 | os-homedir "^1.0.0" 741 | os-tmpdir "^1.0.0" 742 | 743 | parseurl@~1.3.3: 744 | version "1.3.3" 745 | resolved "https://registry.yarnpkg.com/parseurl/-/parseurl-1.3.3.tgz#9da19e7bee8d12dff0513ed5b76957793bc2e8d4" 746 | integrity sha512-CiyeOxFT/JZyN5m0z9PfXw4SCBJ6Sygz1Dpl0wqjlhDEGGBP1GnsUVEL0p63hoG1fcj3fHynXi9NYO4nWOL+qQ== 747 | 748 | path-is-absolute@^1.0.0: 749 | version "1.0.1" 750 | resolved "https://registry.yarnpkg.com/path-is-absolute/-/path-is-absolute-1.0.1.tgz#174b9268735534ffbc7ace6bf53a5a9e1b5c5f5f" 751 | integrity sha1-F0uSaHNVNP+8es5r9TpanhtcX18= 752 | 753 | path-to-regexp@0.1.7: 754 | version "0.1.7" 755 | resolved "https://registry.yarnpkg.com/path-to-regexp/-/path-to-regexp-0.1.7.tgz#df604178005f522f15eb4490e7247a1bfaa67f8c" 756 | integrity sha1-32BBeABfUi8V60SQ5yR6G/qmf4w= 757 | 758 | process-nextick-args@~2.0.0: 759 | version "2.0.1" 760 | resolved "https://registry.yarnpkg.com/process-nextick-args/-/process-nextick-args-2.0.1.tgz#7820d9b16120cc55ca9ae7792680ae7dba6d7fe2" 761 | integrity sha512-3ouUOpQhtgrbOa17J7+uxOTpITYWaGP7/AhoR3+A+/1e9skrzelGi/dXzEYyvbxubEF6Wn2ypscTKiKJFFn1ag== 762 | 763 | protobufjs@^5.0.3: 764 | version "5.0.3" 765 | resolved "https://registry.yarnpkg.com/protobufjs/-/protobufjs-5.0.3.tgz#e4dfe9fb67c90b2630d15868249bcc4961467a17" 766 | integrity sha512-55Kcx1MhPZX0zTbVosMQEO5R6/rikNXd9b6RQK4KSPcrSIIwoXTtebIczUrXlwaSrbz4x8XUVThGPob1n8I4QA== 767 | dependencies: 768 | ascli "~1" 769 | bytebuffer "~5" 770 | glob "^7.0.5" 771 | yargs "^3.10.0" 772 | 773 | protobufjs@^6.8.6: 774 | version "6.9.0" 775 | resolved "https://registry.yarnpkg.com/protobufjs/-/protobufjs-6.9.0.tgz#c08b2bf636682598e6fabbf0edb0b1256ff090bd" 776 | integrity sha512-LlGVfEWDXoI/STstRDdZZKb/qusoAWUnmLg9R8OLSO473mBLWHowx8clbX5/+mKDEI+v7GzjoK9tRPZMMcoTrg== 777 | dependencies: 778 | "@protobufjs/aspromise" "^1.1.2" 779 | "@protobufjs/base64" "^1.1.2" 780 | "@protobufjs/codegen" "^2.0.4" 781 | "@protobufjs/eventemitter" "^1.1.0" 782 | "@protobufjs/fetch" "^1.1.0" 783 | "@protobufjs/float" "^1.0.2" 784 | "@protobufjs/inquire" "^1.1.0" 785 | "@protobufjs/path" "^1.1.2" 786 | "@protobufjs/pool" "^1.1.0" 787 | "@protobufjs/utf8" "^1.1.0" 788 | "@types/long" "^4.0.1" 789 | "@types/node" "^13.7.0" 790 | long "^4.0.0" 791 | 792 | proxy-addr@~2.0.7: 793 | version "2.0.7" 794 | resolved "https://registry.yarnpkg.com/proxy-addr/-/proxy-addr-2.0.7.tgz#f19fe69ceab311eeb94b42e70e8c2070f9ba1025" 795 | integrity sha512-llQsMLSUDUPT44jdrU/O37qlnifitDP+ZwrmmZcoSKyLKvtZxpyV0n2/bD/N4tBAAZ/gJEdZU7KMraoK1+XYAg== 796 | dependencies: 797 | forwarded "0.2.0" 798 | ipaddr.js "1.9.1" 799 | 800 | qs@6.9.7: 801 | version "6.9.7" 802 | resolved "https://registry.yarnpkg.com/qs/-/qs-6.9.7.tgz#4610846871485e1e048f44ae3b94033f0e675afe" 803 | integrity sha512-IhMFgUmuNpyRfxA90umL7ByLlgRXu6tIfKPpF5TmcfRLlLCckfP/g3IQmju6jjpu+Hh8rA+2p6A27ZSPOOHdKw== 804 | 805 | range-parser@~1.2.1: 806 | version "1.2.1" 807 | resolved "https://registry.yarnpkg.com/range-parser/-/range-parser-1.2.1.tgz#3cf37023d199e1c24d1a55b84800c2f3e6468031" 808 | integrity sha512-Hrgsx+orqoygnmhFbKaHE6c296J+HTAQXoxEF6gNupROmmGJRoyzfG3ccAveqCBrwr/2yxQ5BVd/GTl5agOwSg== 809 | 810 | raw-body@2.4.3: 811 | version "2.4.3" 812 | resolved "https://registry.yarnpkg.com/raw-body/-/raw-body-2.4.3.tgz#8f80305d11c2a0a545c2d9d89d7a0286fcead43c" 813 | integrity sha512-UlTNLIcu0uzb4D2f4WltY6cVjLi+/jEN4lgEUj3E04tpMDpUlkBo/eSn6zou9hum2VMNpCCUone0O0WeJim07g== 814 | dependencies: 815 | bytes "3.1.2" 816 | http-errors "1.8.1" 817 | iconv-lite "0.4.24" 818 | unpipe "1.0.0" 819 | 820 | rc@^1.2.7: 821 | version "1.2.8" 822 | resolved "https://registry.yarnpkg.com/rc/-/rc-1.2.8.tgz#cd924bf5200a075b83c188cd6b9e211b7fc0d3ed" 823 | integrity sha512-y3bGgqKj3QBdxLbLkomlohkvsA8gdAiUQlSBJnBhfn+BPxg4bc62d8TcBW15wavDfgexCgccckhcZvywyQYPOw== 824 | dependencies: 825 | deep-extend "^0.6.0" 826 | ini "~1.3.0" 827 | minimist "^1.2.0" 828 | strip-json-comments "~2.0.1" 829 | 830 | readable-stream@^2.0.6: 831 | version "2.3.7" 832 | resolved "https://registry.yarnpkg.com/readable-stream/-/readable-stream-2.3.7.tgz#1eca1cf711aef814c04f62252a36a62f6cb23b57" 833 | integrity sha512-Ebho8K4jIbHAxnuxi7o42OrZgF/ZTNcsZj6nRKyUmkhLFq8CHItp/fy6hQZuZmP/n3yZ9VBUbp4zz/mX8hmYPw== 834 | dependencies: 835 | core-util-is "~1.0.0" 836 | inherits "~2.0.3" 837 | isarray "~1.0.0" 838 | process-nextick-args "~2.0.0" 839 | safe-buffer "~5.1.1" 840 | string_decoder "~1.1.1" 841 | util-deprecate "~1.0.1" 842 | 843 | rimraf@^2.6.1: 844 | version "2.7.1" 845 | resolved "https://registry.yarnpkg.com/rimraf/-/rimraf-2.7.1.tgz#35797f13a7fdadc566142c29d4f07ccad483e3ec" 846 | integrity sha512-uWjbaKIK3T1OSVptzX7Nl6PvQ3qAGtKEtVRjRuazjfL3Bx5eI409VZSqgND+4UNnmzLVdPj9FqFJNPqBZFve4w== 847 | dependencies: 848 | glob "^7.1.3" 849 | 850 | safe-buffer@5.2.1, safe-buffer@^5.1.2, safe-buffer@^5.2.1: 851 | version "5.2.1" 852 | resolved "https://registry.yarnpkg.com/safe-buffer/-/safe-buffer-5.2.1.tgz#1eaf9fa9bdb1fdd4ec75f58f9cdb4e6b7827eec6" 853 | integrity sha512-rp3So07KcdmmKbGvgaNxQSJr7bGVSVk5S9Eq1F+ppbRo70+YeaDxkw5Dd8NPN+GD6bjnYm2VuPuCXmpuYvmCXQ== 854 | 855 | safe-buffer@~5.1.0, safe-buffer@~5.1.1: 856 | version "5.1.2" 857 | resolved "https://registry.yarnpkg.com/safe-buffer/-/safe-buffer-5.1.2.tgz#991ec69d296e0313747d59bdfd2b745c35f8828d" 858 | integrity sha512-Gd2UZBJDkXlY7GbJxfsE8/nvKkUEU1G38c1siN6QP6a9PT9MmHB8GnpscSmMJSoF8LOIrt8ud/wPtojys4G6+g== 859 | 860 | "safer-buffer@>= 2.1.2 < 3": 861 | version "2.1.2" 862 | resolved "https://registry.yarnpkg.com/safer-buffer/-/safer-buffer-2.1.2.tgz#44fa161b0187b9549dd84bb91802f9bd8385cd6a" 863 | integrity sha512-YZo3K82SD7Riyi0E1EQPojLz7kpepnSQI9IyPbHHg1XXXevb5dJI7tpyN2ADxGcQbHG7vcyRHk0cbwqcQriUtg== 864 | 865 | sax@^1.2.4: 866 | version "1.2.4" 867 | resolved "https://registry.yarnpkg.com/sax/-/sax-1.2.4.tgz#2816234e2378bddc4e5354fab5caa895df7100d9" 868 | integrity sha512-NqVDv9TpANUjFm0N8uM5GxL36UgKi9/atZw+x7YFnQ8ckwFGKrl4xX4yWtrey3UJm5nP1kUbnYgLopqWNSRhWw== 869 | 870 | semver@^5.3.0: 871 | version "5.7.1" 872 | resolved "https://registry.yarnpkg.com/semver/-/semver-5.7.1.tgz#a954f931aeba508d307bbf069eff0c01c96116f7" 873 | integrity sha512-sauaDf/PZdVgrLTNYHRtpXa1iRiKcaebiKQ1BJdpQlWH2lCvexQdX55snPFyK7QzpudqbCI0qXFfOasHdyNDGQ== 874 | 875 | semver@^6.2.0: 876 | version "6.3.0" 877 | resolved "https://registry.yarnpkg.com/semver/-/semver-6.3.0.tgz#ee0a64c8af5e8ceea67687b133761e1becbd1d3d" 878 | integrity sha512-b39TBaTSfV6yBrapU89p5fKekE2m/NwnDocOVruQFS1/veMgdzuPcnOM34M6CwxW8jH/lxEa5rBoDeUwu5HHTw== 879 | 880 | send@0.17.2: 881 | version "0.17.2" 882 | resolved "https://registry.yarnpkg.com/send/-/send-0.17.2.tgz#926622f76601c41808012c8bf1688fe3906f7820" 883 | integrity sha512-UJYB6wFSJE3G00nEivR5rgWp8c2xXvJ3OPWPhmuteU0IKj8nKbG3DrjiOmLwpnHGYWAVwA69zmTm++YG0Hmwww== 884 | dependencies: 885 | debug "2.6.9" 886 | depd "~1.1.2" 887 | destroy "~1.0.4" 888 | encodeurl "~1.0.2" 889 | escape-html "~1.0.3" 890 | etag "~1.8.1" 891 | fresh "0.5.2" 892 | http-errors "1.8.1" 893 | mime "1.6.0" 894 | ms "2.1.3" 895 | on-finished "~2.3.0" 896 | range-parser "~1.2.1" 897 | statuses "~1.5.0" 898 | 899 | serve-static@1.14.2: 900 | version "1.14.2" 901 | resolved "https://registry.yarnpkg.com/serve-static/-/serve-static-1.14.2.tgz#722d6294b1d62626d41b43a013ece4598d292bfa" 902 | integrity sha512-+TMNA9AFxUEGuC0z2mevogSnn9MXKb4fa7ngeRMJaaGv8vTwnIEkKi+QGvPt33HSnf8pRS+WGM0EbMtCJLKMBQ== 903 | dependencies: 904 | encodeurl "~1.0.2" 905 | escape-html "~1.0.3" 906 | parseurl "~1.3.3" 907 | send "0.17.2" 908 | 909 | set-blocking@~2.0.0: 910 | version "2.0.0" 911 | resolved "https://registry.yarnpkg.com/set-blocking/-/set-blocking-2.0.0.tgz#045f9782d011ae9a6803ddd382b24392b3d890f7" 912 | integrity sha1-BF+XgtARrppoA93TgrJDkrPYkPc= 913 | 914 | setprototypeof@1.2.0: 915 | version "1.2.0" 916 | resolved "https://registry.yarnpkg.com/setprototypeof/-/setprototypeof-1.2.0.tgz#66c9a24a73f9fc28cbe66b09fed3d33dcaf1b424" 917 | integrity sha512-E5LDX7Wrp85Kil5bhZv46j8jOeboKq5JMmYM3gVGdGH8xFpPWXUMsNrlODCrkoxMEeNi/XZIwuRvY4XNwYMJpw== 918 | 919 | signal-exit@^3.0.0: 920 | version "3.0.3" 921 | resolved "https://registry.yarnpkg.com/signal-exit/-/signal-exit-3.0.3.tgz#a1410c2edd8f077b08b4e253c8eacfcaf057461c" 922 | integrity sha512-VUJ49FC8U1OxwZLxIbTTrDvLnf/6TDgxZcK8wxR8zs13xpx7xbG60ndBlhNrFi2EMuFRoeDoJO7wthSLq42EjA== 923 | 924 | "statuses@>= 1.5.0 < 2", statuses@~1.5.0: 925 | version "1.5.0" 926 | resolved "https://registry.yarnpkg.com/statuses/-/statuses-1.5.0.tgz#161c7dac177659fd9811f43771fa99381478628c" 927 | integrity sha1-Fhx9rBd2Wf2YEfQ3cfqZOBR4Yow= 928 | 929 | string-width@^1.0.1: 930 | version "1.0.2" 931 | resolved "https://registry.yarnpkg.com/string-width/-/string-width-1.0.2.tgz#118bdf5b8cdc51a2a7e70d211e07e2b0b9b107d3" 932 | integrity sha1-EYvfW4zcUaKn5w0hHgfisLmxB9M= 933 | dependencies: 934 | code-point-at "^1.0.0" 935 | is-fullwidth-code-point "^1.0.0" 936 | strip-ansi "^3.0.0" 937 | 938 | "string-width@^1.0.2 || 2": 939 | version "2.1.1" 940 | resolved "https://registry.yarnpkg.com/string-width/-/string-width-2.1.1.tgz#ab93f27a8dc13d28cac815c462143a6d9012ae9e" 941 | integrity sha512-nOqH59deCq9SRHlxq1Aw85Jnt4w6KvLKqWVik6oA9ZklXLNIOlqg4F2yrT1MVaTjAqvVwdfeZ7w7aCvJD7ugkw== 942 | dependencies: 943 | is-fullwidth-code-point "^2.0.0" 944 | strip-ansi "^4.0.0" 945 | 946 | string_decoder@~1.1.1: 947 | version "1.1.1" 948 | resolved "https://registry.yarnpkg.com/string_decoder/-/string_decoder-1.1.1.tgz#9cf1611ba62685d7030ae9e4ba34149c3af03fc8" 949 | integrity sha512-n/ShnvDi6FHbbVfviro+WojiFzv+s8MPMHBczVePfUpDJLwoLT0ht1l4YwBCbi8pJAveEEdnkHyPyTP/mzRfwg== 950 | dependencies: 951 | safe-buffer "~5.1.0" 952 | 953 | strip-ansi@^3.0.0, strip-ansi@^3.0.1: 954 | version "3.0.1" 955 | resolved "https://registry.yarnpkg.com/strip-ansi/-/strip-ansi-3.0.1.tgz#6a385fb8853d952d5ff05d0e8aaf94278dc63dcf" 956 | integrity sha1-ajhfuIU9lS1f8F0Oiq+UJ43GPc8= 957 | dependencies: 958 | ansi-regex "^2.0.0" 959 | 960 | strip-ansi@^4.0.0: 961 | version "4.0.0" 962 | resolved "https://registry.yarnpkg.com/strip-ansi/-/strip-ansi-4.0.0.tgz#a8479022eb1ac368a871389b635262c505ee368f" 963 | integrity sha1-qEeQIusaw2iocTibY1JixQXuNo8= 964 | dependencies: 965 | ansi-regex "^3.0.0" 966 | 967 | strip-json-comments@~2.0.1: 968 | version "2.0.1" 969 | resolved "https://registry.yarnpkg.com/strip-json-comments/-/strip-json-comments-2.0.1.tgz#3c531942e908c2697c0ec344858c286c7ca0a60a" 970 | integrity sha1-PFMZQukIwml8DsNEhYwobHygpgo= 971 | 972 | tar@^4.4.2: 973 | version "4.4.19" 974 | resolved "https://registry.yarnpkg.com/tar/-/tar-4.4.19.tgz#2e4d7263df26f2b914dee10c825ab132123742f3" 975 | integrity sha512-a20gEsvHnWe0ygBY8JbxoM4w3SJdhc7ZAuxkLqh+nvNQN2IOt0B5lLgM490X5Hl8FF0dl0tOf2ewFYAlIFgzVA== 976 | dependencies: 977 | chownr "^1.1.4" 978 | fs-minipass "^1.2.7" 979 | minipass "^2.9.0" 980 | minizlib "^1.3.3" 981 | mkdirp "^0.5.5" 982 | safe-buffer "^5.2.1" 983 | yallist "^3.1.1" 984 | 985 | toidentifier@1.0.1: 986 | version "1.0.1" 987 | resolved "https://registry.yarnpkg.com/toidentifier/-/toidentifier-1.0.1.tgz#3be34321a88a820ed1bd80dfaa33e479fbb8dd35" 988 | integrity sha512-o5sSPKEkg/DIQNmH43V0/uerLrpzVedkUh8tGNvaeXpfpuwjKenlSox/2O/BTlZUtEe+JG7s5YhEz608PlAHRA== 989 | 990 | type-is@~1.6.18: 991 | version "1.6.18" 992 | resolved "https://registry.yarnpkg.com/type-is/-/type-is-1.6.18.tgz#4e552cd05df09467dcbc4ef739de89f2cf37c131" 993 | integrity sha512-TkRKr9sUTxEH8MdfuCSP7VizJyzRNMjj2J2do2Jr3Kym598JVdEksuzPQCnlFPW4ky9Q+iA+ma9BGm06XQBy8g== 994 | dependencies: 995 | media-typer "0.3.0" 996 | mime-types "~2.1.24" 997 | 998 | unpipe@1.0.0, unpipe@~1.0.0: 999 | version "1.0.0" 1000 | resolved "https://registry.yarnpkg.com/unpipe/-/unpipe-1.0.0.tgz#b2bf4ee8514aae6165b4817829d21b2ef49904ec" 1001 | integrity sha1-sr9O6FFKrmFltIF4KdIbLvSZBOw= 1002 | 1003 | util-deprecate@~1.0.1: 1004 | version "1.0.2" 1005 | resolved "https://registry.yarnpkg.com/util-deprecate/-/util-deprecate-1.0.2.tgz#450d4dc9fa70de732762fbd2d4a28981419a0ccf" 1006 | integrity sha1-RQ1Nyfpw3nMnYvvS1KKJgUGaDM8= 1007 | 1008 | utils-merge@1.0.1: 1009 | version "1.0.1" 1010 | resolved "https://registry.yarnpkg.com/utils-merge/-/utils-merge-1.0.1.tgz#9f95710f50a267947b2ccc124741c1028427e713" 1011 | integrity sha1-n5VxD1CiZ5R7LMwSR0HBAoQn5xM= 1012 | 1013 | vary@~1.1.2: 1014 | version "1.1.2" 1015 | resolved "https://registry.yarnpkg.com/vary/-/vary-1.1.2.tgz#2299f02c6ded30d4a5961b0b9f74524a18f634fc" 1016 | integrity sha1-IpnwLG3tMNSllhsLn3RSShj2NPw= 1017 | 1018 | wide-align@^1.1.0: 1019 | version "1.1.3" 1020 | resolved "https://registry.yarnpkg.com/wide-align/-/wide-align-1.1.3.tgz#ae074e6bdc0c14a431e804e624549c633b000457" 1021 | integrity sha512-QGkOQc8XL6Bt5PwnsExKBPuMKBxnGxWWW3fU55Xt4feHozMUhdUMaBCk290qpm/wG5u/RSKzwdAC4i51YigihA== 1022 | dependencies: 1023 | string-width "^1.0.2 || 2" 1024 | 1025 | window-size@^0.1.4: 1026 | version "0.1.4" 1027 | resolved "https://registry.yarnpkg.com/window-size/-/window-size-0.1.4.tgz#f8e1aa1ee5a53ec5bf151ffa09742a6ad7697876" 1028 | integrity sha1-+OGqHuWlPsW/FR/6CXQqatdpeHY= 1029 | 1030 | wrap-ansi@^2.0.0: 1031 | version "2.1.0" 1032 | resolved "https://registry.yarnpkg.com/wrap-ansi/-/wrap-ansi-2.1.0.tgz#d8fc3d284dd05794fe84973caecdd1cf824fdd85" 1033 | integrity sha1-2Pw9KE3QV5T+hJc8rs3Rz4JP3YU= 1034 | dependencies: 1035 | string-width "^1.0.1" 1036 | strip-ansi "^3.0.1" 1037 | 1038 | wrappy@1: 1039 | version "1.0.2" 1040 | resolved "https://registry.yarnpkg.com/wrappy/-/wrappy-1.0.2.tgz#b5243d8f3ec1aa35f1364605bc0d1036e30ab69f" 1041 | integrity sha1-tSQ9jz7BqjXxNkYFvA0QNuMKtp8= 1042 | 1043 | y18n@^3.2.0: 1044 | version "3.2.2" 1045 | resolved "https://registry.yarnpkg.com/y18n/-/y18n-3.2.2.tgz#85c901bd6470ce71fc4bb723ad209b70f7f28696" 1046 | integrity sha512-uGZHXkHnhF0XeeAPgnKfPv1bgKAYyVvmNL1xlKsPYZPaIHxGti2hHqvOCQv71XMsLxu1QjergkqogUnms5D3YQ== 1047 | 1048 | yallist@^3.0.0, yallist@^3.1.1: 1049 | version "3.1.1" 1050 | resolved "https://registry.yarnpkg.com/yallist/-/yallist-3.1.1.tgz#dbb7daf9bfd8bac9ab45ebf602b8cbad0d5d08fd" 1051 | integrity sha512-a4UGQaWPH59mOXUYnAG2ewncQS4i4F43Tv3JoAM+s2VDAmS9NsK8GpDMLrCHPksFT7h3K6TOoUNn2pb7RoXx4g== 1052 | 1053 | yargs@^3.10.0: 1054 | version "3.32.0" 1055 | resolved "https://registry.yarnpkg.com/yargs/-/yargs-3.32.0.tgz#03088e9ebf9e756b69751611d2a5ef591482c995" 1056 | integrity sha1-AwiOnr+edWtpdRYR0qXvWRSCyZU= 1057 | dependencies: 1058 | camelcase "^2.0.1" 1059 | cliui "^3.0.3" 1060 | decamelize "^1.1.1" 1061 | os-locale "^1.4.0" 1062 | string-width "^1.0.1" 1063 | window-size "^0.1.4" 1064 | y18n "^3.2.0" 1065 | --------------------------------------------------------------------------------