├── .DS_Store
├── .gitignore
├── auth
├── index.js
└── sendEmail.js
├── client
├── .gitignore
├── README.md
├── package.json
├── public
│ ├── favicon.ico
│ ├── index.html
│ ├── logo192.png
│ ├── logo512.png
│ ├── manifest.json
│ ├── robots.txt
│ └── thumbsup.png
├── src
│ ├── App.css
│ ├── App.js
│ ├── App.test.js
│ ├── components
│ │ ├── Button.js
│ │ ├── Form.js
│ │ ├── Input.js
│ │ └── Row.js
│ ├── index.css
│ ├── index.js
│ ├── logo.svg
│ ├── routes
│ │ ├── ForgotPassword
│ │ │ └── index.js
│ │ ├── Login
│ │ │ └── index.js
│ │ ├── ResetPassword
│ │ │ └── index.js
│ │ ├── Signup
│ │ │ └── index.js
│ │ └── private
│ │ │ └── index.js
│ ├── serviceWorker.js
│ ├── setupProxy.js
│ └── setupTests.js
└── yarn.lock
├── model
├── resetRequests.js
└── users.js
├── package.json
├── server.js
└── yarn.lock
/.DS_Store:
--------------------------------------------------------------------------------
https://raw.githubusercontent.com/coding-with-chaim/forgot-password-code/9ca5ea0878e7d685618bfdd84228cb4dddb22d9e/.DS_Store
--------------------------------------------------------------------------------
/.gitignore:
--------------------------------------------------------------------------------
1 | # Logs
2 | logs
3 | *.log
4 | npm-debug.log*
5 | yarn-debug.log*
6 | yarn-error.log*
7 | lerna-debug.log*
8 |
9 | # Diagnostic reports (https://nodejs.org/api/report.html)
10 | report.[0-9]*.[0-9]*.[0-9]*.[0-9]*.json
11 |
12 | # Runtime data
13 | pids
14 | *.pid
15 | *.seed
16 | *.pid.lock
17 |
18 | # Directory for instrumented libs generated by jscoverage/JSCover
19 | lib-cov
20 |
21 | # Coverage directory used by tools like istanbul
22 | coverage
23 | *.lcov
24 |
25 | # nyc test coverage
26 | .nyc_output
27 |
28 | # Grunt intermediate storage (https://gruntjs.com/creating-plugins#storing-task-files)
29 | .grunt
30 |
31 | # Bower dependency directory (https://bower.io/)
32 | bower_components
33 |
34 | # node-waf configuration
35 | .lock-wscript
36 |
37 | # Compiled binary addons (https://nodejs.org/api/addons.html)
38 | build/Release
39 |
40 | # Dependency directories
41 | node_modules/
42 | jspm_packages/
43 |
44 | # TypeScript v1 declaration files
45 | typings/
46 |
47 | # TypeScript cache
48 | *.tsbuildinfo
49 |
50 | # Optional npm cache directory
51 | .npm
52 |
53 | # Optional eslint cache
54 | .eslintcache
55 |
56 | # Microbundle cache
57 | .rpt2_cache/
58 | .rts2_cache_cjs/
59 | .rts2_cache_es/
60 | .rts2_cache_umd/
61 |
62 | # Optional REPL history
63 | .node_repl_history
64 |
65 | # Output of 'npm pack'
66 | *.tgz
67 |
68 | # Yarn Integrity file
69 | .yarn-integrity
70 |
71 | # dotenv environment variables file
72 | .env
73 | .env.test
74 |
75 | # parcel-bundler cache (https://parceljs.org/)
76 | .cache
77 |
78 | # Next.js build output
79 | .next
80 |
81 | # Nuxt.js build / generate output
82 | .nuxt
83 | dist
84 |
85 | # Gatsby files
86 | .cache/
87 | # Comment in the public line in if your project uses Gatsby and not Next.js
88 | # https://nextjs.org/blog/next-9-1#public-directory-support
89 | # public
90 |
91 | # vuepress build output
92 | .vuepress/dist
93 |
94 | # Serverless directories
95 | .serverless/
96 |
97 | # FuseBox cache
98 | .fusebox/
99 |
100 | # DynamoDB Local files
101 | .dynamodb/
102 |
103 | # TernJS port file
104 | .tern-port
105 |
106 | # Stores VSCode versions used for testing VSCode extensions
107 | .vscode-test
--------------------------------------------------------------------------------
/auth/index.js:
--------------------------------------------------------------------------------
1 | const express = require('express').Router;
2 | const router = express();
3 | const bcrypt = require("bcrypt");
4 | const uuidv1 = require('uuid/v1');
5 | const { createUser, getUser, updateUser } = require("../model/users");
6 | const { getResetRequest, createResetRequest } = require("../model/resetRequests");
7 | const sendResetLink = require("./sendEmail");
8 |
9 | router.post("/signup", (req, res) => {
10 | bcrypt.hash(req.body.password, 10).then(hashed => {
11 | const user = {
12 | email: req.body.email,
13 | password: hashed,
14 | };
15 | createUser(user);
16 | res.status(201).json();
17 | })
18 | });
19 |
20 | router.post("/login", (req, res) => {
21 | const thisUser = getUser(req.body.email);
22 | if (thisUser) {
23 | bcrypt.compare(req.body.password, thisUser.password).then(result => {
24 | if (result) {
25 | const token = uuidv1();
26 | res.status(200).json({ token });
27 | } else {
28 | res.status(401).json({ message: "Access denied" });
29 | }
30 | });
31 | } else {
32 | res.status(401).json({ message: "Access denied" });
33 | }
34 | });
35 |
36 | router.post("/forgot", (req, res) => {
37 | const thisUser = getUser(req.body.email);
38 | if (thisUser) {
39 | const id = uuidv1();
40 | const request = {
41 | id,
42 | email: thisUser.email,
43 | };
44 | createResetRequest(request);
45 | sendResetLink(thisUser.email, id);
46 | }
47 | res.status(200).json();
48 | });
49 |
50 | router.patch("/reset", (req, res) => {
51 | const thisRequest = getResetRequest(req.body.id);
52 | if (thisRequest) {
53 | const user = getUser(thisRequest.email);
54 | bcrypt.hash(req.body.password, 10).then(hashed => {
55 | user.password = hashed;
56 | updateUser(user);
57 | res.status(204).json();
58 | })
59 | } else {
60 | res.status(404).json();
61 | }
62 | });
63 |
64 | module.exports = router;
65 |
--------------------------------------------------------------------------------
/auth/sendEmail.js:
--------------------------------------------------------------------------------
1 | const AWS = require("aws-sdk");
2 |
3 | const config = new AWS.Config({
4 | region: "us-east-1",
5 | secretAccessKey: process.env.SECRET,
6 | accessKeyId: process.env.KEY_ID
7 | });
8 | const ses = new AWS.SES(config);
9 |
10 | function sendResetLink(email, id) {
11 | const params = {
12 | Destination: {
13 | ToAddresses: [
14 | email,
15 | ]
16 | },
17 | Message: {
18 | Body: {
19 | Text: {
20 | Charset: "UTF-8",
21 | Data: `To reset your password, please click on this link: http://localhost:3000/reset/${id}`
22 | }
23 | },
24 | Subject: {
25 | Charset: "UTF-8",
26 | Data: "Reset password instructions"
27 | }
28 | },
29 | Source: "codingwithchaim@gmail.com",
30 | };
31 |
32 | ses.sendEmail(params, (err) => {
33 | if (err) {
34 | console.log(err);
35 | }
36 | });
37 | }
38 |
39 |
40 | module.exports = sendResetLink;
41 |
--------------------------------------------------------------------------------
/client/.gitignore:
--------------------------------------------------------------------------------
1 | # See https://help.github.com/articles/ignoring-files/ for more about ignoring files.
2 |
3 | # dependencies
4 | /node_modules
5 | /.pnp
6 | .pnp.js
7 |
8 | # testing
9 | /coverage
10 |
11 | # production
12 | /build
13 |
14 | # misc
15 | .DS_Store
16 | .env.local
17 | .env.development.local
18 | .env.test.local
19 | .env.production.local
20 |
21 | npm-debug.log*
22 | yarn-debug.log*
23 | yarn-error.log*
24 |
--------------------------------------------------------------------------------
/client/README.md:
--------------------------------------------------------------------------------
1 | This project was bootstrapped with [Create React App](https://github.com/facebook/create-react-app).
2 |
3 | ## Available Scripts
4 |
5 | In the project directory, you can run:
6 |
7 | ### `yarn start`
8 |
9 | Runs the app in the development mode.
10 | Open [http://localhost:3000](http://localhost:3000) to view it in the browser.
11 |
12 | The page will reload if you make edits.
13 | You will also see any lint errors in the console.
14 |
15 | ### `yarn test`
16 |
17 | Launches the test runner in the interactive watch mode.
18 | See the section about [running tests](https://facebook.github.io/create-react-app/docs/running-tests) for more information.
19 |
20 | ### `yarn build`
21 |
22 | Builds the app for production to the `build` folder.
23 | It correctly bundles React in production mode and optimizes the build for the best performance.
24 |
25 | The build is minified and the filenames include the hashes.
26 | Your app is ready to be deployed!
27 |
28 | See the section about [deployment](https://facebook.github.io/create-react-app/docs/deployment) for more information.
29 |
30 | ### `yarn eject`
31 |
32 | **Note: this is a one-way operation. Once you `eject`, you can’t go back!**
33 |
34 | If you aren’t satisfied with the build tool and configuration choices, you can `eject` at any time. This command will remove the single build dependency from your project.
35 |
36 | Instead, it will copy all the configuration files and the transitive dependencies (Webpack, Babel, ESLint, etc) right into your project so you have full control over them. All of the commands except `eject` will still work, but they will point to the copied scripts so you can tweak them. At this point you’re on your own.
37 |
38 | You don’t have to ever use `eject`. The curated feature set is suitable for small and middle deployments, and you shouldn’t feel obligated to use this feature. However we understand that this tool wouldn’t be useful if you couldn’t customize it when you are ready for it.
39 |
40 | ## Learn More
41 |
42 | You can learn more in the [Create React App documentation](https://facebook.github.io/create-react-app/docs/getting-started).
43 |
44 | To learn React, check out the [React documentation](https://reactjs.org/).
45 |
46 | ### Code Splitting
47 |
48 | This section has moved here: https://facebook.github.io/create-react-app/docs/code-splitting
49 |
50 | ### Analyzing the Bundle Size
51 |
52 | This section has moved here: https://facebook.github.io/create-react-app/docs/analyzing-the-bundle-size
53 |
54 | ### Making a Progressive Web App
55 |
56 | This section has moved here: https://facebook.github.io/create-react-app/docs/making-a-progressive-web-app
57 |
58 | ### Advanced Configuration
59 |
60 | This section has moved here: https://facebook.github.io/create-react-app/docs/advanced-configuration
61 |
62 | ### Deployment
63 |
64 | This section has moved here: https://facebook.github.io/create-react-app/docs/deployment
65 |
66 | ### `yarn build` fails to minify
67 |
68 | This section has moved here: https://facebook.github.io/create-react-app/docs/troubleshooting#npm-run-build-fails-to-minify
69 |
--------------------------------------------------------------------------------
/client/package.json:
--------------------------------------------------------------------------------
1 | {
2 | "name": "client",
3 | "version": "0.1.0",
4 | "private": true,
5 | "prox": "http://localhost:4567",
6 | "dependencies": {
7 | "@testing-library/jest-dom": "^4.2.4",
8 | "@testing-library/react": "^9.3.2",
9 | "@testing-library/user-event": "^7.1.2",
10 | "axios": "^0.19.2",
11 | "http-proxy-middleware": "^0.20.0",
12 | "react": "^16.12.0",
13 | "react-dom": "^16.12.0",
14 | "react-router-dom": "^5.1.2",
15 | "react-scripts": "3.3.1",
16 | "styled-components": "^5.0.1"
17 | },
18 | "scripts": {
19 | "start": "react-scripts start",
20 | "build": "react-scripts build",
21 | "test": "react-scripts test",
22 | "eject": "react-scripts eject"
23 | },
24 | "eslintConfig": {
25 | "extends": "react-app"
26 | },
27 | "browserslist": {
28 | "production": [
29 | ">0.2%",
30 | "not dead",
31 | "not op_mini all"
32 | ],
33 | "development": [
34 | "last 1 chrome version",
35 | "last 1 firefox version",
36 | "last 1 safari version"
37 | ]
38 | }
39 | }
40 |
--------------------------------------------------------------------------------
/client/public/favicon.ico:
--------------------------------------------------------------------------------
https://raw.githubusercontent.com/coding-with-chaim/forgot-password-code/9ca5ea0878e7d685618bfdd84228cb4dddb22d9e/client/public/favicon.ico
--------------------------------------------------------------------------------
/client/public/index.html:
--------------------------------------------------------------------------------
1 |
2 |
3 |
4 |
5 |
6 |
7 |
8 |
12 |
13 |
17 |
18 |
27 | React App
28 |
29 |
30 |
31 |
32 |
42 |
43 |
44 |
--------------------------------------------------------------------------------
/client/public/logo192.png:
--------------------------------------------------------------------------------
https://raw.githubusercontent.com/coding-with-chaim/forgot-password-code/9ca5ea0878e7d685618bfdd84228cb4dddb22d9e/client/public/logo192.png
--------------------------------------------------------------------------------
/client/public/logo512.png:
--------------------------------------------------------------------------------
https://raw.githubusercontent.com/coding-with-chaim/forgot-password-code/9ca5ea0878e7d685618bfdd84228cb4dddb22d9e/client/public/logo512.png
--------------------------------------------------------------------------------
/client/public/manifest.json:
--------------------------------------------------------------------------------
1 | {
2 | "short_name": "React App",
3 | "name": "Create React App Sample",
4 | "icons": [
5 | {
6 | "src": "favicon.ico",
7 | "sizes": "64x64 32x32 24x24 16x16",
8 | "type": "image/x-icon"
9 | },
10 | {
11 | "src": "logo192.png",
12 | "type": "image/png",
13 | "sizes": "192x192"
14 | },
15 | {
16 | "src": "logo512.png",
17 | "type": "image/png",
18 | "sizes": "512x512"
19 | }
20 | ],
21 | "start_url": ".",
22 | "display": "standalone",
23 | "theme_color": "#000000",
24 | "background_color": "#ffffff"
25 | }
26 |
--------------------------------------------------------------------------------
/client/public/robots.txt:
--------------------------------------------------------------------------------
1 | # https://www.robotstxt.org/robotstxt.html
2 | User-agent: *
3 | Disallow:
4 |
--------------------------------------------------------------------------------
/client/public/thumbsup.png:
--------------------------------------------------------------------------------
https://raw.githubusercontent.com/coding-with-chaim/forgot-password-code/9ca5ea0878e7d685618bfdd84228cb4dddb22d9e/client/public/thumbsup.png
--------------------------------------------------------------------------------
/client/src/App.css:
--------------------------------------------------------------------------------
1 | .App {
2 | text-align: center;
3 | }
4 |
5 | .App-logo {
6 | height: 40vmin;
7 | pointer-events: none;
8 | }
9 |
10 | @media (prefers-reduced-motion: no-preference) {
11 | .App-logo {
12 | animation: App-logo-spin infinite 20s linear;
13 | }
14 | }
15 |
16 | .App-header {
17 | background-color: #282c34;
18 | min-height: 100vh;
19 | display: flex;
20 | flex-direction: column;
21 | align-items: center;
22 | justify-content: center;
23 | font-size: calc(10px + 2vmin);
24 | color: white;
25 | }
26 |
27 | .App-link {
28 | color: #61dafb;
29 | }
30 |
31 | @keyframes App-logo-spin {
32 | from {
33 | transform: rotate(0deg);
34 | }
35 | to {
36 | transform: rotate(360deg);
37 | }
38 | }
39 |
--------------------------------------------------------------------------------
/client/src/App.js:
--------------------------------------------------------------------------------
1 | import React from 'react';
2 | import { BrowserRouter, Route, Switch } from "react-router-dom";
3 | import styled from "styled-components";
4 | import Signup from "./routes/Signup";
5 | import Private from "./routes/private";
6 | import Login from "./routes/Login";
7 | import ForgotPassword from "./routes/ForgotPassword";
8 | import ResetPassword from "./routes/ResetPassword"
9 |
10 | const Container = styled.div`
11 | display: flex;
12 | height: 100vh;
13 | width: 100%;
14 | justify-content: center;
15 | align-items: center;
16 | background-color: whitesmoke;
17 | `;
18 |
19 | function App() {
20 | return (
21 |
22 |
23 |
24 |
25 |
26 |
27 |
28 |
29 |
30 |
31 |
32 |
33 |
34 | );
35 | }
36 |
37 | export default App;
38 |
--------------------------------------------------------------------------------
/client/src/App.test.js:
--------------------------------------------------------------------------------
1 | import React from 'react';
2 | import { render } from '@testing-library/react';
3 | import App from './App';
4 |
5 | test('renders learn react link', () => {
6 | const { getByText } = render();
7 | const linkElement = getByText(/learn react/i);
8 | expect(linkElement).toBeInTheDocument();
9 | });
10 |
--------------------------------------------------------------------------------
/client/src/components/Button.js:
--------------------------------------------------------------------------------
1 | import styled from "styled-components";
2 |
3 | export default styled.button`
4 | background-color: whitesmoke;
5 | color: lightblue;
6 | height: 30px;
7 | width: 100%;
8 | font-size: 22px;
9 | border: none;
10 | outline: none;
11 | border-radius: 10px;
12 | cursor: pointer;
13 | :active {
14 | border: 1px solid pink;
15 | }
16 | `;
--------------------------------------------------------------------------------
/client/src/components/Form.js:
--------------------------------------------------------------------------------
1 | import styled from "styled-components";
2 |
3 | const StyledForm = styled.form`
4 | display: flex;
5 | width: 350px;
6 | flex-direction: column;
7 | min-height: 200px;
8 | justify-content: center;
9 | background-color: lightblue;
10 | align-items: center;
11 | border-radius: 10px;
12 | `;
13 |
14 | export default StyledForm;
15 |
16 |
--------------------------------------------------------------------------------
/client/src/components/Input.js:
--------------------------------------------------------------------------------
1 | import styled from "styled-components";
2 |
3 | const Input = styled.input`
4 | width: 95%;
5 | outline: none;
6 | height: 35px;
7 | padding-left: 10px;
8 | font-size: 20px;
9 | background-color: transparent;
10 | border: 1px solid white;
11 | color: white;
12 | border-radius: 5px;
13 | ::placeholder {
14 | color: white;
15 | }
16 | :focus {
17 | border: 1px solid pink;
18 | }
19 | `;
20 |
21 | export default Input;
22 |
--------------------------------------------------------------------------------
/client/src/components/Row.js:
--------------------------------------------------------------------------------
1 | import styled from "styled-components";
2 |
3 | const Row = styled.div`
4 | width: 90%;
5 | margin-bottom: 5px;
6 | margin-top: 5px;
7 | `;
8 |
9 | export default Row;
--------------------------------------------------------------------------------
/client/src/index.css:
--------------------------------------------------------------------------------
1 | body {
2 | margin: 0;
3 | font-family: -apple-system, BlinkMacSystemFont, 'Segoe UI', 'Roboto', 'Oxygen',
4 | 'Ubuntu', 'Cantarell', 'Fira Sans', 'Droid Sans', 'Helvetica Neue',
5 | sans-serif;
6 | -webkit-font-smoothing: antialiased;
7 | -moz-osx-font-smoothing: grayscale;
8 | }
9 |
10 | code {
11 | font-family: source-code-pro, Menlo, Monaco, Consolas, 'Courier New',
12 | monospace;
13 | }
14 |
--------------------------------------------------------------------------------
/client/src/index.js:
--------------------------------------------------------------------------------
1 | import React from 'react';
2 | import ReactDOM from 'react-dom';
3 | import './index.css';
4 | import App from './App';
5 | import * as serviceWorker from './serviceWorker';
6 |
7 | ReactDOM.render(, document.getElementById('root'));
8 |
9 | // If you want your app to work offline and load faster, you can change
10 | // unregister() to register() below. Note this comes with some pitfalls.
11 | // Learn more about service workers: https://bit.ly/CRA-PWA
12 | serviceWorker.unregister();
13 |
--------------------------------------------------------------------------------
/client/src/logo.svg:
--------------------------------------------------------------------------------
1 |
8 |
--------------------------------------------------------------------------------
/client/src/routes/ForgotPassword/index.js:
--------------------------------------------------------------------------------
1 | import React, { useState } from "react";
2 | import axios from "axios";
3 | import Form from "../../components/Form";
4 | import Row from "../../components/Row";
5 | import Input from "../../components/Input";
6 | import Button from "../../components/Button";
7 |
8 | const ForgotPassword = () => {
9 |
10 | const [email, setEmail] = useState("");
11 | const [emailSent, setEmailSent] = useState(false);
12 |
13 | const submitHandler = (e) => {
14 | e.preventDefault();
15 | const body = {
16 | email,
17 | };
18 | axios({
19 | url: "/auth/forgot",
20 | data: body,
21 | method: "post",
22 | }).then(res => {
23 | setEmailSent(true);
24 | })
25 | }
26 |
27 | let body;
28 | if (emailSent) {
29 | body = (
30 | An email with reset instructions is on its way
31 | );
32 | } else {
33 | body = (
34 |
48 | );
49 | }
50 |
51 | return (
52 | body
53 | );
54 | };
55 |
56 | export default ForgotPassword;
--------------------------------------------------------------------------------
/client/src/routes/Login/index.js:
--------------------------------------------------------------------------------
1 | import React, { useState } from "react";
2 | import axios from "axios";
3 | import { Link } from "react-router-dom";
4 | import Form from "../../components/Form";
5 | import Row from "../../components/Row";
6 | import Input from "../../components/Input";
7 | import Button from "../../components/Button";
8 |
9 | const Login = (props) => {
10 |
11 | const [email, setEmail] = useState("");
12 | const [password, setPassword] = useState("");
13 |
14 | const submitHandler = (e) => {
15 | e.preventDefault();
16 | const body = {
17 | email,
18 | password,
19 | };
20 | axios({
21 | url: "/auth/login",
22 | data: body,
23 | method: "post",
24 | }).then(res => {
25 | localStorage.setItem("cwcToken", res.data.token);
26 | props.history.push("/");
27 | })
28 | }
29 |
30 | return (
31 |
60 | );
61 | };
62 |
63 | export default Login;
--------------------------------------------------------------------------------
/client/src/routes/ResetPassword/index.js:
--------------------------------------------------------------------------------
1 | import React, { useState } from "react";
2 | import axios from "axios";
3 | import Form from "../../components/Form";
4 | import Row from "../../components/Row";
5 | import Input from "../../components/Input";
6 | import Button from "../../components/Button";
7 |
8 | const ResetPassword = (props) => {
9 |
10 | const [password, setPassword] = useState("");
11 |
12 | const submitHandler = (e) => {
13 | e.preventDefault();
14 | const body = {
15 | password,
16 | id: props.match.params.id
17 | };
18 | axios({
19 | url: "/auth/reset",
20 | data: body,
21 | method: "patch"
22 | }).then(() => {
23 | props.history.push("/login");
24 | })
25 | }
26 |
27 | return (
28 |
42 | );
43 | };
44 |
45 | export default ResetPassword;
46 |
47 |
--------------------------------------------------------------------------------
/client/src/routes/Signup/index.js:
--------------------------------------------------------------------------------
1 | import React, { useState } from "react";
2 | import axios from "axios";
3 | import { Link } from "react-router-dom";
4 | import Form from "../../components/Form";
5 | import Row from "../../components/Row";
6 | import Input from "../../components/Input";
7 | import Button from "../../components/Button";
8 |
9 | const Signup = (props) => {
10 |
11 | const [email, setEmail] = useState("");
12 | const [password, setPassword] = useState("");
13 |
14 | const submitHandler = (e) => {
15 | e.preventDefault();
16 | const body = {
17 | email,
18 | password,
19 | };
20 | axios({
21 | method: "post",
22 | url: "/auth/signup",
23 | data: body,
24 | }).then(() => {
25 | props.history.push("/login");
26 | })
27 | }
28 |
29 | return (
30 |
56 | );
57 | };
58 |
59 | export default Signup;
60 |
--------------------------------------------------------------------------------
/client/src/routes/private/index.js:
--------------------------------------------------------------------------------
1 | import React from "react";
2 | import { Redirect } from "react-router-dom";
3 | import styled from "styled-components";
4 |
5 | const Image = styled.img`
6 | width: 50px;
7 | height: auto;
8 | cursor: pointer;
9 | ${props => props.loaded ? "width: 400px" : ""};
10 | transition: all 1s ease-in;
11 | `;
12 |
13 | const Private = (props) => {
14 | const [loaded, setLoaded] = React.useState(false);
15 |
16 | React.useEffect(() => {
17 | setLoaded(true);
18 | }, []);
19 |
20 | const token = localStorage.getItem("cwcToken");
21 | const logout = () => {
22 | localStorage.removeItem("cwcToken");
23 | props.history.push("/login");
24 | }
25 | if (token) {
26 | return (
27 |
28 | );
29 | } else {
30 | return (
31 |
32 | )
33 | }
34 | };
35 |
36 | export default Private;
37 |
--------------------------------------------------------------------------------
/client/src/serviceWorker.js:
--------------------------------------------------------------------------------
1 | // This optional code is used to register a service worker.
2 | // register() is not called by default.
3 |
4 | // This lets the app load faster on subsequent visits in production, and gives
5 | // it offline capabilities. However, it also means that developers (and users)
6 | // will only see deployed updates on subsequent visits to a page, after all the
7 | // existing tabs open on the page have been closed, since previously cached
8 | // resources are updated in the background.
9 |
10 | // To learn more about the benefits of this model and instructions on how to
11 | // opt-in, read https://bit.ly/CRA-PWA
12 |
13 | const isLocalhost = Boolean(
14 | window.location.hostname === 'localhost' ||
15 | // [::1] is the IPv6 localhost address.
16 | window.location.hostname === '[::1]' ||
17 | // 127.0.0.0/8 are considered localhost for IPv4.
18 | window.location.hostname.match(
19 | /^127(?:\.(?:25[0-5]|2[0-4][0-9]|[01]?[0-9][0-9]?)){3}$/
20 | )
21 | );
22 |
23 | export function register(config) {
24 | if (process.env.NODE_ENV === 'production' && 'serviceWorker' in navigator) {
25 | // The URL constructor is available in all browsers that support SW.
26 | const publicUrl = new URL(process.env.PUBLIC_URL, window.location.href);
27 | if (publicUrl.origin !== window.location.origin) {
28 | // Our service worker won't work if PUBLIC_URL is on a different origin
29 | // from what our page is served on. This might happen if a CDN is used to
30 | // serve assets; see https://github.com/facebook/create-react-app/issues/2374
31 | return;
32 | }
33 |
34 | window.addEventListener('load', () => {
35 | const swUrl = `${process.env.PUBLIC_URL}/service-worker.js`;
36 |
37 | if (isLocalhost) {
38 | // This is running on localhost. Let's check if a service worker still exists or not.
39 | checkValidServiceWorker(swUrl, config);
40 |
41 | // Add some additional logging to localhost, pointing developers to the
42 | // service worker/PWA documentation.
43 | navigator.serviceWorker.ready.then(() => {
44 | console.log(
45 | 'This web app is being served cache-first by a service ' +
46 | 'worker. To learn more, visit https://bit.ly/CRA-PWA'
47 | );
48 | });
49 | } else {
50 | // Is not localhost. Just register service worker
51 | registerValidSW(swUrl, config);
52 | }
53 | });
54 | }
55 | }
56 |
57 | function registerValidSW(swUrl, config) {
58 | navigator.serviceWorker
59 | .register(swUrl)
60 | .then(registration => {
61 | registration.onupdatefound = () => {
62 | const installingWorker = registration.installing;
63 | if (installingWorker == null) {
64 | return;
65 | }
66 | installingWorker.onstatechange = () => {
67 | if (installingWorker.state === 'installed') {
68 | if (navigator.serviceWorker.controller) {
69 | // At this point, the updated precached content has been fetched,
70 | // but the previous service worker will still serve the older
71 | // content until all client tabs are closed.
72 | console.log(
73 | 'New content is available and will be used when all ' +
74 | 'tabs for this page are closed. See https://bit.ly/CRA-PWA.'
75 | );
76 |
77 | // Execute callback
78 | if (config && config.onUpdate) {
79 | config.onUpdate(registration);
80 | }
81 | } else {
82 | // At this point, everything has been precached.
83 | // It's the perfect time to display a
84 | // "Content is cached for offline use." message.
85 | console.log('Content is cached for offline use.');
86 |
87 | // Execute callback
88 | if (config && config.onSuccess) {
89 | config.onSuccess(registration);
90 | }
91 | }
92 | }
93 | };
94 | };
95 | })
96 | .catch(error => {
97 | console.error('Error during service worker registration:', error);
98 | });
99 | }
100 |
101 | function checkValidServiceWorker(swUrl, config) {
102 | // Check if the service worker can be found. If it can't reload the page.
103 | fetch(swUrl, {
104 | headers: { 'Service-Worker': 'script' }
105 | })
106 | .then(response => {
107 | // Ensure service worker exists, and that we really are getting a JS file.
108 | const contentType = response.headers.get('content-type');
109 | if (
110 | response.status === 404 ||
111 | (contentType != null && contentType.indexOf('javascript') === -1)
112 | ) {
113 | // No service worker found. Probably a different app. Reload the page.
114 | navigator.serviceWorker.ready.then(registration => {
115 | registration.unregister().then(() => {
116 | window.location.reload();
117 | });
118 | });
119 | } else {
120 | // Service worker found. Proceed as normal.
121 | registerValidSW(swUrl, config);
122 | }
123 | })
124 | .catch(() => {
125 | console.log(
126 | 'No internet connection found. App is running in offline mode.'
127 | );
128 | });
129 | }
130 |
131 | export function unregister() {
132 | if ('serviceWorker' in navigator) {
133 | navigator.serviceWorker.ready.then(registration => {
134 | registration.unregister();
135 | });
136 | }
137 | }
138 |
--------------------------------------------------------------------------------
/client/src/setupProxy.js:
--------------------------------------------------------------------------------
1 | const proxy = require('http-proxy-middleware');
2 |
3 | module.exports = function(app) {
4 | app.use(proxy('/auth/*', { target: 'http://localhost:4567' }));
5 | };
--------------------------------------------------------------------------------
/client/src/setupTests.js:
--------------------------------------------------------------------------------
1 | // jest-dom adds custom jest matchers for asserting on DOM nodes.
2 | // allows you to do things like:
3 | // expect(element).toHaveTextContent(/react/i)
4 | // learn more: https://github.com/testing-library/jest-dom
5 | import '@testing-library/jest-dom/extend-expect';
6 |
--------------------------------------------------------------------------------
/model/resetRequests.js:
--------------------------------------------------------------------------------
1 | const requests = [];
2 |
3 | function createResetRequest(resetRequest) {
4 | requests.push(resetRequest);
5 | }
6 |
7 | function getResetRequest(id) {
8 | const thisRequest = requests.find(req => req.id === id);
9 | return thisRequest;
10 | }
11 |
12 | module.exports = {
13 | createResetRequest,
14 | getResetRequest,
15 | }
16 |
--------------------------------------------------------------------------------
/model/users.js:
--------------------------------------------------------------------------------
1 | const users = [];
2 |
3 | function createUser(user) {
4 | users.push(user);
5 | }
6 |
7 | function getUser(email) {
8 | const thisUser = users.find(user => user.email === email);
9 | return thisUser;
10 | }
11 |
12 | function updateUser(user) {
13 | const thisUserIndex = users.findIndex(local => local.email === user.email);
14 | users[thisUserIndex] = user;
15 | }
16 |
17 | module.exports = {
18 | createUser,
19 | getUser,
20 | updateUser,
21 | }
22 |
--------------------------------------------------------------------------------
/package.json:
--------------------------------------------------------------------------------
1 | {
2 | "name": "forgot-password",
3 | "version": "1.0.0",
4 | "main": "index.js",
5 | "license": "MIT",
6 | "dependencies": {
7 | "aws-sdk": "^2.618.0",
8 | "bcrypt": "^3.0.8",
9 | "body-parser": "^1.19.0",
10 | "concurrently": "^5.1.0",
11 | "dotenv": "^8.2.0",
12 | "express": "^4.17.1",
13 | "express-promise-router": "^3.0.3",
14 | "uuid": "^3.4.0"
15 | },
16 | "scripts": {
17 | "client": "cd client && yarn start",
18 | "server": "node server.js",
19 | "dev": "concurrently --kill-others-on-fail \"yarn server\" \"yarn client\"",
20 | "postinstall": "cd client && yarn"
21 | }
22 | }
23 |
--------------------------------------------------------------------------------
/server.js:
--------------------------------------------------------------------------------
1 | require("dotenv").config();
2 | const express = require("express");
3 | const bodyParser = require("body-parser");
4 | const authRouter = require("./auth");
5 | const app = express();
6 | app.use(bodyParser.json());
7 | app.use(bodyParser.urlencoded({extended: false}));
8 |
9 |
10 | app.use("/auth", authRouter);
11 | app.listen(4567, () => console.log('server is running on port 4567'));
--------------------------------------------------------------------------------
/yarn.lock:
--------------------------------------------------------------------------------
1 | # THIS IS AN AUTOGENERATED FILE. DO NOT EDIT THIS FILE DIRECTLY.
2 | # yarn lockfile v1
3 |
4 |
5 | abbrev@1:
6 | version "1.1.1"
7 | resolved "https://registry.yarnpkg.com/abbrev/-/abbrev-1.1.1.tgz#f8f2c887ad10bf67f634f005b6987fed3179aac8"
8 | integrity sha512-nne9/IiQ/hzIhY6pdDnbBtz7DjPTKrY00P/zvPSm5pOFkl6xuGrGnXn/VtTNNfNtAfZ9/1RtehkszU9qcTii0Q==
9 |
10 | accepts@~1.3.7:
11 | version "1.3.7"
12 | resolved "https://registry.yarnpkg.com/accepts/-/accepts-1.3.7.tgz#531bc726517a3b2b41f850021c6cc15eaab507cd"
13 | integrity sha512-Il80Qs2WjYlJIBNzNkK6KYqlVMTbZLXgHx2oT0pU/fjRHyEp+PEfEPY0R3WCwAGVOtauxh1hOxNgIf5bv7dQpA==
14 | dependencies:
15 | mime-types "~2.1.24"
16 | negotiator "0.6.2"
17 |
18 | ansi-regex@^2.0.0:
19 | version "2.1.1"
20 | resolved "https://registry.yarnpkg.com/ansi-regex/-/ansi-regex-2.1.1.tgz#c3b33ab5ee360d86e0e628f0468ae7ef27d654df"
21 | integrity sha1-w7M6te42DYbg5ijwRorn7yfWVN8=
22 |
23 | ansi-regex@^3.0.0:
24 | version "3.0.0"
25 | resolved "https://registry.yarnpkg.com/ansi-regex/-/ansi-regex-3.0.0.tgz#ed0317c322064f79466c02966bddb605ab37d998"
26 | integrity sha1-7QMXwyIGT3lGbAKWa922Bas32Zg=
27 |
28 | ansi-regex@^4.1.0:
29 | version "4.1.0"
30 | resolved "https://registry.yarnpkg.com/ansi-regex/-/ansi-regex-4.1.0.tgz#8b9f8f08cf1acb843756a839ca8c7e3168c51997"
31 | integrity sha512-1apePfXM1UOSqw0o9IiFAovVz9M5S1Dg+4TrDwfMewQ6p/rmMueb7tWZjQ1rx4Loy1ArBggoqGpfqqdI4rondg==
32 |
33 | ansi-styles@^3.2.0, ansi-styles@^3.2.1:
34 | version "3.2.1"
35 | resolved "https://registry.yarnpkg.com/ansi-styles/-/ansi-styles-3.2.1.tgz#41fbb20243e50b12be0f04b8dedbf07520ce841d"
36 | integrity sha512-VT0ZI6kZRdTh8YyJw3SMbYm/u+NqfsAxEpWO0Pf9sq8/e94WxxOpPKx9FR1FlyCtOVDNOQ+8ntlqFxiRc+r5qA==
37 | dependencies:
38 | color-convert "^1.9.0"
39 |
40 | aproba@^1.0.3:
41 | version "1.2.0"
42 | resolved "https://registry.yarnpkg.com/aproba/-/aproba-1.2.0.tgz#6802e6264efd18c790a1b0d517f0f2627bf2c94a"
43 | integrity sha512-Y9J6ZjXtoYh8RnXVCMOU/ttDmk1aBjunq9vO0ta5x85WDQiQfUF9sIPBITdbiiIVcBo03Hi3jMxigBtsddlXRw==
44 |
45 | are-we-there-yet@~1.1.2:
46 | version "1.1.5"
47 | resolved "https://registry.yarnpkg.com/are-we-there-yet/-/are-we-there-yet-1.1.5.tgz#4b35c2944f062a8bfcda66410760350fe9ddfc21"
48 | integrity sha512-5hYdAkZlcG8tOLujVDTgCT+uPX0VnpAH28gWsLfzpXYm7wP6mp5Q/gYyR7YQ0cKVJcXJnl3j2kpBan13PtQf6w==
49 | dependencies:
50 | delegates "^1.0.0"
51 | readable-stream "^2.0.6"
52 |
53 | array-flatten@1.1.1:
54 | version "1.1.1"
55 | resolved "https://registry.yarnpkg.com/array-flatten/-/array-flatten-1.1.1.tgz#9a5f699051b1e7073328f2a008968b64ea2955d2"
56 | integrity sha1-ml9pkFGx5wczKPKgCJaLZOopVdI=
57 |
58 | aws-sdk@^2.618.0:
59 | version "2.618.0"
60 | resolved "https://registry.yarnpkg.com/aws-sdk/-/aws-sdk-2.618.0.tgz#628d4d3bdd5024ce0701ff74713e5be0a2ffd803"
61 | integrity sha512-GlwR9Eeolhm/D6NFuJosyatsdDeIeV68VRkACwt2v81seFGT7QAtpcRN72ZzVxLbeXSTMRgb6axJK17CS5whKw==
62 | dependencies:
63 | buffer "4.9.1"
64 | events "1.1.1"
65 | ieee754 "1.1.13"
66 | jmespath "0.15.0"
67 | querystring "0.2.0"
68 | sax "1.2.1"
69 | url "0.10.3"
70 | uuid "3.3.2"
71 | xml2js "0.4.19"
72 |
73 | balanced-match@^1.0.0:
74 | version "1.0.0"
75 | resolved "https://registry.yarnpkg.com/balanced-match/-/balanced-match-1.0.0.tgz#89b4d199ab2bee49de164ea02b89ce462d71b767"
76 | integrity sha1-ibTRmasr7kneFk6gK4nORi1xt2c=
77 |
78 | base64-js@^1.0.2:
79 | version "1.3.1"
80 | resolved "https://registry.yarnpkg.com/base64-js/-/base64-js-1.3.1.tgz#58ece8cb75dd07e71ed08c736abc5fac4dbf8df1"
81 | integrity sha512-mLQ4i2QO1ytvGWFWmcngKO//JXAQueZvwEKtjgQFM4jIK0kU+ytMfplL8j+n5mspOfjHwoAg+9yhb7BwAHm36g==
82 |
83 | bcrypt@^3.0.8:
84 | version "3.0.8"
85 | resolved "https://registry.yarnpkg.com/bcrypt/-/bcrypt-3.0.8.tgz#fe437b7569faffc1105c3c3f6e7d2913e3d3bea5"
86 | integrity sha512-jKV6RvLhI36TQnPDvUFqBEnGX9c8dRRygKxCZu7E+MgLfKZbmmXL8a7/SFFOyHoPNX9nV81cKRC5tbQfvEQtpw==
87 | dependencies:
88 | nan "2.14.0"
89 | node-pre-gyp "0.14.0"
90 |
91 | body-parser@1.19.0, body-parser@^1.19.0:
92 | version "1.19.0"
93 | resolved "https://registry.yarnpkg.com/body-parser/-/body-parser-1.19.0.tgz#96b2709e57c9c4e09a6fd66a8fd979844f69f08a"
94 | integrity sha512-dhEPs72UPbDnAQJ9ZKMNTP6ptJaionhP5cBb541nXPlW60Jepo9RV/a4fX4XWW9CuFNK22krhrj1+rgzifNCsw==
95 | dependencies:
96 | bytes "3.1.0"
97 | content-type "~1.0.4"
98 | debug "2.6.9"
99 | depd "~1.1.2"
100 | http-errors "1.7.2"
101 | iconv-lite "0.4.24"
102 | on-finished "~2.3.0"
103 | qs "6.7.0"
104 | raw-body "2.4.0"
105 | type-is "~1.6.17"
106 |
107 | brace-expansion@^1.1.7:
108 | version "1.1.11"
109 | resolved "https://registry.yarnpkg.com/brace-expansion/-/brace-expansion-1.1.11.tgz#3c7fcbf529d87226f3d2f52b966ff5271eb441dd"
110 | integrity sha512-iCuPHDFgrHX7H2vEI/5xpz07zSHB00TpugqhmYtVmMO6518mCuRMoOYFldEBl0g187ufozdaHgWKcYFb61qGiA==
111 | dependencies:
112 | balanced-match "^1.0.0"
113 | concat-map "0.0.1"
114 |
115 | buffer@4.9.1:
116 | version "4.9.1"
117 | resolved "https://registry.yarnpkg.com/buffer/-/buffer-4.9.1.tgz#6d1bb601b07a4efced97094132093027c95bc298"
118 | integrity sha1-bRu2AbB6TvztlwlBMgkwJ8lbwpg=
119 | dependencies:
120 | base64-js "^1.0.2"
121 | ieee754 "^1.1.4"
122 | isarray "^1.0.0"
123 |
124 | bytes@3.1.0:
125 | version "3.1.0"
126 | resolved "https://registry.yarnpkg.com/bytes/-/bytes-3.1.0.tgz#f6cf7933a360e0588fa9fde85651cdc7f805d1f6"
127 | integrity sha512-zauLjrfCG+xvoyaqLoV8bLVXXNGC4JqlxFCutSDWA6fJrTo2ZuvLYTqZ7aHBLZSMOopbzwv8f+wZcVzfVTI2Dg==
128 |
129 | camelcase@^5.0.0:
130 | version "5.3.1"
131 | resolved "https://registry.yarnpkg.com/camelcase/-/camelcase-5.3.1.tgz#e3c9b31569e106811df242f715725a1f4c494320"
132 | integrity sha512-L28STB170nwWS63UjtlEOE3dldQApaJXZkOI1uMFfzf3rRuPegHaHesyee+YxQ+W6SvRDQV6UrdOdRiR153wJg==
133 |
134 | chalk@^2.4.2:
135 | version "2.4.2"
136 | resolved "https://registry.yarnpkg.com/chalk/-/chalk-2.4.2.tgz#cd42541677a54333cf541a49108c1432b44c9424"
137 | integrity sha512-Mti+f9lpJNcwF4tWV8/OrTTtF1gZi+f8FqlyAdouralcFWFQWF2+NgCHShjkCb+IFBLq9buZwE1xckQU4peSuQ==
138 | dependencies:
139 | ansi-styles "^3.2.1"
140 | escape-string-regexp "^1.0.5"
141 | supports-color "^5.3.0"
142 |
143 | chownr@^1.1.1:
144 | version "1.1.4"
145 | resolved "https://registry.yarnpkg.com/chownr/-/chownr-1.1.4.tgz#6fc9d7b42d32a583596337666e7d08084da2cc6b"
146 | integrity sha512-jJ0bqzaylmJtVnNgzTeSOs8DPavpbYgEr/b0YL8/2GO3xJEhInFmhKMUnEJQjZumK7KXGFhUy89PrsJWlakBVg==
147 |
148 | cliui@^5.0.0:
149 | version "5.0.0"
150 | resolved "https://registry.yarnpkg.com/cliui/-/cliui-5.0.0.tgz#deefcfdb2e800784aa34f46fa08e06851c7bbbc5"
151 | integrity sha512-PYeGSEmmHM6zvoef2w8TPzlrnNpXIjTipYK780YswmIP9vjxmd6Y2a3CB2Ks6/AU8NHjZugXvo8w3oWM2qnwXA==
152 | dependencies:
153 | string-width "^3.1.0"
154 | strip-ansi "^5.2.0"
155 | wrap-ansi "^5.1.0"
156 |
157 | code-point-at@^1.0.0:
158 | version "1.1.0"
159 | resolved "https://registry.yarnpkg.com/code-point-at/-/code-point-at-1.1.0.tgz#0d070b4d043a5bea33a2f1a40e2edb3d9a4ccf77"
160 | integrity sha1-DQcLTQQ6W+ozovGkDi7bPZpMz3c=
161 |
162 | color-convert@^1.9.0:
163 | version "1.9.3"
164 | resolved "https://registry.yarnpkg.com/color-convert/-/color-convert-1.9.3.tgz#bb71850690e1f136567de629d2d5471deda4c1e8"
165 | integrity sha512-QfAUtd+vFdAtFQcC8CCyYt1fYWxSqAiK2cSD6zDB8N3cpsEBAvRxp9zOGg6G/SHHJYAT88/az/IuDGALsNVbGg==
166 | dependencies:
167 | color-name "1.1.3"
168 |
169 | color-name@1.1.3:
170 | version "1.1.3"
171 | resolved "https://registry.yarnpkg.com/color-name/-/color-name-1.1.3.tgz#a7d0558bd89c42f795dd42328f740831ca53bc25"
172 | integrity sha1-p9BVi9icQveV3UIyj3QIMcpTvCU=
173 |
174 | concat-map@0.0.1:
175 | version "0.0.1"
176 | resolved "https://registry.yarnpkg.com/concat-map/-/concat-map-0.0.1.tgz#d8a96bd77fd68df7793a73036a3ba0d5405d477b"
177 | integrity sha1-2Klr13/Wjfd5OnMDajug1UBdR3s=
178 |
179 | concurrently@^5.1.0:
180 | version "5.1.0"
181 | resolved "https://registry.yarnpkg.com/concurrently/-/concurrently-5.1.0.tgz#05523986ba7aaf4b58a49ddd658fab88fa783132"
182 | integrity sha512-9ViZMu3OOCID3rBgU31mjBftro2chOop0G2u1olq1OuwRBVRw/GxHTg80TVJBUTJfoswMmEUeuOg1g1yu1X2dA==
183 | dependencies:
184 | chalk "^2.4.2"
185 | date-fns "^2.0.1"
186 | lodash "^4.17.15"
187 | read-pkg "^4.0.1"
188 | rxjs "^6.5.2"
189 | spawn-command "^0.0.2-1"
190 | supports-color "^6.1.0"
191 | tree-kill "^1.2.2"
192 | yargs "^13.3.0"
193 |
194 | console-control-strings@^1.0.0, console-control-strings@~1.1.0:
195 | version "1.1.0"
196 | resolved "https://registry.yarnpkg.com/console-control-strings/-/console-control-strings-1.1.0.tgz#3d7cf4464db6446ea644bf4b39507f9851008e8e"
197 | integrity sha1-PXz0Rk22RG6mRL9LOVB/mFEAjo4=
198 |
199 | content-disposition@0.5.3:
200 | version "0.5.3"
201 | resolved "https://registry.yarnpkg.com/content-disposition/-/content-disposition-0.5.3.tgz#e130caf7e7279087c5616c2007d0485698984fbd"
202 | integrity sha512-ExO0774ikEObIAEV9kDo50o+79VCUdEB6n6lzKgGwupcVeRlhrj3qGAfwq8G6uBJjkqLrhT0qEYFcWng8z1z0g==
203 | dependencies:
204 | safe-buffer "5.1.2"
205 |
206 | content-type@~1.0.4:
207 | version "1.0.4"
208 | resolved "https://registry.yarnpkg.com/content-type/-/content-type-1.0.4.tgz#e138cc75e040c727b1966fe5e5f8c9aee256fe3b"
209 | integrity sha512-hIP3EEPs8tB9AT1L+NUqtwOAps4mk2Zob89MWXMHjHWg9milF/j4osnnQLXBCBFBk/tvIG/tUc9mOUJiPBhPXA==
210 |
211 | cookie-signature@1.0.6:
212 | version "1.0.6"
213 | resolved "https://registry.yarnpkg.com/cookie-signature/-/cookie-signature-1.0.6.tgz#e303a882b342cc3ee8ca513a79999734dab3ae2c"
214 | integrity sha1-4wOogrNCzD7oylE6eZmXNNqzriw=
215 |
216 | cookie@0.4.0:
217 | version "0.4.0"
218 | resolved "https://registry.yarnpkg.com/cookie/-/cookie-0.4.0.tgz#beb437e7022b3b6d49019d088665303ebe9c14ba"
219 | integrity sha512-+Hp8fLp57wnUSt0tY0tHEXh4voZRDnoIrZPqlo3DPiI4y9lwg/jqx+1Om94/W6ZaPDOUbnjOt/99w66zk+l1Xg==
220 |
221 | core-util-is@~1.0.0:
222 | version "1.0.2"
223 | resolved "https://registry.yarnpkg.com/core-util-is/-/core-util-is-1.0.2.tgz#b5fd54220aa2bc5ab57aab7140c940754503c1a7"
224 | integrity sha1-tf1UIgqivFq1eqtxQMlAdUUDwac=
225 |
226 | date-fns@^2.0.1:
227 | version "2.9.0"
228 | resolved "https://registry.yarnpkg.com/date-fns/-/date-fns-2.9.0.tgz#d0b175a5c37ed5f17b97e2272bbc1fa5aec677d2"
229 | integrity sha512-khbFLu/MlzLjEzy9Gh8oY1hNt/Dvxw3J6Rbc28cVoYWQaC1S3YI4xwkF9ZWcjDLscbZlY9hISMr66RFzZagLsA==
230 |
231 | debug@2.6.9:
232 | version "2.6.9"
233 | resolved "https://registry.yarnpkg.com/debug/-/debug-2.6.9.tgz#5d128515df134ff327e90a4c93f4e077a536341f"
234 | integrity sha512-bC7ElrdJaJnPbAP+1EotYvqZsb3ecl5wi6Bfi6BJTUcNowp6cvspg0jXznRTKDjm/E7AdgFBVeAPVMNcKGsHMA==
235 | dependencies:
236 | ms "2.0.0"
237 |
238 | debug@^3.2.6:
239 | version "3.2.6"
240 | resolved "https://registry.yarnpkg.com/debug/-/debug-3.2.6.tgz#e83d17de16d8a7efb7717edbe5fb10135eee629b"
241 | integrity sha512-mel+jf7nrtEl5Pn1Qx46zARXKDpBbvzezse7p7LqINmdoIk8PYP5SySaxEmYv6TZ0JyEKA1hsCId6DIhgITtWQ==
242 | dependencies:
243 | ms "^2.1.1"
244 |
245 | decamelize@^1.2.0:
246 | version "1.2.0"
247 | resolved "https://registry.yarnpkg.com/decamelize/-/decamelize-1.2.0.tgz#f6534d15148269b20352e7bee26f501f9a191290"
248 | integrity sha1-9lNNFRSCabIDUue+4m9QH5oZEpA=
249 |
250 | deep-extend@^0.6.0:
251 | version "0.6.0"
252 | resolved "https://registry.yarnpkg.com/deep-extend/-/deep-extend-0.6.0.tgz#c4fa7c95404a17a9c3e8ca7e1537312b736330ac"
253 | integrity sha512-LOHxIOaPYdHlJRtCQfDIVZtfw/ufM8+rVj649RIHzcm/vGwQRXFt6OPqIFWsm2XEMrNIEtWR64sY1LEKD2vAOA==
254 |
255 | delegates@^1.0.0:
256 | version "1.0.0"
257 | resolved "https://registry.yarnpkg.com/delegates/-/delegates-1.0.0.tgz#84c6e159b81904fdca59a0ef44cd870d31250f9a"
258 | integrity sha1-hMbhWbgZBP3KWaDvRM2HDTElD5o=
259 |
260 | depd@~1.1.2:
261 | version "1.1.2"
262 | resolved "https://registry.yarnpkg.com/depd/-/depd-1.1.2.tgz#9bcd52e14c097763e749b274c4346ed2e560b5a9"
263 | integrity sha1-m81S4UwJd2PnSbJ0xDRu0uVgtak=
264 |
265 | destroy@~1.0.4:
266 | version "1.0.4"
267 | resolved "https://registry.yarnpkg.com/destroy/-/destroy-1.0.4.tgz#978857442c44749e4206613e37946205826abd80"
268 | integrity sha1-l4hXRCxEdJ5CBmE+N5RiBYJqvYA=
269 |
270 | detect-libc@^1.0.2:
271 | version "1.0.3"
272 | resolved "https://registry.yarnpkg.com/detect-libc/-/detect-libc-1.0.3.tgz#fa137c4bd698edf55cd5cd02ac559f91a4c4ba9b"
273 | integrity sha1-+hN8S9aY7fVc1c0CrFWfkaTEups=
274 |
275 | dotenv@^8.2.0:
276 | version "8.2.0"
277 | resolved "https://registry.yarnpkg.com/dotenv/-/dotenv-8.2.0.tgz#97e619259ada750eea3e4ea3e26bceea5424b16a"
278 | integrity sha512-8sJ78ElpbDJBHNeBzUbUVLsqKdccaa/BXF1uPTw3GrvQTBgrQrtObr2mUrE38vzYd8cEv+m/JBfDLioYcfXoaw==
279 |
280 | ee-first@1.1.1:
281 | version "1.1.1"
282 | resolved "https://registry.yarnpkg.com/ee-first/-/ee-first-1.1.1.tgz#590c61156b0ae2f4f0255732a158b266bc56b21d"
283 | integrity sha1-WQxhFWsK4vTwJVcyoViyZrxWsh0=
284 |
285 | emoji-regex@^7.0.1:
286 | version "7.0.3"
287 | resolved "https://registry.yarnpkg.com/emoji-regex/-/emoji-regex-7.0.3.tgz#933a04052860c85e83c122479c4748a8e4c72156"
288 | integrity sha512-CwBLREIQ7LvYFB0WyRvwhq5N5qPhc6PMjD6bYggFlI5YyDgl+0vxq5VHbMOFqLg7hfWzmu8T5Z1QofhmTIhItA==
289 |
290 | encodeurl@~1.0.2:
291 | version "1.0.2"
292 | resolved "https://registry.yarnpkg.com/encodeurl/-/encodeurl-1.0.2.tgz#ad3ff4c86ec2d029322f5a02c3a9a606c95b3f59"
293 | integrity sha1-rT/0yG7C0CkyL1oCw6mmBslbP1k=
294 |
295 | error-ex@^1.3.1:
296 | version "1.3.2"
297 | resolved "https://registry.yarnpkg.com/error-ex/-/error-ex-1.3.2.tgz#b4ac40648107fdcdcfae242f428bea8a14d4f1bf"
298 | integrity sha512-7dFHNmqeFSEt2ZBsCriorKnn3Z2pj+fd9kmI6QoWw4//DL+icEBfc0U7qJCisqrTsKTjw4fNFy2pW9OqStD84g==
299 | dependencies:
300 | is-arrayish "^0.2.1"
301 |
302 | escape-html@~1.0.3:
303 | version "1.0.3"
304 | resolved "https://registry.yarnpkg.com/escape-html/-/escape-html-1.0.3.tgz#0258eae4d3d0c0974de1c169188ef0051d1d1988"
305 | integrity sha1-Aljq5NPQwJdN4cFpGI7wBR0dGYg=
306 |
307 | escape-string-regexp@^1.0.5:
308 | version "1.0.5"
309 | resolved "https://registry.yarnpkg.com/escape-string-regexp/-/escape-string-regexp-1.0.5.tgz#1b61c0562190a8dff6ae3bb2cf0200ca130b86d4"
310 | integrity sha1-G2HAViGQqN/2rjuyzwIAyhMLhtQ=
311 |
312 | etag@~1.8.1:
313 | version "1.8.1"
314 | resolved "https://registry.yarnpkg.com/etag/-/etag-1.8.1.tgz#41ae2eeb65efa62268aebfea83ac7d79299b0887"
315 | integrity sha1-Qa4u62XvpiJorr/qg6x9eSmbCIc=
316 |
317 | events@1.1.1:
318 | version "1.1.1"
319 | resolved "https://registry.yarnpkg.com/events/-/events-1.1.1.tgz#9ebdb7635ad099c70dcc4c2a1f5004288e8bd924"
320 | integrity sha1-nr23Y1rQmccNzEwqH1AEKI6L2SQ=
321 |
322 | express-promise-router@^3.0.3:
323 | version "3.0.3"
324 | resolved "https://registry.yarnpkg.com/express-promise-router/-/express-promise-router-3.0.3.tgz#5e6d22a5a3f013d71833172fe8d7ab780c3f6b70"
325 | integrity sha1-Xm0ipaPwE9cYMxcv6NereAw/a3A=
326 | dependencies:
327 | is-promise "^2.1.0"
328 | lodash.flattendeep "^4.0.0"
329 | methods "^1.0.0"
330 |
331 | express@^4.17.1:
332 | version "4.17.1"
333 | resolved "https://registry.yarnpkg.com/express/-/express-4.17.1.tgz#4491fc38605cf51f8629d39c2b5d026f98a4c134"
334 | integrity sha512-mHJ9O79RqluphRrcw2X/GTh3k9tVv8YcoyY4Kkh4WDMUYKRZUq0h1o0w2rrrxBqM7VoeUVqgb27xlEMXTnYt4g==
335 | dependencies:
336 | accepts "~1.3.7"
337 | array-flatten "1.1.1"
338 | body-parser "1.19.0"
339 | content-disposition "0.5.3"
340 | content-type "~1.0.4"
341 | cookie "0.4.0"
342 | cookie-signature "1.0.6"
343 | debug "2.6.9"
344 | depd "~1.1.2"
345 | encodeurl "~1.0.2"
346 | escape-html "~1.0.3"
347 | etag "~1.8.1"
348 | finalhandler "~1.1.2"
349 | fresh "0.5.2"
350 | merge-descriptors "1.0.1"
351 | methods "~1.1.2"
352 | on-finished "~2.3.0"
353 | parseurl "~1.3.3"
354 | path-to-regexp "0.1.7"
355 | proxy-addr "~2.0.5"
356 | qs "6.7.0"
357 | range-parser "~1.2.1"
358 | safe-buffer "5.1.2"
359 | send "0.17.1"
360 | serve-static "1.14.1"
361 | setprototypeof "1.1.1"
362 | statuses "~1.5.0"
363 | type-is "~1.6.18"
364 | utils-merge "1.0.1"
365 | vary "~1.1.2"
366 |
367 | finalhandler@~1.1.2:
368 | version "1.1.2"
369 | resolved "https://registry.yarnpkg.com/finalhandler/-/finalhandler-1.1.2.tgz#b7e7d000ffd11938d0fdb053506f6ebabe9f587d"
370 | integrity sha512-aAWcW57uxVNrQZqFXjITpW3sIUQmHGG3qSb9mUah9MgMC4NeWhNOlNjXEYq3HjRAvL6arUviZGGJsBg6z0zsWA==
371 | dependencies:
372 | debug "2.6.9"
373 | encodeurl "~1.0.2"
374 | escape-html "~1.0.3"
375 | on-finished "~2.3.0"
376 | parseurl "~1.3.3"
377 | statuses "~1.5.0"
378 | unpipe "~1.0.0"
379 |
380 | find-up@^3.0.0:
381 | version "3.0.0"
382 | resolved "https://registry.yarnpkg.com/find-up/-/find-up-3.0.0.tgz#49169f1d7993430646da61ecc5ae355c21c97b73"
383 | integrity sha512-1yD6RmLI1XBfxugvORwlck6f75tYL+iR0jqwsOrOxMZyGYqUuDhJ0l4AXdO1iX/FTs9cBAMEk1gWSEx1kSbylg==
384 | dependencies:
385 | locate-path "^3.0.0"
386 |
387 | forwarded@~0.1.2:
388 | version "0.1.2"
389 | resolved "https://registry.yarnpkg.com/forwarded/-/forwarded-0.1.2.tgz#98c23dab1175657b8c0573e8ceccd91b0ff18c84"
390 | integrity sha1-mMI9qxF1ZXuMBXPozszZGw/xjIQ=
391 |
392 | fresh@0.5.2:
393 | version "0.5.2"
394 | resolved "https://registry.yarnpkg.com/fresh/-/fresh-0.5.2.tgz#3d8cadd90d976569fa835ab1f8e4b23a105605a7"
395 | integrity sha1-PYyt2Q2XZWn6g1qx+OSyOhBWBac=
396 |
397 | fs-minipass@^1.2.5:
398 | version "1.2.7"
399 | resolved "https://registry.yarnpkg.com/fs-minipass/-/fs-minipass-1.2.7.tgz#ccff8570841e7fe4265693da88936c55aed7f7c7"
400 | integrity sha512-GWSSJGFy4e9GUeCcbIkED+bgAoFyj7XF1mV8rma3QW4NIqX9Kyx79N/PF61H5udOV3aY1IaMLs6pGbH71nlCTA==
401 | dependencies:
402 | minipass "^2.6.0"
403 |
404 | fs.realpath@^1.0.0:
405 | version "1.0.0"
406 | resolved "https://registry.yarnpkg.com/fs.realpath/-/fs.realpath-1.0.0.tgz#1504ad2523158caa40db4a2787cb01411994ea4f"
407 | integrity sha1-FQStJSMVjKpA20onh8sBQRmU6k8=
408 |
409 | gauge@~2.7.3:
410 | version "2.7.4"
411 | resolved "https://registry.yarnpkg.com/gauge/-/gauge-2.7.4.tgz#2c03405c7538c39d7eb37b317022e325fb018bf7"
412 | integrity sha1-LANAXHU4w51+s3sxcCLjJfsBi/c=
413 | dependencies:
414 | aproba "^1.0.3"
415 | console-control-strings "^1.0.0"
416 | has-unicode "^2.0.0"
417 | object-assign "^4.1.0"
418 | signal-exit "^3.0.0"
419 | string-width "^1.0.1"
420 | strip-ansi "^3.0.1"
421 | wide-align "^1.1.0"
422 |
423 | get-caller-file@^2.0.1:
424 | version "2.0.5"
425 | resolved "https://registry.yarnpkg.com/get-caller-file/-/get-caller-file-2.0.5.tgz#4f94412a82db32f36e3b0b9741f8a97feb031f7e"
426 | integrity sha512-DyFP3BM/3YHTQOCUL/w0OZHR0lpKeGrxotcHWcqNEdnltqFwXVfhEBQ94eIo34AfQpo0rGki4cyIiftY06h2Fg==
427 |
428 | glob@^7.1.3:
429 | version "7.1.6"
430 | resolved "https://registry.yarnpkg.com/glob/-/glob-7.1.6.tgz#141f33b81a7c2492e125594307480c46679278a6"
431 | integrity sha512-LwaxwyZ72Lk7vZINtNNrywX0ZuLyStrdDtabefZKAY5ZGJhVtgdznluResxNmPitE0SAO+O26sWTHeKSI2wMBA==
432 | dependencies:
433 | fs.realpath "^1.0.0"
434 | inflight "^1.0.4"
435 | inherits "2"
436 | minimatch "^3.0.4"
437 | once "^1.3.0"
438 | path-is-absolute "^1.0.0"
439 |
440 | has-flag@^3.0.0:
441 | version "3.0.0"
442 | resolved "https://registry.yarnpkg.com/has-flag/-/has-flag-3.0.0.tgz#b5d454dc2199ae225699f3467e5a07f3b955bafd"
443 | integrity sha1-tdRU3CGZriJWmfNGfloH87lVuv0=
444 |
445 | has-unicode@^2.0.0:
446 | version "2.0.1"
447 | resolved "https://registry.yarnpkg.com/has-unicode/-/has-unicode-2.0.1.tgz#e0e6fe6a28cf51138855e086d1691e771de2a8b9"
448 | integrity sha1-4Ob+aijPUROIVeCG0Wkedx3iqLk=
449 |
450 | hosted-git-info@^2.1.4:
451 | version "2.8.5"
452 | resolved "https://registry.yarnpkg.com/hosted-git-info/-/hosted-git-info-2.8.5.tgz#759cfcf2c4d156ade59b0b2dfabddc42a6b9c70c"
453 | integrity sha512-kssjab8CvdXfcXMXVcvsXum4Hwdq9XGtRD3TteMEvEbq0LXyiNQr6AprqKqfeaDXze7SxWvRxdpwE6ku7ikLkg==
454 |
455 | http-errors@1.7.2:
456 | version "1.7.2"
457 | resolved "https://registry.yarnpkg.com/http-errors/-/http-errors-1.7.2.tgz#4f5029cf13239f31036e5b2e55292bcfbcc85c8f"
458 | integrity sha512-uUQBt3H/cSIVfch6i1EuPNy/YsRSOUBXTVfZ+yR7Zjez3qjBz6i9+i4zjNaoqcoFVI4lQJ5plg63TvGfRSDCRg==
459 | dependencies:
460 | depd "~1.1.2"
461 | inherits "2.0.3"
462 | setprototypeof "1.1.1"
463 | statuses ">= 1.5.0 < 2"
464 | toidentifier "1.0.0"
465 |
466 | http-errors@~1.7.2:
467 | version "1.7.3"
468 | resolved "https://registry.yarnpkg.com/http-errors/-/http-errors-1.7.3.tgz#6c619e4f9c60308c38519498c14fbb10aacebb06"
469 | integrity sha512-ZTTX0MWrsQ2ZAhA1cejAwDLycFsd7I7nVtnkT3Ol0aqodaKW+0CTZDQ1uBv5whptCnc8e8HeRRJxRs0kmm/Qfw==
470 | dependencies:
471 | depd "~1.1.2"
472 | inherits "2.0.4"
473 | setprototypeof "1.1.1"
474 | statuses ">= 1.5.0 < 2"
475 | toidentifier "1.0.0"
476 |
477 | iconv-lite@0.4.24, iconv-lite@^0.4.4:
478 | version "0.4.24"
479 | resolved "https://registry.yarnpkg.com/iconv-lite/-/iconv-lite-0.4.24.tgz#2022b4b25fbddc21d2f524974a474aafe733908b"
480 | integrity sha512-v3MXnZAcvnywkTUEZomIActle7RXXeedOR31wwl7VlyoXO4Qi9arvSenNQWne1TcRwhCL1HwLI21bEqdpj8/rA==
481 | dependencies:
482 | safer-buffer ">= 2.1.2 < 3"
483 |
484 | ieee754@1.1.13, ieee754@^1.1.4:
485 | version "1.1.13"
486 | resolved "https://registry.yarnpkg.com/ieee754/-/ieee754-1.1.13.tgz#ec168558e95aa181fd87d37f55c32bbcb6708b84"
487 | integrity sha512-4vf7I2LYV/HaWerSo3XmlMkp5eZ83i+/CDluXi/IGTs/O1sejBNhTtnxzmRZfvOUqj7lZjqHkeTvpgSFDlWZTg==
488 |
489 | ignore-walk@^3.0.1:
490 | version "3.0.3"
491 | resolved "https://registry.yarnpkg.com/ignore-walk/-/ignore-walk-3.0.3.tgz#017e2447184bfeade7c238e4aefdd1e8f95b1e37"
492 | integrity sha512-m7o6xuOaT1aqheYHKf8W6J5pYH85ZI9w077erOzLje3JsB1gkafkAhHHY19dqjulgIZHFm32Cp5uNZgcQqdJKw==
493 | dependencies:
494 | minimatch "^3.0.4"
495 |
496 | inflight@^1.0.4:
497 | version "1.0.6"
498 | resolved "https://registry.yarnpkg.com/inflight/-/inflight-1.0.6.tgz#49bd6331d7d02d0c09bc910a1075ba8165b56df9"
499 | integrity sha1-Sb1jMdfQLQwJvJEKEHW6gWW1bfk=
500 | dependencies:
501 | once "^1.3.0"
502 | wrappy "1"
503 |
504 | inherits@2, inherits@2.0.4, inherits@~2.0.3:
505 | version "2.0.4"
506 | resolved "https://registry.yarnpkg.com/inherits/-/inherits-2.0.4.tgz#0fa2c64f932917c3433a0ded55363aae37416b7c"
507 | integrity sha512-k/vGaX4/Yla3WzyMCvTQOXYeIHvqOKtnqBduzTHpzpQZzAskKMhZ2K+EnBiSM9zGSoIFeMpXKxa4dYeZIQqewQ==
508 |
509 | inherits@2.0.3:
510 | version "2.0.3"
511 | resolved "https://registry.yarnpkg.com/inherits/-/inherits-2.0.3.tgz#633c2c83e3da42a502f52466022480f4208261de"
512 | integrity sha1-Yzwsg+PaQqUC9SRmAiSA9CCCYd4=
513 |
514 | ini@~1.3.0:
515 | version "1.3.5"
516 | resolved "https://registry.yarnpkg.com/ini/-/ini-1.3.5.tgz#eee25f56db1c9ec6085e0c22778083f596abf927"
517 | integrity sha512-RZY5huIKCMRWDUqZlEi72f/lmXKMvuszcMBduliQ3nnWbx9X/ZBQO7DijMEYS9EhHBb2qacRUMtC7svLwe0lcw==
518 |
519 | ipaddr.js@1.9.0:
520 | version "1.9.0"
521 | resolved "https://registry.yarnpkg.com/ipaddr.js/-/ipaddr.js-1.9.0.tgz#37df74e430a0e47550fe54a2defe30d8acd95f65"
522 | integrity sha512-M4Sjn6N/+O6/IXSJseKqHoFc+5FdGJ22sXqnjTpdZweHK64MzEPAyQZyEU3R/KRv2GLoa7nNtg/C2Ev6m7z+eA==
523 |
524 | is-arrayish@^0.2.1:
525 | version "0.2.1"
526 | resolved "https://registry.yarnpkg.com/is-arrayish/-/is-arrayish-0.2.1.tgz#77c99840527aa8ecb1a8ba697b80645a7a926a9d"
527 | integrity sha1-d8mYQFJ6qOyxqLppe4BkWnqSap0=
528 |
529 | is-fullwidth-code-point@^1.0.0:
530 | version "1.0.0"
531 | resolved "https://registry.yarnpkg.com/is-fullwidth-code-point/-/is-fullwidth-code-point-1.0.0.tgz#ef9e31386f031a7f0d643af82fde50c457ef00cb"
532 | integrity sha1-754xOG8DGn8NZDr4L95QxFfvAMs=
533 | dependencies:
534 | number-is-nan "^1.0.0"
535 |
536 | is-fullwidth-code-point@^2.0.0:
537 | version "2.0.0"
538 | resolved "https://registry.yarnpkg.com/is-fullwidth-code-point/-/is-fullwidth-code-point-2.0.0.tgz#a3b30a5c4f199183167aaab93beefae3ddfb654f"
539 | integrity sha1-o7MKXE8ZkYMWeqq5O+764937ZU8=
540 |
541 | is-promise@^2.1.0:
542 | version "2.1.0"
543 | resolved "https://registry.yarnpkg.com/is-promise/-/is-promise-2.1.0.tgz#79a2a9ece7f096e80f36d2b2f3bc16c1ff4bf3fa"
544 | integrity sha1-eaKp7OfwlugPNtKy87wWwf9L8/o=
545 |
546 | isarray@^1.0.0, isarray@~1.0.0:
547 | version "1.0.0"
548 | resolved "https://registry.yarnpkg.com/isarray/-/isarray-1.0.0.tgz#bb935d48582cba168c06834957a54a3e07124f11"
549 | integrity sha1-u5NdSFgsuhaMBoNJV6VKPgcSTxE=
550 |
551 | jmespath@0.15.0:
552 | version "0.15.0"
553 | resolved "https://registry.yarnpkg.com/jmespath/-/jmespath-0.15.0.tgz#a3f222a9aae9f966f5d27c796510e28091764217"
554 | integrity sha1-o/Iiqarp+Wb10nx5ZRDigJF2Qhc=
555 |
556 | json-parse-better-errors@^1.0.1:
557 | version "1.0.2"
558 | resolved "https://registry.yarnpkg.com/json-parse-better-errors/-/json-parse-better-errors-1.0.2.tgz#bb867cfb3450e69107c131d1c514bab3dc8bcaa9"
559 | integrity sha512-mrqyZKfX5EhL7hvqcV6WG1yYjnjeuYDzDhhcAAUrq8Po85NBQBJP+ZDUT75qZQ98IkUoBqdkExkukOU7Ts2wrw==
560 |
561 | locate-path@^3.0.0:
562 | version "3.0.0"
563 | resolved "https://registry.yarnpkg.com/locate-path/-/locate-path-3.0.0.tgz#dbec3b3ab759758071b58fe59fc41871af21400e"
564 | integrity sha512-7AO748wWnIhNqAuaty2ZWHkQHRSNfPVIsPIfwEOWO22AmaoVrWavlOcMR5nzTLNYvp36X220/maaRsrec1G65A==
565 | dependencies:
566 | p-locate "^3.0.0"
567 | path-exists "^3.0.0"
568 |
569 | lodash.flattendeep@^4.0.0:
570 | version "4.4.0"
571 | resolved "https://registry.yarnpkg.com/lodash.flattendeep/-/lodash.flattendeep-4.4.0.tgz#fb030917f86a3134e5bc9bec0d69e0013ddfedb2"
572 | integrity sha1-+wMJF/hqMTTlvJvsDWngAT3f7bI=
573 |
574 | lodash@^4.17.15:
575 | version "4.17.15"
576 | resolved "https://registry.yarnpkg.com/lodash/-/lodash-4.17.15.tgz#b447f6670a0455bbfeedd11392eff330ea097548"
577 | integrity sha512-8xOcRHvCjnocdS5cpwXQXVzmmh5e5+saE2QGoeQmbKmRS6J3VQppPOIt0MnmE+4xlZoumy0GPG0D0MVIQbNA1A==
578 |
579 | media-typer@0.3.0:
580 | version "0.3.0"
581 | resolved "https://registry.yarnpkg.com/media-typer/-/media-typer-0.3.0.tgz#8710d7af0aa626f8fffa1ce00168545263255748"
582 | integrity sha1-hxDXrwqmJvj/+hzgAWhUUmMlV0g=
583 |
584 | merge-descriptors@1.0.1:
585 | version "1.0.1"
586 | resolved "https://registry.yarnpkg.com/merge-descriptors/-/merge-descriptors-1.0.1.tgz#b00aaa556dd8b44568150ec9d1b953f3f90cbb61"
587 | integrity sha1-sAqqVW3YtEVoFQ7J0blT8/kMu2E=
588 |
589 | methods@^1.0.0, methods@~1.1.2:
590 | version "1.1.2"
591 | resolved "https://registry.yarnpkg.com/methods/-/methods-1.1.2.tgz#5529a4d67654134edcc5266656835b0f851afcee"
592 | integrity sha1-VSmk1nZUE07cxSZmVoNbD4Ua/O4=
593 |
594 | mime-db@1.43.0:
595 | version "1.43.0"
596 | resolved "https://registry.yarnpkg.com/mime-db/-/mime-db-1.43.0.tgz#0a12e0502650e473d735535050e7c8f4eb4fae58"
597 | integrity sha512-+5dsGEEovYbT8UY9yD7eE4XTc4UwJ1jBYlgaQQF38ENsKR3wj/8q8RFZrF9WIZpB2V1ArTVFUva8sAul1NzRzQ==
598 |
599 | mime-types@~2.1.24:
600 | version "2.1.26"
601 | resolved "https://registry.yarnpkg.com/mime-types/-/mime-types-2.1.26.tgz#9c921fc09b7e149a65dfdc0da4d20997200b0a06"
602 | integrity sha512-01paPWYgLrkqAyrlDorC1uDwl2p3qZT7yl806vW7DvDoxwXi46jsjFbg+WdwotBIk6/MbEhO/dh5aZ5sNj/dWQ==
603 | dependencies:
604 | mime-db "1.43.0"
605 |
606 | mime@1.6.0:
607 | version "1.6.0"
608 | resolved "https://registry.yarnpkg.com/mime/-/mime-1.6.0.tgz#32cd9e5c64553bd58d19a568af452acff04981b1"
609 | integrity sha512-x0Vn8spI+wuJ1O6S7gnbaQg8Pxh4NNHb7KSINmEWKiPE4RKOplvijn+NkmYmmRgP68mc70j2EbeTFRsrswaQeg==
610 |
611 | minimatch@^3.0.4:
612 | version "3.0.4"
613 | resolved "https://registry.yarnpkg.com/minimatch/-/minimatch-3.0.4.tgz#5166e286457f03306064be5497e8dbb0c3d32083"
614 | integrity sha512-yJHVQEhyqPLUTgt9B83PXu6W3rx4MvvHvSUvToogpwoGDOUQ+yDrR0HRot+yOCdCO7u4hX3pWft6kWBBcqh0UA==
615 | dependencies:
616 | brace-expansion "^1.1.7"
617 |
618 | minimist@0.0.8:
619 | version "0.0.8"
620 | resolved "https://registry.yarnpkg.com/minimist/-/minimist-0.0.8.tgz#857fcabfc3397d2625b8228262e86aa7a011b05d"
621 | integrity sha1-hX/Kv8M5fSYluCKCYuhqp6ARsF0=
622 |
623 | minimist@^1.2.0:
624 | version "1.2.0"
625 | resolved "https://registry.yarnpkg.com/minimist/-/minimist-1.2.0.tgz#a35008b20f41383eec1fb914f4cd5df79a264284"
626 | integrity sha1-o1AIsg9BOD7sH7kU9M1d95omQoQ=
627 |
628 | minipass@^2.6.0, minipass@^2.8.6, minipass@^2.9.0:
629 | version "2.9.0"
630 | resolved "https://registry.yarnpkg.com/minipass/-/minipass-2.9.0.tgz#e713762e7d3e32fed803115cf93e04bca9fcc9a6"
631 | integrity sha512-wxfUjg9WebH+CUDX/CdbRlh5SmfZiy/hpkxaRI16Y9W56Pa75sWgd/rvFilSgrauD9NyFymP/+JFV3KwzIsJeg==
632 | dependencies:
633 | safe-buffer "^5.1.2"
634 | yallist "^3.0.0"
635 |
636 | minizlib@^1.2.1:
637 | version "1.3.3"
638 | resolved "https://registry.yarnpkg.com/minizlib/-/minizlib-1.3.3.tgz#2290de96818a34c29551c8a8d301216bd65a861d"
639 | integrity sha512-6ZYMOEnmVsdCeTJVE0W9ZD+pVnE8h9Hma/iOwwRDsdQoePpoX56/8B6z3P9VNwppJuBKNRuFDRNRqRWexT9G9Q==
640 | dependencies:
641 | minipass "^2.9.0"
642 |
643 | mkdirp@^0.5.0, mkdirp@^0.5.1:
644 | version "0.5.1"
645 | resolved "https://registry.yarnpkg.com/mkdirp/-/mkdirp-0.5.1.tgz#30057438eac6cf7f8c4767f38648d6697d75c903"
646 | integrity sha1-MAV0OOrGz3+MR2fzhkjWaX11yQM=
647 | dependencies:
648 | minimist "0.0.8"
649 |
650 | ms@2.0.0:
651 | version "2.0.0"
652 | resolved "https://registry.yarnpkg.com/ms/-/ms-2.0.0.tgz#5608aeadfc00be6c2901df5f9861788de0d597c8"
653 | integrity sha1-VgiurfwAvmwpAd9fmGF4jeDVl8g=
654 |
655 | ms@2.1.1:
656 | version "2.1.1"
657 | resolved "https://registry.yarnpkg.com/ms/-/ms-2.1.1.tgz#30a5864eb3ebb0a66f2ebe6d727af06a09d86e0a"
658 | integrity sha512-tgp+dl5cGk28utYktBsrFqA7HKgrhgPsg6Z/EfhWI4gl1Hwq8B/GmY/0oXZ6nF8hDVesS/FpnYaD/kOWhYQvyg==
659 |
660 | ms@^2.1.1:
661 | version "2.1.2"
662 | resolved "https://registry.yarnpkg.com/ms/-/ms-2.1.2.tgz#d09d1f357b443f493382a8eb3ccd183872ae6009"
663 | integrity sha512-sGkPx+VjMtmA6MX27oA4FBFELFCZZ4S4XqeGOXCv68tT+jb3vk/RyaKWP0PTKyWtmLSM0b+adUTEvbs1PEaH2w==
664 |
665 | nan@2.14.0:
666 | version "2.14.0"
667 | resolved "https://registry.yarnpkg.com/nan/-/nan-2.14.0.tgz#7818f722027b2459a86f0295d434d1fc2336c52c"
668 | integrity sha512-INOFj37C7k3AfaNTtX8RhsTw7qRy7eLET14cROi9+5HAVbbHuIWUHEauBv5qT4Av2tWasiTY1Jw6puUNqRJXQg==
669 |
670 | needle@^2.2.1:
671 | version "2.3.2"
672 | resolved "https://registry.yarnpkg.com/needle/-/needle-2.3.2.tgz#3342dea100b7160960a450dc8c22160ac712a528"
673 | integrity sha512-DUzITvPVDUy6vczKKYTnWc/pBZ0EnjMJnQ3y+Jo5zfKFimJs7S3HFCxCRZYB9FUZcrzUQr3WsmvZgddMEIZv6w==
674 | dependencies:
675 | debug "^3.2.6"
676 | iconv-lite "^0.4.4"
677 | sax "^1.2.4"
678 |
679 | negotiator@0.6.2:
680 | version "0.6.2"
681 | resolved "https://registry.yarnpkg.com/negotiator/-/negotiator-0.6.2.tgz#feacf7ccf525a77ae9634436a64883ffeca346fb"
682 | integrity sha512-hZXc7K2e+PgeI1eDBe/10Ard4ekbfrrqG8Ep+8Jmf4JID2bNg7NvCPOZN+kfF574pFQI7mum2AUqDidoKqcTOw==
683 |
684 | node-pre-gyp@0.14.0:
685 | version "0.14.0"
686 | resolved "https://registry.yarnpkg.com/node-pre-gyp/-/node-pre-gyp-0.14.0.tgz#9a0596533b877289bcad4e143982ca3d904ddc83"
687 | integrity sha512-+CvDC7ZttU/sSt9rFjix/P05iS43qHCOOGzcr3Ry99bXG7VX953+vFyEuph/tfqoYu8dttBkE86JSKBO2OzcxA==
688 | dependencies:
689 | detect-libc "^1.0.2"
690 | mkdirp "^0.5.1"
691 | needle "^2.2.1"
692 | nopt "^4.0.1"
693 | npm-packlist "^1.1.6"
694 | npmlog "^4.0.2"
695 | rc "^1.2.7"
696 | rimraf "^2.6.1"
697 | semver "^5.3.0"
698 | tar "^4.4.2"
699 |
700 | nopt@^4.0.1:
701 | version "4.0.1"
702 | resolved "https://registry.yarnpkg.com/nopt/-/nopt-4.0.1.tgz#d0d4685afd5415193c8c7505602d0d17cd64474d"
703 | integrity sha1-0NRoWv1UFRk8jHUFYC0NF81kR00=
704 | dependencies:
705 | abbrev "1"
706 | osenv "^0.1.4"
707 |
708 | normalize-package-data@^2.3.2:
709 | version "2.5.0"
710 | resolved "https://registry.yarnpkg.com/normalize-package-data/-/normalize-package-data-2.5.0.tgz#e66db1838b200c1dfc233225d12cb36520e234a8"
711 | integrity sha512-/5CMN3T0R4XTj4DcGaexo+roZSdSFW/0AOOTROrjxzCG1wrWXEsGbRKevjlIL+ZDE4sZlJr5ED4YW0yqmkK+eA==
712 | dependencies:
713 | hosted-git-info "^2.1.4"
714 | resolve "^1.10.0"
715 | semver "2 || 3 || 4 || 5"
716 | validate-npm-package-license "^3.0.1"
717 |
718 | npm-bundled@^1.0.1:
719 | version "1.1.1"
720 | resolved "https://registry.yarnpkg.com/npm-bundled/-/npm-bundled-1.1.1.tgz#1edd570865a94cdb1bc8220775e29466c9fb234b"
721 | integrity sha512-gqkfgGePhTpAEgUsGEgcq1rqPXA+tv/aVBlgEzfXwA1yiUJF7xtEt3CtVwOjNYQOVknDk0F20w58Fnm3EtG0fA==
722 | dependencies:
723 | npm-normalize-package-bin "^1.0.1"
724 |
725 | npm-normalize-package-bin@^1.0.1:
726 | version "1.0.1"
727 | resolved "https://registry.yarnpkg.com/npm-normalize-package-bin/-/npm-normalize-package-bin-1.0.1.tgz#6e79a41f23fd235c0623218228da7d9c23b8f6e2"
728 | integrity sha512-EPfafl6JL5/rU+ot6P3gRSCpPDW5VmIzX959Ob1+ySFUuuYHWHekXpwdUZcKP5C+DS4GEtdJluwBjnsNDl+fSA==
729 |
730 | npm-packlist@^1.1.6:
731 | version "1.4.8"
732 | resolved "https://registry.yarnpkg.com/npm-packlist/-/npm-packlist-1.4.8.tgz#56ee6cc135b9f98ad3d51c1c95da22bbb9b2ef3e"
733 | integrity sha512-5+AZgwru5IevF5ZdnFglB5wNlHG1AOOuw28WhUq8/8emhBmLv6jX5by4WJCh7lW0uSYZYS6DXqIsyZVIXRZU9A==
734 | dependencies:
735 | ignore-walk "^3.0.1"
736 | npm-bundled "^1.0.1"
737 | npm-normalize-package-bin "^1.0.1"
738 |
739 | npmlog@^4.0.2:
740 | version "4.1.2"
741 | resolved "https://registry.yarnpkg.com/npmlog/-/npmlog-4.1.2.tgz#08a7f2a8bf734604779a9efa4ad5cc717abb954b"
742 | integrity sha512-2uUqazuKlTaSI/dC8AzicUck7+IrEaOnN/e0jd3Xtt1KcGpwx30v50mL7oPyr/h9bL3E4aZccVwpwP+5W9Vjkg==
743 | dependencies:
744 | are-we-there-yet "~1.1.2"
745 | console-control-strings "~1.1.0"
746 | gauge "~2.7.3"
747 | set-blocking "~2.0.0"
748 |
749 | number-is-nan@^1.0.0:
750 | version "1.0.1"
751 | resolved "https://registry.yarnpkg.com/number-is-nan/-/number-is-nan-1.0.1.tgz#097b602b53422a522c1afb8790318336941a011d"
752 | integrity sha1-CXtgK1NCKlIsGvuHkDGDNpQaAR0=
753 |
754 | object-assign@^4.1.0:
755 | version "4.1.1"
756 | resolved "https://registry.yarnpkg.com/object-assign/-/object-assign-4.1.1.tgz#2109adc7965887cfc05cbbd442cac8bfbb360863"
757 | integrity sha1-IQmtx5ZYh8/AXLvUQsrIv7s2CGM=
758 |
759 | on-finished@~2.3.0:
760 | version "2.3.0"
761 | resolved "https://registry.yarnpkg.com/on-finished/-/on-finished-2.3.0.tgz#20f1336481b083cd75337992a16971aa2d906947"
762 | integrity sha1-IPEzZIGwg811M3mSoWlxqi2QaUc=
763 | dependencies:
764 | ee-first "1.1.1"
765 |
766 | once@^1.3.0:
767 | version "1.4.0"
768 | resolved "https://registry.yarnpkg.com/once/-/once-1.4.0.tgz#583b1aa775961d4b113ac17d9c50baef9dd76bd1"
769 | integrity sha1-WDsap3WWHUsROsF9nFC6753Xa9E=
770 | dependencies:
771 | wrappy "1"
772 |
773 | os-homedir@^1.0.0:
774 | version "1.0.2"
775 | resolved "https://registry.yarnpkg.com/os-homedir/-/os-homedir-1.0.2.tgz#ffbc4988336e0e833de0c168c7ef152121aa7fb3"
776 | integrity sha1-/7xJiDNuDoM94MFox+8VISGqf7M=
777 |
778 | os-tmpdir@^1.0.0:
779 | version "1.0.2"
780 | resolved "https://registry.yarnpkg.com/os-tmpdir/-/os-tmpdir-1.0.2.tgz#bbe67406c79aa85c5cfec766fe5734555dfa1274"
781 | integrity sha1-u+Z0BseaqFxc/sdm/lc0VV36EnQ=
782 |
783 | osenv@^0.1.4:
784 | version "0.1.5"
785 | resolved "https://registry.yarnpkg.com/osenv/-/osenv-0.1.5.tgz#85cdfafaeb28e8677f416e287592b5f3f49ea410"
786 | integrity sha512-0CWcCECdMVc2Rw3U5w9ZjqX6ga6ubk1xDVKxtBQPK7wis/0F2r9T6k4ydGYhecl7YUBxBVxhL5oisPsNxAPe2g==
787 | dependencies:
788 | os-homedir "^1.0.0"
789 | os-tmpdir "^1.0.0"
790 |
791 | p-limit@^2.0.0:
792 | version "2.2.2"
793 | resolved "https://registry.yarnpkg.com/p-limit/-/p-limit-2.2.2.tgz#61279b67721f5287aa1c13a9a7fbbc48c9291b1e"
794 | integrity sha512-WGR+xHecKTr7EbUEhyLSh5Dube9JtdiG78ufaeLxTgpudf/20KqyMioIUZJAezlTIi6evxuoUs9YXc11cU+yzQ==
795 | dependencies:
796 | p-try "^2.0.0"
797 |
798 | p-locate@^3.0.0:
799 | version "3.0.0"
800 | resolved "https://registry.yarnpkg.com/p-locate/-/p-locate-3.0.0.tgz#322d69a05c0264b25997d9f40cd8a891ab0064a4"
801 | integrity sha512-x+12w/To+4GFfgJhBEpiDcLozRJGegY+Ei7/z0tSLkMmxGZNybVMSfWj9aJn8Z5Fc7dBUNJOOVgPv2H7IwulSQ==
802 | dependencies:
803 | p-limit "^2.0.0"
804 |
805 | p-try@^2.0.0:
806 | version "2.2.0"
807 | resolved "https://registry.yarnpkg.com/p-try/-/p-try-2.2.0.tgz#cb2868540e313d61de58fafbe35ce9004d5540e6"
808 | integrity sha512-R4nPAVTAU0B9D35/Gk3uJf/7XYbQcyohSKdvAxIRSNghFl4e71hVoGnBNQz9cWaXxO2I10KTC+3jMdvvoKw6dQ==
809 |
810 | parse-json@^4.0.0:
811 | version "4.0.0"
812 | resolved "https://registry.yarnpkg.com/parse-json/-/parse-json-4.0.0.tgz#be35f5425be1f7f6c747184f98a788cb99477ee0"
813 | integrity sha1-vjX1Qlvh9/bHRxhPmKeIy5lHfuA=
814 | dependencies:
815 | error-ex "^1.3.1"
816 | json-parse-better-errors "^1.0.1"
817 |
818 | parseurl@~1.3.3:
819 | version "1.3.3"
820 | resolved "https://registry.yarnpkg.com/parseurl/-/parseurl-1.3.3.tgz#9da19e7bee8d12dff0513ed5b76957793bc2e8d4"
821 | integrity sha512-CiyeOxFT/JZyN5m0z9PfXw4SCBJ6Sygz1Dpl0wqjlhDEGGBP1GnsUVEL0p63hoG1fcj3fHynXi9NYO4nWOL+qQ==
822 |
823 | path-exists@^3.0.0:
824 | version "3.0.0"
825 | resolved "https://registry.yarnpkg.com/path-exists/-/path-exists-3.0.0.tgz#ce0ebeaa5f78cb18925ea7d810d7b59b010fd515"
826 | integrity sha1-zg6+ql94yxiSXqfYENe1mwEP1RU=
827 |
828 | path-is-absolute@^1.0.0:
829 | version "1.0.1"
830 | resolved "https://registry.yarnpkg.com/path-is-absolute/-/path-is-absolute-1.0.1.tgz#174b9268735534ffbc7ace6bf53a5a9e1b5c5f5f"
831 | integrity sha1-F0uSaHNVNP+8es5r9TpanhtcX18=
832 |
833 | path-parse@^1.0.6:
834 | version "1.0.6"
835 | resolved "https://registry.yarnpkg.com/path-parse/-/path-parse-1.0.6.tgz#d62dbb5679405d72c4737ec58600e9ddcf06d24c"
836 | integrity sha512-GSmOT2EbHrINBf9SR7CDELwlJ8AENk3Qn7OikK4nFYAu3Ote2+JYNVvkpAEQm3/TLNEJFD/xZJjzyxg3KBWOzw==
837 |
838 | path-to-regexp@0.1.7:
839 | version "0.1.7"
840 | resolved "https://registry.yarnpkg.com/path-to-regexp/-/path-to-regexp-0.1.7.tgz#df604178005f522f15eb4490e7247a1bfaa67f8c"
841 | integrity sha1-32BBeABfUi8V60SQ5yR6G/qmf4w=
842 |
843 | pify@^3.0.0:
844 | version "3.0.0"
845 | resolved "https://registry.yarnpkg.com/pify/-/pify-3.0.0.tgz#e5a4acd2c101fdf3d9a4d07f0dbc4db49dd28176"
846 | integrity sha1-5aSs0sEB/fPZpNB/DbxNtJ3SgXY=
847 |
848 | process-nextick-args@~2.0.0:
849 | version "2.0.1"
850 | resolved "https://registry.yarnpkg.com/process-nextick-args/-/process-nextick-args-2.0.1.tgz#7820d9b16120cc55ca9ae7792680ae7dba6d7fe2"
851 | integrity sha512-3ouUOpQhtgrbOa17J7+uxOTpITYWaGP7/AhoR3+A+/1e9skrzelGi/dXzEYyvbxubEF6Wn2ypscTKiKJFFn1ag==
852 |
853 | proxy-addr@~2.0.5:
854 | version "2.0.5"
855 | resolved "https://registry.yarnpkg.com/proxy-addr/-/proxy-addr-2.0.5.tgz#34cbd64a2d81f4b1fd21e76f9f06c8a45299ee34"
856 | integrity sha512-t/7RxHXPH6cJtP0pRG6smSr9QJidhB+3kXu0KgXnbGYMgzEnUxRQ4/LDdfOwZEMyIh3/xHb8PX3t+lfL9z+YVQ==
857 | dependencies:
858 | forwarded "~0.1.2"
859 | ipaddr.js "1.9.0"
860 |
861 | punycode@1.3.2:
862 | version "1.3.2"
863 | resolved "https://registry.yarnpkg.com/punycode/-/punycode-1.3.2.tgz#9653a036fb7c1ee42342f2325cceefea3926c48d"
864 | integrity sha1-llOgNvt8HuQjQvIyXM7v6jkmxI0=
865 |
866 | qs@6.7.0:
867 | version "6.7.0"
868 | resolved "https://registry.yarnpkg.com/qs/-/qs-6.7.0.tgz#41dc1a015e3d581f1621776be31afb2876a9b1bc"
869 | integrity sha512-VCdBRNFTX1fyE7Nb6FYoURo/SPe62QCaAyzJvUjwRaIsc+NePBEniHlvxFmmX56+HZphIGtV0XeCirBtpDrTyQ==
870 |
871 | querystring@0.2.0:
872 | version "0.2.0"
873 | resolved "https://registry.yarnpkg.com/querystring/-/querystring-0.2.0.tgz#b209849203bb25df820da756e747005878521620"
874 | integrity sha1-sgmEkgO7Jd+CDadW50cAWHhSFiA=
875 |
876 | range-parser@~1.2.1:
877 | version "1.2.1"
878 | resolved "https://registry.yarnpkg.com/range-parser/-/range-parser-1.2.1.tgz#3cf37023d199e1c24d1a55b84800c2f3e6468031"
879 | integrity sha512-Hrgsx+orqoygnmhFbKaHE6c296J+HTAQXoxEF6gNupROmmGJRoyzfG3ccAveqCBrwr/2yxQ5BVd/GTl5agOwSg==
880 |
881 | raw-body@2.4.0:
882 | version "2.4.0"
883 | resolved "https://registry.yarnpkg.com/raw-body/-/raw-body-2.4.0.tgz#a1ce6fb9c9bc356ca52e89256ab59059e13d0332"
884 | integrity sha512-4Oz8DUIwdvoa5qMJelxipzi/iJIi40O5cGV1wNYp5hvZP8ZN0T+jiNkL0QepXs+EsQ9XJ8ipEDoiH70ySUJP3Q==
885 | dependencies:
886 | bytes "3.1.0"
887 | http-errors "1.7.2"
888 | iconv-lite "0.4.24"
889 | unpipe "1.0.0"
890 |
891 | rc@^1.2.7:
892 | version "1.2.8"
893 | resolved "https://registry.yarnpkg.com/rc/-/rc-1.2.8.tgz#cd924bf5200a075b83c188cd6b9e211b7fc0d3ed"
894 | integrity sha512-y3bGgqKj3QBdxLbLkomlohkvsA8gdAiUQlSBJnBhfn+BPxg4bc62d8TcBW15wavDfgexCgccckhcZvywyQYPOw==
895 | dependencies:
896 | deep-extend "^0.6.0"
897 | ini "~1.3.0"
898 | minimist "^1.2.0"
899 | strip-json-comments "~2.0.1"
900 |
901 | read-pkg@^4.0.1:
902 | version "4.0.1"
903 | resolved "https://registry.yarnpkg.com/read-pkg/-/read-pkg-4.0.1.tgz#963625378f3e1c4d48c85872b5a6ec7d5d093237"
904 | integrity sha1-ljYlN48+HE1IyFhytabsfV0JMjc=
905 | dependencies:
906 | normalize-package-data "^2.3.2"
907 | parse-json "^4.0.0"
908 | pify "^3.0.0"
909 |
910 | readable-stream@^2.0.6:
911 | version "2.3.7"
912 | resolved "https://registry.yarnpkg.com/readable-stream/-/readable-stream-2.3.7.tgz#1eca1cf711aef814c04f62252a36a62f6cb23b57"
913 | integrity sha512-Ebho8K4jIbHAxnuxi7o42OrZgF/ZTNcsZj6nRKyUmkhLFq8CHItp/fy6hQZuZmP/n3yZ9VBUbp4zz/mX8hmYPw==
914 | dependencies:
915 | core-util-is "~1.0.0"
916 | inherits "~2.0.3"
917 | isarray "~1.0.0"
918 | process-nextick-args "~2.0.0"
919 | safe-buffer "~5.1.1"
920 | string_decoder "~1.1.1"
921 | util-deprecate "~1.0.1"
922 |
923 | require-directory@^2.1.1:
924 | version "2.1.1"
925 | resolved "https://registry.yarnpkg.com/require-directory/-/require-directory-2.1.1.tgz#8c64ad5fd30dab1c976e2344ffe7f792a6a6df42"
926 | integrity sha1-jGStX9MNqxyXbiNE/+f3kqam30I=
927 |
928 | require-main-filename@^2.0.0:
929 | version "2.0.0"
930 | resolved "https://registry.yarnpkg.com/require-main-filename/-/require-main-filename-2.0.0.tgz#d0b329ecc7cc0f61649f62215be69af54aa8989b"
931 | integrity sha512-NKN5kMDylKuldxYLSUfrbo5Tuzh4hd+2E8NPPX02mZtn1VuREQToYe/ZdlJy+J3uCpfaiGF05e7B8W0iXbQHmg==
932 |
933 | resolve@^1.10.0:
934 | version "1.15.1"
935 | resolved "https://registry.yarnpkg.com/resolve/-/resolve-1.15.1.tgz#27bdcdeffeaf2d6244b95bb0f9f4b4653451f3e8"
936 | integrity sha512-84oo6ZTtoTUpjgNEr5SJyzQhzL72gaRodsSfyxC/AXRvwu0Yse9H8eF9IpGo7b8YetZhlI6v7ZQ6bKBFV/6S7w==
937 | dependencies:
938 | path-parse "^1.0.6"
939 |
940 | rimraf@^2.6.1:
941 | version "2.7.1"
942 | resolved "https://registry.yarnpkg.com/rimraf/-/rimraf-2.7.1.tgz#35797f13a7fdadc566142c29d4f07ccad483e3ec"
943 | integrity sha512-uWjbaKIK3T1OSVptzX7Nl6PvQ3qAGtKEtVRjRuazjfL3Bx5eI409VZSqgND+4UNnmzLVdPj9FqFJNPqBZFve4w==
944 | dependencies:
945 | glob "^7.1.3"
946 |
947 | rxjs@^6.5.2:
948 | version "6.5.4"
949 | resolved "https://registry.yarnpkg.com/rxjs/-/rxjs-6.5.4.tgz#e0777fe0d184cec7872df147f303572d414e211c"
950 | integrity sha512-naMQXcgEo3csAEGvw/NydRA0fuS2nDZJiw1YUWFKU7aPPAPGZEsD4Iimit96qwCieH6y614MCLYwdkrWx7z/7Q==
951 | dependencies:
952 | tslib "^1.9.0"
953 |
954 | safe-buffer@5.1.2, safe-buffer@~5.1.0, safe-buffer@~5.1.1:
955 | version "5.1.2"
956 | resolved "https://registry.yarnpkg.com/safe-buffer/-/safe-buffer-5.1.2.tgz#991ec69d296e0313747d59bdfd2b745c35f8828d"
957 | integrity sha512-Gd2UZBJDkXlY7GbJxfsE8/nvKkUEU1G38c1siN6QP6a9PT9MmHB8GnpscSmMJSoF8LOIrt8ud/wPtojys4G6+g==
958 |
959 | safe-buffer@^5.1.2:
960 | version "5.2.0"
961 | resolved "https://registry.yarnpkg.com/safe-buffer/-/safe-buffer-5.2.0.tgz#b74daec49b1148f88c64b68d49b1e815c1f2f519"
962 | integrity sha512-fZEwUGbVl7kouZs1jCdMLdt95hdIv0ZeHg6L7qPeciMZhZ+/gdesW4wgTARkrFWEpspjEATAzUGPG8N2jJiwbg==
963 |
964 | "safer-buffer@>= 2.1.2 < 3":
965 | version "2.1.2"
966 | resolved "https://registry.yarnpkg.com/safer-buffer/-/safer-buffer-2.1.2.tgz#44fa161b0187b9549dd84bb91802f9bd8385cd6a"
967 | integrity sha512-YZo3K82SD7Riyi0E1EQPojLz7kpepnSQI9IyPbHHg1XXXevb5dJI7tpyN2ADxGcQbHG7vcyRHk0cbwqcQriUtg==
968 |
969 | sax@1.2.1:
970 | version "1.2.1"
971 | resolved "https://registry.yarnpkg.com/sax/-/sax-1.2.1.tgz#7b8e656190b228e81a66aea748480d828cd2d37a"
972 | integrity sha1-e45lYZCyKOgaZq6nSEgNgozS03o=
973 |
974 | sax@>=0.6.0, sax@^1.2.4:
975 | version "1.2.4"
976 | resolved "https://registry.yarnpkg.com/sax/-/sax-1.2.4.tgz#2816234e2378bddc4e5354fab5caa895df7100d9"
977 | integrity sha512-NqVDv9TpANUjFm0N8uM5GxL36UgKi9/atZw+x7YFnQ8ckwFGKrl4xX4yWtrey3UJm5nP1kUbnYgLopqWNSRhWw==
978 |
979 | "semver@2 || 3 || 4 || 5", semver@^5.3.0:
980 | version "5.7.1"
981 | resolved "https://registry.yarnpkg.com/semver/-/semver-5.7.1.tgz#a954f931aeba508d307bbf069eff0c01c96116f7"
982 | integrity sha512-sauaDf/PZdVgrLTNYHRtpXa1iRiKcaebiKQ1BJdpQlWH2lCvexQdX55snPFyK7QzpudqbCI0qXFfOasHdyNDGQ==
983 |
984 | send@0.17.1:
985 | version "0.17.1"
986 | resolved "https://registry.yarnpkg.com/send/-/send-0.17.1.tgz#c1d8b059f7900f7466dd4938bdc44e11ddb376c8"
987 | integrity sha512-BsVKsiGcQMFwT8UxypobUKyv7irCNRHk1T0G680vk88yf6LBByGcZJOTJCrTP2xVN6yI+XjPJcNuE3V4fT9sAg==
988 | dependencies:
989 | debug "2.6.9"
990 | depd "~1.1.2"
991 | destroy "~1.0.4"
992 | encodeurl "~1.0.2"
993 | escape-html "~1.0.3"
994 | etag "~1.8.1"
995 | fresh "0.5.2"
996 | http-errors "~1.7.2"
997 | mime "1.6.0"
998 | ms "2.1.1"
999 | on-finished "~2.3.0"
1000 | range-parser "~1.2.1"
1001 | statuses "~1.5.0"
1002 |
1003 | serve-static@1.14.1:
1004 | version "1.14.1"
1005 | resolved "https://registry.yarnpkg.com/serve-static/-/serve-static-1.14.1.tgz#666e636dc4f010f7ef29970a88a674320898b2f9"
1006 | integrity sha512-JMrvUwE54emCYWlTI+hGrGv5I8dEwmco/00EvkzIIsR7MqrHonbD9pO2MOfFnpFntl7ecpZs+3mW+XbQZu9QCg==
1007 | dependencies:
1008 | encodeurl "~1.0.2"
1009 | escape-html "~1.0.3"
1010 | parseurl "~1.3.3"
1011 | send "0.17.1"
1012 |
1013 | set-blocking@^2.0.0, set-blocking@~2.0.0:
1014 | version "2.0.0"
1015 | resolved "https://registry.yarnpkg.com/set-blocking/-/set-blocking-2.0.0.tgz#045f9782d011ae9a6803ddd382b24392b3d890f7"
1016 | integrity sha1-BF+XgtARrppoA93TgrJDkrPYkPc=
1017 |
1018 | setprototypeof@1.1.1:
1019 | version "1.1.1"
1020 | resolved "https://registry.yarnpkg.com/setprototypeof/-/setprototypeof-1.1.1.tgz#7e95acb24aa92f5885e0abef5ba131330d4ae683"
1021 | integrity sha512-JvdAWfbXeIGaZ9cILp38HntZSFSo3mWg6xGcJJsd+d4aRMOqauag1C63dJfDw7OaMYwEbHMOxEZ1lqVRYP2OAw==
1022 |
1023 | signal-exit@^3.0.0:
1024 | version "3.0.2"
1025 | resolved "https://registry.yarnpkg.com/signal-exit/-/signal-exit-3.0.2.tgz#b5fdc08f1287ea1178628e415e25132b73646c6d"
1026 | integrity sha1-tf3AjxKH6hF4Yo5BXiUTK3NkbG0=
1027 |
1028 | spawn-command@^0.0.2-1:
1029 | version "0.0.2-1"
1030 | resolved "https://registry.yarnpkg.com/spawn-command/-/spawn-command-0.0.2-1.tgz#62f5e9466981c1b796dc5929937e11c9c6921bd0"
1031 | integrity sha1-YvXpRmmBwbeW3Fkpk34RycaSG9A=
1032 |
1033 | spdx-correct@^3.0.0:
1034 | version "3.1.0"
1035 | resolved "https://registry.yarnpkg.com/spdx-correct/-/spdx-correct-3.1.0.tgz#fb83e504445268f154b074e218c87c003cd31df4"
1036 | integrity sha512-lr2EZCctC2BNR7j7WzJ2FpDznxky1sjfxvvYEyzxNyb6lZXHODmEoJeFu4JupYlkfha1KZpJyoqiJ7pgA1qq8Q==
1037 | dependencies:
1038 | spdx-expression-parse "^3.0.0"
1039 | spdx-license-ids "^3.0.0"
1040 |
1041 | spdx-exceptions@^2.1.0:
1042 | version "2.2.0"
1043 | resolved "https://registry.yarnpkg.com/spdx-exceptions/-/spdx-exceptions-2.2.0.tgz#2ea450aee74f2a89bfb94519c07fcd6f41322977"
1044 | integrity sha512-2XQACfElKi9SlVb1CYadKDXvoajPgBVPn/gOQLrTvHdElaVhr7ZEbqJaRnJLVNeaI4cMEAgVCeBMKF6MWRDCRA==
1045 |
1046 | spdx-expression-parse@^3.0.0:
1047 | version "3.0.0"
1048 | resolved "https://registry.yarnpkg.com/spdx-expression-parse/-/spdx-expression-parse-3.0.0.tgz#99e119b7a5da00e05491c9fa338b7904823b41d0"
1049 | integrity sha512-Yg6D3XpRD4kkOmTpdgbUiEJFKghJH03fiC1OPll5h/0sO6neh2jqRDVHOQ4o/LMea0tgCkbMgea5ip/e+MkWyg==
1050 | dependencies:
1051 | spdx-exceptions "^2.1.0"
1052 | spdx-license-ids "^3.0.0"
1053 |
1054 | spdx-license-ids@^3.0.0:
1055 | version "3.0.5"
1056 | resolved "https://registry.yarnpkg.com/spdx-license-ids/-/spdx-license-ids-3.0.5.tgz#3694b5804567a458d3c8045842a6358632f62654"
1057 | integrity sha512-J+FWzZoynJEXGphVIS+XEh3kFSjZX/1i9gFBaWQcB+/tmpe2qUsSBABpcxqxnAxFdiUFEgAX1bjYGQvIZmoz9Q==
1058 |
1059 | "statuses@>= 1.5.0 < 2", statuses@~1.5.0:
1060 | version "1.5.0"
1061 | resolved "https://registry.yarnpkg.com/statuses/-/statuses-1.5.0.tgz#161c7dac177659fd9811f43771fa99381478628c"
1062 | integrity sha1-Fhx9rBd2Wf2YEfQ3cfqZOBR4Yow=
1063 |
1064 | string-width@^1.0.1:
1065 | version "1.0.2"
1066 | resolved "https://registry.yarnpkg.com/string-width/-/string-width-1.0.2.tgz#118bdf5b8cdc51a2a7e70d211e07e2b0b9b107d3"
1067 | integrity sha1-EYvfW4zcUaKn5w0hHgfisLmxB9M=
1068 | dependencies:
1069 | code-point-at "^1.0.0"
1070 | is-fullwidth-code-point "^1.0.0"
1071 | strip-ansi "^3.0.0"
1072 |
1073 | "string-width@^1.0.2 || 2":
1074 | version "2.1.1"
1075 | resolved "https://registry.yarnpkg.com/string-width/-/string-width-2.1.1.tgz#ab93f27a8dc13d28cac815c462143a6d9012ae9e"
1076 | integrity sha512-nOqH59deCq9SRHlxq1Aw85Jnt4w6KvLKqWVik6oA9ZklXLNIOlqg4F2yrT1MVaTjAqvVwdfeZ7w7aCvJD7ugkw==
1077 | dependencies:
1078 | is-fullwidth-code-point "^2.0.0"
1079 | strip-ansi "^4.0.0"
1080 |
1081 | string-width@^3.0.0, string-width@^3.1.0:
1082 | version "3.1.0"
1083 | resolved "https://registry.yarnpkg.com/string-width/-/string-width-3.1.0.tgz#22767be21b62af1081574306f69ac51b62203961"
1084 | integrity sha512-vafcv6KjVZKSgz06oM/H6GDBrAtz8vdhQakGjFIvNrHA6y3HCF1CInLy+QLq8dTJPQ1b+KDUqDFctkdRW44e1w==
1085 | dependencies:
1086 | emoji-regex "^7.0.1"
1087 | is-fullwidth-code-point "^2.0.0"
1088 | strip-ansi "^5.1.0"
1089 |
1090 | string_decoder@~1.1.1:
1091 | version "1.1.1"
1092 | resolved "https://registry.yarnpkg.com/string_decoder/-/string_decoder-1.1.1.tgz#9cf1611ba62685d7030ae9e4ba34149c3af03fc8"
1093 | integrity sha512-n/ShnvDi6FHbbVfviro+WojiFzv+s8MPMHBczVePfUpDJLwoLT0ht1l4YwBCbi8pJAveEEdnkHyPyTP/mzRfwg==
1094 | dependencies:
1095 | safe-buffer "~5.1.0"
1096 |
1097 | strip-ansi@^3.0.0, strip-ansi@^3.0.1:
1098 | version "3.0.1"
1099 | resolved "https://registry.yarnpkg.com/strip-ansi/-/strip-ansi-3.0.1.tgz#6a385fb8853d952d5ff05d0e8aaf94278dc63dcf"
1100 | integrity sha1-ajhfuIU9lS1f8F0Oiq+UJ43GPc8=
1101 | dependencies:
1102 | ansi-regex "^2.0.0"
1103 |
1104 | strip-ansi@^4.0.0:
1105 | version "4.0.0"
1106 | resolved "https://registry.yarnpkg.com/strip-ansi/-/strip-ansi-4.0.0.tgz#a8479022eb1ac368a871389b635262c505ee368f"
1107 | integrity sha1-qEeQIusaw2iocTibY1JixQXuNo8=
1108 | dependencies:
1109 | ansi-regex "^3.0.0"
1110 |
1111 | strip-ansi@^5.0.0, strip-ansi@^5.1.0, strip-ansi@^5.2.0:
1112 | version "5.2.0"
1113 | resolved "https://registry.yarnpkg.com/strip-ansi/-/strip-ansi-5.2.0.tgz#8c9a536feb6afc962bdfa5b104a5091c1ad9c0ae"
1114 | integrity sha512-DuRs1gKbBqsMKIZlrffwlug8MHkcnpjs5VPmL1PAh+mA30U0DTotfDZ0d2UUsXpPmPmMMJ6W773MaA3J+lbiWA==
1115 | dependencies:
1116 | ansi-regex "^4.1.0"
1117 |
1118 | strip-json-comments@~2.0.1:
1119 | version "2.0.1"
1120 | resolved "https://registry.yarnpkg.com/strip-json-comments/-/strip-json-comments-2.0.1.tgz#3c531942e908c2697c0ec344858c286c7ca0a60a"
1121 | integrity sha1-PFMZQukIwml8DsNEhYwobHygpgo=
1122 |
1123 | supports-color@^5.3.0:
1124 | version "5.5.0"
1125 | resolved "https://registry.yarnpkg.com/supports-color/-/supports-color-5.5.0.tgz#e2e69a44ac8772f78a1ec0b35b689df6530efc8f"
1126 | integrity sha512-QjVjwdXIt408MIiAqCX4oUKsgU2EqAGzs2Ppkm4aQYbjm+ZEWEcW4SfFNTr4uMNZma0ey4f5lgLrkB0aX0QMow==
1127 | dependencies:
1128 | has-flag "^3.0.0"
1129 |
1130 | supports-color@^6.1.0:
1131 | version "6.1.0"
1132 | resolved "https://registry.yarnpkg.com/supports-color/-/supports-color-6.1.0.tgz#0764abc69c63d5ac842dd4867e8d025e880df8f3"
1133 | integrity sha512-qe1jfm1Mg7Nq/NSh6XE24gPXROEVsWHxC1LIx//XNlD9iw7YZQGjZNjYN7xGaEG6iKdA8EtNFW6R0gjnVXp+wQ==
1134 | dependencies:
1135 | has-flag "^3.0.0"
1136 |
1137 | tar@^4.4.2:
1138 | version "4.4.13"
1139 | resolved "https://registry.yarnpkg.com/tar/-/tar-4.4.13.tgz#43b364bc52888d555298637b10d60790254ab525"
1140 | integrity sha512-w2VwSrBoHa5BsSyH+KxEqeQBAllHhccyMFVHtGtdMpF4W7IRWfZjFiQceJPChOeTsSDVUpER2T8FA93pr0L+QA==
1141 | dependencies:
1142 | chownr "^1.1.1"
1143 | fs-minipass "^1.2.5"
1144 | minipass "^2.8.6"
1145 | minizlib "^1.2.1"
1146 | mkdirp "^0.5.0"
1147 | safe-buffer "^5.1.2"
1148 | yallist "^3.0.3"
1149 |
1150 | toidentifier@1.0.0:
1151 | version "1.0.0"
1152 | resolved "https://registry.yarnpkg.com/toidentifier/-/toidentifier-1.0.0.tgz#7e1be3470f1e77948bc43d94a3c8f4d7752ba553"
1153 | integrity sha512-yaOH/Pk/VEhBWWTlhI+qXxDFXlejDGcQipMlyxda9nthulaxLZUNcUqFxokp0vcYnvteJln5FNQDRrxj3YcbVw==
1154 |
1155 | tree-kill@^1.2.2:
1156 | version "1.2.2"
1157 | resolved "https://registry.yarnpkg.com/tree-kill/-/tree-kill-1.2.2.tgz#4ca09a9092c88b73a7cdc5e8a01b507b0790a0cc"
1158 | integrity sha512-L0Orpi8qGpRG//Nd+H90vFB+3iHnue1zSSGmNOOCh1GLJ7rUKVwV2HvijphGQS2UmhUZewS9VgvxYIdgr+fG1A==
1159 |
1160 | tslib@^1.9.0:
1161 | version "1.10.0"
1162 | resolved "https://registry.yarnpkg.com/tslib/-/tslib-1.10.0.tgz#c3c19f95973fb0a62973fb09d90d961ee43e5c8a"
1163 | integrity sha512-qOebF53frne81cf0S9B41ByenJ3/IuH8yJKngAX35CmiZySA0khhkovshKK+jGCaMnVomla7gVlIcc3EvKPbTQ==
1164 |
1165 | type-is@~1.6.17, type-is@~1.6.18:
1166 | version "1.6.18"
1167 | resolved "https://registry.yarnpkg.com/type-is/-/type-is-1.6.18.tgz#4e552cd05df09467dcbc4ef739de89f2cf37c131"
1168 | integrity sha512-TkRKr9sUTxEH8MdfuCSP7VizJyzRNMjj2J2do2Jr3Kym598JVdEksuzPQCnlFPW4ky9Q+iA+ma9BGm06XQBy8g==
1169 | dependencies:
1170 | media-typer "0.3.0"
1171 | mime-types "~2.1.24"
1172 |
1173 | unpipe@1.0.0, unpipe@~1.0.0:
1174 | version "1.0.0"
1175 | resolved "https://registry.yarnpkg.com/unpipe/-/unpipe-1.0.0.tgz#b2bf4ee8514aae6165b4817829d21b2ef49904ec"
1176 | integrity sha1-sr9O6FFKrmFltIF4KdIbLvSZBOw=
1177 |
1178 | url@0.10.3:
1179 | version "0.10.3"
1180 | resolved "https://registry.yarnpkg.com/url/-/url-0.10.3.tgz#021e4d9c7705f21bbf37d03ceb58767402774c64"
1181 | integrity sha1-Ah5NnHcF8hu/N9A861h2dAJ3TGQ=
1182 | dependencies:
1183 | punycode "1.3.2"
1184 | querystring "0.2.0"
1185 |
1186 | util-deprecate@~1.0.1:
1187 | version "1.0.2"
1188 | resolved "https://registry.yarnpkg.com/util-deprecate/-/util-deprecate-1.0.2.tgz#450d4dc9fa70de732762fbd2d4a28981419a0ccf"
1189 | integrity sha1-RQ1Nyfpw3nMnYvvS1KKJgUGaDM8=
1190 |
1191 | utils-merge@1.0.1:
1192 | version "1.0.1"
1193 | resolved "https://registry.yarnpkg.com/utils-merge/-/utils-merge-1.0.1.tgz#9f95710f50a267947b2ccc124741c1028427e713"
1194 | integrity sha1-n5VxD1CiZ5R7LMwSR0HBAoQn5xM=
1195 |
1196 | uuid@3.3.2:
1197 | version "3.3.2"
1198 | resolved "https://registry.yarnpkg.com/uuid/-/uuid-3.3.2.tgz#1b4af4955eb3077c501c23872fc6513811587131"
1199 | integrity sha512-yXJmeNaw3DnnKAOKJE51sL/ZaYfWJRl1pK9dr19YFCu0ObS231AB1/LbqTKRAQ5kw8A90rA6fr4riOUpTZvQZA==
1200 |
1201 | uuid@^3.4.0:
1202 | version "3.4.0"
1203 | resolved "https://registry.yarnpkg.com/uuid/-/uuid-3.4.0.tgz#b23e4358afa8a202fe7a100af1f5f883f02007ee"
1204 | integrity sha512-HjSDRw6gZE5JMggctHBcjVak08+KEVhSIiDzFnT9S9aegmp85S/bReBVTb4QTFaRNptJ9kuYaNhnbNEOkbKb/A==
1205 |
1206 | validate-npm-package-license@^3.0.1:
1207 | version "3.0.4"
1208 | resolved "https://registry.yarnpkg.com/validate-npm-package-license/-/validate-npm-package-license-3.0.4.tgz#fc91f6b9c7ba15c857f4cb2c5defeec39d4f410a"
1209 | integrity sha512-DpKm2Ui/xN7/HQKCtpZxoRWBhZ9Z0kqtygG8XCgNQ8ZlDnxuQmWhj566j8fN4Cu3/JmbhsDo7fcAJq4s9h27Ew==
1210 | dependencies:
1211 | spdx-correct "^3.0.0"
1212 | spdx-expression-parse "^3.0.0"
1213 |
1214 | vary@~1.1.2:
1215 | version "1.1.2"
1216 | resolved "https://registry.yarnpkg.com/vary/-/vary-1.1.2.tgz#2299f02c6ded30d4a5961b0b9f74524a18f634fc"
1217 | integrity sha1-IpnwLG3tMNSllhsLn3RSShj2NPw=
1218 |
1219 | which-module@^2.0.0:
1220 | version "2.0.0"
1221 | resolved "https://registry.yarnpkg.com/which-module/-/which-module-2.0.0.tgz#d9ef07dce77b9902b8a3a8fa4b31c3e3f7e6e87a"
1222 | integrity sha1-2e8H3Od7mQK4o6j6SzHD4/fm6Ho=
1223 |
1224 | wide-align@^1.1.0:
1225 | version "1.1.3"
1226 | resolved "https://registry.yarnpkg.com/wide-align/-/wide-align-1.1.3.tgz#ae074e6bdc0c14a431e804e624549c633b000457"
1227 | integrity sha512-QGkOQc8XL6Bt5PwnsExKBPuMKBxnGxWWW3fU55Xt4feHozMUhdUMaBCk290qpm/wG5u/RSKzwdAC4i51YigihA==
1228 | dependencies:
1229 | string-width "^1.0.2 || 2"
1230 |
1231 | wrap-ansi@^5.1.0:
1232 | version "5.1.0"
1233 | resolved "https://registry.yarnpkg.com/wrap-ansi/-/wrap-ansi-5.1.0.tgz#1fd1f67235d5b6d0fee781056001bfb694c03b09"
1234 | integrity sha512-QC1/iN/2/RPVJ5jYK8BGttj5z83LmSKmvbvrXPNCLZSEb32KKVDJDl/MOt2N01qU2H/FkzEa9PKto1BqDjtd7Q==
1235 | dependencies:
1236 | ansi-styles "^3.2.0"
1237 | string-width "^3.0.0"
1238 | strip-ansi "^5.0.0"
1239 |
1240 | wrappy@1:
1241 | version "1.0.2"
1242 | resolved "https://registry.yarnpkg.com/wrappy/-/wrappy-1.0.2.tgz#b5243d8f3ec1aa35f1364605bc0d1036e30ab69f"
1243 | integrity sha1-tSQ9jz7BqjXxNkYFvA0QNuMKtp8=
1244 |
1245 | xml2js@0.4.19:
1246 | version "0.4.19"
1247 | resolved "https://registry.yarnpkg.com/xml2js/-/xml2js-0.4.19.tgz#686c20f213209e94abf0d1bcf1efaa291c7827a7"
1248 | integrity sha512-esZnJZJOiJR9wWKMyuvSE1y6Dq5LCuJanqhxslH2bxM6duahNZ+HMpCLhBQGZkbX6xRf8x1Y2eJlgt2q3qo49Q==
1249 | dependencies:
1250 | sax ">=0.6.0"
1251 | xmlbuilder "~9.0.1"
1252 |
1253 | xmlbuilder@~9.0.1:
1254 | version "9.0.7"
1255 | resolved "https://registry.yarnpkg.com/xmlbuilder/-/xmlbuilder-9.0.7.tgz#132ee63d2ec5565c557e20f4c22df9aca686b10d"
1256 | integrity sha1-Ey7mPS7FVlxVfiD0wi35rKaGsQ0=
1257 |
1258 | y18n@^4.0.0:
1259 | version "4.0.0"
1260 | resolved "https://registry.yarnpkg.com/y18n/-/y18n-4.0.0.tgz#95ef94f85ecc81d007c264e190a120f0a3c8566b"
1261 | integrity sha512-r9S/ZyXu/Xu9q1tYlpsLIsa3EeLXXk0VwlxqTcFRfg9EhMW+17kbt9G0NrgCmhGb5vT2hyhJZLfDGx+7+5Uj/w==
1262 |
1263 | yallist@^3.0.0, yallist@^3.0.3:
1264 | version "3.1.1"
1265 | resolved "https://registry.yarnpkg.com/yallist/-/yallist-3.1.1.tgz#dbb7daf9bfd8bac9ab45ebf602b8cbad0d5d08fd"
1266 | integrity sha512-a4UGQaWPH59mOXUYnAG2ewncQS4i4F43Tv3JoAM+s2VDAmS9NsK8GpDMLrCHPksFT7h3K6TOoUNn2pb7RoXx4g==
1267 |
1268 | yargs-parser@^13.1.1:
1269 | version "13.1.1"
1270 | resolved "https://registry.yarnpkg.com/yargs-parser/-/yargs-parser-13.1.1.tgz#d26058532aa06d365fe091f6a1fc06b2f7e5eca0"
1271 | integrity sha512-oVAVsHz6uFrg3XQheFII8ESO2ssAf9luWuAd6Wexsu4F3OtIW0o8IribPXYrD4WC24LWtPrJlGy87y5udK+dxQ==
1272 | dependencies:
1273 | camelcase "^5.0.0"
1274 | decamelize "^1.2.0"
1275 |
1276 | yargs@^13.3.0:
1277 | version "13.3.0"
1278 | resolved "https://registry.yarnpkg.com/yargs/-/yargs-13.3.0.tgz#4c657a55e07e5f2cf947f8a366567c04a0dedc83"
1279 | integrity sha512-2eehun/8ALW8TLoIl7MVaRUrg+yCnenu8B4kBlRxj3GJGDKU1Og7sMXPNm1BYyM1DOJmTZ4YeN/Nwxv+8XJsUA==
1280 | dependencies:
1281 | cliui "^5.0.0"
1282 | find-up "^3.0.0"
1283 | get-caller-file "^2.0.1"
1284 | require-directory "^2.1.1"
1285 | require-main-filename "^2.0.0"
1286 | set-blocking "^2.0.0"
1287 | string-width "^3.0.0"
1288 | which-module "^2.0.0"
1289 | y18n "^4.0.0"
1290 | yargs-parser "^13.1.1"
1291 |
--------------------------------------------------------------------------------