├── .gitignore
├── database
├── prisma.yml
└── datamodel
│ └── types.graphql
├── .env
├── src
├── resolvers
│ ├── Query
│ │ ├── me.ts
│ │ └── note.ts
│ ├── index.ts
│ └── Mutation
│ │ ├── notes.ts
│ │ └── auth.ts
├── schema.graphql
├── utils.ts
├── index.ts
├── github.ts
└── generated
│ ├── database.graphql
│ └── prisma.ts
├── tsconfig.json
├── .graphqlconfig.yml
├── login.html
├── package.json
├── README.md
└── yarn.lock
/.gitignore:
--------------------------------------------------------------------------------
1 | node_modules
2 | dist
3 |
4 | .env.prod
5 | .envrc
6 | .graphcoolrc
7 |
8 | *.log*
9 |
--------------------------------------------------------------------------------
/database/prisma.yml:
--------------------------------------------------------------------------------
1 | service: prisma-github-auth-example
2 |
3 | stage: dev
4 | cluster: local
5 |
6 | datamodel:
7 | - datamodel/types.graphql
8 |
9 | secret: ${env:PRISMA_SECRET}
10 |
--------------------------------------------------------------------------------
/.env:
--------------------------------------------------------------------------------
1 | SERVER_ENDPOINT="http://localhost:5000"
2 | PRISMA_ENDPOINT="http://localhost:4466/prisma-github-auth-example/dev"
3 | PRISMA_SECRET="so-secret"
4 | GITHUB_CLIENT_ID=""
5 | GITHUB_CLIENT_SECRET=""
6 | JWT_SECRET="sosecret"
--------------------------------------------------------------------------------
/src/resolvers/Query/me.ts:
--------------------------------------------------------------------------------
1 | import { Context, User, getUserId } from '../../utils'
2 |
3 | export const me = async (_, args, ctx: Context, info) => {
4 | const id = getUserId(ctx)
5 | return await ctx.db.query.user({ where: { id }}, info)
6 | }
7 |
--------------------------------------------------------------------------------
/tsconfig.json:
--------------------------------------------------------------------------------
1 | {
2 | "compilerOptions": {
3 | "target": "es5",
4 | "moduleResolution": "node",
5 | "module": "commonjs",
6 | "sourceMap": true,
7 | "rootDir": "src",
8 | "outDir": "dist",
9 | "lib": [
10 | "esnext", "dom"
11 | ]
12 | }
13 | }
14 |
--------------------------------------------------------------------------------
/src/resolvers/index.ts:
--------------------------------------------------------------------------------
1 | import { me } from './Query/me'
2 | import { note } from './Query/note'
3 | import { auth } from './Mutation/auth'
4 | import { notes } from './Mutation/notes'
5 |
6 | export const resolvers = {
7 | Query: {
8 | me,
9 | note,
10 | },
11 | Mutation: {
12 | ...auth,
13 | ...notes
14 | }
15 | }
16 |
--------------------------------------------------------------------------------
/.graphqlconfig.yml:
--------------------------------------------------------------------------------
1 | projects:
2 | app:
3 | schemaPath: src/schema.graphql
4 | extensions:
5 | endpoints:
6 | default: "http://localhost:5000"
7 | database:
8 | schemaPath: src/generated/database.graphql
9 | extensions:
10 | prisma: database/prisma.yml
11 | binding:
12 | output: src/generated/prisma.ts
13 | generator: prisma-ts
14 |
--------------------------------------------------------------------------------
/src/schema.graphql:
--------------------------------------------------------------------------------
1 | # import User, Note from './generated/database.graphql'
2 |
3 | type Query {
4 | me: User,
5 | note(id: ID!): Note
6 | }
7 |
8 | type Mutation {
9 | createNote(text: String!): Note!
10 | updateNote(id: ID!, text: String!): Note
11 | deleteNote(id: ID!): Note
12 | authenticate(githubCode: String!): AuthenticateUserPayload
13 | }
14 |
15 | type AuthenticateUserPayload {
16 | user: User!
17 | token: String!
18 | }
19 |
--------------------------------------------------------------------------------
/database/datamodel/types.graphql:
--------------------------------------------------------------------------------
1 | type User {
2 | id: ID! @unique
3 |
4 | createdAt: DateTime!
5 | updatedAt: DateTime!
6 |
7 | githubUserId: String! @unique
8 |
9 | name: String!
10 | bio: String!
11 | public_repos: Int!
12 | public_gists: Int!
13 |
14 | notes: [Note!]! @relation(name: "UserNote")
15 | }
16 |
17 | type Note {
18 | id: ID! @unique
19 | owner: User! @relation(name: "UserNote")
20 |
21 | text: String!
22 | }
23 |
--------------------------------------------------------------------------------
/src/resolvers/Query/note.ts:
--------------------------------------------------------------------------------
1 | import { Context, getUserId, AuthError } from '../../utils'
2 |
3 | export const note = async (_, { id }, ctx: Context, info) => {
4 | const userId = getUserId(ctx)
5 | const hasPermission = await ctx.db.exists.Note({
6 | id,
7 | owner: { id: userId }
8 | })
9 |
10 | if (!hasPermission) {
11 | throw new AuthError()
12 | }
13 |
14 | return await ctx.db.query.note({ where: { id } })
15 | }
--------------------------------------------------------------------------------
/login.html:
--------------------------------------------------------------------------------
1 |
2 |
3 |
4 |
16 |
17 |
18 |
19 |
20 |
--------------------------------------------------------------------------------
/src/utils.ts:
--------------------------------------------------------------------------------
1 | import * as jwt from 'jsonwebtoken'
2 | import { Prisma } from 'prisma-binding'
3 |
4 | export interface Context {
5 | db: Prisma,
6 | request: any
7 | }
8 |
9 | export interface User {
10 | id: string,
11 | name: string,
12 | bio: string,
13 | public_repos: string,
14 | public_gists: string
15 | }
16 |
17 | export function getUserId(ctx: Context) {
18 | const Authorization = ctx.request.get('Authorization')
19 | if (Authorization) {
20 | const token = Authorization.replace('Bearer ', '')
21 | const { userId } = jwt.verify(token, process.env.JWT_SECRET!) as {
22 | userId: string
23 | }
24 | return userId
25 | }
26 |
27 | throw new AuthError()
28 | }
29 |
30 | export class AuthError extends Error {
31 | constructor() {
32 | super('Not authorized')
33 | }
34 | }
35 |
--------------------------------------------------------------------------------
/src/index.ts:
--------------------------------------------------------------------------------
1 | import { importSchema } from 'graphql-import'
2 | import { GraphQLServer } from 'graphql-yoga'
3 | import { Prisma } from './generated/prisma'
4 |
5 | import { resolvers } from './resolvers'
6 |
7 | // Config --------------------------------------------------------------------
8 |
9 | const APP_SCHEMA_PATH = './src/schema.graphql'
10 |
11 | const typeDefs = importSchema(APP_SCHEMA_PATH)
12 |
13 | // Server --------------------------------------------------------------------
14 |
15 | const server = new GraphQLServer({
16 | typeDefs,
17 | resolvers,
18 | context: req => ({
19 | ...req,
20 | db: new Prisma({
21 | endpoint: process.env.PRISMA_ENDPOINT,
22 | secret: process.env.PRISMA_SECRET
23 | })
24 | })
25 | })
26 |
27 | server.start({ port: 5000 },() => {
28 | console.log(`Server is running on http://localhost:5000`)
29 | })
30 |
31 | // ---------------------------------------------------------------------------
32 |
--------------------------------------------------------------------------------
/package.json:
--------------------------------------------------------------------------------
1 | {
2 | "name": "graphql-server-github-auth-example",
3 | "version": "1.0.0",
4 | "scripts": {
5 | "start": "dotenv -- nodemon -x ts-node -e ts,graphql src/index.ts",
6 | "debug": "dotenv -- nodemon -x 'ts-node --inspect' -e ts,graphql src/index.ts",
7 | "bind": "graphql prepare",
8 | "playground": "dotenv -- graphql playground",
9 | "build": "rm -rf dist && tsc",
10 | "deploy": "now --public --dotenv .env.prod && now alias && now rm --yes --safe graphql-file",
11 | "now-start": "node dist"
12 | },
13 | "dependencies": {
14 | "graphql": "^0.12.0",
15 | "graphql-import": "^0.1.9",
16 | "graphql-yoga": "^1.1.4",
17 | "isomorphic-fetch": "^2.2.1",
18 | "jsonwebtoken": "^8.1.0",
19 | "prisma-binding": "^1.3.8"
20 | },
21 | "devDependencies": {
22 | "dotenv-cli": "^1.4.0",
23 | "graphql-cli": "^2.0.5",
24 | "graphql-cli-prepare": "^1.4.6",
25 | "nodemon": "^1.12.5",
26 | "ts-node": "^3.3.0",
27 | "typescript": "^2.6.2"
28 | },
29 | "license": "MIT"
30 | }
31 |
--------------------------------------------------------------------------------
/src/github.ts:
--------------------------------------------------------------------------------
1 | import * as fetch from 'isomorphic-fetch'
2 |
3 | export interface GithubUser {
4 | id: string,
5 | name: string,
6 | bio: string,
7 | public_repos: number,
8 | public_gists: number
9 | }
10 |
11 | export async function getGithubToken(githubCode: string): Promise {
12 | const endpoint = 'https://github.com/login/oauth/access_token'
13 |
14 | const data = await fetch(endpoint, {
15 | method: 'POST',
16 | headers: {
17 | 'Content-Type': 'application/json',
18 | 'Accept': 'application/json'
19 | },
20 | body: JSON.stringify({
21 | client_id: process.env.GITHUB_CLIENT_ID,
22 | client_secret: process.env.GITHUB_CLIENT_SECRET,
23 | code: githubCode,
24 | })
25 | })
26 | .then(response => response.json())
27 |
28 | if (data.error) {
29 | throw new Error(JSON.stringify(data.error))
30 | }
31 |
32 | return data.access_token
33 | }
34 |
35 |
36 | export async function getGithubUser(githubToken: string): Promise {
37 | const endpoint = `https://api.github.com/user?access_token=${githubToken}`
38 | const data = await fetch(endpoint)
39 | .then(response => response.json())
40 |
41 | if (data.error) {
42 | throw new Error(JSON.stringify(data.error))
43 | }
44 |
45 | return data
46 | }
47 |
--------------------------------------------------------------------------------
/src/resolvers/Mutation/notes.ts:
--------------------------------------------------------------------------------
1 | import { Context, getUserId, AuthError } from '../../utils'
2 |
3 | export const notes = {
4 | async createNote(_, { text }, ctx: Context, info) {
5 | const userId = getUserId(ctx)
6 | return await ctx.db.mutation.createNote({ data: {
7 | owner: { connect: { id: userId } },
8 | text
9 | }})
10 | },
11 | async updateNote(_, { id, text }, ctx: Context, info) {
12 | const userId = getUserId(ctx)
13 | const hasPermission = await ctx.db.exists.Note({
14 | id,
15 | owner: { id: userId }
16 | })
17 |
18 | if (!hasPermission) {
19 | throw new AuthError()
20 | }
21 |
22 | return await ctx.db.mutation.updateNote({
23 | where: { id },
24 | data: { text }
25 | })
26 | },
27 | async deleteNote(_, { id }, ctx: Context, info) {
28 | const userId = getUserId(ctx)
29 | const hasPermission = await ctx.db.exists.Note({
30 | id,
31 | owner: { id: userId }
32 | })
33 |
34 | if (!hasPermission) {
35 | throw new AuthError()
36 | }
37 | return await ctx.db.mutation.deleteNote({
38 | where: { id }
39 | })
40 | }
41 | }
42 |
43 |
44 |
--------------------------------------------------------------------------------
/src/resolvers/Mutation/auth.ts:
--------------------------------------------------------------------------------
1 | import { Context, User } from '../../utils'
2 | import { getGithubToken, getGithubUser, GithubUser } from '../../github'
3 | import * as jwt from 'jsonwebtoken'
4 |
5 | // Helpers -------------------------------------------------------------------
6 |
7 | async function getPrismaUser(ctx: Context, githubUserId: string): Promise {
8 | return await ctx.db.query.user({ where: { githubUserId }})
9 | }
10 |
11 | async function createPrismaUser(ctx, githubUser: GithubUser): Promise {
12 | const user = await ctx.db.mutation.createUser({ data: {
13 | githubUserId: githubUser.id,
14 | name: githubUser.name,
15 | bio: githubUser.bio,
16 | public_repos: githubUser.public_repos,
17 | public_gists: githubUser.public_gists,
18 | notes: []
19 | }})
20 | return user
21 | }
22 |
23 | // Resolvers -----------------------------------------------------------------
24 |
25 | export const auth = {
26 | authenticate: async (parent, { githubCode }, ctx: Context, info) => {
27 | const githubToken = await getGithubToken(githubCode)
28 | const githubUser = await getGithubUser(githubToken)
29 |
30 | let user = await getPrismaUser(ctx, githubUser.id)
31 |
32 | if (!user) {
33 | user = await createPrismaUser(ctx, githubUser)
34 | }
35 |
36 | return {
37 | token: jwt.sign({ userId: user.id }, process.env.JWT_SECRET),
38 | user
39 | }
40 | }
41 | }
42 |
43 | // ---------------------------------------------------------------------------
44 |
--------------------------------------------------------------------------------
/README.md:
--------------------------------------------------------------------------------
1 | # GraphQL Server - Github Auth
2 |
3 | This example shows how to implement Github Authentication with GraphQL Server,
4 | using `graphql-yoga` and other tools.
5 |
6 | ## Getting started
7 |
8 | ### Initializing the Prisma Database service
9 |
10 | ```sh
11 | prisma deploy # copy simple API endpoint into the `PRISMA_ENPOINT` env var in .env
12 | ```
13 |
14 | ### Setting up the Github OAuth2
15 |
16 | You need to configure these credentials from a new Github OAuth2 app as environment variables:
17 |
18 | * `GITHUB_CLIENT_ID`
19 | * `GITHUB_CLIENT_SECRET`
20 |
21 | 1. Go to [github.com](github.com) and navigate to your profile. Click on your profile icon in the upper right corner and enter `Settings`.
22 | 2. In the lower left side find _Developer Settings_ and navigate to _OAuth Apps_.
23 | 3. Click `New OAuth App` and give your app a nice name. For the purposes of the example, it is best to set the _Homepage URL_ to `http://localhost:8000` and _Authorization callback URL_ to `http://localhost:8000/login`. (Application description is optional).
24 | 4. Register the application.
25 | 5. Copy _Client ID_ and _Client Secret_ to the __.env__ file.
26 |
27 | #### Testing with WEB
28 |
29 | * Replace `__CLIENT_ID__` in `login.html`
30 | * Serve `login.html`, for example by using `python -m SimpleHTTPServer`
31 | * Open `https://localhost:8000/login.html` in a browser, open the DevTools and authenticate with your Github account
32 | * Copy the code printed in the Console of your DevTools
33 |
34 | #### Testing with "simple hack"
35 |
36 | In order to obtain `Github code` you can also use this little hack.
37 |
38 | 1. Navigate to `https://github.com/login/oauth/authorize?client_id={GITHUB_CLIENT_ID}&scope=user` and replace `{GITHUB_CLIENT_ID}` with your Github client ID.
39 | 2. Authorise access to the account and you will be redirected to `localhost:8000/login.html?code={GITHUB_CODE}`.
40 | 3. Copy the `{GITHUB_CODE}` part of `localhost:8000/login.html?code={GITHUB_CODE}` url to your GraphQL playground where you can test authentication.
41 |
42 | #### Queries and Mutations
43 | 1. To authenticate the user use `Mutation authenticate`:
44 | ```gql
45 | mutation LoginOrSignup {
46 | authenticate(githubCode: "mygithubcode") {
47 | token
48 | user {
49 | name
50 | notes
51 | }
52 | }
53 | }
54 | ```
55 | Every time `authenticate` is called user info is loaded from Github server using provided code. If code is valid, user id is compared against existing users. If no user with such id exists, new one is created, otherwise the existsing one is returned.
56 |
57 | 2. To get info about currently authenticated user use `Query me`:
58 | ```gql
59 | query Me {
60 | me {
61 | name
62 | bio
63 | public_repos
64 | notes {
65 | id
66 | text
67 | }
68 | }
69 | }
70 | ```
71 | Server will use the token, provided under `Authorization: Bearer ` http header, to identify userId and will search the database for an existsing user.
72 |
73 | 3. To create a Note use `Mutation createNote`, this will create a note connected with your profile.
74 | ```gql
75 | mutation NewNote {
76 | createNote(text: "Super cool text.") {
77 | id
78 | text
79 | }
80 | }
81 |
82 | query MyProfile {
83 | me {
84 | id
85 | notes { # <- Note will appear here
86 | id
87 | text
88 | }
89 | }
90 | }
91 | ```
92 |
93 | 4. To read, delete or update Note you will have to be authenticated, otherwise __*NotAuthorized*__ Error will be returned.
94 | ```gql
95 | query MyNote($id: ID!) {
96 | note(id: $id) { text }
97 | }
98 | ```
99 |
100 | ### Starting the Server
101 |
102 | ```sh
103 | yarn install
104 | yarn start
105 | # Open http://localhost:5000/
106 | ```
107 |
108 | ## License
109 | MIT
110 |
--------------------------------------------------------------------------------
/src/generated/database.graphql:
--------------------------------------------------------------------------------
1 | # THIS FILE HAS BEEN AUTO-GENERATED BY "PRISMA DEPLOY"
2 | # DO NOT EDIT THIS FILE DIRECTLY
3 |
4 | #
5 | # Model Types
6 | #
7 |
8 | type Note implements Node {
9 | id: ID!
10 | owner(where: UserWhereInput): User!
11 | text: String!
12 | }
13 |
14 | type User implements Node {
15 | id: ID!
16 | createdAt: DateTime!
17 | updatedAt: DateTime!
18 | githubUserId: String!
19 | name: String!
20 | bio: String!
21 | public_repos: Int!
22 | public_gists: Int!
23 | notes(where: NoteWhereInput, orderBy: NoteOrderByInput, skip: Int, after: String, before: String, first: Int, last: Int): [Note!]
24 | }
25 |
26 |
27 | #
28 | # Other Types
29 | #
30 |
31 | type AggregateNote {
32 | count: Int!
33 | }
34 |
35 | type AggregateUser {
36 | count: Int!
37 | }
38 |
39 | type BatchPayload {
40 | count: Long!
41 | }
42 |
43 | scalar DateTime
44 |
45 | scalar Long
46 |
47 | type Mutation {
48 | createUser(data: UserCreateInput!): User!
49 | createNote(data: NoteCreateInput!): Note!
50 | updateUser(data: UserUpdateInput!, where: UserWhereUniqueInput!): User
51 | updateNote(data: NoteUpdateInput!, where: NoteWhereUniqueInput!): Note
52 | deleteUser(where: UserWhereUniqueInput!): User
53 | deleteNote(where: NoteWhereUniqueInput!): Note
54 | upsertUser(where: UserWhereUniqueInput!, create: UserCreateInput!, update: UserUpdateInput!): User!
55 | upsertNote(where: NoteWhereUniqueInput!, create: NoteCreateInput!, update: NoteUpdateInput!): Note!
56 | updateManyUsers(data: UserUpdateInput!, where: UserWhereInput!): BatchPayload!
57 | updateManyNotes(data: NoteUpdateInput!, where: NoteWhereInput!): BatchPayload!
58 | deleteManyUsers(where: UserWhereInput!): BatchPayload!
59 | deleteManyNotes(where: NoteWhereInput!): BatchPayload!
60 | }
61 |
62 | enum MutationType {
63 | CREATED
64 | UPDATED
65 | DELETED
66 | }
67 |
68 | interface Node {
69 | id: ID!
70 | }
71 |
72 | type NoteConnection {
73 | pageInfo: PageInfo!
74 | edges: [NoteEdge]!
75 | aggregate: AggregateNote!
76 | }
77 |
78 | input NoteCreateInput {
79 | text: String!
80 | owner: UserCreateOneWithoutNotesInput!
81 | }
82 |
83 | input NoteCreateManyWithoutOwnerInput {
84 | create: [NoteCreateWithoutOwnerInput!]
85 | connect: [NoteWhereUniqueInput!]
86 | }
87 |
88 | input NoteCreateWithoutOwnerInput {
89 | text: String!
90 | }
91 |
92 | type NoteEdge {
93 | node: Note!
94 | cursor: String!
95 | }
96 |
97 | enum NoteOrderByInput {
98 | id_ASC
99 | id_DESC
100 | text_ASC
101 | text_DESC
102 | updatedAt_ASC
103 | updatedAt_DESC
104 | createdAt_ASC
105 | createdAt_DESC
106 | }
107 |
108 | type NotePreviousValues {
109 | id: ID!
110 | text: String!
111 | }
112 |
113 | type NoteSubscriptionPayload {
114 | mutation: MutationType!
115 | node: Note
116 | updatedFields: [String!]
117 | previousValues: NotePreviousValues
118 | }
119 |
120 | input NoteSubscriptionWhereInput {
121 | AND: [NoteSubscriptionWhereInput!]
122 | OR: [NoteSubscriptionWhereInput!]
123 | mutation_in: [MutationType!]
124 | updatedFields_contains: String
125 | updatedFields_contains_every: [String!]
126 | updatedFields_contains_some: [String!]
127 | node: NoteWhereInput
128 | }
129 |
130 | input NoteUpdateInput {
131 | text: String
132 | owner: UserUpdateOneWithoutNotesInput
133 | }
134 |
135 | input NoteUpdateManyWithoutOwnerInput {
136 | create: [NoteCreateWithoutOwnerInput!]
137 | connect: [NoteWhereUniqueInput!]
138 | disconnect: [NoteWhereUniqueInput!]
139 | delete: [NoteWhereUniqueInput!]
140 | update: [NoteUpdateWithoutOwnerInput!]
141 | upsert: [NoteUpsertWithoutOwnerInput!]
142 | }
143 |
144 | input NoteUpdateWithoutOwnerDataInput {
145 | text: String
146 | }
147 |
148 | input NoteUpdateWithoutOwnerInput {
149 | where: NoteWhereUniqueInput!
150 | data: NoteUpdateWithoutOwnerDataInput!
151 | }
152 |
153 | input NoteUpsertWithoutOwnerInput {
154 | where: NoteWhereUniqueInput!
155 | update: NoteUpdateWithoutOwnerDataInput!
156 | create: NoteCreateWithoutOwnerInput!
157 | }
158 |
159 | input NoteWhereInput {
160 | AND: [NoteWhereInput!]
161 | OR: [NoteWhereInput!]
162 | id: ID
163 | id_not: ID
164 | id_in: [ID!]
165 | id_not_in: [ID!]
166 | id_lt: ID
167 | id_lte: ID
168 | id_gt: ID
169 | id_gte: ID
170 | id_contains: ID
171 | id_not_contains: ID
172 | id_starts_with: ID
173 | id_not_starts_with: ID
174 | id_ends_with: ID
175 | id_not_ends_with: ID
176 | text: String
177 | text_not: String
178 | text_in: [String!]
179 | text_not_in: [String!]
180 | text_lt: String
181 | text_lte: String
182 | text_gt: String
183 | text_gte: String
184 | text_contains: String
185 | text_not_contains: String
186 | text_starts_with: String
187 | text_not_starts_with: String
188 | text_ends_with: String
189 | text_not_ends_with: String
190 | owner: UserWhereInput
191 | }
192 |
193 | input NoteWhereUniqueInput {
194 | id: ID
195 | }
196 |
197 | type PageInfo {
198 | hasNextPage: Boolean!
199 | hasPreviousPage: Boolean!
200 | startCursor: String
201 | endCursor: String
202 | }
203 |
204 | type Query {
205 | users(where: UserWhereInput, orderBy: UserOrderByInput, skip: Int, after: String, before: String, first: Int, last: Int): [User]!
206 | notes(where: NoteWhereInput, orderBy: NoteOrderByInput, skip: Int, after: String, before: String, first: Int, last: Int): [Note]!
207 | user(where: UserWhereUniqueInput!): User
208 | note(where: NoteWhereUniqueInput!): Note
209 | usersConnection(where: UserWhereInput, orderBy: UserOrderByInput, skip: Int, after: String, before: String, first: Int, last: Int): UserConnection!
210 | notesConnection(where: NoteWhereInput, orderBy: NoteOrderByInput, skip: Int, after: String, before: String, first: Int, last: Int): NoteConnection!
211 | node(id: ID!): Node
212 | }
213 |
214 | type Subscription {
215 | user(where: UserSubscriptionWhereInput): UserSubscriptionPayload
216 | note(where: NoteSubscriptionWhereInput): NoteSubscriptionPayload
217 | }
218 |
219 | type UserConnection {
220 | pageInfo: PageInfo!
221 | edges: [UserEdge]!
222 | aggregate: AggregateUser!
223 | }
224 |
225 | input UserCreateInput {
226 | githubUserId: String!
227 | name: String!
228 | bio: String!
229 | public_repos: Int!
230 | public_gists: Int!
231 | notes: NoteCreateManyWithoutOwnerInput
232 | }
233 |
234 | input UserCreateOneWithoutNotesInput {
235 | create: UserCreateWithoutNotesInput
236 | connect: UserWhereUniqueInput
237 | }
238 |
239 | input UserCreateWithoutNotesInput {
240 | githubUserId: String!
241 | name: String!
242 | bio: String!
243 | public_repos: Int!
244 | public_gists: Int!
245 | }
246 |
247 | type UserEdge {
248 | node: User!
249 | cursor: String!
250 | }
251 |
252 | enum UserOrderByInput {
253 | id_ASC
254 | id_DESC
255 | createdAt_ASC
256 | createdAt_DESC
257 | updatedAt_ASC
258 | updatedAt_DESC
259 | githubUserId_ASC
260 | githubUserId_DESC
261 | name_ASC
262 | name_DESC
263 | bio_ASC
264 | bio_DESC
265 | public_repos_ASC
266 | public_repos_DESC
267 | public_gists_ASC
268 | public_gists_DESC
269 | }
270 |
271 | type UserPreviousValues {
272 | id: ID!
273 | createdAt: DateTime!
274 | updatedAt: DateTime!
275 | githubUserId: String!
276 | name: String!
277 | bio: String!
278 | public_repos: Int!
279 | public_gists: Int!
280 | }
281 |
282 | type UserSubscriptionPayload {
283 | mutation: MutationType!
284 | node: User
285 | updatedFields: [String!]
286 | previousValues: UserPreviousValues
287 | }
288 |
289 | input UserSubscriptionWhereInput {
290 | AND: [UserSubscriptionWhereInput!]
291 | OR: [UserSubscriptionWhereInput!]
292 | mutation_in: [MutationType!]
293 | updatedFields_contains: String
294 | updatedFields_contains_every: [String!]
295 | updatedFields_contains_some: [String!]
296 | node: UserWhereInput
297 | }
298 |
299 | input UserUpdateInput {
300 | githubUserId: String
301 | name: String
302 | bio: String
303 | public_repos: Int
304 | public_gists: Int
305 | notes: NoteUpdateManyWithoutOwnerInput
306 | }
307 |
308 | input UserUpdateOneWithoutNotesInput {
309 | create: UserCreateWithoutNotesInput
310 | connect: UserWhereUniqueInput
311 | disconnect: UserWhereUniqueInput
312 | delete: UserWhereUniqueInput
313 | update: UserUpdateWithoutNotesInput
314 | upsert: UserUpsertWithoutNotesInput
315 | }
316 |
317 | input UserUpdateWithoutNotesDataInput {
318 | githubUserId: String
319 | name: String
320 | bio: String
321 | public_repos: Int
322 | public_gists: Int
323 | }
324 |
325 | input UserUpdateWithoutNotesInput {
326 | where: UserWhereUniqueInput!
327 | data: UserUpdateWithoutNotesDataInput!
328 | }
329 |
330 | input UserUpsertWithoutNotesInput {
331 | where: UserWhereUniqueInput!
332 | update: UserUpdateWithoutNotesDataInput!
333 | create: UserCreateWithoutNotesInput!
334 | }
335 |
336 | input UserWhereInput {
337 | AND: [UserWhereInput!]
338 | OR: [UserWhereInput!]
339 | id: ID
340 | id_not: ID
341 | id_in: [ID!]
342 | id_not_in: [ID!]
343 | id_lt: ID
344 | id_lte: ID
345 | id_gt: ID
346 | id_gte: ID
347 | id_contains: ID
348 | id_not_contains: ID
349 | id_starts_with: ID
350 | id_not_starts_with: ID
351 | id_ends_with: ID
352 | id_not_ends_with: ID
353 | createdAt: DateTime
354 | createdAt_not: DateTime
355 | createdAt_in: [DateTime!]
356 | createdAt_not_in: [DateTime!]
357 | createdAt_lt: DateTime
358 | createdAt_lte: DateTime
359 | createdAt_gt: DateTime
360 | createdAt_gte: DateTime
361 | updatedAt: DateTime
362 | updatedAt_not: DateTime
363 | updatedAt_in: [DateTime!]
364 | updatedAt_not_in: [DateTime!]
365 | updatedAt_lt: DateTime
366 | updatedAt_lte: DateTime
367 | updatedAt_gt: DateTime
368 | updatedAt_gte: DateTime
369 | githubUserId: String
370 | githubUserId_not: String
371 | githubUserId_in: [String!]
372 | githubUserId_not_in: [String!]
373 | githubUserId_lt: String
374 | githubUserId_lte: String
375 | githubUserId_gt: String
376 | githubUserId_gte: String
377 | githubUserId_contains: String
378 | githubUserId_not_contains: String
379 | githubUserId_starts_with: String
380 | githubUserId_not_starts_with: String
381 | githubUserId_ends_with: String
382 | githubUserId_not_ends_with: String
383 | name: String
384 | name_not: String
385 | name_in: [String!]
386 | name_not_in: [String!]
387 | name_lt: String
388 | name_lte: String
389 | name_gt: String
390 | name_gte: String
391 | name_contains: String
392 | name_not_contains: String
393 | name_starts_with: String
394 | name_not_starts_with: String
395 | name_ends_with: String
396 | name_not_ends_with: String
397 | bio: String
398 | bio_not: String
399 | bio_in: [String!]
400 | bio_not_in: [String!]
401 | bio_lt: String
402 | bio_lte: String
403 | bio_gt: String
404 | bio_gte: String
405 | bio_contains: String
406 | bio_not_contains: String
407 | bio_starts_with: String
408 | bio_not_starts_with: String
409 | bio_ends_with: String
410 | bio_not_ends_with: String
411 | public_repos: Int
412 | public_repos_not: Int
413 | public_repos_in: [Int!]
414 | public_repos_not_in: [Int!]
415 | public_repos_lt: Int
416 | public_repos_lte: Int
417 | public_repos_gt: Int
418 | public_repos_gte: Int
419 | public_gists: Int
420 | public_gists_not: Int
421 | public_gists_in: [Int!]
422 | public_gists_not_in: [Int!]
423 | public_gists_lt: Int
424 | public_gists_lte: Int
425 | public_gists_gt: Int
426 | public_gists_gte: Int
427 | notes_every: NoteWhereInput
428 | notes_some: NoteWhereInput
429 | notes_none: NoteWhereInput
430 | }
431 |
432 | input UserWhereUniqueInput {
433 | id: ID
434 | githubUserId: String
435 | }
436 |
--------------------------------------------------------------------------------
/src/generated/prisma.ts:
--------------------------------------------------------------------------------
1 | import { Prisma as BasePrisma, BasePrismaOptions } from 'prisma-binding'
2 | import { GraphQLResolveInfo } from 'graphql'
3 |
4 | const typeDefs = `
5 | # THIS FILE HAS BEEN AUTO-GENERATED BY "PRISMA DEPLOY"
6 | # DO NOT EDIT THIS FILE DIRECTLY
7 |
8 | #
9 | # Model Types
10 | #
11 |
12 | type Note implements Node {
13 | id: ID!
14 | owner(where: UserWhereInput): User!
15 | text: String!
16 | }
17 |
18 | type User implements Node {
19 | id: ID!
20 | createdAt: DateTime!
21 | updatedAt: DateTime!
22 | githubUserId: String!
23 | name: String!
24 | bio: String!
25 | public_repos: Int!
26 | public_gists: Int!
27 | notes(where: NoteWhereInput, orderBy: NoteOrderByInput, skip: Int, after: String, before: String, first: Int, last: Int): [Note!]
28 | }
29 |
30 |
31 | #
32 | # Other Types
33 | #
34 |
35 | type AggregateNote {
36 | count: Int!
37 | }
38 |
39 | type AggregateUser {
40 | count: Int!
41 | }
42 |
43 | type BatchPayload {
44 | count: Long!
45 | }
46 |
47 | scalar DateTime
48 |
49 | scalar Long
50 |
51 | type Mutation {
52 | createUser(data: UserCreateInput!): User!
53 | createNote(data: NoteCreateInput!): Note!
54 | updateUser(data: UserUpdateInput!, where: UserWhereUniqueInput!): User
55 | updateNote(data: NoteUpdateInput!, where: NoteWhereUniqueInput!): Note
56 | deleteUser(where: UserWhereUniqueInput!): User
57 | deleteNote(where: NoteWhereUniqueInput!): Note
58 | upsertUser(where: UserWhereUniqueInput!, create: UserCreateInput!, update: UserUpdateInput!): User!
59 | upsertNote(where: NoteWhereUniqueInput!, create: NoteCreateInput!, update: NoteUpdateInput!): Note!
60 | updateManyUsers(data: UserUpdateInput!, where: UserWhereInput!): BatchPayload!
61 | updateManyNotes(data: NoteUpdateInput!, where: NoteWhereInput!): BatchPayload!
62 | deleteManyUsers(where: UserWhereInput!): BatchPayload!
63 | deleteManyNotes(where: NoteWhereInput!): BatchPayload!
64 | }
65 |
66 | enum MutationType {
67 | CREATED
68 | UPDATED
69 | DELETED
70 | }
71 |
72 | interface Node {
73 | id: ID!
74 | }
75 |
76 | type NoteConnection {
77 | pageInfo: PageInfo!
78 | edges: [NoteEdge]!
79 | aggregate: AggregateNote!
80 | }
81 |
82 | input NoteCreateInput {
83 | text: String!
84 | owner: UserCreateOneWithoutNotesInput!
85 | }
86 |
87 | input NoteCreateManyWithoutOwnerInput {
88 | create: [NoteCreateWithoutOwnerInput!]
89 | connect: [NoteWhereUniqueInput!]
90 | }
91 |
92 | input NoteCreateWithoutOwnerInput {
93 | text: String!
94 | }
95 |
96 | type NoteEdge {
97 | node: Note!
98 | cursor: String!
99 | }
100 |
101 | enum NoteOrderByInput {
102 | id_ASC
103 | id_DESC
104 | text_ASC
105 | text_DESC
106 | updatedAt_ASC
107 | updatedAt_DESC
108 | createdAt_ASC
109 | createdAt_DESC
110 | }
111 |
112 | type NotePreviousValues {
113 | id: ID!
114 | text: String!
115 | }
116 |
117 | type NoteSubscriptionPayload {
118 | mutation: MutationType!
119 | node: Note
120 | updatedFields: [String!]
121 | previousValues: NotePreviousValues
122 | }
123 |
124 | input NoteSubscriptionWhereInput {
125 | AND: [NoteSubscriptionWhereInput!]
126 | OR: [NoteSubscriptionWhereInput!]
127 | mutation_in: [MutationType!]
128 | updatedFields_contains: String
129 | updatedFields_contains_every: [String!]
130 | updatedFields_contains_some: [String!]
131 | node: NoteWhereInput
132 | }
133 |
134 | input NoteUpdateInput {
135 | text: String
136 | owner: UserUpdateOneWithoutNotesInput
137 | }
138 |
139 | input NoteUpdateManyWithoutOwnerInput {
140 | create: [NoteCreateWithoutOwnerInput!]
141 | connect: [NoteWhereUniqueInput!]
142 | disconnect: [NoteWhereUniqueInput!]
143 | delete: [NoteWhereUniqueInput!]
144 | update: [NoteUpdateWithoutOwnerInput!]
145 | upsert: [NoteUpsertWithoutOwnerInput!]
146 | }
147 |
148 | input NoteUpdateWithoutOwnerDataInput {
149 | text: String
150 | }
151 |
152 | input NoteUpdateWithoutOwnerInput {
153 | where: NoteWhereUniqueInput!
154 | data: NoteUpdateWithoutOwnerDataInput!
155 | }
156 |
157 | input NoteUpsertWithoutOwnerInput {
158 | where: NoteWhereUniqueInput!
159 | update: NoteUpdateWithoutOwnerDataInput!
160 | create: NoteCreateWithoutOwnerInput!
161 | }
162 |
163 | input NoteWhereInput {
164 | AND: [NoteWhereInput!]
165 | OR: [NoteWhereInput!]
166 | id: ID
167 | id_not: ID
168 | id_in: [ID!]
169 | id_not_in: [ID!]
170 | id_lt: ID
171 | id_lte: ID
172 | id_gt: ID
173 | id_gte: ID
174 | id_contains: ID
175 | id_not_contains: ID
176 | id_starts_with: ID
177 | id_not_starts_with: ID
178 | id_ends_with: ID
179 | id_not_ends_with: ID
180 | text: String
181 | text_not: String
182 | text_in: [String!]
183 | text_not_in: [String!]
184 | text_lt: String
185 | text_lte: String
186 | text_gt: String
187 | text_gte: String
188 | text_contains: String
189 | text_not_contains: String
190 | text_starts_with: String
191 | text_not_starts_with: String
192 | text_ends_with: String
193 | text_not_ends_with: String
194 | owner: UserWhereInput
195 | }
196 |
197 | input NoteWhereUniqueInput {
198 | id: ID
199 | }
200 |
201 | type PageInfo {
202 | hasNextPage: Boolean!
203 | hasPreviousPage: Boolean!
204 | startCursor: String
205 | endCursor: String
206 | }
207 |
208 | type Query {
209 | users(where: UserWhereInput, orderBy: UserOrderByInput, skip: Int, after: String, before: String, first: Int, last: Int): [User]!
210 | notes(where: NoteWhereInput, orderBy: NoteOrderByInput, skip: Int, after: String, before: String, first: Int, last: Int): [Note]!
211 | user(where: UserWhereUniqueInput!): User
212 | note(where: NoteWhereUniqueInput!): Note
213 | usersConnection(where: UserWhereInput, orderBy: UserOrderByInput, skip: Int, after: String, before: String, first: Int, last: Int): UserConnection!
214 | notesConnection(where: NoteWhereInput, orderBy: NoteOrderByInput, skip: Int, after: String, before: String, first: Int, last: Int): NoteConnection!
215 | node(id: ID!): Node
216 | }
217 |
218 | type Subscription {
219 | user(where: UserSubscriptionWhereInput): UserSubscriptionPayload
220 | note(where: NoteSubscriptionWhereInput): NoteSubscriptionPayload
221 | }
222 |
223 | type UserConnection {
224 | pageInfo: PageInfo!
225 | edges: [UserEdge]!
226 | aggregate: AggregateUser!
227 | }
228 |
229 | input UserCreateInput {
230 | githubUserId: String!
231 | name: String!
232 | bio: String!
233 | public_repos: Int!
234 | public_gists: Int!
235 | notes: NoteCreateManyWithoutOwnerInput
236 | }
237 |
238 | input UserCreateOneWithoutNotesInput {
239 | create: UserCreateWithoutNotesInput
240 | connect: UserWhereUniqueInput
241 | }
242 |
243 | input UserCreateWithoutNotesInput {
244 | githubUserId: String!
245 | name: String!
246 | bio: String!
247 | public_repos: Int!
248 | public_gists: Int!
249 | }
250 |
251 | type UserEdge {
252 | node: User!
253 | cursor: String!
254 | }
255 |
256 | enum UserOrderByInput {
257 | id_ASC
258 | id_DESC
259 | createdAt_ASC
260 | createdAt_DESC
261 | updatedAt_ASC
262 | updatedAt_DESC
263 | githubUserId_ASC
264 | githubUserId_DESC
265 | name_ASC
266 | name_DESC
267 | bio_ASC
268 | bio_DESC
269 | public_repos_ASC
270 | public_repos_DESC
271 | public_gists_ASC
272 | public_gists_DESC
273 | }
274 |
275 | type UserPreviousValues {
276 | id: ID!
277 | createdAt: DateTime!
278 | updatedAt: DateTime!
279 | githubUserId: String!
280 | name: String!
281 | bio: String!
282 | public_repos: Int!
283 | public_gists: Int!
284 | }
285 |
286 | type UserSubscriptionPayload {
287 | mutation: MutationType!
288 | node: User
289 | updatedFields: [String!]
290 | previousValues: UserPreviousValues
291 | }
292 |
293 | input UserSubscriptionWhereInput {
294 | AND: [UserSubscriptionWhereInput!]
295 | OR: [UserSubscriptionWhereInput!]
296 | mutation_in: [MutationType!]
297 | updatedFields_contains: String
298 | updatedFields_contains_every: [String!]
299 | updatedFields_contains_some: [String!]
300 | node: UserWhereInput
301 | }
302 |
303 | input UserUpdateInput {
304 | githubUserId: String
305 | name: String
306 | bio: String
307 | public_repos: Int
308 | public_gists: Int
309 | notes: NoteUpdateManyWithoutOwnerInput
310 | }
311 |
312 | input UserUpdateOneWithoutNotesInput {
313 | create: UserCreateWithoutNotesInput
314 | connect: UserWhereUniqueInput
315 | disconnect: UserWhereUniqueInput
316 | delete: UserWhereUniqueInput
317 | update: UserUpdateWithoutNotesInput
318 | upsert: UserUpsertWithoutNotesInput
319 | }
320 |
321 | input UserUpdateWithoutNotesDataInput {
322 | githubUserId: String
323 | name: String
324 | bio: String
325 | public_repos: Int
326 | public_gists: Int
327 | }
328 |
329 | input UserUpdateWithoutNotesInput {
330 | where: UserWhereUniqueInput!
331 | data: UserUpdateWithoutNotesDataInput!
332 | }
333 |
334 | input UserUpsertWithoutNotesInput {
335 | where: UserWhereUniqueInput!
336 | update: UserUpdateWithoutNotesDataInput!
337 | create: UserCreateWithoutNotesInput!
338 | }
339 |
340 | input UserWhereInput {
341 | AND: [UserWhereInput!]
342 | OR: [UserWhereInput!]
343 | id: ID
344 | id_not: ID
345 | id_in: [ID!]
346 | id_not_in: [ID!]
347 | id_lt: ID
348 | id_lte: ID
349 | id_gt: ID
350 | id_gte: ID
351 | id_contains: ID
352 | id_not_contains: ID
353 | id_starts_with: ID
354 | id_not_starts_with: ID
355 | id_ends_with: ID
356 | id_not_ends_with: ID
357 | createdAt: DateTime
358 | createdAt_not: DateTime
359 | createdAt_in: [DateTime!]
360 | createdAt_not_in: [DateTime!]
361 | createdAt_lt: DateTime
362 | createdAt_lte: DateTime
363 | createdAt_gt: DateTime
364 | createdAt_gte: DateTime
365 | updatedAt: DateTime
366 | updatedAt_not: DateTime
367 | updatedAt_in: [DateTime!]
368 | updatedAt_not_in: [DateTime!]
369 | updatedAt_lt: DateTime
370 | updatedAt_lte: DateTime
371 | updatedAt_gt: DateTime
372 | updatedAt_gte: DateTime
373 | githubUserId: String
374 | githubUserId_not: String
375 | githubUserId_in: [String!]
376 | githubUserId_not_in: [String!]
377 | githubUserId_lt: String
378 | githubUserId_lte: String
379 | githubUserId_gt: String
380 | githubUserId_gte: String
381 | githubUserId_contains: String
382 | githubUserId_not_contains: String
383 | githubUserId_starts_with: String
384 | githubUserId_not_starts_with: String
385 | githubUserId_ends_with: String
386 | githubUserId_not_ends_with: String
387 | name: String
388 | name_not: String
389 | name_in: [String!]
390 | name_not_in: [String!]
391 | name_lt: String
392 | name_lte: String
393 | name_gt: String
394 | name_gte: String
395 | name_contains: String
396 | name_not_contains: String
397 | name_starts_with: String
398 | name_not_starts_with: String
399 | name_ends_with: String
400 | name_not_ends_with: String
401 | bio: String
402 | bio_not: String
403 | bio_in: [String!]
404 | bio_not_in: [String!]
405 | bio_lt: String
406 | bio_lte: String
407 | bio_gt: String
408 | bio_gte: String
409 | bio_contains: String
410 | bio_not_contains: String
411 | bio_starts_with: String
412 | bio_not_starts_with: String
413 | bio_ends_with: String
414 | bio_not_ends_with: String
415 | public_repos: Int
416 | public_repos_not: Int
417 | public_repos_in: [Int!]
418 | public_repos_not_in: [Int!]
419 | public_repos_lt: Int
420 | public_repos_lte: Int
421 | public_repos_gt: Int
422 | public_repos_gte: Int
423 | public_gists: Int
424 | public_gists_not: Int
425 | public_gists_in: [Int!]
426 | public_gists_not_in: [Int!]
427 | public_gists_lt: Int
428 | public_gists_lte: Int
429 | public_gists_gt: Int
430 | public_gists_gte: Int
431 | notes_every: NoteWhereInput
432 | notes_some: NoteWhereInput
433 | notes_none: NoteWhereInput
434 | }
435 |
436 | input UserWhereUniqueInput {
437 | id: ID
438 | githubUserId: String
439 | }
440 | `
441 |
442 | export type UserOrderByInput =
443 | 'id_ASC' |
444 | 'id_DESC' |
445 | 'createdAt_ASC' |
446 | 'createdAt_DESC' |
447 | 'updatedAt_ASC' |
448 | 'updatedAt_DESC' |
449 | 'githubUserId_ASC' |
450 | 'githubUserId_DESC' |
451 | 'name_ASC' |
452 | 'name_DESC' |
453 | 'bio_ASC' |
454 | 'bio_DESC' |
455 | 'public_repos_ASC' |
456 | 'public_repos_DESC' |
457 | 'public_gists_ASC' |
458 | 'public_gists_DESC'
459 |
460 | export type NoteOrderByInput =
461 | 'id_ASC' |
462 | 'id_DESC' |
463 | 'text_ASC' |
464 | 'text_DESC' |
465 | 'updatedAt_ASC' |
466 | 'updatedAt_DESC' |
467 | 'createdAt_ASC' |
468 | 'createdAt_DESC'
469 |
470 | export type MutationType =
471 | 'CREATED' |
472 | 'UPDATED' |
473 | 'DELETED'
474 |
475 | export interface NoteCreateWithoutOwnerInput {
476 | text: String
477 | }
478 |
479 | export interface UserWhereInput {
480 | AND?: UserWhereInput[] | UserWhereInput
481 | OR?: UserWhereInput[] | UserWhereInput
482 | id?: ID_Input
483 | id_not?: ID_Input
484 | id_in?: ID_Input[] | ID_Input
485 | id_not_in?: ID_Input[] | ID_Input
486 | id_lt?: ID_Input
487 | id_lte?: ID_Input
488 | id_gt?: ID_Input
489 | id_gte?: ID_Input
490 | id_contains?: ID_Input
491 | id_not_contains?: ID_Input
492 | id_starts_with?: ID_Input
493 | id_not_starts_with?: ID_Input
494 | id_ends_with?: ID_Input
495 | id_not_ends_with?: ID_Input
496 | createdAt?: DateTime
497 | createdAt_not?: DateTime
498 | createdAt_in?: DateTime[] | DateTime
499 | createdAt_not_in?: DateTime[] | DateTime
500 | createdAt_lt?: DateTime
501 | createdAt_lte?: DateTime
502 | createdAt_gt?: DateTime
503 | createdAt_gte?: DateTime
504 | updatedAt?: DateTime
505 | updatedAt_not?: DateTime
506 | updatedAt_in?: DateTime[] | DateTime
507 | updatedAt_not_in?: DateTime[] | DateTime
508 | updatedAt_lt?: DateTime
509 | updatedAt_lte?: DateTime
510 | updatedAt_gt?: DateTime
511 | updatedAt_gte?: DateTime
512 | githubUserId?: String
513 | githubUserId_not?: String
514 | githubUserId_in?: String[] | String
515 | githubUserId_not_in?: String[] | String
516 | githubUserId_lt?: String
517 | githubUserId_lte?: String
518 | githubUserId_gt?: String
519 | githubUserId_gte?: String
520 | githubUserId_contains?: String
521 | githubUserId_not_contains?: String
522 | githubUserId_starts_with?: String
523 | githubUserId_not_starts_with?: String
524 | githubUserId_ends_with?: String
525 | githubUserId_not_ends_with?: String
526 | name?: String
527 | name_not?: String
528 | name_in?: String[] | String
529 | name_not_in?: String[] | String
530 | name_lt?: String
531 | name_lte?: String
532 | name_gt?: String
533 | name_gte?: String
534 | name_contains?: String
535 | name_not_contains?: String
536 | name_starts_with?: String
537 | name_not_starts_with?: String
538 | name_ends_with?: String
539 | name_not_ends_with?: String
540 | bio?: String
541 | bio_not?: String
542 | bio_in?: String[] | String
543 | bio_not_in?: String[] | String
544 | bio_lt?: String
545 | bio_lte?: String
546 | bio_gt?: String
547 | bio_gte?: String
548 | bio_contains?: String
549 | bio_not_contains?: String
550 | bio_starts_with?: String
551 | bio_not_starts_with?: String
552 | bio_ends_with?: String
553 | bio_not_ends_with?: String
554 | public_repos?: Int
555 | public_repos_not?: Int
556 | public_repos_in?: Int[] | Int
557 | public_repos_not_in?: Int[] | Int
558 | public_repos_lt?: Int
559 | public_repos_lte?: Int
560 | public_repos_gt?: Int
561 | public_repos_gte?: Int
562 | public_gists?: Int
563 | public_gists_not?: Int
564 | public_gists_in?: Int[] | Int
565 | public_gists_not_in?: Int[] | Int
566 | public_gists_lt?: Int
567 | public_gists_lte?: Int
568 | public_gists_gt?: Int
569 | public_gists_gte?: Int
570 | notes_every?: NoteWhereInput
571 | notes_some?: NoteWhereInput
572 | notes_none?: NoteWhereInput
573 | }
574 |
575 | export interface UserCreateOneWithoutNotesInput {
576 | create?: UserCreateWithoutNotesInput
577 | connect?: UserWhereUniqueInput
578 | }
579 |
580 | export interface NoteWhereInput {
581 | AND?: NoteWhereInput[] | NoteWhereInput
582 | OR?: NoteWhereInput[] | NoteWhereInput
583 | id?: ID_Input
584 | id_not?: ID_Input
585 | id_in?: ID_Input[] | ID_Input
586 | id_not_in?: ID_Input[] | ID_Input
587 | id_lt?: ID_Input
588 | id_lte?: ID_Input
589 | id_gt?: ID_Input
590 | id_gte?: ID_Input
591 | id_contains?: ID_Input
592 | id_not_contains?: ID_Input
593 | id_starts_with?: ID_Input
594 | id_not_starts_with?: ID_Input
595 | id_ends_with?: ID_Input
596 | id_not_ends_with?: ID_Input
597 | text?: String
598 | text_not?: String
599 | text_in?: String[] | String
600 | text_not_in?: String[] | String
601 | text_lt?: String
602 | text_lte?: String
603 | text_gt?: String
604 | text_gte?: String
605 | text_contains?: String
606 | text_not_contains?: String
607 | text_starts_with?: String
608 | text_not_starts_with?: String
609 | text_ends_with?: String
610 | text_not_ends_with?: String
611 | owner?: UserWhereInput
612 | }
613 |
614 | export interface NoteUpdateInput {
615 | text?: String
616 | owner?: UserUpdateOneWithoutNotesInput
617 | }
618 |
619 | export interface UserCreateWithoutNotesInput {
620 | githubUserId: String
621 | name: String
622 | bio: String
623 | public_repos: Int
624 | public_gists: Int
625 | }
626 |
627 | export interface NoteUpsertWithoutOwnerInput {
628 | where: NoteWhereUniqueInput
629 | update: NoteUpdateWithoutOwnerDataInput
630 | create: NoteCreateWithoutOwnerInput
631 | }
632 |
633 | export interface UserSubscriptionWhereInput {
634 | AND?: UserSubscriptionWhereInput[] | UserSubscriptionWhereInput
635 | OR?: UserSubscriptionWhereInput[] | UserSubscriptionWhereInput
636 | mutation_in?: MutationType[] | MutationType
637 | updatedFields_contains?: String
638 | updatedFields_contains_every?: String[] | String
639 | updatedFields_contains_some?: String[] | String
640 | node?: UserWhereInput
641 | }
642 |
643 | export interface NoteUpdateWithoutOwnerDataInput {
644 | text?: String
645 | }
646 |
647 | export interface NoteWhereUniqueInput {
648 | id?: ID_Input
649 | }
650 |
651 | export interface NoteUpdateWithoutOwnerInput {
652 | where: NoteWhereUniqueInput
653 | data: NoteUpdateWithoutOwnerDataInput
654 | }
655 |
656 | export interface UserUpdateWithoutNotesDataInput {
657 | githubUserId?: String
658 | name?: String
659 | bio?: String
660 | public_repos?: Int
661 | public_gists?: Int
662 | }
663 |
664 | export interface UserCreateInput {
665 | githubUserId: String
666 | name: String
667 | bio: String
668 | public_repos: Int
669 | public_gists: Int
670 | notes?: NoteCreateManyWithoutOwnerInput
671 | }
672 |
673 | export interface UserUpdateOneWithoutNotesInput {
674 | create?: UserCreateWithoutNotesInput
675 | connect?: UserWhereUniqueInput
676 | disconnect?: UserWhereUniqueInput
677 | delete?: UserWhereUniqueInput
678 | update?: UserUpdateWithoutNotesInput
679 | upsert?: UserUpsertWithoutNotesInput
680 | }
681 |
682 | export interface UserUpdateInput {
683 | githubUserId?: String
684 | name?: String
685 | bio?: String
686 | public_repos?: Int
687 | public_gists?: Int
688 | notes?: NoteUpdateManyWithoutOwnerInput
689 | }
690 |
691 | export interface NoteCreateInput {
692 | text: String
693 | owner: UserCreateOneWithoutNotesInput
694 | }
695 |
696 | export interface NoteUpdateManyWithoutOwnerInput {
697 | create?: NoteCreateWithoutOwnerInput[] | NoteCreateWithoutOwnerInput
698 | connect?: NoteWhereUniqueInput[] | NoteWhereUniqueInput
699 | disconnect?: NoteWhereUniqueInput[] | NoteWhereUniqueInput
700 | delete?: NoteWhereUniqueInput[] | NoteWhereUniqueInput
701 | update?: NoteUpdateWithoutOwnerInput[] | NoteUpdateWithoutOwnerInput
702 | upsert?: NoteUpsertWithoutOwnerInput[] | NoteUpsertWithoutOwnerInput
703 | }
704 |
705 | export interface NoteCreateManyWithoutOwnerInput {
706 | create?: NoteCreateWithoutOwnerInput[] | NoteCreateWithoutOwnerInput
707 | connect?: NoteWhereUniqueInput[] | NoteWhereUniqueInput
708 | }
709 |
710 | export interface NoteSubscriptionWhereInput {
711 | AND?: NoteSubscriptionWhereInput[] | NoteSubscriptionWhereInput
712 | OR?: NoteSubscriptionWhereInput[] | NoteSubscriptionWhereInput
713 | mutation_in?: MutationType[] | MutationType
714 | updatedFields_contains?: String
715 | updatedFields_contains_every?: String[] | String
716 | updatedFields_contains_some?: String[] | String
717 | node?: NoteWhereInput
718 | }
719 |
720 | export interface UserUpdateWithoutNotesInput {
721 | where: UserWhereUniqueInput
722 | data: UserUpdateWithoutNotesDataInput
723 | }
724 |
725 | export interface UserUpsertWithoutNotesInput {
726 | where: UserWhereUniqueInput
727 | update: UserUpdateWithoutNotesDataInput
728 | create: UserCreateWithoutNotesInput
729 | }
730 |
731 | export interface UserWhereUniqueInput {
732 | id?: ID_Input
733 | githubUserId?: String
734 | }
735 |
736 | export interface Node {
737 | id: ID_Output
738 | }
739 |
740 | export interface NotePreviousValues {
741 | id: ID_Output
742 | text: String
743 | }
744 |
745 | export interface UserConnection {
746 | pageInfo: PageInfo
747 | edges: UserEdge[]
748 | aggregate: AggregateUser
749 | }
750 |
751 | export interface User extends Node {
752 | id: ID_Output
753 | createdAt: DateTime
754 | updatedAt: DateTime
755 | githubUserId: String
756 | name: String
757 | bio: String
758 | public_repos: Int
759 | public_gists: Int
760 | notes?: Note[]
761 | }
762 |
763 | export interface BatchPayload {
764 | count: Long
765 | }
766 |
767 | export interface AggregateNote {
768 | count: Int
769 | }
770 |
771 | export interface UserSubscriptionPayload {
772 | mutation: MutationType
773 | node?: User
774 | updatedFields?: String[]
775 | previousValues?: UserPreviousValues
776 | }
777 |
778 | export interface Note extends Node {
779 | id: ID_Output
780 | owner: User
781 | text: String
782 | }
783 |
784 | export interface AggregateUser {
785 | count: Int
786 | }
787 |
788 | export interface NoteEdge {
789 | node: Note
790 | cursor: String
791 | }
792 |
793 | export interface UserPreviousValues {
794 | id: ID_Output
795 | createdAt: DateTime
796 | updatedAt: DateTime
797 | githubUserId: String
798 | name: String
799 | bio: String
800 | public_repos: Int
801 | public_gists: Int
802 | }
803 |
804 | export interface PageInfo {
805 | hasNextPage: Boolean
806 | hasPreviousPage: Boolean
807 | startCursor?: String
808 | endCursor?: String
809 | }
810 |
811 | export interface NoteSubscriptionPayload {
812 | mutation: MutationType
813 | node?: Note
814 | updatedFields?: String[]
815 | previousValues?: NotePreviousValues
816 | }
817 |
818 | export interface UserEdge {
819 | node: User
820 | cursor: String
821 | }
822 |
823 | export interface NoteConnection {
824 | pageInfo: PageInfo
825 | edges: NoteEdge[]
826 | aggregate: AggregateNote
827 | }
828 |
829 | export type Long = string
830 |
831 | /*
832 | The `Int` scalar type represents non-fractional signed whole numeric values. Int can represent values between -(2^31) and 2^31 - 1.
833 | */
834 | export type Int = number
835 |
836 | /*
837 | The `Boolean` scalar type represents `true` or `false`.
838 | */
839 | export type Boolean = boolean
840 |
841 | /*
842 | The `String` scalar type represents textual data, represented as UTF-8 character sequences. The String type is most often used by GraphQL to represent free-form human-readable text.
843 | */
844 | export type String = string
845 |
846 | /*
847 | The `ID` scalar type represents a unique identifier, often used to refetch an object or as key for a cache. The ID type appears in a JSON response as a String; however, it is not intended to be human-readable. When expected as an input type, any string (such as `"4"`) or integer (such as `4`) input value will be accepted as an ID.
848 | */
849 | export type ID_Input = string | number
850 | export type ID_Output = string
851 |
852 | export type DateTime = string
853 |
854 | export interface Schema {
855 | query: Query
856 | mutation: Mutation
857 | subscription: Subscription
858 | }
859 |
860 | export type Query = {
861 | users: (args: { where?: UserWhereInput, orderBy?: UserOrderByInput, skip?: Int, after?: String, before?: String, first?: Int, last?: Int }, info?: GraphQLResolveInfo | string) => Promise
862 | notes: (args: { where?: NoteWhereInput, orderBy?: NoteOrderByInput, skip?: Int, after?: String, before?: String, first?: Int, last?: Int }, info?: GraphQLResolveInfo | string) => Promise
863 | user: (args: { where: UserWhereUniqueInput }, info?: GraphQLResolveInfo | string) => Promise
864 | note: (args: { where: NoteWhereUniqueInput }, info?: GraphQLResolveInfo | string) => Promise
865 | usersConnection: (args: { where?: UserWhereInput, orderBy?: UserOrderByInput, skip?: Int, after?: String, before?: String, first?: Int, last?: Int }, info?: GraphQLResolveInfo | string) => Promise
866 | notesConnection: (args: { where?: NoteWhereInput, orderBy?: NoteOrderByInput, skip?: Int, after?: String, before?: String, first?: Int, last?: Int }, info?: GraphQLResolveInfo | string) => Promise
867 | node: (args: { id: ID_Output }, info?: GraphQLResolveInfo | string) => Promise
868 | }
869 |
870 | export type Mutation = {
871 | createUser: (args: { data: UserCreateInput }, info?: GraphQLResolveInfo | string) => Promise
872 | createNote: (args: { data: NoteCreateInput }, info?: GraphQLResolveInfo | string) => Promise
873 | updateUser: (args: { data: UserUpdateInput, where: UserWhereUniqueInput }, info?: GraphQLResolveInfo | string) => Promise
874 | updateNote: (args: { data: NoteUpdateInput, where: NoteWhereUniqueInput }, info?: GraphQLResolveInfo | string) => Promise
875 | deleteUser: (args: { where: UserWhereUniqueInput }, info?: GraphQLResolveInfo | string) => Promise
876 | deleteNote: (args: { where: NoteWhereUniqueInput }, info?: GraphQLResolveInfo | string) => Promise
877 | upsertUser: (args: { where: UserWhereUniqueInput, create: UserCreateInput, update: UserUpdateInput }, info?: GraphQLResolveInfo | string) => Promise
878 | upsertNote: (args: { where: NoteWhereUniqueInput, create: NoteCreateInput, update: NoteUpdateInput }, info?: GraphQLResolveInfo | string) => Promise
879 | updateManyUsers: (args: { data: UserUpdateInput, where: UserWhereInput }, info?: GraphQLResolveInfo | string) => Promise
880 | updateManyNotes: (args: { data: NoteUpdateInput, where: NoteWhereInput }, info?: GraphQLResolveInfo | string) => Promise
881 | deleteManyUsers: (args: { where: UserWhereInput }, info?: GraphQLResolveInfo | string) => Promise
882 | deleteManyNotes: (args: { where: NoteWhereInput }, info?: GraphQLResolveInfo | string) => Promise
883 | }
884 |
885 | export type Subscription = {
886 | user: (args: { where?: UserSubscriptionWhereInput }, infoOrQuery?: GraphQLResolveInfo | string) => Promise>
887 | note: (args: { where?: NoteSubscriptionWhereInput }, infoOrQuery?: GraphQLResolveInfo | string) => Promise>
888 | }
889 |
890 | export class Prisma extends BasePrisma {
891 |
892 | constructor({ endpoint, secret, fragmentReplacements, debug }: BasePrismaOptions) {
893 | super({ typeDefs, endpoint, secret, fragmentReplacements, debug });
894 | }
895 |
896 | exists = {
897 | User: (where: UserWhereInput): Promise => super.existsDelegate('query', 'users', { where }, {}, '{ id }'),
898 | Note: (where: NoteWhereInput): Promise => super.existsDelegate('query', 'notes', { where }, {}, '{ id }')
899 | }
900 |
901 | query: Query = {
902 | users: (args, info): Promise => super.delegate('query', 'users', args, {}, info),
903 | notes: (args, info): Promise => super.delegate('query', 'notes', args, {}, info),
904 | user: (args, info): Promise => super.delegate('query', 'user', args, {}, info),
905 | note: (args, info): Promise => super.delegate('query', 'note', args, {}, info),
906 | usersConnection: (args, info): Promise => super.delegate('query', 'usersConnection', args, {}, info),
907 | notesConnection: (args, info): Promise => super.delegate('query', 'notesConnection', args, {}, info),
908 | node: (args, info): Promise => super.delegate('query', 'node', args, {}, info)
909 | }
910 |
911 | mutation: Mutation = {
912 | createUser: (args, info): Promise => super.delegate('mutation', 'createUser', args, {}, info),
913 | createNote: (args, info): Promise => super.delegate('mutation', 'createNote', args, {}, info),
914 | updateUser: (args, info): Promise => super.delegate('mutation', 'updateUser', args, {}, info),
915 | updateNote: (args, info): Promise => super.delegate('mutation', 'updateNote', args, {}, info),
916 | deleteUser: (args, info): Promise => super.delegate('mutation', 'deleteUser', args, {}, info),
917 | deleteNote: (args, info): Promise => super.delegate('mutation', 'deleteNote', args, {}, info),
918 | upsertUser: (args, info): Promise => super.delegate('mutation', 'upsertUser', args, {}, info),
919 | upsertNote: (args, info): Promise => super.delegate('mutation', 'upsertNote', args, {}, info),
920 | updateManyUsers: (args, info): Promise => super.delegate('mutation', 'updateManyUsers', args, {}, info),
921 | updateManyNotes: (args, info): Promise => super.delegate('mutation', 'updateManyNotes', args, {}, info),
922 | deleteManyUsers: (args, info): Promise => super.delegate('mutation', 'deleteManyUsers', args, {}, info),
923 | deleteManyNotes: (args, info): Promise => super.delegate('mutation', 'deleteManyNotes', args, {}, info)
924 | }
925 |
926 | subscription: Subscription = {
927 | user: (args, infoOrQuery): Promise> => super.delegateSubscription('user', args, {}, infoOrQuery),
928 | note: (args, infoOrQuery): Promise> => super.delegateSubscription('note', args, {}, infoOrQuery)
929 | }
930 | }
--------------------------------------------------------------------------------
/yarn.lock:
--------------------------------------------------------------------------------
1 | # THIS IS AN AUTOGENERATED FILE. DO NOT EDIT THIS FILE DIRECTLY.
2 | # yarn lockfile v1
3 |
4 |
5 | "@babel/runtime@^7.0.0-beta.37":
6 | version "7.0.0-beta.38"
7 | resolved "https://registry.yarnpkg.com/@babel/runtime/-/runtime-7.0.0-beta.38.tgz#8b7f16245b1f86fc168a1846ab6d77a238f6d16c"
8 | dependencies:
9 | core-js "^2.4.0"
10 | regenerator-runtime "^0.11.1"
11 |
12 | "@types/body-parser@*":
13 | version "1.16.8"
14 | resolved "https://registry.yarnpkg.com/@types/body-parser/-/body-parser-1.16.8.tgz#687ec34140624a3bec2b1a8ea9268478ae8f3be3"
15 | dependencies:
16 | "@types/express" "*"
17 | "@types/node" "*"
18 |
19 | "@types/cors@^2.8.3":
20 | version "2.8.3"
21 | resolved "https://registry.yarnpkg.com/@types/cors/-/cors-2.8.3.tgz#eaf6e476da0d36bee6b061a24d57e343ddce86d6"
22 | dependencies:
23 | "@types/express" "*"
24 |
25 | "@types/express-serve-static-core@*":
26 | version "4.11.0"
27 | resolved "https://registry.yarnpkg.com/@types/express-serve-static-core/-/express-serve-static-core-4.11.0.tgz#aaaf472777191c3e56ec7aa160034c6b55ebdd59"
28 | dependencies:
29 | "@types/node" "*"
30 |
31 | "@types/express@*", "@types/express@^4.0.39":
32 | version "4.11.0"
33 | resolved "https://registry.yarnpkg.com/@types/express/-/express-4.11.0.tgz#234d65280af917cb290634b7a8d6bcac24aecbad"
34 | dependencies:
35 | "@types/body-parser" "*"
36 | "@types/express-serve-static-core" "*"
37 | "@types/serve-static" "*"
38 |
39 | "@types/graphql@0.11.7":
40 | version "0.11.7"
41 | resolved "https://registry.yarnpkg.com/@types/graphql/-/graphql-0.11.7.tgz#da39a2f7c74e793e32e2bb7b3b68da1691532dd5"
42 |
43 | "@types/graphql@^0.11.8":
44 | version "0.11.8"
45 | resolved "https://registry.yarnpkg.com/@types/graphql/-/graphql-0.11.8.tgz#53ff3604e99db810dd43347f19fcd1c59725a7bb"
46 |
47 | "@types/lodash@^4.14.85":
48 | version "4.14.92"
49 | resolved "https://registry.yarnpkg.com/@types/lodash/-/lodash-4.14.92.tgz#6e3cb0b71a1e12180a47a42a744e856c3ae99a57"
50 |
51 | "@types/mime@*":
52 | version "2.0.0"
53 | resolved "https://registry.yarnpkg.com/@types/mime/-/mime-2.0.0.tgz#5a7306e367c539b9f6543499de8dd519fac37a8b"
54 |
55 | "@types/node@*":
56 | version "9.3.0"
57 | resolved "https://registry.yarnpkg.com/@types/node/-/node-9.3.0.tgz#3a129cda7c4e5df2409702626892cb4b96546dd5"
58 |
59 | "@types/serve-static@*":
60 | version "1.13.1"
61 | resolved "https://registry.yarnpkg.com/@types/serve-static/-/serve-static-1.13.1.tgz#1d2801fa635d274cd97d4ec07e26b21b44127492"
62 | dependencies:
63 | "@types/express-serve-static-core" "*"
64 | "@types/mime" "*"
65 |
66 | "@types/zen-observable@0.5.3", "@types/zen-observable@^0.5.3":
67 | version "0.5.3"
68 | resolved "https://registry.yarnpkg.com/@types/zen-observable/-/zen-observable-0.5.3.tgz#91b728599544efbb7386d8b6633693a3c2e7ade5"
69 |
70 | abbrev@1:
71 | version "1.1.1"
72 | resolved "https://registry.yarnpkg.com/abbrev/-/abbrev-1.1.1.tgz#f8f2c887ad10bf67f634f005b6987fed3179aac8"
73 |
74 | accepts@~1.3.4:
75 | version "1.3.4"
76 | resolved "https://registry.yarnpkg.com/accepts/-/accepts-1.3.4.tgz#86246758c7dd6d21a6474ff084a4740ec05eb21f"
77 | dependencies:
78 | mime-types "~2.1.16"
79 | negotiator "0.6.1"
80 |
81 | adm-zip@^0.4.7:
82 | version "0.4.7"
83 | resolved "https://registry.yarnpkg.com/adm-zip/-/adm-zip-0.4.7.tgz#8606c2cbf1c426ce8c8ec00174447fd49b6eafc1"
84 |
85 | ajv@^4.9.1:
86 | version "4.11.8"
87 | resolved "https://registry.yarnpkg.com/ajv/-/ajv-4.11.8.tgz#82ffb02b29e662ae53bdc20af15947706739c536"
88 | dependencies:
89 | co "^4.6.0"
90 | json-stable-stringify "^1.0.1"
91 |
92 | ajv@^5.1.0, ajv@^5.5.1:
93 | version "5.5.2"
94 | resolved "https://registry.yarnpkg.com/ajv/-/ajv-5.5.2.tgz#73b5eeca3fab653e3d3f9422b341ad42205dc965"
95 | dependencies:
96 | co "^4.6.0"
97 | fast-deep-equal "^1.0.0"
98 | fast-json-stable-stringify "^2.0.0"
99 | json-schema-traverse "^0.3.0"
100 |
101 | ansi-align@^2.0.0:
102 | version "2.0.0"
103 | resolved "https://registry.yarnpkg.com/ansi-align/-/ansi-align-2.0.0.tgz#c36aeccba563b89ceb556f3690f0b1d9e3547f7f"
104 | dependencies:
105 | string-width "^2.0.0"
106 |
107 | ansi-escapes@^3.0.0:
108 | version "3.0.0"
109 | resolved "https://registry.yarnpkg.com/ansi-escapes/-/ansi-escapes-3.0.0.tgz#ec3e8b4e9f8064fc02c3ac9b65f1c275bda8ef92"
110 |
111 | ansi-regex@^2.0.0:
112 | version "2.1.1"
113 | resolved "https://registry.yarnpkg.com/ansi-regex/-/ansi-regex-2.1.1.tgz#c3b33ab5ee360d86e0e628f0468ae7ef27d654df"
114 |
115 | ansi-regex@^3.0.0:
116 | version "3.0.0"
117 | resolved "https://registry.yarnpkg.com/ansi-regex/-/ansi-regex-3.0.0.tgz#ed0317c322064f79466c02966bddb605ab37d998"
118 |
119 | ansi-styles@^2.0.1, ansi-styles@^2.2.1:
120 | version "2.2.1"
121 | resolved "https://registry.yarnpkg.com/ansi-styles/-/ansi-styles-2.2.1.tgz#b432dd3358b634cf75e1e4664368240533c1ddbe"
122 |
123 | ansi-styles@^3.1.0:
124 | version "3.2.0"
125 | resolved "https://registry.yarnpkg.com/ansi-styles/-/ansi-styles-3.2.0.tgz#c159b8d5be0f9e5a6f346dab94f16ce022161b88"
126 | dependencies:
127 | color-convert "^1.9.0"
128 |
129 | anymatch@^2.0.0:
130 | version "2.0.0"
131 | resolved "https://registry.yarnpkg.com/anymatch/-/anymatch-2.0.0.tgz#bcb24b4f37934d9aa7ac17b4adaf89e7c76ef2eb"
132 | dependencies:
133 | micromatch "^3.1.4"
134 | normalize-path "^2.1.1"
135 |
136 | apollo-cache-control@^0.0.x:
137 | version "0.0.9"
138 | resolved "https://registry.yarnpkg.com/apollo-cache-control/-/apollo-cache-control-0.0.9.tgz#77100f456fb19526d33b7f595c8ab1a2980dcbb4"
139 | dependencies:
140 | graphql-extensions "^0.0.x"
141 |
142 | apollo-link-error@1.0.3:
143 | version "1.0.3"
144 | resolved "https://registry.yarnpkg.com/apollo-link-error/-/apollo-link-error-1.0.3.tgz#2c679d2e6a2df09a9ae3f70d23c64af922a801a2"
145 | dependencies:
146 | apollo-link "^1.0.6"
147 |
148 | apollo-link-http@1.3.2:
149 | version "1.3.2"
150 | resolved "https://registry.yarnpkg.com/apollo-link-http/-/apollo-link-http-1.3.2.tgz#63537ee5ecf9c004efb0317f1222b7dbc6f21559"
151 | dependencies:
152 | apollo-link "^1.0.7"
153 |
154 | apollo-link-ws@1.0.4:
155 | version "1.0.4"
156 | resolved "https://registry.yarnpkg.com/apollo-link-ws/-/apollo-link-ws-1.0.4.tgz#d0067aa0204470dbd3955aa5204f8dd72d389350"
157 | dependencies:
158 | apollo-link "^1.0.7"
159 |
160 | apollo-link@1.0.7, apollo-link@^1.0.0, apollo-link@^1.0.6, apollo-link@^1.0.7:
161 | version "1.0.7"
162 | resolved "https://registry.yarnpkg.com/apollo-link/-/apollo-link-1.0.7.tgz#42cd38a7378332fc3e41a214ff6a6e5e703a556f"
163 | dependencies:
164 | "@types/zen-observable" "0.5.3"
165 | apollo-utilities "^1.0.0"
166 | zen-observable "^0.6.0"
167 |
168 | apollo-server-core@^1.3.2:
169 | version "1.3.2"
170 | resolved "https://registry.yarnpkg.com/apollo-server-core/-/apollo-server-core-1.3.2.tgz#f36855a3ebdc2d77b8b9c454380bf1d706105ffc"
171 | dependencies:
172 | apollo-cache-control "^0.0.x"
173 | apollo-tracing "^0.1.0"
174 | graphql-extensions "^0.0.x"
175 |
176 | apollo-server-express@^1.3.2:
177 | version "1.3.2"
178 | resolved "https://registry.yarnpkg.com/apollo-server-express/-/apollo-server-express-1.3.2.tgz#0ff8201c0bf362804a151e1399767dae6ab7e309"
179 | dependencies:
180 | apollo-server-core "^1.3.2"
181 | apollo-server-module-graphiql "^1.3.0"
182 |
183 | apollo-server-lambda@1.3.2:
184 | version "1.3.2"
185 | resolved "https://registry.yarnpkg.com/apollo-server-lambda/-/apollo-server-lambda-1.3.2.tgz#bcf75f3d7115d11cc9892ad3b17427b3d536df0f"
186 | dependencies:
187 | apollo-server-core "^1.3.2"
188 | apollo-server-module-graphiql "^1.3.0"
189 |
190 | apollo-server-module-graphiql@^1.3.0:
191 | version "1.3.2"
192 | resolved "https://registry.yarnpkg.com/apollo-server-module-graphiql/-/apollo-server-module-graphiql-1.3.2.tgz#0a9e4c48dece3af904fee333f95f7b9817335ca7"
193 |
194 | apollo-tracing@^0.1.0:
195 | version "0.1.3"
196 | resolved "https://registry.yarnpkg.com/apollo-tracing/-/apollo-tracing-0.1.3.tgz#6820c066bf20f9d9a4eddfc023f7c83ee2601f0b"
197 | dependencies:
198 | graphql-extensions "^0.0.x"
199 |
200 | apollo-upload-server@^4.0.0-alpha.1:
201 | version "4.0.0-alpha.3"
202 | resolved "https://registry.yarnpkg.com/apollo-upload-server/-/apollo-upload-server-4.0.0-alpha.3.tgz#bdb174021042c97f2eea887964188bc1696c1b36"
203 | dependencies:
204 | "@babel/runtime" "^7.0.0-beta.37"
205 | busboy "^0.2.14"
206 | object-path "^0.11.4"
207 |
208 | apollo-utilities@^1.0.0, apollo-utilities@^1.0.1:
209 | version "1.0.4"
210 | resolved "https://registry.yarnpkg.com/apollo-utilities/-/apollo-utilities-1.0.4.tgz#560009ea5541b9fdc4ee07ebb1714ee319a76c15"
211 |
212 | aproba@^1.0.3:
213 | version "1.2.0"
214 | resolved "https://registry.yarnpkg.com/aproba/-/aproba-1.2.0.tgz#6802e6264efd18c790a1b0d517f0f2627bf2c94a"
215 |
216 | are-we-there-yet@~1.1.2:
217 | version "1.1.4"
218 | resolved "https://registry.yarnpkg.com/are-we-there-yet/-/are-we-there-yet-1.1.4.tgz#bb5dca382bb94f05e15194373d16fd3ba1ca110d"
219 | dependencies:
220 | delegates "^1.0.0"
221 | readable-stream "^2.0.6"
222 |
223 | argparse@^1.0.7:
224 | version "1.0.9"
225 | resolved "https://registry.yarnpkg.com/argparse/-/argparse-1.0.9.tgz#73d83bc263f86e97f8cc4f6bae1b0e90a7d22c86"
226 | dependencies:
227 | sprintf-js "~1.0.2"
228 |
229 | arr-diff@^4.0.0:
230 | version "4.0.0"
231 | resolved "https://registry.yarnpkg.com/arr-diff/-/arr-diff-4.0.0.tgz#d6461074febfec71e7e15235761a329a5dc7c520"
232 |
233 | arr-flatten@^1.1.0:
234 | version "1.1.0"
235 | resolved "https://registry.yarnpkg.com/arr-flatten/-/arr-flatten-1.1.0.tgz#36048bbff4e7b47e136644316c99669ea5ae91f1"
236 |
237 | arr-union@^3.1.0:
238 | version "3.1.0"
239 | resolved "https://registry.yarnpkg.com/arr-union/-/arr-union-3.1.0.tgz#e39b09aea9def866a8f206e288af63919bae39c4"
240 |
241 | array-flatten@1.1.1:
242 | version "1.1.1"
243 | resolved "https://registry.yarnpkg.com/array-flatten/-/array-flatten-1.1.1.tgz#9a5f699051b1e7073328f2a008968b64ea2955d2"
244 |
245 | array-unique@^0.3.2:
246 | version "0.3.2"
247 | resolved "https://registry.yarnpkg.com/array-unique/-/array-unique-0.3.2.tgz#a894b75d4bc4f6cd679ef3244a9fd8f46ae2d428"
248 |
249 | arrify@^1.0.0:
250 | version "1.0.1"
251 | resolved "https://registry.yarnpkg.com/arrify/-/arrify-1.0.1.tgz#898508da2226f380df904728456849c1501a4b0d"
252 |
253 | asn1@~0.2.3:
254 | version "0.2.3"
255 | resolved "https://registry.yarnpkg.com/asn1/-/asn1-0.2.3.tgz#dac8787713c9966849fc8180777ebe9c1ddf3b86"
256 |
257 | assert-plus@1.0.0, assert-plus@^1.0.0:
258 | version "1.0.0"
259 | resolved "https://registry.yarnpkg.com/assert-plus/-/assert-plus-1.0.0.tgz#f12e0f3c5d77b0b1cdd9146942e4e96c1e4dd525"
260 |
261 | assert-plus@^0.2.0:
262 | version "0.2.0"
263 | resolved "https://registry.yarnpkg.com/assert-plus/-/assert-plus-0.2.0.tgz#d74e1b87e7affc0db8aadb7021f3fe48101ab234"
264 |
265 | assign-symbols@^1.0.0:
266 | version "1.0.0"
267 | resolved "https://registry.yarnpkg.com/assign-symbols/-/assign-symbols-1.0.0.tgz#59667f41fadd4f20ccbc2bb96b8d4f7f78ec0367"
268 |
269 | async-each@^1.0.0:
270 | version "1.0.1"
271 | resolved "https://registry.yarnpkg.com/async-each/-/async-each-1.0.1.tgz#19d386a1d9edc6e7c1c85d388aedbcc56d33602d"
272 |
273 | async-limiter@~1.0.0:
274 | version "1.0.0"
275 | resolved "https://registry.yarnpkg.com/async-limiter/-/async-limiter-1.0.0.tgz#78faed8c3d074ab81f22b4e985d79e8738f720f8"
276 |
277 | async@^1.4.0:
278 | version "1.5.2"
279 | resolved "https://registry.yarnpkg.com/async/-/async-1.5.2.tgz#ec6a61ae56480c0c3cb241c95618e20892f9672a"
280 |
281 | asynckit@^0.4.0:
282 | version "0.4.0"
283 | resolved "https://registry.yarnpkg.com/asynckit/-/asynckit-0.4.0.tgz#c79ed97f7f34cb8f2ba1bc9790bcc366474b4b79"
284 |
285 | atob@^2.0.0:
286 | version "2.0.3"
287 | resolved "https://registry.yarnpkg.com/atob/-/atob-2.0.3.tgz#19c7a760473774468f20b2d2d03372ad7d4cbf5d"
288 |
289 | aws-sign2@~0.6.0:
290 | version "0.6.0"
291 | resolved "https://registry.yarnpkg.com/aws-sign2/-/aws-sign2-0.6.0.tgz#14342dd38dbcc94d0e5b87d763cd63612c0e794f"
292 |
293 | aws-sign2@~0.7.0:
294 | version "0.7.0"
295 | resolved "https://registry.yarnpkg.com/aws-sign2/-/aws-sign2-0.7.0.tgz#b46e890934a9591f2d2f6f86d7e6a9f1b3fe76a8"
296 |
297 | aws4@^1.2.1, aws4@^1.6.0:
298 | version "1.6.0"
299 | resolved "https://registry.yarnpkg.com/aws4/-/aws4-1.6.0.tgz#83ef5ca860b2b32e4a0deedee8c771b9db57471e"
300 |
301 | backo2@^1.0.2:
302 | version "1.0.2"
303 | resolved "https://registry.yarnpkg.com/backo2/-/backo2-1.0.2.tgz#31ab1ac8b129363463e35b3ebb69f4dfcfba7947"
304 |
305 | balanced-match@^1.0.0:
306 | version "1.0.0"
307 | resolved "https://registry.yarnpkg.com/balanced-match/-/balanced-match-1.0.0.tgz#89b4d199ab2bee49de164ea02b89ce462d71b767"
308 |
309 | base64url@2.0.0, base64url@^2.0.0:
310 | version "2.0.0"
311 | resolved "https://registry.yarnpkg.com/base64url/-/base64url-2.0.0.tgz#eac16e03ea1438eff9423d69baa36262ed1f70bb"
312 |
313 | base@^0.11.1:
314 | version "0.11.2"
315 | resolved "https://registry.yarnpkg.com/base/-/base-0.11.2.tgz#7bde5ced145b6d551a90db87f83c558b4eb48a8f"
316 | dependencies:
317 | cache-base "^1.0.1"
318 | class-utils "^0.3.5"
319 | component-emitter "^1.2.1"
320 | define-property "^1.0.0"
321 | isobject "^3.0.1"
322 | mixin-deep "^1.2.0"
323 | pascalcase "^0.1.1"
324 |
325 | bcrypt-pbkdf@^1.0.0:
326 | version "1.0.1"
327 | resolved "https://registry.yarnpkg.com/bcrypt-pbkdf/-/bcrypt-pbkdf-1.0.1.tgz#63bc5dcb61331b92bc05fd528953c33462a06f8d"
328 | dependencies:
329 | tweetnacl "^0.14.3"
330 |
331 | binary-extensions@^1.0.0:
332 | version "1.11.0"
333 | resolved "https://registry.yarnpkg.com/binary-extensions/-/binary-extensions-1.11.0.tgz#46aa1751fb6a2f93ee5e689bb1087d4b14c6c205"
334 |
335 | block-stream@*:
336 | version "0.0.9"
337 | resolved "https://registry.yarnpkg.com/block-stream/-/block-stream-0.0.9.tgz#13ebfe778a03205cfe03751481ebb4b3300c126a"
338 | dependencies:
339 | inherits "~2.0.0"
340 |
341 | bluebird@^3.5.1:
342 | version "3.5.1"
343 | resolved "https://registry.yarnpkg.com/bluebird/-/bluebird-3.5.1.tgz#d9551f9de98f1fcda1e683d17ee91a0602ee2eb9"
344 |
345 | body-parser-graphql@1.0.0:
346 | version "1.0.0"
347 | resolved "https://registry.yarnpkg.com/body-parser-graphql/-/body-parser-graphql-1.0.0.tgz#997de1792ed222cbc4845d404f4549eb88ec6d37"
348 | dependencies:
349 | body-parser "^1.18.2"
350 |
351 | body-parser@1.18.2, body-parser@^1.12.0, body-parser@^1.18.2:
352 | version "1.18.2"
353 | resolved "https://registry.yarnpkg.com/body-parser/-/body-parser-1.18.2.tgz#87678a19d84b47d859b83199bd59bce222b10454"
354 | dependencies:
355 | bytes "3.0.0"
356 | content-type "~1.0.4"
357 | debug "2.6.9"
358 | depd "~1.1.1"
359 | http-errors "~1.6.2"
360 | iconv-lite "0.4.19"
361 | on-finished "~2.3.0"
362 | qs "6.5.1"
363 | raw-body "2.3.2"
364 | type-is "~1.6.15"
365 |
366 | boom@2.x.x:
367 | version "2.10.1"
368 | resolved "https://registry.yarnpkg.com/boom/-/boom-2.10.1.tgz#39c8918ceff5799f83f9492a848f625add0c766f"
369 | dependencies:
370 | hoek "2.x.x"
371 |
372 | boom@4.x.x:
373 | version "4.3.1"
374 | resolved "https://registry.yarnpkg.com/boom/-/boom-4.3.1.tgz#4f8a3005cb4a7e3889f749030fd25b96e01d2e31"
375 | dependencies:
376 | hoek "4.x.x"
377 |
378 | boom@5.x.x:
379 | version "5.2.0"
380 | resolved "https://registry.yarnpkg.com/boom/-/boom-5.2.0.tgz#5dd9da6ee3a5f302077436290cb717d3f4a54e02"
381 | dependencies:
382 | hoek "4.x.x"
383 |
384 | boxen@^1.2.1:
385 | version "1.3.0"
386 | resolved "https://registry.yarnpkg.com/boxen/-/boxen-1.3.0.tgz#55c6c39a8ba58d9c61ad22cd877532deb665a20b"
387 | dependencies:
388 | ansi-align "^2.0.0"
389 | camelcase "^4.0.0"
390 | chalk "^2.0.1"
391 | cli-boxes "^1.0.0"
392 | string-width "^2.0.0"
393 | term-size "^1.2.0"
394 | widest-line "^2.0.0"
395 |
396 | brace-expansion@^1.1.7:
397 | version "1.1.8"
398 | resolved "https://registry.yarnpkg.com/brace-expansion/-/brace-expansion-1.1.8.tgz#c07b211c7c952ec1f8efd51a77ef0d1d3990a292"
399 | dependencies:
400 | balanced-match "^1.0.0"
401 | concat-map "0.0.1"
402 |
403 | braces@^2.3.0:
404 | version "2.3.0"
405 | resolved "https://registry.yarnpkg.com/braces/-/braces-2.3.0.tgz#a46941cb5fb492156b3d6a656e06c35364e3e66e"
406 | dependencies:
407 | arr-flatten "^1.1.0"
408 | array-unique "^0.3.2"
409 | define-property "^1.0.0"
410 | extend-shallow "^2.0.1"
411 | fill-range "^4.0.0"
412 | isobject "^3.0.1"
413 | repeat-element "^1.1.2"
414 | snapdragon "^0.8.1"
415 | snapdragon-node "^2.0.1"
416 | split-string "^3.0.2"
417 | to-regex "^3.0.1"
418 |
419 | buffer-equal-constant-time@1.0.1:
420 | version "1.0.1"
421 | resolved "https://registry.yarnpkg.com/buffer-equal-constant-time/-/buffer-equal-constant-time-1.0.1.tgz#f8e71132f7ffe6e01a5c9697a4c6f3e48d5cc819"
422 |
423 | busboy@^0.2.14:
424 | version "0.2.14"
425 | resolved "https://registry.yarnpkg.com/busboy/-/busboy-0.2.14.tgz#6c2a622efcf47c57bbbe1e2a9c37ad36c7925453"
426 | dependencies:
427 | dicer "0.2.5"
428 | readable-stream "1.1.x"
429 |
430 | bytes@3.0.0:
431 | version "3.0.0"
432 | resolved "https://registry.yarnpkg.com/bytes/-/bytes-3.0.0.tgz#d32815404d689699f85a4ea4fa8755dd13a96048"
433 |
434 | cache-base@^1.0.1:
435 | version "1.0.1"
436 | resolved "https://registry.yarnpkg.com/cache-base/-/cache-base-1.0.1.tgz#0a7f46416831c8b662ee36fe4e7c59d76f666ab2"
437 | dependencies:
438 | collection-visit "^1.0.0"
439 | component-emitter "^1.2.1"
440 | get-value "^2.0.6"
441 | has-value "^1.0.0"
442 | isobject "^3.0.1"
443 | set-value "^2.0.0"
444 | to-object-path "^0.3.0"
445 | union-value "^1.0.0"
446 | unset-value "^1.0.0"
447 |
448 | camel-case@^1.1.1:
449 | version "1.2.2"
450 | resolved "https://registry.yarnpkg.com/camel-case/-/camel-case-1.2.2.tgz#1aca7c4d195359a2ce9955793433c6e5542511f2"
451 | dependencies:
452 | sentence-case "^1.1.1"
453 | upper-case "^1.1.1"
454 |
455 | camelcase@^4.0.0, camelcase@^4.1.0:
456 | version "4.1.0"
457 | resolved "https://registry.yarnpkg.com/camelcase/-/camelcase-4.1.0.tgz#d545635be1e33c542649c69173e5de6acfae34dd"
458 |
459 | capture-stack-trace@^1.0.0:
460 | version "1.0.0"
461 | resolved "https://registry.yarnpkg.com/capture-stack-trace/-/capture-stack-trace-1.0.0.tgz#4a6fa07399c26bba47f0b2496b4d0fb408c5550d"
462 |
463 | caseless@~0.12.0:
464 | version "0.12.0"
465 | resolved "https://registry.yarnpkg.com/caseless/-/caseless-0.12.0.tgz#1b681c21ff84033c826543090689420d187151dc"
466 |
467 | chalk@2.3.0, chalk@^2.0.0, chalk@^2.0.1, chalk@^2.3.0:
468 | version "2.3.0"
469 | resolved "https://registry.yarnpkg.com/chalk/-/chalk-2.3.0.tgz#b5ea48efc9c1793dccc9b4767c93914d3f2d52ba"
470 | dependencies:
471 | ansi-styles "^3.1.0"
472 | escape-string-regexp "^1.0.5"
473 | supports-color "^4.0.0"
474 |
475 | chalk@^1.0.0, chalk@^1.1.1:
476 | version "1.1.3"
477 | resolved "https://registry.yarnpkg.com/chalk/-/chalk-1.1.3.tgz#a8115c55e4a702fe4d150abd3872822a7e09fc98"
478 | dependencies:
479 | ansi-styles "^2.2.1"
480 | escape-string-regexp "^1.0.2"
481 | has-ansi "^2.0.0"
482 | strip-ansi "^3.0.0"
483 | supports-color "^2.0.0"
484 |
485 | chardet@^0.4.0:
486 | version "0.4.2"
487 | resolved "https://registry.yarnpkg.com/chardet/-/chardet-0.4.2.tgz#b5473b33dc97c424e5d98dc87d55d4d8a29c8bf2"
488 |
489 | chokidar@^2.0.0:
490 | version "2.0.0"
491 | resolved "https://registry.yarnpkg.com/chokidar/-/chokidar-2.0.0.tgz#6686313c541d3274b2a5c01233342037948c911b"
492 | dependencies:
493 | anymatch "^2.0.0"
494 | async-each "^1.0.0"
495 | braces "^2.3.0"
496 | glob-parent "^3.1.0"
497 | inherits "^2.0.1"
498 | is-binary-path "^1.0.0"
499 | is-glob "^4.0.0"
500 | normalize-path "^2.1.1"
501 | path-is-absolute "^1.0.0"
502 | readdirp "^2.0.0"
503 | optionalDependencies:
504 | fsevents "^1.0.0"
505 |
506 | class-utils@^0.3.5:
507 | version "0.3.6"
508 | resolved "https://registry.yarnpkg.com/class-utils/-/class-utils-0.3.6.tgz#f93369ae8b9a7ce02fd41faad0ca83033190c463"
509 | dependencies:
510 | arr-union "^3.1.0"
511 | define-property "^0.2.5"
512 | isobject "^3.0.0"
513 | static-extend "^0.1.1"
514 |
515 | cli-boxes@^1.0.0:
516 | version "1.0.0"
517 | resolved "https://registry.yarnpkg.com/cli-boxes/-/cli-boxes-1.0.0.tgz#4fa917c3e59c94a004cd61f8ee509da651687143"
518 |
519 | cli-cursor@^2.1.0:
520 | version "2.1.0"
521 | resolved "https://registry.yarnpkg.com/cli-cursor/-/cli-cursor-2.1.0.tgz#b35dac376479facc3e94747d41d0d0f5238ffcb5"
522 | dependencies:
523 | restore-cursor "^2.0.0"
524 |
525 | cli-spinners@^1.0.0:
526 | version "1.1.0"
527 | resolved "https://registry.yarnpkg.com/cli-spinners/-/cli-spinners-1.1.0.tgz#f1847b168844d917a671eb9d147e3df497c90d06"
528 |
529 | cli-width@^2.0.0:
530 | version "2.2.0"
531 | resolved "https://registry.yarnpkg.com/cli-width/-/cli-width-2.2.0.tgz#ff19ede8a9a5e579324147b0c11f0fbcbabed639"
532 |
533 | cliui@^4.0.0:
534 | version "4.0.0"
535 | resolved "https://registry.yarnpkg.com/cliui/-/cliui-4.0.0.tgz#743d4650e05f36d1ed2575b59638d87322bfbbcc"
536 | dependencies:
537 | string-width "^2.1.1"
538 | strip-ansi "^4.0.0"
539 | wrap-ansi "^2.0.0"
540 |
541 | clone@^1.0.2:
542 | version "1.0.3"
543 | resolved "https://registry.yarnpkg.com/clone/-/clone-1.0.3.tgz#298d7e2231660f40c003c2ed3140decf3f53085f"
544 |
545 | co@^4.6.0:
546 | version "4.6.0"
547 | resolved "https://registry.yarnpkg.com/co/-/co-4.6.0.tgz#6ea6bdf3d853ae54ccb8e47bfa0bf3f9031fb184"
548 |
549 | code-point-at@^1.0.0:
550 | version "1.1.0"
551 | resolved "https://registry.yarnpkg.com/code-point-at/-/code-point-at-1.1.0.tgz#0d070b4d043a5bea33a2f1a40e2edb3d9a4ccf77"
552 |
553 | collection-visit@^1.0.0:
554 | version "1.0.0"
555 | resolved "https://registry.yarnpkg.com/collection-visit/-/collection-visit-1.0.0.tgz#4bc0373c164bc3291b4d368c829cf1a80a59dca0"
556 | dependencies:
557 | map-visit "^1.0.0"
558 | object-visit "^1.0.0"
559 |
560 | color-convert@^1.9.0:
561 | version "1.9.1"
562 | resolved "https://registry.yarnpkg.com/color-convert/-/color-convert-1.9.1.tgz#c1261107aeb2f294ebffec9ed9ecad529a6097ed"
563 | dependencies:
564 | color-name "^1.1.1"
565 |
566 | color-name@^1.1.1:
567 | version "1.1.3"
568 | resolved "https://registry.yarnpkg.com/color-name/-/color-name-1.1.3.tgz#a7d0558bd89c42f795dd42328f740831ca53bc25"
569 |
570 | columnify@^1.5.4:
571 | version "1.5.4"
572 | resolved "https://registry.yarnpkg.com/columnify/-/columnify-1.5.4.tgz#4737ddf1c7b69a8a7c340570782e947eec8e78bb"
573 | dependencies:
574 | strip-ansi "^3.0.0"
575 | wcwidth "^1.0.0"
576 |
577 | combined-stream@^1.0.5, combined-stream@~1.0.5:
578 | version "1.0.5"
579 | resolved "https://registry.yarnpkg.com/combined-stream/-/combined-stream-1.0.5.tgz#938370a57b4a51dea2c77c15d5c5fdf895164009"
580 | dependencies:
581 | delayed-stream "~1.0.0"
582 |
583 | command-exists@^1.2.2:
584 | version "1.2.2"
585 | resolved "https://registry.yarnpkg.com/command-exists/-/command-exists-1.2.2.tgz#12819c64faf95446ec0ae07fe6cafb6eb3708b22"
586 |
587 | commander@^2.11.0:
588 | version "2.13.0"
589 | resolved "https://registry.yarnpkg.com/commander/-/commander-2.13.0.tgz#6964bca67685df7c1f1430c584f07d7597885b9c"
590 |
591 | component-emitter@^1.2.1:
592 | version "1.2.1"
593 | resolved "https://registry.yarnpkg.com/component-emitter/-/component-emitter-1.2.1.tgz#137918d6d78283f7df7a6b7c5a63e140e69425e6"
594 |
595 | concat-map@0.0.1:
596 | version "0.0.1"
597 | resolved "https://registry.yarnpkg.com/concat-map/-/concat-map-0.0.1.tgz#d8a96bd77fd68df7793a73036a3ba0d5405d477b"
598 |
599 | configstore@^3.0.0:
600 | version "3.1.1"
601 | resolved "https://registry.yarnpkg.com/configstore/-/configstore-3.1.1.tgz#094ee662ab83fad9917678de114faaea8fcdca90"
602 | dependencies:
603 | dot-prop "^4.1.0"
604 | graceful-fs "^4.1.2"
605 | make-dir "^1.0.0"
606 | unique-string "^1.0.0"
607 | write-file-atomic "^2.0.0"
608 | xdg-basedir "^3.0.0"
609 |
610 | console-control-strings@^1.0.0, console-control-strings@~1.1.0:
611 | version "1.1.0"
612 | resolved "https://registry.yarnpkg.com/console-control-strings/-/console-control-strings-1.1.0.tgz#3d7cf4464db6446ea644bf4b39507f9851008e8e"
613 |
614 | content-disposition@0.5.2:
615 | version "0.5.2"
616 | resolved "https://registry.yarnpkg.com/content-disposition/-/content-disposition-0.5.2.tgz#0cf68bb9ddf5f2be7961c3a85178cb85dba78cb4"
617 |
618 | content-type@~1.0.4:
619 | version "1.0.4"
620 | resolved "https://registry.yarnpkg.com/content-type/-/content-type-1.0.4.tgz#e138cc75e040c727b1966fe5e5f8c9aee256fe3b"
621 |
622 | cookie-signature@1.0.6:
623 | version "1.0.6"
624 | resolved "https://registry.yarnpkg.com/cookie-signature/-/cookie-signature-1.0.6.tgz#e303a882b342cc3ee8ca513a79999734dab3ae2c"
625 |
626 | cookie@0.3.1:
627 | version "0.3.1"
628 | resolved "https://registry.yarnpkg.com/cookie/-/cookie-0.3.1.tgz#e7e0a1f9ef43b4c8ba925c5c5a96e806d16873bb"
629 |
630 | copy-descriptor@^0.1.0:
631 | version "0.1.1"
632 | resolved "https://registry.yarnpkg.com/copy-descriptor/-/copy-descriptor-0.1.1.tgz#676f6eb3c39997c2ee1ac3a924fd6124748f578d"
633 |
634 | core-js@^2.4.0, core-js@^2.5.3:
635 | version "2.5.3"
636 | resolved "https://registry.yarnpkg.com/core-js/-/core-js-2.5.3.tgz#8acc38345824f16d8365b7c9b4259168e8ed603e"
637 |
638 | core-util-is@1.0.2, core-util-is@~1.0.0:
639 | version "1.0.2"
640 | resolved "https://registry.yarnpkg.com/core-util-is/-/core-util-is-1.0.2.tgz#b5fd54220aa2bc5ab57aab7140c940754503c1a7"
641 |
642 | cors@^2.8.4:
643 | version "2.8.4"
644 | resolved "https://registry.yarnpkg.com/cors/-/cors-2.8.4.tgz#2bd381f2eb201020105cd50ea59da63090694686"
645 | dependencies:
646 | object-assign "^4"
647 | vary "^1"
648 |
649 | cosmiconfig@^3.1.0:
650 | version "3.1.0"
651 | resolved "https://registry.yarnpkg.com/cosmiconfig/-/cosmiconfig-3.1.0.tgz#640a94bf9847f321800403cd273af60665c73397"
652 | dependencies:
653 | is-directory "^0.3.1"
654 | js-yaml "^3.9.0"
655 | parse-json "^3.0.0"
656 | require-from-string "^2.0.1"
657 |
658 | create-error-class@^3.0.0:
659 | version "3.0.2"
660 | resolved "https://registry.yarnpkg.com/create-error-class/-/create-error-class-3.0.2.tgz#06be7abef947a3f14a30fd610671d401bca8b7b6"
661 | dependencies:
662 | capture-stack-trace "^1.0.0"
663 |
664 | cross-fetch@1.1.1:
665 | version "1.1.1"
666 | resolved "https://registry.yarnpkg.com/cross-fetch/-/cross-fetch-1.1.1.tgz#dede6865ae30f37eae62ac90ebb7bdac002b05a0"
667 | dependencies:
668 | node-fetch "1.7.3"
669 | whatwg-fetch "2.0.3"
670 |
671 | cross-spawn@^4.0.0:
672 | version "4.0.2"
673 | resolved "https://registry.yarnpkg.com/cross-spawn/-/cross-spawn-4.0.2.tgz#7b9247621c23adfdd3856004a823cbe397424d41"
674 | dependencies:
675 | lru-cache "^4.0.1"
676 | which "^1.2.9"
677 |
678 | cross-spawn@^5.0.1, cross-spawn@^5.1.0:
679 | version "5.1.0"
680 | resolved "https://registry.yarnpkg.com/cross-spawn/-/cross-spawn-5.1.0.tgz#e8bd0efee58fcff6f8f94510a0a554bbfa235449"
681 | dependencies:
682 | lru-cache "^4.0.1"
683 | shebang-command "^1.2.0"
684 | which "^1.2.9"
685 |
686 | cryptiles@2.x.x:
687 | version "2.0.5"
688 | resolved "https://registry.yarnpkg.com/cryptiles/-/cryptiles-2.0.5.tgz#3bdfecdc608147c1c67202fa291e7dca59eaa3b8"
689 | dependencies:
690 | boom "2.x.x"
691 |
692 | cryptiles@3.x.x:
693 | version "3.1.2"
694 | resolved "https://registry.yarnpkg.com/cryptiles/-/cryptiles-3.1.2.tgz#a89fbb220f5ce25ec56e8c4aa8a4fd7b5b0d29fe"
695 | dependencies:
696 | boom "5.x.x"
697 |
698 | crypto-random-string@^1.0.0:
699 | version "1.0.0"
700 | resolved "https://registry.yarnpkg.com/crypto-random-string/-/crypto-random-string-1.0.0.tgz#a230f64f568310e1498009940790ec99545bca7e"
701 |
702 | cucumber-html-reporter@^3.0.4:
703 | version "3.0.4"
704 | resolved "https://registry.yarnpkg.com/cucumber-html-reporter/-/cucumber-html-reporter-3.0.4.tgz#1be0dee83f30a2f4719207859a5440ce082ffadd"
705 | dependencies:
706 | find "^0.2.7"
707 | fs-extra "^3.0.1"
708 | js-base64 "^2.3.2"
709 | jsonfile "^3.0.0"
710 | lodash "^4.17.2"
711 | open "0.0.5"
712 |
713 | dashdash@^1.12.0:
714 | version "1.14.1"
715 | resolved "https://registry.yarnpkg.com/dashdash/-/dashdash-1.14.1.tgz#853cfa0f7cbe2fed5de20326b8dd581035f6e2f0"
716 | dependencies:
717 | assert-plus "^1.0.0"
718 |
719 | debug@2.6.9, debug@^2.1.1, debug@^2.2.0, debug@^2.3.3:
720 | version "2.6.9"
721 | resolved "https://registry.yarnpkg.com/debug/-/debug-2.6.9.tgz#5d128515df134ff327e90a4c93f4e077a536341f"
722 | dependencies:
723 | ms "2.0.0"
724 |
725 | debug@^3.1.0:
726 | version "3.1.0"
727 | resolved "https://registry.yarnpkg.com/debug/-/debug-3.1.0.tgz#5bb5a0672628b64149566ba16819e61518c67261"
728 | dependencies:
729 | ms "2.0.0"
730 |
731 | decamelize@^1.1.1:
732 | version "1.2.0"
733 | resolved "https://registry.yarnpkg.com/decamelize/-/decamelize-1.2.0.tgz#f6534d15148269b20352e7bee26f501f9a191290"
734 |
735 | decode-uri-component@^0.2.0:
736 | version "0.2.0"
737 | resolved "https://registry.yarnpkg.com/decode-uri-component/-/decode-uri-component-0.2.0.tgz#eb3913333458775cb84cd1a1fae062106bb87545"
738 |
739 | deep-extend@~0.4.0:
740 | version "0.4.2"
741 | resolved "https://registry.yarnpkg.com/deep-extend/-/deep-extend-0.4.2.tgz#48b699c27e334bf89f10892be432f6e4c7d34a7f"
742 |
743 | defaults@^1.0.3:
744 | version "1.0.3"
745 | resolved "https://registry.yarnpkg.com/defaults/-/defaults-1.0.3.tgz#c656051e9817d9ff08ed881477f3fe4019f3ef7d"
746 | dependencies:
747 | clone "^1.0.2"
748 |
749 | define-property@^0.2.5:
750 | version "0.2.5"
751 | resolved "https://registry.yarnpkg.com/define-property/-/define-property-0.2.5.tgz#c35b1ef918ec3c990f9a5bc57be04aacec5c8116"
752 | dependencies:
753 | is-descriptor "^0.1.0"
754 |
755 | define-property@^1.0.0:
756 | version "1.0.0"
757 | resolved "https://registry.yarnpkg.com/define-property/-/define-property-1.0.0.tgz#769ebaaf3f4a63aad3af9e8d304c9bbe79bfb0e6"
758 | dependencies:
759 | is-descriptor "^1.0.0"
760 |
761 | delayed-stream@~1.0.0:
762 | version "1.0.0"
763 | resolved "https://registry.yarnpkg.com/delayed-stream/-/delayed-stream-1.0.0.tgz#df3ae199acadfb7d440aaae0b29e2272b24ec619"
764 |
765 | delegates@^1.0.0:
766 | version "1.0.0"
767 | resolved "https://registry.yarnpkg.com/delegates/-/delegates-1.0.0.tgz#84c6e159b81904fdca59a0ef44cd870d31250f9a"
768 |
769 | depd@1.1.1:
770 | version "1.1.1"
771 | resolved "https://registry.yarnpkg.com/depd/-/depd-1.1.1.tgz#5783b4e1c459f06fa5ca27f991f3d06e7a310359"
772 |
773 | depd@~1.1.1:
774 | version "1.1.2"
775 | resolved "https://registry.yarnpkg.com/depd/-/depd-1.1.2.tgz#9bcd52e14c097763e749b274c4346ed2e560b5a9"
776 |
777 | deprecated-decorator@^0.1.6:
778 | version "0.1.6"
779 | resolved "https://registry.yarnpkg.com/deprecated-decorator/-/deprecated-decorator-0.1.6.tgz#00966317b7a12fe92f3cc831f7583af329b86c37"
780 |
781 | destroy@~1.0.4:
782 | version "1.0.4"
783 | resolved "https://registry.yarnpkg.com/destroy/-/destroy-1.0.4.tgz#978857442c44749e4206613e37946205826abd80"
784 |
785 | detect-libc@^1.0.2:
786 | version "1.0.3"
787 | resolved "https://registry.yarnpkg.com/detect-libc/-/detect-libc-1.0.3.tgz#fa137c4bd698edf55cd5cd02ac559f91a4c4ba9b"
788 |
789 | dicer@0.2.5:
790 | version "0.2.5"
791 | resolved "https://registry.yarnpkg.com/dicer/-/dicer-0.2.5.tgz#5996c086bb33218c812c090bddc09cd12facb70f"
792 | dependencies:
793 | readable-stream "1.1.x"
794 | streamsearch "0.1.2"
795 |
796 | diff@^1.3.2:
797 | version "1.4.0"
798 | resolved "https://registry.yarnpkg.com/diff/-/diff-1.4.0.tgz#7f28d2eb9ee7b15a97efd89ce63dcfdaa3ccbabf"
799 |
800 | diff@^3.1.0:
801 | version "3.4.0"
802 | resolved "https://registry.yarnpkg.com/diff/-/diff-3.4.0.tgz#b1d85507daf3964828de54b37d0d73ba67dda56c"
803 |
804 | disparity@^2.0.0:
805 | version "2.0.0"
806 | resolved "https://registry.yarnpkg.com/disparity/-/disparity-2.0.0.tgz#57ddacb47324ae5f58d2cc0da886db4ce9eeb718"
807 | dependencies:
808 | ansi-styles "^2.0.1"
809 | diff "^1.3.2"
810 |
811 | dot-prop@^4.1.0:
812 | version "4.2.0"
813 | resolved "https://registry.yarnpkg.com/dot-prop/-/dot-prop-4.2.0.tgz#1f19e0c2e1aa0e32797c49799f2837ac6af69c57"
814 | dependencies:
815 | is-obj "^1.0.0"
816 |
817 | dotenv-cli@^1.4.0:
818 | version "1.4.0"
819 | resolved "https://registry.yarnpkg.com/dotenv-cli/-/dotenv-cli-1.4.0.tgz#e8e80830ed88b48a03b5eb7ec26147ca717f7409"
820 | dependencies:
821 | cross-spawn "^4.0.0"
822 | dotenv "^4.0.0"
823 | minimist "^1.1.3"
824 |
825 | dotenv@^4.0.0:
826 | version "4.0.0"
827 | resolved "https://registry.yarnpkg.com/dotenv/-/dotenv-4.0.0.tgz#864ef1379aced55ce6f95debecdce179f7a0cd1d"
828 |
829 | duplexer3@^0.1.4:
830 | version "0.1.4"
831 | resolved "https://registry.yarnpkg.com/duplexer3/-/duplexer3-0.1.4.tgz#ee01dd1cac0ed3cbc7fdbea37dc0a8f1ce002ce2"
832 |
833 | duplexer@~0.1.1:
834 | version "0.1.1"
835 | resolved "https://registry.yarnpkg.com/duplexer/-/duplexer-0.1.1.tgz#ace6ff808c1ce66b57d1ebf97977acb02334cfc1"
836 |
837 | ecc-jsbn@~0.1.1:
838 | version "0.1.1"
839 | resolved "https://registry.yarnpkg.com/ecc-jsbn/-/ecc-jsbn-0.1.1.tgz#0fc73a9ed5f0d53c38193398523ef7e543777505"
840 | dependencies:
841 | jsbn "~0.1.0"
842 |
843 | ecdsa-sig-formatter@1.0.9:
844 | version "1.0.9"
845 | resolved "https://registry.yarnpkg.com/ecdsa-sig-formatter/-/ecdsa-sig-formatter-1.0.9.tgz#4bc926274ec3b5abb5016e7e1d60921ac262b2a1"
846 | dependencies:
847 | base64url "^2.0.0"
848 | safe-buffer "^5.0.1"
849 |
850 | ee-first@1.1.1:
851 | version "1.1.1"
852 | resolved "https://registry.yarnpkg.com/ee-first/-/ee-first-1.1.1.tgz#590c61156b0ae2f4f0255732a158b266bc56b21d"
853 |
854 | encodeurl@~1.0.1:
855 | version "1.0.1"
856 | resolved "https://registry.yarnpkg.com/encodeurl/-/encodeurl-1.0.1.tgz#79e3d58655346909fe6f0f45a5de68103b294d20"
857 |
858 | encoding@^0.1.11:
859 | version "0.1.12"
860 | resolved "https://registry.yarnpkg.com/encoding/-/encoding-0.1.12.tgz#538b66f3ee62cd1ab51ec323829d1f9480c74beb"
861 | dependencies:
862 | iconv-lite "~0.4.13"
863 |
864 | errno@^0.1.1:
865 | version "0.1.6"
866 | resolved "https://registry.yarnpkg.com/errno/-/errno-0.1.6.tgz#c386ce8a6283f14fc09563b71560908c9bf53026"
867 | dependencies:
868 | prr "~1.0.1"
869 |
870 | error-ex@^1.3.1:
871 | version "1.3.1"
872 | resolved "https://registry.yarnpkg.com/error-ex/-/error-ex-1.3.1.tgz#f855a86ce61adc4e8621c3cda21e7a7612c3a8dc"
873 | dependencies:
874 | is-arrayish "^0.2.1"
875 |
876 | es6-promise@^4.1.1:
877 | version "4.2.2"
878 | resolved "https://registry.yarnpkg.com/es6-promise/-/es6-promise-4.2.2.tgz#f722d7769af88bd33bc13ec6605e1f92966b82d9"
879 |
880 | escape-html@~1.0.3:
881 | version "1.0.3"
882 | resolved "https://registry.yarnpkg.com/escape-html/-/escape-html-1.0.3.tgz#0258eae4d3d0c0974de1c169188ef0051d1d1988"
883 |
884 | escape-string-regexp@^1.0.2, escape-string-regexp@^1.0.5:
885 | version "1.0.5"
886 | resolved "https://registry.yarnpkg.com/escape-string-regexp/-/escape-string-regexp-1.0.5.tgz#1b61c0562190a8dff6ae3bb2cf0200ca130b86d4"
887 |
888 | esprima@^4.0.0:
889 | version "4.0.0"
890 | resolved "https://registry.yarnpkg.com/esprima/-/esprima-4.0.0.tgz#4499eddcd1110e0b218bacf2fa7f7f59f55ca804"
891 |
892 | etag@~1.8.1:
893 | version "1.8.1"
894 | resolved "https://registry.yarnpkg.com/etag/-/etag-1.8.1.tgz#41ae2eeb65efa62268aebfea83ac7d79299b0887"
895 |
896 | event-stream@~3.3.0:
897 | version "3.3.4"
898 | resolved "https://registry.yarnpkg.com/event-stream/-/event-stream-3.3.4.tgz#4ab4c9a0f5a54db9338b4c34d86bfce8f4b35571"
899 | dependencies:
900 | duplexer "~0.1.1"
901 | from "~0"
902 | map-stream "~0.1.0"
903 | pause-stream "0.0.11"
904 | split "0.3"
905 | stream-combiner "~0.0.4"
906 | through "~2.3.1"
907 |
908 | eventemitter3@^2.0.3:
909 | version "2.0.3"
910 | resolved "https://registry.yarnpkg.com/eventemitter3/-/eventemitter3-2.0.3.tgz#b5e1079b59fb5e1ba2771c0a993be060a58c99ba"
911 |
912 | execa@^0.7.0:
913 | version "0.7.0"
914 | resolved "https://registry.yarnpkg.com/execa/-/execa-0.7.0.tgz#944becd34cc41ee32a63a9faf27ad5a65fc59777"
915 | dependencies:
916 | cross-spawn "^5.0.1"
917 | get-stream "^3.0.0"
918 | is-stream "^1.1.0"
919 | npm-run-path "^2.0.0"
920 | p-finally "^1.0.0"
921 | signal-exit "^3.0.0"
922 | strip-eof "^1.0.0"
923 |
924 | expand-brackets@^2.1.4:
925 | version "2.1.4"
926 | resolved "https://registry.yarnpkg.com/expand-brackets/-/expand-brackets-2.1.4.tgz#b77735e315ce30f6b6eff0f83b04151a22449622"
927 | dependencies:
928 | debug "^2.3.3"
929 | define-property "^0.2.5"
930 | extend-shallow "^2.0.1"
931 | posix-character-classes "^0.1.0"
932 | regex-not "^1.0.0"
933 | snapdragon "^0.8.1"
934 | to-regex "^3.0.1"
935 |
936 | expand-tilde@^2.0.0, expand-tilde@^2.0.2:
937 | version "2.0.2"
938 | resolved "https://registry.yarnpkg.com/expand-tilde/-/expand-tilde-2.0.2.tgz#97e801aa052df02454de46b02bf621642cdc8502"
939 | dependencies:
940 | homedir-polyfill "^1.0.1"
941 |
942 | express-request-proxy@^2.0.0:
943 | version "2.0.0"
944 | resolved "https://registry.yarnpkg.com/express-request-proxy/-/express-request-proxy-2.0.0.tgz#01919aec61e89a0f824fa5e6e733b8e063c9d64d"
945 | dependencies:
946 | async "^1.4.0"
947 | body-parser "^1.12.0"
948 | camel-case "^1.1.1"
949 | debug "^2.1.1"
950 | lodash "^4.6.1"
951 | lru-cache "^4.0.0"
952 | path-to-regexp "^1.1.1"
953 | request "^2.53.0"
954 | simple-errors "^1.0.0"
955 | through2 "^2.0.0"
956 | type-is "^1.6.6"
957 | url-join "0.0.1"
958 |
959 | express@^4.16.2:
960 | version "4.16.2"
961 | resolved "https://registry.yarnpkg.com/express/-/express-4.16.2.tgz#e35c6dfe2d64b7dca0a5cd4f21781be3299e076c"
962 | dependencies:
963 | accepts "~1.3.4"
964 | array-flatten "1.1.1"
965 | body-parser "1.18.2"
966 | content-disposition "0.5.2"
967 | content-type "~1.0.4"
968 | cookie "0.3.1"
969 | cookie-signature "1.0.6"
970 | debug "2.6.9"
971 | depd "~1.1.1"
972 | encodeurl "~1.0.1"
973 | escape-html "~1.0.3"
974 | etag "~1.8.1"
975 | finalhandler "1.1.0"
976 | fresh "0.5.2"
977 | merge-descriptors "1.0.1"
978 | methods "~1.1.2"
979 | on-finished "~2.3.0"
980 | parseurl "~1.3.2"
981 | path-to-regexp "0.1.7"
982 | proxy-addr "~2.0.2"
983 | qs "6.5.1"
984 | range-parser "~1.2.0"
985 | safe-buffer "5.1.1"
986 | send "0.16.1"
987 | serve-static "1.13.1"
988 | setprototypeof "1.1.0"
989 | statuses "~1.3.1"
990 | type-is "~1.6.15"
991 | utils-merge "1.0.1"
992 | vary "~1.1.2"
993 |
994 | extend-shallow@^2.0.1:
995 | version "2.0.1"
996 | resolved "https://registry.yarnpkg.com/extend-shallow/-/extend-shallow-2.0.1.tgz#51af7d614ad9a9f610ea1bafbb989d6b1c56890f"
997 | dependencies:
998 | is-extendable "^0.1.0"
999 |
1000 | extend-shallow@^3.0.0:
1001 | version "3.0.2"
1002 | resolved "https://registry.yarnpkg.com/extend-shallow/-/extend-shallow-3.0.2.tgz#26a71aaf073b39fb2127172746131c2704028db8"
1003 | dependencies:
1004 | assign-symbols "^1.0.0"
1005 | is-extendable "^1.0.1"
1006 |
1007 | extend@~3.0.0, extend@~3.0.1:
1008 | version "3.0.1"
1009 | resolved "https://registry.yarnpkg.com/extend/-/extend-3.0.1.tgz#a755ea7bc1adfcc5a31ce7e762dbaadc5e636444"
1010 |
1011 | external-editor@^2.1.0:
1012 | version "2.1.0"
1013 | resolved "https://registry.yarnpkg.com/external-editor/-/external-editor-2.1.0.tgz#3d026a21b7f95b5726387d4200ac160d372c3b48"
1014 | dependencies:
1015 | chardet "^0.4.0"
1016 | iconv-lite "^0.4.17"
1017 | tmp "^0.0.33"
1018 |
1019 | extglob@^2.0.2:
1020 | version "2.0.4"
1021 | resolved "https://registry.yarnpkg.com/extglob/-/extglob-2.0.4.tgz#ad00fe4dc612a9232e8718711dc5cb5ab0285543"
1022 | dependencies:
1023 | array-unique "^0.3.2"
1024 | define-property "^1.0.0"
1025 | expand-brackets "^2.1.4"
1026 | extend-shallow "^2.0.1"
1027 | fragment-cache "^0.2.1"
1028 | regex-not "^1.0.0"
1029 | snapdragon "^0.8.1"
1030 | to-regex "^3.0.1"
1031 |
1032 | extsprintf@1.3.0:
1033 | version "1.3.0"
1034 | resolved "https://registry.yarnpkg.com/extsprintf/-/extsprintf-1.3.0.tgz#96918440e3041a7a414f8c52e3c574eb3c3e1e05"
1035 |
1036 | extsprintf@^1.2.0:
1037 | version "1.4.0"
1038 | resolved "https://registry.yarnpkg.com/extsprintf/-/extsprintf-1.4.0.tgz#e2689f8f356fad62cca65a3a91c5df5f9551692f"
1039 |
1040 | fast-deep-equal@^1.0.0:
1041 | version "1.0.0"
1042 | resolved "https://registry.yarnpkg.com/fast-deep-equal/-/fast-deep-equal-1.0.0.tgz#96256a3bc975595eb36d82e9929d060d893439ff"
1043 |
1044 | fast-json-stable-stringify@^2.0.0:
1045 | version "2.0.0"
1046 | resolved "https://registry.yarnpkg.com/fast-json-stable-stringify/-/fast-json-stable-stringify-2.0.0.tgz#d5142c0caee6b1189f87d3a76111064f86c8bbf2"
1047 |
1048 | figures@^2.0.0:
1049 | version "2.0.0"
1050 | resolved "https://registry.yarnpkg.com/figures/-/figures-2.0.0.tgz#3ab1a2d2a62c8bfb431a0c94cb797a2fce27c962"
1051 | dependencies:
1052 | escape-string-regexp "^1.0.5"
1053 |
1054 | fill-range@^4.0.0:
1055 | version "4.0.0"
1056 | resolved "https://registry.yarnpkg.com/fill-range/-/fill-range-4.0.0.tgz#d544811d428f98eb06a63dc402d2403c328c38f7"
1057 | dependencies:
1058 | extend-shallow "^2.0.1"
1059 | is-number "^3.0.0"
1060 | repeat-string "^1.6.1"
1061 | to-regex-range "^2.1.0"
1062 |
1063 | finalhandler@1.1.0:
1064 | version "1.1.0"
1065 | resolved "https://registry.yarnpkg.com/finalhandler/-/finalhandler-1.1.0.tgz#ce0b6855b45853e791b2fcc680046d88253dd7f5"
1066 | dependencies:
1067 | debug "2.6.9"
1068 | encodeurl "~1.0.1"
1069 | escape-html "~1.0.3"
1070 | on-finished "~2.3.0"
1071 | parseurl "~1.3.2"
1072 | statuses "~1.3.1"
1073 | unpipe "~1.0.0"
1074 |
1075 | find-up@^2.1.0:
1076 | version "2.1.0"
1077 | resolved "https://registry.yarnpkg.com/find-up/-/find-up-2.1.0.tgz#45d1b7e506c717ddd482775a2b77920a3c0c57a7"
1078 | dependencies:
1079 | locate-path "^2.0.0"
1080 |
1081 | find@^0.2.7:
1082 | version "0.2.8"
1083 | resolved "https://registry.yarnpkg.com/find/-/find-0.2.8.tgz#7440e9faf53cec3256e2641aa1ebce183bc59050"
1084 | dependencies:
1085 | traverse-chain "~0.1.0"
1086 |
1087 | for-in@^1.0.2:
1088 | version "1.0.2"
1089 | resolved "https://registry.yarnpkg.com/for-in/-/for-in-1.0.2.tgz#81068d295a8142ec0ac726c6e2200c30fb6d5e80"
1090 |
1091 | forever-agent@~0.6.1:
1092 | version "0.6.1"
1093 | resolved "https://registry.yarnpkg.com/forever-agent/-/forever-agent-0.6.1.tgz#fbc71f0c41adeb37f96c577ad1ed42d8fdacca91"
1094 |
1095 | form-data@~2.1.1:
1096 | version "2.1.4"
1097 | resolved "https://registry.yarnpkg.com/form-data/-/form-data-2.1.4.tgz#33c183acf193276ecaa98143a69e94bfee1750d1"
1098 | dependencies:
1099 | asynckit "^0.4.0"
1100 | combined-stream "^1.0.5"
1101 | mime-types "^2.1.12"
1102 |
1103 | form-data@~2.3.1:
1104 | version "2.3.1"
1105 | resolved "https://registry.yarnpkg.com/form-data/-/form-data-2.3.1.tgz#6fb94fbd71885306d73d15cc497fe4cc4ecd44bf"
1106 | dependencies:
1107 | asynckit "^0.4.0"
1108 | combined-stream "^1.0.5"
1109 | mime-types "^2.1.12"
1110 |
1111 | forwarded@~0.1.2:
1112 | version "0.1.2"
1113 | resolved "https://registry.yarnpkg.com/forwarded/-/forwarded-0.1.2.tgz#98c23dab1175657b8c0573e8ceccd91b0ff18c84"
1114 |
1115 | fragment-cache@^0.2.1:
1116 | version "0.2.1"
1117 | resolved "https://registry.yarnpkg.com/fragment-cache/-/fragment-cache-0.2.1.tgz#4290fad27f13e89be7f33799c6bc5a0abfff0d19"
1118 | dependencies:
1119 | map-cache "^0.2.2"
1120 |
1121 | fresh@0.5.2:
1122 | version "0.5.2"
1123 | resolved "https://registry.yarnpkg.com/fresh/-/fresh-0.5.2.tgz#3d8cadd90d976569fa835ab1f8e4b23a105605a7"
1124 |
1125 | from@~0:
1126 | version "0.1.7"
1127 | resolved "https://registry.yarnpkg.com/from/-/from-0.1.7.tgz#83c60afc58b9c56997007ed1a768b3ab303a44fe"
1128 |
1129 | fs-extra@5.0.0:
1130 | version "5.0.0"
1131 | resolved "https://registry.yarnpkg.com/fs-extra/-/fs-extra-5.0.0.tgz#414d0110cdd06705734d055652c5411260c31abd"
1132 | dependencies:
1133 | graceful-fs "^4.1.2"
1134 | jsonfile "^4.0.0"
1135 | universalify "^0.1.0"
1136 |
1137 | fs-extra@^3.0.1:
1138 | version "3.0.1"
1139 | resolved "https://registry.yarnpkg.com/fs-extra/-/fs-extra-3.0.1.tgz#3794f378c58b342ea7dbbb23095109c4b3b62291"
1140 | dependencies:
1141 | graceful-fs "^4.1.2"
1142 | jsonfile "^3.0.0"
1143 | universalify "^0.1.0"
1144 |
1145 | fs-extra@^4.0.3:
1146 | version "4.0.3"
1147 | resolved "https://registry.yarnpkg.com/fs-extra/-/fs-extra-4.0.3.tgz#0d852122e5bc5beb453fb028e9c0c9bf36340c94"
1148 | dependencies:
1149 | graceful-fs "^4.1.2"
1150 | jsonfile "^4.0.0"
1151 | universalify "^0.1.0"
1152 |
1153 | fs.realpath@^1.0.0:
1154 | version "1.0.0"
1155 | resolved "https://registry.yarnpkg.com/fs.realpath/-/fs.realpath-1.0.0.tgz#1504ad2523158caa40db4a2787cb01411994ea4f"
1156 |
1157 | fsevents@^1.0.0:
1158 | version "1.1.3"
1159 | resolved "https://registry.yarnpkg.com/fsevents/-/fsevents-1.1.3.tgz#11f82318f5fe7bb2cd22965a108e9306208216d8"
1160 | dependencies:
1161 | nan "^2.3.0"
1162 | node-pre-gyp "^0.6.39"
1163 |
1164 | fstream-ignore@^1.0.5:
1165 | version "1.0.5"
1166 | resolved "https://registry.yarnpkg.com/fstream-ignore/-/fstream-ignore-1.0.5.tgz#9c31dae34767018fe1d249b24dada67d092da105"
1167 | dependencies:
1168 | fstream "^1.0.0"
1169 | inherits "2"
1170 | minimatch "^3.0.0"
1171 |
1172 | fstream@^1.0.0, fstream@^1.0.10, fstream@^1.0.2:
1173 | version "1.0.11"
1174 | resolved "https://registry.yarnpkg.com/fstream/-/fstream-1.0.11.tgz#5c1fb1f117477114f0632a0eb4b71b3cb0fd3171"
1175 | dependencies:
1176 | graceful-fs "^4.1.2"
1177 | inherits "~2.0.0"
1178 | mkdirp ">=0.5 0"
1179 | rimraf "2"
1180 |
1181 | gauge@~2.7.3:
1182 | version "2.7.4"
1183 | resolved "https://registry.yarnpkg.com/gauge/-/gauge-2.7.4.tgz#2c03405c7538c39d7eb37b317022e325fb018bf7"
1184 | dependencies:
1185 | aproba "^1.0.3"
1186 | console-control-strings "^1.0.0"
1187 | has-unicode "^2.0.0"
1188 | object-assign "^4.1.0"
1189 | signal-exit "^3.0.0"
1190 | string-width "^1.0.1"
1191 | strip-ansi "^3.0.1"
1192 | wide-align "^1.1.0"
1193 |
1194 | get-caller-file@^1.0.1:
1195 | version "1.0.2"
1196 | resolved "https://registry.yarnpkg.com/get-caller-file/-/get-caller-file-1.0.2.tgz#f702e63127e7e231c160a80c1554acb70d5047e5"
1197 |
1198 | get-stream@^3.0.0:
1199 | version "3.0.0"
1200 | resolved "https://registry.yarnpkg.com/get-stream/-/get-stream-3.0.0.tgz#8e943d1358dc37555054ecbe2edb05aa174ede14"
1201 |
1202 | get-value@^2.0.3, get-value@^2.0.6:
1203 | version "2.0.6"
1204 | resolved "https://registry.yarnpkg.com/get-value/-/get-value-2.0.6.tgz#dc15ca1c672387ca76bd37ac0a395ba2042a2c28"
1205 |
1206 | getpass@^0.1.1:
1207 | version "0.1.7"
1208 | resolved "https://registry.yarnpkg.com/getpass/-/getpass-0.1.7.tgz#5eff8e3e684d569ae4cb2b1282604e8ba62149fa"
1209 | dependencies:
1210 | assert-plus "^1.0.0"
1211 |
1212 | glob-parent@^3.1.0:
1213 | version "3.1.0"
1214 | resolved "https://registry.yarnpkg.com/glob-parent/-/glob-parent-3.1.0.tgz#9e6af6299d8d3bd2bd40430832bd113df906c5ae"
1215 | dependencies:
1216 | is-glob "^3.1.0"
1217 | path-dirname "^1.0.0"
1218 |
1219 | glob@^7.0.5, glob@^7.1.2:
1220 | version "7.1.2"
1221 | resolved "https://registry.yarnpkg.com/glob/-/glob-7.1.2.tgz#c19c9df9a028702d678612384a6552404c636d15"
1222 | dependencies:
1223 | fs.realpath "^1.0.0"
1224 | inflight "^1.0.4"
1225 | inherits "2"
1226 | minimatch "^3.0.4"
1227 | once "^1.3.0"
1228 | path-is-absolute "^1.0.0"
1229 |
1230 | global-dirs@^0.1.0:
1231 | version "0.1.1"
1232 | resolved "https://registry.yarnpkg.com/global-dirs/-/global-dirs-0.1.1.tgz#b319c0dd4607f353f3be9cca4c72fc148c49f445"
1233 | dependencies:
1234 | ini "^1.3.4"
1235 |
1236 | global-modules@^1.0.0:
1237 | version "1.0.0"
1238 | resolved "https://registry.yarnpkg.com/global-modules/-/global-modules-1.0.0.tgz#6d770f0eb523ac78164d72b5e71a8877265cc3ea"
1239 | dependencies:
1240 | global-prefix "^1.0.1"
1241 | is-windows "^1.0.1"
1242 | resolve-dir "^1.0.0"
1243 |
1244 | global-prefix@^1.0.1:
1245 | version "1.0.2"
1246 | resolved "https://registry.yarnpkg.com/global-prefix/-/global-prefix-1.0.2.tgz#dbf743c6c14992593c655568cb66ed32c0122ebe"
1247 | dependencies:
1248 | expand-tilde "^2.0.2"
1249 | homedir-polyfill "^1.0.1"
1250 | ini "^1.3.4"
1251 | is-windows "^1.0.1"
1252 | which "^1.2.14"
1253 |
1254 | got@^6.7.1:
1255 | version "6.7.1"
1256 | resolved "https://registry.yarnpkg.com/got/-/got-6.7.1.tgz#240cd05785a9a18e561dc1b44b41c763ef1e8db0"
1257 | dependencies:
1258 | create-error-class "^3.0.0"
1259 | duplexer3 "^0.1.4"
1260 | get-stream "^3.0.0"
1261 | is-redirect "^1.0.0"
1262 | is-retry-allowed "^1.0.0"
1263 | is-stream "^1.0.0"
1264 | lowercase-keys "^1.0.0"
1265 | safe-buffer "^5.0.1"
1266 | timed-out "^4.0.0"
1267 | unzip-response "^2.0.1"
1268 | url-parse-lax "^1.0.0"
1269 |
1270 | graceful-fs@^4.1.11, graceful-fs@^4.1.2, graceful-fs@^4.1.6:
1271 | version "4.1.11"
1272 | resolved "https://registry.yarnpkg.com/graceful-fs/-/graceful-fs-4.1.11.tgz#0e8bdfe4d1ddb8854d64e04ea7c00e2a026e5658"
1273 |
1274 | graphcool-json-schema@1.2.1:
1275 | version "1.2.1"
1276 | resolved "https://registry.yarnpkg.com/graphcool-json-schema/-/graphcool-json-schema-1.2.1.tgz#6cefb6c8b50543615e6efa43bb54f9e3fbb281f3"
1277 |
1278 | graphcool-yml@0.4.15:
1279 | version "0.4.15"
1280 | resolved "https://registry.yarnpkg.com/graphcool-yml/-/graphcool-yml-0.4.15.tgz#9834a25daa62dc609558509a67396763ff81503b"
1281 | dependencies:
1282 | ajv "^5.5.1"
1283 | bluebird "^3.5.1"
1284 | debug "^3.1.0"
1285 | dotenv "^4.0.0"
1286 | fs-extra "^4.0.3"
1287 | graphcool-json-schema "1.2.1"
1288 | isomorphic-fetch "^2.2.1"
1289 | js-yaml "^3.10.0"
1290 | json-stable-stringify "^1.0.1"
1291 | jsonwebtoken "^8.1.0"
1292 | lodash "^4.17.4"
1293 | replaceall "^0.1.6"
1294 | scuid "^1.0.2"
1295 | yaml-ast-parser "^0.0.40"
1296 |
1297 | graphql-binding@1.2.0:
1298 | version "1.2.0"
1299 | resolved "https://registry.yarnpkg.com/graphql-binding/-/graphql-binding-1.2.0.tgz#0876318735fb469631586d7721a2189eff7a8532"
1300 | dependencies:
1301 | graphql "0.12.3"
1302 | graphql-tools "2.18.0"
1303 | iterall "1.1.3"
1304 |
1305 | graphql-cli-prepare@1.4.11, graphql-cli-prepare@^1.4.6:
1306 | version "1.4.11"
1307 | resolved "https://registry.yarnpkg.com/graphql-cli-prepare/-/graphql-cli-prepare-1.4.11.tgz#21170b26c657992289c7c4d4c3257a8faad5ae9a"
1308 | dependencies:
1309 | chalk "2.3.0"
1310 | fs-extra "5.0.0"
1311 | graphql-import "0.4.0"
1312 | graphql-static-binding "0.8.0"
1313 | lodash "4.17.4"
1314 |
1315 | graphql-cli@^2.0.5:
1316 | version "2.12.4"
1317 | resolved "https://registry.yarnpkg.com/graphql-cli/-/graphql-cli-2.12.4.tgz#b22c4635677550c7e3a19b64f24190a8264a0f37"
1318 | dependencies:
1319 | adm-zip "^0.4.7"
1320 | chalk "^2.3.0"
1321 | command-exists "^1.2.2"
1322 | cross-spawn "^5.1.0"
1323 | disparity "^2.0.0"
1324 | dotenv "^4.0.0"
1325 | express "^4.16.2"
1326 | express-request-proxy "^2.0.0"
1327 | graphql "0.12.3"
1328 | graphql-cli-prepare "1.4.11"
1329 | graphql-config "1.1.7"
1330 | graphql-config-extension-graphcool "1.0.5"
1331 | graphql-config-extension-prisma "0.0.3"
1332 | graphql-playground-middleware-express "1.5.2"
1333 | graphql-schema-linter "0.0.27"
1334 | inquirer "5.0.0"
1335 | is-url-superb "2.0.0"
1336 | js-yaml "^3.10.0"
1337 | lodash "^4.17.4"
1338 | node-fetch "^1.7.3"
1339 | npm-paths "^1.0.0"
1340 | opn "^5.1.0"
1341 | ora "^1.3.0"
1342 | parse-github-url "^1.0.2"
1343 | request "^2.83.0"
1344 | rimraf "2.6.2"
1345 | source-map-support "^0.5.0"
1346 | update-notifier "^2.3.0"
1347 | yargs "10.1.1"
1348 |
1349 | graphql-config-extension-graphcool@1.0.5:
1350 | version "1.0.5"
1351 | resolved "https://registry.yarnpkg.com/graphql-config-extension-graphcool/-/graphql-config-extension-graphcool-1.0.5.tgz#34c727c560d4f3d415d9b4d61c6a0d5bb78ca686"
1352 | dependencies:
1353 | graphcool-yml "0.4.15"
1354 | graphql-config "1.1.7"
1355 |
1356 | graphql-config-extension-prisma@0.0.3:
1357 | version "0.0.3"
1358 | resolved "https://registry.yarnpkg.com/graphql-config-extension-prisma/-/graphql-config-extension-prisma-0.0.3.tgz#2fea0a34ef128e1763cb3ebfa6becd99549fe1ef"
1359 | dependencies:
1360 | graphql-config "^1.1.4"
1361 | prisma-yml "0.0.4"
1362 |
1363 | graphql-config@1.1.7, graphql-config@^1.0.0, graphql-config@^1.1.4:
1364 | version "1.1.7"
1365 | resolved "https://registry.yarnpkg.com/graphql-config/-/graphql-config-1.1.7.tgz#546c443d3ad877ceb8e13f40fbc8937af0d35dbe"
1366 | dependencies:
1367 | graphql "^0.12.3"
1368 | graphql-import "^0.4.0"
1369 | graphql-request "^1.4.0"
1370 | js-yaml "^3.10.0"
1371 | minimatch "^3.0.4"
1372 |
1373 | graphql-extensions@^0.0.x:
1374 | version "0.0.7"
1375 | resolved "https://registry.yarnpkg.com/graphql-extensions/-/graphql-extensions-0.0.7.tgz#807e7c3493da45e8f8fd02c0da771a9b3f1f2d1a"
1376 | dependencies:
1377 | core-js "^2.5.3"
1378 | source-map-support "^0.5.1"
1379 |
1380 | graphql-import@0.4.0:
1381 | version "0.4.0"
1382 | resolved "https://registry.yarnpkg.com/graphql-import/-/graphql-import-0.4.0.tgz#84c1b2dfde1c9af26525bd87a6d2f84a63853501"
1383 | dependencies:
1384 | graphql "^0.12.3"
1385 | lodash "^4.17.4"
1386 |
1387 | graphql-import@0.4.1, graphql-import@^0.4.0, graphql-import@^0.4.1:
1388 | version "0.4.1"
1389 | resolved "https://registry.yarnpkg.com/graphql-import/-/graphql-import-0.4.1.tgz#ef1c047d6250bc8c009b12b64c26924ac4f4716c"
1390 | dependencies:
1391 | graphql "^0.12.3"
1392 | lodash "^4.17.4"
1393 |
1394 | graphql-import@^0.1.9:
1395 | version "0.1.9"
1396 | resolved "https://registry.yarnpkg.com/graphql-import/-/graphql-import-0.1.9.tgz#9161f4f7ea92337b60fd40e22e64d3a68c212729"
1397 | dependencies:
1398 | "@types/graphql" "0.11.7"
1399 | "@types/lodash" "^4.14.85"
1400 | graphql "^0.12.3"
1401 | lodash "^4.17.4"
1402 |
1403 | graphql-playground-html@1.5.0:
1404 | version "1.5.0"
1405 | resolved "https://registry.yarnpkg.com/graphql-playground-html/-/graphql-playground-html-1.5.0.tgz#bfe1a53e8e7df563bdbd20077e0ac6bf9aaf0f64"
1406 |
1407 | graphql-playground-html@1.5.2:
1408 | version "1.5.2"
1409 | resolved "https://registry.yarnpkg.com/graphql-playground-html/-/graphql-playground-html-1.5.2.tgz#ccd97ac1960cfb1872b314bafb1957e7a6df7984"
1410 | dependencies:
1411 | graphql-config "1.1.7"
1412 |
1413 | graphql-playground-middleware-express@1.5.2:
1414 | version "1.5.2"
1415 | resolved "https://registry.yarnpkg.com/graphql-playground-middleware-express/-/graphql-playground-middleware-express-1.5.2.tgz#7ce6b01ee133d38f8d5e7d6a41848c52d1c0da41"
1416 | dependencies:
1417 | graphql-playground-html "1.5.0"
1418 |
1419 | graphql-playground-middleware-express@1.5.3:
1420 | version "1.5.3"
1421 | resolved "https://registry.yarnpkg.com/graphql-playground-middleware-express/-/graphql-playground-middleware-express-1.5.3.tgz#5fd5c42d5cba8b24107ececfaf4e6b68690551fe"
1422 | dependencies:
1423 | graphql-playground-html "1.5.2"
1424 |
1425 | graphql-playground-middleware-lambda@1.4.0:
1426 | version "1.4.0"
1427 | resolved "https://registry.yarnpkg.com/graphql-playground-middleware-lambda/-/graphql-playground-middleware-lambda-1.4.0.tgz#6fc450b16b67f8e9a9c41bd108cb9a4fa75abd27"
1428 | dependencies:
1429 | graphql-playground-html "1.5.0"
1430 |
1431 | graphql-request@^1.4.0:
1432 | version "1.4.1"
1433 | resolved "https://registry.yarnpkg.com/graphql-request/-/graphql-request-1.4.1.tgz#0772743cfac8dfdd4d69d36106a96c9bdd191ce8"
1434 | dependencies:
1435 | cross-fetch "1.1.1"
1436 |
1437 | graphql-schema-linter@0.0.27:
1438 | version "0.0.27"
1439 | resolved "https://registry.yarnpkg.com/graphql-schema-linter/-/graphql-schema-linter-0.0.27.tgz#d777a069a8b50baf6f43a6a0b8030020e62512cb"
1440 | dependencies:
1441 | chalk "^2.0.1"
1442 | columnify "^1.5.4"
1443 | commander "^2.11.0"
1444 | cosmiconfig "^3.1.0"
1445 | figures "^2.0.0"
1446 | glob "^7.1.2"
1447 | graphql "^0.10.1"
1448 | graphql-config "^1.0.0"
1449 | lodash "^4.17.4"
1450 |
1451 | graphql-static-binding@0.8.0:
1452 | version "0.8.0"
1453 | resolved "https://registry.yarnpkg.com/graphql-static-binding/-/graphql-static-binding-0.8.0.tgz#35858dfc89648573b9a5b6b61b431101b6b376af"
1454 | dependencies:
1455 | cucumber-html-reporter "^3.0.4"
1456 | graphql "0.12.3"
1457 |
1458 | graphql-subscriptions@^0.5.6:
1459 | version "0.5.6"
1460 | resolved "https://registry.yarnpkg.com/graphql-subscriptions/-/graphql-subscriptions-0.5.6.tgz#0d8e960fbaaf9ecbe7900366e86da2fc143fc5b2"
1461 | dependencies:
1462 | es6-promise "^4.1.1"
1463 | iterall "^1.1.3"
1464 |
1465 | graphql-tools@2.18.0, graphql-tools@^2.18.0:
1466 | version "2.18.0"
1467 | resolved "https://registry.yarnpkg.com/graphql-tools/-/graphql-tools-2.18.0.tgz#8e2d6436f9adba1d579c1a1710ae95e7f5e7248b"
1468 | dependencies:
1469 | apollo-link "^1.0.0"
1470 | apollo-utilities "^1.0.1"
1471 | deprecated-decorator "^0.1.6"
1472 | graphql-subscriptions "^0.5.6"
1473 | uuid "^3.1.0"
1474 |
1475 | graphql-yoga@^1.1.4:
1476 | version "1.2.0"
1477 | resolved "https://registry.yarnpkg.com/graphql-yoga/-/graphql-yoga-1.2.0.tgz#3c2aa3a77a20792f208ea63ec92ec1a5360b1d1d"
1478 | dependencies:
1479 | "@types/cors" "^2.8.3"
1480 | "@types/express" "^4.0.39"
1481 | "@types/graphql" "^0.11.8"
1482 | "@types/zen-observable" "^0.5.3"
1483 | apollo-link "^1.0.7"
1484 | apollo-server-express "^1.3.2"
1485 | apollo-server-lambda "1.3.2"
1486 | apollo-upload-server "^4.0.0-alpha.1"
1487 | body-parser-graphql "1.0.0"
1488 | cors "^2.8.4"
1489 | express "^4.16.2"
1490 | graphql "^0.12.0"
1491 | graphql-import "^0.4.1"
1492 | graphql-playground-middleware-express "1.5.3"
1493 | graphql-playground-middleware-lambda "1.4.0"
1494 | graphql-subscriptions "^0.5.6"
1495 | graphql-tools "^2.18.0"
1496 | subscriptions-transport-ws "^0.9.5"
1497 |
1498 | graphql@0.12.3, graphql@^0.12.0, graphql@^0.12.3:
1499 | version "0.12.3"
1500 | resolved "https://registry.yarnpkg.com/graphql/-/graphql-0.12.3.tgz#11668458bbe28261c0dcb6e265f515ba79f6ce07"
1501 | dependencies:
1502 | iterall "1.1.3"
1503 |
1504 | graphql@^0.10.1:
1505 | version "0.10.5"
1506 | resolved "https://registry.yarnpkg.com/graphql/-/graphql-0.10.5.tgz#c9be17ca2bdfdbd134077ffd9bbaa48b8becd298"
1507 | dependencies:
1508 | iterall "^1.1.0"
1509 |
1510 | har-schema@^1.0.5:
1511 | version "1.0.5"
1512 | resolved "https://registry.yarnpkg.com/har-schema/-/har-schema-1.0.5.tgz#d263135f43307c02c602afc8fe95970c0151369e"
1513 |
1514 | har-schema@^2.0.0:
1515 | version "2.0.0"
1516 | resolved "https://registry.yarnpkg.com/har-schema/-/har-schema-2.0.0.tgz#a94c2224ebcac04782a0d9035521f24735b7ec92"
1517 |
1518 | har-validator@~4.2.1:
1519 | version "4.2.1"
1520 | resolved "https://registry.yarnpkg.com/har-validator/-/har-validator-4.2.1.tgz#33481d0f1bbff600dd203d75812a6a5fba002e2a"
1521 | dependencies:
1522 | ajv "^4.9.1"
1523 | har-schema "^1.0.5"
1524 |
1525 | har-validator@~5.0.3:
1526 | version "5.0.3"
1527 | resolved "https://registry.yarnpkg.com/har-validator/-/har-validator-5.0.3.tgz#ba402c266194f15956ef15e0fcf242993f6a7dfd"
1528 | dependencies:
1529 | ajv "^5.1.0"
1530 | har-schema "^2.0.0"
1531 |
1532 | has-ansi@^2.0.0:
1533 | version "2.0.0"
1534 | resolved "https://registry.yarnpkg.com/has-ansi/-/has-ansi-2.0.0.tgz#34f5049ce1ecdf2b0649af3ef24e45ed35416d91"
1535 | dependencies:
1536 | ansi-regex "^2.0.0"
1537 |
1538 | has-flag@^2.0.0:
1539 | version "2.0.0"
1540 | resolved "https://registry.yarnpkg.com/has-flag/-/has-flag-2.0.0.tgz#e8207af1cc7b30d446cc70b734b5e8be18f88d51"
1541 |
1542 | has-unicode@^2.0.0:
1543 | version "2.0.1"
1544 | resolved "https://registry.yarnpkg.com/has-unicode/-/has-unicode-2.0.1.tgz#e0e6fe6a28cf51138855e086d1691e771de2a8b9"
1545 |
1546 | has-value@^0.3.1:
1547 | version "0.3.1"
1548 | resolved "https://registry.yarnpkg.com/has-value/-/has-value-0.3.1.tgz#7b1f58bada62ca827ec0a2078025654845995e1f"
1549 | dependencies:
1550 | get-value "^2.0.3"
1551 | has-values "^0.1.4"
1552 | isobject "^2.0.0"
1553 |
1554 | has-value@^1.0.0:
1555 | version "1.0.0"
1556 | resolved "https://registry.yarnpkg.com/has-value/-/has-value-1.0.0.tgz#18b281da585b1c5c51def24c930ed29a0be6b177"
1557 | dependencies:
1558 | get-value "^2.0.6"
1559 | has-values "^1.0.0"
1560 | isobject "^3.0.0"
1561 |
1562 | has-values@^0.1.4:
1563 | version "0.1.4"
1564 | resolved "https://registry.yarnpkg.com/has-values/-/has-values-0.1.4.tgz#6d61de95d91dfca9b9a02089ad384bff8f62b771"
1565 |
1566 | has-values@^1.0.0:
1567 | version "1.0.0"
1568 | resolved "https://registry.yarnpkg.com/has-values/-/has-values-1.0.0.tgz#95b0b63fec2146619a6fe57fe75628d5a39efe4f"
1569 | dependencies:
1570 | is-number "^3.0.0"
1571 | kind-of "^4.0.0"
1572 |
1573 | hawk@3.1.3, hawk@~3.1.3:
1574 | version "3.1.3"
1575 | resolved "https://registry.yarnpkg.com/hawk/-/hawk-3.1.3.tgz#078444bd7c1640b0fe540d2c9b73d59678e8e1c4"
1576 | dependencies:
1577 | boom "2.x.x"
1578 | cryptiles "2.x.x"
1579 | hoek "2.x.x"
1580 | sntp "1.x.x"
1581 |
1582 | hawk@~6.0.2:
1583 | version "6.0.2"
1584 | resolved "https://registry.yarnpkg.com/hawk/-/hawk-6.0.2.tgz#af4d914eb065f9b5ce4d9d11c1cb2126eecc3038"
1585 | dependencies:
1586 | boom "4.x.x"
1587 | cryptiles "3.x.x"
1588 | hoek "4.x.x"
1589 | sntp "2.x.x"
1590 |
1591 | hoek@2.x.x:
1592 | version "2.16.3"
1593 | resolved "https://registry.yarnpkg.com/hoek/-/hoek-2.16.3.tgz#20bb7403d3cea398e91dc4710a8ff1b8274a25ed"
1594 |
1595 | hoek@4.x.x:
1596 | version "4.2.0"
1597 | resolved "https://registry.yarnpkg.com/hoek/-/hoek-4.2.0.tgz#72d9d0754f7fe25ca2d01ad8f8f9a9449a89526d"
1598 |
1599 | homedir-polyfill@^1.0.1:
1600 | version "1.0.1"
1601 | resolved "https://registry.yarnpkg.com/homedir-polyfill/-/homedir-polyfill-1.0.1.tgz#4c2bbc8a758998feebf5ed68580f76d46768b4bc"
1602 | dependencies:
1603 | parse-passwd "^1.0.0"
1604 |
1605 | http-errors@1.6.2, http-errors@~1.6.2:
1606 | version "1.6.2"
1607 | resolved "https://registry.yarnpkg.com/http-errors/-/http-errors-1.6.2.tgz#0a002cc85707192a7e7946ceedc11155f60ec736"
1608 | dependencies:
1609 | depd "1.1.1"
1610 | inherits "2.0.3"
1611 | setprototypeof "1.0.3"
1612 | statuses ">= 1.3.1 < 2"
1613 |
1614 | http-signature@~1.1.0:
1615 | version "1.1.1"
1616 | resolved "https://registry.yarnpkg.com/http-signature/-/http-signature-1.1.1.tgz#df72e267066cd0ac67fb76adf8e134a8fbcf91bf"
1617 | dependencies:
1618 | assert-plus "^0.2.0"
1619 | jsprim "^1.2.2"
1620 | sshpk "^1.7.0"
1621 |
1622 | http-signature@~1.2.0:
1623 | version "1.2.0"
1624 | resolved "https://registry.yarnpkg.com/http-signature/-/http-signature-1.2.0.tgz#9aecd925114772f3d95b65a60abb8f7c18fbace1"
1625 | dependencies:
1626 | assert-plus "^1.0.0"
1627 | jsprim "^1.2.2"
1628 | sshpk "^1.7.0"
1629 |
1630 | iconv-lite@0.4.19, iconv-lite@^0.4.17, iconv-lite@~0.4.13:
1631 | version "0.4.19"
1632 | resolved "https://registry.yarnpkg.com/iconv-lite/-/iconv-lite-0.4.19.tgz#f7468f60135f5e5dad3399c0a81be9a1603a082b"
1633 |
1634 | ignore-by-default@^1.0.1:
1635 | version "1.0.1"
1636 | resolved "https://registry.yarnpkg.com/ignore-by-default/-/ignore-by-default-1.0.1.tgz#48ca6d72f6c6a3af00a9ad4ae6876be3889e2b09"
1637 |
1638 | import-lazy@^2.1.0:
1639 | version "2.1.0"
1640 | resolved "https://registry.yarnpkg.com/import-lazy/-/import-lazy-2.1.0.tgz#05698e3d45c88e8d7e9d92cb0584e77f096f3e43"
1641 |
1642 | imurmurhash@^0.1.4:
1643 | version "0.1.4"
1644 | resolved "https://registry.yarnpkg.com/imurmurhash/-/imurmurhash-0.1.4.tgz#9218b9b2b928a238b13dc4fb6b6d576f231453ea"
1645 |
1646 | inflight@^1.0.4:
1647 | version "1.0.6"
1648 | resolved "https://registry.yarnpkg.com/inflight/-/inflight-1.0.6.tgz#49bd6331d7d02d0c09bc910a1075ba8165b56df9"
1649 | dependencies:
1650 | once "^1.3.0"
1651 | wrappy "1"
1652 |
1653 | inherits@2, inherits@2.0.3, inherits@^2.0.1, inherits@~2.0.0, inherits@~2.0.1, inherits@~2.0.3:
1654 | version "2.0.3"
1655 | resolved "https://registry.yarnpkg.com/inherits/-/inherits-2.0.3.tgz#633c2c83e3da42a502f52466022480f4208261de"
1656 |
1657 | ini@^1.3.4, ini@~1.3.0:
1658 | version "1.3.5"
1659 | resolved "https://registry.yarnpkg.com/ini/-/ini-1.3.5.tgz#eee25f56db1c9ec6085e0c22778083f596abf927"
1660 |
1661 | inquirer@5.0.0:
1662 | version "5.0.0"
1663 | resolved "https://registry.yarnpkg.com/inquirer/-/inquirer-5.0.0.tgz#261b77cdb535495509f1b90197108ffb96c02db5"
1664 | dependencies:
1665 | ansi-escapes "^3.0.0"
1666 | chalk "^2.0.0"
1667 | cli-cursor "^2.1.0"
1668 | cli-width "^2.0.0"
1669 | external-editor "^2.1.0"
1670 | figures "^2.0.0"
1671 | lodash "^4.3.0"
1672 | mute-stream "0.0.7"
1673 | run-async "^2.2.0"
1674 | rxjs "^5.5.2"
1675 | string-width "^2.1.0"
1676 | strip-ansi "^4.0.0"
1677 | through "^2.3.6"
1678 |
1679 | invert-kv@^1.0.0:
1680 | version "1.0.0"
1681 | resolved "https://registry.yarnpkg.com/invert-kv/-/invert-kv-1.0.0.tgz#104a8e4aaca6d3d8cd157a8ef8bfab2d7a3ffdb6"
1682 |
1683 | ip-regex@^1.0.1:
1684 | version "1.0.3"
1685 | resolved "https://registry.yarnpkg.com/ip-regex/-/ip-regex-1.0.3.tgz#dc589076f659f419c222039a33316f1c7387effd"
1686 |
1687 | ipaddr.js@1.5.2:
1688 | version "1.5.2"
1689 | resolved "https://registry.yarnpkg.com/ipaddr.js/-/ipaddr.js-1.5.2.tgz#d4b505bde9946987ccf0fc58d9010ff9607e3fa0"
1690 |
1691 | is-accessor-descriptor@^0.1.6:
1692 | version "0.1.6"
1693 | resolved "https://registry.yarnpkg.com/is-accessor-descriptor/-/is-accessor-descriptor-0.1.6.tgz#a9e12cb3ae8d876727eeef3843f8a0897b5c98d6"
1694 | dependencies:
1695 | kind-of "^3.0.2"
1696 |
1697 | is-accessor-descriptor@^1.0.0:
1698 | version "1.0.0"
1699 | resolved "https://registry.yarnpkg.com/is-accessor-descriptor/-/is-accessor-descriptor-1.0.0.tgz#169c2f6d3df1f992618072365c9b0ea1f6878656"
1700 | dependencies:
1701 | kind-of "^6.0.0"
1702 |
1703 | is-arrayish@^0.2.1:
1704 | version "0.2.1"
1705 | resolved "https://registry.yarnpkg.com/is-arrayish/-/is-arrayish-0.2.1.tgz#77c99840527aa8ecb1a8ba697b80645a7a926a9d"
1706 |
1707 | is-binary-path@^1.0.0:
1708 | version "1.0.1"
1709 | resolved "https://registry.yarnpkg.com/is-binary-path/-/is-binary-path-1.0.1.tgz#75f16642b480f187a711c814161fd3a4a7655898"
1710 | dependencies:
1711 | binary-extensions "^1.0.0"
1712 |
1713 | is-buffer@^1.1.5:
1714 | version "1.1.6"
1715 | resolved "https://registry.yarnpkg.com/is-buffer/-/is-buffer-1.1.6.tgz#efaa2ea9daa0d7ab2ea13a97b2b8ad51fefbe8be"
1716 |
1717 | is-data-descriptor@^0.1.4:
1718 | version "0.1.4"
1719 | resolved "https://registry.yarnpkg.com/is-data-descriptor/-/is-data-descriptor-0.1.4.tgz#0b5ee648388e2c860282e793f1856fec3f301b56"
1720 | dependencies:
1721 | kind-of "^3.0.2"
1722 |
1723 | is-data-descriptor@^1.0.0:
1724 | version "1.0.0"
1725 | resolved "https://registry.yarnpkg.com/is-data-descriptor/-/is-data-descriptor-1.0.0.tgz#d84876321d0e7add03990406abbbbd36ba9268c7"
1726 | dependencies:
1727 | kind-of "^6.0.0"
1728 |
1729 | is-descriptor@^0.1.0:
1730 | version "0.1.6"
1731 | resolved "https://registry.yarnpkg.com/is-descriptor/-/is-descriptor-0.1.6.tgz#366d8240dde487ca51823b1ab9f07a10a78251ca"
1732 | dependencies:
1733 | is-accessor-descriptor "^0.1.6"
1734 | is-data-descriptor "^0.1.4"
1735 | kind-of "^5.0.0"
1736 |
1737 | is-descriptor@^1.0.0:
1738 | version "1.0.2"
1739 | resolved "https://registry.yarnpkg.com/is-descriptor/-/is-descriptor-1.0.2.tgz#3b159746a66604b04f8c81524ba365c5f14d86ec"
1740 | dependencies:
1741 | is-accessor-descriptor "^1.0.0"
1742 | is-data-descriptor "^1.0.0"
1743 | kind-of "^6.0.2"
1744 |
1745 | is-directory@^0.3.1:
1746 | version "0.3.1"
1747 | resolved "https://registry.yarnpkg.com/is-directory/-/is-directory-0.3.1.tgz#61339b6f2475fc772fd9c9d83f5c8575dc154ae1"
1748 |
1749 | is-extendable@^0.1.0, is-extendable@^0.1.1:
1750 | version "0.1.1"
1751 | resolved "https://registry.yarnpkg.com/is-extendable/-/is-extendable-0.1.1.tgz#62b110e289a471418e3ec36a617d472e301dfc89"
1752 |
1753 | is-extendable@^1.0.1:
1754 | version "1.0.1"
1755 | resolved "https://registry.yarnpkg.com/is-extendable/-/is-extendable-1.0.1.tgz#a7470f9e426733d81bd81e1155264e3a3507cab4"
1756 | dependencies:
1757 | is-plain-object "^2.0.4"
1758 |
1759 | is-extglob@^2.1.0, is-extglob@^2.1.1:
1760 | version "2.1.1"
1761 | resolved "https://registry.yarnpkg.com/is-extglob/-/is-extglob-2.1.1.tgz#a88c02535791f02ed37c76a1b9ea9773c833f8c2"
1762 |
1763 | is-fullwidth-code-point@^1.0.0:
1764 | version "1.0.0"
1765 | resolved "https://registry.yarnpkg.com/is-fullwidth-code-point/-/is-fullwidth-code-point-1.0.0.tgz#ef9e31386f031a7f0d643af82fde50c457ef00cb"
1766 | dependencies:
1767 | number-is-nan "^1.0.0"
1768 |
1769 | is-fullwidth-code-point@^2.0.0:
1770 | version "2.0.0"
1771 | resolved "https://registry.yarnpkg.com/is-fullwidth-code-point/-/is-fullwidth-code-point-2.0.0.tgz#a3b30a5c4f199183167aaab93beefae3ddfb654f"
1772 |
1773 | is-glob@^3.1.0:
1774 | version "3.1.0"
1775 | resolved "https://registry.yarnpkg.com/is-glob/-/is-glob-3.1.0.tgz#7ba5ae24217804ac70707b96922567486cc3e84a"
1776 | dependencies:
1777 | is-extglob "^2.1.0"
1778 |
1779 | is-glob@^4.0.0:
1780 | version "4.0.0"
1781 | resolved "https://registry.yarnpkg.com/is-glob/-/is-glob-4.0.0.tgz#9521c76845cc2610a85203ddf080a958c2ffabc0"
1782 | dependencies:
1783 | is-extglob "^2.1.1"
1784 |
1785 | is-installed-globally@^0.1.0:
1786 | version "0.1.0"
1787 | resolved "https://registry.yarnpkg.com/is-installed-globally/-/is-installed-globally-0.1.0.tgz#0dfd98f5a9111716dd535dda6492f67bf3d25a80"
1788 | dependencies:
1789 | global-dirs "^0.1.0"
1790 | is-path-inside "^1.0.0"
1791 |
1792 | is-npm@^1.0.0:
1793 | version "1.0.0"
1794 | resolved "https://registry.yarnpkg.com/is-npm/-/is-npm-1.0.0.tgz#f2fb63a65e4905b406c86072765a1a4dc793b9f4"
1795 |
1796 | is-number@^3.0.0:
1797 | version "3.0.0"
1798 | resolved "https://registry.yarnpkg.com/is-number/-/is-number-3.0.0.tgz#24fd6201a4782cf50561c810276afc7d12d71195"
1799 | dependencies:
1800 | kind-of "^3.0.2"
1801 |
1802 | is-obj@^1.0.0:
1803 | version "1.0.1"
1804 | resolved "https://registry.yarnpkg.com/is-obj/-/is-obj-1.0.1.tgz#3e4729ac1f5fde025cd7d83a896dab9f4f67db0f"
1805 |
1806 | is-odd@^1.0.0:
1807 | version "1.0.0"
1808 | resolved "https://registry.yarnpkg.com/is-odd/-/is-odd-1.0.0.tgz#3b8a932eb028b3775c39bb09e91767accdb69088"
1809 | dependencies:
1810 | is-number "^3.0.0"
1811 |
1812 | is-path-inside@^1.0.0:
1813 | version "1.0.1"
1814 | resolved "https://registry.yarnpkg.com/is-path-inside/-/is-path-inside-1.0.1.tgz#8ef5b7de50437a3fdca6b4e865ef7aa55cb48036"
1815 | dependencies:
1816 | path-is-inside "^1.0.1"
1817 |
1818 | is-plain-object@^2.0.1, is-plain-object@^2.0.3, is-plain-object@^2.0.4:
1819 | version "2.0.4"
1820 | resolved "https://registry.yarnpkg.com/is-plain-object/-/is-plain-object-2.0.4.tgz#2c163b3fafb1b606d9d17928f05c2a1c38e07677"
1821 | dependencies:
1822 | isobject "^3.0.1"
1823 |
1824 | is-promise@^2.1.0:
1825 | version "2.1.0"
1826 | resolved "https://registry.yarnpkg.com/is-promise/-/is-promise-2.1.0.tgz#79a2a9ece7f096e80f36d2b2f3bc16c1ff4bf3fa"
1827 |
1828 | is-redirect@^1.0.0:
1829 | version "1.0.0"
1830 | resolved "https://registry.yarnpkg.com/is-redirect/-/is-redirect-1.0.0.tgz#1d03dded53bd8db0f30c26e4f95d36fc7c87dc24"
1831 |
1832 | is-retry-allowed@^1.0.0:
1833 | version "1.1.0"
1834 | resolved "https://registry.yarnpkg.com/is-retry-allowed/-/is-retry-allowed-1.1.0.tgz#11a060568b67339444033d0125a61a20d564fb34"
1835 |
1836 | is-stream@^1.0.0, is-stream@^1.0.1, is-stream@^1.1.0:
1837 | version "1.1.0"
1838 | resolved "https://registry.yarnpkg.com/is-stream/-/is-stream-1.1.0.tgz#12d4a3dd4e68e0b79ceb8dbc84173ae80d91ca44"
1839 |
1840 | is-typedarray@~1.0.0:
1841 | version "1.0.0"
1842 | resolved "https://registry.yarnpkg.com/is-typedarray/-/is-typedarray-1.0.0.tgz#e479c80858df0c1b11ddda6940f96011fcda4a9a"
1843 |
1844 | is-url-superb@2.0.0:
1845 | version "2.0.0"
1846 | resolved "https://registry.yarnpkg.com/is-url-superb/-/is-url-superb-2.0.0.tgz#b728a18cf692e4d16da6b94c7408a811db0d0492"
1847 | dependencies:
1848 | url-regex "^3.0.0"
1849 |
1850 | is-windows@^1.0.1:
1851 | version "1.0.1"
1852 | resolved "https://registry.yarnpkg.com/is-windows/-/is-windows-1.0.1.tgz#310db70f742d259a16a369202b51af84233310d9"
1853 |
1854 | is-wsl@^1.1.0:
1855 | version "1.1.0"
1856 | resolved "https://registry.yarnpkg.com/is-wsl/-/is-wsl-1.1.0.tgz#1f16e4aa22b04d1336b66188a66af3c600c3a66d"
1857 |
1858 | isarray@0.0.1:
1859 | version "0.0.1"
1860 | resolved "https://registry.yarnpkg.com/isarray/-/isarray-0.0.1.tgz#8a18acfca9a8f4177e09abfc6038939b05d1eedf"
1861 |
1862 | isarray@1.0.0, isarray@~1.0.0:
1863 | version "1.0.0"
1864 | resolved "https://registry.yarnpkg.com/isarray/-/isarray-1.0.0.tgz#bb935d48582cba168c06834957a54a3e07124f11"
1865 |
1866 | isexe@^2.0.0:
1867 | version "2.0.0"
1868 | resolved "https://registry.yarnpkg.com/isexe/-/isexe-2.0.0.tgz#e8fbf374dc556ff8947a10dcb0572d633f2cfa10"
1869 |
1870 | isobject@^2.0.0:
1871 | version "2.1.0"
1872 | resolved "https://registry.yarnpkg.com/isobject/-/isobject-2.1.0.tgz#f065561096a3f1da2ef46272f815c840d87e0c89"
1873 | dependencies:
1874 | isarray "1.0.0"
1875 |
1876 | isobject@^3.0.0, isobject@^3.0.1:
1877 | version "3.0.1"
1878 | resolved "https://registry.yarnpkg.com/isobject/-/isobject-3.0.1.tgz#4e431e92b11a9731636aa1f9c8d1ccbcfdab78df"
1879 |
1880 | isomorphic-fetch@^2.2.1:
1881 | version "2.2.1"
1882 | resolved "https://registry.yarnpkg.com/isomorphic-fetch/-/isomorphic-fetch-2.2.1.tgz#611ae1acf14f5e81f729507472819fe9733558a9"
1883 | dependencies:
1884 | node-fetch "^1.0.1"
1885 | whatwg-fetch ">=0.10.0"
1886 |
1887 | isstream@~0.1.2:
1888 | version "0.1.2"
1889 | resolved "https://registry.yarnpkg.com/isstream/-/isstream-0.1.2.tgz#47e63f7af55afa6f92e1500e690eb8b8529c099a"
1890 |
1891 | iterall@1.1.3, iterall@^1.1.0, iterall@^1.1.1, iterall@^1.1.3:
1892 | version "1.1.3"
1893 | resolved "https://registry.yarnpkg.com/iterall/-/iterall-1.1.3.tgz#1cbbff96204056dde6656e2ed2e2226d0e6d72c9"
1894 |
1895 | js-base64@^2.3.2:
1896 | version "2.4.1"
1897 | resolved "https://registry.yarnpkg.com/js-base64/-/js-base64-2.4.1.tgz#e02813181cd53002888e918935467acb2910e596"
1898 |
1899 | js-yaml@^3.10.0, js-yaml@^3.9.0:
1900 | version "3.10.0"
1901 | resolved "https://registry.yarnpkg.com/js-yaml/-/js-yaml-3.10.0.tgz#2e78441646bd4682e963f22b6e92823c309c62dc"
1902 | dependencies:
1903 | argparse "^1.0.7"
1904 | esprima "^4.0.0"
1905 |
1906 | jsbn@~0.1.0:
1907 | version "0.1.1"
1908 | resolved "https://registry.yarnpkg.com/jsbn/-/jsbn-0.1.1.tgz#a5e654c2e5a2deb5f201d96cefbca80c0ef2f513"
1909 |
1910 | json-schema-traverse@^0.3.0:
1911 | version "0.3.1"
1912 | resolved "https://registry.yarnpkg.com/json-schema-traverse/-/json-schema-traverse-0.3.1.tgz#349a6d44c53a51de89b40805c5d5e59b417d3340"
1913 |
1914 | json-schema@0.2.3:
1915 | version "0.2.3"
1916 | resolved "https://registry.yarnpkg.com/json-schema/-/json-schema-0.2.3.tgz#b480c892e59a2f05954ce727bd3f2a4e882f9e13"
1917 |
1918 | json-stable-stringify@^1.0.1:
1919 | version "1.0.1"
1920 | resolved "https://registry.yarnpkg.com/json-stable-stringify/-/json-stable-stringify-1.0.1.tgz#9a759d39c5f2ff503fd5300646ed445f88c4f9af"
1921 | dependencies:
1922 | jsonify "~0.0.0"
1923 |
1924 | json-stringify-safe@~5.0.1:
1925 | version "5.0.1"
1926 | resolved "https://registry.yarnpkg.com/json-stringify-safe/-/json-stringify-safe-5.0.1.tgz#1296a2d58fd45f19a0f6ce01d65701e2c735b6eb"
1927 |
1928 | jsonfile@^3.0.0:
1929 | version "3.0.1"
1930 | resolved "https://registry.yarnpkg.com/jsonfile/-/jsonfile-3.0.1.tgz#a5ecc6f65f53f662c4415c7675a0331d0992ec66"
1931 | optionalDependencies:
1932 | graceful-fs "^4.1.6"
1933 |
1934 | jsonfile@^4.0.0:
1935 | version "4.0.0"
1936 | resolved "https://registry.yarnpkg.com/jsonfile/-/jsonfile-4.0.0.tgz#8771aae0799b64076b76640fca058f9c10e33ecb"
1937 | optionalDependencies:
1938 | graceful-fs "^4.1.6"
1939 |
1940 | jsonify@~0.0.0:
1941 | version "0.0.0"
1942 | resolved "https://registry.yarnpkg.com/jsonify/-/jsonify-0.0.0.tgz#2c74b6ee41d93ca51b7b5aaee8f503631d252a73"
1943 |
1944 | jsonwebtoken@^8.1.0:
1945 | version "8.1.0"
1946 | resolved "https://registry.yarnpkg.com/jsonwebtoken/-/jsonwebtoken-8.1.0.tgz#c6397cd2e5fd583d65c007a83dc7bb78e6982b83"
1947 | dependencies:
1948 | jws "^3.1.4"
1949 | lodash.includes "^4.3.0"
1950 | lodash.isboolean "^3.0.3"
1951 | lodash.isinteger "^4.0.4"
1952 | lodash.isnumber "^3.0.3"
1953 | lodash.isplainobject "^4.0.6"
1954 | lodash.isstring "^4.0.1"
1955 | lodash.once "^4.0.0"
1956 | ms "^2.0.0"
1957 | xtend "^4.0.1"
1958 |
1959 | jsprim@^1.2.2:
1960 | version "1.4.1"
1961 | resolved "https://registry.yarnpkg.com/jsprim/-/jsprim-1.4.1.tgz#313e66bc1e5cc06e438bc1b7499c2e5c56acb6a2"
1962 | dependencies:
1963 | assert-plus "1.0.0"
1964 | extsprintf "1.3.0"
1965 | json-schema "0.2.3"
1966 | verror "1.10.0"
1967 |
1968 | jwa@^1.1.4:
1969 | version "1.1.5"
1970 | resolved "https://registry.yarnpkg.com/jwa/-/jwa-1.1.5.tgz#a0552ce0220742cd52e153774a32905c30e756e5"
1971 | dependencies:
1972 | base64url "2.0.0"
1973 | buffer-equal-constant-time "1.0.1"
1974 | ecdsa-sig-formatter "1.0.9"
1975 | safe-buffer "^5.0.1"
1976 |
1977 | jws@^3.1.4:
1978 | version "3.1.4"
1979 | resolved "https://registry.yarnpkg.com/jws/-/jws-3.1.4.tgz#f9e8b9338e8a847277d6444b1464f61880e050a2"
1980 | dependencies:
1981 | base64url "^2.0.0"
1982 | jwa "^1.1.4"
1983 | safe-buffer "^5.0.1"
1984 |
1985 | kind-of@^3.0.2, kind-of@^3.0.3, kind-of@^3.2.0:
1986 | version "3.2.2"
1987 | resolved "https://registry.yarnpkg.com/kind-of/-/kind-of-3.2.2.tgz#31ea21a734bab9bbb0f32466d893aea51e4a3c64"
1988 | dependencies:
1989 | is-buffer "^1.1.5"
1990 |
1991 | kind-of@^4.0.0:
1992 | version "4.0.0"
1993 | resolved "https://registry.yarnpkg.com/kind-of/-/kind-of-4.0.0.tgz#20813df3d712928b207378691a45066fae72dd57"
1994 | dependencies:
1995 | is-buffer "^1.1.5"
1996 |
1997 | kind-of@^5.0.0, kind-of@^5.0.2:
1998 | version "5.1.0"
1999 | resolved "https://registry.yarnpkg.com/kind-of/-/kind-of-5.1.0.tgz#729c91e2d857b7a419a1f9aa65685c4c33f5845d"
2000 |
2001 | kind-of@^6.0.0, kind-of@^6.0.2:
2002 | version "6.0.2"
2003 | resolved "https://registry.yarnpkg.com/kind-of/-/kind-of-6.0.2.tgz#01146b36a6218e64e58f3a8d66de5d7fc6f6d051"
2004 |
2005 | latest-version@^3.0.0:
2006 | version "3.1.0"
2007 | resolved "https://registry.yarnpkg.com/latest-version/-/latest-version-3.1.0.tgz#a205383fea322b33b5ae3b18abee0dc2f356ee15"
2008 | dependencies:
2009 | package-json "^4.0.0"
2010 |
2011 | lazy-cache@^2.0.2:
2012 | version "2.0.2"
2013 | resolved "https://registry.yarnpkg.com/lazy-cache/-/lazy-cache-2.0.2.tgz#b9190a4f913354694840859f8a8f7084d8822264"
2014 | dependencies:
2015 | set-getter "^0.1.0"
2016 |
2017 | lcid@^1.0.0:
2018 | version "1.0.0"
2019 | resolved "https://registry.yarnpkg.com/lcid/-/lcid-1.0.0.tgz#308accafa0bc483a3867b4b6f2b9506251d1b835"
2020 | dependencies:
2021 | invert-kv "^1.0.0"
2022 |
2023 | locate-path@^2.0.0:
2024 | version "2.0.0"
2025 | resolved "https://registry.yarnpkg.com/locate-path/-/locate-path-2.0.0.tgz#2b568b265eec944c6d9c0de9c3dbbbca0354cd8e"
2026 | dependencies:
2027 | p-locate "^2.0.0"
2028 | path-exists "^3.0.0"
2029 |
2030 | lodash.assign@^4.2.0:
2031 | version "4.2.0"
2032 | resolved "https://registry.yarnpkg.com/lodash.assign/-/lodash.assign-4.2.0.tgz#0d99f3ccd7a6d261d19bdaeb9245005d285808e7"
2033 |
2034 | lodash.includes@^4.3.0:
2035 | version "4.3.0"
2036 | resolved "https://registry.yarnpkg.com/lodash.includes/-/lodash.includes-4.3.0.tgz#60bb98a87cb923c68ca1e51325483314849f553f"
2037 |
2038 | lodash.isboolean@^3.0.3:
2039 | version "3.0.3"
2040 | resolved "https://registry.yarnpkg.com/lodash.isboolean/-/lodash.isboolean-3.0.3.tgz#6c2e171db2a257cd96802fd43b01b20d5f5870f6"
2041 |
2042 | lodash.isinteger@^4.0.4:
2043 | version "4.0.4"
2044 | resolved "https://registry.yarnpkg.com/lodash.isinteger/-/lodash.isinteger-4.0.4.tgz#619c0af3d03f8b04c31f5882840b77b11cd68343"
2045 |
2046 | lodash.isnumber@^3.0.3:
2047 | version "3.0.3"
2048 | resolved "https://registry.yarnpkg.com/lodash.isnumber/-/lodash.isnumber-3.0.3.tgz#3ce76810c5928d03352301ac287317f11c0b1ffc"
2049 |
2050 | lodash.isobject@^3.0.2:
2051 | version "3.0.2"
2052 | resolved "https://registry.yarnpkg.com/lodash.isobject/-/lodash.isobject-3.0.2.tgz#3c8fb8d5b5bf4bf90ae06e14f2a530a4ed935e1d"
2053 |
2054 | lodash.isplainobject@^4.0.6:
2055 | version "4.0.6"
2056 | resolved "https://registry.yarnpkg.com/lodash.isplainobject/-/lodash.isplainobject-4.0.6.tgz#7c526a52d89b45c45cc690b88163be0497f550cb"
2057 |
2058 | lodash.isstring@^4.0.1:
2059 | version "4.0.1"
2060 | resolved "https://registry.yarnpkg.com/lodash.isstring/-/lodash.isstring-4.0.1.tgz#d527dfb5456eca7cc9bb95d5daeaf88ba54a5451"
2061 |
2062 | lodash.once@^4.0.0:
2063 | version "4.1.1"
2064 | resolved "https://registry.yarnpkg.com/lodash.once/-/lodash.once-4.1.1.tgz#0dd3971213c7c56df880977d504c88fb471a97ac"
2065 |
2066 | lodash@4.17.4, lodash@^4.17.2, lodash@^4.17.4, lodash@^4.3.0, lodash@^4.6.1:
2067 | version "4.17.4"
2068 | resolved "https://registry.yarnpkg.com/lodash/-/lodash-4.17.4.tgz#78203a4d1c328ae1d86dca6460e369b57f4055ae"
2069 |
2070 | log-symbols@^1.0.2:
2071 | version "1.0.2"
2072 | resolved "https://registry.yarnpkg.com/log-symbols/-/log-symbols-1.0.2.tgz#376ff7b58ea3086a0f09facc74617eca501e1a18"
2073 | dependencies:
2074 | chalk "^1.0.0"
2075 |
2076 | lower-case@^1.1.1:
2077 | version "1.1.4"
2078 | resolved "https://registry.yarnpkg.com/lower-case/-/lower-case-1.1.4.tgz#9a2cabd1b9e8e0ae993a4bf7d5875c39c42e8eac"
2079 |
2080 | lowercase-keys@^1.0.0:
2081 | version "1.0.0"
2082 | resolved "https://registry.yarnpkg.com/lowercase-keys/-/lowercase-keys-1.0.0.tgz#4e3366b39e7f5457e35f1324bdf6f88d0bfc7306"
2083 |
2084 | lru-cache@^4.0.0, lru-cache@^4.0.1:
2085 | version "4.1.1"
2086 | resolved "https://registry.yarnpkg.com/lru-cache/-/lru-cache-4.1.1.tgz#622e32e82488b49279114a4f9ecf45e7cd6bba55"
2087 | dependencies:
2088 | pseudomap "^1.0.2"
2089 | yallist "^2.1.2"
2090 |
2091 | make-dir@^1.0.0:
2092 | version "1.1.0"
2093 | resolved "https://registry.yarnpkg.com/make-dir/-/make-dir-1.1.0.tgz#19b4369fe48c116f53c2af95ad102c0e39e85d51"
2094 | dependencies:
2095 | pify "^3.0.0"
2096 |
2097 | make-error@^1.1.1:
2098 | version "1.3.2"
2099 | resolved "https://registry.yarnpkg.com/make-error/-/make-error-1.3.2.tgz#8762ffad2444dd8ff1f7c819629fa28e24fea1c4"
2100 |
2101 | map-cache@^0.2.2:
2102 | version "0.2.2"
2103 | resolved "https://registry.yarnpkg.com/map-cache/-/map-cache-0.2.2.tgz#c32abd0bd6525d9b051645bb4f26ac5dc98a0dbf"
2104 |
2105 | map-stream@~0.1.0:
2106 | version "0.1.0"
2107 | resolved "https://registry.yarnpkg.com/map-stream/-/map-stream-0.1.0.tgz#e56aa94c4c8055a16404a0674b78f215f7c8e194"
2108 |
2109 | map-visit@^1.0.0:
2110 | version "1.0.0"
2111 | resolved "https://registry.yarnpkg.com/map-visit/-/map-visit-1.0.0.tgz#ecdca8f13144e660f1b5bd41f12f3479d98dfb8f"
2112 | dependencies:
2113 | object-visit "^1.0.0"
2114 |
2115 | media-typer@0.3.0:
2116 | version "0.3.0"
2117 | resolved "https://registry.yarnpkg.com/media-typer/-/media-typer-0.3.0.tgz#8710d7af0aa626f8fffa1ce00168545263255748"
2118 |
2119 | mem@^1.1.0:
2120 | version "1.1.0"
2121 | resolved "https://registry.yarnpkg.com/mem/-/mem-1.1.0.tgz#5edd52b485ca1d900fe64895505399a0dfa45f76"
2122 | dependencies:
2123 | mimic-fn "^1.0.0"
2124 |
2125 | merge-descriptors@1.0.1:
2126 | version "1.0.1"
2127 | resolved "https://registry.yarnpkg.com/merge-descriptors/-/merge-descriptors-1.0.1.tgz#b00aaa556dd8b44568150ec9d1b953f3f90cbb61"
2128 |
2129 | methods@~1.1.2:
2130 | version "1.1.2"
2131 | resolved "https://registry.yarnpkg.com/methods/-/methods-1.1.2.tgz#5529a4d67654134edcc5266656835b0f851afcee"
2132 |
2133 | micromatch@^3.1.4:
2134 | version "3.1.5"
2135 | resolved "https://registry.yarnpkg.com/micromatch/-/micromatch-3.1.5.tgz#d05e168c206472dfbca985bfef4f57797b4cd4ba"
2136 | dependencies:
2137 | arr-diff "^4.0.0"
2138 | array-unique "^0.3.2"
2139 | braces "^2.3.0"
2140 | define-property "^1.0.0"
2141 | extend-shallow "^2.0.1"
2142 | extglob "^2.0.2"
2143 | fragment-cache "^0.2.1"
2144 | kind-of "^6.0.0"
2145 | nanomatch "^1.2.5"
2146 | object.pick "^1.3.0"
2147 | regex-not "^1.0.0"
2148 | snapdragon "^0.8.1"
2149 | to-regex "^3.0.1"
2150 |
2151 | mime-db@~1.30.0:
2152 | version "1.30.0"
2153 | resolved "https://registry.yarnpkg.com/mime-db/-/mime-db-1.30.0.tgz#74c643da2dd9d6a45399963465b26d5ca7d71f01"
2154 |
2155 | mime-types@^2.1.12, mime-types@~2.1.15, mime-types@~2.1.16, mime-types@~2.1.17, mime-types@~2.1.7:
2156 | version "2.1.17"
2157 | resolved "https://registry.yarnpkg.com/mime-types/-/mime-types-2.1.17.tgz#09d7a393f03e995a79f8af857b70a9e0ab16557a"
2158 | dependencies:
2159 | mime-db "~1.30.0"
2160 |
2161 | mime@1.4.1:
2162 | version "1.4.1"
2163 | resolved "https://registry.yarnpkg.com/mime/-/mime-1.4.1.tgz#121f9ebc49e3766f311a76e1fa1c8003c4b03aa6"
2164 |
2165 | mimic-fn@^1.0.0:
2166 | version "1.1.0"
2167 | resolved "https://registry.yarnpkg.com/mimic-fn/-/mimic-fn-1.1.0.tgz#e667783d92e89dbd342818b5230b9d62a672ad18"
2168 |
2169 | minimatch@^3.0.0, minimatch@^3.0.2, minimatch@^3.0.4:
2170 | version "3.0.4"
2171 | resolved "https://registry.yarnpkg.com/minimatch/-/minimatch-3.0.4.tgz#5166e286457f03306064be5497e8dbb0c3d32083"
2172 | dependencies:
2173 | brace-expansion "^1.1.7"
2174 |
2175 | minimist@0.0.8:
2176 | version "0.0.8"
2177 | resolved "https://registry.yarnpkg.com/minimist/-/minimist-0.0.8.tgz#857fcabfc3397d2625b8228262e86aa7a011b05d"
2178 |
2179 | minimist@^1.1.3, minimist@^1.2.0:
2180 | version "1.2.0"
2181 | resolved "https://registry.yarnpkg.com/minimist/-/minimist-1.2.0.tgz#a35008b20f41383eec1fb914f4cd5df79a264284"
2182 |
2183 | mixin-deep@^1.2.0:
2184 | version "1.3.0"
2185 | resolved "https://registry.yarnpkg.com/mixin-deep/-/mixin-deep-1.3.0.tgz#47a8732ba97799457c8c1eca28f95132d7e8150a"
2186 | dependencies:
2187 | for-in "^1.0.2"
2188 | is-extendable "^1.0.1"
2189 |
2190 | "mkdirp@>=0.5 0", mkdirp@^0.5.1:
2191 | version "0.5.1"
2192 | resolved "https://registry.yarnpkg.com/mkdirp/-/mkdirp-0.5.1.tgz#30057438eac6cf7f8c4767f38648d6697d75c903"
2193 | dependencies:
2194 | minimist "0.0.8"
2195 |
2196 | ms@2.0.0:
2197 | version "2.0.0"
2198 | resolved "https://registry.yarnpkg.com/ms/-/ms-2.0.0.tgz#5608aeadfc00be6c2901df5f9861788de0d597c8"
2199 |
2200 | ms@^2.0.0:
2201 | version "2.1.1"
2202 | resolved "https://registry.yarnpkg.com/ms/-/ms-2.1.1.tgz#30a5864eb3ebb0a66f2ebe6d727af06a09d86e0a"
2203 |
2204 | mute-stream@0.0.7:
2205 | version "0.0.7"
2206 | resolved "https://registry.yarnpkg.com/mute-stream/-/mute-stream-0.0.7.tgz#3075ce93bc21b8fab43e1bc4da7e8115ed1e7bab"
2207 |
2208 | nan@^2.3.0:
2209 | version "2.8.0"
2210 | resolved "https://registry.yarnpkg.com/nan/-/nan-2.8.0.tgz#ed715f3fe9de02b57a5e6252d90a96675e1f085a"
2211 |
2212 | nanomatch@^1.2.5:
2213 | version "1.2.7"
2214 | resolved "https://registry.yarnpkg.com/nanomatch/-/nanomatch-1.2.7.tgz#53cd4aa109ff68b7f869591fdc9d10daeeea3e79"
2215 | dependencies:
2216 | arr-diff "^4.0.0"
2217 | array-unique "^0.3.2"
2218 | define-property "^1.0.0"
2219 | extend-shallow "^2.0.1"
2220 | fragment-cache "^0.2.1"
2221 | is-odd "^1.0.0"
2222 | kind-of "^5.0.2"
2223 | object.pick "^1.3.0"
2224 | regex-not "^1.0.0"
2225 | snapdragon "^0.8.1"
2226 | to-regex "^3.0.1"
2227 |
2228 | negotiator@0.6.1:
2229 | version "0.6.1"
2230 | resolved "https://registry.yarnpkg.com/negotiator/-/negotiator-0.6.1.tgz#2b327184e8992101177b28563fb5e7102acd0ca9"
2231 |
2232 | node-fetch@1.7.3, node-fetch@^1.0.1, node-fetch@^1.7.3:
2233 | version "1.7.3"
2234 | resolved "https://registry.yarnpkg.com/node-fetch/-/node-fetch-1.7.3.tgz#980f6f72d85211a5347c6b2bc18c5b84c3eb47ef"
2235 | dependencies:
2236 | encoding "^0.1.11"
2237 | is-stream "^1.0.1"
2238 |
2239 | node-pre-gyp@^0.6.39:
2240 | version "0.6.39"
2241 | resolved "https://registry.yarnpkg.com/node-pre-gyp/-/node-pre-gyp-0.6.39.tgz#c00e96860b23c0e1420ac7befc5044e1d78d8649"
2242 | dependencies:
2243 | detect-libc "^1.0.2"
2244 | hawk "3.1.3"
2245 | mkdirp "^0.5.1"
2246 | nopt "^4.0.1"
2247 | npmlog "^4.0.2"
2248 | rc "^1.1.7"
2249 | request "2.81.0"
2250 | rimraf "^2.6.1"
2251 | semver "^5.3.0"
2252 | tar "^2.2.1"
2253 | tar-pack "^3.4.0"
2254 |
2255 | nodemon@^1.12.5:
2256 | version "1.14.11"
2257 | resolved "https://registry.yarnpkg.com/nodemon/-/nodemon-1.14.11.tgz#cc0009dd8d82f126f3aba50ace7e753827a8cebc"
2258 | dependencies:
2259 | chokidar "^2.0.0"
2260 | debug "^3.1.0"
2261 | ignore-by-default "^1.0.1"
2262 | minimatch "^3.0.4"
2263 | pstree.remy "^1.1.0"
2264 | semver "^5.4.1"
2265 | touch "^3.1.0"
2266 | undefsafe "^2.0.1"
2267 | update-notifier "^2.3.0"
2268 |
2269 | nopt@^4.0.1:
2270 | version "4.0.1"
2271 | resolved "https://registry.yarnpkg.com/nopt/-/nopt-4.0.1.tgz#d0d4685afd5415193c8c7505602d0d17cd64474d"
2272 | dependencies:
2273 | abbrev "1"
2274 | osenv "^0.1.4"
2275 |
2276 | nopt@~1.0.10:
2277 | version "1.0.10"
2278 | resolved "https://registry.yarnpkg.com/nopt/-/nopt-1.0.10.tgz#6ddd21bd2a31417b92727dd585f8a6f37608ebee"
2279 | dependencies:
2280 | abbrev "1"
2281 |
2282 | normalize-path@^2.1.1:
2283 | version "2.1.1"
2284 | resolved "https://registry.yarnpkg.com/normalize-path/-/normalize-path-2.1.1.tgz#1ab28b556e198363a8c1a6f7e6fa20137fe6aed9"
2285 | dependencies:
2286 | remove-trailing-separator "^1.0.1"
2287 |
2288 | npm-paths@^1.0.0:
2289 | version "1.0.0"
2290 | resolved "https://registry.yarnpkg.com/npm-paths/-/npm-paths-1.0.0.tgz#6e66ffc8887d27db71f9e8c4edd17e11c78a1c73"
2291 | dependencies:
2292 | global-modules "^1.0.0"
2293 | is-windows "^1.0.1"
2294 |
2295 | npm-run-path@^2.0.0:
2296 | version "2.0.2"
2297 | resolved "https://registry.yarnpkg.com/npm-run-path/-/npm-run-path-2.0.2.tgz#35a9232dfa35d7067b4cb2ddf2357b1871536c5f"
2298 | dependencies:
2299 | path-key "^2.0.0"
2300 |
2301 | npmlog@^4.0.2:
2302 | version "4.1.2"
2303 | resolved "https://registry.yarnpkg.com/npmlog/-/npmlog-4.1.2.tgz#08a7f2a8bf734604779a9efa4ad5cc717abb954b"
2304 | dependencies:
2305 | are-we-there-yet "~1.1.2"
2306 | console-control-strings "~1.1.0"
2307 | gauge "~2.7.3"
2308 | set-blocking "~2.0.0"
2309 |
2310 | number-is-nan@^1.0.0:
2311 | version "1.0.1"
2312 | resolved "https://registry.yarnpkg.com/number-is-nan/-/number-is-nan-1.0.1.tgz#097b602b53422a522c1afb8790318336941a011d"
2313 |
2314 | oauth-sign@~0.8.1, oauth-sign@~0.8.2:
2315 | version "0.8.2"
2316 | resolved "https://registry.yarnpkg.com/oauth-sign/-/oauth-sign-0.8.2.tgz#46a6ab7f0aead8deae9ec0565780b7d4efeb9d43"
2317 |
2318 | object-assign@^4, object-assign@^4.1.0:
2319 | version "4.1.1"
2320 | resolved "https://registry.yarnpkg.com/object-assign/-/object-assign-4.1.1.tgz#2109adc7965887cfc05cbbd442cac8bfbb360863"
2321 |
2322 | object-copy@^0.1.0:
2323 | version "0.1.0"
2324 | resolved "https://registry.yarnpkg.com/object-copy/-/object-copy-0.1.0.tgz#7e7d858b781bd7c991a41ba975ed3812754e998c"
2325 | dependencies:
2326 | copy-descriptor "^0.1.0"
2327 | define-property "^0.2.5"
2328 | kind-of "^3.0.3"
2329 |
2330 | object-path@^0.11.4:
2331 | version "0.11.4"
2332 | resolved "https://registry.yarnpkg.com/object-path/-/object-path-0.11.4.tgz#370ae752fbf37de3ea70a861c23bba8915691949"
2333 |
2334 | object-visit@^1.0.0:
2335 | version "1.0.1"
2336 | resolved "https://registry.yarnpkg.com/object-visit/-/object-visit-1.0.1.tgz#f79c4493af0c5377b59fe39d395e41042dd045bb"
2337 | dependencies:
2338 | isobject "^3.0.0"
2339 |
2340 | object.pick@^1.3.0:
2341 | version "1.3.0"
2342 | resolved "https://registry.yarnpkg.com/object.pick/-/object.pick-1.3.0.tgz#87a10ac4c1694bd2e1cbf53591a66141fb5dd747"
2343 | dependencies:
2344 | isobject "^3.0.1"
2345 |
2346 | on-finished@~2.3.0:
2347 | version "2.3.0"
2348 | resolved "https://registry.yarnpkg.com/on-finished/-/on-finished-2.3.0.tgz#20f1336481b083cd75337992a16971aa2d906947"
2349 | dependencies:
2350 | ee-first "1.1.1"
2351 |
2352 | once@^1.3.0, once@^1.3.3:
2353 | version "1.4.0"
2354 | resolved "https://registry.yarnpkg.com/once/-/once-1.4.0.tgz#583b1aa775961d4b113ac17d9c50baef9dd76bd1"
2355 | dependencies:
2356 | wrappy "1"
2357 |
2358 | onetime@^2.0.0:
2359 | version "2.0.1"
2360 | resolved "https://registry.yarnpkg.com/onetime/-/onetime-2.0.1.tgz#067428230fd67443b2794b22bba528b6867962d4"
2361 | dependencies:
2362 | mimic-fn "^1.0.0"
2363 |
2364 | open@0.0.5:
2365 | version "0.0.5"
2366 | resolved "https://registry.yarnpkg.com/open/-/open-0.0.5.tgz#42c3e18ec95466b6bf0dc42f3a2945c3f0cad8fc"
2367 |
2368 | opn@^5.1.0:
2369 | version "5.2.0"
2370 | resolved "https://registry.yarnpkg.com/opn/-/opn-5.2.0.tgz#71fdf934d6827d676cecbea1531f95d354641225"
2371 | dependencies:
2372 | is-wsl "^1.1.0"
2373 |
2374 | ora@^1.3.0:
2375 | version "1.3.0"
2376 | resolved "https://registry.yarnpkg.com/ora/-/ora-1.3.0.tgz#80078dd2b92a934af66a3ad72a5b910694ede51a"
2377 | dependencies:
2378 | chalk "^1.1.1"
2379 | cli-cursor "^2.1.0"
2380 | cli-spinners "^1.0.0"
2381 | log-symbols "^1.0.2"
2382 |
2383 | os-homedir@^1.0.0:
2384 | version "1.0.2"
2385 | resolved "https://registry.yarnpkg.com/os-homedir/-/os-homedir-1.0.2.tgz#ffbc4988336e0e833de0c168c7ef152121aa7fb3"
2386 |
2387 | os-locale@^2.0.0:
2388 | version "2.1.0"
2389 | resolved "https://registry.yarnpkg.com/os-locale/-/os-locale-2.1.0.tgz#42bc2900a6b5b8bd17376c8e882b65afccf24bf2"
2390 | dependencies:
2391 | execa "^0.7.0"
2392 | lcid "^1.0.0"
2393 | mem "^1.1.0"
2394 |
2395 | os-tmpdir@^1.0.0, os-tmpdir@~1.0.2:
2396 | version "1.0.2"
2397 | resolved "https://registry.yarnpkg.com/os-tmpdir/-/os-tmpdir-1.0.2.tgz#bbe67406c79aa85c5cfec766fe5734555dfa1274"
2398 |
2399 | osenv@^0.1.4:
2400 | version "0.1.4"
2401 | resolved "https://registry.yarnpkg.com/osenv/-/osenv-0.1.4.tgz#42fe6d5953df06c8064be6f176c3d05aaaa34644"
2402 | dependencies:
2403 | os-homedir "^1.0.0"
2404 | os-tmpdir "^1.0.0"
2405 |
2406 | p-finally@^1.0.0:
2407 | version "1.0.0"
2408 | resolved "https://registry.yarnpkg.com/p-finally/-/p-finally-1.0.0.tgz#3fbcfb15b899a44123b34b6dcc18b724336a2cae"
2409 |
2410 | p-limit@^1.1.0:
2411 | version "1.2.0"
2412 | resolved "https://registry.yarnpkg.com/p-limit/-/p-limit-1.2.0.tgz#0e92b6bedcb59f022c13d0f1949dc82d15909f1c"
2413 | dependencies:
2414 | p-try "^1.0.0"
2415 |
2416 | p-locate@^2.0.0:
2417 | version "2.0.0"
2418 | resolved "https://registry.yarnpkg.com/p-locate/-/p-locate-2.0.0.tgz#20a0103b222a70c8fd39cc2e580680f3dde5ec43"
2419 | dependencies:
2420 | p-limit "^1.1.0"
2421 |
2422 | p-try@^1.0.0:
2423 | version "1.0.0"
2424 | resolved "https://registry.yarnpkg.com/p-try/-/p-try-1.0.0.tgz#cbc79cdbaf8fd4228e13f621f2b1a237c1b207b3"
2425 |
2426 | package-json@^4.0.0:
2427 | version "4.0.1"
2428 | resolved "https://registry.yarnpkg.com/package-json/-/package-json-4.0.1.tgz#8869a0401253661c4c4ca3da6c2121ed555f5eed"
2429 | dependencies:
2430 | got "^6.7.1"
2431 | registry-auth-token "^3.0.1"
2432 | registry-url "^3.0.3"
2433 | semver "^5.1.0"
2434 |
2435 | parse-github-url@^1.0.2:
2436 | version "1.0.2"
2437 | resolved "https://registry.yarnpkg.com/parse-github-url/-/parse-github-url-1.0.2.tgz#242d3b65cbcdda14bb50439e3242acf6971db395"
2438 |
2439 | parse-json@^3.0.0:
2440 | version "3.0.0"
2441 | resolved "https://registry.yarnpkg.com/parse-json/-/parse-json-3.0.0.tgz#fa6f47b18e23826ead32f263e744d0e1e847fb13"
2442 | dependencies:
2443 | error-ex "^1.3.1"
2444 |
2445 | parse-passwd@^1.0.0:
2446 | version "1.0.0"
2447 | resolved "https://registry.yarnpkg.com/parse-passwd/-/parse-passwd-1.0.0.tgz#6d5b934a456993b23d37f40a382d6f1666a8e5c6"
2448 |
2449 | parseurl@~1.3.2:
2450 | version "1.3.2"
2451 | resolved "https://registry.yarnpkg.com/parseurl/-/parseurl-1.3.2.tgz#fc289d4ed8993119460c156253262cdc8de65bf3"
2452 |
2453 | pascalcase@^0.1.1:
2454 | version "0.1.1"
2455 | resolved "https://registry.yarnpkg.com/pascalcase/-/pascalcase-0.1.1.tgz#b363e55e8006ca6fe21784d2db22bd15d7917f14"
2456 |
2457 | path-dirname@^1.0.0:
2458 | version "1.0.2"
2459 | resolved "https://registry.yarnpkg.com/path-dirname/-/path-dirname-1.0.2.tgz#cc33d24d525e099a5388c0336c6e32b9160609e0"
2460 |
2461 | path-exists@^3.0.0:
2462 | version "3.0.0"
2463 | resolved "https://registry.yarnpkg.com/path-exists/-/path-exists-3.0.0.tgz#ce0ebeaa5f78cb18925ea7d810d7b59b010fd515"
2464 |
2465 | path-is-absolute@^1.0.0:
2466 | version "1.0.1"
2467 | resolved "https://registry.yarnpkg.com/path-is-absolute/-/path-is-absolute-1.0.1.tgz#174b9268735534ffbc7ace6bf53a5a9e1b5c5f5f"
2468 |
2469 | path-is-inside@^1.0.1:
2470 | version "1.0.2"
2471 | resolved "https://registry.yarnpkg.com/path-is-inside/-/path-is-inside-1.0.2.tgz#365417dede44430d1c11af61027facf074bdfc53"
2472 |
2473 | path-key@^2.0.0:
2474 | version "2.0.1"
2475 | resolved "https://registry.yarnpkg.com/path-key/-/path-key-2.0.1.tgz#411cadb574c5a140d3a4b1910d40d80cc9f40b40"
2476 |
2477 | path-to-regexp@0.1.7:
2478 | version "0.1.7"
2479 | resolved "https://registry.yarnpkg.com/path-to-regexp/-/path-to-regexp-0.1.7.tgz#df604178005f522f15eb4490e7247a1bfaa67f8c"
2480 |
2481 | path-to-regexp@^1.1.1:
2482 | version "1.7.0"
2483 | resolved "https://registry.yarnpkg.com/path-to-regexp/-/path-to-regexp-1.7.0.tgz#59fde0f435badacba103a84e9d3bc64e96b9937d"
2484 | dependencies:
2485 | isarray "0.0.1"
2486 |
2487 | pause-stream@0.0.11:
2488 | version "0.0.11"
2489 | resolved "https://registry.yarnpkg.com/pause-stream/-/pause-stream-0.0.11.tgz#fe5a34b0cbce12b5aa6a2b403ee2e73b602f1445"
2490 | dependencies:
2491 | through "~2.3"
2492 |
2493 | performance-now@^0.2.0:
2494 | version "0.2.0"
2495 | resolved "https://registry.yarnpkg.com/performance-now/-/performance-now-0.2.0.tgz#33ef30c5c77d4ea21c5a53869d91b56d8f2555e5"
2496 |
2497 | performance-now@^2.1.0:
2498 | version "2.1.0"
2499 | resolved "https://registry.yarnpkg.com/performance-now/-/performance-now-2.1.0.tgz#6309f4e0e5fa913ec1c69307ae364b4b377c9e7b"
2500 |
2501 | pify@^3.0.0:
2502 | version "3.0.0"
2503 | resolved "https://registry.yarnpkg.com/pify/-/pify-3.0.0.tgz#e5a4acd2c101fdf3d9a4d07f0dbc4db49dd28176"
2504 |
2505 | posix-character-classes@^0.1.0:
2506 | version "0.1.1"
2507 | resolved "https://registry.yarnpkg.com/posix-character-classes/-/posix-character-classes-0.1.1.tgz#01eac0fe3b5af71a2a6c02feabb8c1fef7e00eab"
2508 |
2509 | prepend-http@^1.0.1:
2510 | version "1.0.4"
2511 | resolved "https://registry.yarnpkg.com/prepend-http/-/prepend-http-1.0.4.tgz#d4f4562b0ce3696e41ac52d0e002e57a635dc6dc"
2512 |
2513 | prisma-binding@^1.3.8:
2514 | version "1.3.8"
2515 | resolved "https://registry.yarnpkg.com/prisma-binding/-/prisma-binding-1.3.8.tgz#2a92a1f2b97524c57b948eb7039c3297767f0a20"
2516 | dependencies:
2517 | apollo-link "1.0.7"
2518 | apollo-link-error "1.0.3"
2519 | apollo-link-http "1.3.2"
2520 | apollo-link-ws "1.0.4"
2521 | cross-fetch "1.1.1"
2522 | graphql "0.12.3"
2523 | graphql-binding "1.2.0"
2524 | graphql-import "0.4.1"
2525 | graphql-tools "2.18.0"
2526 | jsonwebtoken "^8.1.0"
2527 | subscriptions-transport-ws "0.9.5"
2528 |
2529 | prisma-json-schema@^0.0.1:
2530 | version "0.0.1"
2531 | resolved "https://registry.yarnpkg.com/prisma-json-schema/-/prisma-json-schema-0.0.1.tgz#0802e156a293faefdf21e5e41beb8d3681f45cb1"
2532 |
2533 | prisma-yml@0.0.4:
2534 | version "0.0.4"
2535 | resolved "https://registry.yarnpkg.com/prisma-yml/-/prisma-yml-0.0.4.tgz#66b54f5056f087ff548719bb62e5251ca49fe4b1"
2536 | dependencies:
2537 | ajv "^5.5.1"
2538 | bluebird "^3.5.1"
2539 | chalk "^2.3.0"
2540 | debug "^3.1.0"
2541 | dotenv "^4.0.0"
2542 | fs-extra "^4.0.3"
2543 | isomorphic-fetch "^2.2.1"
2544 | js-yaml "^3.10.0"
2545 | json-stable-stringify "^1.0.1"
2546 | jsonwebtoken "^8.1.0"
2547 | lodash "^4.17.4"
2548 | prisma-json-schema "^0.0.1"
2549 | replaceall "^0.1.6"
2550 | scuid "^1.0.2"
2551 | yaml-ast-parser "^0.0.40"
2552 |
2553 | process-nextick-args@~1.0.6:
2554 | version "1.0.7"
2555 | resolved "https://registry.yarnpkg.com/process-nextick-args/-/process-nextick-args-1.0.7.tgz#150e20b756590ad3f91093f25a4f2ad8bff30ba3"
2556 |
2557 | proxy-addr@~2.0.2:
2558 | version "2.0.2"
2559 | resolved "https://registry.yarnpkg.com/proxy-addr/-/proxy-addr-2.0.2.tgz#6571504f47bb988ec8180253f85dd7e14952bdec"
2560 | dependencies:
2561 | forwarded "~0.1.2"
2562 | ipaddr.js "1.5.2"
2563 |
2564 | prr@~1.0.1:
2565 | version "1.0.1"
2566 | resolved "https://registry.yarnpkg.com/prr/-/prr-1.0.1.tgz#d3fc114ba06995a45ec6893f484ceb1d78f5f476"
2567 |
2568 | ps-tree@^1.1.0:
2569 | version "1.1.0"
2570 | resolved "https://registry.yarnpkg.com/ps-tree/-/ps-tree-1.1.0.tgz#b421b24140d6203f1ed3c76996b4427b08e8c014"
2571 | dependencies:
2572 | event-stream "~3.3.0"
2573 |
2574 | pseudomap@^1.0.2:
2575 | version "1.0.2"
2576 | resolved "https://registry.yarnpkg.com/pseudomap/-/pseudomap-1.0.2.tgz#f052a28da70e618917ef0a8ac34c1ae5a68286b3"
2577 |
2578 | pstree.remy@^1.1.0:
2579 | version "1.1.0"
2580 | resolved "https://registry.yarnpkg.com/pstree.remy/-/pstree.remy-1.1.0.tgz#f2af27265bd3e5b32bbfcc10e80bac55ba78688b"
2581 | dependencies:
2582 | ps-tree "^1.1.0"
2583 |
2584 | punycode@^1.4.1:
2585 | version "1.4.1"
2586 | resolved "https://registry.yarnpkg.com/punycode/-/punycode-1.4.1.tgz#c0d5a63b2718800ad8e1eb0fa5269c84dd41845e"
2587 |
2588 | qs@6.5.1, qs@~6.5.1:
2589 | version "6.5.1"
2590 | resolved "https://registry.yarnpkg.com/qs/-/qs-6.5.1.tgz#349cdf6eef89ec45c12d7d5eb3fc0c870343a6d8"
2591 |
2592 | qs@~6.4.0:
2593 | version "6.4.0"
2594 | resolved "https://registry.yarnpkg.com/qs/-/qs-6.4.0.tgz#13e26d28ad6b0ffaa91312cd3bf708ed351e7233"
2595 |
2596 | range-parser@~1.2.0:
2597 | version "1.2.0"
2598 | resolved "https://registry.yarnpkg.com/range-parser/-/range-parser-1.2.0.tgz#f49be6b487894ddc40dcc94a322f611092e00d5e"
2599 |
2600 | raw-body@2.3.2:
2601 | version "2.3.2"
2602 | resolved "https://registry.yarnpkg.com/raw-body/-/raw-body-2.3.2.tgz#bcd60c77d3eb93cde0050295c3f379389bc88f89"
2603 | dependencies:
2604 | bytes "3.0.0"
2605 | http-errors "1.6.2"
2606 | iconv-lite "0.4.19"
2607 | unpipe "1.0.0"
2608 |
2609 | rc@^1.0.1, rc@^1.1.6, rc@^1.1.7:
2610 | version "1.2.4"
2611 | resolved "https://registry.yarnpkg.com/rc/-/rc-1.2.4.tgz#a0f606caae2a3b862bbd0ef85482c0125b315fa3"
2612 | dependencies:
2613 | deep-extend "~0.4.0"
2614 | ini "~1.3.0"
2615 | minimist "^1.2.0"
2616 | strip-json-comments "~2.0.1"
2617 |
2618 | readable-stream@1.1.x:
2619 | version "1.1.14"
2620 | resolved "https://registry.yarnpkg.com/readable-stream/-/readable-stream-1.1.14.tgz#7cf4c54ef648e3813084c636dd2079e166c081d9"
2621 | dependencies:
2622 | core-util-is "~1.0.0"
2623 | inherits "~2.0.1"
2624 | isarray "0.0.1"
2625 | string_decoder "~0.10.x"
2626 |
2627 | readable-stream@^2.0.2, readable-stream@^2.0.6, readable-stream@^2.1.4, readable-stream@^2.1.5:
2628 | version "2.3.3"
2629 | resolved "https://registry.yarnpkg.com/readable-stream/-/readable-stream-2.3.3.tgz#368f2512d79f9d46fdfc71349ae7878bbc1eb95c"
2630 | dependencies:
2631 | core-util-is "~1.0.0"
2632 | inherits "~2.0.3"
2633 | isarray "~1.0.0"
2634 | process-nextick-args "~1.0.6"
2635 | safe-buffer "~5.1.1"
2636 | string_decoder "~1.0.3"
2637 | util-deprecate "~1.0.1"
2638 |
2639 | readdirp@^2.0.0:
2640 | version "2.1.0"
2641 | resolved "https://registry.yarnpkg.com/readdirp/-/readdirp-2.1.0.tgz#4ed0ad060df3073300c48440373f72d1cc642d78"
2642 | dependencies:
2643 | graceful-fs "^4.1.2"
2644 | minimatch "^3.0.2"
2645 | readable-stream "^2.0.2"
2646 | set-immediate-shim "^1.0.1"
2647 |
2648 | regenerator-runtime@^0.11.1:
2649 | version "0.11.1"
2650 | resolved "https://registry.yarnpkg.com/regenerator-runtime/-/regenerator-runtime-0.11.1.tgz#be05ad7f9bf7d22e056f9726cee5017fbf19e2e9"
2651 |
2652 | regex-not@^1.0.0:
2653 | version "1.0.0"
2654 | resolved "https://registry.yarnpkg.com/regex-not/-/regex-not-1.0.0.tgz#42f83e39771622df826b02af176525d6a5f157f9"
2655 | dependencies:
2656 | extend-shallow "^2.0.1"
2657 |
2658 | registry-auth-token@^3.0.1:
2659 | version "3.3.1"
2660 | resolved "https://registry.yarnpkg.com/registry-auth-token/-/registry-auth-token-3.3.1.tgz#fb0d3289ee0d9ada2cbb52af5dfe66cb070d3006"
2661 | dependencies:
2662 | rc "^1.1.6"
2663 | safe-buffer "^5.0.1"
2664 |
2665 | registry-url@^3.0.3:
2666 | version "3.1.0"
2667 | resolved "https://registry.yarnpkg.com/registry-url/-/registry-url-3.1.0.tgz#3d4ef870f73dde1d77f0cf9a381432444e174942"
2668 | dependencies:
2669 | rc "^1.0.1"
2670 |
2671 | remove-trailing-separator@^1.0.1:
2672 | version "1.1.0"
2673 | resolved "https://registry.yarnpkg.com/remove-trailing-separator/-/remove-trailing-separator-1.1.0.tgz#c24bce2a283adad5bc3f58e0d48249b92379d8ef"
2674 |
2675 | repeat-element@^1.1.2:
2676 | version "1.1.2"
2677 | resolved "https://registry.yarnpkg.com/repeat-element/-/repeat-element-1.1.2.tgz#ef089a178d1483baae4d93eb98b4f9e4e11d990a"
2678 |
2679 | repeat-string@^1.6.1:
2680 | version "1.6.1"
2681 | resolved "https://registry.yarnpkg.com/repeat-string/-/repeat-string-1.6.1.tgz#8dcae470e1c88abc2d600fff4a776286da75e637"
2682 |
2683 | replaceall@^0.1.6:
2684 | version "0.1.6"
2685 | resolved "https://registry.yarnpkg.com/replaceall/-/replaceall-0.1.6.tgz#81d81ac7aeb72d7f5c4942adf2697a3220688d8e"
2686 |
2687 | request@2.81.0:
2688 | version "2.81.0"
2689 | resolved "https://registry.yarnpkg.com/request/-/request-2.81.0.tgz#c6928946a0e06c5f8d6f8a9333469ffda46298a0"
2690 | dependencies:
2691 | aws-sign2 "~0.6.0"
2692 | aws4 "^1.2.1"
2693 | caseless "~0.12.0"
2694 | combined-stream "~1.0.5"
2695 | extend "~3.0.0"
2696 | forever-agent "~0.6.1"
2697 | form-data "~2.1.1"
2698 | har-validator "~4.2.1"
2699 | hawk "~3.1.3"
2700 | http-signature "~1.1.0"
2701 | is-typedarray "~1.0.0"
2702 | isstream "~0.1.2"
2703 | json-stringify-safe "~5.0.1"
2704 | mime-types "~2.1.7"
2705 | oauth-sign "~0.8.1"
2706 | performance-now "^0.2.0"
2707 | qs "~6.4.0"
2708 | safe-buffer "^5.0.1"
2709 | stringstream "~0.0.4"
2710 | tough-cookie "~2.3.0"
2711 | tunnel-agent "^0.6.0"
2712 | uuid "^3.0.0"
2713 |
2714 | request@^2.53.0, request@^2.83.0:
2715 | version "2.83.0"
2716 | resolved "https://registry.yarnpkg.com/request/-/request-2.83.0.tgz#ca0b65da02ed62935887808e6f510381034e3356"
2717 | dependencies:
2718 | aws-sign2 "~0.7.0"
2719 | aws4 "^1.6.0"
2720 | caseless "~0.12.0"
2721 | combined-stream "~1.0.5"
2722 | extend "~3.0.1"
2723 | forever-agent "~0.6.1"
2724 | form-data "~2.3.1"
2725 | har-validator "~5.0.3"
2726 | hawk "~6.0.2"
2727 | http-signature "~1.2.0"
2728 | is-typedarray "~1.0.0"
2729 | isstream "~0.1.2"
2730 | json-stringify-safe "~5.0.1"
2731 | mime-types "~2.1.17"
2732 | oauth-sign "~0.8.2"
2733 | performance-now "^2.1.0"
2734 | qs "~6.5.1"
2735 | safe-buffer "^5.1.1"
2736 | stringstream "~0.0.5"
2737 | tough-cookie "~2.3.3"
2738 | tunnel-agent "^0.6.0"
2739 | uuid "^3.1.0"
2740 |
2741 | require-directory@^2.1.1:
2742 | version "2.1.1"
2743 | resolved "https://registry.yarnpkg.com/require-directory/-/require-directory-2.1.1.tgz#8c64ad5fd30dab1c976e2344ffe7f792a6a6df42"
2744 |
2745 | require-from-string@^2.0.1:
2746 | version "2.0.1"
2747 | resolved "https://registry.yarnpkg.com/require-from-string/-/require-from-string-2.0.1.tgz#c545233e9d7da6616e9d59adfb39fc9f588676ff"
2748 |
2749 | require-main-filename@^1.0.1:
2750 | version "1.0.1"
2751 | resolved "https://registry.yarnpkg.com/require-main-filename/-/require-main-filename-1.0.1.tgz#97f717b69d48784f5f526a6c5aa8ffdda055a4d1"
2752 |
2753 | resolve-dir@^1.0.0:
2754 | version "1.0.1"
2755 | resolved "https://registry.yarnpkg.com/resolve-dir/-/resolve-dir-1.0.1.tgz#79a40644c362be82f26effe739c9bb5382046f43"
2756 | dependencies:
2757 | expand-tilde "^2.0.0"
2758 | global-modules "^1.0.0"
2759 |
2760 | resolve-url@^0.2.1:
2761 | version "0.2.1"
2762 | resolved "https://registry.yarnpkg.com/resolve-url/-/resolve-url-0.2.1.tgz#2c637fe77c893afd2a663fe21aa9080068e2052a"
2763 |
2764 | restore-cursor@^2.0.0:
2765 | version "2.0.0"
2766 | resolved "https://registry.yarnpkg.com/restore-cursor/-/restore-cursor-2.0.0.tgz#9f7ee287f82fd326d4fd162923d62129eee0dfaf"
2767 | dependencies:
2768 | onetime "^2.0.0"
2769 | signal-exit "^3.0.2"
2770 |
2771 | rimraf@2, rimraf@2.6.2, rimraf@^2.5.1, rimraf@^2.6.1:
2772 | version "2.6.2"
2773 | resolved "https://registry.yarnpkg.com/rimraf/-/rimraf-2.6.2.tgz#2ed8150d24a16ea8651e6d6ef0f47c4158ce7a36"
2774 | dependencies:
2775 | glob "^7.0.5"
2776 |
2777 | run-async@^2.2.0:
2778 | version "2.3.0"
2779 | resolved "https://registry.yarnpkg.com/run-async/-/run-async-2.3.0.tgz#0371ab4ae0bdd720d4166d7dfda64ff7a445a6c0"
2780 | dependencies:
2781 | is-promise "^2.1.0"
2782 |
2783 | rxjs@^5.5.2:
2784 | version "5.5.6"
2785 | resolved "https://registry.yarnpkg.com/rxjs/-/rxjs-5.5.6.tgz#e31fb96d6fd2ff1fd84bcea8ae9c02d007179c02"
2786 | dependencies:
2787 | symbol-observable "1.0.1"
2788 |
2789 | safe-buffer@5.1.1, safe-buffer@^5.0.1, safe-buffer@^5.1.1, safe-buffer@~5.1.0, safe-buffer@~5.1.1:
2790 | version "5.1.1"
2791 | resolved "https://registry.yarnpkg.com/safe-buffer/-/safe-buffer-5.1.1.tgz#893312af69b2123def71f57889001671eeb2c853"
2792 |
2793 | scuid@^1.0.2:
2794 | version "1.0.2"
2795 | resolved "https://registry.yarnpkg.com/scuid/-/scuid-1.0.2.tgz#3e62465671a0b87435e3a377957a20e45aac5b40"
2796 |
2797 | semver-diff@^2.0.0:
2798 | version "2.1.0"
2799 | resolved "https://registry.yarnpkg.com/semver-diff/-/semver-diff-2.1.0.tgz#4bbb8437c8d37e4b0cf1a68fd726ec6d645d6d36"
2800 | dependencies:
2801 | semver "^5.0.3"
2802 |
2803 | semver@^5.0.3, semver@^5.1.0, semver@^5.3.0, semver@^5.4.1:
2804 | version "5.5.0"
2805 | resolved "https://registry.yarnpkg.com/semver/-/semver-5.5.0.tgz#dc4bbc7a6ca9d916dee5d43516f0092b58f7b8ab"
2806 |
2807 | send@0.16.1:
2808 | version "0.16.1"
2809 | resolved "https://registry.yarnpkg.com/send/-/send-0.16.1.tgz#a70e1ca21d1382c11d0d9f6231deb281080d7ab3"
2810 | dependencies:
2811 | debug "2.6.9"
2812 | depd "~1.1.1"
2813 | destroy "~1.0.4"
2814 | encodeurl "~1.0.1"
2815 | escape-html "~1.0.3"
2816 | etag "~1.8.1"
2817 | fresh "0.5.2"
2818 | http-errors "~1.6.2"
2819 | mime "1.4.1"
2820 | ms "2.0.0"
2821 | on-finished "~2.3.0"
2822 | range-parser "~1.2.0"
2823 | statuses "~1.3.1"
2824 |
2825 | sentence-case@^1.1.1:
2826 | version "1.1.3"
2827 | resolved "https://registry.yarnpkg.com/sentence-case/-/sentence-case-1.1.3.tgz#8034aafc2145772d3abe1509aa42c9e1042dc139"
2828 | dependencies:
2829 | lower-case "^1.1.1"
2830 |
2831 | serve-static@1.13.1:
2832 | version "1.13.1"
2833 | resolved "https://registry.yarnpkg.com/serve-static/-/serve-static-1.13.1.tgz#4c57d53404a761d8f2e7c1e8a18a47dbf278a719"
2834 | dependencies:
2835 | encodeurl "~1.0.1"
2836 | escape-html "~1.0.3"
2837 | parseurl "~1.3.2"
2838 | send "0.16.1"
2839 |
2840 | set-blocking@^2.0.0, set-blocking@~2.0.0:
2841 | version "2.0.0"
2842 | resolved "https://registry.yarnpkg.com/set-blocking/-/set-blocking-2.0.0.tgz#045f9782d011ae9a6803ddd382b24392b3d890f7"
2843 |
2844 | set-getter@^0.1.0:
2845 | version "0.1.0"
2846 | resolved "https://registry.yarnpkg.com/set-getter/-/set-getter-0.1.0.tgz#d769c182c9d5a51f409145f2fba82e5e86e80376"
2847 | dependencies:
2848 | to-object-path "^0.3.0"
2849 |
2850 | set-immediate-shim@^1.0.1:
2851 | version "1.0.1"
2852 | resolved "https://registry.yarnpkg.com/set-immediate-shim/-/set-immediate-shim-1.0.1.tgz#4b2b1b27eb808a9f8dcc481a58e5e56f599f3f61"
2853 |
2854 | set-value@^0.4.3:
2855 | version "0.4.3"
2856 | resolved "https://registry.yarnpkg.com/set-value/-/set-value-0.4.3.tgz#7db08f9d3d22dc7f78e53af3c3bf4666ecdfccf1"
2857 | dependencies:
2858 | extend-shallow "^2.0.1"
2859 | is-extendable "^0.1.1"
2860 | is-plain-object "^2.0.1"
2861 | to-object-path "^0.3.0"
2862 |
2863 | set-value@^2.0.0:
2864 | version "2.0.0"
2865 | resolved "https://registry.yarnpkg.com/set-value/-/set-value-2.0.0.tgz#71ae4a88f0feefbbf52d1ea604f3fb315ebb6274"
2866 | dependencies:
2867 | extend-shallow "^2.0.1"
2868 | is-extendable "^0.1.1"
2869 | is-plain-object "^2.0.3"
2870 | split-string "^3.0.1"
2871 |
2872 | setprototypeof@1.0.3:
2873 | version "1.0.3"
2874 | resolved "https://registry.yarnpkg.com/setprototypeof/-/setprototypeof-1.0.3.tgz#66567e37043eeb4f04d91bd658c0cbefb55b8e04"
2875 |
2876 | setprototypeof@1.1.0:
2877 | version "1.1.0"
2878 | resolved "https://registry.yarnpkg.com/setprototypeof/-/setprototypeof-1.1.0.tgz#d0bd85536887b6fe7c0d818cb962d9d91c54e656"
2879 |
2880 | shebang-command@^1.2.0:
2881 | version "1.2.0"
2882 | resolved "https://registry.yarnpkg.com/shebang-command/-/shebang-command-1.2.0.tgz#44aac65b695b03398968c39f363fee5deafdf1ea"
2883 | dependencies:
2884 | shebang-regex "^1.0.0"
2885 |
2886 | shebang-regex@^1.0.0:
2887 | version "1.0.0"
2888 | resolved "https://registry.yarnpkg.com/shebang-regex/-/shebang-regex-1.0.0.tgz#da42f49740c0b42db2ca9728571cb190c98efea3"
2889 |
2890 | signal-exit@^3.0.0, signal-exit@^3.0.2:
2891 | version "3.0.2"
2892 | resolved "https://registry.yarnpkg.com/signal-exit/-/signal-exit-3.0.2.tgz#b5fdc08f1287ea1178628e415e25132b73646c6d"
2893 |
2894 | simple-errors@^1.0.0:
2895 | version "1.0.1"
2896 | resolved "https://registry.yarnpkg.com/simple-errors/-/simple-errors-1.0.1.tgz#b0bbecac1f1082f13b3962894b4a9e88f3a0c9ef"
2897 | dependencies:
2898 | errno "^0.1.1"
2899 |
2900 | snapdragon-node@^2.0.1:
2901 | version "2.1.1"
2902 | resolved "https://registry.yarnpkg.com/snapdragon-node/-/snapdragon-node-2.1.1.tgz#6c175f86ff14bdb0724563e8f3c1b021a286853b"
2903 | dependencies:
2904 | define-property "^1.0.0"
2905 | isobject "^3.0.0"
2906 | snapdragon-util "^3.0.1"
2907 |
2908 | snapdragon-util@^3.0.1:
2909 | version "3.0.1"
2910 | resolved "https://registry.yarnpkg.com/snapdragon-util/-/snapdragon-util-3.0.1.tgz#f956479486f2acd79700693f6f7b805e45ab56e2"
2911 | dependencies:
2912 | kind-of "^3.2.0"
2913 |
2914 | snapdragon@^0.8.1:
2915 | version "0.8.1"
2916 | resolved "https://registry.yarnpkg.com/snapdragon/-/snapdragon-0.8.1.tgz#e12b5487faded3e3dea0ac91e9400bf75b401370"
2917 | dependencies:
2918 | base "^0.11.1"
2919 | debug "^2.2.0"
2920 | define-property "^0.2.5"
2921 | extend-shallow "^2.0.1"
2922 | map-cache "^0.2.2"
2923 | source-map "^0.5.6"
2924 | source-map-resolve "^0.5.0"
2925 | use "^2.0.0"
2926 |
2927 | sntp@1.x.x:
2928 | version "1.0.9"
2929 | resolved "https://registry.yarnpkg.com/sntp/-/sntp-1.0.9.tgz#6541184cc90aeea6c6e7b35e2659082443c66198"
2930 | dependencies:
2931 | hoek "2.x.x"
2932 |
2933 | sntp@2.x.x:
2934 | version "2.1.0"
2935 | resolved "https://registry.yarnpkg.com/sntp/-/sntp-2.1.0.tgz#2c6cec14fedc2222739caf9b5c3d85d1cc5a2cc8"
2936 | dependencies:
2937 | hoek "4.x.x"
2938 |
2939 | source-map-resolve@^0.5.0:
2940 | version "0.5.1"
2941 | resolved "https://registry.yarnpkg.com/source-map-resolve/-/source-map-resolve-0.5.1.tgz#7ad0f593f2281598e854df80f19aae4b92d7a11a"
2942 | dependencies:
2943 | atob "^2.0.0"
2944 | decode-uri-component "^0.2.0"
2945 | resolve-url "^0.2.1"
2946 | source-map-url "^0.4.0"
2947 | urix "^0.1.0"
2948 |
2949 | source-map-support@^0.4.0:
2950 | version "0.4.18"
2951 | resolved "https://registry.yarnpkg.com/source-map-support/-/source-map-support-0.4.18.tgz#0286a6de8be42641338594e97ccea75f0a2c585f"
2952 | dependencies:
2953 | source-map "^0.5.6"
2954 |
2955 | source-map-support@^0.5.0, source-map-support@^0.5.1:
2956 | version "0.5.1"
2957 | resolved "https://registry.yarnpkg.com/source-map-support/-/source-map-support-0.5.1.tgz#72291517d1fd0cb9542cee6c27520884b5da1a07"
2958 | dependencies:
2959 | source-map "^0.6.0"
2960 |
2961 | source-map-url@^0.4.0:
2962 | version "0.4.0"
2963 | resolved "https://registry.yarnpkg.com/source-map-url/-/source-map-url-0.4.0.tgz#3e935d7ddd73631b97659956d55128e87b5084a3"
2964 |
2965 | source-map@^0.5.6:
2966 | version "0.5.7"
2967 | resolved "https://registry.yarnpkg.com/source-map/-/source-map-0.5.7.tgz#8a039d2d1021d22d1ea14c80d8ea468ba2ef3fcc"
2968 |
2969 | source-map@^0.6.0:
2970 | version "0.6.1"
2971 | resolved "https://registry.yarnpkg.com/source-map/-/source-map-0.6.1.tgz#74722af32e9614e9c287a8d0bbde48b5e2f1a263"
2972 |
2973 | split-string@^3.0.1, split-string@^3.0.2:
2974 | version "3.1.0"
2975 | resolved "https://registry.yarnpkg.com/split-string/-/split-string-3.1.0.tgz#7cb09dda3a86585705c64b39a6466038682e8fe2"
2976 | dependencies:
2977 | extend-shallow "^3.0.0"
2978 |
2979 | split@0.3:
2980 | version "0.3.3"
2981 | resolved "https://registry.yarnpkg.com/split/-/split-0.3.3.tgz#cd0eea5e63a211dfff7eb0f091c4133e2d0dd28f"
2982 | dependencies:
2983 | through "2"
2984 |
2985 | sprintf-js@~1.0.2:
2986 | version "1.0.3"
2987 | resolved "https://registry.yarnpkg.com/sprintf-js/-/sprintf-js-1.0.3.tgz#04e6926f662895354f3dd015203633b857297e2c"
2988 |
2989 | sshpk@^1.7.0:
2990 | version "1.13.1"
2991 | resolved "https://registry.yarnpkg.com/sshpk/-/sshpk-1.13.1.tgz#512df6da6287144316dc4c18fe1cf1d940739be3"
2992 | dependencies:
2993 | asn1 "~0.2.3"
2994 | assert-plus "^1.0.0"
2995 | dashdash "^1.12.0"
2996 | getpass "^0.1.1"
2997 | optionalDependencies:
2998 | bcrypt-pbkdf "^1.0.0"
2999 | ecc-jsbn "~0.1.1"
3000 | jsbn "~0.1.0"
3001 | tweetnacl "~0.14.0"
3002 |
3003 | static-extend@^0.1.1:
3004 | version "0.1.2"
3005 | resolved "https://registry.yarnpkg.com/static-extend/-/static-extend-0.1.2.tgz#60809c39cbff55337226fd5e0b520f341f1fb5c6"
3006 | dependencies:
3007 | define-property "^0.2.5"
3008 | object-copy "^0.1.0"
3009 |
3010 | "statuses@>= 1.3.1 < 2":
3011 | version "1.4.0"
3012 | resolved "https://registry.yarnpkg.com/statuses/-/statuses-1.4.0.tgz#bb73d446da2796106efcc1b601a253d6c46bd087"
3013 |
3014 | statuses@~1.3.1:
3015 | version "1.3.1"
3016 | resolved "https://registry.yarnpkg.com/statuses/-/statuses-1.3.1.tgz#faf51b9eb74aaef3b3acf4ad5f61abf24cb7b93e"
3017 |
3018 | stream-combiner@~0.0.4:
3019 | version "0.0.4"
3020 | resolved "https://registry.yarnpkg.com/stream-combiner/-/stream-combiner-0.0.4.tgz#4d5e433c185261dde623ca3f44c586bcf5c4ad14"
3021 | dependencies:
3022 | duplexer "~0.1.1"
3023 |
3024 | streamsearch@0.1.2:
3025 | version "0.1.2"
3026 | resolved "https://registry.yarnpkg.com/streamsearch/-/streamsearch-0.1.2.tgz#808b9d0e56fc273d809ba57338e929919a1a9f1a"
3027 |
3028 | string-width@^1.0.1, string-width@^1.0.2:
3029 | version "1.0.2"
3030 | resolved "https://registry.yarnpkg.com/string-width/-/string-width-1.0.2.tgz#118bdf5b8cdc51a2a7e70d211e07e2b0b9b107d3"
3031 | dependencies:
3032 | code-point-at "^1.0.0"
3033 | is-fullwidth-code-point "^1.0.0"
3034 | strip-ansi "^3.0.0"
3035 |
3036 | string-width@^2.0.0, string-width@^2.1.0, string-width@^2.1.1:
3037 | version "2.1.1"
3038 | resolved "https://registry.yarnpkg.com/string-width/-/string-width-2.1.1.tgz#ab93f27a8dc13d28cac815c462143a6d9012ae9e"
3039 | dependencies:
3040 | is-fullwidth-code-point "^2.0.0"
3041 | strip-ansi "^4.0.0"
3042 |
3043 | string_decoder@~0.10.x:
3044 | version "0.10.31"
3045 | resolved "https://registry.yarnpkg.com/string_decoder/-/string_decoder-0.10.31.tgz#62e203bc41766c6c28c9fc84301dab1c5310fa94"
3046 |
3047 | string_decoder@~1.0.3:
3048 | version "1.0.3"
3049 | resolved "https://registry.yarnpkg.com/string_decoder/-/string_decoder-1.0.3.tgz#0fc67d7c141825de94282dd536bec6b9bce860ab"
3050 | dependencies:
3051 | safe-buffer "~5.1.0"
3052 |
3053 | stringstream@~0.0.4, stringstream@~0.0.5:
3054 | version "0.0.5"
3055 | resolved "https://registry.yarnpkg.com/stringstream/-/stringstream-0.0.5.tgz#4e484cd4de5a0bbbee18e46307710a8a81621878"
3056 |
3057 | strip-ansi@^3.0.0, strip-ansi@^3.0.1:
3058 | version "3.0.1"
3059 | resolved "https://registry.yarnpkg.com/strip-ansi/-/strip-ansi-3.0.1.tgz#6a385fb8853d952d5ff05d0e8aaf94278dc63dcf"
3060 | dependencies:
3061 | ansi-regex "^2.0.0"
3062 |
3063 | strip-ansi@^4.0.0:
3064 | version "4.0.0"
3065 | resolved "https://registry.yarnpkg.com/strip-ansi/-/strip-ansi-4.0.0.tgz#a8479022eb1ac368a871389b635262c505ee368f"
3066 | dependencies:
3067 | ansi-regex "^3.0.0"
3068 |
3069 | strip-bom@^3.0.0:
3070 | version "3.0.0"
3071 | resolved "https://registry.yarnpkg.com/strip-bom/-/strip-bom-3.0.0.tgz#2334c18e9c759f7bdd56fdef7e9ae3d588e68ed3"
3072 |
3073 | strip-eof@^1.0.0:
3074 | version "1.0.0"
3075 | resolved "https://registry.yarnpkg.com/strip-eof/-/strip-eof-1.0.0.tgz#bb43ff5598a6eb05d89b59fcd129c983313606bf"
3076 |
3077 | strip-json-comments@^2.0.0, strip-json-comments@~2.0.1:
3078 | version "2.0.1"
3079 | resolved "https://registry.yarnpkg.com/strip-json-comments/-/strip-json-comments-2.0.1.tgz#3c531942e908c2697c0ec344858c286c7ca0a60a"
3080 |
3081 | subscriptions-transport-ws@0.9.5, subscriptions-transport-ws@^0.9.5:
3082 | version "0.9.5"
3083 | resolved "https://registry.yarnpkg.com/subscriptions-transport-ws/-/subscriptions-transport-ws-0.9.5.tgz#faa9eb1230d5f2efe355368cd973b867e4483c53"
3084 | dependencies:
3085 | backo2 "^1.0.2"
3086 | eventemitter3 "^2.0.3"
3087 | iterall "^1.1.1"
3088 | lodash.assign "^4.2.0"
3089 | lodash.isobject "^3.0.2"
3090 | lodash.isstring "^4.0.1"
3091 | symbol-observable "^1.0.4"
3092 | ws "^3.0.0"
3093 |
3094 | supports-color@^2.0.0:
3095 | version "2.0.0"
3096 | resolved "https://registry.yarnpkg.com/supports-color/-/supports-color-2.0.0.tgz#535d045ce6b6363fa40117084629995e9df324c7"
3097 |
3098 | supports-color@^4.0.0:
3099 | version "4.5.0"
3100 | resolved "https://registry.yarnpkg.com/supports-color/-/supports-color-4.5.0.tgz#be7a0de484dec5c5cddf8b3d59125044912f635b"
3101 | dependencies:
3102 | has-flag "^2.0.0"
3103 |
3104 | symbol-observable@1.0.1:
3105 | version "1.0.1"
3106 | resolved "https://registry.yarnpkg.com/symbol-observable/-/symbol-observable-1.0.1.tgz#8340fc4702c3122df5d22288f88283f513d3fdd4"
3107 |
3108 | symbol-observable@^1.0.4:
3109 | version "1.1.0"
3110 | resolved "https://registry.yarnpkg.com/symbol-observable/-/symbol-observable-1.1.0.tgz#5c68fd8d54115d9dfb72a84720549222e8db9b32"
3111 |
3112 | tar-pack@^3.4.0:
3113 | version "3.4.1"
3114 | resolved "https://registry.yarnpkg.com/tar-pack/-/tar-pack-3.4.1.tgz#e1dbc03a9b9d3ba07e896ad027317eb679a10a1f"
3115 | dependencies:
3116 | debug "^2.2.0"
3117 | fstream "^1.0.10"
3118 | fstream-ignore "^1.0.5"
3119 | once "^1.3.3"
3120 | readable-stream "^2.1.4"
3121 | rimraf "^2.5.1"
3122 | tar "^2.2.1"
3123 | uid-number "^0.0.6"
3124 |
3125 | tar@^2.2.1:
3126 | version "2.2.1"
3127 | resolved "https://registry.yarnpkg.com/tar/-/tar-2.2.1.tgz#8e4d2a256c0e2185c6b18ad694aec968b83cb1d1"
3128 | dependencies:
3129 | block-stream "*"
3130 | fstream "^1.0.2"
3131 | inherits "2"
3132 |
3133 | term-size@^1.2.0:
3134 | version "1.2.0"
3135 | resolved "https://registry.yarnpkg.com/term-size/-/term-size-1.2.0.tgz#458b83887f288fc56d6fffbfad262e26638efa69"
3136 | dependencies:
3137 | execa "^0.7.0"
3138 |
3139 | through2@^2.0.0:
3140 | version "2.0.3"
3141 | resolved "https://registry.yarnpkg.com/through2/-/through2-2.0.3.tgz#0004569b37c7c74ba39c43f3ced78d1ad94140be"
3142 | dependencies:
3143 | readable-stream "^2.1.5"
3144 | xtend "~4.0.1"
3145 |
3146 | through@2, through@^2.3.6, through@~2.3, through@~2.3.1:
3147 | version "2.3.8"
3148 | resolved "https://registry.yarnpkg.com/through/-/through-2.3.8.tgz#0dd4c9ffaabc357960b1b724115d7e0e86a2e1f5"
3149 |
3150 | timed-out@^4.0.0:
3151 | version "4.0.1"
3152 | resolved "https://registry.yarnpkg.com/timed-out/-/timed-out-4.0.1.tgz#f32eacac5a175bea25d7fab565ab3ed8741ef56f"
3153 |
3154 | tmp@^0.0.33:
3155 | version "0.0.33"
3156 | resolved "https://registry.yarnpkg.com/tmp/-/tmp-0.0.33.tgz#6d34335889768d21b2bcda0aa277ced3b1bfadf9"
3157 | dependencies:
3158 | os-tmpdir "~1.0.2"
3159 |
3160 | to-object-path@^0.3.0:
3161 | version "0.3.0"
3162 | resolved "https://registry.yarnpkg.com/to-object-path/-/to-object-path-0.3.0.tgz#297588b7b0e7e0ac08e04e672f85c1f4999e17af"
3163 | dependencies:
3164 | kind-of "^3.0.2"
3165 |
3166 | to-regex-range@^2.1.0:
3167 | version "2.1.1"
3168 | resolved "https://registry.yarnpkg.com/to-regex-range/-/to-regex-range-2.1.1.tgz#7c80c17b9dfebe599e27367e0d4dd5590141db38"
3169 | dependencies:
3170 | is-number "^3.0.0"
3171 | repeat-string "^1.6.1"
3172 |
3173 | to-regex@^3.0.1:
3174 | version "3.0.1"
3175 | resolved "https://registry.yarnpkg.com/to-regex/-/to-regex-3.0.1.tgz#15358bee4a2c83bd76377ba1dc049d0f18837aae"
3176 | dependencies:
3177 | define-property "^0.2.5"
3178 | extend-shallow "^2.0.1"
3179 | regex-not "^1.0.0"
3180 |
3181 | touch@^3.1.0:
3182 | version "3.1.0"
3183 | resolved "https://registry.yarnpkg.com/touch/-/touch-3.1.0.tgz#fe365f5f75ec9ed4e56825e0bb76d24ab74af83b"
3184 | dependencies:
3185 | nopt "~1.0.10"
3186 |
3187 | tough-cookie@~2.3.0, tough-cookie@~2.3.3:
3188 | version "2.3.3"
3189 | resolved "https://registry.yarnpkg.com/tough-cookie/-/tough-cookie-2.3.3.tgz#0b618a5565b6dea90bf3425d04d55edc475a7561"
3190 | dependencies:
3191 | punycode "^1.4.1"
3192 |
3193 | traverse-chain@~0.1.0:
3194 | version "0.1.0"
3195 | resolved "https://registry.yarnpkg.com/traverse-chain/-/traverse-chain-0.1.0.tgz#61dbc2d53b69ff6091a12a168fd7d433107e40f1"
3196 |
3197 | ts-node@^3.3.0:
3198 | version "3.3.0"
3199 | resolved "https://registry.yarnpkg.com/ts-node/-/ts-node-3.3.0.tgz#c13c6a3024e30be1180dd53038fc209289d4bf69"
3200 | dependencies:
3201 | arrify "^1.0.0"
3202 | chalk "^2.0.0"
3203 | diff "^3.1.0"
3204 | make-error "^1.1.1"
3205 | minimist "^1.2.0"
3206 | mkdirp "^0.5.1"
3207 | source-map-support "^0.4.0"
3208 | tsconfig "^6.0.0"
3209 | v8flags "^3.0.0"
3210 | yn "^2.0.0"
3211 |
3212 | tsconfig@^6.0.0:
3213 | version "6.0.0"
3214 | resolved "https://registry.yarnpkg.com/tsconfig/-/tsconfig-6.0.0.tgz#6b0e8376003d7af1864f8df8f89dd0059ffcd032"
3215 | dependencies:
3216 | strip-bom "^3.0.0"
3217 | strip-json-comments "^2.0.0"
3218 |
3219 | tunnel-agent@^0.6.0:
3220 | version "0.6.0"
3221 | resolved "https://registry.yarnpkg.com/tunnel-agent/-/tunnel-agent-0.6.0.tgz#27a5dea06b36b04a0a9966774b290868f0fc40fd"
3222 | dependencies:
3223 | safe-buffer "^5.0.1"
3224 |
3225 | tweetnacl@^0.14.3, tweetnacl@~0.14.0:
3226 | version "0.14.5"
3227 | resolved "https://registry.yarnpkg.com/tweetnacl/-/tweetnacl-0.14.5.tgz#5ae68177f192d4456269d108afa93ff8743f4f64"
3228 |
3229 | type-is@^1.6.6, type-is@~1.6.15:
3230 | version "1.6.15"
3231 | resolved "https://registry.yarnpkg.com/type-is/-/type-is-1.6.15.tgz#cab10fb4909e441c82842eafe1ad646c81804410"
3232 | dependencies:
3233 | media-typer "0.3.0"
3234 | mime-types "~2.1.15"
3235 |
3236 | typescript@^2.6.2:
3237 | version "2.6.2"
3238 | resolved "https://registry.yarnpkg.com/typescript/-/typescript-2.6.2.tgz#3c5b6fd7f6de0914269027f03c0946758f7673a4"
3239 |
3240 | uid-number@^0.0.6:
3241 | version "0.0.6"
3242 | resolved "https://registry.yarnpkg.com/uid-number/-/uid-number-0.0.6.tgz#0ea10e8035e8eb5b8e4449f06da1c730663baa81"
3243 |
3244 | ultron@~1.1.0:
3245 | version "1.1.1"
3246 | resolved "https://registry.yarnpkg.com/ultron/-/ultron-1.1.1.tgz#9fe1536a10a664a65266a1e3ccf85fd36302bc9c"
3247 |
3248 | undefsafe@^2.0.1:
3249 | version "2.0.1"
3250 | resolved "https://registry.yarnpkg.com/undefsafe/-/undefsafe-2.0.1.tgz#03b2f2a16c94556e14b2edef326cd66aaf82707a"
3251 | dependencies:
3252 | debug "^2.2.0"
3253 |
3254 | union-value@^1.0.0:
3255 | version "1.0.0"
3256 | resolved "https://registry.yarnpkg.com/union-value/-/union-value-1.0.0.tgz#5c71c34cb5bad5dcebe3ea0cd08207ba5aa1aea4"
3257 | dependencies:
3258 | arr-union "^3.1.0"
3259 | get-value "^2.0.6"
3260 | is-extendable "^0.1.1"
3261 | set-value "^0.4.3"
3262 |
3263 | unique-string@^1.0.0:
3264 | version "1.0.0"
3265 | resolved "https://registry.yarnpkg.com/unique-string/-/unique-string-1.0.0.tgz#9e1057cca851abb93398f8b33ae187b99caec11a"
3266 | dependencies:
3267 | crypto-random-string "^1.0.0"
3268 |
3269 | universalify@^0.1.0:
3270 | version "0.1.1"
3271 | resolved "https://registry.yarnpkg.com/universalify/-/universalify-0.1.1.tgz#fa71badd4437af4c148841e3b3b165f9e9e590b7"
3272 |
3273 | unpipe@1.0.0, unpipe@~1.0.0:
3274 | version "1.0.0"
3275 | resolved "https://registry.yarnpkg.com/unpipe/-/unpipe-1.0.0.tgz#b2bf4ee8514aae6165b4817829d21b2ef49904ec"
3276 |
3277 | unset-value@^1.0.0:
3278 | version "1.0.0"
3279 | resolved "https://registry.yarnpkg.com/unset-value/-/unset-value-1.0.0.tgz#8376873f7d2335179ffb1e6fc3a8ed0dfc8ab559"
3280 | dependencies:
3281 | has-value "^0.3.1"
3282 | isobject "^3.0.0"
3283 |
3284 | unzip-response@^2.0.1:
3285 | version "2.0.1"
3286 | resolved "https://registry.yarnpkg.com/unzip-response/-/unzip-response-2.0.1.tgz#d2f0f737d16b0615e72a6935ed04214572d56f97"
3287 |
3288 | update-notifier@^2.3.0:
3289 | version "2.3.0"
3290 | resolved "https://registry.yarnpkg.com/update-notifier/-/update-notifier-2.3.0.tgz#4e8827a6bb915140ab093559d7014e3ebb837451"
3291 | dependencies:
3292 | boxen "^1.2.1"
3293 | chalk "^2.0.1"
3294 | configstore "^3.0.0"
3295 | import-lazy "^2.1.0"
3296 | is-installed-globally "^0.1.0"
3297 | is-npm "^1.0.0"
3298 | latest-version "^3.0.0"
3299 | semver-diff "^2.0.0"
3300 | xdg-basedir "^3.0.0"
3301 |
3302 | upper-case@^1.1.1:
3303 | version "1.1.3"
3304 | resolved "https://registry.yarnpkg.com/upper-case/-/upper-case-1.1.3.tgz#f6b4501c2ec4cdd26ba78be7222961de77621598"
3305 |
3306 | urix@^0.1.0:
3307 | version "0.1.0"
3308 | resolved "https://registry.yarnpkg.com/urix/-/urix-0.1.0.tgz#da937f7a62e21fec1fd18d49b35c2935067a6c72"
3309 |
3310 | url-join@0.0.1:
3311 | version "0.0.1"
3312 | resolved "https://registry.yarnpkg.com/url-join/-/url-join-0.0.1.tgz#1db48ad422d3402469a87f7d97bdebfe4fb1e3c8"
3313 |
3314 | url-parse-lax@^1.0.0:
3315 | version "1.0.0"
3316 | resolved "https://registry.yarnpkg.com/url-parse-lax/-/url-parse-lax-1.0.0.tgz#7af8f303645e9bd79a272e7a14ac68bc0609da73"
3317 | dependencies:
3318 | prepend-http "^1.0.1"
3319 |
3320 | url-regex@^3.0.0:
3321 | version "3.2.0"
3322 | resolved "https://registry.yarnpkg.com/url-regex/-/url-regex-3.2.0.tgz#dbad1e0c9e29e105dd0b1f09f6862f7fdb482724"
3323 | dependencies:
3324 | ip-regex "^1.0.1"
3325 |
3326 | use@^2.0.0:
3327 | version "2.0.2"
3328 | resolved "https://registry.yarnpkg.com/use/-/use-2.0.2.tgz#ae28a0d72f93bf22422a18a2e379993112dec8e8"
3329 | dependencies:
3330 | define-property "^0.2.5"
3331 | isobject "^3.0.0"
3332 | lazy-cache "^2.0.2"
3333 |
3334 | util-deprecate@~1.0.1:
3335 | version "1.0.2"
3336 | resolved "https://registry.yarnpkg.com/util-deprecate/-/util-deprecate-1.0.2.tgz#450d4dc9fa70de732762fbd2d4a28981419a0ccf"
3337 |
3338 | utils-merge@1.0.1:
3339 | version "1.0.1"
3340 | resolved "https://registry.yarnpkg.com/utils-merge/-/utils-merge-1.0.1.tgz#9f95710f50a267947b2ccc124741c1028427e713"
3341 |
3342 | uuid@^3.0.0, uuid@^3.1.0:
3343 | version "3.2.1"
3344 | resolved "https://registry.yarnpkg.com/uuid/-/uuid-3.2.1.tgz#12c528bb9d58d0b9265d9a2f6f0fe8be17ff1f14"
3345 |
3346 | v8flags@^3.0.0:
3347 | version "3.0.1"
3348 | resolved "https://registry.yarnpkg.com/v8flags/-/v8flags-3.0.1.tgz#dce8fc379c17d9f2c9e9ed78d89ce00052b1b76b"
3349 | dependencies:
3350 | homedir-polyfill "^1.0.1"
3351 |
3352 | vary@^1, vary@~1.1.2:
3353 | version "1.1.2"
3354 | resolved "https://registry.yarnpkg.com/vary/-/vary-1.1.2.tgz#2299f02c6ded30d4a5961b0b9f74524a18f634fc"
3355 |
3356 | verror@1.10.0:
3357 | version "1.10.0"
3358 | resolved "https://registry.yarnpkg.com/verror/-/verror-1.10.0.tgz#3a105ca17053af55d6e270c1f8288682e18da400"
3359 | dependencies:
3360 | assert-plus "^1.0.0"
3361 | core-util-is "1.0.2"
3362 | extsprintf "^1.2.0"
3363 |
3364 | wcwidth@^1.0.0:
3365 | version "1.0.1"
3366 | resolved "https://registry.yarnpkg.com/wcwidth/-/wcwidth-1.0.1.tgz#f0b0dcf915bc5ff1528afadb2c0e17b532da2fe8"
3367 | dependencies:
3368 | defaults "^1.0.3"
3369 |
3370 | whatwg-fetch@2.0.3, whatwg-fetch@>=0.10.0:
3371 | version "2.0.3"
3372 | resolved "https://registry.yarnpkg.com/whatwg-fetch/-/whatwg-fetch-2.0.3.tgz#9c84ec2dcf68187ff00bc64e1274b442176e1c84"
3373 |
3374 | which-module@^2.0.0:
3375 | version "2.0.0"
3376 | resolved "https://registry.yarnpkg.com/which-module/-/which-module-2.0.0.tgz#d9ef07dce77b9902b8a3a8fa4b31c3e3f7e6e87a"
3377 |
3378 | which@^1.2.14, which@^1.2.9:
3379 | version "1.3.0"
3380 | resolved "https://registry.yarnpkg.com/which/-/which-1.3.0.tgz#ff04bdfc010ee547d780bec38e1ac1c2777d253a"
3381 | dependencies:
3382 | isexe "^2.0.0"
3383 |
3384 | wide-align@^1.1.0:
3385 | version "1.1.2"
3386 | resolved "https://registry.yarnpkg.com/wide-align/-/wide-align-1.1.2.tgz#571e0f1b0604636ebc0dfc21b0339bbe31341710"
3387 | dependencies:
3388 | string-width "^1.0.2"
3389 |
3390 | widest-line@^2.0.0:
3391 | version "2.0.0"
3392 | resolved "https://registry.yarnpkg.com/widest-line/-/widest-line-2.0.0.tgz#0142a4e8a243f8882c0233aa0e0281aa76152273"
3393 | dependencies:
3394 | string-width "^2.1.1"
3395 |
3396 | wrap-ansi@^2.0.0:
3397 | version "2.1.0"
3398 | resolved "https://registry.yarnpkg.com/wrap-ansi/-/wrap-ansi-2.1.0.tgz#d8fc3d284dd05794fe84973caecdd1cf824fdd85"
3399 | dependencies:
3400 | string-width "^1.0.1"
3401 | strip-ansi "^3.0.1"
3402 |
3403 | wrappy@1:
3404 | version "1.0.2"
3405 | resolved "https://registry.yarnpkg.com/wrappy/-/wrappy-1.0.2.tgz#b5243d8f3ec1aa35f1364605bc0d1036e30ab69f"
3406 |
3407 | write-file-atomic@^2.0.0:
3408 | version "2.3.0"
3409 | resolved "https://registry.yarnpkg.com/write-file-atomic/-/write-file-atomic-2.3.0.tgz#1ff61575c2e2a4e8e510d6fa4e243cce183999ab"
3410 | dependencies:
3411 | graceful-fs "^4.1.11"
3412 | imurmurhash "^0.1.4"
3413 | signal-exit "^3.0.2"
3414 |
3415 | ws@^3.0.0:
3416 | version "3.3.3"
3417 | resolved "https://registry.yarnpkg.com/ws/-/ws-3.3.3.tgz#f1cf84fe2d5e901ebce94efaece785f187a228f2"
3418 | dependencies:
3419 | async-limiter "~1.0.0"
3420 | safe-buffer "~5.1.0"
3421 | ultron "~1.1.0"
3422 |
3423 | xdg-basedir@^3.0.0:
3424 | version "3.0.0"
3425 | resolved "https://registry.yarnpkg.com/xdg-basedir/-/xdg-basedir-3.0.0.tgz#496b2cc109eca8dbacfe2dc72b603c17c5870ad4"
3426 |
3427 | xtend@^4.0.1, xtend@~4.0.1:
3428 | version "4.0.1"
3429 | resolved "https://registry.yarnpkg.com/xtend/-/xtend-4.0.1.tgz#a5c6d532be656e23db820efb943a1f04998d63af"
3430 |
3431 | y18n@^3.2.1:
3432 | version "3.2.1"
3433 | resolved "https://registry.yarnpkg.com/y18n/-/y18n-3.2.1.tgz#6d15fba884c08679c0d77e88e7759e811e07fa41"
3434 |
3435 | yallist@^2.1.2:
3436 | version "2.1.2"
3437 | resolved "https://registry.yarnpkg.com/yallist/-/yallist-2.1.2.tgz#1c11f9218f076089a47dd512f93c6699a6a81d52"
3438 |
3439 | yaml-ast-parser@^0.0.40:
3440 | version "0.0.40"
3441 | resolved "https://registry.yarnpkg.com/yaml-ast-parser/-/yaml-ast-parser-0.0.40.tgz#08536d4e73d322b1c9ce207ab8dd70e04d20ae6e"
3442 |
3443 | yargs-parser@^8.1.0:
3444 | version "8.1.0"
3445 | resolved "https://registry.yarnpkg.com/yargs-parser/-/yargs-parser-8.1.0.tgz#f1376a33b6629a5d063782944da732631e966950"
3446 | dependencies:
3447 | camelcase "^4.1.0"
3448 |
3449 | yargs@10.1.1:
3450 | version "10.1.1"
3451 | resolved "https://registry.yarnpkg.com/yargs/-/yargs-10.1.1.tgz#5fe1ea306985a099b33492001fa19a1e61efe285"
3452 | dependencies:
3453 | cliui "^4.0.0"
3454 | decamelize "^1.1.1"
3455 | find-up "^2.1.0"
3456 | get-caller-file "^1.0.1"
3457 | os-locale "^2.0.0"
3458 | require-directory "^2.1.1"
3459 | require-main-filename "^1.0.1"
3460 | set-blocking "^2.0.0"
3461 | string-width "^2.0.0"
3462 | which-module "^2.0.0"
3463 | y18n "^3.2.1"
3464 | yargs-parser "^8.1.0"
3465 |
3466 | yn@^2.0.0:
3467 | version "2.0.0"
3468 | resolved "https://registry.yarnpkg.com/yn/-/yn-2.0.0.tgz#e5adabc8acf408f6385fc76495684c88e6af689a"
3469 |
3470 | zen-observable@^0.6.0:
3471 | version "0.6.1"
3472 | resolved "https://registry.yarnpkg.com/zen-observable/-/zen-observable-0.6.1.tgz#01dbed3bc8d02cbe9ee1112c83e04c807f647244"
3473 |
--------------------------------------------------------------------------------