diff options
28 files changed, 2053 insertions, 1098 deletions
| diff --git a/backend/main.go b/backend/main.go index 57e6ab2..0bd5ebf 100644 --- a/backend/main.go +++ b/backend/main.go @@ -10,27 +10,38 @@ import _ "github.com/lib/pq"  import "database/sql"  import "encoding/json" -type APIError struct { +type APIStatus struct {  	Code int  	Msg  string  } -type APIDataIds struct { -	Ids interface{} +type APIResponse struct { +	Status APIStatus +	Data   interface{}  } -type APIDataRecipe struct { -	Recipe interface{} +func MakeAPIResponse(status int, msg string, data interface{}) *APIResponse { +	return &APIResponse{ +		Status: APIStatus{ +			Code: status, +			Msg:  msg, +		}, +		Data: data, +	}  } -type APIResponseList struct { -	Status APIError -	Data   []APIDataIds -} +func sendResponse(w http.ResponseWriter, code int, msg string, data interface{}) { +	w.Header().Set("Access-Control-Allow-Origin", "*") //Enable CORS +	w.Header().Set("Content-Type", +		"application/json; charset=UTF-8") + +	w.WriteHeader(code) + +	resp := MakeAPIResponse(code, msg, data) -type APIResponseItem struct { -	Status APIError -	Data   []APIDataRecipe +	if err := json.NewEncoder(w).Encode(resp); err != nil { +		panic(err) +	}  }  func RecipeList(w http.ResponseWriter, r *http.Request) { @@ -48,19 +59,8 @@ func RecipeList(w http.ResponseWriter, r *http.Request) {  			}  		} -		resp := APIResponseList{ -			Status: APIError{Code: 200, Msg: "Successful Request"}, -			Data:   make([]APIDataIds, 0), -		} -		resp.Data = append(resp.Data, APIDataIds{Ids: ids}) +		sendResponse(w, http.StatusOK, "Successful Request", ids) -		w.Header().Set("Content-Type", -			"application/json; charset=UTF-8") -		w.WriteHeader(http.StatusOK) -		if err := json.NewEncoder(w).Encode(resp); err != nil { -			panic(err) -		} -		return  	} else if r.Method == "POST" {  		var recipe *Recipe @@ -77,109 +77,46 @@ func RecipeList(w http.ResponseWriter, r *http.Request) {  		err = json.Unmarshal(body, &recipe)  		if err != nil {  			fmt.Println(err) -			w.WriteHeader(http.StatusUnprocessableEntity) -			w.Header().Set("Content-Type", -				"application/json; charset=UTF-8") -			resp := APIResponseItem{ -				Status: APIError{ -					Code: http.StatusUnprocessableEntity, -					Msg:  "Invalid Recipe"}, -				Data: make([]APIDataRecipe, 0), -			} - -			err := json.NewEncoder(w).Encode(resp) -			if err != nil { -				panic(err) -			} +			sendResponse(w, http.StatusUnprocessableEntity, +				"Invalid Recipe", nil)  			return  		}  		err = AddRecipeDB(recipe, db)  		if err != nil {  			fmt.Println(err) -			resp := APIResponseItem{ -				Status: APIError{Code: http.StatusBadRequest, -					Msg: "Recipe could not be added"}, -				Data: make([]APIDataRecipe, 0), -			} - -			resp.Data = append(resp.Data, APIDataRecipe{recipe}) - -			w.Header().Set("Content-Type", -				"application/json; charset=UTF-8") -			w.WriteHeader(http.StatusBadRequest) -			if err := json.NewEncoder(w).Encode(resp); err != nil { -				panic(err) -			} +			sendResponse(w, http.StatusBadRequest, +				"Recipe could not be added", recipe)  			return  		} -		resp := APIResponseItem{ -			Status: APIError{Code: http.StatusCreated, -				Msg: "Recipe added successfully"}, -			Data: make([]APIDataRecipe, 0), -		} +		sendResponse(w, http.StatusCreated, "Recipe added successfully", +			recipe) -		resp.Data = append(resp.Data, APIDataRecipe{recipe}) +	} else { +		sendResponse(w, http.StatusMethodNotAllowed, "Invalid method", +			nil) -		w.Header().Set("Content-Type", "application/json; charset=UTF-8") -		w.WriteHeader(http.StatusCreated) -		if err := json.NewEncoder(w).Encode(resp); err != nil { -			panic(err) -		} - -		return -	} - -	resp := APIResponseItem{ -		Status: APIError{Code: http.StatusMethodNotAllowed, -			Msg: "Invalid method"}, -		Data: nil, -	} - -	w.Header().Set("Content-Type", -		"application/json; charset=UTF-8") -	w.WriteHeader(http.StatusMethodNotAllowed) -	if err := json.NewEncoder(w).Encode(resp); err != nil { -		panic(err)  	}  }  func SingleRecipe(w http.ResponseWriter, r *http.Request) { +	w.Header().Set("Access-Control-Allow-Origin", "*") //Enable CORS +  	recipe_id, err := strconv.Atoi(r.URL.Path[len("/recipes/"):])  	if err != nil {  		fmt.Println("Not a valid ID")  		return  	}  	if r.Method == "GET" { -		var status int -		var msg string -  		recipe := RecipeFromId(recipe_id, db)  		if recipe == nil { -			status = http.StatusNotFound -			msg = "Recipe not Found" +			sendResponse(w, http.StatusNotFound, "Recipe not Found", +				nil)  		} else { -			status = http.StatusOK -			msg = "Successful" -		} - -		resp := APIResponseItem{ -			Status: APIError{Code: status, Msg: msg}, -			Data:   make([]APIDataRecipe, 0), -		} - -		if status == http.StatusOK { -			resp.Data = append(resp.Data, APIDataRecipe{recipe}) +			sendResponse(w, http.StatusOK, "Successful", recipe)  		} -		w.Header().Set("Content-Type", "application/json; charset=UTF-8") -		w.WriteHeader(http.StatusOK) -		if err := json.NewEncoder(w).Encode(resp); err != nil { -			panic(err) -		} - -		return  	} else if r.Method == "POST" {  		var status int  		row := db.QueryRow(`SELECT id FROM recipes WHERE id = $1`, @@ -192,18 +129,9 @@ func SingleRecipe(w http.ResponseWriter, r *http.Request) {  		} else {  			status = http.StatusConflict  		} -		resp := APIResponseItem{ -			Status: APIError{Code: status, Msg: "Cannot add to specific resource"}, -			Data:   nil, -		} -		w.Header().Set("Content-Type", -			"application/json; charset=UTF-8") -		w.WriteHeader(status) -		if err := json.NewEncoder(w).Encode(resp); err != nil { -			panic(err) -		} -		return +		sendResponse(w, status, "Cannot add to specific resource", +			nil)  	} else if r.Method == "PUT" {  		var recipe *Recipe @@ -220,17 +148,8 @@ func SingleRecipe(w http.ResponseWriter, r *http.Request) {  		err = json.Unmarshal(body, &recipe)  		if err != nil {  			fmt.Println(err) -			w.WriteHeader(http.StatusUnprocessableEntity) -			w.Header().Set("Content-Type", "application/json; charset=UTF-8") -			resp := APIResponseItem{ -				Status: APIError{ -					Code: http.StatusUnprocessableEntity, -					Msg:  "Invalid Recipe"}, -				Data: make([]APIDataRecipe, 0), -			} -			if err := json.NewEncoder(w).Encode(resp); err != nil { -				panic(err) -			} +			sendResponse(w, http.StatusUnprocessableEntity, +				"Invalid Recipe", nil)  			return  		} @@ -239,38 +158,15 @@ func SingleRecipe(w http.ResponseWriter, r *http.Request) {  		err = UpdateRecipeDB(recipe, db)  		if err != nil {  			fmt.Println(err) -			resp := APIResponseItem{ -				Status: APIError{Code: http.StatusBadRequest, -					Msg: "Recipe could not be updated"}, -				Data: make([]APIDataRecipe, 0), -			} +			sendResponse(w, http.StatusBadRequest, +				"Recipe could not be updated", recipe) -			resp.Data = append(resp.Data, APIDataRecipe{recipe}) - -			w.Header().Set("Content-Type", -				"application/json; charset=UTF-8") -			w.WriteHeader(http.StatusBadRequest) -			if err := json.NewEncoder(w).Encode(resp); err != nil { -				panic(err) -			}  			return  		} -		resp := APIResponseItem{ -			Status: APIError{Code: http.StatusCreated, -				Msg: "Recipe added successfully"}, -			Data: make([]APIDataRecipe, 0), -		} - -		resp.Data = append(resp.Data, APIDataRecipe{recipe}) - -		w.Header().Set("Content-Type", "application/json; charset=UTF-8") -		w.WriteHeader(http.StatusCreated) -		if err := json.NewEncoder(w).Encode(resp); err != nil { -			panic(err) -		} +		sendResponse(w, http.StatusCreated, "Recipe added successfully", +			recipe) -		return  	} else if r.Method == "DELETE" {  		res, err := db.Exec(`DELETE FROM recipes where id = $1`, @@ -279,42 +175,17 @@ func SingleRecipe(w http.ResponseWriter, r *http.Request) {  			panic(err)  		} -		var status int -		var msg string  		if ra, _ := res.RowsAffected(); ra == 0 { -			status = http.StatusNotFound -			msg = "Recipe Not found" +			sendResponse(w, http.StatusNotFound, "Recipe Not found", +				nil)  		} else { -			status = http.StatusOK -			msg = "Recipe Deleted Successfully" +			sendResponse(w, http.StatusOK, +				"Recipe Deleted Successfully", nil)  		} -		resp := APIResponseItem{ -			Status: APIError{Code: status, Msg: msg}, -			Data:   make([]APIDataRecipe, 0), -		} - -		w.Header().Set("Content-Type", -			"application/json; charset=UTF-8") -		w.WriteHeader(http.StatusOK) -		if err := json.NewEncoder(w).Encode(resp); err != nil { -			panic(err) -		} - -		return -	} - -	resp := APIResponseItem{ -		Status: APIError{Code: http.StatusMethodNotAllowed, -			Msg: "Invalid method"}, -		Data: nil, -	} - -	w.Header().Set("Content-Type", -		"application/json; charset=UTF-8") -	w.WriteHeader(http.StatusMethodNotAllowed) -	if err := json.NewEncoder(w).Encode(resp); err != nil { -		panic(err) +	} else { +		sendResponse(w, http.StatusMethodNotAllowed, "Invalid method", +			nil)  	}  } @@ -335,8 +206,13 @@ func main() {  	dbinfo := fmt.Sprintf("user=%s password=%s dbname=%s sslmode=disable",  		DB_USER, DB_PASSWORD, DB_NAME)  	db, err = sql.Open("postgres", dbinfo) -	if err != nil || db.Ping() != nil { -		fmt.Println("Error connecting to database") +	if err != nil { +		panic(err) +	} + +	err = db.Ping() +	if err != nil { +		panic(err)  	}  	http.HandleFunc("/recipes", RecipeList) diff --git a/backend/readme.adoc b/backend/readme.adoc new file mode 100644 index 0000000..0dec0b2 --- /dev/null +++ b/backend/readme.adoc @@ -0,0 +1,197 @@ +Backend API +=========== +Tucker Evans +v1.0, November 22, 2019 + +This REST API allows you to access recipe information in our database with +simple HTTP requests. There is currently no authentication/authorization of +clients. It return recipes in JSON format together with some status information +about the request. + +JSON format +----------- +The current implementation expects (and returns) recipes in the form: + +.Recipe JSON +[source,json] +---- +{ +	"Id": 0, +	"Title": "Recipe Title", +	"Desc": "Recipe Description", +	"Photos": [ +		"photo_url_1", +		"photo_url_2" +	], +	"Serving_size": 0, +	"Cook_time": 0, +	"Rating": 0, +	"Num_cooked": 0, +	"Keywords": [ +		"keyword 1", +		"keyword 2", +		"keyword 3" +	], +	"Ingredients": [ +		{ +			"Name": "Ingredient 1 Name", +			"Amount": 1.0, +			"Unit": "Ingredient Units" +		}, +	], +	"Steps": [ +		{ +			"Num": 0, +			"Desc": "Step Instructions/Description", +			"Time": 0 +		} +	] +} + +---- +[NOTE] +`"Id"` is not required for a POST request, and will be ignored. + +[IMPORTANT] +Keywords and Photo URLs are currently stored as pipe separated values, the +parsing of which is not complete and as such there is a extra empty string +(`""`) is appended to these lists in the response (it is not required in +requests) + +.Response JSON +[source,json] +---- +{ +	"Status": { +		"Code": 200, +		"Msg": "Successful" +	}, +	"Data": "<DATA>" +} +---- +[NOTE] +Data will either be a Recipe object or a list of recipe ids (null is also a +valid value). + +Status Codes +~~~~~~~~~~~~ +Status codes are based on https://httpstatuses.com/[HTTP status codes]. + +.Currently Used +- 200 OK +- 201 Created +- 400 Bad Request +- 404 Not Found +- 405 Method Not Allowed +- 409 Conflict +- 422 Unprocessable Entity +- _500 Internal Server Error_ (not yet implemented) + +The messages included in the status section are meant to be human readable +descriptions of any error. + +Usage +----- +This api is currently availiable with a base URL of +http://api.recipebuddy.xyz:8888. + +CRUD Interface +~~~~~~~~~~~~~~ + +NOTE: Examples are run with a database that contains 1 recipe (you can see the +		initial contents of this recipe in the read example). + +Create +^^^^^^ +Creating a recipe is done by sending a `POST` HTTP request to the location +http://api.recipebuddy.xyz:8888/recipes[`/recipes`], with a body containing a +recipe object in JSON form: +[source,bash] +---- +$ curl -X POST api.recipebuddy.xyz:8888/recipes -d ' +{ +	"Title":"Test Recipe 2", +	"Desc":"This is a descripiton for the test recipe", +	"Photos":["photo_url_1","photo_url_2"], +	"Serving_size":0, +	"Cook_time":60, +	"Rating":5, +	"Keywords":["keyword_1", "keyword_2","keyword_3"], +	"Ingredients":[ +		{"Name":"INGR 1","Amount":2.5,"Unit":"cups"}, +		{"Name":"INGR 2","Amount":1,"Unit":"oz"} +	], +	"Steps":[ +		{"Num":1,"Desc":"Step 1: Do this first","Time":10} +	] +}' + +{"Status":{"Code":201,"Msg":"Recipe added successfully"},"Data":{"Id":2,"Title":"Test Recipe 2","Desc":"This is a descripiton for the test recipe","Photos":["photo_url_1","photo_url_2"],"Serving_size":0,"Cook_time":60,"Rating":5,"Num_cooked":0,"Keywords":["keyword_1","keyword_2","keyword_3"],"Ingredients":[{"Name":"INGR 1","Amount":2.5,"Unit":"cups"},{"Name":"INGR 2","Amount":1,"Unit":"oz"}],"Steps":[{"Num":1,"Desc":"Step 1: Do this first","Time":10}]}} +---- + +Read +^^^^ +Reading a recipe is done by sending a `GET` HTTP request to the location +http://api.recipebuddy.xyz:8888/recipes/0[`/recipes/{id}`], the HTTP body is ignored. + +[source,bash] +---- +$ curl -X GET api.recipebuddy.xyz:8888/recipes/1 + +{"Status":{"Code":200,"Msg":"Successful"},"Data":{"Id":1,"Title":"Test Recipe","Desc":"This is a descripiton for the test recipe","Photos":["photo_url_1","photo_url_2",""],"Serving_size":0,"Cook_time":60,"Rating":5,"Num_cooked":0,"Keywords":["keyword_1","keyword_2","keyword_3",""],"Ingredients":[{"Name":"INGR 1","Amount":2.5,"Unit":"cups"},{"Name":"INGR 2","Amount":1,"Unit":"oz"}],"Steps":[{"Num":1,"Desc":"Step 1: Do this first","Time":10}]}} +---- + +To access a list of all recipe ids in the database send a `GET` request to +http://api.recipebuddy.xyz:8888/recipes[`/recipes`], the HTTP body is ignored. +[source,bash] +---- +curl -X GET api.recipebuddy.xyz:8888/recipes +{"Status":{"Code":200,"Msg":"Successful Request"},"Data":[1,2]} +---- + +Update +^^^^^^ +Updating a recipe is done by sending a `PUT` HTTP request to +http://api.recipebuddy.xyz:8888/recipes/0[`recipes/{id}`], the HTTP body should be a +complete recipe in JSON form. +[source,bash] +---- +$ curl -X PUT localhost:8888/recipes/1 -d ' +{ +	"Id": 1, +	"Title":"Test Recipe 1", +	"Desc":"This is a descripiton for the test recipe", +	"Photos":[ "photo_url_1", "photo_url_2" ], +	"Serving_size":0, +	"Cook_time":60, +	"Rating":5, +	"Keywords":[ "keyword_1", "keyword_2", "keyword_3" ], +	"Ingredients":[ +		{ "Name":"INGR 1", "Amount":2.5, "Unit":"cups" }, +		{ "Name":"INGR 2", "Amount":1, "Unit":"oz" } +	], +	"Steps":[ +		{ "Num":0, "Desc":"Step 1: Do this first", "Time":10 } +	] +}' + +{"Status":{"Code":201,"Msg":"Recipe added successfully"},"Data":{"Id":1,"Title":"Test Recipe 1","Desc":"This is a descripiton for the test recipe","Photos":["photo_url_1","photo_url_2"],"Serving_size":0,"Cook_time":60,"Rating":5,"Num_cooked":0,"Keywords":["keyword_1","keyword_2","keyword_3"],"Ingredients":[{"Name":"INGR 1","Amount":2.5,"Unit":"cups"},{"Name":"INGR 2","Amount":1,"Unit":"oz"}],"Steps":[{"Num":0,"Desc":"Step 1: Do this first","Time":10}]}} + +---- +[WARNING] +Any recipe information not included in the request will be removed from the +database. + +Delete +^^^^^^ +Deleting a recipe is done by sending a `DELETE` HTTP request to  +http://api.recipebuddy.xyz:8888/recipes/0[`recipes/{id}`], the HTTP body is ignored. +[source,bash] +---- +$ curl -X DELETE api.recipebuddy.xyz:8888/recipes/2 +{"Status":{"Code":200,"Msg":"Recipe Deleted Successfully"},"Data":null} +$ curl -X GET api.recipebuddy.xyz:8888/recipes +{"Status":{"Code":200,"Msg":"Successful Request"},"Data":[1]} +---- +[WARNING] +This is currently a *HARD* delete. diff --git a/backend/recipe.go b/backend/recipe.go index fed83ca..a3191c3 100644 --- a/backend/recipe.go +++ b/backend/recipe.go @@ -1,33 +1,32 @@  package main  import "database/sql" -import "errors"  import "strings"  type Ingredient struct { -	Name   string -	Amount float64 -	Unit   string +	Name   string  `json:"name"` +	Amount float64 `json:"amount"` +	Unit   string  `json:"units"` +	Type   string  `json:"type"`  }  type Step struct { -	Num  int -	Desc string -	Time int +	Desc string `json:"instructions"` +	Time int    `json:"timer"`  }  type Recipe struct { -	Id           int -	Title        string -	Desc         string -	Photos       []string -	Serving_size int -	Cook_time    int -	Rating       int -	Num_cooked   int -	Keywords     []string -	Ingredients  []Ingredient -	Steps        []Step +	Id           int          `json:"id"` +	Title        string       `json:"name"` +	Desc         string       `json:"description"` +	Photos       []string     `json:"photos"` +	Serving_size int          `json:"servingSize"` +	Cook_time    int          `json:"cookTime"` +	Rating       int          `json:"rating"` +	Num_cooked   int          `json:"timesCooked"` +	Keywords     []string     `json:"tags"` +	Ingredients  []Ingredient `json:"ingredients"` +	Steps        []Step       `json:"steps"`  }  func MakeRecipe() *Recipe { @@ -114,13 +113,12 @@ func RecipeFromId(id int, db *sql.DB) *Recipe {  	var num, timer int  	rows_steps, err := db.Query(`SELECT step, description, timer -			FROM steps WHERE recipe_id = $1`, id) +			FROM steps WHERE recipe_id = $1 ORDER BY step`, id)  	defer rows_steps.Close()  	if err == nil {  		for rows_steps.Next() {  			rows_steps.Scan(&num, &desc, &timer)  			step = Step{ -				Num:  num,  				Desc: desc,  				Time: timer,  			} @@ -189,7 +187,7 @@ func AddRecipeDB(r *Recipe, db *sql.DB) error {  		res, err := tx.Exec(`INSERT INTO steps  				(step, description, timer, recipe_id)  				VALUES ($1, $2, $3, $4)`, -			step.Num, +			i,  			step.Desc,  			step.Time,  			id, @@ -279,10 +277,6 @@ func UpdateRecipeDB(r *Recipe, db *sql.DB) error {  	}  	for i, step := range r.Steps { -		if step.Num != 0 { -			tx.Rollback() -			return errors.New("invalid json Recipe") -		}  		_, err := tx.Exec(`INSERT INTO steps  				(step, description, timer, recipe_id)  				VALUES ($1, $2, $3, $4) diff --git a/backend/todo.txt b/backend/todo.txt index cb074a4..ae57ec0 100644 --- a/backend/todo.txt +++ b/backend/todo.txt @@ -1 +1,3 @@ -Add Error responses for incorrect methods +Refactor Response creation +Handle PSV parsing (rm empty string at end, or rm last pipe when creating item) +Fix Update (steps != 0) diff --git a/recipeBuddy/package-lock.json b/recipeBuddy/package-lock.json index 03e391d..dcb6c6d 100644 --- a/recipeBuddy/package-lock.json +++ b/recipeBuddy/package-lock.json @@ -15,18 +15,18 @@        }      },      "@angular-devkit/build-angular": { -      "version": "0.803.4", -      "resolved": "https://registry.npmjs.org/@angular-devkit/build-angular/-/build-angular-0.803.4.tgz", -      "integrity": "sha512-tL0MdAPtUjqG+F6Hc0xhaKb2gk8g55AeBjSZognlJkqPRS+b+gF1qDmyW0n5HXbyDk+zIGZyvYpzkBBL8VI6bg==", +      "version": "0.803.19", +      "resolved": "https://registry.npmjs.org/@angular-devkit/build-angular/-/build-angular-0.803.19.tgz", +      "integrity": "sha512-GCnwOe3PVYVcTwaj8cU7XvmjeTdoX7NgPBm9Pp3UuPi2lDQG27mdz57F1aMXGPZRU2P03EdCaiXoS/4h4+4gmg==",        "dev": true,        "requires": { -        "@angular-devkit/architect": "0.803.4", -        "@angular-devkit/build-optimizer": "0.803.4", -        "@angular-devkit/build-webpack": "0.803.4", -        "@angular-devkit/core": "8.3.4", +        "@angular-devkit/architect": "0.803.19", +        "@angular-devkit/build-optimizer": "0.803.19", +        "@angular-devkit/build-webpack": "0.803.19", +        "@angular-devkit/core": "8.3.19",          "@babel/core": "7.5.5",          "@babel/preset-env": "7.5.5", -        "@ngtools/webpack": "8.3.4", +        "@ngtools/webpack": "8.3.19",          "ajv": "6.10.2",          "autoprefixer": "9.6.1",          "browserslist": "4.6.6", @@ -40,6 +40,7 @@          "find-cache-dir": "3.0.0",          "glob": "7.1.4",          "istanbul-instrumenter-loader": "3.0.1", +        "jest-worker": "24.9.0",          "karma-source-map-support": "1.4.0",          "less": "3.9.0",          "less-loader": "5.0.0", @@ -65,23 +66,47 @@          "style-loader": "1.0.0",          "stylus": "0.54.5",          "stylus-loader": "3.0.2", -        "terser": "4.1.4", +        "terser": "4.3.9",          "terser-webpack-plugin": "1.4.1",          "tree-kill": "1.2.1",          "webpack": "4.39.2", -        "webpack-dev-middleware": "3.7.0", -        "webpack-dev-server": "3.8.0", +        "webpack-dev-middleware": "3.7.2", +        "webpack-dev-server": "3.9.0",          "webpack-merge": "4.2.1",          "webpack-sources": "1.4.3",          "webpack-subresource-integrity": "1.1.0-rc.6", -        "worker-farm": "1.7.0",          "worker-plugin": "3.2.0" +      }, +      "dependencies": { +        "@angular-devkit/architect": { +          "version": "0.803.19", +          "resolved": "https://registry.npmjs.org/@angular-devkit/architect/-/architect-0.803.19.tgz", +          "integrity": "sha512-ttWVQyks//9+EOeRbZbRll1hA3RVGzW2SYWy5swEBI4vKYaKDED5mehVZUP5NUtvJaMm5yLOiK4pg0l4l4VA6Q==", +          "dev": true, +          "requires": { +            "@angular-devkit/core": "8.3.19", +            "rxjs": "6.4.0" +          } +        }, +        "@angular-devkit/core": { +          "version": "8.3.19", +          "resolved": "https://registry.npmjs.org/@angular-devkit/core/-/core-8.3.19.tgz", +          "integrity": "sha512-NTNxSpRB6zMlqsuWLHs2F6QuypIb/XUitMkJy2P7Ee3kZfCYvvH9cCkiQqkwEhKw6J01qKeXwOElmxnqmF291w==", +          "dev": true, +          "requires": { +            "ajv": "6.10.2", +            "fast-json-stable-stringify": "2.0.0", +            "magic-string": "0.25.3", +            "rxjs": "6.4.0", +            "source-map": "0.7.3" +          } +        }        }      },      "@angular-devkit/build-optimizer": { -      "version": "0.803.4", -      "resolved": "https://registry.npmjs.org/@angular-devkit/build-optimizer/-/build-optimizer-0.803.4.tgz", -      "integrity": "sha512-VGkHCyU/OC0BoTeoERb0cFG00Ippjhtx2du+7JgwGNU1GF+g2H6Ka1NJRQf/TrwgH5ATmagvlTKQRDOMo51jqg==", +      "version": "0.803.19", +      "resolved": "https://registry.npmjs.org/@angular-devkit/build-optimizer/-/build-optimizer-0.803.19.tgz", +      "integrity": "sha512-7chgsnEYZWMLpdYvsw64o5b+F0XRZr7zJd5LtbTF7mFYafcD+bUyaMOjWLup1G/VWv8xGXEsdm8Z1sWhis8LZw==",        "dev": true,        "requires": {          "loader-utils": "1.2.3", @@ -92,15 +117,39 @@        }      },      "@angular-devkit/build-webpack": { -      "version": "0.803.4", -      "resolved": "https://registry.npmjs.org/@angular-devkit/build-webpack/-/build-webpack-0.803.4.tgz", -      "integrity": "sha512-IbXoKyhdfaza+K8orCwDx3r7C/8qaTwiXUlarW/adoH5XBwzAtYGGsMmmWRffBnBiZtI2LT3VK21QAostklNxg==", +      "version": "0.803.19", +      "resolved": "https://registry.npmjs.org/@angular-devkit/build-webpack/-/build-webpack-0.803.19.tgz", +      "integrity": "sha512-FdNxR47QCUts00z4jLVFot37m08QwGlUnjcYHFg6xPLvJzR2MuLpl0MrpWCdI82NCgCqCkNoQ8yrSDKuOY7Iug==",        "dev": true,        "requires": { -        "@angular-devkit/architect": "0.803.4", -        "@angular-devkit/core": "8.3.4", -        "rxjs": "6.4.0", -        "webpack-merge": "4.2.1" +        "@angular-devkit/architect": "0.803.19", +        "@angular-devkit/core": "8.3.19", +        "rxjs": "6.4.0" +      }, +      "dependencies": { +        "@angular-devkit/architect": { +          "version": "0.803.19", +          "resolved": "https://registry.npmjs.org/@angular-devkit/architect/-/architect-0.803.19.tgz", +          "integrity": "sha512-ttWVQyks//9+EOeRbZbRll1hA3RVGzW2SYWy5swEBI4vKYaKDED5mehVZUP5NUtvJaMm5yLOiK4pg0l4l4VA6Q==", +          "dev": true, +          "requires": { +            "@angular-devkit/core": "8.3.19", +            "rxjs": "6.4.0" +          } +        }, +        "@angular-devkit/core": { +          "version": "8.3.19", +          "resolved": "https://registry.npmjs.org/@angular-devkit/core/-/core-8.3.19.tgz", +          "integrity": "sha512-NTNxSpRB6zMlqsuWLHs2F6QuypIb/XUitMkJy2P7Ee3kZfCYvvH9cCkiQqkwEhKw6J01qKeXwOElmxnqmF291w==", +          "dev": true, +          "requires": { +            "ajv": "6.10.2", +            "fast-json-stable-stringify": "2.0.0", +            "magic-string": "0.25.3", +            "rxjs": "6.4.0", +            "source-map": "0.7.3" +          } +        }        }      },      "@angular-devkit/core": { @@ -134,6 +183,23 @@          "tslib": "^1.9.0"        }      }, +    "@angular/cdk": { +      "version": "8.2.3", +      "resolved": "https://registry.npmjs.org/@angular/cdk/-/cdk-8.2.3.tgz", +      "integrity": "sha512-ZwO5Sn720RA2YvBqud0JAHkZXjmjxM0yNzCO8RVtRE9i8Gl26Wk0j0nQeJkVm4zwv2QO8MwbKUKGTMt8evsokA==", +      "requires": { +        "parse5": "^5.0.0", +        "tslib": "^1.7.1" +      }, +      "dependencies": { +        "parse5": { +          "version": "5.1.1", +          "resolved": "https://registry.npmjs.org/parse5/-/parse5-5.1.1.tgz", +          "integrity": "sha512-ugq4DFI0Ptb+WWjAdOK16+u/nHfiIrcE+sh8kZMaM0WllQKLI9rOUq6c2b7cwPkXdzfQESqvoqK6ug7U/Yyzug==", +          "optional": true +        } +      } +    },      "@angular/cli": {        "version": "8.3.4",        "resolved": "https://registry.npmjs.org/@angular/cli/-/cli-8.3.4.tgz", @@ -987,6 +1053,14 @@        "integrity": "sha512-43h8WFJsk0wK5v1AaTjvDppb0y1ReKEuOkvlcBffb+IIYM8pwuiIvMYGnjstV1jvOd80HPO5wQ8gXhutY52fpQ==",        "dev": true      }, +    "@angular/material": { +      "version": "8.2.3", +      "resolved": "https://registry.npmjs.org/@angular/material/-/material-8.2.3.tgz", +      "integrity": "sha512-SOczkIaqes+r+9XF/UUiokidfFKBpHkOPIaFK857sFD0FBNPvPEpOr5oHKCG3feERRwAFqHS7Wo2ohVEWypb5A==", +      "requires": { +        "tslib": "^1.7.1" +      } +    },      "@angular/platform-browser": {        "version": "8.2.6",        "resolved": "https://registry.npmjs.org/@angular/platform-browser/-/platform-browser-8.2.6.tgz", @@ -1043,9 +1117,9 @@        },        "dependencies": {          "json5": { -          "version": "2.1.0", -          "resolved": "https://registry.npmjs.org/json5/-/json5-2.1.0.tgz", -          "integrity": "sha512-8Mh9h6xViijj36g7Dxi+Y4S6hNGV96vcJZr/SrlHh1LR/pEn/8j/+qIBbs44YKl69Lrfctp4QD+AdWLTMqEZAQ==", +          "version": "2.1.1", +          "resolved": "https://registry.npmjs.org/json5/-/json5-2.1.1.tgz", +          "integrity": "sha512-l+3HXD0GEI3huGq1njuqtzYK8OYJyXMkOLtQ53pjWh89tvWS2h6l+1zMkYWqlb57+SiQodKZyvMEFb2X+KrFhQ==",            "dev": true,            "requires": {              "minimist": "^1.2.0" @@ -1087,54 +1161,328 @@        }      },      "@babel/helper-annotate-as-pure": { -      "version": "7.0.0", -      "resolved": "https://registry.npmjs.org/@babel/helper-annotate-as-pure/-/helper-annotate-as-pure-7.0.0.tgz", -      "integrity": "sha512-3UYcJUj9kvSLbLbUIfQTqzcy5VX7GRZ/CCDrnOaZorFFM01aXp1+GJwuFGV4NDDoAS+mOUyHcO6UD/RfqOks3Q==", +      "version": "7.7.0", +      "resolved": "https://registry.npmjs.org/@babel/helper-annotate-as-pure/-/helper-annotate-as-pure-7.7.0.tgz", +      "integrity": "sha512-k50CQxMlYTYo+GGyUGFwpxKVtxVJi9yh61sXZji3zYHccK9RYliZGSTOgci85T+r+0VFN2nWbGM04PIqwfrpMg==",        "dev": true,        "requires": { -        "@babel/types": "^7.0.0" +        "@babel/types": "^7.7.0" +      }, +      "dependencies": { +        "@babel/types": { +          "version": "7.7.2", +          "resolved": "https://registry.npmjs.org/@babel/types/-/types-7.7.2.tgz", +          "integrity": "sha512-YTf6PXoh3+eZgRCBzzP25Bugd2ngmpQVrk7kXX0i5N9BO7TFBtIgZYs7WtxtOGs8e6A4ZI7ECkbBCEHeXocvOA==", +          "dev": true, +          "requires": { +            "esutils": "^2.0.2", +            "lodash": "^4.17.13", +            "to-fast-properties": "^2.0.0" +          } +        }        }      },      "@babel/helper-builder-binary-assignment-operator-visitor": { -      "version": "7.1.0", -      "resolved": "https://registry.npmjs.org/@babel/helper-builder-binary-assignment-operator-visitor/-/helper-builder-binary-assignment-operator-visitor-7.1.0.tgz", -      "integrity": "sha512-qNSR4jrmJ8M1VMM9tibvyRAHXQs2PmaksQF7c1CGJNipfe3D8p+wgNwgso/P2A2r2mdgBWAXljNWR0QRZAMW8w==", +      "version": "7.7.0", +      "resolved": "https://registry.npmjs.org/@babel/helper-builder-binary-assignment-operator-visitor/-/helper-builder-binary-assignment-operator-visitor-7.7.0.tgz", +      "integrity": "sha512-Cd8r8zs4RKDwMG/92lpZcnn5WPQ3LAMQbCw42oqUh4s7vsSN5ANUZjMel0OOnxDLq57hoDDbai+ryygYfCTOsw==",        "dev": true,        "requires": { -        "@babel/helper-explode-assignable-expression": "^7.1.0", -        "@babel/types": "^7.0.0" +        "@babel/helper-explode-assignable-expression": "^7.7.0", +        "@babel/types": "^7.7.0" +      }, +      "dependencies": { +        "@babel/types": { +          "version": "7.7.2", +          "resolved": "https://registry.npmjs.org/@babel/types/-/types-7.7.2.tgz", +          "integrity": "sha512-YTf6PXoh3+eZgRCBzzP25Bugd2ngmpQVrk7kXX0i5N9BO7TFBtIgZYs7WtxtOGs8e6A4ZI7ECkbBCEHeXocvOA==", +          "dev": true, +          "requires": { +            "esutils": "^2.0.2", +            "lodash": "^4.17.13", +            "to-fast-properties": "^2.0.0" +          } +        }        }      },      "@babel/helper-call-delegate": { -      "version": "7.4.4", -      "resolved": "https://registry.npmjs.org/@babel/helper-call-delegate/-/helper-call-delegate-7.4.4.tgz", -      "integrity": "sha512-l79boDFJ8S1c5hvQvG+rc+wHw6IuH7YldmRKsYtpbawsxURu/paVy57FZMomGK22/JckepaikOkY0MoAmdyOlQ==", +      "version": "7.7.0", +      "resolved": "https://registry.npmjs.org/@babel/helper-call-delegate/-/helper-call-delegate-7.7.0.tgz", +      "integrity": "sha512-Su0Mdq7uSSWGZayGMMQ+z6lnL00mMCnGAbO/R0ZO9odIdB/WNU/VfQKqMQU0fdIsxQYbRjDM4BixIa93SQIpvw==",        "dev": true,        "requires": { -        "@babel/helper-hoist-variables": "^7.4.4", -        "@babel/traverse": "^7.4.4", -        "@babel/types": "^7.4.4" +        "@babel/helper-hoist-variables": "^7.7.0", +        "@babel/traverse": "^7.7.0", +        "@babel/types": "^7.7.0" +      }, +      "dependencies": { +        "@babel/generator": { +          "version": "7.7.2", +          "resolved": "https://registry.npmjs.org/@babel/generator/-/generator-7.7.2.tgz", +          "integrity": "sha512-WthSArvAjYLz4TcbKOi88me+KmDJdKSlfwwN8CnUYn9jBkzhq0ZEPuBfkAWIvjJ3AdEV1Cf/+eSQTnp3IDJKlQ==", +          "dev": true, +          "requires": { +            "@babel/types": "^7.7.2", +            "jsesc": "^2.5.1", +            "lodash": "^4.17.13", +            "source-map": "^0.5.0" +          } +        }, +        "@babel/helper-function-name": { +          "version": "7.7.0", +          "resolved": "https://registry.npmjs.org/@babel/helper-function-name/-/helper-function-name-7.7.0.tgz", +          "integrity": "sha512-tDsJgMUAP00Ugv8O2aGEua5I2apkaQO7lBGUq1ocwN3G23JE5Dcq0uh3GvFTChPa4b40AWiAsLvCZOA2rdnQ7Q==", +          "dev": true, +          "requires": { +            "@babel/helper-get-function-arity": "^7.7.0", +            "@babel/template": "^7.7.0", +            "@babel/types": "^7.7.0" +          } +        }, +        "@babel/helper-get-function-arity": { +          "version": "7.7.0", +          "resolved": "https://registry.npmjs.org/@babel/helper-get-function-arity/-/helper-get-function-arity-7.7.0.tgz", +          "integrity": "sha512-tLdojOTz4vWcEnHWHCuPN5P85JLZWbm5Fx5ZsMEMPhF3Uoe3O7awrbM2nQ04bDOUToH/2tH/ezKEOR8zEYzqyw==", +          "dev": true, +          "requires": { +            "@babel/types": "^7.7.0" +          } +        }, +        "@babel/helper-split-export-declaration": { +          "version": "7.7.0", +          "resolved": "https://registry.npmjs.org/@babel/helper-split-export-declaration/-/helper-split-export-declaration-7.7.0.tgz", +          "integrity": "sha512-HgYSI8rH08neWlAH3CcdkFg9qX9YsZysZI5GD8LjhQib/mM0jGOZOVkoUiiV2Hu978fRtjtsGsW6w0pKHUWtqA==", +          "dev": true, +          "requires": { +            "@babel/types": "^7.7.0" +          } +        }, +        "@babel/parser": { +          "version": "7.7.3", +          "resolved": "https://registry.npmjs.org/@babel/parser/-/parser-7.7.3.tgz", +          "integrity": "sha512-bqv+iCo9i+uLVbI0ILzKkvMorqxouI+GbV13ivcARXn9NNEabi2IEz912IgNpT/60BNXac5dgcfjb94NjsF33A==", +          "dev": true +        }, +        "@babel/template": { +          "version": "7.7.0", +          "resolved": "https://registry.npmjs.org/@babel/template/-/template-7.7.0.tgz", +          "integrity": "sha512-OKcwSYOW1mhWbnTBgQY5lvg1Fxg+VyfQGjcBduZFljfc044J5iDlnDSfhQ867O17XHiSCxYHUxHg2b7ryitbUQ==", +          "dev": true, +          "requires": { +            "@babel/code-frame": "^7.0.0", +            "@babel/parser": "^7.7.0", +            "@babel/types": "^7.7.0" +          } +        }, +        "@babel/traverse": { +          "version": "7.7.2", +          "resolved": "https://registry.npmjs.org/@babel/traverse/-/traverse-7.7.2.tgz", +          "integrity": "sha512-TM01cXib2+rgIZrGJOLaHV/iZUAxf4A0dt5auY6KNZ+cm6aschuJGqKJM3ROTt3raPUdIDk9siAufIFEleRwtw==", +          "dev": true, +          "requires": { +            "@babel/code-frame": "^7.5.5", +            "@babel/generator": "^7.7.2", +            "@babel/helper-function-name": "^7.7.0", +            "@babel/helper-split-export-declaration": "^7.7.0", +            "@babel/parser": "^7.7.2", +            "@babel/types": "^7.7.2", +            "debug": "^4.1.0", +            "globals": "^11.1.0", +            "lodash": "^4.17.13" +          } +        }, +        "@babel/types": { +          "version": "7.7.2", +          "resolved": "https://registry.npmjs.org/@babel/types/-/types-7.7.2.tgz", +          "integrity": "sha512-YTf6PXoh3+eZgRCBzzP25Bugd2ngmpQVrk7kXX0i5N9BO7TFBtIgZYs7WtxtOGs8e6A4ZI7ECkbBCEHeXocvOA==", +          "dev": true, +          "requires": { +            "esutils": "^2.0.2", +            "lodash": "^4.17.13", +            "to-fast-properties": "^2.0.0" +          } +        }, +        "source-map": { +          "version": "0.5.7", +          "resolved": "https://registry.npmjs.org/source-map/-/source-map-0.5.7.tgz", +          "integrity": "sha1-igOdLRAh0i0eoUyA2OpGi6LvP8w=", +          "dev": true +        } +      } +    }, +    "@babel/helper-create-regexp-features-plugin": { +      "version": "7.7.2", +      "resolved": "https://registry.npmjs.org/@babel/helper-create-regexp-features-plugin/-/helper-create-regexp-features-plugin-7.7.2.tgz", +      "integrity": "sha512-pAil/ZixjTlrzNpjx+l/C/wJk002Wo7XbbZ8oujH/AoJ3Juv0iN/UTcPUHXKMFLqsfS0Hy6Aow8M31brUYBlQQ==", +      "dev": true, +      "requires": { +        "@babel/helper-regex": "^7.4.4", +        "regexpu-core": "^4.6.0"        }      },      "@babel/helper-define-map": { -      "version": "7.5.5", -      "resolved": "https://registry.npmjs.org/@babel/helper-define-map/-/helper-define-map-7.5.5.tgz", -      "integrity": "sha512-fTfxx7i0B5NJqvUOBBGREnrqbTxRh7zinBANpZXAVDlsZxYdclDp467G1sQ8VZYMnAURY3RpBUAgOYT9GfzHBg==", +      "version": "7.7.0", +      "resolved": "https://registry.npmjs.org/@babel/helper-define-map/-/helper-define-map-7.7.0.tgz", +      "integrity": "sha512-kPKWPb0dMpZi+ov1hJiwse9dWweZsz3V9rP4KdytnX1E7z3cTNmFGglwklzFPuqIcHLIY3bgKSs4vkwXXdflQA==",        "dev": true,        "requires": { -        "@babel/helper-function-name": "^7.1.0", -        "@babel/types": "^7.5.5", +        "@babel/helper-function-name": "^7.7.0", +        "@babel/types": "^7.7.0",          "lodash": "^4.17.13" +      }, +      "dependencies": { +        "@babel/helper-function-name": { +          "version": "7.7.0", +          "resolved": "https://registry.npmjs.org/@babel/helper-function-name/-/helper-function-name-7.7.0.tgz", +          "integrity": "sha512-tDsJgMUAP00Ugv8O2aGEua5I2apkaQO7lBGUq1ocwN3G23JE5Dcq0uh3GvFTChPa4b40AWiAsLvCZOA2rdnQ7Q==", +          "dev": true, +          "requires": { +            "@babel/helper-get-function-arity": "^7.7.0", +            "@babel/template": "^7.7.0", +            "@babel/types": "^7.7.0" +          } +        }, +        "@babel/helper-get-function-arity": { +          "version": "7.7.0", +          "resolved": "https://registry.npmjs.org/@babel/helper-get-function-arity/-/helper-get-function-arity-7.7.0.tgz", +          "integrity": "sha512-tLdojOTz4vWcEnHWHCuPN5P85JLZWbm5Fx5ZsMEMPhF3Uoe3O7awrbM2nQ04bDOUToH/2tH/ezKEOR8zEYzqyw==", +          "dev": true, +          "requires": { +            "@babel/types": "^7.7.0" +          } +        }, +        "@babel/parser": { +          "version": "7.7.3", +          "resolved": "https://registry.npmjs.org/@babel/parser/-/parser-7.7.3.tgz", +          "integrity": "sha512-bqv+iCo9i+uLVbI0ILzKkvMorqxouI+GbV13ivcARXn9NNEabi2IEz912IgNpT/60BNXac5dgcfjb94NjsF33A==", +          "dev": true +        }, +        "@babel/template": { +          "version": "7.7.0", +          "resolved": "https://registry.npmjs.org/@babel/template/-/template-7.7.0.tgz", +          "integrity": "sha512-OKcwSYOW1mhWbnTBgQY5lvg1Fxg+VyfQGjcBduZFljfc044J5iDlnDSfhQ867O17XHiSCxYHUxHg2b7ryitbUQ==", +          "dev": true, +          "requires": { +            "@babel/code-frame": "^7.0.0", +            "@babel/parser": "^7.7.0", +            "@babel/types": "^7.7.0" +          } +        }, +        "@babel/types": { +          "version": "7.7.2", +          "resolved": "https://registry.npmjs.org/@babel/types/-/types-7.7.2.tgz", +          "integrity": "sha512-YTf6PXoh3+eZgRCBzzP25Bugd2ngmpQVrk7kXX0i5N9BO7TFBtIgZYs7WtxtOGs8e6A4ZI7ECkbBCEHeXocvOA==", +          "dev": true, +          "requires": { +            "esutils": "^2.0.2", +            "lodash": "^4.17.13", +            "to-fast-properties": "^2.0.0" +          } +        }        }      },      "@babel/helper-explode-assignable-expression": { -      "version": "7.1.0", -      "resolved": "https://registry.npmjs.org/@babel/helper-explode-assignable-expression/-/helper-explode-assignable-expression-7.1.0.tgz", -      "integrity": "sha512-NRQpfHrJ1msCHtKjbzs9YcMmJZOg6mQMmGRB+hbamEdG5PNpaSm95275VD92DvJKuyl0s2sFiDmMZ+EnnvufqA==", +      "version": "7.7.0", +      "resolved": "https://registry.npmjs.org/@babel/helper-explode-assignable-expression/-/helper-explode-assignable-expression-7.7.0.tgz", +      "integrity": "sha512-CDs26w2shdD1urNUAji2RJXyBFCaR+iBEGnFz3l7maizMkQe3saVw9WtjG1tz8CwbjvlFnaSLVhgnu1SWaherg==",        "dev": true,        "requires": { -        "@babel/traverse": "^7.1.0", -        "@babel/types": "^7.0.0" +        "@babel/traverse": "^7.7.0", +        "@babel/types": "^7.7.0" +      }, +      "dependencies": { +        "@babel/generator": { +          "version": "7.7.2", +          "resolved": "https://registry.npmjs.org/@babel/generator/-/generator-7.7.2.tgz", +          "integrity": "sha512-WthSArvAjYLz4TcbKOi88me+KmDJdKSlfwwN8CnUYn9jBkzhq0ZEPuBfkAWIvjJ3AdEV1Cf/+eSQTnp3IDJKlQ==", +          "dev": true, +          "requires": { +            "@babel/types": "^7.7.2", +            "jsesc": "^2.5.1", +            "lodash": "^4.17.13", +            "source-map": "^0.5.0" +          } +        }, +        "@babel/helper-function-name": { +          "version": "7.7.0", +          "resolved": "https://registry.npmjs.org/@babel/helper-function-name/-/helper-function-name-7.7.0.tgz", +          "integrity": "sha512-tDsJgMUAP00Ugv8O2aGEua5I2apkaQO7lBGUq1ocwN3G23JE5Dcq0uh3GvFTChPa4b40AWiAsLvCZOA2rdnQ7Q==", +          "dev": true, +          "requires": { +            "@babel/helper-get-function-arity": "^7.7.0", +            "@babel/template": "^7.7.0", +            "@babel/types": "^7.7.0" +          } +        }, +        "@babel/helper-get-function-arity": { +          "version": "7.7.0", +          "resolved": "https://registry.npmjs.org/@babel/helper-get-function-arity/-/helper-get-function-arity-7.7.0.tgz", +          "integrity": "sha512-tLdojOTz4vWcEnHWHCuPN5P85JLZWbm5Fx5ZsMEMPhF3Uoe3O7awrbM2nQ04bDOUToH/2tH/ezKEOR8zEYzqyw==", +          "dev": true, +          "requires": { +            "@babel/types": "^7.7.0" +          } +        }, +        "@babel/helper-split-export-declaration": { +          "version": "7.7.0", +          "resolved": "https://registry.npmjs.org/@babel/helper-split-export-declaration/-/helper-split-export-declaration-7.7.0.tgz", +          "integrity": "sha512-HgYSI8rH08neWlAH3CcdkFg9qX9YsZysZI5GD8LjhQib/mM0jGOZOVkoUiiV2Hu978fRtjtsGsW6w0pKHUWtqA==", +          "dev": true, +          "requires": { +            "@babel/types": "^7.7.0" +          } +        }, +        "@babel/parser": { +          "version": "7.7.3", +          "resolved": "https://registry.npmjs.org/@babel/parser/-/parser-7.7.3.tgz", +          "integrity": "sha512-bqv+iCo9i+uLVbI0ILzKkvMorqxouI+GbV13ivcARXn9NNEabi2IEz912IgNpT/60BNXac5dgcfjb94NjsF33A==", +          "dev": true +        }, +        "@babel/template": { +          "version": "7.7.0", +          "resolved": "https://registry.npmjs.org/@babel/template/-/template-7.7.0.tgz", +          "integrity": "sha512-OKcwSYOW1mhWbnTBgQY5lvg1Fxg+VyfQGjcBduZFljfc044J5iDlnDSfhQ867O17XHiSCxYHUxHg2b7ryitbUQ==", +          "dev": true, +          "requires": { +            "@babel/code-frame": "^7.0.0", +            "@babel/parser": "^7.7.0", +            "@babel/types": "^7.7.0" +          } +        }, +        "@babel/traverse": { +          "version": "7.7.2", +          "resolved": "https://registry.npmjs.org/@babel/traverse/-/traverse-7.7.2.tgz", +          "integrity": "sha512-TM01cXib2+rgIZrGJOLaHV/iZUAxf4A0dt5auY6KNZ+cm6aschuJGqKJM3ROTt3raPUdIDk9siAufIFEleRwtw==", +          "dev": true, +          "requires": { +            "@babel/code-frame": "^7.5.5", +            "@babel/generator": "^7.7.2", +            "@babel/helper-function-name": "^7.7.0", +            "@babel/helper-split-export-declaration": "^7.7.0", +            "@babel/parser": "^7.7.2", +            "@babel/types": "^7.7.2", +            "debug": "^4.1.0", +            "globals": "^11.1.0", +            "lodash": "^4.17.13" +          } +        }, +        "@babel/types": { +          "version": "7.7.2", +          "resolved": "https://registry.npmjs.org/@babel/types/-/types-7.7.2.tgz", +          "integrity": "sha512-YTf6PXoh3+eZgRCBzzP25Bugd2ngmpQVrk7kXX0i5N9BO7TFBtIgZYs7WtxtOGs8e6A4ZI7ECkbBCEHeXocvOA==", +          "dev": true, +          "requires": { +            "esutils": "^2.0.2", +            "lodash": "^4.17.13", +            "to-fast-properties": "^2.0.0" +          } +        }, +        "source-map": { +          "version": "0.5.7", +          "resolved": "https://registry.npmjs.org/source-map/-/source-map-0.5.7.tgz", +          "integrity": "sha1-igOdLRAh0i0eoUyA2OpGi6LvP8w=", +          "dev": true +        }        }      },      "@babel/helper-function-name": { @@ -1158,53 +1506,144 @@        }      },      "@babel/helper-hoist-variables": { -      "version": "7.4.4", -      "resolved": "https://registry.npmjs.org/@babel/helper-hoist-variables/-/helper-hoist-variables-7.4.4.tgz", -      "integrity": "sha512-VYk2/H/BnYbZDDg39hr3t2kKyifAm1W6zHRfhx8jGjIHpQEBv9dry7oQ2f3+J703TLu69nYdxsovl0XYfcnK4w==", +      "version": "7.7.0", +      "resolved": "https://registry.npmjs.org/@babel/helper-hoist-variables/-/helper-hoist-variables-7.7.0.tgz", +      "integrity": "sha512-LUe/92NqsDAkJjjCEWkNe+/PcpnisvnqdlRe19FahVapa4jndeuJ+FBiTX1rcAKWKcJGE+C3Q3tuEuxkSmCEiQ==",        "dev": true,        "requires": { -        "@babel/types": "^7.4.4" +        "@babel/types": "^7.7.0" +      }, +      "dependencies": { +        "@babel/types": { +          "version": "7.7.2", +          "resolved": "https://registry.npmjs.org/@babel/types/-/types-7.7.2.tgz", +          "integrity": "sha512-YTf6PXoh3+eZgRCBzzP25Bugd2ngmpQVrk7kXX0i5N9BO7TFBtIgZYs7WtxtOGs8e6A4ZI7ECkbBCEHeXocvOA==", +          "dev": true, +          "requires": { +            "esutils": "^2.0.2", +            "lodash": "^4.17.13", +            "to-fast-properties": "^2.0.0" +          } +        }        }      },      "@babel/helper-member-expression-to-functions": { -      "version": "7.5.5", -      "resolved": "https://registry.npmjs.org/@babel/helper-member-expression-to-functions/-/helper-member-expression-to-functions-7.5.5.tgz", -      "integrity": "sha512-5qZ3D1uMclSNqYcXqiHoA0meVdv+xUEex9em2fqMnrk/scphGlGgg66zjMrPJESPwrFJ6sbfFQYUSa0Mz7FabA==", +      "version": "7.7.0", +      "resolved": "https://registry.npmjs.org/@babel/helper-member-expression-to-functions/-/helper-member-expression-to-functions-7.7.0.tgz", +      "integrity": "sha512-QaCZLO2RtBcmvO/ekOLp8p7R5X2JriKRizeDpm5ChATAFWrrYDcDxPuCIBXKyBjY+i1vYSdcUTMIb8psfxHDPA==",        "dev": true,        "requires": { -        "@babel/types": "^7.5.5" +        "@babel/types": "^7.7.0" +      }, +      "dependencies": { +        "@babel/types": { +          "version": "7.7.2", +          "resolved": "https://registry.npmjs.org/@babel/types/-/types-7.7.2.tgz", +          "integrity": "sha512-YTf6PXoh3+eZgRCBzzP25Bugd2ngmpQVrk7kXX0i5N9BO7TFBtIgZYs7WtxtOGs8e6A4ZI7ECkbBCEHeXocvOA==", +          "dev": true, +          "requires": { +            "esutils": "^2.0.2", +            "lodash": "^4.17.13", +            "to-fast-properties": "^2.0.0" +          } +        }        }      },      "@babel/helper-module-imports": { -      "version": "7.0.0", -      "resolved": "https://registry.npmjs.org/@babel/helper-module-imports/-/helper-module-imports-7.0.0.tgz", -      "integrity": "sha512-aP/hlLq01DWNEiDg4Jn23i+CXxW/owM4WpDLFUbpjxe4NS3BhLVZQ5i7E0ZrxuQ/vwekIeciyamgB1UIYxxM6A==", +      "version": "7.7.0", +      "resolved": "https://registry.npmjs.org/@babel/helper-module-imports/-/helper-module-imports-7.7.0.tgz", +      "integrity": "sha512-Dv3hLKIC1jyfTkClvyEkYP2OlkzNvWs5+Q8WgPbxM5LMeorons7iPP91JM+DU7tRbhqA1ZeooPaMFvQrn23RHw==",        "dev": true,        "requires": { -        "@babel/types": "^7.0.0" +        "@babel/types": "^7.7.0" +      }, +      "dependencies": { +        "@babel/types": { +          "version": "7.7.2", +          "resolved": "https://registry.npmjs.org/@babel/types/-/types-7.7.2.tgz", +          "integrity": "sha512-YTf6PXoh3+eZgRCBzzP25Bugd2ngmpQVrk7kXX0i5N9BO7TFBtIgZYs7WtxtOGs8e6A4ZI7ECkbBCEHeXocvOA==", +          "dev": true, +          "requires": { +            "esutils": "^2.0.2", +            "lodash": "^4.17.13", +            "to-fast-properties": "^2.0.0" +          } +        }        }      },      "@babel/helper-module-transforms": { -      "version": "7.5.5", -      "resolved": "https://registry.npmjs.org/@babel/helper-module-transforms/-/helper-module-transforms-7.5.5.tgz", -      "integrity": "sha512-jBeCvETKuJqeiaCdyaheF40aXnnU1+wkSiUs/IQg3tB85up1LyL8x77ClY8qJpuRJUcXQo+ZtdNESmZl4j56Pw==", +      "version": "7.7.0", +      "resolved": "https://registry.npmjs.org/@babel/helper-module-transforms/-/helper-module-transforms-7.7.0.tgz", +      "integrity": "sha512-rXEefBuheUYQyX4WjV19tuknrJFwyKw0HgzRwbkyTbB+Dshlq7eqkWbyjzToLrMZk/5wKVKdWFluiAsVkHXvuQ==",        "dev": true,        "requires": { -        "@babel/helper-module-imports": "^7.0.0", -        "@babel/helper-simple-access": "^7.1.0", -        "@babel/helper-split-export-declaration": "^7.4.4", -        "@babel/template": "^7.4.4", -        "@babel/types": "^7.5.5", +        "@babel/helper-module-imports": "^7.7.0", +        "@babel/helper-simple-access": "^7.7.0", +        "@babel/helper-split-export-declaration": "^7.7.0", +        "@babel/template": "^7.7.0", +        "@babel/types": "^7.7.0",          "lodash": "^4.17.13" +      }, +      "dependencies": { +        "@babel/helper-split-export-declaration": { +          "version": "7.7.0", +          "resolved": "https://registry.npmjs.org/@babel/helper-split-export-declaration/-/helper-split-export-declaration-7.7.0.tgz", +          "integrity": "sha512-HgYSI8rH08neWlAH3CcdkFg9qX9YsZysZI5GD8LjhQib/mM0jGOZOVkoUiiV2Hu978fRtjtsGsW6w0pKHUWtqA==", +          "dev": true, +          "requires": { +            "@babel/types": "^7.7.0" +          } +        }, +        "@babel/parser": { +          "version": "7.7.3", +          "resolved": "https://registry.npmjs.org/@babel/parser/-/parser-7.7.3.tgz", +          "integrity": "sha512-bqv+iCo9i+uLVbI0ILzKkvMorqxouI+GbV13ivcARXn9NNEabi2IEz912IgNpT/60BNXac5dgcfjb94NjsF33A==", +          "dev": true +        }, +        "@babel/template": { +          "version": "7.7.0", +          "resolved": "https://registry.npmjs.org/@babel/template/-/template-7.7.0.tgz", +          "integrity": "sha512-OKcwSYOW1mhWbnTBgQY5lvg1Fxg+VyfQGjcBduZFljfc044J5iDlnDSfhQ867O17XHiSCxYHUxHg2b7ryitbUQ==", +          "dev": true, +          "requires": { +            "@babel/code-frame": "^7.0.0", +            "@babel/parser": "^7.7.0", +            "@babel/types": "^7.7.0" +          } +        }, +        "@babel/types": { +          "version": "7.7.2", +          "resolved": "https://registry.npmjs.org/@babel/types/-/types-7.7.2.tgz", +          "integrity": "sha512-YTf6PXoh3+eZgRCBzzP25Bugd2ngmpQVrk7kXX0i5N9BO7TFBtIgZYs7WtxtOGs8e6A4ZI7ECkbBCEHeXocvOA==", +          "dev": true, +          "requires": { +            "esutils": "^2.0.2", +            "lodash": "^4.17.13", +            "to-fast-properties": "^2.0.0" +          } +        }        }      },      "@babel/helper-optimise-call-expression": { -      "version": "7.0.0", -      "resolved": "https://registry.npmjs.org/@babel/helper-optimise-call-expression/-/helper-optimise-call-expression-7.0.0.tgz", -      "integrity": "sha512-u8nd9NQePYNQV8iPWu/pLLYBqZBa4ZaY1YWRFMuxrid94wKI1QNt67NEZ7GAe5Kc/0LLScbim05xZFWkAdrj9g==", +      "version": "7.7.0", +      "resolved": "https://registry.npmjs.org/@babel/helper-optimise-call-expression/-/helper-optimise-call-expression-7.7.0.tgz", +      "integrity": "sha512-48TeqmbazjNU/65niiiJIJRc5JozB8acui1OS7bSd6PgxfuovWsvjfWSzlgx+gPFdVveNzUdpdIg5l56Pl5jqg==",        "dev": true,        "requires": { -        "@babel/types": "^7.0.0" +        "@babel/types": "^7.7.0" +      }, +      "dependencies": { +        "@babel/types": { +          "version": "7.7.2", +          "resolved": "https://registry.npmjs.org/@babel/types/-/types-7.7.2.tgz", +          "integrity": "sha512-YTf6PXoh3+eZgRCBzzP25Bugd2ngmpQVrk7kXX0i5N9BO7TFBtIgZYs7WtxtOGs8e6A4ZI7ECkbBCEHeXocvOA==", +          "dev": true, +          "requires": { +            "esutils": "^2.0.2", +            "lodash": "^4.17.13", +            "to-fast-properties": "^2.0.0" +          } +        }        }      },      "@babel/helper-plugin-utils": { @@ -1223,38 +1662,256 @@        }      },      "@babel/helper-remap-async-to-generator": { -      "version": "7.1.0", -      "resolved": "https://registry.npmjs.org/@babel/helper-remap-async-to-generator/-/helper-remap-async-to-generator-7.1.0.tgz", -      "integrity": "sha512-3fOK0L+Fdlg8S5al8u/hWE6vhufGSn0bN09xm2LXMy//REAF8kDCrYoOBKYmA8m5Nom+sV9LyLCwrFynA8/slg==", +      "version": "7.7.0", +      "resolved": "https://registry.npmjs.org/@babel/helper-remap-async-to-generator/-/helper-remap-async-to-generator-7.7.0.tgz", +      "integrity": "sha512-pHx7RN8X0UNHPB/fnuDnRXVZ316ZigkO8y8D835JlZ2SSdFKb6yH9MIYRU4fy/KPe5sPHDFOPvf8QLdbAGGiyw==",        "dev": true,        "requires": { -        "@babel/helper-annotate-as-pure": "^7.0.0", -        "@babel/helper-wrap-function": "^7.1.0", -        "@babel/template": "^7.1.0", -        "@babel/traverse": "^7.1.0", -        "@babel/types": "^7.0.0" +        "@babel/helper-annotate-as-pure": "^7.7.0", +        "@babel/helper-wrap-function": "^7.7.0", +        "@babel/template": "^7.7.0", +        "@babel/traverse": "^7.7.0", +        "@babel/types": "^7.7.0" +      }, +      "dependencies": { +        "@babel/generator": { +          "version": "7.7.2", +          "resolved": "https://registry.npmjs.org/@babel/generator/-/generator-7.7.2.tgz", +          "integrity": "sha512-WthSArvAjYLz4TcbKOi88me+KmDJdKSlfwwN8CnUYn9jBkzhq0ZEPuBfkAWIvjJ3AdEV1Cf/+eSQTnp3IDJKlQ==", +          "dev": true, +          "requires": { +            "@babel/types": "^7.7.2", +            "jsesc": "^2.5.1", +            "lodash": "^4.17.13", +            "source-map": "^0.5.0" +          } +        }, +        "@babel/helper-function-name": { +          "version": "7.7.0", +          "resolved": "https://registry.npmjs.org/@babel/helper-function-name/-/helper-function-name-7.7.0.tgz", +          "integrity": "sha512-tDsJgMUAP00Ugv8O2aGEua5I2apkaQO7lBGUq1ocwN3G23JE5Dcq0uh3GvFTChPa4b40AWiAsLvCZOA2rdnQ7Q==", +          "dev": true, +          "requires": { +            "@babel/helper-get-function-arity": "^7.7.0", +            "@babel/template": "^7.7.0", +            "@babel/types": "^7.7.0" +          } +        }, +        "@babel/helper-get-function-arity": { +          "version": "7.7.0", +          "resolved": "https://registry.npmjs.org/@babel/helper-get-function-arity/-/helper-get-function-arity-7.7.0.tgz", +          "integrity": "sha512-tLdojOTz4vWcEnHWHCuPN5P85JLZWbm5Fx5ZsMEMPhF3Uoe3O7awrbM2nQ04bDOUToH/2tH/ezKEOR8zEYzqyw==", +          "dev": true, +          "requires": { +            "@babel/types": "^7.7.0" +          } +        }, +        "@babel/helper-split-export-declaration": { +          "version": "7.7.0", +          "resolved": "https://registry.npmjs.org/@babel/helper-split-export-declaration/-/helper-split-export-declaration-7.7.0.tgz", +          "integrity": "sha512-HgYSI8rH08neWlAH3CcdkFg9qX9YsZysZI5GD8LjhQib/mM0jGOZOVkoUiiV2Hu978fRtjtsGsW6w0pKHUWtqA==", +          "dev": true, +          "requires": { +            "@babel/types": "^7.7.0" +          } +        }, +        "@babel/parser": { +          "version": "7.7.3", +          "resolved": "https://registry.npmjs.org/@babel/parser/-/parser-7.7.3.tgz", +          "integrity": "sha512-bqv+iCo9i+uLVbI0ILzKkvMorqxouI+GbV13ivcARXn9NNEabi2IEz912IgNpT/60BNXac5dgcfjb94NjsF33A==", +          "dev": true +        }, +        "@babel/template": { +          "version": "7.7.0", +          "resolved": "https://registry.npmjs.org/@babel/template/-/template-7.7.0.tgz", +          "integrity": "sha512-OKcwSYOW1mhWbnTBgQY5lvg1Fxg+VyfQGjcBduZFljfc044J5iDlnDSfhQ867O17XHiSCxYHUxHg2b7ryitbUQ==", +          "dev": true, +          "requires": { +            "@babel/code-frame": "^7.0.0", +            "@babel/parser": "^7.7.0", +            "@babel/types": "^7.7.0" +          } +        }, +        "@babel/traverse": { +          "version": "7.7.2", +          "resolved": "https://registry.npmjs.org/@babel/traverse/-/traverse-7.7.2.tgz", +          "integrity": "sha512-TM01cXib2+rgIZrGJOLaHV/iZUAxf4A0dt5auY6KNZ+cm6aschuJGqKJM3ROTt3raPUdIDk9siAufIFEleRwtw==", +          "dev": true, +          "requires": { +            "@babel/code-frame": "^7.5.5", +            "@babel/generator": "^7.7.2", +            "@babel/helper-function-name": "^7.7.0", +            "@babel/helper-split-export-declaration": "^7.7.0", +            "@babel/parser": "^7.7.2", +            "@babel/types": "^7.7.2", +            "debug": "^4.1.0", +            "globals": "^11.1.0", +            "lodash": "^4.17.13" +          } +        }, +        "@babel/types": { +          "version": "7.7.2", +          "resolved": "https://registry.npmjs.org/@babel/types/-/types-7.7.2.tgz", +          "integrity": "sha512-YTf6PXoh3+eZgRCBzzP25Bugd2ngmpQVrk7kXX0i5N9BO7TFBtIgZYs7WtxtOGs8e6A4ZI7ECkbBCEHeXocvOA==", +          "dev": true, +          "requires": { +            "esutils": "^2.0.2", +            "lodash": "^4.17.13", +            "to-fast-properties": "^2.0.0" +          } +        }, +        "source-map": { +          "version": "0.5.7", +          "resolved": "https://registry.npmjs.org/source-map/-/source-map-0.5.7.tgz", +          "integrity": "sha1-igOdLRAh0i0eoUyA2OpGi6LvP8w=", +          "dev": true +        }        }      },      "@babel/helper-replace-supers": { -      "version": "7.5.5", -      "resolved": "https://registry.npmjs.org/@babel/helper-replace-supers/-/helper-replace-supers-7.5.5.tgz", -      "integrity": "sha512-XvRFWrNnlsow2u7jXDuH4jDDctkxbS7gXssrP4q2nUD606ukXHRvydj346wmNg+zAgpFx4MWf4+usfC93bElJg==", +      "version": "7.7.0", +      "resolved": "https://registry.npmjs.org/@babel/helper-replace-supers/-/helper-replace-supers-7.7.0.tgz", +      "integrity": "sha512-5ALYEul5V8xNdxEeWvRsBzLMxQksT7MaStpxjJf9KsnLxpAKBtfw5NeMKZJSYDa0lKdOcy0g+JT/f5mPSulUgg==",        "dev": true,        "requires": { -        "@babel/helper-member-expression-to-functions": "^7.5.5", -        "@babel/helper-optimise-call-expression": "^7.0.0", -        "@babel/traverse": "^7.5.5", -        "@babel/types": "^7.5.5" +        "@babel/helper-member-expression-to-functions": "^7.7.0", +        "@babel/helper-optimise-call-expression": "^7.7.0", +        "@babel/traverse": "^7.7.0", +        "@babel/types": "^7.7.0" +      }, +      "dependencies": { +        "@babel/generator": { +          "version": "7.7.2", +          "resolved": "https://registry.npmjs.org/@babel/generator/-/generator-7.7.2.tgz", +          "integrity": "sha512-WthSArvAjYLz4TcbKOi88me+KmDJdKSlfwwN8CnUYn9jBkzhq0ZEPuBfkAWIvjJ3AdEV1Cf/+eSQTnp3IDJKlQ==", +          "dev": true, +          "requires": { +            "@babel/types": "^7.7.2", +            "jsesc": "^2.5.1", +            "lodash": "^4.17.13", +            "source-map": "^0.5.0" +          } +        }, +        "@babel/helper-function-name": { +          "version": "7.7.0", +          "resolved": "https://registry.npmjs.org/@babel/helper-function-name/-/helper-function-name-7.7.0.tgz", +          "integrity": "sha512-tDsJgMUAP00Ugv8O2aGEua5I2apkaQO7lBGUq1ocwN3G23JE5Dcq0uh3GvFTChPa4b40AWiAsLvCZOA2rdnQ7Q==", +          "dev": true, +          "requires": { +            "@babel/helper-get-function-arity": "^7.7.0", +            "@babel/template": "^7.7.0", +            "@babel/types": "^7.7.0" +          } +        }, +        "@babel/helper-get-function-arity": { +          "version": "7.7.0", +          "resolved": "https://registry.npmjs.org/@babel/helper-get-function-arity/-/helper-get-function-arity-7.7.0.tgz", +          "integrity": "sha512-tLdojOTz4vWcEnHWHCuPN5P85JLZWbm5Fx5ZsMEMPhF3Uoe3O7awrbM2nQ04bDOUToH/2tH/ezKEOR8zEYzqyw==", +          "dev": true, +          "requires": { +            "@babel/types": "^7.7.0" +          } +        }, +        "@babel/helper-split-export-declaration": { +          "version": "7.7.0", +          "resolved": "https://registry.npmjs.org/@babel/helper-split-export-declaration/-/helper-split-export-declaration-7.7.0.tgz", +          "integrity": "sha512-HgYSI8rH08neWlAH3CcdkFg9qX9YsZysZI5GD8LjhQib/mM0jGOZOVkoUiiV2Hu978fRtjtsGsW6w0pKHUWtqA==", +          "dev": true, +          "requires": { +            "@babel/types": "^7.7.0" +          } +        }, +        "@babel/parser": { +          "version": "7.7.3", +          "resolved": "https://registry.npmjs.org/@babel/parser/-/parser-7.7.3.tgz", +          "integrity": "sha512-bqv+iCo9i+uLVbI0ILzKkvMorqxouI+GbV13ivcARXn9NNEabi2IEz912IgNpT/60BNXac5dgcfjb94NjsF33A==", +          "dev": true +        }, +        "@babel/template": { +          "version": "7.7.0", +          "resolved": "https://registry.npmjs.org/@babel/template/-/template-7.7.0.tgz", +          "integrity": "sha512-OKcwSYOW1mhWbnTBgQY5lvg1Fxg+VyfQGjcBduZFljfc044J5iDlnDSfhQ867O17XHiSCxYHUxHg2b7ryitbUQ==", +          "dev": true, +          "requires": { +            "@babel/code-frame": "^7.0.0", +            "@babel/parser": "^7.7.0", +            "@babel/types": "^7.7.0" +          } +        }, +        "@babel/traverse": { +          "version": "7.7.2", +          "resolved": "https://registry.npmjs.org/@babel/traverse/-/traverse-7.7.2.tgz", +          "integrity": "sha512-TM01cXib2+rgIZrGJOLaHV/iZUAxf4A0dt5auY6KNZ+cm6aschuJGqKJM3ROTt3raPUdIDk9siAufIFEleRwtw==", +          "dev": true, +          "requires": { +            "@babel/code-frame": "^7.5.5", +            "@babel/generator": "^7.7.2", +            "@babel/helper-function-name": "^7.7.0", +            "@babel/helper-split-export-declaration": "^7.7.0", +            "@babel/parser": "^7.7.2", +            "@babel/types": "^7.7.2", +            "debug": "^4.1.0", +            "globals": "^11.1.0", +            "lodash": "^4.17.13" +          } +        }, +        "@babel/types": { +          "version": "7.7.2", +          "resolved": "https://registry.npmjs.org/@babel/types/-/types-7.7.2.tgz", +          "integrity": "sha512-YTf6PXoh3+eZgRCBzzP25Bugd2ngmpQVrk7kXX0i5N9BO7TFBtIgZYs7WtxtOGs8e6A4ZI7ECkbBCEHeXocvOA==", +          "dev": true, +          "requires": { +            "esutils": "^2.0.2", +            "lodash": "^4.17.13", +            "to-fast-properties": "^2.0.0" +          } +        }, +        "source-map": { +          "version": "0.5.7", +          "resolved": "https://registry.npmjs.org/source-map/-/source-map-0.5.7.tgz", +          "integrity": "sha1-igOdLRAh0i0eoUyA2OpGi6LvP8w=", +          "dev": true +        }        }      },      "@babel/helper-simple-access": { -      "version": "7.1.0", -      "resolved": "https://registry.npmjs.org/@babel/helper-simple-access/-/helper-simple-access-7.1.0.tgz", -      "integrity": "sha512-Vk+78hNjRbsiu49zAPALxTb+JUQCz1aolpd8osOF16BGnLtseD21nbHgLPGUwrXEurZgiCOUmvs3ExTu4F5x6w==", +      "version": "7.7.0", +      "resolved": "https://registry.npmjs.org/@babel/helper-simple-access/-/helper-simple-access-7.7.0.tgz", +      "integrity": "sha512-AJ7IZD7Eem3zZRuj5JtzFAptBw7pMlS3y8Qv09vaBWoFsle0d1kAn5Wq6Q9MyBXITPOKnxwkZKoAm4bopmv26g==",        "dev": true,        "requires": { -        "@babel/template": "^7.1.0", -        "@babel/types": "^7.0.0" +        "@babel/template": "^7.7.0", +        "@babel/types": "^7.7.0" +      }, +      "dependencies": { +        "@babel/parser": { +          "version": "7.7.3", +          "resolved": "https://registry.npmjs.org/@babel/parser/-/parser-7.7.3.tgz", +          "integrity": "sha512-bqv+iCo9i+uLVbI0ILzKkvMorqxouI+GbV13ivcARXn9NNEabi2IEz912IgNpT/60BNXac5dgcfjb94NjsF33A==", +          "dev": true +        }, +        "@babel/template": { +          "version": "7.7.0", +          "resolved": "https://registry.npmjs.org/@babel/template/-/template-7.7.0.tgz", +          "integrity": "sha512-OKcwSYOW1mhWbnTBgQY5lvg1Fxg+VyfQGjcBduZFljfc044J5iDlnDSfhQ867O17XHiSCxYHUxHg2b7ryitbUQ==", +          "dev": true, +          "requires": { +            "@babel/code-frame": "^7.0.0", +            "@babel/parser": "^7.7.0", +            "@babel/types": "^7.7.0" +          } +        }, +        "@babel/types": { +          "version": "7.7.2", +          "resolved": "https://registry.npmjs.org/@babel/types/-/types-7.7.2.tgz", +          "integrity": "sha512-YTf6PXoh3+eZgRCBzzP25Bugd2ngmpQVrk7kXX0i5N9BO7TFBtIgZYs7WtxtOGs8e6A4ZI7ECkbBCEHeXocvOA==", +          "dev": true, +          "requires": { +            "esutils": "^2.0.2", +            "lodash": "^4.17.13", +            "to-fast-properties": "^2.0.0" +          } +        }        }      },      "@babel/helper-split-export-declaration": { @@ -1267,26 +1924,214 @@        }      },      "@babel/helper-wrap-function": { -      "version": "7.2.0", -      "resolved": "https://registry.npmjs.org/@babel/helper-wrap-function/-/helper-wrap-function-7.2.0.tgz", -      "integrity": "sha512-o9fP1BZLLSrYlxYEYyl2aS+Flun5gtjTIG8iln+XuEzQTs0PLagAGSXUcqruJwD5fM48jzIEggCKpIfWTcR7pQ==", +      "version": "7.7.0", +      "resolved": "https://registry.npmjs.org/@babel/helper-wrap-function/-/helper-wrap-function-7.7.0.tgz", +      "integrity": "sha512-sd4QjeMgQqzshSjecZjOp8uKfUtnpmCyQhKQrVJBBgeHAB/0FPi33h3AbVlVp07qQtMD4QgYSzaMI7VwncNK/w==",        "dev": true,        "requires": { -        "@babel/helper-function-name": "^7.1.0", -        "@babel/template": "^7.1.0", -        "@babel/traverse": "^7.1.0", -        "@babel/types": "^7.2.0" +        "@babel/helper-function-name": "^7.7.0", +        "@babel/template": "^7.7.0", +        "@babel/traverse": "^7.7.0", +        "@babel/types": "^7.7.0" +      }, +      "dependencies": { +        "@babel/generator": { +          "version": "7.7.2", +          "resolved": "https://registry.npmjs.org/@babel/generator/-/generator-7.7.2.tgz", +          "integrity": "sha512-WthSArvAjYLz4TcbKOi88me+KmDJdKSlfwwN8CnUYn9jBkzhq0ZEPuBfkAWIvjJ3AdEV1Cf/+eSQTnp3IDJKlQ==", +          "dev": true, +          "requires": { +            "@babel/types": "^7.7.2", +            "jsesc": "^2.5.1", +            "lodash": "^4.17.13", +            "source-map": "^0.5.0" +          } +        }, +        "@babel/helper-function-name": { +          "version": "7.7.0", +          "resolved": "https://registry.npmjs.org/@babel/helper-function-name/-/helper-function-name-7.7.0.tgz", +          "integrity": "sha512-tDsJgMUAP00Ugv8O2aGEua5I2apkaQO7lBGUq1ocwN3G23JE5Dcq0uh3GvFTChPa4b40AWiAsLvCZOA2rdnQ7Q==", +          "dev": true, +          "requires": { +            "@babel/helper-get-function-arity": "^7.7.0", +            "@babel/template": "^7.7.0", +            "@babel/types": "^7.7.0" +          } +        }, +        "@babel/helper-get-function-arity": { +          "version": "7.7.0", +          "resolved": "https://registry.npmjs.org/@babel/helper-get-function-arity/-/helper-get-function-arity-7.7.0.tgz", +          "integrity": "sha512-tLdojOTz4vWcEnHWHCuPN5P85JLZWbm5Fx5ZsMEMPhF3Uoe3O7awrbM2nQ04bDOUToH/2tH/ezKEOR8zEYzqyw==", +          "dev": true, +          "requires": { +            "@babel/types": "^7.7.0" +          } +        }, +        "@babel/helper-split-export-declaration": { +          "version": "7.7.0", +          "resolved": "https://registry.npmjs.org/@babel/helper-split-export-declaration/-/helper-split-export-declaration-7.7.0.tgz", +          "integrity": "sha512-HgYSI8rH08neWlAH3CcdkFg9qX9YsZysZI5GD8LjhQib/mM0jGOZOVkoUiiV2Hu978fRtjtsGsW6w0pKHUWtqA==", +          "dev": true, +          "requires": { +            "@babel/types": "^7.7.0" +          } +        }, +        "@babel/parser": { +          "version": "7.7.3", +          "resolved": "https://registry.npmjs.org/@babel/parser/-/parser-7.7.3.tgz", +          "integrity": "sha512-bqv+iCo9i+uLVbI0ILzKkvMorqxouI+GbV13ivcARXn9NNEabi2IEz912IgNpT/60BNXac5dgcfjb94NjsF33A==", +          "dev": true +        }, +        "@babel/template": { +          "version": "7.7.0", +          "resolved": "https://registry.npmjs.org/@babel/template/-/template-7.7.0.tgz", +          "integrity": "sha512-OKcwSYOW1mhWbnTBgQY5lvg1Fxg+VyfQGjcBduZFljfc044J5iDlnDSfhQ867O17XHiSCxYHUxHg2b7ryitbUQ==", +          "dev": true, +          "requires": { +            "@babel/code-frame": "^7.0.0", +            "@babel/parser": "^7.7.0", +            "@babel/types": "^7.7.0" +          } +        }, +        "@babel/traverse": { +          "version": "7.7.2", +          "resolved": "https://registry.npmjs.org/@babel/traverse/-/traverse-7.7.2.tgz", +          "integrity": "sha512-TM01cXib2+rgIZrGJOLaHV/iZUAxf4A0dt5auY6KNZ+cm6aschuJGqKJM3ROTt3raPUdIDk9siAufIFEleRwtw==", +          "dev": true, +          "requires": { +            "@babel/code-frame": "^7.5.5", +            "@babel/generator": "^7.7.2", +            "@babel/helper-function-name": "^7.7.0", +            "@babel/helper-split-export-declaration": "^7.7.0", +            "@babel/parser": "^7.7.2", +            "@babel/types": "^7.7.2", +            "debug": "^4.1.0", +            "globals": "^11.1.0", +            "lodash": "^4.17.13" +          } +        }, +        "@babel/types": { +          "version": "7.7.2", +          "resolved": "https://registry.npmjs.org/@babel/types/-/types-7.7.2.tgz", +          "integrity": "sha512-YTf6PXoh3+eZgRCBzzP25Bugd2ngmpQVrk7kXX0i5N9BO7TFBtIgZYs7WtxtOGs8e6A4ZI7ECkbBCEHeXocvOA==", +          "dev": true, +          "requires": { +            "esutils": "^2.0.2", +            "lodash": "^4.17.13", +            "to-fast-properties": "^2.0.0" +          } +        }, +        "source-map": { +          "version": "0.5.7", +          "resolved": "https://registry.npmjs.org/source-map/-/source-map-0.5.7.tgz", +          "integrity": "sha1-igOdLRAh0i0eoUyA2OpGi6LvP8w=", +          "dev": true +        }        }      },      "@babel/helpers": { -      "version": "7.6.0", -      "resolved": "https://registry.npmjs.org/@babel/helpers/-/helpers-7.6.0.tgz", -      "integrity": "sha512-W9kao7OBleOjfXtFGgArGRX6eCP0UEcA2ZWEWNkJdRZnHhW4eEbeswbG3EwaRsnQUAEGWYgMq1HsIXuNNNy2eQ==", +      "version": "7.7.0", +      "resolved": "https://registry.npmjs.org/@babel/helpers/-/helpers-7.7.0.tgz", +      "integrity": "sha512-VnNwL4YOhbejHb7x/b5F39Zdg5vIQpUUNzJwx0ww1EcVRt41bbGRZWhAURrfY32T5zTT3qwNOQFWpn+P0i0a2g==",        "dev": true,        "requires": { -        "@babel/template": "^7.6.0", -        "@babel/traverse": "^7.6.0", -        "@babel/types": "^7.6.0" +        "@babel/template": "^7.7.0", +        "@babel/traverse": "^7.7.0", +        "@babel/types": "^7.7.0" +      }, +      "dependencies": { +        "@babel/generator": { +          "version": "7.7.2", +          "resolved": "https://registry.npmjs.org/@babel/generator/-/generator-7.7.2.tgz", +          "integrity": "sha512-WthSArvAjYLz4TcbKOi88me+KmDJdKSlfwwN8CnUYn9jBkzhq0ZEPuBfkAWIvjJ3AdEV1Cf/+eSQTnp3IDJKlQ==", +          "dev": true, +          "requires": { +            "@babel/types": "^7.7.2", +            "jsesc": "^2.5.1", +            "lodash": "^4.17.13", +            "source-map": "^0.5.0" +          } +        }, +        "@babel/helper-function-name": { +          "version": "7.7.0", +          "resolved": "https://registry.npmjs.org/@babel/helper-function-name/-/helper-function-name-7.7.0.tgz", +          "integrity": "sha512-tDsJgMUAP00Ugv8O2aGEua5I2apkaQO7lBGUq1ocwN3G23JE5Dcq0uh3GvFTChPa4b40AWiAsLvCZOA2rdnQ7Q==", +          "dev": true, +          "requires": { +            "@babel/helper-get-function-arity": "^7.7.0", +            "@babel/template": "^7.7.0", +            "@babel/types": "^7.7.0" +          } +        }, +        "@babel/helper-get-function-arity": { +          "version": "7.7.0", +          "resolved": "https://registry.npmjs.org/@babel/helper-get-function-arity/-/helper-get-function-arity-7.7.0.tgz", +          "integrity": "sha512-tLdojOTz4vWcEnHWHCuPN5P85JLZWbm5Fx5ZsMEMPhF3Uoe3O7awrbM2nQ04bDOUToH/2tH/ezKEOR8zEYzqyw==", +          "dev": true, +          "requires": { +            "@babel/types": "^7.7.0" +          } +        }, +        "@babel/helper-split-export-declaration": { +          "version": "7.7.0", +          "resolved": "https://registry.npmjs.org/@babel/helper-split-export-declaration/-/helper-split-export-declaration-7.7.0.tgz", +          "integrity": "sha512-HgYSI8rH08neWlAH3CcdkFg9qX9YsZysZI5GD8LjhQib/mM0jGOZOVkoUiiV2Hu978fRtjtsGsW6w0pKHUWtqA==", +          "dev": true, +          "requires": { +            "@babel/types": "^7.7.0" +          } +        }, +        "@babel/parser": { +          "version": "7.7.3", +          "resolved": "https://registry.npmjs.org/@babel/parser/-/parser-7.7.3.tgz", +          "integrity": "sha512-bqv+iCo9i+uLVbI0ILzKkvMorqxouI+GbV13ivcARXn9NNEabi2IEz912IgNpT/60BNXac5dgcfjb94NjsF33A==", +          "dev": true +        }, +        "@babel/template": { +          "version": "7.7.0", +          "resolved": "https://registry.npmjs.org/@babel/template/-/template-7.7.0.tgz", +          "integrity": "sha512-OKcwSYOW1mhWbnTBgQY5lvg1Fxg+VyfQGjcBduZFljfc044J5iDlnDSfhQ867O17XHiSCxYHUxHg2b7ryitbUQ==", +          "dev": true, +          "requires": { +            "@babel/code-frame": "^7.0.0", +            "@babel/parser": "^7.7.0", +            "@babel/types": "^7.7.0" +          } +        }, +        "@babel/traverse": { +          "version": "7.7.2", +          "resolved": "https://registry.npmjs.org/@babel/traverse/-/traverse-7.7.2.tgz", +          "integrity": "sha512-TM01cXib2+rgIZrGJOLaHV/iZUAxf4A0dt5auY6KNZ+cm6aschuJGqKJM3ROTt3raPUdIDk9siAufIFEleRwtw==", +          "dev": true, +          "requires": { +            "@babel/code-frame": "^7.5.5", +            "@babel/generator": "^7.7.2", +            "@babel/helper-function-name": "^7.7.0", +            "@babel/helper-split-export-declaration": "^7.7.0", +            "@babel/parser": "^7.7.2", +            "@babel/types": "^7.7.2", +            "debug": "^4.1.0", +            "globals": "^11.1.0", +            "lodash": "^4.17.13" +          } +        }, +        "@babel/types": { +          "version": "7.7.2", +          "resolved": "https://registry.npmjs.org/@babel/types/-/types-7.7.2.tgz", +          "integrity": "sha512-YTf6PXoh3+eZgRCBzzP25Bugd2ngmpQVrk7kXX0i5N9BO7TFBtIgZYs7WtxtOGs8e6A4ZI7ECkbBCEHeXocvOA==", +          "dev": true, +          "requires": { +            "esutils": "^2.0.2", +            "lodash": "^4.17.13", +            "to-fast-properties": "^2.0.0" +          } +        }, +        "source-map": { +          "version": "0.5.7", +          "resolved": "https://registry.npmjs.org/source-map/-/source-map-0.5.7.tgz", +          "integrity": "sha1-igOdLRAh0i0eoUyA2OpGi6LvP8w=", +          "dev": true +        }        }      },      "@babel/highlight": { @@ -1307,20 +2152,20 @@        "dev": true      },      "@babel/plugin-proposal-async-generator-functions": { -      "version": "7.2.0", -      "resolved": "https://registry.npmjs.org/@babel/plugin-proposal-async-generator-functions/-/plugin-proposal-async-generator-functions-7.2.0.tgz", -      "integrity": "sha512-+Dfo/SCQqrwx48ptLVGLdE39YtWRuKc/Y9I5Fy0P1DDBB9lsAHpjcEJQt+4IifuSOSTLBKJObJqMvaO1pIE8LQ==", +      "version": "7.7.0", +      "resolved": "https://registry.npmjs.org/@babel/plugin-proposal-async-generator-functions/-/plugin-proposal-async-generator-functions-7.7.0.tgz", +      "integrity": "sha512-ot/EZVvf3mXtZq0Pd0+tSOfGWMizqmOohXmNZg6LNFjHOV+wOPv7BvVYh8oPR8LhpIP3ye8nNooKL50YRWxpYA==",        "dev": true,        "requires": {          "@babel/helper-plugin-utils": "^7.0.0", -        "@babel/helper-remap-async-to-generator": "^7.1.0", +        "@babel/helper-remap-async-to-generator": "^7.7.0",          "@babel/plugin-syntax-async-generators": "^7.2.0"        }      },      "@babel/plugin-proposal-dynamic-import": { -      "version": "7.5.0", -      "resolved": "https://registry.npmjs.org/@babel/plugin-proposal-dynamic-import/-/plugin-proposal-dynamic-import-7.5.0.tgz", -      "integrity": "sha512-x/iMjggsKTFHYC6g11PL7Qy58IK8H5zqfm9e6hu4z1iH2IRyAp9u9dL80zA6R76yFovETFLKz2VJIC2iIPBuFw==", +      "version": "7.7.0", +      "resolved": "https://registry.npmjs.org/@babel/plugin-proposal-dynamic-import/-/plugin-proposal-dynamic-import-7.7.0.tgz", +      "integrity": "sha512-7poL3Xi+QFPC7sGAzEIbXUyYzGJwbc2+gSD0AkiC5k52kH2cqHdqxm5hNFfLW3cRSTcx9bN0Fl7/6zWcLLnKAQ==",        "dev": true,        "requires": {          "@babel/helper-plugin-utils": "^7.0.0", @@ -1338,9 +2183,9 @@        }      },      "@babel/plugin-proposal-object-rest-spread": { -      "version": "7.5.5", -      "resolved": "https://registry.npmjs.org/@babel/plugin-proposal-object-rest-spread/-/plugin-proposal-object-rest-spread-7.5.5.tgz", -      "integrity": "sha512-F2DxJJSQ7f64FyTVl5cw/9MWn6naXGdk3Q3UhDbFEEHv+EilCPoeRD3Zh/Utx1CJz4uyKlQ4uH+bJPbEhMV7Zw==", +      "version": "7.6.2", +      "resolved": "https://registry.npmjs.org/@babel/plugin-proposal-object-rest-spread/-/plugin-proposal-object-rest-spread-7.6.2.tgz", +      "integrity": "sha512-LDBXlmADCsMZV1Y9OQwMc0MyGZ8Ta/zlD9N67BfQT8uYwkRswiu2hU6nJKrjrt/58aH/vqfQlR/9yId/7A2gWw==",        "dev": true,        "requires": {          "@babel/helper-plugin-utils": "^7.0.0", @@ -1358,14 +2203,13 @@        }      },      "@babel/plugin-proposal-unicode-property-regex": { -      "version": "7.4.4", -      "resolved": "https://registry.npmjs.org/@babel/plugin-proposal-unicode-property-regex/-/plugin-proposal-unicode-property-regex-7.4.4.tgz", -      "integrity": "sha512-j1NwnOqMG9mFUOH58JTFsA/+ZYzQLUZ/drqWUqxCYLGeu2JFZL8YrNC9hBxKmWtAuOCHPcRpgv7fhap09Fb4kA==", +      "version": "7.7.0", +      "resolved": "https://registry.npmjs.org/@babel/plugin-proposal-unicode-property-regex/-/plugin-proposal-unicode-property-regex-7.7.0.tgz", +      "integrity": "sha512-mk34H+hp7kRBWJOOAR0ZMGCydgKMD4iN9TpDRp3IIcbunltxEY89XSimc6WbtSLCDrwcdy/EEw7h5CFCzxTchw==",        "dev": true,        "requires": { -        "@babel/helper-plugin-utils": "^7.0.0", -        "@babel/helper-regex": "^7.4.4", -        "regexpu-core": "^4.5.4" +        "@babel/helper-create-regexp-features-plugin": "^7.7.0", +        "@babel/helper-plugin-utils": "^7.0.0"        }      },      "@babel/plugin-syntax-async-generators": { @@ -1423,14 +2267,14 @@        }      },      "@babel/plugin-transform-async-to-generator": { -      "version": "7.5.0", -      "resolved": "https://registry.npmjs.org/@babel/plugin-transform-async-to-generator/-/plugin-transform-async-to-generator-7.5.0.tgz", -      "integrity": "sha512-mqvkzwIGkq0bEF1zLRRiTdjfomZJDV33AH3oQzHVGkI2VzEmXLpKKOBvEVaFZBJdN0XTyH38s9j/Kiqr68dggg==", +      "version": "7.7.0", +      "resolved": "https://registry.npmjs.org/@babel/plugin-transform-async-to-generator/-/plugin-transform-async-to-generator-7.7.0.tgz", +      "integrity": "sha512-vLI2EFLVvRBL3d8roAMqtVY0Bm9C1QzLkdS57hiKrjUBSqsQYrBsMCeOg/0KK7B0eK9V71J5mWcha9yyoI2tZw==",        "dev": true,        "requires": { -        "@babel/helper-module-imports": "^7.0.0", +        "@babel/helper-module-imports": "^7.7.0",          "@babel/helper-plugin-utils": "^7.0.0", -        "@babel/helper-remap-async-to-generator": "^7.1.0" +        "@babel/helper-remap-async-to-generator": "^7.7.0"        }      },      "@babel/plugin-transform-block-scoped-functions": { @@ -1443,9 +2287,9 @@        }      },      "@babel/plugin-transform-block-scoping": { -      "version": "7.6.0", -      "resolved": "https://registry.npmjs.org/@babel/plugin-transform-block-scoping/-/plugin-transform-block-scoping-7.6.0.tgz", -      "integrity": "sha512-tIt4E23+kw6TgL/edACZwP1OUKrjOTyMrFMLoT5IOFrfMRabCgekjqFd5o6PaAMildBu46oFkekIdMuGkkPEpA==", +      "version": "7.6.3", +      "resolved": "https://registry.npmjs.org/@babel/plugin-transform-block-scoping/-/plugin-transform-block-scoping-7.6.3.tgz", +      "integrity": "sha512-7hvrg75dubcO3ZI2rjYTzUrEuh1E9IyDEhhB6qfcooxhDA33xx2MasuLVgdxzcP6R/lipAC6n9ub9maNW6RKdw==",        "dev": true,        "requires": {          "@babel/helper-plugin-utils": "^7.0.0", @@ -1453,19 +2297,78 @@        }      },      "@babel/plugin-transform-classes": { -      "version": "7.5.5", -      "resolved": "https://registry.npmjs.org/@babel/plugin-transform-classes/-/plugin-transform-classes-7.5.5.tgz", -      "integrity": "sha512-U2htCNK/6e9K7jGyJ++1p5XRU+LJjrwtoiVn9SzRlDT2KubcZ11OOwy3s24TjHxPgxNwonCYP7U2K51uVYCMDg==", +      "version": "7.7.0", +      "resolved": "https://registry.npmjs.org/@babel/plugin-transform-classes/-/plugin-transform-classes-7.7.0.tgz", +      "integrity": "sha512-/b3cKIZwGeUesZheU9jNYcwrEA7f/Bo4IdPmvp7oHgvks2majB5BoT5byAql44fiNQYOPzhk2w8DbgfuafkMoA==",        "dev": true,        "requires": { -        "@babel/helper-annotate-as-pure": "^7.0.0", -        "@babel/helper-define-map": "^7.5.5", -        "@babel/helper-function-name": "^7.1.0", -        "@babel/helper-optimise-call-expression": "^7.0.0", +        "@babel/helper-annotate-as-pure": "^7.7.0", +        "@babel/helper-define-map": "^7.7.0", +        "@babel/helper-function-name": "^7.7.0", +        "@babel/helper-optimise-call-expression": "^7.7.0",          "@babel/helper-plugin-utils": "^7.0.0", -        "@babel/helper-replace-supers": "^7.5.5", -        "@babel/helper-split-export-declaration": "^7.4.4", +        "@babel/helper-replace-supers": "^7.7.0", +        "@babel/helper-split-export-declaration": "^7.7.0",          "globals": "^11.1.0" +      }, +      "dependencies": { +        "@babel/helper-function-name": { +          "version": "7.7.0", +          "resolved": "https://registry.npmjs.org/@babel/helper-function-name/-/helper-function-name-7.7.0.tgz", +          "integrity": "sha512-tDsJgMUAP00Ugv8O2aGEua5I2apkaQO7lBGUq1ocwN3G23JE5Dcq0uh3GvFTChPa4b40AWiAsLvCZOA2rdnQ7Q==", +          "dev": true, +          "requires": { +            "@babel/helper-get-function-arity": "^7.7.0", +            "@babel/template": "^7.7.0", +            "@babel/types": "^7.7.0" +          } +        }, +        "@babel/helper-get-function-arity": { +          "version": "7.7.0", +          "resolved": "https://registry.npmjs.org/@babel/helper-get-function-arity/-/helper-get-function-arity-7.7.0.tgz", +          "integrity": "sha512-tLdojOTz4vWcEnHWHCuPN5P85JLZWbm5Fx5ZsMEMPhF3Uoe3O7awrbM2nQ04bDOUToH/2tH/ezKEOR8zEYzqyw==", +          "dev": true, +          "requires": { +            "@babel/types": "^7.7.0" +          } +        }, +        "@babel/helper-split-export-declaration": { +          "version": "7.7.0", +          "resolved": "https://registry.npmjs.org/@babel/helper-split-export-declaration/-/helper-split-export-declaration-7.7.0.tgz", +          "integrity": "sha512-HgYSI8rH08neWlAH3CcdkFg9qX9YsZysZI5GD8LjhQib/mM0jGOZOVkoUiiV2Hu978fRtjtsGsW6w0pKHUWtqA==", +          "dev": true, +          "requires": { +            "@babel/types": "^7.7.0" +          } +        }, +        "@babel/parser": { +          "version": "7.7.3", +          "resolved": "https://registry.npmjs.org/@babel/parser/-/parser-7.7.3.tgz", +          "integrity": "sha512-bqv+iCo9i+uLVbI0ILzKkvMorqxouI+GbV13ivcARXn9NNEabi2IEz912IgNpT/60BNXac5dgcfjb94NjsF33A==", +          "dev": true +        }, +        "@babel/template": { +          "version": "7.7.0", +          "resolved": "https://registry.npmjs.org/@babel/template/-/template-7.7.0.tgz", +          "integrity": "sha512-OKcwSYOW1mhWbnTBgQY5lvg1Fxg+VyfQGjcBduZFljfc044J5iDlnDSfhQ867O17XHiSCxYHUxHg2b7ryitbUQ==", +          "dev": true, +          "requires": { +            "@babel/code-frame": "^7.0.0", +            "@babel/parser": "^7.7.0", +            "@babel/types": "^7.7.0" +          } +        }, +        "@babel/types": { +          "version": "7.7.2", +          "resolved": "https://registry.npmjs.org/@babel/types/-/types-7.7.2.tgz", +          "integrity": "sha512-YTf6PXoh3+eZgRCBzzP25Bugd2ngmpQVrk7kXX0i5N9BO7TFBtIgZYs7WtxtOGs8e6A4ZI7ECkbBCEHeXocvOA==", +          "dev": true, +          "requires": { +            "esutils": "^2.0.2", +            "lodash": "^4.17.13", +            "to-fast-properties": "^2.0.0" +          } +        }        }      },      "@babel/plugin-transform-computed-properties": { @@ -1487,14 +2390,13 @@        }      },      "@babel/plugin-transform-dotall-regex": { -      "version": "7.4.4", -      "resolved": "https://registry.npmjs.org/@babel/plugin-transform-dotall-regex/-/plugin-transform-dotall-regex-7.4.4.tgz", -      "integrity": "sha512-P05YEhRc2h53lZDjRPk/OektxCVevFzZs2Gfjd545Wde3k+yFDbXORgl2e0xpbq8mLcKJ7Idss4fAg0zORN/zg==", +      "version": "7.7.0", +      "resolved": "https://registry.npmjs.org/@babel/plugin-transform-dotall-regex/-/plugin-transform-dotall-regex-7.7.0.tgz", +      "integrity": "sha512-3QQlF7hSBnSuM1hQ0pS3pmAbWLax/uGNCbPBND9y+oJ4Y776jsyujG2k0Sn2Aj2a0QwVOiOFL5QVPA7spjvzSA==",        "dev": true,        "requires": { -        "@babel/helper-plugin-utils": "^7.0.0", -        "@babel/helper-regex": "^7.4.4", -        "regexpu-core": "^4.5.4" +        "@babel/helper-create-regexp-features-plugin": "^7.7.0", +        "@babel/helper-plugin-utils": "^7.0.0"        }      },      "@babel/plugin-transform-duplicate-keys": { @@ -1526,13 +2428,63 @@        }      },      "@babel/plugin-transform-function-name": { -      "version": "7.4.4", -      "resolved": "https://registry.npmjs.org/@babel/plugin-transform-function-name/-/plugin-transform-function-name-7.4.4.tgz", -      "integrity": "sha512-iU9pv7U+2jC9ANQkKeNF6DrPy4GBa4NWQtl6dHB4Pb3izX2JOEvDTFarlNsBj/63ZEzNNIAMs3Qw4fNCcSOXJA==", +      "version": "7.7.0", +      "resolved": "https://registry.npmjs.org/@babel/plugin-transform-function-name/-/plugin-transform-function-name-7.7.0.tgz", +      "integrity": "sha512-P5HKu0d9+CzZxP5jcrWdpe7ZlFDe24bmqP6a6X8BHEBl/eizAsY8K6LX8LASZL0Jxdjm5eEfzp+FIrxCm/p8bA==",        "dev": true,        "requires": { -        "@babel/helper-function-name": "^7.1.0", +        "@babel/helper-function-name": "^7.7.0",          "@babel/helper-plugin-utils": "^7.0.0" +      }, +      "dependencies": { +        "@babel/helper-function-name": { +          "version": "7.7.0", +          "resolved": "https://registry.npmjs.org/@babel/helper-function-name/-/helper-function-name-7.7.0.tgz", +          "integrity": "sha512-tDsJgMUAP00Ugv8O2aGEua5I2apkaQO7lBGUq1ocwN3G23JE5Dcq0uh3GvFTChPa4b40AWiAsLvCZOA2rdnQ7Q==", +          "dev": true, +          "requires": { +            "@babel/helper-get-function-arity": "^7.7.0", +            "@babel/template": "^7.7.0", +            "@babel/types": "^7.7.0" +          } +        }, +        "@babel/helper-get-function-arity": { +          "version": "7.7.0", +          "resolved": "https://registry.npmjs.org/@babel/helper-get-function-arity/-/helper-get-function-arity-7.7.0.tgz", +          "integrity": "sha512-tLdojOTz4vWcEnHWHCuPN5P85JLZWbm5Fx5ZsMEMPhF3Uoe3O7awrbM2nQ04bDOUToH/2tH/ezKEOR8zEYzqyw==", +          "dev": true, +          "requires": { +            "@babel/types": "^7.7.0" +          } +        }, +        "@babel/parser": { +          "version": "7.7.3", +          "resolved": "https://registry.npmjs.org/@babel/parser/-/parser-7.7.3.tgz", +          "integrity": "sha512-bqv+iCo9i+uLVbI0ILzKkvMorqxouI+GbV13ivcARXn9NNEabi2IEz912IgNpT/60BNXac5dgcfjb94NjsF33A==", +          "dev": true +        }, +        "@babel/template": { +          "version": "7.7.0", +          "resolved": "https://registry.npmjs.org/@babel/template/-/template-7.7.0.tgz", +          "integrity": "sha512-OKcwSYOW1mhWbnTBgQY5lvg1Fxg+VyfQGjcBduZFljfc044J5iDlnDSfhQ867O17XHiSCxYHUxHg2b7ryitbUQ==", +          "dev": true, +          "requires": { +            "@babel/code-frame": "^7.0.0", +            "@babel/parser": "^7.7.0", +            "@babel/types": "^7.7.0" +          } +        }, +        "@babel/types": { +          "version": "7.7.2", +          "resolved": "https://registry.npmjs.org/@babel/types/-/types-7.7.2.tgz", +          "integrity": "sha512-YTf6PXoh3+eZgRCBzzP25Bugd2ngmpQVrk7kXX0i5N9BO7TFBtIgZYs7WtxtOGs8e6A4ZI7ECkbBCEHeXocvOA==", +          "dev": true, +          "requires": { +            "esutils": "^2.0.2", +            "lodash": "^4.17.13", +            "to-fast-properties": "^2.0.0" +          } +        }        }      },      "@babel/plugin-transform-literals": { @@ -1565,45 +2517,45 @@        }      },      "@babel/plugin-transform-modules-commonjs": { -      "version": "7.6.0", -      "resolved": "https://registry.npmjs.org/@babel/plugin-transform-modules-commonjs/-/plugin-transform-modules-commonjs-7.6.0.tgz", -      "integrity": "sha512-Ma93Ix95PNSEngqomy5LSBMAQvYKVe3dy+JlVJSHEXZR5ASL9lQBedMiCyVtmTLraIDVRE3ZjTZvmXXD2Ozw3g==", +      "version": "7.7.0", +      "resolved": "https://registry.npmjs.org/@babel/plugin-transform-modules-commonjs/-/plugin-transform-modules-commonjs-7.7.0.tgz", +      "integrity": "sha512-KEMyWNNWnjOom8vR/1+d+Ocz/mILZG/eyHHO06OuBQ2aNhxT62fr4y6fGOplRx+CxCSp3IFwesL8WdINfY/3kg==",        "dev": true,        "requires": { -        "@babel/helper-module-transforms": "^7.4.4", +        "@babel/helper-module-transforms": "^7.7.0",          "@babel/helper-plugin-utils": "^7.0.0", -        "@babel/helper-simple-access": "^7.1.0", +        "@babel/helper-simple-access": "^7.7.0",          "babel-plugin-dynamic-import-node": "^2.3.0"        }      },      "@babel/plugin-transform-modules-systemjs": { -      "version": "7.5.0", -      "resolved": "https://registry.npmjs.org/@babel/plugin-transform-modules-systemjs/-/plugin-transform-modules-systemjs-7.5.0.tgz", -      "integrity": "sha512-Q2m56tyoQWmuNGxEtUyeEkm6qJYFqs4c+XyXH5RAuYxObRNz9Zgj/1g2GMnjYp2EUyEy7YTrxliGCXzecl/vJg==", +      "version": "7.7.0", +      "resolved": "https://registry.npmjs.org/@babel/plugin-transform-modules-systemjs/-/plugin-transform-modules-systemjs-7.7.0.tgz", +      "integrity": "sha512-ZAuFgYjJzDNv77AjXRqzQGlQl4HdUM6j296ee4fwKVZfhDR9LAGxfvXjBkb06gNETPnN0sLqRm9Gxg4wZH6dXg==",        "dev": true,        "requires": { -        "@babel/helper-hoist-variables": "^7.4.4", +        "@babel/helper-hoist-variables": "^7.7.0",          "@babel/helper-plugin-utils": "^7.0.0",          "babel-plugin-dynamic-import-node": "^2.3.0"        }      },      "@babel/plugin-transform-modules-umd": { -      "version": "7.2.0", -      "resolved": "https://registry.npmjs.org/@babel/plugin-transform-modules-umd/-/plugin-transform-modules-umd-7.2.0.tgz", -      "integrity": "sha512-BV3bw6MyUH1iIsGhXlOK6sXhmSarZjtJ/vMiD9dNmpY8QXFFQTj+6v92pcfy1iqa8DeAfJFwoxcrS/TUZda6sw==", +      "version": "7.7.0", +      "resolved": "https://registry.npmjs.org/@babel/plugin-transform-modules-umd/-/plugin-transform-modules-umd-7.7.0.tgz", +      "integrity": "sha512-u7eBA03zmUswQ9LQ7Qw0/ieC1pcAkbp5OQatbWUzY1PaBccvuJXUkYzoN1g7cqp7dbTu6Dp9bXyalBvD04AANA==",        "dev": true,        "requires": { -        "@babel/helper-module-transforms": "^7.1.0", +        "@babel/helper-module-transforms": "^7.7.0",          "@babel/helper-plugin-utils": "^7.0.0"        }      },      "@babel/plugin-transform-named-capturing-groups-regex": { -      "version": "7.6.0", -      "resolved": "https://registry.npmjs.org/@babel/plugin-transform-named-capturing-groups-regex/-/plugin-transform-named-capturing-groups-regex-7.6.0.tgz", -      "integrity": "sha512-jem7uytlmrRl3iCAuQyw8BpB4c4LWvSpvIeXKpMb+7j84lkx4m4mYr5ErAcmN5KM7B6BqrAvRGjBIbbzqCczew==", +      "version": "7.7.0", +      "resolved": "https://registry.npmjs.org/@babel/plugin-transform-named-capturing-groups-regex/-/plugin-transform-named-capturing-groups-regex-7.7.0.tgz", +      "integrity": "sha512-+SicSJoKouPctL+j1pqktRVCgy+xAch1hWWTMy13j0IflnyNjaoskj+DwRQFimHbLqO3sq2oN2CXMvXq3Bgapg==",        "dev": true,        "requires": { -        "regexp-tree": "^0.1.13" +        "@babel/helper-create-regexp-features-plugin": "^7.7.0"        }      },      "@babel/plugin-transform-new-target": { @@ -1646,9 +2598,9 @@        }      },      "@babel/plugin-transform-regenerator": { -      "version": "7.4.5", -      "resolved": "https://registry.npmjs.org/@babel/plugin-transform-regenerator/-/plugin-transform-regenerator-7.4.5.tgz", -      "integrity": "sha512-gBKRh5qAaCWntnd09S8QC7r3auLCqq5DI6O0DlfoyDjslSBVqBibrMdsqO+Uhmx3+BlOmE/Kw1HFxmGbv0N9dA==", +      "version": "7.7.0", +      "resolved": "https://registry.npmjs.org/@babel/plugin-transform-regenerator/-/plugin-transform-regenerator-7.7.0.tgz", +      "integrity": "sha512-AXmvnC+0wuj/cFkkS/HFHIojxH3ffSXE+ttulrqWjZZRaUOonfJc60e1wSNT4rV8tIunvu/R3wCp71/tLAa9xg==",        "dev": true,        "requires": {          "regenerator-transform": "^0.14.0" @@ -1673,9 +2625,9 @@        }      },      "@babel/plugin-transform-spread": { -      "version": "7.2.2", -      "resolved": "https://registry.npmjs.org/@babel/plugin-transform-spread/-/plugin-transform-spread-7.2.2.tgz", -      "integrity": "sha512-KWfky/58vubwtS0hLqEnrWJjsMGaOeSBn90Ezn5Jeg9Z8KKHmELbP1yGylMlm5N6TPKeY9A2+UaSYLdxahg01w==", +      "version": "7.6.2", +      "resolved": "https://registry.npmjs.org/@babel/plugin-transform-spread/-/plugin-transform-spread-7.6.2.tgz", +      "integrity": "sha512-DpSvPFryKdK1x+EDJYCy28nmAaIMdxmhot62jAXF/o99iA33Zj2Lmcp3vDmz+MUh0LNYVPvfj5iC3feb3/+PFg==",        "dev": true,        "requires": {          "@babel/helper-plugin-utils": "^7.0.0" @@ -1711,14 +2663,13 @@        }      },      "@babel/plugin-transform-unicode-regex": { -      "version": "7.4.4", -      "resolved": "https://registry.npmjs.org/@babel/plugin-transform-unicode-regex/-/plugin-transform-unicode-regex-7.4.4.tgz", -      "integrity": "sha512-il+/XdNw01i93+M9J9u4T7/e/Ue/vWfNZE4IRUQjplu2Mqb/AFTDimkw2tdEdSH50wuQXZAbXSql0UphQke+vA==", +      "version": "7.7.0", +      "resolved": "https://registry.npmjs.org/@babel/plugin-transform-unicode-regex/-/plugin-transform-unicode-regex-7.7.0.tgz", +      "integrity": "sha512-RrThb0gdrNwFAqEAAx9OWgtx6ICK69x7i9tCnMdVrxQwSDp/Abu9DXFU5Hh16VP33Rmxh04+NGW28NsIkFvFKA==",        "dev": true,        "requires": { -        "@babel/helper-plugin-utils": "^7.0.0", -        "@babel/helper-regex": "^7.4.4", -        "regexpu-core": "^4.5.4" +        "@babel/helper-create-regexp-features-plugin": "^7.7.0", +        "@babel/helper-plugin-utils": "^7.0.0"        }      },      "@babel/preset-env": { @@ -1827,16 +2778,31 @@        }      },      "@ngtools/webpack": { -      "version": "8.3.4", -      "resolved": "https://registry.npmjs.org/@ngtools/webpack/-/webpack-8.3.4.tgz", -      "integrity": "sha512-hNikQ6cjvCmA/bK8dor+oijPKF9sQAcM29FCPn3t0l3ucoVSOvbFpvtMYqlIHN5pw6WitZpImnkk2OW3o1JaDA==", +      "version": "8.3.19", +      "resolved": "https://registry.npmjs.org/@ngtools/webpack/-/webpack-8.3.19.tgz", +      "integrity": "sha512-2PPnIsLmPSmtaurj+8SaWBWWheL8i3DOWY6fCbxgZRmCTcShHWBxPldzLMqGrTYhqjHdqnOO+uu1EEG5yyLBMw==",        "dev": true,        "requires": { -        "@angular-devkit/core": "8.3.4", +        "@angular-devkit/core": "8.3.19",          "enhanced-resolve": "4.1.0",          "rxjs": "6.4.0",          "tree-kill": "1.2.1",          "webpack-sources": "1.4.3" +      }, +      "dependencies": { +        "@angular-devkit/core": { +          "version": "8.3.19", +          "resolved": "https://registry.npmjs.org/@angular-devkit/core/-/core-8.3.19.tgz", +          "integrity": "sha512-NTNxSpRB6zMlqsuWLHs2F6QuypIb/XUitMkJy2P7Ee3kZfCYvvH9cCkiQqkwEhKw6J01qKeXwOElmxnqmF291w==", +          "dev": true, +          "requires": { +            "ajv": "6.10.2", +            "fast-json-stable-stringify": "2.0.0", +            "magic-string": "0.25.3", +            "rxjs": "6.4.0", +            "source-map": "0.7.3" +          } +        }        }      },      "@schematics/angular": { @@ -2263,9 +3229,9 @@        }      },      "anymatch": { -      "version": "3.1.0", -      "resolved": "https://registry.npmjs.org/anymatch/-/anymatch-3.1.0.tgz", -      "integrity": "sha512-Ozz7l4ixzI7Oxj2+cw+p0tVUt27BpaJ+1+q1TCeANWxHpvyn2+Un+YamBdfKu0uh8xLodGhoa1v7595NhKDAuA==", +      "version": "3.1.1", +      "resolved": "https://registry.npmjs.org/anymatch/-/anymatch-3.1.1.tgz", +      "integrity": "sha512-mM8522psRCqzV+6LhomX5wgp25YVibjh8Wj23I5RPkPppSVSjyKD2A2mBJmWGa+KN7f2D6LNh9jkBCeyLktzjg==",        "dev": true,        "requires": {          "normalize-path": "^3.0.0", @@ -2612,9 +3578,9 @@        },        "dependencies": {          "core-js": { -          "version": "2.6.9", -          "resolved": "https://registry.npmjs.org/core-js/-/core-js-2.6.9.tgz", -          "integrity": "sha512-HOpZf6eXmnl7la+cUdMnLvUxKNqLUzJvgIziQ0DiF3JwSImNphIqdGqzj6hIKyX04MmV0poclQ7+wjWvxQyR2A==", +          "version": "2.6.10", +          "resolved": "https://registry.npmjs.org/core-js/-/core-js-2.6.10.tgz", +          "integrity": "sha512-I39t74+4t+zau64EN1fE5v2W31Adtc/REhzWN+gWRRXg6WH5qAsZm62DHpQ1+Yhe4047T55jvzz7MUqF/dBBlA==",            "dev": true          },          "regenerator-runtime": { @@ -3030,9 +3996,9 @@        }      },      "buffer": { -      "version": "4.9.1", -      "resolved": "https://registry.npmjs.org/buffer/-/buffer-4.9.1.tgz", -      "integrity": "sha1-bRu2AbB6TvztlwlBMgkwJ8lbwpg=", +      "version": "4.9.2", +      "resolved": "https://registry.npmjs.org/buffer/-/buffer-4.9.2.tgz", +      "integrity": "sha512-xq+q3SRMOxGivLhBNaUdC64hDTQwejJ+H0T/NB1XMtTVEwNTrfFF3gAxiyW0Bu/xWEGhjVKgUcMhCrUy2+uCWg==",        "dev": true,        "requires": {          "base64-js": "^1.0.2", @@ -3216,25 +4182,25 @@        "dev": true      },      "chokidar": { -      "version": "3.0.2", -      "resolved": "https://registry.npmjs.org/chokidar/-/chokidar-3.0.2.tgz", -      "integrity": "sha512-c4PR2egjNjI1um6bamCQ6bUNPDiyofNQruHvKgHQ4gDUP/ITSVSzNsiI5OWtHOsX323i5ha/kk4YmOZ1Ktg7KA==", -      "dev": true, -      "requires": { -        "anymatch": "^3.0.1", -        "braces": "^3.0.2", -        "fsevents": "^2.0.6", -        "glob-parent": "^5.0.0", -        "is-binary-path": "^2.1.0", -        "is-glob": "^4.0.1", -        "normalize-path": "^3.0.0", -        "readdirp": "^3.1.1" +      "version": "3.3.0", +      "resolved": "https://registry.npmjs.org/chokidar/-/chokidar-3.3.0.tgz", +      "integrity": "sha512-dGmKLDdT3Gdl7fBUe8XK+gAtGmzy5Fn0XkkWQuYxGIgWVPPse2CxFA5mtrlD0TOHaHjEUqkWNyP1XdHoJES/4A==", +      "dev": true, +      "requires": { +        "anymatch": "~3.1.1", +        "braces": "~3.0.2", +        "fsevents": "~2.1.1", +        "glob-parent": "~5.1.0", +        "is-binary-path": "~2.1.0", +        "is-glob": "~4.0.1", +        "normalize-path": "~3.0.0", +        "readdirp": "~3.2.0"        },        "dependencies": {          "glob-parent": { -          "version": "5.0.0", -          "resolved": "https://registry.npmjs.org/glob-parent/-/glob-parent-5.0.0.tgz", -          "integrity": "sha512-Z2RwiujPRGluePM6j699ktJYxmPpJKCfpGA13jz2hmFZC7gKetzrWvg5KN3+OsIFmydGyZ1AVwERCq1w/ZZwRg==", +          "version": "5.1.0", +          "resolved": "https://registry.npmjs.org/glob-parent/-/glob-parent-5.1.0.tgz", +          "integrity": "sha512-qjtRgnIVmOfnKUE3NJAQEdk+lKrxfw8t5ke7SXtfMTHcjsBfOfWXCQfdb30zfDoZQ2IRSIiidmjtbHZPZ++Ihw==",            "dev": true,            "requires": {              "is-glob": "^4.0.1" @@ -3587,13 +4553,10 @@        "dev": true      },      "console-browserify": { -      "version": "1.1.0", -      "resolved": "https://registry.npmjs.org/console-browserify/-/console-browserify-1.1.0.tgz", -      "integrity": "sha1-8CQcRXMKn8YyOyBtvzjtx0HQuxA=", -      "dev": true, -      "requires": { -        "date-now": "^0.1.4" -      } +      "version": "1.2.0", +      "resolved": "https://registry.npmjs.org/console-browserify/-/console-browserify-1.2.0.tgz", +      "integrity": "sha512-ZMkYO/LkF17QvCPqM0gxw8yUzigAOZOSWSHg91FH6orS7vcEj5dVZTidN2fQ14yBSdg97RqhSNwLUXInd52OTA==", +      "dev": true      },      "constants-browserify": {        "version": "1.0.0", @@ -3719,13 +4682,32 @@        "dev": true      },      "core-js-compat": { -      "version": "3.2.1", -      "resolved": "https://registry.npmjs.org/core-js-compat/-/core-js-compat-3.2.1.tgz", -      "integrity": "sha512-MwPZle5CF9dEaMYdDeWm73ao/IflDH+FjeJCWEADcEgFSE9TLimFKwJsfmkwzI8eC0Aj0mgvMDjeQjrElkz4/A==", +      "version": "3.4.1", +      "resolved": "https://registry.npmjs.org/core-js-compat/-/core-js-compat-3.4.1.tgz", +      "integrity": "sha512-YdeJI26gLc0CQJ9asLE5obEgBz2I0+CIgnoTbS2T0d5IPQw/OCgCIFR527RmpduxjrB3gSEHoGOCTq9sigOyfw==",        "dev": true,        "requires": { -        "browserslist": "^4.6.6", +        "browserslist": "^4.7.2",          "semver": "^6.3.0" +      }, +      "dependencies": { +        "browserslist": { +          "version": "4.7.3", +          "resolved": "https://registry.npmjs.org/browserslist/-/browserslist-4.7.3.tgz", +          "integrity": "sha512-jWvmhqYpx+9EZm/FxcZSbUZyDEvDTLDi3nSAKbzEkyWvtI0mNSmUosey+5awDW1RUlrgXbQb5A6qY1xQH9U6MQ==", +          "dev": true, +          "requires": { +            "caniuse-lite": "^1.0.30001010", +            "electron-to-chromium": "^1.3.306", +            "node-releases": "^1.1.40" +          } +        }, +        "caniuse-lite": { +          "version": "1.0.30001011", +          "resolved": "https://registry.npmjs.org/caniuse-lite/-/caniuse-lite-1.0.30001011.tgz", +          "integrity": "sha512-h+Eqyn/YA6o6ZTqpS86PyRmNWOs1r54EBDcd2NTwwfsXQ8re1B38SnB+p2RKF8OUsyEIjeDU8XGec1RGO/wYCg==", +          "dev": true +        }        }      },      "core-util-is": { @@ -3922,12 +4904,6 @@        "integrity": "sha512-bYQuGLeFxhkxNOF3rcMtiZxvCBAquGzZm6oWA1oZ0g2THUzivaRhv8uOhdr19LmoobSOLoIAxeUK2RdbM8IFTA==",        "dev": true      }, -    "date-now": { -      "version": "0.1.4", -      "resolved": "https://registry.npmjs.org/date-now/-/date-now-0.1.4.tgz", -      "integrity": "sha1-6vQ5/U1ISK105cx9vvIAZyueNFs=", -      "dev": true -    },      "debug": {        "version": "4.1.1",        "resolved": "https://registry.npmjs.org/debug/-/debug-4.1.1.tgz", @@ -3956,9 +4932,9 @@        "dev": true      },      "deep-equal": { -      "version": "1.1.0", -      "resolved": "https://registry.npmjs.org/deep-equal/-/deep-equal-1.1.0.tgz", -      "integrity": "sha512-ZbfWJq/wN1Z273o7mUSjILYqehAktR2NVoSrOukDkU9kg2v/Uv89yU4Cvz8seJeAmtN5oqiefKq8FPuXOboqLw==", +      "version": "1.1.1", +      "resolved": "https://registry.npmjs.org/deep-equal/-/deep-equal-1.1.1.tgz", +      "integrity": "sha512-yd9c5AdiqVcR+JjcwUQb9DkhJc8ngNr0MahEBGvDiJw8puWab2yZlh+nkasOnZP+EGTAP6rRp2JzJhJZzvNF8g==",        "dev": true,        "requires": {          "is-arguments": "^1.0.4", @@ -4095,9 +5071,9 @@        "dev": true      },      "des.js": { -      "version": "1.0.0", -      "resolved": "https://registry.npmjs.org/des.js/-/des.js-1.0.0.tgz", -      "integrity": "sha1-wHTS4qpqipoH29YfmhXCzYPsjsw=", +      "version": "1.0.1", +      "resolved": "https://registry.npmjs.org/des.js/-/des.js-1.0.1.tgz", +      "integrity": "sha512-Q0I4pfFrv2VPd34/vfLrFOoRmlYj3OV50i7fskps1jZWK1kApMWWT9G6RRUeYedLcBDIhnSDaUvJMb3AhUlaEA==",        "dev": true,        "requires": {          "inherits": "^2.0.1", @@ -4239,9 +5215,9 @@        "dev": true      },      "electron-to-chromium": { -      "version": "1.3.258", -      "resolved": "https://registry.npmjs.org/electron-to-chromium/-/electron-to-chromium-1.3.258.tgz", -      "integrity": "sha512-rkPYrgFU7k/8ngjHYvzOZ44OQQ1GeIRIQnhGv00RkSlQXEnJKsGonQppbEEWHuuxZegpMao+WZmYraWQJQJMMg==", +      "version": "1.3.308", +      "resolved": "https://registry.npmjs.org/electron-to-chromium/-/electron-to-chromium-1.3.308.tgz", +      "integrity": "sha512-IwU/0LTzTa03Q0YDzg11RlK8e/V92tmPqFOaTEsdv7JJXtC/+v/H4bT2FmsA/xaFQWJvi0ZVcRppw8o0AD9XJQ==",        "dev": true      },      "elliptic": { @@ -4880,9 +5856,9 @@        },        "dependencies": {          "schema-utils": { -          "version": "2.2.0", -          "resolved": "https://registry.npmjs.org/schema-utils/-/schema-utils-2.2.0.tgz", -          "integrity": "sha512-5EwsCNhfFTZvUreQhx/4vVQpJ/lnCAkgoIHLhSpp4ZirE+4hzFvdJi0FMub6hxbFVBJYSpeVVmon+2e7uEGRrA==", +          "version": "2.5.0", +          "resolved": "https://registry.npmjs.org/schema-utils/-/schema-utils-2.5.0.tgz", +          "integrity": "sha512-32ISrwW2scPXHUSusP8qMg5dLUawKkyV+/qIEV9JdXKx+rsM6mi8vZY8khg2M69Qom16rtroWXD3Ybtiws38gQ==",            "dev": true,            "requires": {              "ajv": "^6.10.2", @@ -5154,9 +6130,9 @@        "dev": true      },      "fsevents": { -      "version": "2.0.7", -      "resolved": "https://registry.npmjs.org/fsevents/-/fsevents-2.0.7.tgz", -      "integrity": "sha512-a7YT0SV3RB+DjYcppwVDLtn13UQnmg0SWZS7ezZD0UjnLwXmy8Zm21GMVGLaFGimIqcvyMQaOJBrop8MyOp1kQ==", +      "version": "2.1.2", +      "resolved": "https://registry.npmjs.org/fsevents/-/fsevents-2.1.2.tgz", +      "integrity": "sha512-R4wDiBwZ0KzpgOWetKDug1FZcYhqYnUYKtfZYt4mD5SBz76q0KR4Q9o7GIPamsVPGmW3EYPPJ0dOOjvx32ldZA==",        "dev": true,        "optional": true      }, @@ -5278,9 +6254,9 @@        "dev": true      },      "handlebars": { -      "version": "4.2.0", -      "resolved": "https://registry.npmjs.org/handlebars/-/handlebars-4.2.0.tgz", -      "integrity": "sha512-Kb4xn5Qh1cxAKvQnzNWZ512DhABzyFNmsaJf3OAkWNa4NkaqWcNI8Tao8Tasi0/F4JD9oyG0YxuFyvyR57d+Gw==", +      "version": "4.5.3", +      "resolved": "https://registry.npmjs.org/handlebars/-/handlebars-4.5.3.tgz", +      "integrity": "sha512-3yPecJoJHK/4c6aZhSvxOyG4vJKDshV36VHp0iVCDVh7o9w2vwi3NSnL2MMPj3YdduqaBcu7cGbggJQM0br9xA==",        "dev": true,        "requires": {          "neo-async": "^2.6.0", @@ -5580,9 +6556,9 @@        "dev": true      },      "https-proxy-agent": { -      "version": "2.2.2", -      "resolved": "https://registry.npmjs.org/https-proxy-agent/-/https-proxy-agent-2.2.2.tgz", -      "integrity": "sha512-c8Ndjc9Bkpfx/vCJueCPy0jlP4ccCCSNDp8xwCZzPjKJUm+B+u9WX2x98Qx4n1PiMNTWo3D7KK5ifNV/yJyRzg==", +      "version": "2.2.4", +      "resolved": "https://registry.npmjs.org/https-proxy-agent/-/https-proxy-agent-2.2.4.tgz", +      "integrity": "sha512-OmvfoQ53WLjtA9HeYP9RNrWMJzzAz1JGaSFr1nijg0PVR1JaD/xbJq1mdEIIlxGpXp9eSe/O2LgU9DJmTPd0Eg==",        "dev": true,        "requires": {          "agent-base": "^4.3.0", @@ -5835,9 +6811,9 @@        "dev": true      },      "is-absolute-url": { -      "version": "3.0.2", -      "resolved": "https://registry.npmjs.org/is-absolute-url/-/is-absolute-url-3.0.2.tgz", -      "integrity": "sha512-+5g/wLlcm1AcxSP7014m6GvbPHswDx980vD/3bZaap8aGV9Yfs7Q6y6tfaupgZ5O74Byzc8dGrSCJ+bFXx0KdA==", +      "version": "3.0.3", +      "resolved": "https://registry.npmjs.org/is-absolute-url/-/is-absolute-url-3.0.3.tgz", +      "integrity": "sha512-opmNIX7uFnS96NtPmhWQgQx6/NYFgsUXYMllcfzwWKUMwfo8kku1TvE6hkNcH+Q1ts5cMVrsY7j0bxXQDciu9Q==",        "dev": true      },      "is-accessor-descriptor": { @@ -6339,6 +7315,27 @@        "integrity": "sha1-43zwsX8ZnM4jvqcbIDk5Uka07E4=",        "dev": true      }, +    "jest-worker": { +      "version": "24.9.0", +      "resolved": "https://registry.npmjs.org/jest-worker/-/jest-worker-24.9.0.tgz", +      "integrity": "sha512-51PE4haMSXcHohnSMdM42anbvZANYTqMrr52tVKPqqsPJMzoP6FYYDVqahX/HrAoKEKz3uUPzSvKs9A3qR4iVw==", +      "dev": true, +      "requires": { +        "merge-stream": "^2.0.0", +        "supports-color": "^6.1.0" +      }, +      "dependencies": { +        "supports-color": { +          "version": "6.1.0", +          "resolved": "https://registry.npmjs.org/supports-color/-/supports-color-6.1.0.tgz", +          "integrity": "sha512-qe1jfm1Mg7Nq/NSh6XE24gPXROEVsWHxC1LIx//XNlD9iw7YZQGjZNjYN7xGaEG6iKdA8EtNFW6R0gjnVXp+wQ==", +          "dev": true, +          "requires": { +            "has-flag": "^3.0.0" +          } +        } +      } +    },      "js-levenshtein": {        "version": "1.1.6",        "resolved": "https://registry.npmjs.org/js-levenshtein/-/js-levenshtein-1.1.6.tgz", @@ -7362,9 +8359,9 @@        }      },      "loglevel": { -      "version": "1.6.4", -      "resolved": "https://registry.npmjs.org/loglevel/-/loglevel-1.6.4.tgz", -      "integrity": "sha512-p0b6mOGKcGa+7nnmKbpzR6qloPbrgLcnio++E+14Vo/XffOGwZtRpUhr8dTH/x2oCMmEoIU0Zwm3ZauhvYD17g==", +      "version": "1.6.6", +      "resolved": "https://registry.npmjs.org/loglevel/-/loglevel-1.6.6.tgz", +      "integrity": "sha512-Sgr5lbboAUBo3eXCSPL4/KoVz3ROKquOjcctxmHIt+vol2DrqTQe3SwkKKuYhEiWB5kYa13YyopJ69deJ1irzQ==",        "dev": true      },      "loose-envify": { @@ -7511,6 +8508,12 @@        "integrity": "sha1-sAqqVW3YtEVoFQ7J0blT8/kMu2E=",        "dev": true      }, +    "merge-stream": { +      "version": "2.0.0", +      "resolved": "https://registry.npmjs.org/merge-stream/-/merge-stream-2.0.0.tgz", +      "integrity": "sha512-abv/qOcuPfk3URPfDzmZU1LKmuw8kT+0nIHvKrKgFrwifol/doWcdA4ZqsWQ8ENrFKkd67Mfpo/LovbIUsbt3w==", +      "dev": true +    },      "methods": {        "version": "1.1.2",        "resolved": "https://registry.npmjs.org/methods/-/methods-1.1.2.tgz", @@ -7871,9 +8874,9 @@        }      },      "node-forge": { -      "version": "0.8.2", -      "resolved": "https://registry.npmjs.org/node-forge/-/node-forge-0.8.2.tgz", -      "integrity": "sha512-mXQ9GBq1N3uDCyV1pdSzgIguwgtVpM7f5/5J4ipz12PKWElmPpVWLDuWl8iXmhysr21+WmX/OJ5UKx82wjomgg==", +      "version": "0.9.0", +      "resolved": "https://registry.npmjs.org/node-forge/-/node-forge-0.9.0.tgz", +      "integrity": "sha512-7ASaDa3pD+lJ3WvXFsxekJQelBKRpne+GOVbLbtHYdd7pFspyeuJHnWfLplGf3SwKGbfs/aYl5V/JCIaHVUKKQ==",        "dev": true      },      "node-libs-browser": { @@ -7916,20 +8919,12 @@        }      },      "node-releases": { -      "version": "1.1.30", -      "resolved": "https://registry.npmjs.org/node-releases/-/node-releases-1.1.30.tgz", -      "integrity": "sha512-BHcr1g6NeUH12IL+X3Flvs4IOnl1TL0JczUhEZjDE+FXXPQcVCNr8NEPb01zqGxzhTpdyJL5GXemaCW7aw6Khw==", +      "version": "1.1.40", +      "resolved": "https://registry.npmjs.org/node-releases/-/node-releases-1.1.40.tgz", +      "integrity": "sha512-r4LPcC5b/bS8BdtWH1fbeK88ib/wg9aqmg6/s3ngNLn2Ewkn/8J6Iw3P9RTlfIAdSdvYvQl2thCY5Y+qTAQ2iQ==",        "dev": true,        "requires": { -        "semver": "^5.3.0" -      }, -      "dependencies": { -        "semver": { -          "version": "5.7.1", -          "resolved": "https://registry.npmjs.org/semver/-/semver-5.7.1.tgz", -          "integrity": "sha512-sauaDf/PZdVgrLTNYHRtpXa1iRiKcaebiKQ1BJdpQlWH2lCvexQdX55snPFyK7QzpudqbCI0qXFfOasHdyNDGQ==", -          "dev": true -        } +        "semver": "^6.3.0"        }      },      "normalize-package-data": { @@ -8430,9 +9425,9 @@        }      },      "parse-asn1": { -      "version": "5.1.4", -      "resolved": "https://registry.npmjs.org/parse-asn1/-/parse-asn1-5.1.4.tgz", -      "integrity": "sha512-Qs5duJcuvNExRfFZ99HDD3z4mAi3r9Wl/FOjEOijlxwCZs7E7mW2vjTpgQ4J8LpTF8x5v+1Vn5UQFejmWT11aw==", +      "version": "5.1.5", +      "resolved": "https://registry.npmjs.org/parse-asn1/-/parse-asn1-5.1.5.tgz", +      "integrity": "sha512-jkMYn1dcJqF6d5CpU689bq7w/b5ALS9ROVSpQDPrZsqqesUJii9qutvoT5ltGedNXMO2e16YUWIghG9KxaViTQ==",        "dev": true,        "requires": {          "asn1.js": "^4.0.0", @@ -8574,9 +9569,9 @@        "dev": true      },      "picomatch": { -      "version": "2.0.7", -      "resolved": "https://registry.npmjs.org/picomatch/-/picomatch-2.0.7.tgz", -      "integrity": "sha512-oLHIdio3tZ0qH76NybpeneBhYVj0QFTfXEFTc/B3zKQspYfYYkWYgFsmzo+4kvId/bQRcNkVeguI3y+CD22BtA==", +      "version": "2.1.1", +      "resolved": "https://registry.npmjs.org/picomatch/-/picomatch-2.1.1.tgz", +      "integrity": "sha512-OYMyqkKzK7blWO/+XZYP6w8hH0LDvkBvdvKukti+7kqYFCiEAk+gI3DWnryapc0Dau05ugGTy0foQ6mqn4AHYA==",        "dev": true      },      "pify": { @@ -8610,36 +9605,24 @@        }      },      "portfinder": { -      "version": "1.0.24", -      "resolved": "https://registry.npmjs.org/portfinder/-/portfinder-1.0.24.tgz", -      "integrity": "sha512-ekRl7zD2qxYndYflwiryJwMioBI7LI7rVXg3EnLK3sjkouT5eOuhS3gS255XxBksa30VG8UPZYZCdgfGOfkSUg==", +      "version": "1.0.25", +      "resolved": "https://registry.npmjs.org/portfinder/-/portfinder-1.0.25.tgz", +      "integrity": "sha512-6ElJnHBbxVA1XSLgBp7G1FiCkQdlqGzuF7DswL5tcea+E8UpuvPU7beVAjjRwCioTS9ZluNbu+ZyRvgTsmqEBg==",        "dev": true,        "requires": { -        "async": "^1.5.2", -        "debug": "^2.2.0", -        "mkdirp": "0.5.x" +        "async": "^2.6.2", +        "debug": "^3.1.1", +        "mkdirp": "^0.5.1"        },        "dependencies": { -        "async": { -          "version": "1.5.2", -          "resolved": "https://registry.npmjs.org/async/-/async-1.5.2.tgz", -          "integrity": "sha1-7GphrlZIDAw8skHJVhjiCJL5Zyo=", -          "dev": true -        },          "debug": { -          "version": "2.6.9", -          "resolved": "https://registry.npmjs.org/debug/-/debug-2.6.9.tgz", -          "integrity": "sha512-bC7ElrdJaJnPbAP+1EotYvqZsb3ecl5wi6Bfi6BJTUcNowp6cvspg0jXznRTKDjm/E7AdgFBVeAPVMNcKGsHMA==", +          "version": "3.2.6", +          "resolved": "https://registry.npmjs.org/debug/-/debug-3.2.6.tgz", +          "integrity": "sha512-mel+jf7nrtEl5Pn1Qx46zARXKDpBbvzezse7p7LqINmdoIk8PYP5SySaxEmYv6TZ0JyEKA1hsCId6DIhgITtWQ==",            "dev": true,            "requires": { -            "ms": "2.0.0" +            "ms": "^2.1.1"            } -        }, -        "ms": { -          "version": "2.0.0", -          "resolved": "https://registry.npmjs.org/ms/-/ms-2.0.0.tgz", -          "integrity": "sha1-VgiurfwAvmwpAd9fmGF4jeDVl8g=", -          "dev": true          }        }      }, @@ -9124,9 +10107,9 @@        },        "dependencies": {          "schema-utils": { -          "version": "2.2.0", -          "resolved": "https://registry.npmjs.org/schema-utils/-/schema-utils-2.2.0.tgz", -          "integrity": "sha512-5EwsCNhfFTZvUreQhx/4vVQpJ/lnCAkgoIHLhSpp4ZirE+4hzFvdJi0FMub6hxbFVBJYSpeVVmon+2e7uEGRrA==", +          "version": "2.5.0", +          "resolved": "https://registry.npmjs.org/schema-utils/-/schema-utils-2.5.0.tgz", +          "integrity": "sha512-32ISrwW2scPXHUSusP8qMg5dLUawKkyV+/qIEV9JdXKx+rsM6mi8vZY8khg2M69Qom16rtroWXD3Ybtiws38gQ==",            "dev": true,            "requires": {              "ajv": "^6.10.2", @@ -9204,9 +10187,9 @@        }      },      "readdirp": { -      "version": "3.1.2", -      "resolved": "https://registry.npmjs.org/readdirp/-/readdirp-3.1.2.tgz", -      "integrity": "sha512-8rhl0xs2cxfVsqzreYCvs8EwBfn/DhVdqtoLmw19uI3SC5avYX9teCurlErfpPXGmYtMHReGaP2RsLnFvz/lnw==", +      "version": "3.2.0", +      "resolved": "https://registry.npmjs.org/readdirp/-/readdirp-3.2.0.tgz", +      "integrity": "sha512-crk4Qu3pmXwgxdSgGhgA/eXiJAPQiX4GMOZZMXnqKxHX7TaoL+3gQVo/WeuAiogr07DpnfjIMpXXa+PAIvwPGQ==",        "dev": true,        "requires": {          "picomatch": "^2.0.4" @@ -9258,12 +10241,6 @@          "safe-regex": "^1.1.0"        }      }, -    "regexp-tree": { -      "version": "0.1.13", -      "resolved": "https://registry.npmjs.org/regexp-tree/-/regexp-tree-0.1.13.tgz", -      "integrity": "sha512-hwdV/GQY5F8ReLZWO+W1SRoN5YfpOKY6852+tBFcma72DKBIcHjPRIlIvQN35bCOljuAfP2G2iB0FC/w236mUw==", -      "dev": true -    },      "regexp.prototype.flags": {        "version": "1.2.0",        "resolved": "https://registry.npmjs.org/regexp.prototype.flags/-/regexp.prototype.flags-1.2.0.tgz", @@ -9288,9 +10265,9 @@        }      },      "regjsgen": { -      "version": "0.5.0", -      "resolved": "https://registry.npmjs.org/regjsgen/-/regjsgen-0.5.0.tgz", -      "integrity": "sha512-RnIrLhrXCX5ow/E5/Mh2O4e/oa1/jW0eaBKTSy3LaCj+M3Bqvm97GWDp2yUtzIs4LEn65zR2yiYGFqb2ApnzDA==", +      "version": "0.5.1", +      "resolved": "https://registry.npmjs.org/regjsgen/-/regjsgen-0.5.1.tgz", +      "integrity": "sha512-5qxzGZjDs9w4tzT3TPhCJqWdCc3RLYwy9J2NB0nm5Lz+S273lvWcpjaTGHsT1dc6Hhfq41uSEOw8wBmxrKOuyg==",        "dev": true      },      "regjsparser": { @@ -9593,12 +10570,12 @@        }      },      "selfsigned": { -      "version": "1.10.6", -      "resolved": "https://registry.npmjs.org/selfsigned/-/selfsigned-1.10.6.tgz", -      "integrity": "sha512-i3+CeqxL7DpAazgVpAGdKMwHuL63B5nhJMh9NQ7xmChGkA3jNFflq6Jyo1LLJYcr3idWiNOPWHCrm4zMayLG4w==", +      "version": "1.10.7", +      "resolved": "https://registry.npmjs.org/selfsigned/-/selfsigned-1.10.7.tgz", +      "integrity": "sha512-8M3wBCzeWIJnQfl43IKwOmC4H/RAp50S8DF60znzjW5GVqTcSe2vWclt7hmYVPkKPlHWOu5EaWOMZ2Y6W8ZXTA==",        "dev": true,        "requires": { -        "node-forge": "0.8.2" +        "node-forge": "0.9.0"        }      },      "semver": { @@ -10121,9 +11098,9 @@        }      },      "sockjs-client": { -      "version": "1.3.0", -      "resolved": "https://registry.npmjs.org/sockjs-client/-/sockjs-client-1.3.0.tgz", -      "integrity": "sha512-R9jxEzhnnrdxLCNln0xg5uGHqMnkhPSTzUZH2eXcR03S/On9Yvoq2wyUZILRUhZCNVu2PmwWVoyuiPz8th8zbg==", +      "version": "1.4.0", +      "resolved": "https://registry.npmjs.org/sockjs-client/-/sockjs-client-1.4.0.tgz", +      "integrity": "sha512-5zaLyO8/nri5cua0VtOrFXBPK1jbL4+1cebT/mmKA1E1ZXOvJrII75bPu0l0k843G/+iAbhEqzyKr0w/eCCj7g==",        "dev": true,        "requires": {          "debug": "^3.2.5", @@ -10565,9 +11542,9 @@        },        "dependencies": {          "schema-utils": { -          "version": "2.2.0", -          "resolved": "https://registry.npmjs.org/schema-utils/-/schema-utils-2.2.0.tgz", -          "integrity": "sha512-5EwsCNhfFTZvUreQhx/4vVQpJ/lnCAkgoIHLhSpp4ZirE+4hzFvdJi0FMub6hxbFVBJYSpeVVmon+2e7uEGRrA==", +          "version": "2.5.0", +          "resolved": "https://registry.npmjs.org/schema-utils/-/schema-utils-2.5.0.tgz", +          "integrity": "sha512-32ISrwW2scPXHUSusP8qMg5dLUawKkyV+/qIEV9JdXKx+rsM6mi8vZY8khg2M69Qom16rtroWXD3Ybtiws38gQ==",            "dev": true,            "requires": {              "ajv": "^6.10.2", @@ -10663,9 +11640,9 @@        }      },      "terser": { -      "version": "4.1.4", -      "resolved": "https://registry.npmjs.org/terser/-/terser-4.1.4.tgz", -      "integrity": "sha512-+ZwXJvdSwbd60jG0Illav0F06GDJF0R4ydZ21Q3wGAFKoBGyJGo34F63vzJHgvYxc1ukOtIjvwEvl9MkjzM6Pg==", +      "version": "4.3.9", +      "resolved": "https://registry.npmjs.org/terser/-/terser-4.3.9.tgz", +      "integrity": "sha512-NFGMpHjlzmyOtPL+fDw3G7+6Ueh/sz4mkaUYa4lJCxOPTNzd0Uj0aZJOmsDYoSQyfuVoWDMSWTPU3huyOm2zdA==",        "dev": true,        "requires": {          "commander": "^2.20.0", @@ -10734,9 +11711,9 @@        }      },      "thunky": { -      "version": "1.0.3", -      "resolved": "https://registry.npmjs.org/thunky/-/thunky-1.0.3.tgz", -      "integrity": "sha512-YwT8pjmNcAXBZqrubu22P4FYsh2D4dxRmnWBOL8Jk8bUcRUtc5326kx32tuTmFDAZtLOGEVNl8POAR8j896Iow==", +      "version": "1.1.0", +      "resolved": "https://registry.npmjs.org/thunky/-/thunky-1.1.0.tgz", +      "integrity": "sha512-eHY7nBftgThBqOyHGVN+l8gF0BucP09fMo0oO/Lb0w1OF80dJv+lDVpXG60WMQvkcxAkNybKsrEIE3ZtKGmPrA==",        "dev": true      },      "timers-browserify": { @@ -10961,16 +11938,23 @@        "dev": true      },      "uglify-js": { -      "version": "3.6.0", -      "resolved": "https://registry.npmjs.org/uglify-js/-/uglify-js-3.6.0.tgz", -      "integrity": "sha512-W+jrUHJr3DXKhrsS7NUVxn3zqMOFn0hL/Ei6v0anCIMoKC93TjcflTagwIHLW7SfMFfiQuktQyFVCFHGUE0+yg==", +      "version": "3.7.1", +      "resolved": "https://registry.npmjs.org/uglify-js/-/uglify-js-3.7.1.tgz", +      "integrity": "sha512-pnOF7jY82wdIhATVn87uUY/FHU+MDUdPLkmGFvGoclQmeu229eTkbG5gjGGBi3R7UuYYSEeYXY/TTY5j2aym2g==",        "dev": true,        "optional": true,        "requires": { -        "commander": "~2.20.0", +        "commander": "~2.20.3",          "source-map": "~0.6.1"        },        "dependencies": { +        "commander": { +          "version": "2.20.3", +          "resolved": "https://registry.npmjs.org/commander/-/commander-2.20.3.tgz", +          "integrity": "sha512-GpVkmM8vF2vQUkj2LvZmD35JxeJOLCwJ9cUkugyk2nuhbv3+mJvpLYYt+0+USMxE+oj+ey/lJEnhZw75x/OMcQ==", +          "dev": true, +          "optional": true +        },          "source-map": {            "version": "0.6.1",            "resolved": "https://registry.npmjs.org/source-map/-/source-map-0.6.1.tgz", @@ -11292,9 +12276,9 @@        }      },      "vm-browserify": { -      "version": "1.1.0", -      "resolved": "https://registry.npmjs.org/vm-browserify/-/vm-browserify-1.1.0.tgz", -      "integrity": "sha512-iq+S7vZJE60yejDYM0ek6zg308+UZsdtPExWP9VZoCFCz1zkJoXFnAX7aZfd/ZwrkidzdUZL0C/ryW+JwAiIGw==", +      "version": "1.1.2", +      "resolved": "https://registry.npmjs.org/vm-browserify/-/vm-browserify-1.1.2.tgz", +      "integrity": "sha512-2ham8XPWTONajOR0ohOKOHXkm3+gaBmGut3SRuu75xLd/RRaY6vqgh8NBYYk7+RW3u5AtzPQZG8F10LHkl0lAQ==",        "dev": true      },      "void-elements": { @@ -12076,13 +13060,14 @@        }      },      "webpack-dev-middleware": { -      "version": "3.7.0", -      "resolved": "https://registry.npmjs.org/webpack-dev-middleware/-/webpack-dev-middleware-3.7.0.tgz", -      "integrity": "sha512-qvDesR1QZRIAZHOE3iQ4CXLZZSQ1lAUsSpnQmlB1PBfoN/xdRjmge3Dok0W4IdaVLJOGJy3sGI4sZHwjRU0PCA==", +      "version": "3.7.2", +      "resolved": "https://registry.npmjs.org/webpack-dev-middleware/-/webpack-dev-middleware-3.7.2.tgz", +      "integrity": "sha512-1xC42LxbYoqLNAhV6YzTYacicgMZQTqRd27Sim9wn5hJrX3I5nxYy1SxSd4+gjUFsz1dQFj+yEe6zEVmSkeJjw==",        "dev": true,        "requires": {          "memory-fs": "^0.4.1", -        "mime": "^2.4.2", +        "mime": "^2.4.4", +        "mkdirp": "^0.5.1",          "range-parser": "^1.2.1",          "webpack-log": "^2.0.0"        }, @@ -12096,41 +13081,41 @@        }      },      "webpack-dev-server": { -      "version": "3.8.0", -      "resolved": "https://registry.npmjs.org/webpack-dev-server/-/webpack-dev-server-3.8.0.tgz", -      "integrity": "sha512-Hs8K9yI6pyMvGkaPTeTonhD6JXVsigXDApYk9JLW4M7viVBspQvb1WdAcWxqtmttxNW4zf2UFLsLNe0y87pIGQ==", +      "version": "3.9.0", +      "resolved": "https://registry.npmjs.org/webpack-dev-server/-/webpack-dev-server-3.9.0.tgz", +      "integrity": "sha512-E6uQ4kRrTX9URN9s/lIbqTAztwEPdvzVrcmHE8EQ9YnuT9J8Es5Wrd8n9BKg1a0oZ5EgEke/EQFgUsp18dSTBw==",        "dev": true,        "requires": {          "ansi-html": "0.0.7",          "bonjour": "^3.5.0", -        "chokidar": "^2.1.6", +        "chokidar": "^2.1.8",          "compression": "^1.7.4",          "connect-history-api-fallback": "^1.6.0",          "debug": "^4.1.1",          "del": "^4.1.1",          "express": "^4.17.1",          "html-entities": "^1.2.1", -        "http-proxy-middleware": "^0.19.1", +        "http-proxy-middleware": "0.19.1",          "import-local": "^2.0.0",          "internal-ip": "^4.3.0",          "ip": "^1.1.5", -        "is-absolute-url": "^3.0.0", +        "is-absolute-url": "^3.0.3",          "killable": "^1.0.1", -        "loglevel": "^1.6.3", +        "loglevel": "^1.6.4",          "opn": "^5.5.0",          "p-retry": "^3.0.1", -        "portfinder": "^1.0.21", +        "portfinder": "^1.0.25",          "schema-utils": "^1.0.0", -        "selfsigned": "^1.10.4", +        "selfsigned": "^1.10.7",          "semver": "^6.3.0",          "serve-index": "^1.9.1",          "sockjs": "0.3.19", -        "sockjs-client": "1.3.0", +        "sockjs-client": "1.4.0",          "spdy": "^4.0.1",          "strip-ansi": "^3.0.1",          "supports-color": "^6.1.0",          "url": "^0.11.0", -        "webpack-dev-middleware": "^3.7.0", +        "webpack-dev-middleware": "^3.7.2",          "webpack-log": "^2.0.0",          "ws": "^6.2.1",          "yargs": "12.0.5" diff --git a/recipeBuddy/package.json b/recipeBuddy/package.json index 10bc0ff..e90b482 100644 --- a/recipeBuddy/package.json +++ b/recipeBuddy/package.json @@ -12,10 +12,12 @@    "private": true,    "dependencies": {      "@angular/animations": "~8.2.5", +    "@angular/cdk": "^8.2.3",      "@angular/common": "~8.2.5",      "@angular/compiler": "~8.2.5",      "@angular/core": "~8.2.5",      "@angular/forms": "~8.2.5", +    "@angular/material": "^8.2.3",      "@angular/platform-browser": "~8.2.5",      "@angular/platform-browser-dynamic": "~8.2.5",      "@angular/router": "~8.2.5", @@ -24,13 +26,13 @@      "zone.js": "~0.9.1"    },    "devDependencies": { -    "@angular-devkit/build-angular": "~0.803.4", +    "@angular-devkit/build-angular": "^0.803.19",      "@angular/cli": "~8.3.4",      "@angular/compiler-cli": "~8.2.5",      "@angular/language-service": "~8.2.5", -    "@types/node": "~8.9.4",      "@types/jasmine": "~3.3.8",      "@types/jasminewd2": "~2.0.3", +    "@types/node": "~8.9.4",      "codelyzer": "^5.0.0",      "jasmine-core": "~3.4.0",      "jasmine-spec-reporter": "~4.2.1", diff --git a/recipeBuddy/src/app/DataModels/ingredient.spec.ts b/recipeBuddy/src/app/DataModels/ingredient.spec.ts new file mode 100644 index 0000000..17b5858 --- /dev/null +++ b/recipeBuddy/src/app/DataModels/ingredient.spec.ts @@ -0,0 +1,7 @@ +import { Ingredients } from './ingredients'; + +describe('Ingredients', () => { +  it('should create an instance', () => { +    expect(new Ingredients()).toBeTruthy(); +  }); +}); diff --git a/recipeBuddy/src/app/DataModels/ingredient.ts b/recipeBuddy/src/app/DataModels/ingredient.ts new file mode 100644 index 0000000..0ede1d1 --- /dev/null +++ b/recipeBuddy/src/app/DataModels/ingredient.ts @@ -0,0 +1,29 @@ +export class Ingredient { +	private name: string; +	private amount: number; +	private unit: string; +	private type_: string; + +	public constructor(name: string, amount: number, unit: string, type_: string) { +		this.name = names; +		this.amount = amount; +		this.unit = unit; +		this.type_ = type_; +	} + +	public getName(): string { +		return this.name; +	} + +	public getAmount(): number { +		return this.amount; +	} + +	public getUnit(): string { +		return this.unit; +	} + +	public getType(): string { +		return this.type_; +	} +} diff --git a/recipeBuddy/src/app/DataModels/ingredients.spec.ts b/recipeBuddy/src/app/DataModels/ingredients.spec.ts new file mode 100644 index 0000000..17b5858 --- /dev/null +++ b/recipeBuddy/src/app/DataModels/ingredients.spec.ts @@ -0,0 +1,7 @@ +import { Ingredients } from './ingredients'; + +describe('Ingredients', () => { +  it('should create an instance', () => { +    expect(new Ingredients()).toBeTruthy(); +  }); +}); diff --git a/recipeBuddy/src/app/DataModels/ingredients.ts b/recipeBuddy/src/app/DataModels/ingredients.ts new file mode 100644 index 0000000..6f96e69 --- /dev/null +++ b/recipeBuddy/src/app/DataModels/ingredients.ts @@ -0,0 +1,29 @@ +export class Ingredients { +	private names: string[]; +	private amounts: number[]; +	private units: string[]; +	private types: string[]; + +	public constructor(names: string[], amounts: number[], units: string[], types: string[]) { +		this.names = names; +		this.amounts = amounts; +		this.units = units; +		this.types = types; +	} + +	public getNames(): string[] { +		return this.names; +	} + +	public getAmounts(): number[] { +		return this.amounts; +	} + +	public getUnits(): string[] { +		return this.units; +	} + +	public getTypes(): string[] { +		return this.types; +	} +} diff --git a/recipeBuddy/src/app/DataModels/recipe.spec.ts b/recipeBuddy/src/app/DataModels/recipe.spec.ts new file mode 100644 index 0000000..af34608 --- /dev/null +++ b/recipeBuddy/src/app/DataModels/recipe.spec.ts @@ -0,0 +1,7 @@ +import { Recipe } from './recipe'; + +describe('Recipe', () => { +  it('should create an instance', () => { +    expect(new Recipe()).toBeTruthy(); +  }); +}); diff --git a/recipeBuddy/src/app/DataModels/recipe.ts b/recipeBuddy/src/app/DataModels/recipe.ts new file mode 100644 index 0000000..3194adc --- /dev/null +++ b/recipeBuddy/src/app/DataModels/recipe.ts @@ -0,0 +1,71 @@ +import {Steps} from "./steps" +import {Ingredients} from "./ingredients" + +export class Recipe { +	private id: number; +	private name: string; +	private description: string; +	private ingredients: Ingredient[]; +	private steps: Step[]; +	private servingSize: number; +	private cookTime: number; +	private timesCooked: number; +	private rating: number; +	private tags: string[]; +	private photos: string[]; + +	public constructor(id: number, name: string, description: string, ingredients: Ingredients, steps: Steps, servingSize: number, cookTime: number, rating: number, tags: string[]) { +		this.id = id; +		this.name = name; +		this.description = description; +		this.ingredients = ingredients; +		this.steps = steps; +		this.servingSize = servingSize; +		this.cookTime = cookTime; +		this.rating = rating; +		this.tags = tags; +	} + +	public getId(): number { +		return this.id; +	} + +	public getName(): string { +		return this.name; +	} + +	public getDescription(): string { +		return this.description; +	} + +	public getIngredients(): Ingredients { +		return this.ingredients; +	} + +	public getSteps(): Steps { +		return this.steps; +	} + +	public getServingSize(): number { +		return this.servingSize; +	} + +	public getCookTime(): number { +		return this.cookTime; +	} +   +	public getTimesCooked(): number { +		return timesCooked; +	} +	public getRating(): number { +		return this.rating; +	} + +	public getTags(): string[] { +		return this.tags; +	} +   +	public getPhotos(): string[] { +		return this.photos; +	} +} diff --git a/recipeBuddy/src/app/DataModels/step.spec.ts b/recipeBuddy/src/app/DataModels/step.spec.ts new file mode 100644 index 0000000..e315565 --- /dev/null +++ b/recipeBuddy/src/app/DataModels/step.spec.ts @@ -0,0 +1,7 @@ +import { Steps } from './steps'; + +describe('Steps', () => { +  it('should create an instance', () => { +    expect(new Steps()).toBeTruthy(); +  }); +}); diff --git a/recipeBuddy/src/app/DataModels/step.ts b/recipeBuddy/src/app/DataModels/step.ts new file mode 100644 index 0000000..674a6df --- /dev/null +++ b/recipeBuddy/src/app/DataModels/step.ts @@ -0,0 +1,18 @@ +export class Steps { +	private instruction: string; +	private timer: number; + +	public contructor(instruction: string, timer: number) { +		this.instruction = instruction; +		this.timer = timer; +	} + +	public getInstruction(): string { +		return this.instruction; +	} + +	public getTimer(): number { +		return this.timer; +	} + +} diff --git a/recipeBuddy/src/app/DataModels/steps.spec.ts b/recipeBuddy/src/app/DataModels/steps.spec.ts new file mode 100644 index 0000000..e315565 --- /dev/null +++ b/recipeBuddy/src/app/DataModels/steps.spec.ts @@ -0,0 +1,7 @@ +import { Steps } from './steps'; + +describe('Steps', () => { +  it('should create an instance', () => { +    expect(new Steps()).toBeTruthy(); +  }); +}); diff --git a/recipeBuddy/src/app/DataModels/steps.ts b/recipeBuddy/src/app/DataModels/steps.ts new file mode 100644 index 0000000..9061dc2 --- /dev/null +++ b/recipeBuddy/src/app/DataModels/steps.ts @@ -0,0 +1,18 @@ +export class Steps { +	private instructions: string[]; +	private timers: number[]; + +	public contructor(instructions: string[], timers: number[]) { +		this.instructions = instructions; +		this.timers = timers; +	} + +	public getInstructions(): string[] { +		return this.instructions; +	} + +	public getTimers(): number[] { +		return this.timers; +	} + +} diff --git a/recipeBuddy/src/app/app-routing.module.ts b/recipeBuddy/src/app/app-routing.module.ts new file mode 100644 index 0000000..a6e4399 --- /dev/null +++ b/recipeBuddy/src/app/app-routing.module.ts @@ -0,0 +1,15 @@ +import { NgModule } from '@angular/core'; +import { RouterModule, Routes } from '@angular/router'; + +import { CookPageComponent } from './cook-page/cook-page.component'; + +const routes: Routes = [ +	{ path: '', redirectTo: '/cook', pathMatch: 'full' }, +	{ path: 'cook', component: CookPageComponent } +]; + +@NgModule({ +	imports: [RouterModule.forRoot(routes)], +	exports: [RouterModule] +}) +export class AppRoutingModule { } diff --git a/recipeBuddy/src/app/app.component.css b/recipeBuddy/src/app/app.component.css index e69de29..c62f266 100644 --- a/recipeBuddy/src/app/app.component.css +++ b/recipeBuddy/src/app/app.component.css @@ -0,0 +1,28 @@ +/* AppComponent's private CSS styles */ +h1 { +  font-size: 1.2em; +  margin-bottom: 0; +} +h2 { +  font-size: 2em; +  margin-top: 0; +  padding-top: 0; +} +nav a { +  padding: 5px 10px; +  text-decoration: none; +  margin-top: 10px; +  display: inline-block; +  background-color: #eee; +  border-radius: 4px; +} +nav a:visited, a:link { +  color: #334953; +} +nav a:hover { +  color: #039be5; +  background-color: #cfd8dc; +} +nav a.active { +  color: #039be5; +} diff --git a/recipeBuddy/src/app/app.component.html b/recipeBuddy/src/app/app.component.html index db93ca4..014c6b0 100644 --- a/recipeBuddy/src/app/app.component.html +++ b/recipeBuddy/src/app/app.component.html @@ -1,536 +1,2 @@ -<!-- * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * --> -<!-- * * * * * * * * * * * The content below * * * * * * * * * * * --> -<!-- * * * * * * * * * * is only a placeholder * * * * * * * * * * --> -<!-- * * * * * * * * * * and can be replaced. * * * * * * * * * * * --> -<!-- * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * --> -<!-- * * * * * * * * * Delete the template below * * * * * * * * * * --> -<!-- * * * * * * * to get started with your project! * * * * * * * * --> -<!-- * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * --> - -<style> -  :host { -    font-family: -apple-system, BlinkMacSystemFont, "Segoe UI", Roboto, Helvetica, Arial, sans-serif, "Apple Color Emoji", "Segoe UI Emoji", "Segoe UI Symbol"; -    font-size: 14px; -    color: #333; -    box-sizing: border-box; -    -webkit-font-smoothing: antialiased; -    -moz-osx-font-smoothing: grayscale; -  } - -  h1, -  h2, -  h3, -  h4, -  h5, -  h6 { -    margin: 8px 0; -  } - -  p { -    margin: 0; -  } - -  .spacer { -    flex: 1; -  } - -  .toolbar { -    height: 60px; -    margin: -8px; -    display: flex; -    align-items: center; -    background-color: #1976d2; -    color: white; -    font-weight: 600; -  } - -  .toolbar img { -    margin: 0 16px; -  } - -  .toolbar #twitter-logo { -    height: 40px; -    margin: 0 16px; -  } - -  .toolbar #twitter-logo:hover { -    opacity: 0.8; -  } - -  .content { -    display: flex; -    margin: 32px auto; -    padding: 0 16px; -    max-width: 960px; -    flex-direction: column; -    align-items: center; -  } - -  svg.material-icons { -    height: 24px; -    width: auto; -  } - -  svg.material-icons:not(:last-child) { -    margin-right: 8px; -  } - -  .card svg.material-icons path { -    fill: #888; -  } - -  .card-container { -    display: flex; -    flex-wrap: wrap; -    justify-content: center; -    margin-top: 16px; -  } - -  .card { -    border-radius: 4px; -    border: 1px solid #eee; -    background-color: #fafafa; -    height: 40px; -    width: 200px; -    margin: 0 8px 16px; -    padding: 16px; -    display: flex; -    flex-direction: row; -    justify-content: center; -    align-items: center; -    transition: all 0.2s ease-in-out; -    line-height: 24px; -  } - -  .card-container .card:not(:last-child) { -    margin-right: 0; -  } - -  .card.card-small { -    height: 16px; -    width: 168px; -  } - -  .card-container .card:not(.highlight-card) { -    cursor: pointer; -  } - -  .card-container .card:not(.highlight-card):hover { -    transform: translateY(-3px); -    box-shadow: 0 4px 17px rgba(black, 0.35); -  } - -  .card-container .card:not(.highlight-card):hover .material-icons path { -    fill: rgb(105, 103, 103); -  } - -  .card.highlight-card { -    background-color: #1976d2; -    color: white; -    font-weight: 600; -    border: none; -    width: auto; -    min-width: 30%; -    position: relative; -  } - -  .card.card.highlight-card span { -    margin-left: 60px; -  } - -  svg#rocket { -    width: 80px; -    position: absolute; -    left: -10px; -    top: -24px; -  } - -  svg#rocket-smoke { -    height: 100vh; -    position: absolute; -    top: 10px; -    right: 180px; -    z-index: -10; -  } - -  a, -  a:visited, -  a:hover { -    color: #1976d2; -    text-decoration: none; -  } - -  a:hover { -    color: #125699; -  } - -  .terminal { -    position: relative; -    width: 80%; -    max-width: 600px; -    border-radius: 6px; -    padding-top: 45px; -    margin-top: 8px; -    overflow: hidden; -    background-color: rgb(15, 15, 16); -  } - -  .terminal::before { -    content: "\2022 \2022 \2022"; -    position: absolute; -    top: 0; -    left: 0; -    height: 4px; -    background: rgb(58, 58, 58); -    color: #c2c3c4; -    width: 100%; -    font-size: 2rem; -    line-height: 0; -    padding: 14px 0; -    text-indent: 4px; -  } - -  .terminal pre { -    font-family: SFMono-Regular,Consolas,Liberation Mono,Menlo,monospace; -    color: white; -    padding: 0 1rem 1rem; -    margin: 0; -  } - -  .circle-link { -    height: 40px; -    width: 40px; -    border-radius: 40px; -    margin: 8px; -    background-color: white; -    border: 1px solid #eeeeee; -    display: flex; -    justify-content: center; -    align-items: center; -    cursor: pointer; -    box-shadow: 0 1px 3px rgba(0, 0, 0, 0.12), 0 1px 2px rgba(0, 0, 0, 0.24); -    transition: 1s ease-out; -  } - -  .circle-link:hover { -    transform: translateY(-0.25rem); -    box-shadow: 0px 3px 15px rgba(0, 0, 0, 0.2); -  } - -  footer { -    margin-top: 8px; -    display: flex; -    align-items: center; -    line-height: 20px; -  } - -  footer a { -    display: flex; -    align-items: center; -  } - -  .github-star-badge { -    color: #24292e; -    display: flex; -    align-items: center; -    font-size: 12px; -    padding: 3px 10px; -    border: 1px solid rgba(27,31,35,.2); -    border-radius: 3px; -    background-image: linear-gradient(-180deg,#fafbfc,#eff3f6 90%); -    margin-left: 4px; -    font-weight: 600; -    font-family: -apple-system,BlinkMacSystemFont,Segoe UI,Helvetica,Arial,sans-serif,Apple Color Emoji,Segoe UI Emoji,Segoe UI Symbol; -  } - -  .github-star-badge:hover { -    background-image: linear-gradient(-180deg,#f0f3f6,#e6ebf1 90%); -    border-color: rgba(27,31,35,.35); -    background-position: -.5em; -  } - -  .github-star-badge .material-icons { -    height: 16px; -    width: 16px; -    margin-right: 4px; -  } - -  svg#clouds { -    position: fixed; -    bottom: -160px; -    left: -230px; -    z-index: -10; -    width: 1920px; -  } - - -  /* Responsive Styles */ -  @media screen and (max-width: 767px) { - -    .card-container > *:not(.circle-link) , -    .terminal { -      width: 100%; -    } - -    .card:not(.highlight-card) { -      height: 16px; -      margin: 8px 0; -    } - -    .card.highlight-card span { -      margin-left: 72px; -    } - -    svg#rocket-smoke { -      right: 120px; -      transform: rotate(-5deg); -    } -  } - -  @media screen and (max-width: 575px) { -    svg#rocket-smoke { -      display: none; -      visibility: hidden; -    } -  } -</style> - -<!-- Toolbar --> -<div class="toolbar" role="banner"> -  <img -    width="40" -    alt="Angular Logo" -    src="data:image/svg+xml;base64,PHN2ZyB4bWxucz0iaHR0cDovL3d3dy53My5vcmcvMjAwMC9zdmciIHZpZXdCb3g9IjAgMCAyNTAgMjUwIj4KICAgIDxwYXRoIGZpbGw9IiNERDAwMzEiIGQ9Ik0xMjUgMzBMMzEuOSA2My4ybDE0LjIgMTIzLjFMMTI1IDIzMGw3OC45LTQzLjcgMTQuMi0xMjMuMXoiIC8+CiAgICA8cGF0aCBmaWxsPSIjQzMwMDJGIiBkPSJNMTI1IDMwdjIyLjItLjFWMjMwbDc4LjktNDMuNyAxNC4yLTEyMy4xTDEyNSAzMHoiIC8+CiAgICA8cGF0aCAgZmlsbD0iI0ZGRkZGRiIgZD0iTTEyNSA1Mi4xTDY2LjggMTgyLjZoMjEuN2wxMS43LTI5LjJoNDkuNGwxMS43IDI5LjJIMTgzTDEyNSA1Mi4xem0xNyA4My4zaC0zNGwxNy00MC45IDE3IDQwLjl6IiAvPgogIDwvc3ZnPg==" -  /> -  <span>Welcome</span> -    <div class="spacer"></div> -  <a aria-label="Angular on twitter" target="_blank" rel="noopener" href="https://twitter.com/angular" title="Twitter"> -     -    <svg id="twitter-logo" height="24" data-name="Logo — FIXED" xmlns="http://www.w3.org/2000/svg" viewBox="0 0 400 400"> -      <defs> -        <style> -          .cls-1 { -            fill: none; -          } - -          .cls-2 { -            fill: #ffffff; -          } -        </style> -      </defs> -      <rect class="cls-1" width="400" height="400" /> -      <path class="cls-2" d="M153.62,301.59c94.34,0,145.94-78.16,145.94-145.94,0-2.22,0-4.43-.15-6.63A104.36,104.36,0,0,0,325,122.47a102.38,102.38,0,0,1-29.46,8.07,51.47,51.47,0,0,0,22.55-28.37,102.79,102.79,0,0,1-32.57,12.45,51.34,51.34,0,0,0-87.41,46.78A145.62,145.62,0,0,1,92.4,107.81a51.33,51.33,0,0,0,15.88,68.47A50.91,50.91,0,0,1,85,169.86c0,.21,0,.43,0,.65a51.31,51.31,0,0,0,41.15,50.28,51.21,51.21,0,0,1-23.16.88,51.35,51.35,0,0,0,47.92,35.62,102.92,102.92,0,0,1-63.7,22A104.41,104.41,0,0,1,75,278.55a145.21,145.21,0,0,0,78.62,23" -      /> -    </svg> -     -  </a> -</div> - -<div class="content" role="main"> - -  <!-- Highlight Card --> -  <div class="card highlight-card card-small"> - -    <svg id="rocket" alt="Rocket Ship" xmlns="http://www.w3.org/2000/svg" width="101.678" height="101.678" viewBox="0 0 101.678 101.678"> -      <g id="Group_83" data-name="Group 83" transform="translate(-141 -696)"> -        <circle id="Ellipse_8" data-name="Ellipse 8" cx="50.839" cy="50.839" r="50.839" transform="translate(141 696)" fill="#dd0031"/> -        <g id="Group_47" data-name="Group 47" transform="translate(165.185 720.185)"> -          <path id="Path_33" data-name="Path 33" d="M3.4,42.615a3.084,3.084,0,0,0,3.553,3.553,21.419,21.419,0,0,0,12.215-6.107L9.511,30.4A21.419,21.419,0,0,0,3.4,42.615Z" transform="translate(0.371 3.363)" fill="#fff"/> -          <path id="Path_34" data-name="Path 34" d="M53.3,3.221A3.09,3.09,0,0,0,50.081,0,48.227,48.227,0,0,0,18.322,13.437c-6-1.666-14.991-1.221-18.322,7.218A33.892,33.892,0,0,1,9.439,25.1l-.333.666a3.013,3.013,0,0,0,.555,3.553L23.985,43.641a2.9,2.9,0,0,0,3.553.555l.666-.333A33.892,33.892,0,0,1,32.647,53.3c8.55-3.664,8.884-12.326,7.218-18.322A48.227,48.227,0,0,0,53.3,3.221ZM34.424,9.772a6.439,6.439,0,1,1,9.106,9.106,6.368,6.368,0,0,1-9.106,0A6.467,6.467,0,0,1,34.424,9.772Z" transform="translate(0 0.005)" fill="#fff"/> -        </g> -      </g> -    </svg> - -    <span>{{ title }} app is running!</span> - -    <svg id="rocket-smoke" alt="Rocket Ship Smoke" xmlns="http://www.w3.org/2000/svg" width="516.119" height="1083.632" viewBox="0 0 516.119 1083.632"> -      <path id="Path_40" data-name="Path 40" d="M644.6,141S143.02,215.537,147.049,870.207s342.774,201.755,342.774,201.755S404.659,847.213,388.815,762.2c-27.116-145.51-11.551-384.124,271.9-609.1C671.15,139.365,644.6,141,644.6,141Z" transform="translate(-147.025 -140.939)" fill="#f5f5f5"/> -    </svg> - -  </div> - -  <!-- Resources --> -  <h2>Resources</h2> -  <p>Here are some links to help you get started:</p> - -  <div class="card-container"> -    <a class="card" target="_blank" rel="noopener" href="https://angular.io/tutorial"> -      <svg class="material-icons" xmlns="http://www.w3.org/2000/svg" width="24" height="24" viewBox="0 0 24 24"><path d="M5 13.18v4L12 21l7-3.82v-4L12 17l-7-3.82zM12 3L1 9l11 6 9-4.91V17h2V9L12 3z"/></svg> - -      <span>Learn Angular</span> - -      <svg class="material-icons" xmlns="http://www.w3.org/2000/svg" width="24" height="24" viewBox="0 0 24 24"><path d="M10 6L8.59 7.41 13.17 12l-4.58 4.59L10 18l6-6z"/></svg>    </a> - -    <a class="card" target="_blank" rel="noopener" href="https://angular.io/cli"> -      <svg class="material-icons" xmlns="http://www.w3.org/2000/svg" width="24" height="24" viewBox="0 0 24 24"><path d="M9.4 16.6L4.8 12l4.6-4.6L8 6l-6 6 6 6 1.4-1.4zm5.2 0l4.6-4.6-4.6-4.6L16 6l6 6-6 6-1.4-1.4z"/></svg> - -      <span>CLI Documentation</span> - -      <svg class="material-icons" xmlns="http://www.w3.org/2000/svg" width="24" height="24" viewBox="0 0 24 24"><path d="M10 6L8.59 7.41 13.17 12l-4.58 4.59L10 18l6-6z"/></svg> -    </a> - -    <a class="card" target="_blank" rel="noopener" href="https://blog.angular.io/"> -      <svg class="material-icons" xmlns="http://www.w3.org/2000/svg" width="24" height="24" viewBox="0 0 24 24"><path d="M13.5.67s.74 2.65.74 4.8c0 2.06-1.35 3.73-3.41 3.73-2.07 0-3.63-1.67-3.63-3.73l.03-.36C5.21 7.51 4 10.62 4 14c0 4.42 3.58 8 8 8s8-3.58 8-8C20 8.61 17.41 3.8 13.5.67zM11.71 19c-1.78 0-3.22-1.4-3.22-3.14 0-1.62 1.05-2.76 2.81-3.12 1.77-.36 3.6-1.21 4.62-2.58.39 1.29.59 2.65.59 4.04 0 2.65-2.15 4.8-4.8 4.8z"/></svg> - -      <span>Angular Blog</span> - -      <svg class="material-icons" xmlns="http://www.w3.org/2000/svg" width="24" height="24" viewBox="0 0 24 24"><path d="M10 6L8.59 7.41 13.17 12l-4.58 4.59L10 18l6-6z"/></svg> -    </a> - -  </div> - -  <!-- Next Steps --> -  <h2>Next Steps</h2> -  <p>What do you want to do next with your app?</p> - -  <input type="hidden" #selection> - -  <div class="card-container"> -    <div class="card card-small" (click)="selection.value = 'component'" tabindex="0"> -        <svg class="material-icons" xmlns="http://www.w3.org/2000/svg" width="24" height="24" viewBox="0 0 24 24"><path d="M19 13h-6v6h-2v-6H5v-2h6V5h2v6h6v2z"/></svg> - -      <span>New Component</span> -    </div> - -    <div class="card card-small" (click)="selection.value = 'material'" tabindex="0"> -        <svg class="material-icons" xmlns="http://www.w3.org/2000/svg" width="24" height="24" viewBox="0 0 24 24"><path d="M19 13h-6v6h-2v-6H5v-2h6V5h2v6h6v2z"/></svg> - -      <span>Angular Material</span> -    </div> - -    <div class="card card-small" (click)="selection.value = 'dependency'" tabindex="0"> -      <svg class="material-icons" xmlns="http://www.w3.org/2000/svg" width="24" height="24" viewBox="0 0 24 24"><path d="M19 13h-6v6h-2v-6H5v-2h6V5h2v6h6v2z"/></svg> - -      <span>Add Dependency</span> -    </div> - -    <div class="card card-small" (click)="selection.value = 'test'" tabindex="0"> -      <svg class="material-icons" xmlns="http://www.w3.org/2000/svg" width="24" height="24" viewBox="0 0 24 24"><path d="M19 13h-6v6h-2v-6H5v-2h6V5h2v6h6v2z"/></svg> - -      <span>Run and Watch Tests</span> -    </div> - -    <div class="card card-small" (click)="selection.value = 'build'" tabindex="0"> -      <svg class="material-icons" xmlns="http://www.w3.org/2000/svg" width="24" height="24" viewBox="0 0 24 24"><path d="M19 13h-6v6h-2v-6H5v-2h6V5h2v6h6v2z"/></svg> - -      <span>Build for Production</span> -    </div> -  </div> - -  <!-- Terminal --> -  <div class="terminal" [ngSwitch]="selection.value"> -      <pre *ngSwitchDefault>ng generate component xyz</pre> -      <pre *ngSwitchCase="'material'">ng add @angular/material</pre> -      <pre *ngSwitchCase="'dependency'">ng add _____</pre> -      <pre *ngSwitchCase="'test'">ng test</pre> -      <pre *ngSwitchCase="'build'">ng build --prod</pre> -  </div> - -  <!-- Links --> -  <div class="card-container"> -    <a class="circle-link" title="Animations" href="https://angular.io/guide/animations" target="_blank" rel="noopener"> -      <svg id="Group_20" data-name="Group 20" xmlns="http://www.w3.org/2000/svg" width="21.813" height="23.453" viewBox="0 0 21.813 23.453"> -        <path id="Path_15" data-name="Path 15" d="M4099.584,972.736h0l-10.882,3.9,1.637,14.4,9.245,5.153,9.245-5.153,1.686-14.4Z" transform="translate(-4088.702 -972.736)" fill="#ffa726"/> -        <path id="Path_16" data-name="Path 16" d="M4181.516,972.736v23.453l9.245-5.153,1.686-14.4Z" transform="translate(-4170.633 -972.736)" fill="#fb8c00"/> -        <path id="Path_17" data-name="Path 17" d="M4137.529,1076.127l-7.7-3.723,4.417-2.721,7.753,3.723Z" transform="translate(-4125.003 -1058.315)" fill="#ffe0b2"/> -        <path id="Path_18" data-name="Path 18" d="M4137.529,1051.705l-7.7-3.723,4.417-2.721,7.753,3.723Z" transform="translate(-4125.003 -1036.757)" fill="#fff3e0"/> -        <path id="Path_19" data-name="Path 19" d="M4137.529,1027.283l-7.7-3.723,4.417-2.721,7.753,3.723Z" transform="translate(-4125.003 -1015.199)" fill="#fff"/> -      </svg> -    </a> - -    <a class="circle-link" title="CLI" href="https://cli.angular.io/" target="_blank" rel="noopener"> -      <svg alt="Angular CLI Logo" xmlns="http://www.w3.org/2000/svg" width="21.762" height="23.447" viewBox="0 0 21.762 23.447"> -        <g id="Group_21" data-name="Group 21" transform="translate(0)"> -          <path id="Path_20" data-name="Path 20" d="M2660.313,313.618h0l-10.833,3.9,1.637,14.4,9.2,5.152,9.244-5.152,1.685-14.4Z" transform="translate(-2649.48 -313.618)" fill="#37474f"/> -          <path id="Path_21" data-name="Path 21" d="M2741.883,313.618v23.447l9.244-5.152,1.685-14.4Z" transform="translate(-2731.05 -313.618)" fill="#263238"/> -          <path id="Path_22" data-name="Path 22" d="M2692.293,379.169h11.724V368.618h-11.724Zm11.159-.6h-10.608v-9.345h10.621v9.345Z" transform="translate(-2687.274 -362.17)" fill="#fff"/> -          <path id="Path_23" data-name="Path 23" d="M2709.331,393.688l.4.416,2.265-2.28-2.294-2.294-.4.4,1.893,1.893Z" transform="translate(-2702.289 -380.631)" fill="#fff"/> -          <rect id="Rectangle_12" data-name="Rectangle 12" width="3.517" height="0.469" transform="translate(9.709 13.744)" fill="#fff"/> -        </g> -      </svg> -    </a> - -    <a class="circle-link" title="Augury" href="https://augury.rangle.io/" target="_blank" rel="noopener"> -      <svg alt="Angular Augury Logo" xmlns="http://www.w3.org/2000/svg" xmlns:xlink="http://www.w3.org/1999/xlink" width="21.81" height="23.447" viewBox="0 0 21.81 23.447"> -        <defs> -          <clipPath id="clip-path"> -            <rect id="Rectangle_13" data-name="Rectangle 13" width="10.338" height="10.27" fill="none"/> -          </clipPath> -        </defs> -        <g id="Group_25" data-name="Group 25" transform="translate(0)"> -          <path id="Path_24" data-name="Path 24" d="M3780.155,311.417h0l-10.881,3.9,1.637,14.4,9.244,5.152,9.244-5.152,1.685-14.4Z" transform="translate(-3769.274 -311.417)" fill="#4a3493"/> -          <path id="Path_25" data-name="Path 25" d="M3862.088,311.417v23.447l9.244-5.152,1.685-14.4Z" transform="translate(-3851.207 -311.417)" fill="#311b92"/> -          <g id="Group_24" data-name="Group 24" transform="translate(6.194 6.73)" opacity="0.5"> -            <g id="Group_23" data-name="Group 23" transform="translate(0 0)"> -              <g id="Group_22" data-name="Group 22" clip-path="url(#clip-path)"> -                <path id="Path_26" data-name="Path 26" d="M3832.4,373.252a5.168,5.168,0,1,1-5.828-4.383,5.216,5.216,0,0,1,2.574.3,3.017,3.017,0,1,0,3.252,4.086Z" transform="translate(-3822.107 -368.821)" fill="#fff"/> -              </g> -            </g> -          </g> -          <path id="Path_27" data-name="Path 27" d="M3830.582,370.848a5.162,5.162,0,1,1-3.254-4.086,3.017,3.017,0,1,0,3.252,4.086Z" transform="translate(-3814.311 -359.969)" fill="#fff"/> -        </g> -      </svg> -    </a> - -    <a class="circle-link" title="Protractor" href="https://www.protractortest.org/" target="_blank" rel="noopener"> -      <svg alt="Angular Protractor Logo" xmlns="http://www.w3.org/2000/svg" width="21.81" height="23.447" viewBox="0 0 21.81 23.447"> -        <g id="Group_26" data-name="Group 26" transform="translate(0)"> -          <path id="Path_28" data-name="Path 28" d="M4620.155,311.417h0l-10.881,3.9,1.637,14.4,9.244,5.152,9.244-5.152,1.685-14.4Z" transform="translate(-4609.274 -311.417)" fill="#e13439"/> -          <path id="Path_29" data-name="Path 29" d="M4702.088,311.417v23.447l9.244-5.152,1.685-14.4Z" transform="translate(-4691.207 -311.417)" fill="#b52f32"/> -          <path id="Path_30" data-name="Path 30" d="M4651.044,369.58v-.421h1.483a7.6,7.6,0,0,0-2.106-5.052l-1.123,1.123-.3-.3,1.122-1.121a7.588,7.588,0,0,0-4.946-2.055v1.482h-.421v-1.485a7.589,7.589,0,0,0-5.051,2.058l1.122,1.121-.3.3-1.123-1.123a7.591,7.591,0,0,0-2.106,5.052h1.482v.421h-1.489v1.734h15.241V369.58Zm-10.966-.263a4.835,4.835,0,0,1,9.67,0Z" transform="translate(-4634.008 -355.852)" fill="#fff"/> -        </g> -      </svg> -    </a> - -    <a class="circle-link" title="Find a Local Meetup" href="https://www.meetup.com/find/?keywords=angular" target="_blank" rel="noopener"> -      <svg alt="Meetup Logo" xmlns="http://www.w3.org/2000/svg" width="24.607" height="23.447" viewBox="0 0 24.607 23.447"> -        <path id="logo--mSwarm" d="M21.221,14.95A4.393,4.393,0,0,1,17.6,19.281a4.452,4.452,0,0,1-.8.069c-.09,0-.125.035-.154.117a2.939,2.939,0,0,1-2.506,2.091,2.868,2.868,0,0,1-2.248-.624.168.168,0,0,0-.245-.005,3.926,3.926,0,0,1-2.589.741,4.015,4.015,0,0,1-3.7-3.347,2.7,2.7,0,0,1-.043-.38c0-.106-.042-.146-.143-.166a3.524,3.524,0,0,1-1.516-.69A3.623,3.623,0,0,1,2.23,14.557a3.66,3.66,0,0,1,1.077-3.085.138.138,0,0,0,.026-.2,3.348,3.348,0,0,1-.451-1.821,3.46,3.46,0,0,1,2.749-3.28.44.44,0,0,0,.355-.281,5.072,5.072,0,0,1,3.863-3,5.028,5.028,0,0,1,3.555.666.31.31,0,0,0,.271.03A4.5,4.5,0,0,1,18.3,4.7a4.4,4.4,0,0,1,1.334,2.751,3.658,3.658,0,0,1,.022.706.131.131,0,0,0,.1.157,2.432,2.432,0,0,1,1.574,1.645,2.464,2.464,0,0,1-.7,2.616c-.065.064-.051.1-.014.166A4.321,4.321,0,0,1,21.221,14.95ZM13.4,14.607a2.09,2.09,0,0,0,1.409,1.982,4.7,4.7,0,0,0,1.275.221,1.807,1.807,0,0,0,.9-.151.542.542,0,0,0,.321-.545.558.558,0,0,0-.359-.534,1.2,1.2,0,0,0-.254-.078c-.262-.047-.526-.086-.787-.138a.674.674,0,0,1-.617-.75,3.394,3.394,0,0,1,.218-1.109c.217-.658.509-1.286.79-1.918a15.609,15.609,0,0,0,.745-1.86,1.95,1.95,0,0,0,.06-1.073,1.286,1.286,0,0,0-1.051-1.033,1.977,1.977,0,0,0-1.521.2.339.339,0,0,1-.446-.042c-.1-.092-.2-.189-.307-.284a1.214,1.214,0,0,0-1.643-.061,7.563,7.563,0,0,1-.614.512A.588.588,0,0,1,10.883,8c-.215-.115-.437-.215-.659-.316a2.153,2.153,0,0,0-.695-.248A2.091,2.091,0,0,0,7.541,8.562a9.915,9.915,0,0,0-.405.986c-.559,1.545-1.015,3.123-1.487,4.7a1.528,1.528,0,0,0,.634,1.777,1.755,1.755,0,0,0,1.5.211,1.35,1.35,0,0,0,.824-.858c.543-1.281,1.032-2.584,1.55-3.875.142-.355.28-.712.432-1.064a.548.548,0,0,1,.851-.24.622.622,0,0,1,.185.539,2.161,2.161,0,0,1-.181.621c-.337.852-.68,1.7-1.018,2.552a2.564,2.564,0,0,0-.173.528.624.624,0,0,0,.333.71,1.073,1.073,0,0,0,.814.034,1.22,1.22,0,0,0,.657-.655q.758-1.488,1.511-2.978.35-.687.709-1.37a1.073,1.073,0,0,1,.357-.434.43.43,0,0,1,.463-.016.373.373,0,0,1,.153.387.7.7,0,0,1-.057.236c-.065.157-.127.316-.2.469-.42.883-.846,1.763-1.262,2.648A2.463,2.463,0,0,0,13.4,14.607Zm5.888,6.508a1.09,1.09,0,0,0-2.179.006,1.09,1.09,0,0,0,2.179-.006ZM1.028,12.139a1.038,1.038,0,1,0,.01-2.075,1.038,1.038,0,0,0-.01,2.075ZM13.782.528a1.027,1.027,0,1,0-.011,2.055A1.027,1.027,0,0,0,13.782.528ZM22.21,6.95a.882.882,0,0,0-1.763.011A.882.882,0,0,0,22.21,6.95ZM4.153,4.439a.785.785,0,1,0,.787-.78A.766.766,0,0,0,4.153,4.439Zm8.221,18.22a.676.676,0,1,0-.677.666A.671.671,0,0,0,12.374,22.658ZM22.872,12.2a.674.674,0,0,0-.665.665.656.656,0,0,0,.655.643.634.634,0,0,0,.655-.644A.654.654,0,0,0,22.872,12.2ZM7.171-.123A.546.546,0,0,0,6.613.43a.553.553,0,1,0,1.106,0A.539.539,0,0,0,7.171-.123ZM24.119,9.234a.507.507,0,0,0-.493.488.494.494,0,0,0,.494.494.48.48,0,0,0,.487-.483A.491.491,0,0,0,24.119,9.234Zm-19.454,9.7a.5.5,0,0,0-.488-.488.491.491,0,0,0-.487.5.483.483,0,0,0,.491.479A.49.49,0,0,0,4.665,18.936Z" transform="translate(0 0.123)" fill="#f64060"/> -      </svg> -    </a> - -    <a class="circle-link" title="Join the Conversation on Gitter" href="https://gitter.im/angular/angular" target="_blank" rel="noopener"> -      <svg alt="Gitter Logo" xmlns="http://www.w3.org/2000/svg" width="19.447" height="19.447" viewBox="0 0 19.447 19.447"> -        <g id="Group_40" data-name="Group 40" transform="translate(-1612 -405)"> -          <rect id="Rectangle_19" data-name="Rectangle 19" width="19.447" height="19.447" transform="translate(1612 405)" fill="#e60257"/> -          <g id="gitter" transform="translate(1617.795 408.636)"> -            <g id="Group_33" data-name="Group 33" transform="translate(0 0)"> -              <rect id="Rectangle_15" data-name="Rectangle 15" width="1.04" height="9.601" transform="translate(2.304 2.324)" fill="#fff"/> -              <rect id="Rectangle_16" data-name="Rectangle 16" width="1.04" height="9.601" transform="translate(4.607 2.324)" fill="#fff"/> -              <rect id="Rectangle_17" data-name="Rectangle 17" width="1.04" height="4.648" transform="translate(6.91 2.324)" fill="#fff"/> -              <rect id="Rectangle_18" data-name="Rectangle 18" width="1.04" height="6.971" transform="translate(0 0)" fill="#fff"/> -            </g> -          </g> -        </g> -      </svg> -    </a> -  </div> - -  <!-- Footer --> -  <footer> -      Love Angular?  -      <a href="https://github.com/angular/angular" target="_blank" rel="noopener"> Give our repo a star. -        <div class="github-star-badge"> -            <svg class="material-icons" xmlns="http://www.w3.org/2000/svg" width="24" height="24" viewBox="0 0 24 24"><path d="M0 0h24v24H0z" fill="none"/><path d="M12 17.27L18.18 21l-1.64-7.03L22 9.24l-7.19-.61L12 2 9.19 8.63 2 9.24l5.46 4.73L5.82 21z"/></svg> -          Star -        </div> -      </a> -      <a href="https://github.com/angular/angular" target="_blank" rel="noopener"> -        <svg class="material-icons" xmlns="http://www.w3.org/2000/svg" width="24" height="24" viewBox="0 0 24 24"><path d="M10 6L8.59 7.41 13.17 12l-4.58 4.59L10 18l6-6z" fill="#1976d2"/><path d="M0 0h24v24H0z" fill="none"/></svg> -      </a> -  </footer> - -  <svg id="clouds" alt="Gray Clouds Background" xmlns="http://www.w3.org/2000/svg" width="2611.084" height="485.677" viewBox="0 0 2611.084 485.677"> -    <path id="Path_39" data-name="Path 39" d="M2379.709,863.793c10-93-77-171-168-149-52-114-225-105-264,15-75,3-140,59-152,133-30,2.83-66.725,9.829-93.5,26.25-26.771-16.421-63.5-23.42-93.5-26.25-12-74-77-130-152-133-39-120-212-129-264-15-54.084-13.075-106.753,9.173-138.488,48.9-31.734-39.726-84.4-61.974-138.487-48.9-52-114-225-105-264,15a162.027,162.027,0,0,0-103.147,43.044c-30.633-45.365-87.1-72.091-145.206-58.044-52-114-225-105-264,15-75,3-140,59-152,133-53,5-127,23-130,83-2,42,35,72,70,86,49,20,106,18,157,5a165.625,165.625,0,0,0,120,0c47,94,178,113,251,33,61.112,8.015,113.854-5.72,150.492-29.764a165.62,165.62,0,0,0,110.861-3.236c47,94,178,113,251,33,31.385,4.116,60.563,2.495,86.487-3.311,25.924,5.806,55.1,7.427,86.488,3.311,73,80,204,61,251-33a165.625,165.625,0,0,0,120,0c51,13,108,15,157-5a147.188,147.188,0,0,0,33.5-18.694,147.217,147.217,0,0,0,33.5,18.694c49,20,106,18,157,5a165.625,165.625,0,0,0,120,0c47,94,178,113,251,33C2446.709,1093.793,2554.709,922.793,2379.709,863.793Z" transform="translate(142.69 -634.312)" fill="#eee"/> -  </svg> - -</div> - -<!-- * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * --> -<!-- * * * * * * * * * * * The content above * * * * * * * * * * * --> -<!-- * * * * * * * * * * is only a placeholder * * * * * * * * * * --> -<!-- * * * * * * * * * * and can be replaced. * * * * * * * * * * * --> -<!-- * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * --> -<!-- * * * * * * * * * * End of Placeholder * * * * * * * * * * * --> -<!-- * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * --> - - +<h1>{{title}}</h1> +<router-outlet></router-outlet> diff --git a/recipeBuddy/src/app/app.module.ts b/recipeBuddy/src/app/app.module.ts index 8467740..3dd0f53 100644 --- a/recipeBuddy/src/app/app.module.ts +++ b/recipeBuddy/src/app/app.module.ts @@ -1,18 +1,28 @@  import { BrowserModule } from '@angular/platform-browser';  import { NgModule } from '@angular/core'; +import { FormsModule } from '@angular/forms'; +import { MatCardModule } from '@angular/material';  import { AppComponent } from './app.component';  import { MainPageComponent } from './main-page/main-page.component';  import { RecipeCardComponent } from './recipe-card/recipe-card.component'; +import { CookPageComponent} from './cook-page/cook-page.component'; +import { StepCardComponent } from './cook-page/step-card/step-card.component'; + +import { AppRoutingModule } from './app-routing.module';  @NgModule({    declarations: [      AppComponent,      MainPageComponent, -    RecipeCardComponent +    RecipeCardComponent, +    CookPageComponent, +    StepCardComponent    ],    imports: [ -    BrowserModule +    BrowserModule, +    AppRoutingModule, +    MatCardModule,    ],    providers: [],    bootstrap: [AppComponent] diff --git a/recipeBuddy/src/app/cook-page/cook-page.component.css b/recipeBuddy/src/app/cook-page/cook-page.component.css new file mode 100644 index 0000000..41b3d42 --- /dev/null +++ b/recipeBuddy/src/app/cook-page/cook-page.component.css @@ -0,0 +1,39 @@ +.previous-step { +	 +} + +.current-step { + +} + +.next-step { +} + +.previous { +	margin: auto; +	border: solid; +	text-align: center; +	grid-column: 1; +} + +.current { +	margin: auto; +	border: solid; +	text-align: center; +	grid-column: 2; +} + +.next { +	margin: auto; +	border: solid; +	text-align: center; +	grid-column: 3; + +} + +.container { +	display: grid; +	grid-template-columns: 1fr 1fr 1fr; +	grid-gap: 10px; +	grid-template-rows: 1fr; +} diff --git a/recipeBuddy/src/app/cook-page/cook-page.component.html b/recipeBuddy/src/app/cook-page/cook-page.component.html new file mode 100644 index 0000000..39bef2e --- /dev/null +++ b/recipeBuddy/src/app/cook-page/cook-page.component.html @@ -0,0 +1,22 @@ +<div class="container"> +	<div class="previous"> +		<h1>Step {{step -1}}</h1> +		<p>{{previousStep}}</p> +	</div> +	 +	<div class="current"> +		<h1>Step {{step}}</h1> +		<p>{{currentStep}}</p> +		<p>{{timeLeft}}</p> +		<div> +			<button (click)="startTimer()">Start Timer</button> +		</div> +		<button (click)="previous()">Previous</button> +		<button (click)="next()">next</button> +	</div> +	 +	<div class="next"> +		<h1>Step {{step +1}}</h1> +		<p>{{nextStep}}</p> +	</div> +</div> diff --git a/recipeBuddy/src/app/cook-page/cook-page.component.spec.ts b/recipeBuddy/src/app/cook-page/cook-page.component.spec.ts new file mode 100644 index 0000000..221688e --- /dev/null +++ b/recipeBuddy/src/app/cook-page/cook-page.component.spec.ts @@ -0,0 +1,25 @@ +import { async, ComponentFixture, TestBed } from '@angular/core/testing'; + +import { CookPageComponent } from './cook-page.component'; + +describe('CookPageComponent', () => { +  let component: CookPageComponent; +  let fixture: ComponentFixture<CookPageComponent>; + +  beforeEach(async(() => { +    TestBed.configureTestingModule({ +      declarations: [ CookPageComponent ] +    }) +    .compileComponents(); +  })); + +  beforeEach(() => { +    fixture = TestBed.createComponent(CookPageComponent); +    component = fixture.componentInstance; +    fixture.detectChanges(); +  }); + +  it('should create', () => { +    expect(component).toBeTruthy(); +  }); +}); diff --git a/recipeBuddy/src/app/cook-page/cook-page.component.ts b/recipeBuddy/src/app/cook-page/cook-page.component.ts new file mode 100644 index 0000000..51a4c67 --- /dev/null +++ b/recipeBuddy/src/app/cook-page/cook-page.component.ts @@ -0,0 +1,59 @@ +import {Component, OnInit} from '@angular/core'; + +/** + * @title Card with multiple sections + */ +@Component({ +  selector: 'app-cook-page', +  templateUrl: './cook-page.component.html', +  styleUrls: ['./cook-page.component.css'], +}) +export class CookPageComponent implements OnInit { +	step: number; +	instructions: string[] = ["Cut the bread", "Toast the bread", "Warm the butter", "Apply butter to bread", "Enjoy"]; +	timers: number[] = [5,60,30,0,0]; +	previousStep: string; +	currentStep: string; +	nextStep: string; +	timeLeft: number; + +	timerInterval; + +	ngOnInit() { +		this.step = 1; +		this.previousStep = ""; +		this.currentStep = this.instructions[this.step-1]; +		this.nextStep = this.instructions[this.step]; +		this.timeLeft = this.timers[this.step-1]; +	} + +	next(): void { +		clearInterval(this.timerInterval); +		this.step++; +		this.previousStep = this.instructions[this.step-2]; +		this.currentStep = this.instructions[this.step-1]; +		this.nextStep = this.instructions[this.step]; +		this.timeLeft = this.timers[this.step-1]; +	} + +	previous(): void { +		clearInterval(this.timerInterval); +		this.step--; +		this.previousStep = this.instructions[this.step-2]; +		this.currentStep = this.instructions[this.step-1]; +		this.nextStep = this.instructions[this.step]; +		this.timeLeft = this.timers[this.step-1]; +	} + +	startTimer(): void { +		this.timerInterval = setInterval(() => { +			if(this.timeLeft > 0) { +				this.timeLeft --; +			} +			else { +				clearInterval(this.timerInterval); +			} +		}, 1000) +	} +} + diff --git a/recipeBuddy/src/app/cook-page/step-card/step-card.component.css b/recipeBuddy/src/app/cook-page/step-card/step-card.component.css new file mode 100644 index 0000000..e69de29 --- /dev/null +++ b/recipeBuddy/src/app/cook-page/step-card/step-card.component.css diff --git a/recipeBuddy/src/app/cook-page/step-card/step-card.component.html b/recipeBuddy/src/app/cook-page/step-card/step-card.component.html new file mode 100644 index 0000000..c3edca3 --- /dev/null +++ b/recipeBuddy/src/app/cook-page/step-card/step-card.component.html @@ -0,0 +1 @@ +<p>step-card works!</p> diff --git a/recipeBuddy/src/app/cook-page/step-card/step-card.component.spec.ts b/recipeBuddy/src/app/cook-page/step-card/step-card.component.spec.ts new file mode 100644 index 0000000..011bc44 --- /dev/null +++ b/recipeBuddy/src/app/cook-page/step-card/step-card.component.spec.ts @@ -0,0 +1,25 @@ +import { async, ComponentFixture, TestBed } from '@angular/core/testing'; + +import { StepCardComponent } from './step-card.component'; + +describe('StepCardComponent', () => { +  let component: StepCardComponent; +  let fixture: ComponentFixture<StepCardComponent>; + +  beforeEach(async(() => { +    TestBed.configureTestingModule({ +      declarations: [ StepCardComponent ] +    }) +    .compileComponents(); +  })); + +  beforeEach(() => { +    fixture = TestBed.createComponent(StepCardComponent); +    component = fixture.componentInstance; +    fixture.detectChanges(); +  }); + +  it('should create', () => { +    expect(component).toBeTruthy(); +  }); +}); diff --git a/recipeBuddy/src/app/cook-page/step-card/step-card.component.ts b/recipeBuddy/src/app/cook-page/step-card/step-card.component.ts new file mode 100644 index 0000000..6d490b7 --- /dev/null +++ b/recipeBuddy/src/app/cook-page/step-card/step-card.component.ts @@ -0,0 +1,9 @@ +import { Component } from '@angular/core'; + +@Component({ +  selector: 'step-card', +  templateUrl: 'step-card.component.html', +  styleUrls: ['step-card.component.css'] +}) +export class StepCardComponent{ +} | 
