├── server ├── .gitignore ├── src │ ├── utils.ts │ ├── model.ts │ ├── typeDefs.ts │ └── resolvers.ts ├── tsconfig.json ├── server.ts ├── LICENSE ├── package.json ├── database.sql └── package-lock.json ├── assets ├── images │ ├── icon.png │ ├── favicon.png │ ├── splash.png │ ├── darkGreenGerm.gif │ └── redAuraMarker.png ├── screenshots │ ├── logo.png │ └── map-ss.png └── fonts │ └── SpaceMono-Regular.ttf ├── babel.config.js ├── .expo ├── settings.json └── packager-info.json ├── constants ├── Strings.ts ├── Layout.ts ├── Types.ts └── Colors.ts ├── components ├── StyledText.tsx ├── __tests__ │ └── StyledText-test.js ├── LoadingView.tsx ├── ListItemView.tsx ├── Themed.tsx ├── ListView.tsx ├── EditScreenInfo.tsx └── Tooltip.tsx ├── hooks ├── useColorScheme.web.ts ├── useColorScheme.ts └── useCachedResources.ts ├── .expo-shared └── assets.json ├── types.tsx ├── tsconfig.json ├── navigation ├── LinkingConfiguration.ts ├── index.tsx └── BottomTabNavigator.tsx ├── app.json ├── App.tsx ├── screens ├── TabTwoScreen.tsx ├── NotFoundScreen.tsx ├── TabTwoLoginScreen.tsx ├── TabTwoSignupScreen.tsx ├── TabTwoReportScreen.tsx └── TabOneScreen.tsx ├── .gitignore ├── package.json └── README.md /server/.gitignore: -------------------------------------------------------------------------------- 1 | node_modules 2 | .env 3 | build -------------------------------------------------------------------------------- /assets/images/icon.png: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/wellhaus/path-19/HEAD/assets/images/icon.png -------------------------------------------------------------------------------- /assets/images/favicon.png: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/wellhaus/path-19/HEAD/assets/images/favicon.png -------------------------------------------------------------------------------- /assets/images/splash.png: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/wellhaus/path-19/HEAD/assets/images/splash.png -------------------------------------------------------------------------------- /assets/screenshots/logo.png: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/wellhaus/path-19/HEAD/assets/screenshots/logo.png -------------------------------------------------------------------------------- /assets/screenshots/map-ss.png: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/wellhaus/path-19/HEAD/assets/screenshots/map-ss.png -------------------------------------------------------------------------------- /assets/images/darkGreenGerm.gif: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/wellhaus/path-19/HEAD/assets/images/darkGreenGerm.gif -------------------------------------------------------------------------------- /assets/images/redAuraMarker.png: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/wellhaus/path-19/HEAD/assets/images/redAuraMarker.png -------------------------------------------------------------------------------- /assets/fonts/SpaceMono-Regular.ttf: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/wellhaus/path-19/HEAD/assets/fonts/SpaceMono-Regular.ttf -------------------------------------------------------------------------------- /babel.config.js: -------------------------------------------------------------------------------- 1 | module.exports = function(api) { 2 | api.cache(true); 3 | return { 4 | presets: ['babel-preset-expo'], 5 | }; 6 | }; 7 | -------------------------------------------------------------------------------- /.expo/settings.json: -------------------------------------------------------------------------------- 1 | { 2 | "hostType": "lan", 3 | "lanType": "ip", 4 | "dev": true, 5 | "minify": false, 6 | "urlRandomness": null, 7 | "https": false 8 | } 9 | -------------------------------------------------------------------------------- /constants/Strings.ts: -------------------------------------------------------------------------------- 1 | 2 | export const PLACE_NAME_HEADER = "Location"; 3 | export const PROXIMITY_HEADER = "Proximity"; 4 | export const LAST_VISITED_HEADER = "Visited"; 5 | -------------------------------------------------------------------------------- /components/StyledText.tsx: -------------------------------------------------------------------------------- 1 | import * as React from 'react'; 2 | 3 | import { Text, TextProps } from './Themed'; 4 | 5 | export function MonoText(props: TextProps) { 6 | return ; 7 | } 8 | -------------------------------------------------------------------------------- /hooks/useColorScheme.web.ts: -------------------------------------------------------------------------------- 1 | // useColorScheme from react-native does not support web currently. You can replace 2 | // this with react-native-appearance if you would like theme support on web. 3 | export default function useColorScheme() { 4 | return 'light'; 5 | } -------------------------------------------------------------------------------- /.expo/packager-info.json: -------------------------------------------------------------------------------- 1 | { 2 | "devToolsPort": 19002, 3 | "expoServerPort": null, 4 | "packagerPort": null, 5 | "packagerPid": null, 6 | "expoServerNgrokUrl": null, 7 | "packagerNgrokUrl": null, 8 | "ngrokPid": null, 9 | "webpackServerPort": null 10 | } 11 | -------------------------------------------------------------------------------- /constants/Layout.ts: -------------------------------------------------------------------------------- 1 | import { Dimensions } from 'react-native'; 2 | 3 | const width = Dimensions.get('window').width; 4 | const height = Dimensions.get('window').height; 5 | 6 | export default { 7 | window: { 8 | width, 9 | height, 10 | }, 11 | isSmallDevice: width < 375, 12 | }; 13 | -------------------------------------------------------------------------------- /.expo-shared/assets.json: -------------------------------------------------------------------------------- 1 | { 2 | "e997a5256149a4b76e6bfd6cbf519c5e5a0f1d278a3d8fa1253022b03c90473b": true, 3 | "af683c96e0ffd2cf81287651c9433fa44debc1220ca7cb431fe482747f34a505": true, 4 | "12bb71342c6255bbf50437ec8f4441c083f47cdb74bd89160c15e4f43e52a1cb": true, 5 | "40b842e832070c58deac6aa9e08fa459302ee3f9da492c7e77d93d2fbf4a56fd": true 6 | } 7 | -------------------------------------------------------------------------------- /components/__tests__/StyledText-test.js: -------------------------------------------------------------------------------- 1 | import * as React from 'react'; 2 | import renderer from 'react-test-renderer'; 3 | 4 | import { MonoText } from '../StyledText'; 5 | 6 | it(`renders correctly`, () => { 7 | const tree = renderer.create(Snapshot test!).toJSON(); 8 | 9 | expect(tree).toMatchSnapshot(); 10 | }); 11 | -------------------------------------------------------------------------------- /server/src/utils.ts: -------------------------------------------------------------------------------- 1 | const jwt = require('jsonwebtoken'); 2 | // import secret from DOTENV here 3 | 4 | export const getUser = (token) => { 5 | try { 6 | if (token) { 7 | // add secret as second arg to verify 8 | return jwt.verify(token); 9 | } 10 | return null; 11 | } catch (err) { 12 | return null; 13 | } 14 | }; 15 | 16 | -------------------------------------------------------------------------------- /types.tsx: -------------------------------------------------------------------------------- 1 | export type RootStackParamList = { 2 | Root: undefined; 3 | NotFound: undefined; 4 | }; 5 | 6 | export type BottomTabParamList = { 7 | TabOne: undefined; 8 | TabTwo: undefined; 9 | }; 10 | 11 | export type TabOneParamList = { 12 | TabOneScreen: undefined; 13 | }; 14 | 15 | export type TabTwoParamList = { 16 | TabTwoScreen: undefined; 17 | }; 18 | -------------------------------------------------------------------------------- /tsconfig.json: -------------------------------------------------------------------------------- 1 | { 2 | "compilerOptions": { 3 | "allowSyntheticDefaultImports": true, 4 | "jsx": "react-native", 5 | "lib": [ 6 | "dom", 7 | "esnext" 8 | ], 9 | "moduleResolution": "node", 10 | "noEmit": true, 11 | "skipLibCheck": true, 12 | "resolveJsonModule": true, 13 | "strict": true, 14 | "noImplicitAny": false, 15 | } 16 | } -------------------------------------------------------------------------------- /server/src/model.ts: -------------------------------------------------------------------------------- 1 | const { Pool } = require('pg'); 2 | 3 | require('dotenv').config(); 4 | 5 | const { PG_URI } = process.env; 6 | 7 | const pool = new Pool({ 8 | connectionString: PG_URI, 9 | }); 10 | 11 | 12 | module.exports = { 13 | query: (text, params, callback) => { 14 | console.log('executed query', text); 15 | return pool.query(text, params, callback); 16 | }, 17 | }; -------------------------------------------------------------------------------- /constants/Types.ts: -------------------------------------------------------------------------------- 1 | // export interface LocationSchema { 2 | // name: string, 3 | // lat: number, 4 | // long: number, 5 | // timestamp: number, 6 | // proximity: number, 7 | // }; 8 | export interface LocationSchema { 9 | _id: number, 10 | name: string, 11 | longitude: number, 12 | latitude: number, 13 | onset: string, 14 | date_visited: string, 15 | proximity: number, 16 | }; -------------------------------------------------------------------------------- /hooks/useColorScheme.ts: -------------------------------------------------------------------------------- 1 | import { ColorSchemeName, useColorScheme as _useColorScheme } from 'react-native'; 2 | 3 | // The useColorScheme value is always either light or dark, but the built-in 4 | // type suggests that it can be null. This will not happen in practice, so this 5 | // makes it a bit easier to work with. 6 | export default function useColorScheme(): NonNullable { 7 | return _useColorScheme() as NonNullable; 8 | } 9 | -------------------------------------------------------------------------------- /constants/Colors.ts: -------------------------------------------------------------------------------- 1 | const tintColorLight = '#517fa4'; 2 | const tintColorDark = '#fff'; 3 | 4 | export default { 5 | light: { 6 | text: '#000', 7 | background: '#fff', 8 | tint: tintColorLight, 9 | tabIconDefault: '#ccc', 10 | tabIconSelected: tintColorLight, 11 | }, 12 | dark: { 13 | text: '#fff', 14 | background: '#000', 15 | tint: tintColorDark, 16 | tabIconDefault: '#ccc', 17 | tabIconSelected: tintColorDark, 18 | }, 19 | }; 20 | -------------------------------------------------------------------------------- /navigation/LinkingConfiguration.ts: -------------------------------------------------------------------------------- 1 | import * as Linking from 'expo-linking'; 2 | 3 | export default { 4 | prefixes: [Linking.makeUrl('/')], 5 | config: { 6 | screens: { 7 | Root: { 8 | screens: { 9 | TabOne: { 10 | screens: { 11 | TabOneScreen: 'one', 12 | }, 13 | }, 14 | TabTwo: { 15 | screens: { 16 | TabTwoScreen: 'two', 17 | }, 18 | }, 19 | }, 20 | }, 21 | NotFound: '*', 22 | }, 23 | }, 24 | }; 25 | -------------------------------------------------------------------------------- /app.json: -------------------------------------------------------------------------------- 1 | { 2 | "expo": { 3 | "name": "CovidMonitor", 4 | "slug": "CovidMonitor", 5 | "version": "1.0.0", 6 | "orientation": "portrait", 7 | "icon": "./assets/images/icon.png", 8 | "scheme": "myapp", 9 | "userInterfaceStyle": "automatic", 10 | "splash": { 11 | "image": "./assets/images/splash.png", 12 | "resizeMode": "contain", 13 | "backgroundColor": "#ffffff" 14 | }, 15 | "updates": { 16 | "fallbackToCacheTimeout": 0 17 | }, 18 | "assetBundlePatterns": [ 19 | "**/*" 20 | ], 21 | "ios": { 22 | "supportsTablet": true 23 | }, 24 | "web": { 25 | "favicon": "./assets/images/favicon.png" 26 | } 27 | } 28 | } 29 | -------------------------------------------------------------------------------- /App.tsx: -------------------------------------------------------------------------------- 1 | import { StatusBar } from 'expo-status-bar'; 2 | import React from 'react'; 3 | import { SafeAreaProvider } from 'react-native-safe-area-context'; 4 | 5 | import useCachedResources from './hooks/useCachedResources'; 6 | import useColorScheme from './hooks/useColorScheme'; 7 | import Navigation from './navigation'; 8 | 9 | export default function App() { 10 | const isLoadingComplete = useCachedResources(); 11 | const colorScheme = useColorScheme(); 12 | 13 | if (!isLoadingComplete) { 14 | return null; 15 | } else { 16 | return ( 17 | 18 | 19 | 20 | 21 | ); 22 | } 23 | } 24 | -------------------------------------------------------------------------------- /server/tsconfig.json: -------------------------------------------------------------------------------- 1 | { 2 | "compilerOptions": { 3 | "outDir": "./build/", // path to output directory 4 | "sourceMap": true, // allow sourcemap support 5 | "strictNullChecks": true, // enable strict null checks as a best practice 6 | "removeComments": true, // remove comments from output 7 | "module": "commonjs", // specify module code generation 8 | "jsx": "react", // use typescript to transpile jsx to js 9 | "target": "es5", // specify ECMAScript target version 10 | "allowJs": true, // allow a partial TypeScript and JavaScript codebase 11 | "esModuleInterop": true // enable flexible import syntax 12 | }, 13 | "include": [ 14 | "./" 15 | ], 16 | "exclude": [ 17 | "node_modules", 18 | ".vscode", 19 | "build" 20 | ] 21 | } 22 | -------------------------------------------------------------------------------- /server/server.ts: -------------------------------------------------------------------------------- 1 | import { ApolloServer } from 'apollo-server'; 2 | import typeDefs from './src/typeDefs'; // Apollo type definitions 3 | import { resolvers } from './src/resolvers'; 4 | import { getUser } from './src/utils'; 5 | 6 | const PORT = 5000 7 | 8 | // TODO: move context into utils.ts 9 | // set up global context for each resolver 10 | const context = ({ req }) => { 11 | const tokenWithBearer = req.headers.authorization || ''; 12 | const token = tokenWithBearer.split(' ')[1]; 13 | const user = getUser(token); 14 | return user; 15 | } 16 | 17 | // Connect to ApolloServer 18 | const server = new ApolloServer({ 19 | typeDefs, // instantiate type definitions 20 | resolvers, 21 | context, 22 | tracing: true, 23 | }); 24 | 25 | server.listen({ port: PORT }, () => { 26 | console.log(`🚀 Server ready at http://localhost:${PORT}/`); 27 | }); 28 | -------------------------------------------------------------------------------- /screens/TabTwoScreen.tsx: -------------------------------------------------------------------------------- 1 | import React, { useState } from 'react'; 2 | import { Text, View } from '../components/Themed'; 3 | import TabTwoLoginScreen from './TabTwoLoginScreen'; 4 | import TabTwoReportScreen from './TabTwoReportScreen' 5 | import TabTwoSignupScreen from './TabTwoSignupScreen' 6 | 7 | 8 | export default function TabTwoScreen() { 9 | const [loggedIn, setLogin] = useState(false); 10 | const [register, setRegister] = useState(false) 11 | 12 | const renderScreen = () => { 13 | if(!loggedIn && register) { 14 | return 15 | } else if(!loggedIn && !register) { 16 | return 17 | } else if(loggedIn) { 18 | return 19 | } 20 | } 21 | 22 | return ( 23 | <> 24 | {renderScreen()} 25 | 26 | ); 27 | } -------------------------------------------------------------------------------- /components/LoadingView.tsx: -------------------------------------------------------------------------------- 1 | import React, { useState } from 'react'; 2 | import { Image, StyleSheet } from 'react-native'; 3 | import { Text, View } from './Themed'; 4 | 5 | export interface LoadingViewProps { 6 | message?: string, 7 | } 8 | 9 | export default function LoadingView({ message }: LoadingViewProps) { 10 | const [displayMsg, setDisplayMsg] = useState("Gathering most up-to-date reports...") 11 | 12 | if (message && message.length > 0) { 13 | setDisplayMsg(message); 14 | } 15 | 16 | return ( 17 | 18 | {displayMsg} 19 | 20 | 21 | ) 22 | } 23 | 24 | const styles = StyleSheet.create({ 25 | container: { 26 | flex: 1, 27 | alignItems: 'center', 28 | justifyContent: 'center', 29 | }, 30 | loadingGif: { 31 | width: '80%', 32 | height: '50%', 33 | } 34 | }); -------------------------------------------------------------------------------- /.gitignore: -------------------------------------------------------------------------------- 1 | # OSX 2 | # 3 | .DS_Store 4 | 5 | # Xcode 6 | # 7 | build/ 8 | *.pbxuser 9 | !default.pbxuser 10 | *.mode1v3 11 | !default.mode1v3 12 | *.mode2v3 13 | !default.mode2v3 14 | *.perspectivev3 15 | !default.perspectivev3 16 | xcuserdata 17 | *.xccheckout 18 | *.moved-aside 19 | DerivedData 20 | *.hmap 21 | *.ipa 22 | *.xcuserstate 23 | 24 | # Android/IntelliJ 25 | # 26 | build/ 27 | .idea 28 | .gradle 29 | local.properties 30 | *.iml 31 | 32 | # node.js 33 | # 34 | node_modules/ 35 | npm-debug.log 36 | yarn-error.log 37 | 38 | # BUCK 39 | buck-out/ 40 | \.buckd/ 41 | *.keystore 42 | !debug.keystore 43 | 44 | # fastlane 45 | # 46 | # It is recommended to not store the screenshots in the git repo. Instead, use fastlane to re-generate the 47 | # screenshots whenever they are needed. 48 | # For more information about the recommended setup visit: 49 | # https://docs.fastlane.tools/best-practices/source-control/ 50 | 51 | */fastlane/report.xml 52 | */fastlane/Preview.html 53 | */fastlane/screenshots 54 | 55 | # Bundle artifact 56 | *.jsbundle 57 | 58 | # CocoaPods 59 | /ios/Pods/ 60 | .env 61 | 62 | ip.js 63 | .expo 64 | -------------------------------------------------------------------------------- /hooks/useCachedResources.ts: -------------------------------------------------------------------------------- 1 | import { Ionicons } from '@expo/vector-icons'; 2 | import * as Font from 'expo-font'; 3 | import * as SplashScreen from 'expo-splash-screen'; 4 | import * as React from 'react'; 5 | 6 | export default function useCachedResources() { 7 | const [isLoadingComplete, setLoadingComplete] = React.useState(false); 8 | 9 | // Load any resources or data that we need prior to rendering the app 10 | React.useEffect(() => { 11 | async function loadResourcesAndDataAsync() { 12 | try { 13 | SplashScreen.preventAutoHideAsync(); 14 | 15 | // Load fonts 16 | await Font.loadAsync({ 17 | ...Ionicons.font, 18 | 'space-mono': require('../assets/fonts/SpaceMono-Regular.ttf'), 19 | }); 20 | } catch (e) { 21 | // We might want to provide this error information to an error reporting service 22 | console.warn(e); 23 | } finally { 24 | setLoadingComplete(true); 25 | SplashScreen.hideAsync(); 26 | } 27 | } 28 | 29 | loadResourcesAndDataAsync(); 30 | }, []); 31 | 32 | return isLoadingComplete; 33 | } 34 | -------------------------------------------------------------------------------- /server/LICENSE: -------------------------------------------------------------------------------- 1 | MIT License 2 | 3 | Copyright (c) 2020 wellhaus 4 | 5 | Permission is hereby granted, free of charge, to any person obtaining a copy 6 | of this software and associated documentation files (the "Software"), to deal 7 | in the Software without restriction, including without limitation the rights 8 | to use, copy, modify, merge, publish, distribute, sublicense, and/or sell 9 | copies of the Software, and to permit persons to whom the Software is 10 | furnished to do so, subject to the following conditions: 11 | 12 | The above copyright notice and this permission notice shall be included in all 13 | copies or substantial portions of the Software. 14 | 15 | THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR 16 | IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, 17 | FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE 18 | AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER 19 | LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, 20 | OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE 21 | SOFTWARE. 22 | -------------------------------------------------------------------------------- /screens/NotFoundScreen.tsx: -------------------------------------------------------------------------------- 1 | import { StackScreenProps } from '@react-navigation/stack'; 2 | import * as React from 'react'; 3 | import { StyleSheet, Text, TouchableOpacity, View } from 'react-native'; 4 | 5 | import { RootStackParamList } from '../types'; 6 | 7 | export default function NotFoundScreen({ 8 | navigation, 9 | }: StackScreenProps) { 10 | return ( 11 | 12 | This screen doesn't exist. 13 | navigation.replace('Root')} style={styles.link}> 14 | Go to home screen! 15 | 16 | 17 | ); 18 | } 19 | 20 | const styles = StyleSheet.create({ 21 | container: { 22 | flex: 1, 23 | backgroundColor: '#fff', 24 | alignItems: 'center', 25 | justifyContent: 'center', 26 | padding: 20, 27 | }, 28 | title: { 29 | fontSize: 20, 30 | fontWeight: 'bold', 31 | }, 32 | link: { 33 | marginTop: 15, 34 | paddingVertical: 15, 35 | }, 36 | linkText: { 37 | fontSize: 14, 38 | color: '#2e78b7', 39 | }, 40 | }); 41 | -------------------------------------------------------------------------------- /components/ListItemView.tsx: -------------------------------------------------------------------------------- 1 | import React, { useState } from 'react'; 2 | import { FlatList, StyleSheet } from 'react-native'; 3 | import { Text, View } from './Themed'; 4 | import { LocationSchema } from '../constants/Types'; 5 | import EditScreenInfo from './EditScreenInfo'; 6 | import * as Location from 'expo-location'; 7 | import { convertDistance } from 'geolib'; 8 | 9 | export interface ListItemViewProps { 10 | placeItem: LocationSchema; 11 | }; 12 | 13 | export default function ListItemView({ placeItem }: ListItemViewProps) { 14 | return ( 15 | 16 | 17 | {placeItem.name} 18 | {convertDistance(placeItem.proximity, 'mi').toFixed(2) + " mi"} 19 | {placeItem.date_visited} 20 | 21 | 22 | ) 23 | } 24 | 25 | const styles = StyleSheet.create({ 26 | container: { 27 | // flex: 1, 28 | alignItems: 'center', 29 | justifyContent: 'center', 30 | height: '50%', 31 | width: '100%', 32 | padding: 5, 33 | }, 34 | item: { 35 | width: '100%', 36 | flexDirection: 'row', 37 | justifyContent: 'space-evenly', 38 | }, 39 | itemCol: { 40 | width: '30%', 41 | textAlign: 'center', 42 | } 43 | }); -------------------------------------------------------------------------------- /components/Themed.tsx: -------------------------------------------------------------------------------- 1 | import * as React from 'react'; 2 | import { Text as DefaultText, View as DefaultView } from 'react-native'; 3 | 4 | import Colors from '../constants/Colors'; 5 | import useColorScheme from '../hooks/useColorScheme'; 6 | 7 | export function useThemeColor( 8 | props: { light?: string; dark?: string }, 9 | colorName: keyof typeof Colors.light & keyof typeof Colors.dark 10 | ) { 11 | const theme = useColorScheme(); 12 | const colorFromProps = props[theme]; 13 | 14 | if (colorFromProps) { 15 | return colorFromProps; 16 | } else { 17 | return Colors[theme][colorName]; 18 | } 19 | } 20 | 21 | type ThemeProps = { 22 | lightColor?: string; 23 | darkColor?: string; 24 | }; 25 | 26 | export type TextProps = ThemeProps & DefaultText['props']; 27 | export type ViewProps = ThemeProps & DefaultView['props']; 28 | 29 | export function Text(props: TextProps) { 30 | const { style, lightColor, darkColor, ...otherProps } = props; 31 | const color = useThemeColor({ light: lightColor, dark: darkColor }, 'text'); 32 | 33 | return ; 34 | } 35 | 36 | export function View(props: ViewProps) { 37 | const { style, lightColor, darkColor, ...otherProps } = props; 38 | const backgroundColor = useThemeColor({ light: lightColor, dark: darkColor }, 'background'); 39 | 40 | return ; 41 | } 42 | -------------------------------------------------------------------------------- /server/package.json: -------------------------------------------------------------------------------- 1 | { 2 | "name": "path-19", 3 | "version": "1.0.0", 4 | "description": "Self-report COVID-19 tracer", 5 | "main": "index.js", 6 | "scripts": { 7 | "start": "NODE_ENV=production tsc && node ./build/server.js", 8 | "dev": "NODE_ENV=development ts-node-dev --respawn --transpile-only server.ts" 9 | }, 10 | "repository": { 11 | "type": "git", 12 | "url": "git+https://github.com/wellhaus/path-19.git" 13 | }, 14 | "keywords": [ 15 | "COVID-19", 16 | "coronavirus", 17 | "pandemic", 18 | "tracing", 19 | "tracker" 20 | ], 21 | "author": "", 22 | "license": "MIT", 23 | "bugs": { 24 | "url": "https://github.com/wellhaus/path-19/issues" 25 | }, 26 | "homepage": "https://github.com/wellhaus/path-19#readme", 27 | "dependencies": { 28 | "apollo-server": "^2.17.0", 29 | "apollo-server-express": "^2.17.0", 30 | "bcryptjs": "^2.4.3", 31 | "cors": "^2.8.5", 32 | "dotenv": "^8.2.0", 33 | "express": "^4.17.1", 34 | "express-graphql": "^0.11.0", 35 | "graphql": "^15.3.0", 36 | "http": "0.0.1-security", 37 | "jsonwebtoken": "^8.5.1", 38 | "node": "^14.8.0", 39 | "pg": "^8.3.3" 40 | }, 41 | "devDependencies": { 42 | "@types/bcryptjs": "^2.4.2", 43 | "@types/graphql": "^14.5.0", 44 | "@types/jsonwebtoken": "^8.5.0", 45 | "@types/node": "^14.6.4", 46 | "ts-node-dev": "^1.0.0-pre.62", 47 | "typescript": "^4.0.2" 48 | } 49 | } 50 | -------------------------------------------------------------------------------- /navigation/index.tsx: -------------------------------------------------------------------------------- 1 | import { NavigationContainer, DefaultTheme, DarkTheme } from '@react-navigation/native'; 2 | import { createStackNavigator } from '@react-navigation/stack'; 3 | import * as React from 'react'; 4 | import { ColorSchemeName } from 'react-native'; 5 | 6 | import NotFoundScreen from '../screens/NotFoundScreen'; 7 | import { RootStackParamList } from '../types'; 8 | import BottomTabNavigator from './BottomTabNavigator'; 9 | import LinkingConfiguration from './LinkingConfiguration'; 10 | 11 | // If you are not familiar with React Navigation, we recommend going through the 12 | // "Fundamentals" guide: https://reactnavigation.org/docs/getting-started 13 | export default function Navigation({ colorScheme }: { colorScheme: ColorSchemeName }) { 14 | return ( 15 | 18 | 19 | 20 | ); 21 | } 22 | 23 | // A root stack navigator is often used for displaying modals on top of all other content 24 | // Read more here: https://reactnavigation.org/docs/modal 25 | const Stack = createStackNavigator(); 26 | 27 | function RootNavigator() { 28 | return ( 29 | 30 | 31 | 32 | 33 | ); 34 | } 35 | -------------------------------------------------------------------------------- /server/src/typeDefs.ts: -------------------------------------------------------------------------------- 1 | const { gql } = require('apollo-server'); 2 | 3 | // Define tables and types for each field 4 | // ! = non-nullable (aka it's required) 5 | const typeDefs: any = gql` 6 | # type Query defines all top-level entry points for queries that clients can execute 7 | type Query { 8 | currentUser: Users! 9 | locations: [Locations] 10 | } 11 | 12 | type Users { 13 | id: Int! 14 | email: String! 15 | firstname: String! 16 | lastname: String! 17 | status: Boolean! 18 | locations: [Locations] 19 | } 20 | 21 | type Locations { 22 | _id: Int! 23 | name: String! 24 | latitude: Float! 25 | longitude: Float! 26 | onset: String! 27 | date_visited: String! 28 | user_id: Int 29 | user: Users 30 | } 31 | 32 | # Send LoginResponse rather than user, so client can save token for additional requests 33 | type LoginResponse { 34 | token: String! 35 | user: Users! 36 | } 37 | 38 | # Let client know whether location was successfully updated 39 | type UpdateLocation { 40 | success: Boolean! 41 | message: String 42 | # locations: [Locations] # return array of locations, if successful 43 | } 44 | 45 | # Mutation type defines entry points for write operations 46 | type Mutation { 47 | # if false, add location failed -- check errors 48 | addLocation(name: String!, latitude: Float, longitude: Float, onset: String!, date_visited: String!, user_id: Int): UpdateLocation 49 | # if false, delete location failed -- check errors 50 | deleteLocation(locationId: Int!): UpdateLocation 51 | editLocation(locationId: Int!): UpdateLocation 52 | register(email: String!, password: String!, firstname: String!, lastname: String! status: Boolean): LoginResponse 53 | login(email: String!, password: String!): LoginResponse 54 | } 55 | `; 56 | 57 | export default typeDefs; 58 | -------------------------------------------------------------------------------- /package.json: -------------------------------------------------------------------------------- 1 | { 2 | "main": "node_modules/expo/AppEntry.js", 3 | "scripts": { 4 | "start": "expo start", 5 | "android": "expo start --android", 6 | "ios": "expo start --ios", 7 | "web": "expo start --web", 8 | "eject": "expo eject", 9 | "test": "jest --watchAll" 10 | }, 11 | "jest": { 12 | "preset": "jest-expo" 13 | }, 14 | "dependencies": { 15 | "@apollo/client": "^3.1.5", 16 | "@expo/vector-icons": "^10.0.0", 17 | "@react-native-community/checkbox": "^0.5.2", 18 | "@react-native-community/masked-view": "0.1.10", 19 | "@react-navigation/bottom-tabs": "^5.6.1", 20 | "@react-navigation/native": "^5.6.1", 21 | "@react-navigation/stack": "^5.6.2", 22 | "expo": "~38.0.8", 23 | "expo-asset": "~8.1.7", 24 | "expo-constants": "~9.1.1", 25 | "expo-font": "~8.2.1", 26 | "expo-linking": "^1.0.1", 27 | "expo-location": "~8.2.1", 28 | "expo-splash-screen": "~0.5.0", 29 | "expo-status-bar": "^1.0.2", 30 | "expo-web-browser": "~8.3.1", 31 | "geolib": "^3.3.1", 32 | "graphql": "^15.3.0", 33 | "react": "~16.11.0", 34 | "react-dom": "~16.11.0", 35 | "react-hook-form": "^6.8.1", 36 | "react-native": "https://github.com/expo/react-native/archive/sdk-38.0.2.tar.gz", 37 | "react-native-elements": "^2.3.2", 38 | "react-native-geocoder": "^0.5.0", 39 | "react-native-gesture-handler": "~1.6.0", 40 | "react-native-maps": "0.27.1", 41 | "react-native-safe-area-context": "~3.0.7", 42 | "react-native-screens": "~2.9.0", 43 | "react-native-vector-icons": "^7.0.0", 44 | "react-native-web": "~0.11.7" 45 | }, 46 | "devDependencies": { 47 | "@babel/core": "^7.8.6", 48 | "@types/react": "~16.9.23", 49 | "@types/react-native": "~0.62.13", 50 | "babel-preset-expo": "~8.1.0", 51 | "jest-expo": "~38.0.0", 52 | "typescript": "~3.9.5" 53 | }, 54 | "private": true 55 | } 56 | -------------------------------------------------------------------------------- /components/ListView.tsx: -------------------------------------------------------------------------------- 1 | import React, { useState } from 'react'; 2 | import { FlatList, StyleSheet } from 'react-native'; 3 | import { Text, View } from './Themed'; 4 | import { LocationSchema } from '../constants/Types'; 5 | import EditScreenInfo from './EditScreenInfo'; 6 | import * as Location from 'expo-location'; 7 | import ListItemView from './ListItemView'; 8 | import { getDistance, orderByDistance } from 'geolib'; 9 | import { GeolibInputCoordinates } from 'geolib/es/types'; 10 | 11 | import { PLACE_NAME_HEADER, PROXIMITY_HEADER, LAST_VISITED_HEADER } from '../constants/Strings'; 12 | 13 | export interface ListViewProps { 14 | placesToList: LocationSchema[]; 15 | currentLocation: Location.LocationData; 16 | }; 17 | 18 | export default function ListView({ placesToList, currentLocation }: ListViewProps) { 19 | 20 | const currPlace: GeolibInputCoordinates = { latitude: currentLocation.coords.latitude, longitude: currentLocation.coords.longitude }; 21 | 22 | let listData = placesToList.map((place) => { 23 | const pinnedPlace: GeolibInputCoordinates = { latitude: place.latitude, longitude: place.longitude }; 24 | return { 25 | key: `placeKey${place._id}`, 26 | ...place, 27 | proximity: getDistance(pinnedPlace, currPlace), 28 | } 29 | }); 30 | 31 | // listData = orderByDistance(currPlace, listData); 32 | 33 | return ( 34 | 35 | 36 | {PLACE_NAME_HEADER} 37 | {PROXIMITY_HEADER} 38 | {LAST_VISITED_HEADER} 39 | 40 | } 43 | /> 44 | 45 | {/* */} 46 | 47 | ); 48 | }; 49 | 50 | 51 | const styles = StyleSheet.create({ 52 | container: { 53 | // flex: 1, 54 | alignItems: 'center', 55 | justifyContent: 'center', 56 | height: '50%', 57 | width: '100%', 58 | padding: 10, 59 | }, 60 | headerRow: { 61 | width: '100%', 62 | flexDirection: 'row', 63 | justifyContent: 'space-evenly', 64 | }, 65 | headerCol: { 66 | width: '30%', 67 | textAlign: 'center', 68 | fontSize: 15, 69 | fontWeight: 'bold', 70 | }, 71 | separator: { 72 | marginVertical: 30, 73 | height: 1, 74 | width: '80%', 75 | }, 76 | }); -------------------------------------------------------------------------------- /server/database.sql: -------------------------------------------------------------------------------- 1 | -- DROP TABLE IF EXISTS public.users; 2 | CREATE TABLE public.users 3 | ( 4 | "_id" serial NOT NULL, 5 | "email" varchar UNIQUE NOT NULL, 6 | "password" varchar NOT NULL, 7 | "firstname" varchar (50) NOT NULL, 8 | "lastname" varchar (50) NOT NULL, 9 | "status" boolean NOT NULL, 10 | CONSTRAINT "users_pk" PRIMARY KEY ("_id") 11 | ) 12 | WITH ( 13 | OIDS=FALSE 14 | ); 15 | 16 | -- DROP TABLE IF EXISTS public.locations; 17 | CREATE TABLE public.locations 18 | ( 19 | "_id" serial NOT NULL, 20 | "name" varchar NOT NULL, 21 | "latitude" numeric NOT NULL, 22 | "longitude" numeric NOT NULL, 23 | "onset" date NOT NULL, 24 | "date_visited" date NOT NULL, 25 | "user_id" bigint NOT NULL, 26 | CONSTRAINT "locations_pk" PRIMARY KEY ("_id") 27 | -- FOREIGN KEY "user_id" REFERENCES public.users("_id") 28 | ) 29 | WITH ( 30 | OIDS=FALSE 31 | ); 32 | 33 | ALTER TABLE public.locations ADD FOREIGN KEY ("user_id") REFERENCES public.users("_id"); 34 | 35 | INSERT INTO public.users 36 | VALUES 37 | (1, 'cc@gmail.com', 'helloworld', 'Catherine', 'Chiu', FALSE); 38 | INSERT INTO public.users 39 | VALUES 40 | (2, 'jm@gmail.com', 'helloworld', 'John', 'Madrigal', FALSE); 41 | INSERT INTO public.users 42 | VALUES 43 | (3, 'mh@gmail.com', 'helloworld', 'Michelle', 'Holland', TRUE); 44 | INSERT INTO public.users 45 | VALUES 46 | (4, 'sk@gmail.com', 'helloworld', 'Serena', 'Kuo', TRUE); 47 | 48 | INSERT INTO public.locations 49 | VALUES 50 | (1, 'Starbucks', 37.4224764, -122.0842499, '2020-03-23', '2020-03-20', 1); 51 | INSERT INTO public.locations 52 | VALUES 53 | (2, 'Alfred Coffee', 34.0839, 118.3754, '2020-04-23', '2020-04-13', 2); 54 | INSERT INTO public.locations 55 | VALUES 56 | (3, 'Rubios', 39.743943, -105.020089, '2020-07-23', '2020-07-08', 3); 57 | INSERT INTO public.locations 58 | VALUES 59 | (4, 'Sidecar Doughnuts & Coffee', 34.0214608, -118.4982049, '2020-08-23', '2020-08-13', 4); 60 | INSERT INTO public.locations 61 | VALUES 62 | (5, 'Salt & Straw', 45.4891595, -122.7344734, '2020-03-23', '2020-03-20', 1); 63 | INSERT INTO public.locations 64 | VALUES 65 | (6, 'Blue Bottle Coffee', 37.3202302, -121.950044, '2020-04-23', '2020-04-13', 2); 66 | INSERT INTO public.locations 67 | VALUES 68 | (7, 'Gratitude Cafe', 33.9979655, -118.476053, '2020-07-23', '2020-07-08', 3); 69 | INSERT INTO public.locations 70 | VALUES 71 | (8, 'Afters Ice Cream', 34.1547327, -118.4504157, '2020-08-23', '2020-08-13', 4); 72 | 73 | select setval('public.users__id_seq', 5, false); 74 | select setval('public.locations__id_seq', 9, false); 75 | 76 | -- DROP TABLE public.locations; 77 | -- DROP TABLE public.users -------------------------------------------------------------------------------- /navigation/BottomTabNavigator.tsx: -------------------------------------------------------------------------------- 1 | import { Ionicons } from '@expo/vector-icons'; 2 | import { createBottomTabNavigator } from '@react-navigation/bottom-tabs'; 3 | import { createStackNavigator } from '@react-navigation/stack'; 4 | import * as React from 'react'; 5 | import { Icon } from 'react-native-elements' 6 | import Colors from '../constants/Colors'; 7 | import useColorScheme from '../hooks/useColorScheme'; 8 | import TabOneScreen from '../screens/TabOneScreen'; 9 | import TabTwoScreen from '../screens/TabTwoScreen'; 10 | import { BottomTabParamList, TabOneParamList, TabTwoParamList } from '../types'; 11 | import { ApolloClient, InMemoryCache, ApolloProvider } from '@apollo/client'; 12 | import { MY_IP } from '../ip.js'; 13 | 14 | const client = new ApolloClient({ 15 | uri: MY_IP, 16 | cache: new InMemoryCache() 17 | }); 18 | 19 | 20 | const BottomTab = createBottomTabNavigator(); 21 | 22 | export default function BottomTabNavigator() { 23 | const colorScheme = useColorScheme(); 24 | 25 | return ( 26 | 27 | 30 | , 39 | }} 40 | /> 41 | , 50 | }} 51 | /> 52 | 53 | 54 | 55 | ); 56 | } 57 | 58 | // You can explore the built-in icon families and icons on the web at: 59 | // https://icons.expo.fyi/ 60 | function TabBarIcon(props: { name: string; color: string }) { 61 | return ; 62 | } 63 | 64 | // Each tab has its own navigation stack, you can read more about this pattern here: 65 | // https://reactnavigation.org/docs/tab-based-navigation#a-stack-navigator-for-each-tab 66 | const TabOneStack = createStackNavigator(); 67 | 68 | function TabOneNavigator() { 69 | return ( 70 | 71 | 76 | 77 | ); 78 | } 79 | 80 | const TabTwoStack = createStackNavigator(); 81 | 82 | function TabTwoNavigator() { 83 | return ( 84 | 85 | 90 | 91 | ); 92 | } 93 | -------------------------------------------------------------------------------- /components/EditScreenInfo.tsx: -------------------------------------------------------------------------------- 1 | import * as WebBrowser from 'expo-web-browser'; 2 | import React from 'react'; 3 | import { StyleSheet, TouchableOpacity } from 'react-native'; 4 | 5 | import Colors from '../constants/Colors'; 6 | import { MonoText } from './StyledText'; 7 | import { Text, View } from './Themed'; 8 | 9 | export default function EditScreenInfo({ path }: { path: string }) { 10 | return ( 11 | 12 | 13 | 17 | Open up the code for this screen: 18 | 19 | 20 | 24 | {path} 25 | 26 | 27 | 31 | Change any of the text, save the file, and your app will automatically update. 32 | 33 | 34 | 35 | 36 | 37 | 38 | Tap here if your app doesn't automatically update after making changes 39 | 40 | 41 | 42 | 43 | ); 44 | } 45 | 46 | function handleHelpPress() { 47 | WebBrowser.openBrowserAsync( 48 | 'https://docs.expo.io/get-started/create-a-new-app/#opening-the-app-on-your-phonetablet' 49 | ); 50 | } 51 | 52 | const styles = StyleSheet.create({ 53 | container: { 54 | flex: 1, 55 | backgroundColor: '#fff', 56 | }, 57 | developmentModeText: { 58 | marginBottom: 20, 59 | fontSize: 14, 60 | lineHeight: 19, 61 | textAlign: 'center', 62 | }, 63 | contentContainer: { 64 | paddingTop: 30, 65 | }, 66 | welcomeContainer: { 67 | alignItems: 'center', 68 | marginTop: 10, 69 | marginBottom: 20, 70 | }, 71 | welcomeImage: { 72 | width: 100, 73 | height: 80, 74 | resizeMode: 'contain', 75 | marginTop: 3, 76 | marginLeft: -10, 77 | }, 78 | getStartedContainer: { 79 | alignItems: 'center', 80 | marginHorizontal: 50, 81 | }, 82 | homeScreenFilename: { 83 | marginVertical: 7, 84 | }, 85 | codeHighlightText: { 86 | color: 'rgba(96,100,109, 0.8)', 87 | }, 88 | codeHighlightContainer: { 89 | borderRadius: 3, 90 | paddingHorizontal: 4, 91 | }, 92 | getStartedText: { 93 | fontSize: 17, 94 | lineHeight: 24, 95 | textAlign: 'center', 96 | }, 97 | helpContainer: { 98 | marginTop: 15, 99 | marginHorizontal: 20, 100 | alignItems: 'center', 101 | }, 102 | helpLink: { 103 | paddingVertical: 15, 104 | }, 105 | helpLinkText: { 106 | textAlign: 'center', 107 | }, 108 | }); 109 | -------------------------------------------------------------------------------- /components/Tooltip.tsx: -------------------------------------------------------------------------------- 1 | import React, { useState, useEffect } from 'react'; 2 | import { StyleSheet } from 'react-native'; 3 | import { Text, View } from './Themed'; 4 | import * as Location from 'expo-location'; 5 | 6 | export interface TooltipProps { 7 | location: Location.LocationData, 8 | placeName: string, 9 | }; 10 | 11 | export default function Tooltip({ location, placeName }: TooltipProps) { 12 | const [errorMsg, setErrorMsg] = useState(null); 13 | const [address, setAddress] = useState(null); 14 | 15 | const getReadableLocation = async ({ coords }: Location.LocationData): Promise => { 16 | const { latitude, longitude } = coords; 17 | try { 18 | const readableLocation = await Location.reverseGeocodeAsync({ latitude, longitude }); 19 | return readableLocation[0]; 20 | } catch (err) { 21 | throw err; 22 | } 23 | } 24 | 25 | useEffect(() => { 26 | (async () => { 27 | // Get readable postal address from current geocoded location 28 | try { 29 | setAddress(await getReadableLocation(location)); 30 | // console.log(`${name} ${city} ${region} ${postalCode} ${country}`); 31 | } catch (err) { 32 | setErrorMsg(err); 33 | } 34 | })(); 35 | }, []); 36 | 37 | // Simplify visit timestamp to just day, month, date, year 38 | const visitedTimestamp = new Date(location.timestamp).toString().split(' ').slice(0, 4).join(' '); 39 | 40 | return !address ? 41 | ( 42 | 43 | {"..."} 44 | 45 | ) : 46 | errorMsg ? 47 | ( 48 | 49 | 50 | {errorMsg} 51 | 52 | 53 | ) : 54 | ( 55 | 56 | 57 | {"Confirmed Patient"} 58 | {`Last visited: ${visitedTimestamp}`} 59 | {placeName} 60 | 61 | 62 | 63 | 64 | ); 65 | 66 | } 67 | 68 | 69 | const styles = StyleSheet.create({ 70 | container: { 71 | flex: 1, 72 | alignItems: 'center', 73 | justifyContent: 'center', 74 | }, 75 | // Callout bubble 76 | bubble: { 77 | flexDirection: 'column', 78 | alignSelf: 'flex-start', 79 | backgroundColor: '#fff', 80 | borderRadius: 6, 81 | borderColor: '#ccc', 82 | borderWidth: 0.5, 83 | padding: 15, 84 | width: 200, 85 | }, 86 | // Arrow below the bubble 87 | arrow: { 88 | backgroundColor: 'transparent', 89 | borderColor: 'transparent', 90 | borderTopColor: '#fff', 91 | borderWidth: 5, 92 | alignSelf: 'center', 93 | marginTop: -32, 94 | }, 95 | arrowBorder: { 96 | backgroundColor: 'transparent', 97 | borderColor: 'transparent', 98 | borderTopColor: '#007a87', 99 | borderWidth: 16, 100 | alignSelf: 'center', 101 | marginTop: -0.5, 102 | // marginBottom: -15 103 | }, 104 | }); -------------------------------------------------------------------------------- /screens/TabTwoLoginScreen.tsx: -------------------------------------------------------------------------------- 1 | import React, { useState } from 'react'; 2 | import { StyleSheet, TextInput, TouchableOpacity } from 'react-native'; 3 | import { useForm, Controller } from "react-hook-form"; 4 | import { gql, useMutation } from '@apollo/client'; 5 | import { Text, View } from '../components/Themed'; 6 | 7 | interface props { 8 | setLogin: Function, 9 | setRegister: Function 10 | } 11 | 12 | const ADD_LOGIN = gql` 13 | mutation Login($email: String!, $password: String!) { 14 | login(email: $email, password: $password) { 15 | token 16 | user { 17 | email 18 | } 19 | } 20 | } 21 | `; 22 | 23 | export default function TabTwoLoginScreen({ setLogin, setRegister } : props) { 24 | const { control, handleSubmit, errors } = useForm(); 25 | const [login, { data }] = useMutation(ADD_LOGIN) 26 | 27 | const onSubmit = async (formData: any) => { 28 | try { 29 | const { email, password } = await formData; 30 | await login({ variables: { email, password } }) 31 | } catch(error) { 32 | console.log('error: ', error) 33 | } finally { 34 | setLogin(true) 35 | } 36 | 37 | } 38 | 39 | const redirectSignup = () => { 40 | setRegister(true) 41 | } 42 | 43 | return ( 44 | <> 45 | 46 | {"\n\n"}Log in or 47 | 49 | Sign up 50 | 51 | {"\n\n"} 52 | 53 | ( 56 | <> 57 | User Name 58 | onChange(value)} 62 | value={value} 63 | /> 64 | 65 | )} 66 | name="username" 67 | rules={{ required: true }} 68 | defaultValue="" 69 | /> 70 | {errors.username && This is required.} 71 | 72 | ( 76 | <> 77 | Password 78 | onChange(value)} 82 | value={value} 83 | secureTextEntry={true} 84 | /> 85 | 86 | )} 87 | name="password" 88 | defaultValue="" 89 | /> 90 | 93 | Log In 94 | 95 | 96 | 97 | ); 98 | } 99 | 100 | const styles = StyleSheet.create({ 101 | container: { 102 | backgroundColor: '#ffffff', 103 | flex: 1, 104 | alignItems: 'center', 105 | // justifyContent: 'center', 106 | }, 107 | title: { 108 | fontSize: 20, 109 | fontWeight: 'bold', 110 | }, 111 | separator: { 112 | marginVertical: 30, 113 | height: 1, 114 | width: '80%', 115 | }, 116 | input: { 117 | color: 'black', 118 | borderColor: 'black', 119 | borderWidth: 1, 120 | width: '80%', 121 | fontSize: 25, 122 | }, 123 | button: { 124 | backgroundColor: '#2196F3', 125 | color: "black", 126 | margin: 20, 127 | width: "80%", 128 | alignItems: 'center', 129 | padding: 15 130 | }, 131 | text: { 132 | fontSize: 30, 133 | color: 'black' 134 | }, 135 | link: { 136 | fontSize: 30, 137 | color: 'blue' 138 | }, 139 | }); 140 | -------------------------------------------------------------------------------- /screens/TabTwoSignupScreen.tsx: -------------------------------------------------------------------------------- 1 | import React, { useState } from 'react'; 2 | import { StyleSheet, TextInput, TouchableOpacity } from 'react-native'; 3 | import { useForm, Controller } from "react-hook-form"; 4 | import { gql, useMutation } from '@apollo/client'; 5 | import { Text, View } from '../components/Themed'; 6 | 7 | interface props { 8 | setLogin: Function 9 | } 10 | // email,password,firstname,lastname,status 11 | const ADD_USER = gql` 12 | mutation Register($email: String!, $password: String!, $firstname: String!, $lastname: String!, $status: Boolean!) { 13 | register(email: $email, password: $password, firstname: $firstname, lastname: $lastname, status: $status) { 14 | token 15 | } 16 | } 17 | `; 18 | 19 | export default function TabTwoLoginScreen({ setLogin } : props) { 20 | const { control, handleSubmit, errors } = useForm(); 21 | const [register, { data }] = useMutation(ADD_USER) 22 | 23 | 24 | const onSubmit = async (formData : any) => { 25 | try { 26 | const { email, password, firstname, lastname } = await formData; 27 | await register({ variables: { email, password, firstname, lastname, status: true } }) 28 | // console.log("token", data) 29 | // console.log(formData) 30 | } catch (error) { 31 | console.log(error) 32 | } finally { 33 | // console.log(data.register.token) 34 | setLogin(true) 35 | } 36 | } 37 | return ( 38 | <> 39 | 40 | {"\n\n"}Sign up{"\n\n"} 41 | ( 44 | <> 45 | Email 46 | onChange(value)} 50 | value={value} 51 | /> 52 | 53 | )} 54 | name="email" 55 | rules={{ required: true }} 56 | defaultValue="" 57 | /> 58 | {errors.email && This is required.} 59 | 60 | ( 64 | <> 65 | Password 66 | onChange(value)} 70 | value={value} 71 | secureTextEntry={true} 72 | /> 73 | 74 | )} 75 | name="password" 76 | rules={{ required: true }} 77 | defaultValue="" 78 | /> 79 | {errors.password && This is required.} 80 | ( 84 | <> 85 | First Name 86 | onChange(value)} 90 | value={value} 91 | /> 92 | 93 | )} 94 | name="firstname" 95 | rules={{ required: true }} 96 | defaultValue="" 97 | /> 98 | {errors.firstname && This is required.} 99 | ( 103 | <> 104 | Last Name 105 | onChange(value)} 109 | value={value} 110 | /> 111 | 112 | )} 113 | name="lastname" 114 | rules={{ required: true }} 115 | defaultValue="" 116 | /> 117 | {errors.lastname && This is required.} 118 | 121 | Sign Up 122 | 123 | 124 | 125 | ); 126 | } 127 | 128 | const styles = StyleSheet.create({ 129 | container: { 130 | backgroundColor: '#ffffff', 131 | flex: 1, 132 | alignItems: 'center', 133 | // justifyContent: 'center', 134 | }, 135 | title: { 136 | fontSize: 20, 137 | fontWeight: 'bold', 138 | }, 139 | separator: { 140 | marginVertical: 30, 141 | height: 1, 142 | width: '80%', 143 | }, 144 | input: { 145 | color: 'black', 146 | borderColor: 'black', 147 | borderWidth: 1, 148 | width: '80%', 149 | fontSize: 25, 150 | }, 151 | button: { 152 | backgroundColor: '#2196F3', 153 | color: "black", 154 | margin: 20, 155 | width: "80%", 156 | alignItems: 'center', 157 | padding: 15 158 | }, 159 | text: { 160 | fontSize: 30, 161 | color: 'black' 162 | }, 163 | checkbox: { 164 | alignSelf: "center", 165 | width: 50, 166 | height: 50 167 | }, 168 | }); 169 | -------------------------------------------------------------------------------- /screens/TabTwoReportScreen.tsx: -------------------------------------------------------------------------------- 1 | import React, { useState } from 'react'; 2 | import { StyleSheet, TextInput, TouchableOpacity } from 'react-native'; 3 | import { useForm, Controller } from "react-hook-form"; 4 | import { gql, useMutation } from '@apollo/client'; 5 | import { Text, View } from '../components/Themed'; 6 | 7 | interface props { 8 | setLogin: Function 9 | } 10 | 11 | // mutation AddLocation { 12 | // addLocation(name: "Uasfsadrrth Cafe", longitude: -234234, 13 | // latitude: 23523, onset: "2020-06-06", 14 | // date_visited: "2020-06-01", user_id: 2) { 15 | // success 16 | // message 17 | // } 18 | // } 19 | 20 | const ADD_LOCATION = gql` 21 | mutation AddLocation($name: String!, $longitude: Float!, $latitude: Float!, $onset: String!, $date_visited: String!, $user_id: Int!) { 22 | addLocation(name: $name, longitude: $longitude, latitude: $latitude, onset: $onset, date_visited: $date_visited, user_id: $user_id) { 23 | success 24 | message 25 | } 26 | } 27 | `; 28 | 29 | export default function TabTwoReportScreen({ setLogin } : props) { 30 | const { control, handleSubmit, errors } = useForm(); 31 | const [addLocation, { data }] = useMutation(ADD_LOCATION) 32 | 33 | const onSubmit = async (formData : any) => { 34 | try { 35 | console.log(formData) 36 | const { address, longitude, latitude, onset, date_visited } = formData; 37 | const obj = { variables: { name: address, longitude: Number(longitude), latitude: Number(latitude), onset, date_visited, user_id: 2} } 38 | console.log("obj", obj) 39 | await addLocation(obj) 40 | } catch (error) { 41 | console.log(error) 42 | } /*finally { 43 | setLogin(await data.addLocation.success) 44 | } */ 45 | } 46 | 47 | return ( 48 | <> 49 | 50 | {"\n"}Self Report{"\n"} 51 | ( 54 | <> 55 | Address 56 | onChange(value)} 60 | value={value} 61 | /> 62 | 63 | )} 64 | name="address" 65 | rules={{ required: true }} 66 | defaultValue="" 67 | /> 68 | {errors.username && This is required.} 69 | 70 | ( 74 | <> 75 | Longitude 76 | onChange(value)} 80 | value={value} 81 | /> 82 | 83 | )} 84 | name="longitude" 85 | defaultValue="" 86 | /> 87 | ( 91 | <> 92 | Latitude 93 | onChange(value)} 97 | value={value} 98 | /> 99 | 100 | )} 101 | name="latitude" 102 | defaultValue="" 103 | /> 104 | ( 108 | <> 109 | Onset 110 | onChange(value)} 114 | value={value} 115 | /> 116 | 117 | )} 118 | name="onset" 119 | defaultValue="" 120 | /> 121 | ( 125 | <> 126 | Date Visited 127 | onChange(value)} 131 | value={value} 132 | /> 133 | 134 | )} 135 | name="date_visited" 136 | defaultValue="" 137 | /> 138 | 141 | Submit 142 | 143 | 144 | 145 | ); 146 | } 147 | 148 | const styles = StyleSheet.create({ 149 | container: { 150 | backgroundColor: '#ffffff', 151 | flex: 1, 152 | alignItems: 'center', 153 | }, 154 | title: { 155 | fontSize: 20, 156 | fontWeight: 'bold', 157 | }, 158 | separator: { 159 | marginVertical: 30, 160 | height: 1, 161 | width: '80%', 162 | }, 163 | input: { 164 | color: 'black', 165 | borderColor: 'black', 166 | borderWidth: 1, 167 | width: '80%', 168 | fontSize: 25, 169 | }, 170 | button: { 171 | backgroundColor: '#2196F3', 172 | color: "black", 173 | margin: 20, 174 | width: "80%", 175 | alignItems: 'center', 176 | padding: 15 177 | }, 178 | text: { 179 | fontSize: 30, 180 | color: 'black' 181 | }, 182 | }); 183 | -------------------------------------------------------------------------------- /screens/TabOneScreen.tsx: -------------------------------------------------------------------------------- 1 | import React, { useState, useEffect, useRef } from 'react'; 2 | import { StyleSheet, Dimensions, TextInput, Platform } from 'react-native'; 3 | import MapView, { Marker, Callout } from 'react-native-maps'; 4 | import * as Location from 'expo-location'; 5 | import { Text, View } from '../components/Themed'; 6 | import Ionicons from 'react-native-vector-icons/Ionicons'; 7 | import Layout from '../constants/Layout'; 8 | import Tooltip, { TooltipProps } from '../components/Tooltip'; 9 | import LoadingView from '../components/LoadingView'; 10 | import ListView from '../components/ListView'; 11 | import { LocationSchema } from '../constants/Types'; 12 | import Geocoder from 'react-native-geocoder'; 13 | import { useQuery, gql } from '@apollo/client'; 14 | 15 | // Fallback strategy: Some Geocoding services might not be included in a device 16 | // Geocoder.fallbackToGoogle(API_KEY); 17 | 18 | export default function TabOneScreen() { 19 | const [location, setLocation] = useState(null); 20 | const [errorMsg, setErrorMsg] = useState(null); 21 | const [allLocations, setAllLocations] = useState([]); 22 | 23 | const GET_LOCATIONS = gql` 24 | query GetLocations { 25 | locations { 26 | _id 27 | name 28 | latitude 29 | longitude 30 | onset 31 | date_visited 32 | } 33 | }` 34 | const { loading, error, data } = useQuery(GET_LOCATIONS); 35 | const _map = useRef(null); 36 | 37 | /* GEOCODING OBJECT 38 | { 39 | position: {lat, lng}, 40 | formattedAddress: String, // the full address 41 | feature: String | null, // ex Yosemite Park, Eiffel Tower 42 | streetNumber: String | null, 43 | streetName: String | null, 44 | postalCode: String | null, 45 | locality: String | null, // city name 46 | country: String, 47 | countryCode: String 48 | adminArea: String | null 49 | subAdminArea: String | null, 50 | subLocality: String | null 51 | } 52 | */ 53 | // NOTE: Geocoding is resource intensive -> request wisely 54 | const handleSearch = async (place: string) => { 55 | if (_map && place && place.length > 0) { 56 | try { 57 | // const targetCoords = await Location.geocodeAsync(place); 58 | // const { latitude, longitude } = targetCoords[0]; 59 | 60 | const { position } = await Geocoder.geocodeAddress(place); 61 | const { latitude: targetLat, longitude: targetLng } = position; 62 | 63 | _map.current.animateToRegion( 64 | { 65 | targetLat, 66 | targetLng, 67 | latitudeDelta: 0.05, 68 | longitudeDelta: 0.05 69 | }, 350 70 | ); 71 | } catch (err) { 72 | console.log("HANDLESEARCH ERROR: ", err); 73 | throw err; 74 | } 75 | } 76 | }; 77 | 78 | useEffect(() => { 79 | // Populate locations array with all data from server 80 | (async () => { 81 | setAllLocations(await data.locations); 82 | })(); 83 | 84 | // TODO: lazy load locations 85 | // Create local cache 86 | // Create key using parameters of each new fetch for locations 87 | // Store in state along with queried region 88 | // Check if last call was done with the same key and with a region wrapping current one 89 | // If so, we alreday have all the points to display so ignore request 90 | }, [data]); 91 | 92 | useEffect(() => { 93 | // Get permission to access and display user's current location 94 | (async () => { 95 | let { status } = await Location.requestPermissionsAsync(); 96 | if (status !== 'granted') { 97 | setErrorMsg('Permission to access location was denied'); 98 | } 99 | setLocation(await Location.getCurrentPositionAsync({})); 100 | })(); 101 | }, []); 102 | 103 | return !location ? 104 | : 105 | errorMsg ? 106 | : 107 | ( 108 | 109 | 118 | {allLocations.map(({ _id, name, latitude, longitude }) => ( 119 | 124 | 125 | 126 | 127 | 128 | ))} 129 | 130 | 131 | handleSearch(nativeEvent.text)} 136 | // onChangeText={(newInput) => console.log(newInput)} 137 | style={{ flex: 1, padding: 0 }} 138 | /> 139 | 140 | 141 | 142 | 143 | ); 144 | } 145 | 146 | const styles = StyleSheet.create({ 147 | container: { 148 | backgroundColor: '#fff', 149 | flex: 1, 150 | alignItems: 'center', 151 | justifyContent: 'center', 152 | }, 153 | title: { 154 | fontSize: 20, 155 | fontWeight: 'bold', 156 | }, 157 | searchBox: { 158 | position: 'absolute', 159 | marginTop: Platform.OS === 'ios' ? 20 : 10, 160 | top: 0, 161 | flexDirection: 'row', 162 | backgroundColor: '#fff', 163 | width: '90%', 164 | alignSelf: 'center', 165 | borderRadius: 5, 166 | padding: 10, 167 | shadowColor: '#ccc', 168 | shadowOffset: { width: 0, height: 3 }, 169 | shadowOpacity: 0.5, 170 | shadowRadius: 5, 171 | elevation: 10, 172 | }, 173 | mapStyle: { 174 | width: Dimensions.get('window').width, 175 | height: Dimensions.get('window').height - 250, 176 | } 177 | }); 178 | -------------------------------------------------------------------------------- /README.md: -------------------------------------------------------------------------------- 1 | 2 | 8 | 9 | 10 | 11 | 12 | 13 | 14 | 21 | 27 | 28 | 29 | 30 | 31 |
32 |

33 | 36 |

37 | path-19 logo 41 |

42 | 43 |

44 | A self-report COVID-19 contact tracing app 45 |
46 | 47 |
48 |
49 | 50 | · 51 | Report Bug 52 | · 53 | Request Feature 54 |

55 |

56 | 57 | 58 | 59 | 60 | ## Table of Contents 61 | 62 | * [About the Project](#about-the-project) 63 | * [Built With](#built-with) 64 | * [Installation](#installation) 65 | * [Usage](#usage) 66 | * [Roadmap](#roadmap) 67 | * [Contributing](#contributing) 68 | * [License](#license) 69 | 70 | 71 | 72 | ## About The Project 73 | 74 | 75 | Path-19 was created to promote transparency and accountability around COVID-19 cases in the US. The project is currently in Beta. 76 | 77 | ### Built With 78 | 79 | * [GraphQL](https://getbootstrap.com) 80 | * [Apollo](https://jquery.com) 81 | * [React Native](https://laravel.com) 82 | 83 | 84 | 85 | 86 | 87 | 88 | 89 | 96 | 97 | ### Installation 98 | 99 | 1. Fork the repo 100 | 2. Clone the repo 101 | ```sh 102 | git clone https://github.com/wellhaus/path-19.git 103 | ``` 104 | 3. Start server 105 | ```sh 106 | npm install 107 | ``` 108 | ```sh 109 | npm run dev 110 | ``` 111 | 4. Start the app 112 | ```JS 113 | expo start 114 | ``` 115 | 116 | 117 | 118 | 119 | ## Usage 120 | 121 | View reported cases in the map or list view.
122 |

123 | Path-19 map view screenshot
124 |

125 | To self-report, sign up for a free account (accessed via the bottom right nav tab). Path-19 will keep all of your personal information confidential. Only the location visits you choose to disclose will be made public. 126 | 127 | 128 | 129 | 130 | 131 | 132 | ## Roadmap 133 | 134 | See the [open issues](https://github.com/wellhaus/path-19.git/issues) for a list of proposed features (and known issues). 135 | 136 | 137 | 138 | 139 | ## Contributing 140 | 141 | Contributions are what make the open source community such an amazing place to be learn, inspire, and create. Any contributions you make are **greatly appreciated**. 142 | 143 | 1. Fork the Project 144 | 2. Create your Feature Branch (`git checkout -b feature/AmazingFeature`) 145 | 3. Commit your Changes (`git commit -m 'Add some AmazingFeature'`) 146 | 4. Push to the Branch (`git push origin feature/AmazingFeature`) 147 | 5. Open a Pull Request to the path-19 staging branch 148 | 149 | 150 | 151 | 152 | ## License 153 | 154 | Distributed under the MIT License. See `LICENSE` for more information. 155 | 156 | 157 | 158 | 159 | 162 | 163 | 166 | 167 | 168 | 169 | 170 | 173 | 174 | 185 | 186 | 187 | 188 | 189 | 190 | 191 | 192 | [contributors-shield]: https://img.shields.io/github/contributors/othneildrew/Best-README-Template.svg?style=flat-square 193 | [contributors-url]: https://github.com/othneildrew/Best-README-Template/graphs/contributors 194 | [forks-shield]: https://img.shields.io/github/forks/othneildrew/Best-README-Template.svg?style=flat-square 195 | [forks-url]: https://github.com/othneildrew/Best-README-Template/network/members 196 | [stars-shield]: https://img.shields.io/github/stars/othneildrew/Best-README-Template.svg?style=flat-square 197 | [stars-url]: https://github.com/othneildrew/Best-README-Template/stargazers 198 | [issues-shield]: https://img.shields.io/github/issues/othneildrew/Best-README-Template.svg?style=flat-square 199 | [issues-url]: https://github.com/othneildrew/Best-README-Template/issues 200 | [license-shield]: https://img.shields.io/github/license/othneildrew/Best-README-Template.svg?style=flat-square 201 | [license-url]: https://github.com/othneildrew/Best-README-Template/blob/master/LICENSE.txt 202 | [linkedin-shield]: https://img.shields.io/badge/-LinkedIn-black.svg?style=flat-square&logo=linkedin&colorB=555 203 | [linkedin-url]: https://linkedin.com/in/othneildrew 204 | [product-screenshot]: images/screenshot.png 205 | -------------------------------------------------------------------------------- /server/src/resolvers.ts: -------------------------------------------------------------------------------- 1 | import * as bcrypt from "bcryptjs"; 2 | require('dotenv').config(); 3 | const jwt = require('jsonwebtoken'); 4 | const { TOKEN_SECRET } = process.env 5 | 6 | const model = require('./model'); 7 | 8 | const monthLegend = { 9 | 0: "January", 10 | 1: "February", 11 | 2: "March", 12 | 3: "April", 13 | 4: "May", 14 | 5: "June", 15 | 6: "July", 16 | 7: "August", 17 | 8: "September", 18 | 9: "October", 19 | 10: "November", 20 | 11: "December" 21 | } 22 | const monthName = (index) => monthLegend[index]; 23 | 24 | // Return custom date for onset and date_visited keys 25 | const locationReducer = (location) => { 26 | const onsetDate = new Date(location.onset) 27 | const onsetYear = onsetDate.getFullYear(); 28 | const onsetMonth = monthName(onsetDate.getMonth()) 29 | const onsetDay = onsetDate.getDate(); 30 | const onsetDatestring = `${onsetMonth} ${onsetDay}, ${onsetYear}`; 31 | const date = new Date(location.date_visited) 32 | const year = date.getFullYear(); 33 | const month = monthName(date.getMonth()) 34 | const day = date.getDate(); 35 | const datestring = `${month} ${day}, ${year}` 36 | return { 37 | _id: location._id, 38 | name: location.name, 39 | latitude: location.latitude, 40 | longitude: location.longitude, 41 | onset: onsetDatestring, 42 | date_visited: datestring, 43 | user_id: location.user_id, 44 | }; 45 | } 46 | 47 | // Resolvers define the technique for fetching the types defined in the schema. 48 | export const resolvers = { 49 | Query: { 50 | /* client-side query */ 51 | // query GetLocations { 52 | // locations { 53 | // _id 54 | // name 55 | // longitude 56 | // latitude 57 | // onset 58 | // date_visited 59 | // } 60 | // } 61 | locations: async () => { 62 | const queryText = 'SELECT * FROM Locations' 63 | try { 64 | // Send query to Postgres 65 | const locations = await model.query(queryText); 66 | console.log('Returned Data: ', locations.rows) 67 | // Map over locations array to return custom date format 68 | return locations.rows.map((locationObj: any) => locationReducer(locationObj)); 69 | } catch (err) { 70 | console.log('Error in getLocations query: ', err) 71 | return err; 72 | } 73 | } 74 | }, 75 | Mutation: { 76 | /* addLocation 77 | client-side mutation is: 78 | mutation AddLocation { 79 | addLocation(name: "Urrth Cafe", longitude: 234234, 80 | latitude: 23523, onset: "2020-06-06", 81 | date_visited: "2020-06-01", user_id: 10) { 82 | success 83 | message 84 | } 85 | } 86 | } 87 | */ 88 | addLocation: async (root, data) => { 89 | const { name, latitude, longitude, onset, date_visited, user_id } = data; 90 | console.log('Data in addLocation', data) 91 | const queryText = `INSERT INTO 92 | Locations (name,latitude,longitude,onset,date_visited,user_id) 93 | VALUES ($1,$2,$3,$4,$5,$6)`; 94 | try { 95 | await model.query(queryText, [name, latitude, longitude, onset, date_visited, user_id]); 96 | return { success: true, message: `${name} successfully added to locations.`, } 97 | } catch (err) { 98 | console.log('Error in addLocation resolver:', err); 99 | return err; 100 | } 101 | }, 102 | 103 | // client-side mutation is: 104 | // mutation deleteLocation{ 105 | // deleteLocation(locationId: 4) { 106 | // success 107 | // message 108 | // } 109 | // } 110 | deleteLocation: async (root, data) => { 111 | const { locationId } = data; 112 | const queryText = `DELETE FROM public.locations 113 | WHERE locations._id = ${locationId};` 114 | try { 115 | await model.query(queryText); 116 | const message = `Location Number ${locationId} successfully deleted in database.` 117 | console.log(message); 118 | return { success: true, message } 119 | } catch (err) { 120 | console.log('Error in deleteLocation resolver: ', err); 121 | return err; 122 | } 123 | }, 124 | 125 | // EDIT LOCATION MUTATION HAS NOT BEEN TESTED 126 | editLocation: async (root, data) => { 127 | const { _id, name, latitude, longitude, onset, date_visited } = data; 128 | const queryText = `UPDATE public.locations 129 | SET 130 | name = 'Keane Coffee', 131 | longitude = 50, 132 | latitude = 50 133 | WHERE locations._id = ${_id};` 134 | const queryParams = [name, latitude, longitude, onset, date_visited]; 135 | try { 136 | await model.query(queryText, queryParams); 137 | // if successful, query will edit single item in database 138 | console.log(`Location Number ${_id} - ${name} successfully edited in database.`); 139 | } catch (err) { 140 | console.log('Error in updateLocation resolver: ', err); 141 | return err; 142 | } 143 | }, 144 | 145 | 146 | /* Register */ 147 | // client-side mutation: 148 | // mutation register { 149 | // register(email: "h@hi.com", password: "helloworld", 150 | // firstname: "Me", lastname: "You", 151 | // status: false) { 152 | // token 153 | // user 154 | // } 155 | // } 156 | 157 | register: async (root, data) => { 158 | const { email, password, firstname, lastname, status } = data; 159 | const insertQuery = `INSERT INTO Users (email,password,firstname,lastname,status) 160 | VALUES ($1,$2,$3,$4,$5)`; 161 | const findQuery = 'SELECT * FROM Users WHERE email=$1'; 162 | const hashedPassword = await bcrypt.hash(password, 10); 163 | try { 164 | // add user 165 | await model.query(insertQuery, [email, hashedPassword, firstname, lastname, status]); 166 | // find added user 167 | const user = await model.query(findQuery, [email]); 168 | // add token to user - not sure that we'll need this * 169 | const token = jwt.sign({ email: user.email }, TOKEN_SECRET); 170 | return { token, user }; 171 | } catch (err) { 172 | console.log('Error in register:', err); 173 | return err; 174 | } 175 | }, 176 | 177 | /* Login */ 178 | // CLIENT-SIDE QUERY: 179 | // mutation login { 180 | // login(email: "h@hi.com", password: "helloworld", 181 | // ) { 182 | // token 183 | // user { 184 | // email 185 | // } 186 | // } 187 | // } 188 | 189 | login: async (root, { email, password }) => { 190 | const findQuery = 'SELECT * FROM Users WHERE email=$1'; 191 | try { 192 | // * find user in db * 193 | const res = await model.query(findQuery, [email]); 194 | const [user] = res.rows; 195 | if (!user) throw new Error('Cannot find user in database'); 196 | // * check for matching password * 197 | const isMatch = await bcrypt.compare(password, user.password); 198 | if (!isMatch) throw new Error('Invalid password') 199 | // on success 200 | const token = jwt.sign({ email: user.email }, TOKEN_SECRET); 201 | return { token, user }; 202 | // handle any other error 203 | } catch (err) { 204 | console.log('Error in login:', err) 205 | return err; 206 | } 207 | } 208 | }, 209 | } 210 | 211 | 212 | 213 | // if (!user) throw new Error('Cannot find user in database') 214 | -------------------------------------------------------------------------------- /server/package-lock.json: -------------------------------------------------------------------------------- 1 | { 2 | "name": "path-19", 3 | "version": "1.0.0", 4 | "lockfileVersion": 1, 5 | "requires": true, 6 | "dependencies": { 7 | "@apollo/protobufjs": { 8 | "version": "1.0.5", 9 | "resolved": "https://registry.npmjs.org/@apollo/protobufjs/-/protobufjs-1.0.5.tgz", 10 | "integrity": "sha512-ZtyaBH1icCgqwIGb3zrtopV2D5Q8yxibkJzlaViM08eOhTQc7rACdYu0pfORFfhllvdMZ3aq69vifYHszY4gNA==", 11 | "requires": { 12 | "@protobufjs/aspromise": "^1.1.2", 13 | "@protobufjs/base64": "^1.1.2", 14 | "@protobufjs/codegen": "^2.0.4", 15 | "@protobufjs/eventemitter": "^1.1.0", 16 | "@protobufjs/fetch": "^1.1.0", 17 | "@protobufjs/float": "^1.0.2", 18 | "@protobufjs/inquire": "^1.1.0", 19 | "@protobufjs/path": "^1.1.2", 20 | "@protobufjs/pool": "^1.1.0", 21 | "@protobufjs/utf8": "^1.1.0", 22 | "@types/long": "^4.0.0", 23 | "@types/node": "^10.1.0", 24 | "long": "^4.0.0" 25 | }, 26 | "dependencies": { 27 | "@types/node": { 28 | "version": "10.17.30", 29 | "resolved": "https://registry.npmjs.org/@types/node/-/node-10.17.30.tgz", 30 | "integrity": "sha512-euU8QLX0ipj+5mOYa4ZqZoTv+53BY7yTg9I2ZIhDXgiI3M+0n4mdAt9TQCuvxVAgU179g8OsRLaBt0qEi0T6xA==" 31 | } 32 | } 33 | }, 34 | "@apollographql/apollo-tools": { 35 | "version": "0.4.8", 36 | "resolved": "https://registry.npmjs.org/@apollographql/apollo-tools/-/apollo-tools-0.4.8.tgz", 37 | "integrity": "sha512-W2+HB8Y7ifowcf3YyPHgDI05izyRtOeZ4MqIr7LbTArtmJ0ZHULWpn84SGMW7NAvTV1tFExpHlveHhnXuJfuGA==", 38 | "requires": { 39 | "apollo-env": "^0.6.5" 40 | } 41 | }, 42 | "@apollographql/graphql-playground-html": { 43 | "version": "1.6.26", 44 | "resolved": "https://registry.npmjs.org/@apollographql/graphql-playground-html/-/graphql-playground-html-1.6.26.tgz", 45 | "integrity": "sha512-XAwXOIab51QyhBxnxySdK3nuMEUohhDsHQ5Rbco/V1vjlP75zZ0ZLHD9dTpXTN8uxKxopb2lUvJTq+M4g2Q0HQ==", 46 | "requires": { 47 | "xss": "^1.0.6" 48 | } 49 | }, 50 | "@protobufjs/aspromise": { 51 | "version": "1.1.2", 52 | "resolved": "https://registry.npmjs.org/@protobufjs/aspromise/-/aspromise-1.1.2.tgz", 53 | "integrity": "sha1-m4sMxmPWaafY9vXQiToU00jzD78=" 54 | }, 55 | "@protobufjs/base64": { 56 | "version": "1.1.2", 57 | "resolved": "https://registry.npmjs.org/@protobufjs/base64/-/base64-1.1.2.tgz", 58 | "integrity": "sha512-AZkcAA5vnN/v4PDqKyMR5lx7hZttPDgClv83E//FMNhR2TMcLUhfRUBHCmSl0oi9zMgDDqRUJkSxO3wm85+XLg==" 59 | }, 60 | "@protobufjs/codegen": { 61 | "version": "2.0.4", 62 | "resolved": "https://registry.npmjs.org/@protobufjs/codegen/-/codegen-2.0.4.tgz", 63 | "integrity": "sha512-YyFaikqM5sH0ziFZCN3xDC7zeGaB/d0IUb9CATugHWbd1FRFwWwt4ld4OYMPWu5a3Xe01mGAULCdqhMlPl29Jg==" 64 | }, 65 | "@protobufjs/eventemitter": { 66 | "version": "1.1.0", 67 | "resolved": "https://registry.npmjs.org/@protobufjs/eventemitter/-/eventemitter-1.1.0.tgz", 68 | "integrity": "sha1-NVy8mLr61ZePntCV85diHx0Ga3A=" 69 | }, 70 | "@protobufjs/fetch": { 71 | "version": "1.1.0", 72 | "resolved": "https://registry.npmjs.org/@protobufjs/fetch/-/fetch-1.1.0.tgz", 73 | "integrity": "sha1-upn7WYYUr2VwDBYZ/wbUVLDYTEU=", 74 | "requires": { 75 | "@protobufjs/aspromise": "^1.1.1", 76 | "@protobufjs/inquire": "^1.1.0" 77 | } 78 | }, 79 | "@protobufjs/float": { 80 | "version": "1.0.2", 81 | "resolved": "https://registry.npmjs.org/@protobufjs/float/-/float-1.0.2.tgz", 82 | "integrity": "sha1-Xp4avctz/Ap8uLKR33jIy9l7h9E=" 83 | }, 84 | "@protobufjs/inquire": { 85 | "version": "1.1.0", 86 | "resolved": "https://registry.npmjs.org/@protobufjs/inquire/-/inquire-1.1.0.tgz", 87 | "integrity": "sha1-/yAOPnzyQp4tyvwRQIKOjMY48Ik=" 88 | }, 89 | "@protobufjs/path": { 90 | "version": "1.1.2", 91 | "resolved": "https://registry.npmjs.org/@protobufjs/path/-/path-1.1.2.tgz", 92 | "integrity": "sha1-bMKyDFya1q0NzP0hynZz2Nf79o0=" 93 | }, 94 | "@protobufjs/pool": { 95 | "version": "1.1.0", 96 | "resolved": "https://registry.npmjs.org/@protobufjs/pool/-/pool-1.1.0.tgz", 97 | "integrity": "sha1-Cf0V8tbTq/qbZbw2ZQbWrXhG/1Q=" 98 | }, 99 | "@protobufjs/utf8": { 100 | "version": "1.1.0", 101 | "resolved": "https://registry.npmjs.org/@protobufjs/utf8/-/utf8-1.1.0.tgz", 102 | "integrity": "sha1-p3c2C1s5oaLlEG+OhY8v0tBgxXA=" 103 | }, 104 | "@types/accepts": { 105 | "version": "1.3.5", 106 | "resolved": "https://registry.npmjs.org/@types/accepts/-/accepts-1.3.5.tgz", 107 | "integrity": "sha512-jOdnI/3qTpHABjM5cx1Hc0sKsPoYCp+DP/GJRGtDlPd7fiV9oXGGIcjW/ZOxLIvjGz8MA+uMZI9metHlgqbgwQ==", 108 | "requires": { 109 | "@types/node": "*" 110 | } 111 | }, 112 | "@types/bcryptjs": { 113 | "version": "2.4.2", 114 | "resolved": "https://registry.npmjs.org/@types/bcryptjs/-/bcryptjs-2.4.2.tgz", 115 | "integrity": "sha512-LiMQ6EOPob/4yUL66SZzu6Yh77cbzJFYll+ZfaPiPPFswtIlA/Fs1MzdKYA7JApHU49zQTbJGX3PDmCpIdDBRQ==", 116 | "dev": true 117 | }, 118 | "@types/body-parser": { 119 | "version": "1.19.0", 120 | "resolved": "https://registry.npmjs.org/@types/body-parser/-/body-parser-1.19.0.tgz", 121 | "integrity": "sha512-W98JrE0j2K78swW4ukqMleo8R7h/pFETjM2DQ90MF6XK2i4LO4W3gQ71Lt4w3bfm2EvVSyWHplECvB5sK22yFQ==", 122 | "requires": { 123 | "@types/connect": "*", 124 | "@types/node": "*" 125 | } 126 | }, 127 | "@types/connect": { 128 | "version": "3.4.33", 129 | "resolved": "https://registry.npmjs.org/@types/connect/-/connect-3.4.33.tgz", 130 | "integrity": "sha512-2+FrkXY4zllzTNfJth7jOqEHC+enpLeGslEhpnTAkg21GkRrWV4SsAtqchtT4YS9/nODBU2/ZfsBY2X4J/dX7A==", 131 | "requires": { 132 | "@types/node": "*" 133 | } 134 | }, 135 | "@types/content-disposition": { 136 | "version": "0.5.3", 137 | "resolved": "https://registry.npmjs.org/@types/content-disposition/-/content-disposition-0.5.3.tgz", 138 | "integrity": "sha512-P1bffQfhD3O4LW0ioENXUhZ9OIa0Zn+P7M+pWgkCKaT53wVLSq0mrKksCID/FGHpFhRSxRGhgrQmfhRuzwtKdg==" 139 | }, 140 | "@types/cookies": { 141 | "version": "0.7.4", 142 | "resolved": "https://registry.npmjs.org/@types/cookies/-/cookies-0.7.4.tgz", 143 | "integrity": "sha512-oTGtMzZZAVuEjTwCjIh8T8FrC8n/uwy+PG0yTvQcdZ7etoel7C7/3MSd7qrukENTgQtotG7gvBlBojuVs7X5rw==", 144 | "requires": { 145 | "@types/connect": "*", 146 | "@types/express": "*", 147 | "@types/keygrip": "*", 148 | "@types/node": "*" 149 | } 150 | }, 151 | "@types/cors": { 152 | "version": "2.8.7", 153 | "resolved": "https://registry.npmjs.org/@types/cors/-/cors-2.8.7.tgz", 154 | "integrity": "sha512-sOdDRU3oRS7LBNTIqwDkPJyq0lpHYcbMTt0TrjzsXbk/e37hcLTH6eZX7CdbDeN0yJJvzw9hFBZkbtCSbk/jAQ==", 155 | "requires": { 156 | "@types/express": "*" 157 | } 158 | }, 159 | "@types/express": { 160 | "version": "4.17.8", 161 | "resolved": "https://registry.npmjs.org/@types/express/-/express-4.17.8.tgz", 162 | "integrity": "sha512-wLhcKh3PMlyA2cNAB9sjM1BntnhPMiM0JOBwPBqttjHev2428MLEB4AYVN+d8s2iyCVZac+o41Pflm/ZH5vLXQ==", 163 | "requires": { 164 | "@types/body-parser": "*", 165 | "@types/express-serve-static-core": "*", 166 | "@types/qs": "*", 167 | "@types/serve-static": "*" 168 | } 169 | }, 170 | "@types/express-serve-static-core": { 171 | "version": "4.17.12", 172 | "resolved": "https://registry.npmjs.org/@types/express-serve-static-core/-/express-serve-static-core-4.17.12.tgz", 173 | "integrity": "sha512-EaEdY+Dty1jEU7U6J4CUWwxL+hyEGMkO5jan5gplfegUgCUsIUWqXxqw47uGjimeT4Qgkz/XUfwoau08+fgvKA==", 174 | "requires": { 175 | "@types/node": "*", 176 | "@types/qs": "*", 177 | "@types/range-parser": "*" 178 | } 179 | }, 180 | "@types/fs-capacitor": { 181 | "version": "2.0.0", 182 | "resolved": "https://registry.npmjs.org/@types/fs-capacitor/-/fs-capacitor-2.0.0.tgz", 183 | "integrity": "sha512-FKVPOCFbhCvZxpVAMhdBdTfVfXUpsh15wFHgqOKxh9N9vzWZVuWCSijZ5T4U34XYNnuj2oduh6xcs1i+LPI+BQ==", 184 | "requires": { 185 | "@types/node": "*" 186 | } 187 | }, 188 | "@types/graphql": { 189 | "version": "14.5.0", 190 | "resolved": "https://registry.npmjs.org/@types/graphql/-/graphql-14.5.0.tgz", 191 | "integrity": "sha512-MOkzsEp1Jk5bXuAsHsUi6BVv0zCO+7/2PTiZMXWDSsMXvNU6w/PLMQT2vHn8hy2i0JqojPz1Sz6rsFjHtsU0lA==", 192 | "dev": true, 193 | "requires": { 194 | "graphql": "*" 195 | } 196 | }, 197 | "@types/graphql-upload": { 198 | "version": "8.0.4", 199 | "resolved": "https://registry.npmjs.org/@types/graphql-upload/-/graphql-upload-8.0.4.tgz", 200 | "integrity": "sha512-0TRyJD2o8vbkmJF8InppFcPVcXKk+Rvlg/xvpHBIndSJYpmDWfmtx/ZAtl4f3jR2vfarpTqYgj8MZuJssSoU7Q==", 201 | "requires": { 202 | "@types/express": "*", 203 | "@types/fs-capacitor": "*", 204 | "@types/koa": "*", 205 | "graphql": "^15.3.0" 206 | } 207 | }, 208 | "@types/http-assert": { 209 | "version": "1.5.1", 210 | "resolved": "https://registry.npmjs.org/@types/http-assert/-/http-assert-1.5.1.tgz", 211 | "integrity": "sha512-PGAK759pxyfXE78NbKxyfRcWYA/KwW17X290cNev/qAsn9eQIxkH4shoNBafH37wewhDG/0p1cHPbK6+SzZjWQ==" 212 | }, 213 | "@types/http-errors": { 214 | "version": "1.8.0", 215 | "resolved": "https://registry.npmjs.org/@types/http-errors/-/http-errors-1.8.0.tgz", 216 | "integrity": "sha512-2aoSC4UUbHDj2uCsCxcG/vRMXey/m17bC7UwitVm5hn22nI8O8Y9iDpA76Orc+DWkQ4zZrOKEshCqR/jSuXAHA==" 217 | }, 218 | "@types/jsonwebtoken": { 219 | "version": "8.5.0", 220 | "resolved": "https://registry.npmjs.org/@types/jsonwebtoken/-/jsonwebtoken-8.5.0.tgz", 221 | "integrity": "sha512-9bVao7LvyorRGZCw0VmH/dr7Og+NdjYSsKAxB43OQoComFbBgsEpoR9JW6+qSq/ogwVBg8GI2MfAlk4SYI4OLg==", 222 | "dev": true, 223 | "requires": { 224 | "@types/node": "*" 225 | } 226 | }, 227 | "@types/keygrip": { 228 | "version": "1.0.2", 229 | "resolved": "https://registry.npmjs.org/@types/keygrip/-/keygrip-1.0.2.tgz", 230 | "integrity": "sha512-GJhpTepz2udxGexqos8wgaBx4I/zWIDPh/KOGEwAqtuGDkOUJu5eFvwmdBX4AmB8Odsr+9pHCQqiAqDL/yKMKw==" 231 | }, 232 | "@types/koa": { 233 | "version": "2.11.4", 234 | "resolved": "https://registry.npmjs.org/@types/koa/-/koa-2.11.4.tgz", 235 | "integrity": "sha512-Etqs0kdqbuAsNr5k6mlZQelpZKVwMu9WPRHVVTLnceZlhr0pYmblRNJbCgoCMzKWWePldydU0AYEOX4Q9fnGUQ==", 236 | "requires": { 237 | "@types/accepts": "*", 238 | "@types/content-disposition": "*", 239 | "@types/cookies": "*", 240 | "@types/http-assert": "*", 241 | "@types/http-errors": "*", 242 | "@types/keygrip": "*", 243 | "@types/koa-compose": "*", 244 | "@types/node": "*" 245 | } 246 | }, 247 | "@types/koa-compose": { 248 | "version": "3.2.5", 249 | "resolved": "https://registry.npmjs.org/@types/koa-compose/-/koa-compose-3.2.5.tgz", 250 | "integrity": "sha512-B8nG/OoE1ORZqCkBVsup/AKcvjdgoHnfi4pZMn5UwAPCbhk/96xyv284eBYW8JlQbQ7zDmnpFr68I/40mFoIBQ==", 251 | "requires": { 252 | "@types/koa": "*" 253 | } 254 | }, 255 | "@types/long": { 256 | "version": "4.0.1", 257 | "resolved": "https://registry.npmjs.org/@types/long/-/long-4.0.1.tgz", 258 | "integrity": "sha512-5tXH6Bx/kNGd3MgffdmP4dy2Z+G4eaXw0SE81Tq3BNadtnMR5/ySMzX4SLEzHJzSmPNn4HIdpQsBvXMUykr58w==" 259 | }, 260 | "@types/mime": { 261 | "version": "2.0.3", 262 | "resolved": "https://registry.npmjs.org/@types/mime/-/mime-2.0.3.tgz", 263 | "integrity": "sha512-Jus9s4CDbqwocc5pOAnh8ShfrnMcPHuJYzVcSUU7lrh8Ni5HuIqX3oilL86p3dlTrk0LzHRCgA/GQ7uNCw6l2Q==" 264 | }, 265 | "@types/node": { 266 | "version": "14.6.4", 267 | "resolved": "https://registry.npmjs.org/@types/node/-/node-14.6.4.tgz", 268 | "integrity": "sha512-Wk7nG1JSaMfMpoMJDKUsWYugliB2Vy55pdjLpmLixeyMi7HizW2I/9QoxsPCkXl3dO+ZOVqPumKaDUv5zJu2uQ==" 269 | }, 270 | "@types/node-fetch": { 271 | "version": "2.5.7", 272 | "resolved": "https://registry.npmjs.org/@types/node-fetch/-/node-fetch-2.5.7.tgz", 273 | "integrity": "sha512-o2WVNf5UhWRkxlf6eq+jMZDu7kjgpgJfl4xVNlvryc95O/6F2ld8ztKX+qu+Rjyet93WAWm5LjeX9H5FGkODvw==", 274 | "requires": { 275 | "@types/node": "*", 276 | "form-data": "^3.0.0" 277 | } 278 | }, 279 | "@types/qs": { 280 | "version": "6.9.4", 281 | "resolved": "https://registry.npmjs.org/@types/qs/-/qs-6.9.4.tgz", 282 | "integrity": "sha512-+wYo+L6ZF6BMoEjtf8zB2esQsqdV6WsjRK/GP9WOgLPrq87PbNWgIxS76dS5uvl/QXtHGakZmwTznIfcPXcKlQ==" 283 | }, 284 | "@types/range-parser": { 285 | "version": "1.2.3", 286 | "resolved": "https://registry.npmjs.org/@types/range-parser/-/range-parser-1.2.3.tgz", 287 | "integrity": "sha512-ewFXqrQHlFsgc09MK5jP5iR7vumV/BYayNC6PgJO2LPe8vrnNFyjQjSppfEngITi0qvfKtzFvgKymGheFM9UOA==" 288 | }, 289 | "@types/serve-static": { 290 | "version": "1.13.5", 291 | "resolved": "https://registry.npmjs.org/@types/serve-static/-/serve-static-1.13.5.tgz", 292 | "integrity": "sha512-6M64P58N+OXjU432WoLLBQxbA0LRGBCRm7aAGQJ+SMC1IMl0dgRVi9EFfoDcS2a7Xogygk/eGN94CfwU9UF7UQ==", 293 | "requires": { 294 | "@types/express-serve-static-core": "*", 295 | "@types/mime": "*" 296 | } 297 | }, 298 | "@types/strip-bom": { 299 | "version": "3.0.0", 300 | "resolved": "https://registry.npmjs.org/@types/strip-bom/-/strip-bom-3.0.0.tgz", 301 | "integrity": "sha1-FKjsOVbC6B7bdSB5CuzyHCkK69I=", 302 | "dev": true 303 | }, 304 | "@types/strip-json-comments": { 305 | "version": "0.0.30", 306 | "resolved": "https://registry.npmjs.org/@types/strip-json-comments/-/strip-json-comments-0.0.30.tgz", 307 | "integrity": "sha512-7NQmHra/JILCd1QqpSzl8+mJRc8ZHz3uDm8YV1Ks9IhK0epEiTw8aIErbvH9PI+6XbqhyIQy3462nEsn7UVzjQ==", 308 | "dev": true 309 | }, 310 | "@types/ws": { 311 | "version": "7.2.6", 312 | "resolved": "https://registry.npmjs.org/@types/ws/-/ws-7.2.6.tgz", 313 | "integrity": "sha512-Q07IrQUSNpr+cXU4E4LtkSIBPie5GLZyyMC1QtQYRLWz701+XcoVygGUZgvLqElq1nU4ICldMYPnexlBsg3dqQ==", 314 | "requires": { 315 | "@types/node": "*" 316 | } 317 | }, 318 | "@wry/equality": { 319 | "version": "0.1.11", 320 | "resolved": "https://registry.npmjs.org/@wry/equality/-/equality-0.1.11.tgz", 321 | "integrity": "sha512-mwEVBDUVODlsQQ5dfuLUS5/Tf7jqUKyhKYHmVi4fPB6bDMOfWvUPJmKgS1Z7Za/sOI3vzWt4+O7yCiL/70MogA==", 322 | "requires": { 323 | "tslib": "^1.9.3" 324 | } 325 | }, 326 | "accepts": { 327 | "version": "1.3.7", 328 | "resolved": "https://registry.npmjs.org/accepts/-/accepts-1.3.7.tgz", 329 | "integrity": "sha512-Il80Qs2WjYlJIBNzNkK6KYqlVMTbZLXgHx2oT0pU/fjRHyEp+PEfEPY0R3WCwAGVOtauxh1hOxNgIf5bv7dQpA==", 330 | "requires": { 331 | "mime-types": "~2.1.24", 332 | "negotiator": "0.6.2" 333 | } 334 | }, 335 | "anymatch": { 336 | "version": "3.1.1", 337 | "resolved": "https://registry.npmjs.org/anymatch/-/anymatch-3.1.1.tgz", 338 | "integrity": "sha512-mM8522psRCqzV+6LhomX5wgp25YVibjh8Wj23I5RPkPppSVSjyKD2A2mBJmWGa+KN7f2D6LNh9jkBCeyLktzjg==", 339 | "dev": true, 340 | "requires": { 341 | "normalize-path": "^3.0.0", 342 | "picomatch": "^2.0.4" 343 | } 344 | }, 345 | "apollo-cache-control": { 346 | "version": "0.11.1", 347 | "resolved": "https://registry.npmjs.org/apollo-cache-control/-/apollo-cache-control-0.11.1.tgz", 348 | "integrity": "sha512-6iHa8TkcKt4rx5SKRzDNjUIpCQX+7/FlZwD7vRh9JDnM4VH8SWhpj8fUR3CiEY8Kuc4ChXnOY8bCcMju5KPnIQ==", 349 | "requires": { 350 | "apollo-server-env": "^2.4.5", 351 | "apollo-server-plugin-base": "^0.9.1" 352 | } 353 | }, 354 | "apollo-datasource": { 355 | "version": "0.7.2", 356 | "resolved": "https://registry.npmjs.org/apollo-datasource/-/apollo-datasource-0.7.2.tgz", 357 | "integrity": "sha512-ibnW+s4BMp4K2AgzLEtvzkjg7dJgCaw9M5b5N0YKNmeRZRnl/I/qBTQae648FsRKgMwTbRQIvBhQ0URUFAqFOw==", 358 | "requires": { 359 | "apollo-server-caching": "^0.5.2", 360 | "apollo-server-env": "^2.4.5" 361 | } 362 | }, 363 | "apollo-engine-reporting": { 364 | "version": "2.3.0", 365 | "resolved": "https://registry.npmjs.org/apollo-engine-reporting/-/apollo-engine-reporting-2.3.0.tgz", 366 | "integrity": "sha512-SbcPLFuUZcRqDEZ6mSs8uHM9Ftr8yyt2IEu0JA8c3LNBmYXSLM7MHqFe80SVcosYSTBgtMz8mLJO8orhYoSYZw==", 367 | "requires": { 368 | "apollo-engine-reporting-protobuf": "^0.5.2", 369 | "apollo-graphql": "^0.5.0", 370 | "apollo-server-caching": "^0.5.2", 371 | "apollo-server-env": "^2.4.5", 372 | "apollo-server-errors": "^2.4.2", 373 | "apollo-server-plugin-base": "^0.9.1", 374 | "apollo-server-types": "^0.5.1", 375 | "async-retry": "^1.2.1", 376 | "uuid": "^8.0.0" 377 | } 378 | }, 379 | "apollo-engine-reporting-protobuf": { 380 | "version": "0.5.2", 381 | "resolved": "https://registry.npmjs.org/apollo-engine-reporting-protobuf/-/apollo-engine-reporting-protobuf-0.5.2.tgz", 382 | "integrity": "sha512-4wm9FR3B7UvJxcK/69rOiS5CAJPEYKufeRWb257ZLfX7NGFTMqvbc1hu4q8Ch7swB26rTpkzfsftLED9DqH9qg==", 383 | "requires": { 384 | "@apollo/protobufjs": "^1.0.3" 385 | } 386 | }, 387 | "apollo-env": { 388 | "version": "0.6.5", 389 | "resolved": "https://registry.npmjs.org/apollo-env/-/apollo-env-0.6.5.tgz", 390 | "integrity": "sha512-jeBUVsGymeTHYWp3me0R2CZRZrFeuSZeICZHCeRflHTfnQtlmbSXdy5E0pOyRM9CU4JfQkKDC98S1YglQj7Bzg==", 391 | "requires": { 392 | "@types/node-fetch": "2.5.7", 393 | "core-js": "^3.0.1", 394 | "node-fetch": "^2.2.0", 395 | "sha.js": "^2.4.11" 396 | } 397 | }, 398 | "apollo-graphql": { 399 | "version": "0.5.0", 400 | "resolved": "https://registry.npmjs.org/apollo-graphql/-/apollo-graphql-0.5.0.tgz", 401 | "integrity": "sha512-YSdF/BKPbsnQpxWpmCE53pBJX44aaoif31Y22I/qKpB6ZSGzYijV5YBoCL5Q15H2oA/v/02Oazh9lbp4ek3eig==", 402 | "requires": { 403 | "apollo-env": "^0.6.5", 404 | "lodash.sortby": "^4.7.0" 405 | } 406 | }, 407 | "apollo-link": { 408 | "version": "1.2.14", 409 | "resolved": "https://registry.npmjs.org/apollo-link/-/apollo-link-1.2.14.tgz", 410 | "integrity": "sha512-p67CMEFP7kOG1JZ0ZkYZwRDa369w5PIjtMjvrQd/HnIV8FRsHRqLqK+oAZQnFa1DDdZtOtHTi+aMIW6EatC2jg==", 411 | "requires": { 412 | "apollo-utilities": "^1.3.0", 413 | "ts-invariant": "^0.4.0", 414 | "tslib": "^1.9.3", 415 | "zen-observable-ts": "^0.8.21" 416 | } 417 | }, 418 | "apollo-server": { 419 | "version": "2.17.0", 420 | "resolved": "https://registry.npmjs.org/apollo-server/-/apollo-server-2.17.0.tgz", 421 | "integrity": "sha512-vVMu+VqjmsB6yk5iNTb/AXM6EJGd2uwzrcTAbwqvGI7GqCYDRZlGBwrQCjOU/jT/EPWdNRWks/qhJYiQMeVXSg==", 422 | "requires": { 423 | "apollo-server-core": "^2.17.0", 424 | "apollo-server-express": "^2.17.0", 425 | "express": "^4.0.0", 426 | "graphql-subscriptions": "^1.0.0", 427 | "graphql-tools": "^4.0.0" 428 | } 429 | }, 430 | "apollo-server-caching": { 431 | "version": "0.5.2", 432 | "resolved": "https://registry.npmjs.org/apollo-server-caching/-/apollo-server-caching-0.5.2.tgz", 433 | "integrity": "sha512-HUcP3TlgRsuGgeTOn8QMbkdx0hLPXyEJehZIPrcof0ATz7j7aTPA4at7gaiFHCo8gk07DaWYGB3PFgjboXRcWQ==", 434 | "requires": { 435 | "lru-cache": "^5.0.0" 436 | } 437 | }, 438 | "apollo-server-core": { 439 | "version": "2.17.0", 440 | "resolved": "https://registry.npmjs.org/apollo-server-core/-/apollo-server-core-2.17.0.tgz", 441 | "integrity": "sha512-rjAkBbKSrGLDfg/g5bohnPlQahmkAxgEBuMDVsoF3aa+RaEPXPUMYrLbOxntl0LWeLbPiMa/IyFF43dvlGqV7w==", 442 | "requires": { 443 | "@apollographql/apollo-tools": "^0.4.3", 444 | "@apollographql/graphql-playground-html": "1.6.26", 445 | "@types/graphql-upload": "^8.0.0", 446 | "@types/ws": "^7.0.0", 447 | "apollo-cache-control": "^0.11.1", 448 | "apollo-datasource": "^0.7.2", 449 | "apollo-engine-reporting": "^2.3.0", 450 | "apollo-server-caching": "^0.5.2", 451 | "apollo-server-env": "^2.4.5", 452 | "apollo-server-errors": "^2.4.2", 453 | "apollo-server-plugin-base": "^0.9.1", 454 | "apollo-server-types": "^0.5.1", 455 | "apollo-tracing": "^0.11.2", 456 | "fast-json-stable-stringify": "^2.0.0", 457 | "graphql-extensions": "^0.12.4", 458 | "graphql-tag": "^2.9.2", 459 | "graphql-tools": "^4.0.0", 460 | "graphql-upload": "^8.0.2", 461 | "loglevel": "^1.6.7", 462 | "sha.js": "^2.4.11", 463 | "subscriptions-transport-ws": "^0.9.11", 464 | "ws": "^6.0.0" 465 | } 466 | }, 467 | "apollo-server-env": { 468 | "version": "2.4.5", 469 | "resolved": "https://registry.npmjs.org/apollo-server-env/-/apollo-server-env-2.4.5.tgz", 470 | "integrity": "sha512-nfNhmGPzbq3xCEWT8eRpoHXIPNcNy3QcEoBlzVMjeglrBGryLG2LXwBSPnVmTRRrzUYugX0ULBtgE3rBFNoUgA==", 471 | "requires": { 472 | "node-fetch": "^2.1.2", 473 | "util.promisify": "^1.0.0" 474 | } 475 | }, 476 | "apollo-server-errors": { 477 | "version": "2.4.2", 478 | "resolved": "https://registry.npmjs.org/apollo-server-errors/-/apollo-server-errors-2.4.2.tgz", 479 | "integrity": "sha512-FeGxW3Batn6sUtX3OVVUm7o56EgjxDlmgpTLNyWcLb0j6P8mw9oLNyAm3B+deHA4KNdNHO5BmHS2g1SJYjqPCQ==" 480 | }, 481 | "apollo-server-express": { 482 | "version": "2.17.0", 483 | "resolved": "https://registry.npmjs.org/apollo-server-express/-/apollo-server-express-2.17.0.tgz", 484 | "integrity": "sha512-PonpWOuM1DH3Cz0bu56Tusr3GXOnectC6AD/gy2GXK0v84E7tKTuxEY3SgsgxhvfvvhfwJbXTyIogL/wezqnCw==", 485 | "requires": { 486 | "@apollographql/graphql-playground-html": "1.6.26", 487 | "@types/accepts": "^1.3.5", 488 | "@types/body-parser": "1.19.0", 489 | "@types/cors": "^2.8.4", 490 | "@types/express": "4.17.7", 491 | "accepts": "^1.3.5", 492 | "apollo-server-core": "^2.17.0", 493 | "apollo-server-types": "^0.5.1", 494 | "body-parser": "^1.18.3", 495 | "cors": "^2.8.4", 496 | "express": "^4.17.1", 497 | "graphql-subscriptions": "^1.0.0", 498 | "graphql-tools": "^4.0.0", 499 | "parseurl": "^1.3.2", 500 | "subscriptions-transport-ws": "^0.9.16", 501 | "type-is": "^1.6.16" 502 | }, 503 | "dependencies": { 504 | "@types/express": { 505 | "version": "4.17.7", 506 | "resolved": "https://registry.npmjs.org/@types/express/-/express-4.17.7.tgz", 507 | "integrity": "sha512-dCOT5lcmV/uC2J9k0rPafATeeyz+99xTt54ReX11/LObZgfzJqZNcW27zGhYyX+9iSEGXGt5qLPwRSvBZcLvtQ==", 508 | "requires": { 509 | "@types/body-parser": "*", 510 | "@types/express-serve-static-core": "*", 511 | "@types/qs": "*", 512 | "@types/serve-static": "*" 513 | } 514 | } 515 | } 516 | }, 517 | "apollo-server-plugin-base": { 518 | "version": "0.9.1", 519 | "resolved": "https://registry.npmjs.org/apollo-server-plugin-base/-/apollo-server-plugin-base-0.9.1.tgz", 520 | "integrity": "sha512-kvrX4Z3FdpjrZdHkyl5iY2A1Wvp4b6KQp00DeZqss7GyyKNUBKr80/7RQgBLEw7EWM7WB19j459xM/TjvW0FKQ==", 521 | "requires": { 522 | "apollo-server-types": "^0.5.1" 523 | } 524 | }, 525 | "apollo-server-types": { 526 | "version": "0.5.1", 527 | "resolved": "https://registry.npmjs.org/apollo-server-types/-/apollo-server-types-0.5.1.tgz", 528 | "integrity": "sha512-my2cPw+DAb2qVnIuBcsRKGyS28uIc2vjFxa1NpRoJZe9gK0BWUBk7wzXnIzWy3HZ5Er11e/40MPTUesNfMYNVA==", 529 | "requires": { 530 | "apollo-engine-reporting-protobuf": "^0.5.2", 531 | "apollo-server-caching": "^0.5.2", 532 | "apollo-server-env": "^2.4.5" 533 | } 534 | }, 535 | "apollo-tracing": { 536 | "version": "0.11.2", 537 | "resolved": "https://registry.npmjs.org/apollo-tracing/-/apollo-tracing-0.11.2.tgz", 538 | "integrity": "sha512-QjmRd2ozGD+PfmF6U9w/w6jrclYSBNczN6Bzppr8qA5somEGl5pqdprIZYL28H0IapZiutA3x6p6ZVF/cVX8wA==", 539 | "requires": { 540 | "apollo-server-env": "^2.4.5", 541 | "apollo-server-plugin-base": "^0.9.1" 542 | } 543 | }, 544 | "apollo-utilities": { 545 | "version": "1.3.4", 546 | "resolved": "https://registry.npmjs.org/apollo-utilities/-/apollo-utilities-1.3.4.tgz", 547 | "integrity": "sha512-pk2hiWrCXMAy2fRPwEyhvka+mqwzeP60Jr1tRYi5xru+3ko94HI9o6lK0CT33/w4RDlxWchmdhDCrvdr+pHCig==", 548 | "requires": { 549 | "@wry/equality": "^0.1.2", 550 | "fast-json-stable-stringify": "^2.0.0", 551 | "ts-invariant": "^0.4.0", 552 | "tslib": "^1.10.0" 553 | } 554 | }, 555 | "arg": { 556 | "version": "4.1.3", 557 | "resolved": "https://registry.npmjs.org/arg/-/arg-4.1.3.tgz", 558 | "integrity": "sha512-58S9QDqG0Xx27YwPSt9fJxivjYl432YCwfDMfZ+71RAqUrZef7LrKQZ3LHLOwCS4FLNBplP533Zx895SeOCHvA==", 559 | "dev": true 560 | }, 561 | "array-find-index": { 562 | "version": "1.0.2", 563 | "resolved": "https://registry.npmjs.org/array-find-index/-/array-find-index-1.0.2.tgz", 564 | "integrity": "sha1-3wEKoSh+Fku9pvlyOwqWoexBh6E=", 565 | "dev": true 566 | }, 567 | "array-flatten": { 568 | "version": "1.1.1", 569 | "resolved": "https://registry.npmjs.org/array-flatten/-/array-flatten-1.1.1.tgz", 570 | "integrity": "sha1-ml9pkFGx5wczKPKgCJaLZOopVdI=" 571 | }, 572 | "async-limiter": { 573 | "version": "1.0.1", 574 | "resolved": "https://registry.npmjs.org/async-limiter/-/async-limiter-1.0.1.tgz", 575 | "integrity": "sha512-csOlWGAcRFJaI6m+F2WKdnMKr4HhdhFVBk0H/QbJFMCr+uO2kwohwXQPxw/9OCxp05r5ghVBFSyioixx3gfkNQ==" 576 | }, 577 | "async-retry": { 578 | "version": "1.3.1", 579 | "resolved": "https://registry.npmjs.org/async-retry/-/async-retry-1.3.1.tgz", 580 | "integrity": "sha512-aiieFW/7h3hY0Bq5d+ktDBejxuwR78vRu9hDUdR8rNhSaQ29VzPL4AoIRG7D/c7tdenwOcKvgPM6tIxB3cB6HA==", 581 | "requires": { 582 | "retry": "0.12.0" 583 | } 584 | }, 585 | "asynckit": { 586 | "version": "0.4.0", 587 | "resolved": "https://registry.npmjs.org/asynckit/-/asynckit-0.4.0.tgz", 588 | "integrity": "sha1-x57Zf380y48robyXkLzDZkdLS3k=" 589 | }, 590 | "backo2": { 591 | "version": "1.0.2", 592 | "resolved": "https://registry.npmjs.org/backo2/-/backo2-1.0.2.tgz", 593 | "integrity": "sha1-MasayLEpNjRj41s+u2n038+6eUc=" 594 | }, 595 | "balanced-match": { 596 | "version": "1.0.0", 597 | "resolved": "https://registry.npmjs.org/balanced-match/-/balanced-match-1.0.0.tgz", 598 | "integrity": "sha1-ibTRmasr7kneFk6gK4nORi1xt2c=", 599 | "dev": true 600 | }, 601 | "bcryptjs": { 602 | "version": "2.4.3", 603 | "resolved": "https://registry.npmjs.org/bcryptjs/-/bcryptjs-2.4.3.tgz", 604 | "integrity": "sha1-mrVie5PmBiH/fNrF2pczAn3x0Ms=" 605 | }, 606 | "binary-extensions": { 607 | "version": "2.1.0", 608 | "resolved": "https://registry.npmjs.org/binary-extensions/-/binary-extensions-2.1.0.tgz", 609 | "integrity": "sha512-1Yj8h9Q+QDF5FzhMs/c9+6UntbD5MkRfRwac8DoEm9ZfUBZ7tZ55YcGVAzEe4bXsdQHEk+s9S5wsOKVdZrw0tQ==", 610 | "dev": true 611 | }, 612 | "body-parser": { 613 | "version": "1.19.0", 614 | "resolved": "https://registry.npmjs.org/body-parser/-/body-parser-1.19.0.tgz", 615 | "integrity": "sha512-dhEPs72UPbDnAQJ9ZKMNTP6ptJaionhP5cBb541nXPlW60Jepo9RV/a4fX4XWW9CuFNK22krhrj1+rgzifNCsw==", 616 | "requires": { 617 | "bytes": "3.1.0", 618 | "content-type": "~1.0.4", 619 | "debug": "2.6.9", 620 | "depd": "~1.1.2", 621 | "http-errors": "1.7.2", 622 | "iconv-lite": "0.4.24", 623 | "on-finished": "~2.3.0", 624 | "qs": "6.7.0", 625 | "raw-body": "2.4.0", 626 | "type-is": "~1.6.17" 627 | }, 628 | "dependencies": { 629 | "http-errors": { 630 | "version": "1.7.2", 631 | "resolved": "https://registry.npmjs.org/http-errors/-/http-errors-1.7.2.tgz", 632 | "integrity": "sha512-uUQBt3H/cSIVfch6i1EuPNy/YsRSOUBXTVfZ+yR7Zjez3qjBz6i9+i4zjNaoqcoFVI4lQJ5plg63TvGfRSDCRg==", 633 | "requires": { 634 | "depd": "~1.1.2", 635 | "inherits": "2.0.3", 636 | "setprototypeof": "1.1.1", 637 | "statuses": ">= 1.5.0 < 2", 638 | "toidentifier": "1.0.0" 639 | } 640 | }, 641 | "inherits": { 642 | "version": "2.0.3", 643 | "resolved": "https://registry.npmjs.org/inherits/-/inherits-2.0.3.tgz", 644 | "integrity": "sha1-Yzwsg+PaQqUC9SRmAiSA9CCCYd4=" 645 | }, 646 | "setprototypeof": { 647 | "version": "1.1.1", 648 | "resolved": "https://registry.npmjs.org/setprototypeof/-/setprototypeof-1.1.1.tgz", 649 | "integrity": "sha512-JvdAWfbXeIGaZ9cILp38HntZSFSo3mWg6xGcJJsd+d4aRMOqauag1C63dJfDw7OaMYwEbHMOxEZ1lqVRYP2OAw==" 650 | } 651 | } 652 | }, 653 | "brace-expansion": { 654 | "version": "1.1.11", 655 | "resolved": "https://registry.npmjs.org/brace-expansion/-/brace-expansion-1.1.11.tgz", 656 | "integrity": "sha512-iCuPHDFgrHX7H2vEI/5xpz07zSHB00TpugqhmYtVmMO6518mCuRMoOYFldEBl0g187ufozdaHgWKcYFb61qGiA==", 657 | "dev": true, 658 | "requires": { 659 | "balanced-match": "^1.0.0", 660 | "concat-map": "0.0.1" 661 | } 662 | }, 663 | "braces": { 664 | "version": "3.0.2", 665 | "resolved": "https://registry.npmjs.org/braces/-/braces-3.0.2.tgz", 666 | "integrity": "sha512-b8um+L1RzM3WDSzvhm6gIz1yfTbBt6YTlcEKAvsmqCZZFw46z626lVj9j1yEPW33H5H+lBQpZMP1k8l+78Ha0A==", 667 | "dev": true, 668 | "requires": { 669 | "fill-range": "^7.0.1" 670 | } 671 | }, 672 | "buffer-equal-constant-time": { 673 | "version": "1.0.1", 674 | "resolved": "https://registry.npmjs.org/buffer-equal-constant-time/-/buffer-equal-constant-time-1.0.1.tgz", 675 | "integrity": "sha1-+OcRMvf/5uAaXJaXpMbz5I1cyBk=" 676 | }, 677 | "buffer-from": { 678 | "version": "1.1.1", 679 | "resolved": "https://registry.npmjs.org/buffer-from/-/buffer-from-1.1.1.tgz", 680 | "integrity": "sha512-MQcXEUbCKtEo7bhqEs6560Hyd4XaovZlO/k9V3hjVUF/zwW7KBVdSK4gIt/bzwS9MbR5qob+F5jusZsb0YQK2A==", 681 | "dev": true 682 | }, 683 | "buffer-writer": { 684 | "version": "2.0.0", 685 | "resolved": "https://registry.npmjs.org/buffer-writer/-/buffer-writer-2.0.0.tgz", 686 | "integrity": "sha512-a7ZpuTZU1TRtnwyCNW3I5dc0wWNC3VR9S++Ewyk2HHZdrO3CQJqSpd+95Us590V6AL7JqUAH2IwZ/398PmNFgw==" 687 | }, 688 | "busboy": { 689 | "version": "0.3.1", 690 | "resolved": "https://registry.npmjs.org/busboy/-/busboy-0.3.1.tgz", 691 | "integrity": "sha512-y7tTxhGKXcyBxRKAni+awqx8uqaJKrSFSNFSeRG5CsWNdmy2BIK+6VGWEW7TZnIO/533mtMEA4rOevQV815YJw==", 692 | "requires": { 693 | "dicer": "0.3.0" 694 | } 695 | }, 696 | "bytes": { 697 | "version": "3.1.0", 698 | "resolved": "https://registry.npmjs.org/bytes/-/bytes-3.1.0.tgz", 699 | "integrity": "sha512-zauLjrfCG+xvoyaqLoV8bLVXXNGC4JqlxFCutSDWA6fJrTo2ZuvLYTqZ7aHBLZSMOopbzwv8f+wZcVzfVTI2Dg==" 700 | }, 701 | "camelcase": { 702 | "version": "2.1.1", 703 | "resolved": "https://registry.npmjs.org/camelcase/-/camelcase-2.1.1.tgz", 704 | "integrity": "sha1-fB0W1nmhu+WcoCys7PsBHiAfWh8=", 705 | "dev": true 706 | }, 707 | "camelcase-keys": { 708 | "version": "2.1.0", 709 | "resolved": "https://registry.npmjs.org/camelcase-keys/-/camelcase-keys-2.1.0.tgz", 710 | "integrity": "sha1-MIvur/3ygRkFHvodkyITyRuPkuc=", 711 | "dev": true, 712 | "requires": { 713 | "camelcase": "^2.0.0", 714 | "map-obj": "^1.0.0" 715 | } 716 | }, 717 | "chokidar": { 718 | "version": "3.4.2", 719 | "resolved": "https://registry.npmjs.org/chokidar/-/chokidar-3.4.2.tgz", 720 | "integrity": "sha512-IZHaDeBeI+sZJRX7lGcXsdzgvZqKv6sECqsbErJA4mHWfpRrD8B97kSFN4cQz6nGBGiuFia1MKR4d6c1o8Cv7A==", 721 | "dev": true, 722 | "requires": { 723 | "anymatch": "~3.1.1", 724 | "braces": "~3.0.2", 725 | "fsevents": "~2.1.2", 726 | "glob-parent": "~5.1.0", 727 | "is-binary-path": "~2.1.0", 728 | "is-glob": "~4.0.1", 729 | "normalize-path": "~3.0.0", 730 | "readdirp": "~3.4.0" 731 | } 732 | }, 733 | "combined-stream": { 734 | "version": "1.0.8", 735 | "resolved": "https://registry.npmjs.org/combined-stream/-/combined-stream-1.0.8.tgz", 736 | "integrity": "sha512-FQN4MRfuJeHf7cBbBMJFXhKSDq+2kAArBlmRBvcvFE5BB1HZKXtSFASDhdlz9zOYwxh8lDdnvmMOe/+5cdoEdg==", 737 | "requires": { 738 | "delayed-stream": "~1.0.0" 739 | } 740 | }, 741 | "commander": { 742 | "version": "2.20.3", 743 | "resolved": "https://registry.npmjs.org/commander/-/commander-2.20.3.tgz", 744 | "integrity": "sha512-GpVkmM8vF2vQUkj2LvZmD35JxeJOLCwJ9cUkugyk2nuhbv3+mJvpLYYt+0+USMxE+oj+ey/lJEnhZw75x/OMcQ==" 745 | }, 746 | "concat-map": { 747 | "version": "0.0.1", 748 | "resolved": "https://registry.npmjs.org/concat-map/-/concat-map-0.0.1.tgz", 749 | "integrity": "sha1-2Klr13/Wjfd5OnMDajug1UBdR3s=", 750 | "dev": true 751 | }, 752 | "content-disposition": { 753 | "version": "0.5.3", 754 | "resolved": "https://registry.npmjs.org/content-disposition/-/content-disposition-0.5.3.tgz", 755 | "integrity": "sha512-ExO0774ikEObIAEV9kDo50o+79VCUdEB6n6lzKgGwupcVeRlhrj3qGAfwq8G6uBJjkqLrhT0qEYFcWng8z1z0g==", 756 | "requires": { 757 | "safe-buffer": "5.1.2" 758 | }, 759 | "dependencies": { 760 | "safe-buffer": { 761 | "version": "5.1.2", 762 | "resolved": "https://registry.npmjs.org/safe-buffer/-/safe-buffer-5.1.2.tgz", 763 | "integrity": "sha512-Gd2UZBJDkXlY7GbJxfsE8/nvKkUEU1G38c1siN6QP6a9PT9MmHB8GnpscSmMJSoF8LOIrt8ud/wPtojys4G6+g==" 764 | } 765 | } 766 | }, 767 | "content-type": { 768 | "version": "1.0.4", 769 | "resolved": "https://registry.npmjs.org/content-type/-/content-type-1.0.4.tgz", 770 | "integrity": "sha512-hIP3EEPs8tB9AT1L+NUqtwOAps4mk2Zob89MWXMHjHWg9milF/j4osnnQLXBCBFBk/tvIG/tUc9mOUJiPBhPXA==" 771 | }, 772 | "cookie": { 773 | "version": "0.4.0", 774 | "resolved": "https://registry.npmjs.org/cookie/-/cookie-0.4.0.tgz", 775 | "integrity": "sha512-+Hp8fLp57wnUSt0tY0tHEXh4voZRDnoIrZPqlo3DPiI4y9lwg/jqx+1Om94/W6ZaPDOUbnjOt/99w66zk+l1Xg==" 776 | }, 777 | "cookie-signature": { 778 | "version": "1.0.6", 779 | "resolved": "https://registry.npmjs.org/cookie-signature/-/cookie-signature-1.0.6.tgz", 780 | "integrity": "sha1-4wOogrNCzD7oylE6eZmXNNqzriw=" 781 | }, 782 | "core-js": { 783 | "version": "3.6.5", 784 | "resolved": "https://registry.npmjs.org/core-js/-/core-js-3.6.5.tgz", 785 | "integrity": "sha512-vZVEEwZoIsI+vPEuoF9Iqf5H7/M3eeQqWlQnYa8FSKKePuYTf5MWnxb5SDAzCa60b3JBRS5g9b+Dq7b1y/RCrA==" 786 | }, 787 | "cors": { 788 | "version": "2.8.5", 789 | "resolved": "https://registry.npmjs.org/cors/-/cors-2.8.5.tgz", 790 | "integrity": "sha512-KIHbLJqu73RGr/hnbrO9uBeixNGuvSQjul/jdFvS/KFSIH1hWVd1ng7zOHx+YrEfInLG7q4n6GHQ9cDtxv/P6g==", 791 | "requires": { 792 | "object-assign": "^4", 793 | "vary": "^1" 794 | } 795 | }, 796 | "cssfilter": { 797 | "version": "0.0.10", 798 | "resolved": "https://registry.npmjs.org/cssfilter/-/cssfilter-0.0.10.tgz", 799 | "integrity": "sha1-xtJnJjKi5cg+AT5oZKQs6N79IK4=" 800 | }, 801 | "currently-unhandled": { 802 | "version": "0.4.1", 803 | "resolved": "https://registry.npmjs.org/currently-unhandled/-/currently-unhandled-0.4.1.tgz", 804 | "integrity": "sha1-mI3zP+qxke95mmE2nddsF635V+o=", 805 | "dev": true, 806 | "requires": { 807 | "array-find-index": "^1.0.1" 808 | } 809 | }, 810 | "dateformat": { 811 | "version": "1.0.12", 812 | "resolved": "https://registry.npmjs.org/dateformat/-/dateformat-1.0.12.tgz", 813 | "integrity": "sha1-nxJLZ1lMk3/3BpMuSmQsyo27/uk=", 814 | "dev": true, 815 | "requires": { 816 | "get-stdin": "^4.0.1", 817 | "meow": "^3.3.0" 818 | } 819 | }, 820 | "debug": { 821 | "version": "2.6.9", 822 | "resolved": "https://registry.npmjs.org/debug/-/debug-2.6.9.tgz", 823 | "integrity": "sha512-bC7ElrdJaJnPbAP+1EotYvqZsb3ecl5wi6Bfi6BJTUcNowp6cvspg0jXznRTKDjm/E7AdgFBVeAPVMNcKGsHMA==", 824 | "requires": { 825 | "ms": "2.0.0" 826 | } 827 | }, 828 | "decamelize": { 829 | "version": "1.2.0", 830 | "resolved": "https://registry.npmjs.org/decamelize/-/decamelize-1.2.0.tgz", 831 | "integrity": "sha1-9lNNFRSCabIDUue+4m9QH5oZEpA=", 832 | "dev": true 833 | }, 834 | "define-properties": { 835 | "version": "1.1.3", 836 | "resolved": "https://registry.npmjs.org/define-properties/-/define-properties-1.1.3.tgz", 837 | "integrity": "sha512-3MqfYKj2lLzdMSf8ZIZE/V+Zuy+BgD6f164e8K2w7dgnpKArBDerGYpM46IYYcjnkdPNMjPk9A6VFB8+3SKlXQ==", 838 | "requires": { 839 | "object-keys": "^1.0.12" 840 | } 841 | }, 842 | "delayed-stream": { 843 | "version": "1.0.0", 844 | "resolved": "https://registry.npmjs.org/delayed-stream/-/delayed-stream-1.0.0.tgz", 845 | "integrity": "sha1-3zrhmayt+31ECqrgsp4icrJOxhk=" 846 | }, 847 | "depd": { 848 | "version": "1.1.2", 849 | "resolved": "https://registry.npmjs.org/depd/-/depd-1.1.2.tgz", 850 | "integrity": "sha1-m81S4UwJd2PnSbJ0xDRu0uVgtak=" 851 | }, 852 | "deprecated-decorator": { 853 | "version": "0.1.6", 854 | "resolved": "https://registry.npmjs.org/deprecated-decorator/-/deprecated-decorator-0.1.6.tgz", 855 | "integrity": "sha1-AJZjF7ehL+kvPMgx91g68ym4bDc=" 856 | }, 857 | "destroy": { 858 | "version": "1.0.4", 859 | "resolved": "https://registry.npmjs.org/destroy/-/destroy-1.0.4.tgz", 860 | "integrity": "sha1-l4hXRCxEdJ5CBmE+N5RiBYJqvYA=" 861 | }, 862 | "dicer": { 863 | "version": "0.3.0", 864 | "resolved": "https://registry.npmjs.org/dicer/-/dicer-0.3.0.tgz", 865 | "integrity": "sha512-MdceRRWqltEG2dZqO769g27N/3PXfcKl04VhYnBlo2YhH7zPi88VebsjTKclaOyiuMaGU72hTfw3VkUitGcVCA==", 866 | "requires": { 867 | "streamsearch": "0.1.2" 868 | } 869 | }, 870 | "diff": { 871 | "version": "4.0.2", 872 | "resolved": "https://registry.npmjs.org/diff/-/diff-4.0.2.tgz", 873 | "integrity": "sha512-58lmxKSA4BNyLz+HHMUzlOEpg09FV+ev6ZMe3vJihgdxzgcwZ8VoEEPmALCZG9LmqfVoNMMKpttIYTVG6uDY7A==", 874 | "dev": true 875 | }, 876 | "dotenv": { 877 | "version": "8.2.0", 878 | "resolved": "https://registry.npmjs.org/dotenv/-/dotenv-8.2.0.tgz", 879 | "integrity": "sha512-8sJ78ElpbDJBHNeBzUbUVLsqKdccaa/BXF1uPTw3GrvQTBgrQrtObr2mUrE38vzYd8cEv+m/JBfDLioYcfXoaw==" 880 | }, 881 | "dynamic-dedupe": { 882 | "version": "0.3.0", 883 | "resolved": "https://registry.npmjs.org/dynamic-dedupe/-/dynamic-dedupe-0.3.0.tgz", 884 | "integrity": "sha1-BuRMIj9eTpTXjvnbI6ZRXOL5YqE=", 885 | "dev": true, 886 | "requires": { 887 | "xtend": "^4.0.0" 888 | } 889 | }, 890 | "ecdsa-sig-formatter": { 891 | "version": "1.0.11", 892 | "resolved": "https://registry.npmjs.org/ecdsa-sig-formatter/-/ecdsa-sig-formatter-1.0.11.tgz", 893 | "integrity": "sha512-nagl3RYrbNv6kQkeJIpt6NJZy8twLB/2vtz6yN9Z4vRKHN4/QZJIEbqohALSgwKdnksuY3k5Addp5lg8sVoVcQ==", 894 | "requires": { 895 | "safe-buffer": "^5.0.1" 896 | } 897 | }, 898 | "ee-first": { 899 | "version": "1.1.1", 900 | "resolved": "https://registry.npmjs.org/ee-first/-/ee-first-1.1.1.tgz", 901 | "integrity": "sha1-WQxhFWsK4vTwJVcyoViyZrxWsh0=" 902 | }, 903 | "encodeurl": { 904 | "version": "1.0.2", 905 | "resolved": "https://registry.npmjs.org/encodeurl/-/encodeurl-1.0.2.tgz", 906 | "integrity": "sha1-rT/0yG7C0CkyL1oCw6mmBslbP1k=" 907 | }, 908 | "error-ex": { 909 | "version": "1.3.2", 910 | "resolved": "https://registry.npmjs.org/error-ex/-/error-ex-1.3.2.tgz", 911 | "integrity": "sha512-7dFHNmqeFSEt2ZBsCriorKnn3Z2pj+fd9kmI6QoWw4//DL+icEBfc0U7qJCisqrTsKTjw4fNFy2pW9OqStD84g==", 912 | "dev": true, 913 | "requires": { 914 | "is-arrayish": "^0.2.1" 915 | } 916 | }, 917 | "es-abstract": { 918 | "version": "1.17.6", 919 | "resolved": "https://registry.npmjs.org/es-abstract/-/es-abstract-1.17.6.tgz", 920 | "integrity": "sha512-Fr89bON3WFyUi5EvAeI48QTWX0AyekGgLA8H+c+7fbfCkJwRWRMLd8CQedNEyJuoYYhmtEqY92pgte1FAhBlhw==", 921 | "requires": { 922 | "es-to-primitive": "^1.2.1", 923 | "function-bind": "^1.1.1", 924 | "has": "^1.0.3", 925 | "has-symbols": "^1.0.1", 926 | "is-callable": "^1.2.0", 927 | "is-regex": "^1.1.0", 928 | "object-inspect": "^1.7.0", 929 | "object-keys": "^1.1.1", 930 | "object.assign": "^4.1.0", 931 | "string.prototype.trimend": "^1.0.1", 932 | "string.prototype.trimstart": "^1.0.1" 933 | } 934 | }, 935 | "es-to-primitive": { 936 | "version": "1.2.1", 937 | "resolved": "https://registry.npmjs.org/es-to-primitive/-/es-to-primitive-1.2.1.tgz", 938 | "integrity": "sha512-QCOllgZJtaUo9miYBcLChTUaHNjJF3PYs1VidD7AwiEj1kYxKeQTctLAezAOH5ZKRH0g2IgPn6KwB4IT8iRpvA==", 939 | "requires": { 940 | "is-callable": "^1.1.4", 941 | "is-date-object": "^1.0.1", 942 | "is-symbol": "^1.0.2" 943 | } 944 | }, 945 | "escape-html": { 946 | "version": "1.0.3", 947 | "resolved": "https://registry.npmjs.org/escape-html/-/escape-html-1.0.3.tgz", 948 | "integrity": "sha1-Aljq5NPQwJdN4cFpGI7wBR0dGYg=" 949 | }, 950 | "etag": { 951 | "version": "1.8.1", 952 | "resolved": "https://registry.npmjs.org/etag/-/etag-1.8.1.tgz", 953 | "integrity": "sha1-Qa4u62XvpiJorr/qg6x9eSmbCIc=" 954 | }, 955 | "eventemitter3": { 956 | "version": "3.1.2", 957 | "resolved": "https://registry.npmjs.org/eventemitter3/-/eventemitter3-3.1.2.tgz", 958 | "integrity": "sha512-tvtQIeLVHjDkJYnzf2dgVMxfuSGJeM/7UCG17TT4EumTfNtF+0nebF/4zWOIkCreAbtNqhGEboB6BWrwqNaw4Q==" 959 | }, 960 | "express": { 961 | "version": "4.17.1", 962 | "resolved": "https://registry.npmjs.org/express/-/express-4.17.1.tgz", 963 | "integrity": "sha512-mHJ9O79RqluphRrcw2X/GTh3k9tVv8YcoyY4Kkh4WDMUYKRZUq0h1o0w2rrrxBqM7VoeUVqgb27xlEMXTnYt4g==", 964 | "requires": { 965 | "accepts": "~1.3.7", 966 | "array-flatten": "1.1.1", 967 | "body-parser": "1.19.0", 968 | "content-disposition": "0.5.3", 969 | "content-type": "~1.0.4", 970 | "cookie": "0.4.0", 971 | "cookie-signature": "1.0.6", 972 | "debug": "2.6.9", 973 | "depd": "~1.1.2", 974 | "encodeurl": "~1.0.2", 975 | "escape-html": "~1.0.3", 976 | "etag": "~1.8.1", 977 | "finalhandler": "~1.1.2", 978 | "fresh": "0.5.2", 979 | "merge-descriptors": "1.0.1", 980 | "methods": "~1.1.2", 981 | "on-finished": "~2.3.0", 982 | "parseurl": "~1.3.3", 983 | "path-to-regexp": "0.1.7", 984 | "proxy-addr": "~2.0.5", 985 | "qs": "6.7.0", 986 | "range-parser": "~1.2.1", 987 | "safe-buffer": "5.1.2", 988 | "send": "0.17.1", 989 | "serve-static": "1.14.1", 990 | "setprototypeof": "1.1.1", 991 | "statuses": "~1.5.0", 992 | "type-is": "~1.6.18", 993 | "utils-merge": "1.0.1", 994 | "vary": "~1.1.2" 995 | }, 996 | "dependencies": { 997 | "safe-buffer": { 998 | "version": "5.1.2", 999 | "resolved": "https://registry.npmjs.org/safe-buffer/-/safe-buffer-5.1.2.tgz", 1000 | "integrity": "sha512-Gd2UZBJDkXlY7GbJxfsE8/nvKkUEU1G38c1siN6QP6a9PT9MmHB8GnpscSmMJSoF8LOIrt8ud/wPtojys4G6+g==" 1001 | }, 1002 | "setprototypeof": { 1003 | "version": "1.1.1", 1004 | "resolved": "https://registry.npmjs.org/setprototypeof/-/setprototypeof-1.1.1.tgz", 1005 | "integrity": "sha512-JvdAWfbXeIGaZ9cILp38HntZSFSo3mWg6xGcJJsd+d4aRMOqauag1C63dJfDw7OaMYwEbHMOxEZ1lqVRYP2OAw==" 1006 | } 1007 | } 1008 | }, 1009 | "express-graphql": { 1010 | "version": "0.11.0", 1011 | "resolved": "https://registry.npmjs.org/express-graphql/-/express-graphql-0.11.0.tgz", 1012 | "integrity": "sha512-IMYmF2aIBKKfo8c+EENBNR8FAy91QHboxfaHe1omCyb49GJXsToUgcjjIF/PfWJdzn0Ofp6JJvcsODQJrqpz2g==", 1013 | "requires": { 1014 | "accepts": "^1.3.7", 1015 | "content-type": "^1.0.4", 1016 | "http-errors": "1.8.0", 1017 | "raw-body": "^2.4.1" 1018 | }, 1019 | "dependencies": { 1020 | "raw-body": { 1021 | "version": "2.4.1", 1022 | "resolved": "https://registry.npmjs.org/raw-body/-/raw-body-2.4.1.tgz", 1023 | "integrity": "sha512-9WmIKF6mkvA0SLmA2Knm9+qj89e+j1zqgyn8aXGd7+nAduPoqgI9lO57SAZNn/Byzo5P7JhXTyg9PzaJbH73bA==", 1024 | "requires": { 1025 | "bytes": "3.1.0", 1026 | "http-errors": "1.7.3", 1027 | "iconv-lite": "0.4.24", 1028 | "unpipe": "1.0.0" 1029 | }, 1030 | "dependencies": { 1031 | "http-errors": { 1032 | "version": "1.7.3", 1033 | "resolved": "https://registry.npmjs.org/http-errors/-/http-errors-1.7.3.tgz", 1034 | "integrity": "sha512-ZTTX0MWrsQ2ZAhA1cejAwDLycFsd7I7nVtnkT3Ol0aqodaKW+0CTZDQ1uBv5whptCnc8e8HeRRJxRs0kmm/Qfw==", 1035 | "requires": { 1036 | "depd": "~1.1.2", 1037 | "inherits": "2.0.4", 1038 | "setprototypeof": "1.1.1", 1039 | "statuses": ">= 1.5.0 < 2", 1040 | "toidentifier": "1.0.0" 1041 | } 1042 | } 1043 | } 1044 | }, 1045 | "setprototypeof": { 1046 | "version": "1.1.1", 1047 | "resolved": "https://registry.npmjs.org/setprototypeof/-/setprototypeof-1.1.1.tgz", 1048 | "integrity": "sha512-JvdAWfbXeIGaZ9cILp38HntZSFSo3mWg6xGcJJsd+d4aRMOqauag1C63dJfDw7OaMYwEbHMOxEZ1lqVRYP2OAw==" 1049 | } 1050 | } 1051 | }, 1052 | "fast-json-stable-stringify": { 1053 | "version": "2.1.0", 1054 | "resolved": "https://registry.npmjs.org/fast-json-stable-stringify/-/fast-json-stable-stringify-2.1.0.tgz", 1055 | "integrity": "sha512-lhd/wF+Lk98HZoTCtlVraHtfh5XYijIjalXck7saUtuanSDyLMxnHhSXEDJqHxD7msR8D0uCmqlkwjCV8xvwHw==" 1056 | }, 1057 | "fill-range": { 1058 | "version": "7.0.1", 1059 | "resolved": "https://registry.npmjs.org/fill-range/-/fill-range-7.0.1.tgz", 1060 | "integrity": "sha512-qOo9F+dMUmC2Lcb4BbVvnKJxTPjCm+RRpe4gDuGrzkL7mEVl/djYSu2OdQ2Pa302N4oqkSg9ir6jaLWJ2USVpQ==", 1061 | "dev": true, 1062 | "requires": { 1063 | "to-regex-range": "^5.0.1" 1064 | } 1065 | }, 1066 | "finalhandler": { 1067 | "version": "1.1.2", 1068 | "resolved": "https://registry.npmjs.org/finalhandler/-/finalhandler-1.1.2.tgz", 1069 | "integrity": "sha512-aAWcW57uxVNrQZqFXjITpW3sIUQmHGG3qSb9mUah9MgMC4NeWhNOlNjXEYq3HjRAvL6arUviZGGJsBg6z0zsWA==", 1070 | "requires": { 1071 | "debug": "2.6.9", 1072 | "encodeurl": "~1.0.2", 1073 | "escape-html": "~1.0.3", 1074 | "on-finished": "~2.3.0", 1075 | "parseurl": "~1.3.3", 1076 | "statuses": "~1.5.0", 1077 | "unpipe": "~1.0.0" 1078 | } 1079 | }, 1080 | "find-up": { 1081 | "version": "1.1.2", 1082 | "resolved": "https://registry.npmjs.org/find-up/-/find-up-1.1.2.tgz", 1083 | "integrity": "sha1-ay6YIrGizgpgq2TWEOzK1TyyTQ8=", 1084 | "dev": true, 1085 | "requires": { 1086 | "path-exists": "^2.0.0", 1087 | "pinkie-promise": "^2.0.0" 1088 | } 1089 | }, 1090 | "form-data": { 1091 | "version": "3.0.0", 1092 | "resolved": "https://registry.npmjs.org/form-data/-/form-data-3.0.0.tgz", 1093 | "integrity": "sha512-CKMFDglpbMi6PyN+brwB9Q/GOw0eAnsrEZDgcsH5Krhz5Od/haKHAX0NmQfha2zPPz0JpWzA7GJHGSnvCRLWsg==", 1094 | "requires": { 1095 | "asynckit": "^0.4.0", 1096 | "combined-stream": "^1.0.8", 1097 | "mime-types": "^2.1.12" 1098 | } 1099 | }, 1100 | "forwarded": { 1101 | "version": "0.1.2", 1102 | "resolved": "https://registry.npmjs.org/forwarded/-/forwarded-0.1.2.tgz", 1103 | "integrity": "sha1-mMI9qxF1ZXuMBXPozszZGw/xjIQ=" 1104 | }, 1105 | "fresh": { 1106 | "version": "0.5.2", 1107 | "resolved": "https://registry.npmjs.org/fresh/-/fresh-0.5.2.tgz", 1108 | "integrity": "sha1-PYyt2Q2XZWn6g1qx+OSyOhBWBac=" 1109 | }, 1110 | "fs-capacitor": { 1111 | "version": "2.0.4", 1112 | "resolved": "https://registry.npmjs.org/fs-capacitor/-/fs-capacitor-2.0.4.tgz", 1113 | "integrity": "sha512-8S4f4WsCryNw2mJJchi46YgB6CR5Ze+4L1h8ewl9tEpL4SJ3ZO+c/bS4BWhB8bK+O3TMqhuZarTitd0S0eh2pA==" 1114 | }, 1115 | "fs.realpath": { 1116 | "version": "1.0.0", 1117 | "resolved": "https://registry.npmjs.org/fs.realpath/-/fs.realpath-1.0.0.tgz", 1118 | "integrity": "sha1-FQStJSMVjKpA20onh8sBQRmU6k8=", 1119 | "dev": true 1120 | }, 1121 | "fsevents": { 1122 | "version": "2.1.3", 1123 | "resolved": "https://registry.npmjs.org/fsevents/-/fsevents-2.1.3.tgz", 1124 | "integrity": "sha512-Auw9a4AxqWpa9GUfj370BMPzzyncfBABW8Mab7BGWBYDj4Isgq+cDKtx0i6u9jcX9pQDnswsaaOTgTmA5pEjuQ==", 1125 | "dev": true, 1126 | "optional": true 1127 | }, 1128 | "function-bind": { 1129 | "version": "1.1.1", 1130 | "resolved": "https://registry.npmjs.org/function-bind/-/function-bind-1.1.1.tgz", 1131 | "integrity": "sha512-yIovAzMX49sF8Yl58fSCWJ5svSLuaibPxXQJFLmBObTuCr0Mf1KiPopGM9NiFjiYBCbfaa2Fh6breQ6ANVTI0A==" 1132 | }, 1133 | "get-stdin": { 1134 | "version": "4.0.1", 1135 | "resolved": "https://registry.npmjs.org/get-stdin/-/get-stdin-4.0.1.tgz", 1136 | "integrity": "sha1-uWjGsKBDhDJJAui/Gl3zJXmkUP4=", 1137 | "dev": true 1138 | }, 1139 | "glob": { 1140 | "version": "7.1.6", 1141 | "resolved": "https://registry.npmjs.org/glob/-/glob-7.1.6.tgz", 1142 | "integrity": "sha512-LwaxwyZ72Lk7vZINtNNrywX0ZuLyStrdDtabefZKAY5ZGJhVtgdznluResxNmPitE0SAO+O26sWTHeKSI2wMBA==", 1143 | "dev": true, 1144 | "requires": { 1145 | "fs.realpath": "^1.0.0", 1146 | "inflight": "^1.0.4", 1147 | "inherits": "2", 1148 | "minimatch": "^3.0.4", 1149 | "once": "^1.3.0", 1150 | "path-is-absolute": "^1.0.0" 1151 | } 1152 | }, 1153 | "glob-parent": { 1154 | "version": "5.1.1", 1155 | "resolved": "https://registry.npmjs.org/glob-parent/-/glob-parent-5.1.1.tgz", 1156 | "integrity": "sha512-FnI+VGOpnlGHWZxthPGR+QhR78fuiK0sNLkHQv+bL9fQi57lNNdquIbna/WrfROrolq8GK5Ek6BiMwqL/voRYQ==", 1157 | "dev": true, 1158 | "requires": { 1159 | "is-glob": "^4.0.1" 1160 | } 1161 | }, 1162 | "graceful-fs": { 1163 | "version": "4.2.4", 1164 | "resolved": "https://registry.npmjs.org/graceful-fs/-/graceful-fs-4.2.4.tgz", 1165 | "integrity": "sha512-WjKPNJF79dtJAVniUlGGWHYGz2jWxT6VhN/4m1NdkbZ2nOsEF+cI1Edgql5zCRhs/VsQYRvrXctxktVXZUkixw==", 1166 | "dev": true 1167 | }, 1168 | "graphql": { 1169 | "version": "15.3.0", 1170 | "resolved": "https://registry.npmjs.org/graphql/-/graphql-15.3.0.tgz", 1171 | "integrity": "sha512-GTCJtzJmkFLWRfFJuoo9RWWa/FfamUHgiFosxi/X1Ani4AVWbeyBenZTNX6dM+7WSbbFfTo/25eh0LLkwHMw2w==" 1172 | }, 1173 | "graphql-extensions": { 1174 | "version": "0.12.4", 1175 | "resolved": "https://registry.npmjs.org/graphql-extensions/-/graphql-extensions-0.12.4.tgz", 1176 | "integrity": "sha512-GnR4LiWk3s2bGOqIh6V1JgnSXw2RCH4NOgbCFEWvB6JqWHXTlXnLZ8bRSkCiD4pltv7RHUPWqN/sGh8R6Ae/ag==", 1177 | "requires": { 1178 | "@apollographql/apollo-tools": "^0.4.3", 1179 | "apollo-server-env": "^2.4.5", 1180 | "apollo-server-types": "^0.5.1" 1181 | } 1182 | }, 1183 | "graphql-subscriptions": { 1184 | "version": "1.1.0", 1185 | "resolved": "https://registry.npmjs.org/graphql-subscriptions/-/graphql-subscriptions-1.1.0.tgz", 1186 | "integrity": "sha512-6WzlBFC0lWmXJbIVE8OgFgXIP4RJi3OQgTPa0DVMsDXdpRDjTsM1K9wfl5HSYX7R87QAGlvcv2Y4BIZa/ItonA==", 1187 | "requires": { 1188 | "iterall": "^1.2.1" 1189 | } 1190 | }, 1191 | "graphql-tag": { 1192 | "version": "2.11.0", 1193 | "resolved": "https://registry.npmjs.org/graphql-tag/-/graphql-tag-2.11.0.tgz", 1194 | "integrity": "sha512-VmsD5pJqWJnQZMUeRwrDhfgoyqcfwEkvtpANqcoUG8/tOLkwNgU9mzub/Mc78OJMhHjx7gfAMTxzdG43VGg3bA==" 1195 | }, 1196 | "graphql-tools": { 1197 | "version": "4.0.8", 1198 | "resolved": "https://registry.npmjs.org/graphql-tools/-/graphql-tools-4.0.8.tgz", 1199 | "integrity": "sha512-MW+ioleBrwhRjalKjYaLQbr+920pHBgy9vM/n47sswtns8+96sRn5M/G+J1eu7IMeKWiN/9p6tmwCHU7552VJg==", 1200 | "requires": { 1201 | "apollo-link": "^1.2.14", 1202 | "apollo-utilities": "^1.0.1", 1203 | "deprecated-decorator": "^0.1.6", 1204 | "iterall": "^1.1.3", 1205 | "uuid": "^3.1.0" 1206 | }, 1207 | "dependencies": { 1208 | "uuid": { 1209 | "version": "3.4.0", 1210 | "resolved": "https://registry.npmjs.org/uuid/-/uuid-3.4.0.tgz", 1211 | "integrity": "sha512-HjSDRw6gZE5JMggctHBcjVak08+KEVhSIiDzFnT9S9aegmp85S/bReBVTb4QTFaRNptJ9kuYaNhnbNEOkbKb/A==" 1212 | } 1213 | } 1214 | }, 1215 | "graphql-upload": { 1216 | "version": "8.1.0", 1217 | "resolved": "https://registry.npmjs.org/graphql-upload/-/graphql-upload-8.1.0.tgz", 1218 | "integrity": "sha512-U2OiDI5VxYmzRKw0Z2dmfk0zkqMRaecH9Smh1U277gVgVe9Qn+18xqf4skwr4YJszGIh7iQDZ57+5ygOK9sM/Q==", 1219 | "requires": { 1220 | "busboy": "^0.3.1", 1221 | "fs-capacitor": "^2.0.4", 1222 | "http-errors": "^1.7.3", 1223 | "object-path": "^0.11.4" 1224 | } 1225 | }, 1226 | "has": { 1227 | "version": "1.0.3", 1228 | "resolved": "https://registry.npmjs.org/has/-/has-1.0.3.tgz", 1229 | "integrity": "sha512-f2dvO0VU6Oej7RkWJGrehjbzMAjFp5/VKPp5tTpWIV4JHHZK1/BxbFRtf/siA2SWTe09caDmVtYYzWEIbBS4zw==", 1230 | "requires": { 1231 | "function-bind": "^1.1.1" 1232 | } 1233 | }, 1234 | "has-symbols": { 1235 | "version": "1.0.1", 1236 | "resolved": "https://registry.npmjs.org/has-symbols/-/has-symbols-1.0.1.tgz", 1237 | "integrity": "sha512-PLcsoqu++dmEIZB+6totNFKq/7Do+Z0u4oT0zKOJNl3lYK6vGwwu2hjHs+68OEZbTjiUE9bgOABXbP/GvrS0Kg==" 1238 | }, 1239 | "hosted-git-info": { 1240 | "version": "2.8.8", 1241 | "resolved": "https://registry.npmjs.org/hosted-git-info/-/hosted-git-info-2.8.8.tgz", 1242 | "integrity": "sha512-f/wzC2QaWBs7t9IYqB4T3sR1xviIViXJRJTWBlx2Gf3g0Xi5vI7Yy4koXQ1c9OYDGHN9sBy1DQ2AB8fqZBWhUg==", 1243 | "dev": true 1244 | }, 1245 | "http": { 1246 | "version": "0.0.1-security", 1247 | "resolved": "https://registry.npmjs.org/http/-/http-0.0.1-security.tgz", 1248 | "integrity": "sha512-RnDvP10Ty9FxqOtPZuxtebw1j4L/WiqNMDtuc1YMH1XQm5TgDRaR1G9u8upL6KD1bXHSp9eSXo/ED+8Q7FAr+g==" 1249 | }, 1250 | "http-errors": { 1251 | "version": "1.8.0", 1252 | "resolved": "https://registry.npmjs.org/http-errors/-/http-errors-1.8.0.tgz", 1253 | "integrity": "sha512-4I8r0C5JDhT5VkvI47QktDW75rNlGVsUf/8hzjCC/wkWI/jdTRmBb9aI7erSG82r1bjKY3F6k28WnsVxB1C73A==", 1254 | "requires": { 1255 | "depd": "~1.1.2", 1256 | "inherits": "2.0.4", 1257 | "setprototypeof": "1.2.0", 1258 | "statuses": ">= 1.5.0 < 2", 1259 | "toidentifier": "1.0.0" 1260 | } 1261 | }, 1262 | "iconv-lite": { 1263 | "version": "0.4.24", 1264 | "resolved": "https://registry.npmjs.org/iconv-lite/-/iconv-lite-0.4.24.tgz", 1265 | "integrity": "sha512-v3MXnZAcvnywkTUEZomIActle7RXXeedOR31wwl7VlyoXO4Qi9arvSenNQWne1TcRwhCL1HwLI21bEqdpj8/rA==", 1266 | "requires": { 1267 | "safer-buffer": ">= 2.1.2 < 3" 1268 | } 1269 | }, 1270 | "indent-string": { 1271 | "version": "2.1.0", 1272 | "resolved": "https://registry.npmjs.org/indent-string/-/indent-string-2.1.0.tgz", 1273 | "integrity": "sha1-ji1INIdCEhtKghi3oTfppSBJ3IA=", 1274 | "dev": true, 1275 | "requires": { 1276 | "repeating": "^2.0.0" 1277 | } 1278 | }, 1279 | "inflight": { 1280 | "version": "1.0.6", 1281 | "resolved": "https://registry.npmjs.org/inflight/-/inflight-1.0.6.tgz", 1282 | "integrity": "sha1-Sb1jMdfQLQwJvJEKEHW6gWW1bfk=", 1283 | "dev": true, 1284 | "requires": { 1285 | "once": "^1.3.0", 1286 | "wrappy": "1" 1287 | } 1288 | }, 1289 | "inherits": { 1290 | "version": "2.0.4", 1291 | "resolved": "https://registry.npmjs.org/inherits/-/inherits-2.0.4.tgz", 1292 | "integrity": "sha512-k/vGaX4/Yla3WzyMCvTQOXYeIHvqOKtnqBduzTHpzpQZzAskKMhZ2K+EnBiSM9zGSoIFeMpXKxa4dYeZIQqewQ==" 1293 | }, 1294 | "ipaddr.js": { 1295 | "version": "1.9.1", 1296 | "resolved": "https://registry.npmjs.org/ipaddr.js/-/ipaddr.js-1.9.1.tgz", 1297 | "integrity": "sha512-0KI/607xoxSToH7GjN1FfSbLoU0+btTicjsQSWQlh/hZykN8KpmMf7uYwPW3R+akZ6R/w18ZlXSHBYXiYUPO3g==" 1298 | }, 1299 | "is-arrayish": { 1300 | "version": "0.2.1", 1301 | "resolved": "https://registry.npmjs.org/is-arrayish/-/is-arrayish-0.2.1.tgz", 1302 | "integrity": "sha1-d8mYQFJ6qOyxqLppe4BkWnqSap0=", 1303 | "dev": true 1304 | }, 1305 | "is-binary-path": { 1306 | "version": "2.1.0", 1307 | "resolved": "https://registry.npmjs.org/is-binary-path/-/is-binary-path-2.1.0.tgz", 1308 | "integrity": "sha512-ZMERYes6pDydyuGidse7OsHxtbI7WVeUEozgR/g7rd0xUimYNlvZRE/K2MgZTjWy725IfelLeVcEM97mmtRGXw==", 1309 | "dev": true, 1310 | "requires": { 1311 | "binary-extensions": "^2.0.0" 1312 | } 1313 | }, 1314 | "is-callable": { 1315 | "version": "1.2.0", 1316 | "resolved": "https://registry.npmjs.org/is-callable/-/is-callable-1.2.0.tgz", 1317 | "integrity": "sha512-pyVD9AaGLxtg6srb2Ng6ynWJqkHU9bEM087AKck0w8QwDarTfNcpIYoU8x8Hv2Icm8u6kFJM18Dag8lyqGkviw==" 1318 | }, 1319 | "is-date-object": { 1320 | "version": "1.0.2", 1321 | "resolved": "https://registry.npmjs.org/is-date-object/-/is-date-object-1.0.2.tgz", 1322 | "integrity": "sha512-USlDT524woQ08aoZFzh3/Z6ch9Y/EWXEHQ/AaRN0SkKq4t2Jw2R2339tSXmwuVoY7LLlBCbOIlx2myP/L5zk0g==" 1323 | }, 1324 | "is-extglob": { 1325 | "version": "2.1.1", 1326 | "resolved": "https://registry.npmjs.org/is-extglob/-/is-extglob-2.1.1.tgz", 1327 | "integrity": "sha1-qIwCU1eR8C7TfHahueqXc8gz+MI=", 1328 | "dev": true 1329 | }, 1330 | "is-finite": { 1331 | "version": "1.1.0", 1332 | "resolved": "https://registry.npmjs.org/is-finite/-/is-finite-1.1.0.tgz", 1333 | "integrity": "sha512-cdyMtqX/BOqqNBBiKlIVkytNHm49MtMlYyn1zxzvJKWmFMlGzm+ry5BBfYyeY9YmNKbRSo/o7OX9w9ale0wg3w==", 1334 | "dev": true 1335 | }, 1336 | "is-glob": { 1337 | "version": "4.0.1", 1338 | "resolved": "https://registry.npmjs.org/is-glob/-/is-glob-4.0.1.tgz", 1339 | "integrity": "sha512-5G0tKtBTFImOqDnLB2hG6Bp2qcKEFduo4tZu9MT/H6NQv/ghhy30o55ufafxJ/LdH79LLs2Kfrn85TLKyA7BUg==", 1340 | "dev": true, 1341 | "requires": { 1342 | "is-extglob": "^2.1.1" 1343 | } 1344 | }, 1345 | "is-number": { 1346 | "version": "7.0.0", 1347 | "resolved": "https://registry.npmjs.org/is-number/-/is-number-7.0.0.tgz", 1348 | "integrity": "sha512-41Cifkg6e8TylSpdtTpeLVMqvSBEVzTttHvERD741+pnZ8ANv0004MRL43QKPDlK9cGvNp6NZWZUBlbGXYxxng==", 1349 | "dev": true 1350 | }, 1351 | "is-regex": { 1352 | "version": "1.1.1", 1353 | "resolved": "https://registry.npmjs.org/is-regex/-/is-regex-1.1.1.tgz", 1354 | "integrity": "sha512-1+QkEcxiLlB7VEyFtyBg94e08OAsvq7FUBgApTq/w2ymCLyKJgDPsybBENVtA7XCQEgEXxKPonG+mvYRxh/LIg==", 1355 | "requires": { 1356 | "has-symbols": "^1.0.1" 1357 | } 1358 | }, 1359 | "is-symbol": { 1360 | "version": "1.0.3", 1361 | "resolved": "https://registry.npmjs.org/is-symbol/-/is-symbol-1.0.3.tgz", 1362 | "integrity": "sha512-OwijhaRSgqvhm/0ZdAcXNZt9lYdKFpcRDT5ULUuYXPoT794UNOdU+gpT6Rzo7b4V2HUl/op6GqY894AZwv9faQ==", 1363 | "requires": { 1364 | "has-symbols": "^1.0.1" 1365 | } 1366 | }, 1367 | "is-utf8": { 1368 | "version": "0.2.1", 1369 | "resolved": "https://registry.npmjs.org/is-utf8/-/is-utf8-0.2.1.tgz", 1370 | "integrity": "sha1-Sw2hRCEE0bM2NA6AeX6GXPOffXI=", 1371 | "dev": true 1372 | }, 1373 | "iterall": { 1374 | "version": "1.3.0", 1375 | "resolved": "https://registry.npmjs.org/iterall/-/iterall-1.3.0.tgz", 1376 | "integrity": "sha512-QZ9qOMdF+QLHxy1QIpUHUU1D5pS2CG2P69LF6L6CPjPYA/XMOmKV3PZpawHoAjHNyB0swdVTRxdYT4tbBbxqwg==" 1377 | }, 1378 | "jsonwebtoken": { 1379 | "version": "8.5.1", 1380 | "resolved": "https://registry.npmjs.org/jsonwebtoken/-/jsonwebtoken-8.5.1.tgz", 1381 | "integrity": "sha512-XjwVfRS6jTMsqYs0EsuJ4LGxXV14zQybNd4L2r0UvbVnSF9Af8x7p5MzbJ90Ioz/9TI41/hTCvznF/loiSzn8w==", 1382 | "requires": { 1383 | "jws": "^3.2.2", 1384 | "lodash.includes": "^4.3.0", 1385 | "lodash.isboolean": "^3.0.3", 1386 | "lodash.isinteger": "^4.0.4", 1387 | "lodash.isnumber": "^3.0.3", 1388 | "lodash.isplainobject": "^4.0.6", 1389 | "lodash.isstring": "^4.0.1", 1390 | "lodash.once": "^4.0.0", 1391 | "ms": "^2.1.1", 1392 | "semver": "^5.6.0" 1393 | }, 1394 | "dependencies": { 1395 | "ms": { 1396 | "version": "2.1.2", 1397 | "resolved": "https://registry.npmjs.org/ms/-/ms-2.1.2.tgz", 1398 | "integrity": "sha512-sGkPx+VjMtmA6MX27oA4FBFELFCZZ4S4XqeGOXCv68tT+jb3vk/RyaKWP0PTKyWtmLSM0b+adUTEvbs1PEaH2w==" 1399 | }, 1400 | "semver": { 1401 | "version": "5.7.1", 1402 | "resolved": "https://registry.npmjs.org/semver/-/semver-5.7.1.tgz", 1403 | "integrity": "sha512-sauaDf/PZdVgrLTNYHRtpXa1iRiKcaebiKQ1BJdpQlWH2lCvexQdX55snPFyK7QzpudqbCI0qXFfOasHdyNDGQ==" 1404 | } 1405 | } 1406 | }, 1407 | "jwa": { 1408 | "version": "1.4.1", 1409 | "resolved": "https://registry.npmjs.org/jwa/-/jwa-1.4.1.tgz", 1410 | "integrity": "sha512-qiLX/xhEEFKUAJ6FiBMbes3w9ATzyk5W7Hvzpa/SLYdxNtng+gcurvrI7TbACjIXlsJyr05/S1oUhZrc63evQA==", 1411 | "requires": { 1412 | "buffer-equal-constant-time": "1.0.1", 1413 | "ecdsa-sig-formatter": "1.0.11", 1414 | "safe-buffer": "^5.0.1" 1415 | } 1416 | }, 1417 | "jws": { 1418 | "version": "3.2.2", 1419 | "resolved": "https://registry.npmjs.org/jws/-/jws-3.2.2.tgz", 1420 | "integrity": "sha512-YHlZCB6lMTllWDtSPHz/ZXTsi8S00usEV6v1tjq8tOUZzw7DpSDWVXjXDre6ed1w/pd495ODpHZYSdkRTsa0HA==", 1421 | "requires": { 1422 | "jwa": "^1.4.1", 1423 | "safe-buffer": "^5.0.1" 1424 | } 1425 | }, 1426 | "load-json-file": { 1427 | "version": "1.1.0", 1428 | "resolved": "https://registry.npmjs.org/load-json-file/-/load-json-file-1.1.0.tgz", 1429 | "integrity": "sha1-lWkFcI1YtLq0wiYbBPWfMcmTdMA=", 1430 | "dev": true, 1431 | "requires": { 1432 | "graceful-fs": "^4.1.2", 1433 | "parse-json": "^2.2.0", 1434 | "pify": "^2.0.0", 1435 | "pinkie-promise": "^2.0.0", 1436 | "strip-bom": "^2.0.0" 1437 | } 1438 | }, 1439 | "lodash.includes": { 1440 | "version": "4.3.0", 1441 | "resolved": "https://registry.npmjs.org/lodash.includes/-/lodash.includes-4.3.0.tgz", 1442 | "integrity": "sha1-YLuYqHy5I8aMoeUTJUgzFISfVT8=" 1443 | }, 1444 | "lodash.isboolean": { 1445 | "version": "3.0.3", 1446 | "resolved": "https://registry.npmjs.org/lodash.isboolean/-/lodash.isboolean-3.0.3.tgz", 1447 | "integrity": "sha1-bC4XHbKiV82WgC/UOwGyDV9YcPY=" 1448 | }, 1449 | "lodash.isinteger": { 1450 | "version": "4.0.4", 1451 | "resolved": "https://registry.npmjs.org/lodash.isinteger/-/lodash.isinteger-4.0.4.tgz", 1452 | "integrity": "sha1-YZwK89A/iwTDH1iChAt3sRzWg0M=" 1453 | }, 1454 | "lodash.isnumber": { 1455 | "version": "3.0.3", 1456 | "resolved": "https://registry.npmjs.org/lodash.isnumber/-/lodash.isnumber-3.0.3.tgz", 1457 | "integrity": "sha1-POdoEMWSjQM1IwGsKHMX8RwLH/w=" 1458 | }, 1459 | "lodash.isplainobject": { 1460 | "version": "4.0.6", 1461 | "resolved": "https://registry.npmjs.org/lodash.isplainobject/-/lodash.isplainobject-4.0.6.tgz", 1462 | "integrity": "sha1-fFJqUtibRcRcxpC4gWO+BJf1UMs=" 1463 | }, 1464 | "lodash.isstring": { 1465 | "version": "4.0.1", 1466 | "resolved": "https://registry.npmjs.org/lodash.isstring/-/lodash.isstring-4.0.1.tgz", 1467 | "integrity": "sha1-1SfftUVuynzJu5XV2ur4i6VKVFE=" 1468 | }, 1469 | "lodash.once": { 1470 | "version": "4.1.1", 1471 | "resolved": "https://registry.npmjs.org/lodash.once/-/lodash.once-4.1.1.tgz", 1472 | "integrity": "sha1-DdOXEhPHxW34gJd9UEyI+0cal6w=" 1473 | }, 1474 | "lodash.sortby": { 1475 | "version": "4.7.0", 1476 | "resolved": "https://registry.npmjs.org/lodash.sortby/-/lodash.sortby-4.7.0.tgz", 1477 | "integrity": "sha1-7dFMgk4sycHgsKG0K7UhBRakJDg=" 1478 | }, 1479 | "loglevel": { 1480 | "version": "1.7.0", 1481 | "resolved": "https://registry.npmjs.org/loglevel/-/loglevel-1.7.0.tgz", 1482 | "integrity": "sha512-i2sY04nal5jDcagM3FMfG++T69GEEM8CYuOfeOIvmXzOIcwE9a/CJPR0MFM97pYMj/u10lzz7/zd7+qwhrBTqQ==" 1483 | }, 1484 | "long": { 1485 | "version": "4.0.0", 1486 | "resolved": "https://registry.npmjs.org/long/-/long-4.0.0.tgz", 1487 | "integrity": "sha512-XsP+KhQif4bjX1kbuSiySJFNAehNxgLb6hPRGJ9QsUr8ajHkuXGdrHmFUTUUXhDwVX2R5bY4JNZEwbUiMhV+MA==" 1488 | }, 1489 | "loud-rejection": { 1490 | "version": "1.6.0", 1491 | "resolved": "https://registry.npmjs.org/loud-rejection/-/loud-rejection-1.6.0.tgz", 1492 | "integrity": "sha1-W0b4AUft7leIcPCG0Eghz5mOVR8=", 1493 | "dev": true, 1494 | "requires": { 1495 | "currently-unhandled": "^0.4.1", 1496 | "signal-exit": "^3.0.0" 1497 | } 1498 | }, 1499 | "lru-cache": { 1500 | "version": "5.1.1", 1501 | "resolved": "https://registry.npmjs.org/lru-cache/-/lru-cache-5.1.1.tgz", 1502 | "integrity": "sha512-KpNARQA3Iwv+jTA0utUVVbrh+Jlrr1Fv0e56GGzAFOXN7dk/FviaDW8LHmK52DlcH4WP2n6gI8vN1aesBFgo9w==", 1503 | "requires": { 1504 | "yallist": "^3.0.2" 1505 | } 1506 | }, 1507 | "make-error": { 1508 | "version": "1.3.6", 1509 | "resolved": "https://registry.npmjs.org/make-error/-/make-error-1.3.6.tgz", 1510 | "integrity": "sha512-s8UhlNe7vPKomQhC1qFelMokr/Sc3AgNbso3n74mVPA5LTZwkB9NlXf4XPamLxJE8h0gh73rM94xvwRT2CVInw==", 1511 | "dev": true 1512 | }, 1513 | "map-obj": { 1514 | "version": "1.0.1", 1515 | "resolved": "https://registry.npmjs.org/map-obj/-/map-obj-1.0.1.tgz", 1516 | "integrity": "sha1-2TPOuSBdgr3PSIb2dCvcK03qFG0=", 1517 | "dev": true 1518 | }, 1519 | "media-typer": { 1520 | "version": "0.3.0", 1521 | "resolved": "https://registry.npmjs.org/media-typer/-/media-typer-0.3.0.tgz", 1522 | "integrity": "sha1-hxDXrwqmJvj/+hzgAWhUUmMlV0g=" 1523 | }, 1524 | "meow": { 1525 | "version": "3.7.0", 1526 | "resolved": "https://registry.npmjs.org/meow/-/meow-3.7.0.tgz", 1527 | "integrity": "sha1-cstmi0JSKCkKu/qFaJJYcwioAfs=", 1528 | "dev": true, 1529 | "requires": { 1530 | "camelcase-keys": "^2.0.0", 1531 | "decamelize": "^1.1.2", 1532 | "loud-rejection": "^1.0.0", 1533 | "map-obj": "^1.0.1", 1534 | "minimist": "^1.1.3", 1535 | "normalize-package-data": "^2.3.4", 1536 | "object-assign": "^4.0.1", 1537 | "read-pkg-up": "^1.0.1", 1538 | "redent": "^1.0.0", 1539 | "trim-newlines": "^1.0.0" 1540 | } 1541 | }, 1542 | "merge-descriptors": { 1543 | "version": "1.0.1", 1544 | "resolved": "https://registry.npmjs.org/merge-descriptors/-/merge-descriptors-1.0.1.tgz", 1545 | "integrity": "sha1-sAqqVW3YtEVoFQ7J0blT8/kMu2E=" 1546 | }, 1547 | "methods": { 1548 | "version": "1.1.2", 1549 | "resolved": "https://registry.npmjs.org/methods/-/methods-1.1.2.tgz", 1550 | "integrity": "sha1-VSmk1nZUE07cxSZmVoNbD4Ua/O4=" 1551 | }, 1552 | "mime": { 1553 | "version": "1.6.0", 1554 | "resolved": "https://registry.npmjs.org/mime/-/mime-1.6.0.tgz", 1555 | "integrity": "sha512-x0Vn8spI+wuJ1O6S7gnbaQg8Pxh4NNHb7KSINmEWKiPE4RKOplvijn+NkmYmmRgP68mc70j2EbeTFRsrswaQeg==" 1556 | }, 1557 | "mime-db": { 1558 | "version": "1.44.0", 1559 | "resolved": "https://registry.npmjs.org/mime-db/-/mime-db-1.44.0.tgz", 1560 | "integrity": "sha512-/NOTfLrsPBVeH7YtFPgsVWveuL+4SjjYxaQ1xtM1KMFj7HdxlBlxeyNLzhyJVx7r4rZGJAZ/6lkKCitSc/Nmpg==" 1561 | }, 1562 | "mime-types": { 1563 | "version": "2.1.27", 1564 | "resolved": "https://registry.npmjs.org/mime-types/-/mime-types-2.1.27.tgz", 1565 | "integrity": "sha512-JIhqnCasI9yD+SsmkquHBxTSEuZdQX5BuQnS2Vc7puQQQ+8yiP5AY5uWhpdv4YL4VM5c6iliiYWPgJ/nJQLp7w==", 1566 | "requires": { 1567 | "mime-db": "1.44.0" 1568 | } 1569 | }, 1570 | "minimatch": { 1571 | "version": "3.0.4", 1572 | "resolved": "https://registry.npmjs.org/minimatch/-/minimatch-3.0.4.tgz", 1573 | "integrity": "sha512-yJHVQEhyqPLUTgt9B83PXu6W3rx4MvvHvSUvToogpwoGDOUQ+yDrR0HRot+yOCdCO7u4hX3pWft6kWBBcqh0UA==", 1574 | "dev": true, 1575 | "requires": { 1576 | "brace-expansion": "^1.1.7" 1577 | } 1578 | }, 1579 | "minimist": { 1580 | "version": "1.2.5", 1581 | "resolved": "https://registry.npmjs.org/minimist/-/minimist-1.2.5.tgz", 1582 | "integrity": "sha512-FM9nNUYrRBAELZQT3xeZQ7fmMOBg6nWNmJKTcgsJeaLstP/UODVpGsr5OhXhhXg6f+qtJ8uiZ+PUxkDWcgIXLw==", 1583 | "dev": true 1584 | }, 1585 | "mkdirp": { 1586 | "version": "1.0.4", 1587 | "resolved": "https://registry.npmjs.org/mkdirp/-/mkdirp-1.0.4.tgz", 1588 | "integrity": "sha512-vVqVZQyf3WLx2Shd0qJ9xuvqgAyKPLAiqITEtqW0oIUjzo3PePDd6fW9iFz30ef7Ysp/oiWqbhszeGWW2T6Gzw==", 1589 | "dev": true 1590 | }, 1591 | "ms": { 1592 | "version": "2.0.0", 1593 | "resolved": "https://registry.npmjs.org/ms/-/ms-2.0.0.tgz", 1594 | "integrity": "sha1-VgiurfwAvmwpAd9fmGF4jeDVl8g=" 1595 | }, 1596 | "negotiator": { 1597 | "version": "0.6.2", 1598 | "resolved": "https://registry.npmjs.org/negotiator/-/negotiator-0.6.2.tgz", 1599 | "integrity": "sha512-hZXc7K2e+PgeI1eDBe/10Ard4ekbfrrqG8Ep+8Jmf4JID2bNg7NvCPOZN+kfF574pFQI7mum2AUqDidoKqcTOw==" 1600 | }, 1601 | "node": { 1602 | "version": "14.8.0", 1603 | "resolved": "https://registry.npmjs.org/node/-/node-14.8.0.tgz", 1604 | "integrity": "sha512-F3hndEpkL32EaxbNawsUdMjQfPGAWvIlK8lMdQykI4Rp3dw/p9X1e0OFa0Tyvz1+hGefgT6lQWJ8wj1g/YvO9g==", 1605 | "requires": { 1606 | "node-bin-setup": "^1.0.0" 1607 | } 1608 | }, 1609 | "node-bin-setup": { 1610 | "version": "1.0.6", 1611 | "resolved": "https://registry.npmjs.org/node-bin-setup/-/node-bin-setup-1.0.6.tgz", 1612 | "integrity": "sha512-uPIxXNis1CRbv1DwqAxkgBk5NFV3s7cMN/Gf556jSw6jBvV7ca4F9lRL/8cALcZecRibeqU+5dFYqFFmzv5a0Q==" 1613 | }, 1614 | "node-fetch": { 1615 | "version": "2.6.1", 1616 | "resolved": "https://registry.npmjs.org/node-fetch/-/node-fetch-2.6.1.tgz", 1617 | "integrity": "sha512-V4aYg89jEoVRxRb2fJdAg8FHvI7cEyYdVAh94HH0UIK8oJxUfkjlDQN9RbMx+bEjP7+ggMiFRprSti032Oipxw==" 1618 | }, 1619 | "normalize-package-data": { 1620 | "version": "2.5.0", 1621 | "resolved": "https://registry.npmjs.org/normalize-package-data/-/normalize-package-data-2.5.0.tgz", 1622 | "integrity": "sha512-/5CMN3T0R4XTj4DcGaexo+roZSdSFW/0AOOTROrjxzCG1wrWXEsGbRKevjlIL+ZDE4sZlJr5ED4YW0yqmkK+eA==", 1623 | "dev": true, 1624 | "requires": { 1625 | "hosted-git-info": "^2.1.4", 1626 | "resolve": "^1.10.0", 1627 | "semver": "2 || 3 || 4 || 5", 1628 | "validate-npm-package-license": "^3.0.1" 1629 | } 1630 | }, 1631 | "normalize-path": { 1632 | "version": "3.0.0", 1633 | "resolved": "https://registry.npmjs.org/normalize-path/-/normalize-path-3.0.0.tgz", 1634 | "integrity": "sha512-6eZs5Ls3WtCisHWp9S2GUy8dqkpGi4BVSz3GaqiE6ezub0512ESztXUwUB6C6IKbQkY2Pnb/mD4WYojCRwcwLA==", 1635 | "dev": true 1636 | }, 1637 | "object-assign": { 1638 | "version": "4.1.1", 1639 | "resolved": "https://registry.npmjs.org/object-assign/-/object-assign-4.1.1.tgz", 1640 | "integrity": "sha1-IQmtx5ZYh8/AXLvUQsrIv7s2CGM=" 1641 | }, 1642 | "object-inspect": { 1643 | "version": "1.8.0", 1644 | "resolved": "https://registry.npmjs.org/object-inspect/-/object-inspect-1.8.0.tgz", 1645 | "integrity": "sha512-jLdtEOB112fORuypAyl/50VRVIBIdVQOSUUGQHzJ4xBSbit81zRarz7GThkEFZy1RceYrWYcPcBFPQwHyAc1gA==" 1646 | }, 1647 | "object-keys": { 1648 | "version": "1.1.1", 1649 | "resolved": "https://registry.npmjs.org/object-keys/-/object-keys-1.1.1.tgz", 1650 | "integrity": "sha512-NuAESUOUMrlIXOfHKzD6bpPu3tYt3xvjNdRIQ+FeT0lNb4K8WR70CaDxhuNguS2XG+GjkyMwOzsN5ZktImfhLA==" 1651 | }, 1652 | "object-path": { 1653 | "version": "0.11.4", 1654 | "resolved": "https://registry.npmjs.org/object-path/-/object-path-0.11.4.tgz", 1655 | "integrity": "sha1-NwrnUvvzfePqcKhhwju6iRVpGUk=" 1656 | }, 1657 | "object.assign": { 1658 | "version": "4.1.0", 1659 | "resolved": "https://registry.npmjs.org/object.assign/-/object.assign-4.1.0.tgz", 1660 | "integrity": "sha512-exHJeq6kBKj58mqGyTQ9DFvrZC/eR6OwxzoM9YRoGBqrXYonaFyGiFMuc9VZrXf7DarreEwMpurG3dd+CNyW5w==", 1661 | "requires": { 1662 | "define-properties": "^1.1.2", 1663 | "function-bind": "^1.1.1", 1664 | "has-symbols": "^1.0.0", 1665 | "object-keys": "^1.0.11" 1666 | } 1667 | }, 1668 | "object.getownpropertydescriptors": { 1669 | "version": "2.1.0", 1670 | "resolved": "https://registry.npmjs.org/object.getownpropertydescriptors/-/object.getownpropertydescriptors-2.1.0.tgz", 1671 | "integrity": "sha512-Z53Oah9A3TdLoblT7VKJaTDdXdT+lQO+cNpKVnya5JDe9uLvzu1YyY1yFDFrcxrlRgWrEFH0jJtD/IbuwjcEVg==", 1672 | "requires": { 1673 | "define-properties": "^1.1.3", 1674 | "es-abstract": "^1.17.0-next.1" 1675 | } 1676 | }, 1677 | "on-finished": { 1678 | "version": "2.3.0", 1679 | "resolved": "https://registry.npmjs.org/on-finished/-/on-finished-2.3.0.tgz", 1680 | "integrity": "sha1-IPEzZIGwg811M3mSoWlxqi2QaUc=", 1681 | "requires": { 1682 | "ee-first": "1.1.1" 1683 | } 1684 | }, 1685 | "once": { 1686 | "version": "1.4.0", 1687 | "resolved": "https://registry.npmjs.org/once/-/once-1.4.0.tgz", 1688 | "integrity": "sha1-WDsap3WWHUsROsF9nFC6753Xa9E=", 1689 | "dev": true, 1690 | "requires": { 1691 | "wrappy": "1" 1692 | } 1693 | }, 1694 | "packet-reader": { 1695 | "version": "1.0.0", 1696 | "resolved": "https://registry.npmjs.org/packet-reader/-/packet-reader-1.0.0.tgz", 1697 | "integrity": "sha512-HAKu/fG3HpHFO0AA8WE8q2g+gBJaZ9MG7fcKk+IJPLTGAD6Psw4443l+9DGRbOIh3/aXr7Phy0TjilYivJo5XQ==" 1698 | }, 1699 | "parse-json": { 1700 | "version": "2.2.0", 1701 | "resolved": "https://registry.npmjs.org/parse-json/-/parse-json-2.2.0.tgz", 1702 | "integrity": "sha1-9ID0BDTvgHQfhGkJn43qGPVaTck=", 1703 | "dev": true, 1704 | "requires": { 1705 | "error-ex": "^1.2.0" 1706 | } 1707 | }, 1708 | "parseurl": { 1709 | "version": "1.3.3", 1710 | "resolved": "https://registry.npmjs.org/parseurl/-/parseurl-1.3.3.tgz", 1711 | "integrity": "sha512-CiyeOxFT/JZyN5m0z9PfXw4SCBJ6Sygz1Dpl0wqjlhDEGGBP1GnsUVEL0p63hoG1fcj3fHynXi9NYO4nWOL+qQ==" 1712 | }, 1713 | "path-exists": { 1714 | "version": "2.1.0", 1715 | "resolved": "https://registry.npmjs.org/path-exists/-/path-exists-2.1.0.tgz", 1716 | "integrity": "sha1-D+tsZPD8UY2adU3V77YscCJ2H0s=", 1717 | "dev": true, 1718 | "requires": { 1719 | "pinkie-promise": "^2.0.0" 1720 | } 1721 | }, 1722 | "path-is-absolute": { 1723 | "version": "1.0.1", 1724 | "resolved": "https://registry.npmjs.org/path-is-absolute/-/path-is-absolute-1.0.1.tgz", 1725 | "integrity": "sha1-F0uSaHNVNP+8es5r9TpanhtcX18=", 1726 | "dev": true 1727 | }, 1728 | "path-parse": { 1729 | "version": "1.0.6", 1730 | "resolved": "https://registry.npmjs.org/path-parse/-/path-parse-1.0.6.tgz", 1731 | "integrity": "sha512-GSmOT2EbHrINBf9SR7CDELwlJ8AENk3Qn7OikK4nFYAu3Ote2+JYNVvkpAEQm3/TLNEJFD/xZJjzyxg3KBWOzw==", 1732 | "dev": true 1733 | }, 1734 | "path-to-regexp": { 1735 | "version": "0.1.7", 1736 | "resolved": "https://registry.npmjs.org/path-to-regexp/-/path-to-regexp-0.1.7.tgz", 1737 | "integrity": "sha1-32BBeABfUi8V60SQ5yR6G/qmf4w=" 1738 | }, 1739 | "path-type": { 1740 | "version": "1.1.0", 1741 | "resolved": "https://registry.npmjs.org/path-type/-/path-type-1.1.0.tgz", 1742 | "integrity": "sha1-WcRPfuSR2nBNpBXaWkBwuk+P5EE=", 1743 | "dev": true, 1744 | "requires": { 1745 | "graceful-fs": "^4.1.2", 1746 | "pify": "^2.0.0", 1747 | "pinkie-promise": "^2.0.0" 1748 | } 1749 | }, 1750 | "pg": { 1751 | "version": "8.3.3", 1752 | "resolved": "https://registry.npmjs.org/pg/-/pg-8.3.3.tgz", 1753 | "integrity": "sha512-wmUyoQM/Xzmo62wgOdQAn5tl7u+IA1ZYK7qbuppi+3E+Gj4hlUxVHjInulieWrd0SfHi/ADriTb5ILJ/lsJrSg==", 1754 | "requires": { 1755 | "buffer-writer": "2.0.0", 1756 | "packet-reader": "1.0.0", 1757 | "pg-connection-string": "^2.3.0", 1758 | "pg-pool": "^3.2.1", 1759 | "pg-protocol": "^1.2.5", 1760 | "pg-types": "^2.1.0", 1761 | "pgpass": "1.x", 1762 | "semver": "4.3.2" 1763 | } 1764 | }, 1765 | "pg-connection-string": { 1766 | "version": "2.3.0", 1767 | "resolved": "https://registry.npmjs.org/pg-connection-string/-/pg-connection-string-2.3.0.tgz", 1768 | "integrity": "sha512-ukMTJXLI7/hZIwTW7hGMZJ0Lj0S2XQBCJ4Shv4y1zgQ/vqVea+FLhzywvPj0ujSuofu+yA4MYHGZPTsgjBgJ+w==" 1769 | }, 1770 | "pg-int8": { 1771 | "version": "1.0.1", 1772 | "resolved": "https://registry.npmjs.org/pg-int8/-/pg-int8-1.0.1.tgz", 1773 | "integrity": "sha512-WCtabS6t3c8SkpDBUlb1kjOs7l66xsGdKpIPZsg4wR+B3+u9UAum2odSsF9tnvxg80h4ZxLWMy4pRjOsFIqQpw==" 1774 | }, 1775 | "pg-pool": { 1776 | "version": "3.2.1", 1777 | "resolved": "https://registry.npmjs.org/pg-pool/-/pg-pool-3.2.1.tgz", 1778 | "integrity": "sha512-BQDPWUeKenVrMMDN9opfns/kZo4lxmSWhIqo+cSAF7+lfi9ZclQbr9vfnlNaPr8wYF3UYjm5X0yPAhbcgqNOdA==" 1779 | }, 1780 | "pg-protocol": { 1781 | "version": "1.2.5", 1782 | "resolved": "https://registry.npmjs.org/pg-protocol/-/pg-protocol-1.2.5.tgz", 1783 | "integrity": "sha512-1uYCckkuTfzz/FCefvavRywkowa6M5FohNMF5OjKrqo9PSR8gYc8poVmwwYQaBxhmQdBjhtP514eXy9/Us2xKg==" 1784 | }, 1785 | "pg-types": { 1786 | "version": "2.2.0", 1787 | "resolved": "https://registry.npmjs.org/pg-types/-/pg-types-2.2.0.tgz", 1788 | "integrity": "sha512-qTAAlrEsl8s4OiEQY69wDvcMIdQN6wdz5ojQiOy6YRMuynxenON0O5oCpJI6lshc6scgAY8qvJ2On/p+CXY0GA==", 1789 | "requires": { 1790 | "pg-int8": "1.0.1", 1791 | "postgres-array": "~2.0.0", 1792 | "postgres-bytea": "~1.0.0", 1793 | "postgres-date": "~1.0.4", 1794 | "postgres-interval": "^1.1.0" 1795 | } 1796 | }, 1797 | "pgpass": { 1798 | "version": "1.0.2", 1799 | "resolved": "https://registry.npmjs.org/pgpass/-/pgpass-1.0.2.tgz", 1800 | "integrity": "sha1-Knu0G2BltnkH6R2hsHwYR8h3swY=", 1801 | "requires": { 1802 | "split": "^1.0.0" 1803 | } 1804 | }, 1805 | "picomatch": { 1806 | "version": "2.2.2", 1807 | "resolved": "https://registry.npmjs.org/picomatch/-/picomatch-2.2.2.tgz", 1808 | "integrity": "sha512-q0M/9eZHzmr0AulXyPwNfZjtwZ/RBZlbN3K3CErVrk50T2ASYI7Bye0EvekFY3IP1Nt2DHu0re+V2ZHIpMkuWg==", 1809 | "dev": true 1810 | }, 1811 | "pify": { 1812 | "version": "2.3.0", 1813 | "resolved": "https://registry.npmjs.org/pify/-/pify-2.3.0.tgz", 1814 | "integrity": "sha1-7RQaasBDqEnqWISY59yosVMw6Qw=", 1815 | "dev": true 1816 | }, 1817 | "pinkie": { 1818 | "version": "2.0.4", 1819 | "resolved": "https://registry.npmjs.org/pinkie/-/pinkie-2.0.4.tgz", 1820 | "integrity": "sha1-clVrgM+g1IqXToDnckjoDtT3+HA=", 1821 | "dev": true 1822 | }, 1823 | "pinkie-promise": { 1824 | "version": "2.0.1", 1825 | "resolved": "https://registry.npmjs.org/pinkie-promise/-/pinkie-promise-2.0.1.tgz", 1826 | "integrity": "sha1-ITXW36ejWMBprJsXh3YogihFD/o=", 1827 | "dev": true, 1828 | "requires": { 1829 | "pinkie": "^2.0.0" 1830 | } 1831 | }, 1832 | "postgres-array": { 1833 | "version": "2.0.0", 1834 | "resolved": "https://registry.npmjs.org/postgres-array/-/postgres-array-2.0.0.tgz", 1835 | "integrity": "sha512-VpZrUqU5A69eQyW2c5CA1jtLecCsN2U/bD6VilrFDWq5+5UIEVO7nazS3TEcHf1zuPYO/sqGvUvW62g86RXZuA==" 1836 | }, 1837 | "postgres-bytea": { 1838 | "version": "1.0.0", 1839 | "resolved": "https://registry.npmjs.org/postgres-bytea/-/postgres-bytea-1.0.0.tgz", 1840 | "integrity": "sha1-AntTPAqokOJtFy1Hz5zOzFIazTU=" 1841 | }, 1842 | "postgres-date": { 1843 | "version": "1.0.7", 1844 | "resolved": "https://registry.npmjs.org/postgres-date/-/postgres-date-1.0.7.tgz", 1845 | "integrity": "sha512-suDmjLVQg78nMK2UZ454hAG+OAW+HQPZ6n++TNDUX+L0+uUlLywnoxJKDou51Zm+zTCjrCl0Nq6J9C5hP9vK/Q==" 1846 | }, 1847 | "postgres-interval": { 1848 | "version": "1.2.0", 1849 | "resolved": "https://registry.npmjs.org/postgres-interval/-/postgres-interval-1.2.0.tgz", 1850 | "integrity": "sha512-9ZhXKM/rw350N1ovuWHbGxnGh/SNJ4cnxHiM0rxE4VN41wsg8P8zWn9hv/buK00RP4WvlOyr/RBDiptyxVbkZQ==", 1851 | "requires": { 1852 | "xtend": "^4.0.0" 1853 | } 1854 | }, 1855 | "proxy-addr": { 1856 | "version": "2.0.6", 1857 | "resolved": "https://registry.npmjs.org/proxy-addr/-/proxy-addr-2.0.6.tgz", 1858 | "integrity": "sha512-dh/frvCBVmSsDYzw6n926jv974gddhkFPfiN8hPOi30Wax25QZyZEGveluCgliBnqmuM+UJmBErbAUFIoDbjOw==", 1859 | "requires": { 1860 | "forwarded": "~0.1.2", 1861 | "ipaddr.js": "1.9.1" 1862 | } 1863 | }, 1864 | "qs": { 1865 | "version": "6.7.0", 1866 | "resolved": "https://registry.npmjs.org/qs/-/qs-6.7.0.tgz", 1867 | "integrity": "sha512-VCdBRNFTX1fyE7Nb6FYoURo/SPe62QCaAyzJvUjwRaIsc+NePBEniHlvxFmmX56+HZphIGtV0XeCirBtpDrTyQ==" 1868 | }, 1869 | "range-parser": { 1870 | "version": "1.2.1", 1871 | "resolved": "https://registry.npmjs.org/range-parser/-/range-parser-1.2.1.tgz", 1872 | "integrity": "sha512-Hrgsx+orqoygnmhFbKaHE6c296J+HTAQXoxEF6gNupROmmGJRoyzfG3ccAveqCBrwr/2yxQ5BVd/GTl5agOwSg==" 1873 | }, 1874 | "raw-body": { 1875 | "version": "2.4.0", 1876 | "resolved": "https://registry.npmjs.org/raw-body/-/raw-body-2.4.0.tgz", 1877 | "integrity": "sha512-4Oz8DUIwdvoa5qMJelxipzi/iJIi40O5cGV1wNYp5hvZP8ZN0T+jiNkL0QepXs+EsQ9XJ8ipEDoiH70ySUJP3Q==", 1878 | "requires": { 1879 | "bytes": "3.1.0", 1880 | "http-errors": "1.7.2", 1881 | "iconv-lite": "0.4.24", 1882 | "unpipe": "1.0.0" 1883 | }, 1884 | "dependencies": { 1885 | "http-errors": { 1886 | "version": "1.7.2", 1887 | "resolved": "https://registry.npmjs.org/http-errors/-/http-errors-1.7.2.tgz", 1888 | "integrity": "sha512-uUQBt3H/cSIVfch6i1EuPNy/YsRSOUBXTVfZ+yR7Zjez3qjBz6i9+i4zjNaoqcoFVI4lQJ5plg63TvGfRSDCRg==", 1889 | "requires": { 1890 | "depd": "~1.1.2", 1891 | "inherits": "2.0.3", 1892 | "setprototypeof": "1.1.1", 1893 | "statuses": ">= 1.5.0 < 2", 1894 | "toidentifier": "1.0.0" 1895 | } 1896 | }, 1897 | "inherits": { 1898 | "version": "2.0.3", 1899 | "resolved": "https://registry.npmjs.org/inherits/-/inherits-2.0.3.tgz", 1900 | "integrity": "sha1-Yzwsg+PaQqUC9SRmAiSA9CCCYd4=" 1901 | }, 1902 | "setprototypeof": { 1903 | "version": "1.1.1", 1904 | "resolved": "https://registry.npmjs.org/setprototypeof/-/setprototypeof-1.1.1.tgz", 1905 | "integrity": "sha512-JvdAWfbXeIGaZ9cILp38HntZSFSo3mWg6xGcJJsd+d4aRMOqauag1C63dJfDw7OaMYwEbHMOxEZ1lqVRYP2OAw==" 1906 | } 1907 | } 1908 | }, 1909 | "read-pkg": { 1910 | "version": "1.1.0", 1911 | "resolved": "https://registry.npmjs.org/read-pkg/-/read-pkg-1.1.0.tgz", 1912 | "integrity": "sha1-9f+qXs0pyzHAR0vKfXVra7KePyg=", 1913 | "dev": true, 1914 | "requires": { 1915 | "load-json-file": "^1.0.0", 1916 | "normalize-package-data": "^2.3.2", 1917 | "path-type": "^1.0.0" 1918 | } 1919 | }, 1920 | "read-pkg-up": { 1921 | "version": "1.0.1", 1922 | "resolved": "https://registry.npmjs.org/read-pkg-up/-/read-pkg-up-1.0.1.tgz", 1923 | "integrity": "sha1-nWPBMnbAZZGNV/ACpX9AobZD+wI=", 1924 | "dev": true, 1925 | "requires": { 1926 | "find-up": "^1.0.0", 1927 | "read-pkg": "^1.0.0" 1928 | } 1929 | }, 1930 | "readdirp": { 1931 | "version": "3.4.0", 1932 | "resolved": "https://registry.npmjs.org/readdirp/-/readdirp-3.4.0.tgz", 1933 | "integrity": "sha512-0xe001vZBnJEK+uKcj8qOhyAKPzIT+gStxWr3LCB0DwcXR5NZJ3IaC+yGnHCYzB/S7ov3m3EEbZI2zeNvX+hGQ==", 1934 | "dev": true, 1935 | "requires": { 1936 | "picomatch": "^2.2.1" 1937 | } 1938 | }, 1939 | "redent": { 1940 | "version": "1.0.0", 1941 | "resolved": "https://registry.npmjs.org/redent/-/redent-1.0.0.tgz", 1942 | "integrity": "sha1-z5Fqsf1fHxbfsggi3W7H9zDCr94=", 1943 | "dev": true, 1944 | "requires": { 1945 | "indent-string": "^2.1.0", 1946 | "strip-indent": "^1.0.1" 1947 | } 1948 | }, 1949 | "repeating": { 1950 | "version": "2.0.1", 1951 | "resolved": "https://registry.npmjs.org/repeating/-/repeating-2.0.1.tgz", 1952 | "integrity": "sha1-UhTFOpJtNVJwdSf7q0FdvAjQbdo=", 1953 | "dev": true, 1954 | "requires": { 1955 | "is-finite": "^1.0.0" 1956 | } 1957 | }, 1958 | "resolve": { 1959 | "version": "1.17.0", 1960 | "resolved": "https://registry.npmjs.org/resolve/-/resolve-1.17.0.tgz", 1961 | "integrity": "sha512-ic+7JYiV8Vi2yzQGFWOkiZD5Z9z7O2Zhm9XMaTxdJExKasieFCr+yXZ/WmXsckHiKl12ar0y6XiXDx3m4RHn1w==", 1962 | "dev": true, 1963 | "requires": { 1964 | "path-parse": "^1.0.6" 1965 | } 1966 | }, 1967 | "retry": { 1968 | "version": "0.12.0", 1969 | "resolved": "https://registry.npmjs.org/retry/-/retry-0.12.0.tgz", 1970 | "integrity": "sha1-G0KmJmoh8HQh0bC1S33BZ7AcATs=" 1971 | }, 1972 | "rimraf": { 1973 | "version": "2.7.1", 1974 | "resolved": "https://registry.npmjs.org/rimraf/-/rimraf-2.7.1.tgz", 1975 | "integrity": "sha512-uWjbaKIK3T1OSVptzX7Nl6PvQ3qAGtKEtVRjRuazjfL3Bx5eI409VZSqgND+4UNnmzLVdPj9FqFJNPqBZFve4w==", 1976 | "dev": true, 1977 | "requires": { 1978 | "glob": "^7.1.3" 1979 | } 1980 | }, 1981 | "safe-buffer": { 1982 | "version": "5.2.1", 1983 | "resolved": "https://registry.npmjs.org/safe-buffer/-/safe-buffer-5.2.1.tgz", 1984 | "integrity": "sha512-rp3So07KcdmmKbGvgaNxQSJr7bGVSVk5S9Eq1F+ppbRo70+YeaDxkw5Dd8NPN+GD6bjnYm2VuPuCXmpuYvmCXQ==" 1985 | }, 1986 | "safer-buffer": { 1987 | "version": "2.1.2", 1988 | "resolved": "https://registry.npmjs.org/safer-buffer/-/safer-buffer-2.1.2.tgz", 1989 | "integrity": "sha512-YZo3K82SD7Riyi0E1EQPojLz7kpepnSQI9IyPbHHg1XXXevb5dJI7tpyN2ADxGcQbHG7vcyRHk0cbwqcQriUtg==" 1990 | }, 1991 | "semver": { 1992 | "version": "4.3.2", 1993 | "resolved": "https://registry.npmjs.org/semver/-/semver-4.3.2.tgz", 1994 | "integrity": "sha1-x6BxWKgL7dBSNVt3DYLWZA+AO+c=" 1995 | }, 1996 | "send": { 1997 | "version": "0.17.1", 1998 | "resolved": "https://registry.npmjs.org/send/-/send-0.17.1.tgz", 1999 | "integrity": "sha512-BsVKsiGcQMFwT8UxypobUKyv7irCNRHk1T0G680vk88yf6LBByGcZJOTJCrTP2xVN6yI+XjPJcNuE3V4fT9sAg==", 2000 | "requires": { 2001 | "debug": "2.6.9", 2002 | "depd": "~1.1.2", 2003 | "destroy": "~1.0.4", 2004 | "encodeurl": "~1.0.2", 2005 | "escape-html": "~1.0.3", 2006 | "etag": "~1.8.1", 2007 | "fresh": "0.5.2", 2008 | "http-errors": "~1.7.2", 2009 | "mime": "1.6.0", 2010 | "ms": "2.1.1", 2011 | "on-finished": "~2.3.0", 2012 | "range-parser": "~1.2.1", 2013 | "statuses": "~1.5.0" 2014 | }, 2015 | "dependencies": { 2016 | "http-errors": { 2017 | "version": "1.7.3", 2018 | "resolved": "https://registry.npmjs.org/http-errors/-/http-errors-1.7.3.tgz", 2019 | "integrity": "sha512-ZTTX0MWrsQ2ZAhA1cejAwDLycFsd7I7nVtnkT3Ol0aqodaKW+0CTZDQ1uBv5whptCnc8e8HeRRJxRs0kmm/Qfw==", 2020 | "requires": { 2021 | "depd": "~1.1.2", 2022 | "inherits": "2.0.4", 2023 | "setprototypeof": "1.1.1", 2024 | "statuses": ">= 1.5.0 < 2", 2025 | "toidentifier": "1.0.0" 2026 | } 2027 | }, 2028 | "ms": { 2029 | "version": "2.1.1", 2030 | "resolved": "https://registry.npmjs.org/ms/-/ms-2.1.1.tgz", 2031 | "integrity": "sha512-tgp+dl5cGk28utYktBsrFqA7HKgrhgPsg6Z/EfhWI4gl1Hwq8B/GmY/0oXZ6nF8hDVesS/FpnYaD/kOWhYQvyg==" 2032 | }, 2033 | "setprototypeof": { 2034 | "version": "1.1.1", 2035 | "resolved": "https://registry.npmjs.org/setprototypeof/-/setprototypeof-1.1.1.tgz", 2036 | "integrity": "sha512-JvdAWfbXeIGaZ9cILp38HntZSFSo3mWg6xGcJJsd+d4aRMOqauag1C63dJfDw7OaMYwEbHMOxEZ1lqVRYP2OAw==" 2037 | } 2038 | } 2039 | }, 2040 | "serve-static": { 2041 | "version": "1.14.1", 2042 | "resolved": "https://registry.npmjs.org/serve-static/-/serve-static-1.14.1.tgz", 2043 | "integrity": "sha512-JMrvUwE54emCYWlTI+hGrGv5I8dEwmco/00EvkzIIsR7MqrHonbD9pO2MOfFnpFntl7ecpZs+3mW+XbQZu9QCg==", 2044 | "requires": { 2045 | "encodeurl": "~1.0.2", 2046 | "escape-html": "~1.0.3", 2047 | "parseurl": "~1.3.3", 2048 | "send": "0.17.1" 2049 | } 2050 | }, 2051 | "setprototypeof": { 2052 | "version": "1.2.0", 2053 | "resolved": "https://registry.npmjs.org/setprototypeof/-/setprototypeof-1.2.0.tgz", 2054 | "integrity": "sha512-E5LDX7Wrp85Kil5bhZv46j8jOeboKq5JMmYM3gVGdGH8xFpPWXUMsNrlODCrkoxMEeNi/XZIwuRvY4XNwYMJpw==" 2055 | }, 2056 | "sha.js": { 2057 | "version": "2.4.11", 2058 | "resolved": "https://registry.npmjs.org/sha.js/-/sha.js-2.4.11.tgz", 2059 | "integrity": "sha512-QMEp5B7cftE7APOjk5Y6xgrbWu+WkLVQwk8JNjZ8nKRciZaByEW6MubieAiToS7+dwvrjGhH8jRXz3MVd0AYqQ==", 2060 | "requires": { 2061 | "inherits": "^2.0.1", 2062 | "safe-buffer": "^5.0.1" 2063 | } 2064 | }, 2065 | "signal-exit": { 2066 | "version": "3.0.3", 2067 | "resolved": "https://registry.npmjs.org/signal-exit/-/signal-exit-3.0.3.tgz", 2068 | "integrity": "sha512-VUJ49FC8U1OxwZLxIbTTrDvLnf/6TDgxZcK8wxR8zs13xpx7xbG60ndBlhNrFi2EMuFRoeDoJO7wthSLq42EjA==", 2069 | "dev": true 2070 | }, 2071 | "source-map": { 2072 | "version": "0.6.1", 2073 | "resolved": "https://registry.npmjs.org/source-map/-/source-map-0.6.1.tgz", 2074 | "integrity": "sha512-UjgapumWlbMhkBgzT7Ykc5YXUT46F0iKu8SGXq0bcwP5dz/h0Plj6enJqjz1Zbq2l5WaqYnrVbwWOWMyF3F47g==", 2075 | "dev": true 2076 | }, 2077 | "source-map-support": { 2078 | "version": "0.5.19", 2079 | "resolved": "https://registry.npmjs.org/source-map-support/-/source-map-support-0.5.19.tgz", 2080 | "integrity": "sha512-Wonm7zOCIJzBGQdB+thsPar0kYuCIzYvxZwlBa87yi/Mdjv7Tip2cyVbLj5o0cFPN4EVkuTwb3GDDyUx2DGnGw==", 2081 | "dev": true, 2082 | "requires": { 2083 | "buffer-from": "^1.0.0", 2084 | "source-map": "^0.6.0" 2085 | } 2086 | }, 2087 | "spdx-correct": { 2088 | "version": "3.1.1", 2089 | "resolved": "https://registry.npmjs.org/spdx-correct/-/spdx-correct-3.1.1.tgz", 2090 | "integrity": "sha512-cOYcUWwhCuHCXi49RhFRCyJEK3iPj1Ziz9DpViV3tbZOwXD49QzIN3MpOLJNxh2qwq2lJJZaKMVw9qNi4jTC0w==", 2091 | "dev": true, 2092 | "requires": { 2093 | "spdx-expression-parse": "^3.0.0", 2094 | "spdx-license-ids": "^3.0.0" 2095 | } 2096 | }, 2097 | "spdx-exceptions": { 2098 | "version": "2.3.0", 2099 | "resolved": "https://registry.npmjs.org/spdx-exceptions/-/spdx-exceptions-2.3.0.tgz", 2100 | "integrity": "sha512-/tTrYOC7PPI1nUAgx34hUpqXuyJG+DTHJTnIULG4rDygi4xu/tfgmq1e1cIRwRzwZgo4NLySi+ricLkZkw4i5A==", 2101 | "dev": true 2102 | }, 2103 | "spdx-expression-parse": { 2104 | "version": "3.0.1", 2105 | "resolved": "https://registry.npmjs.org/spdx-expression-parse/-/spdx-expression-parse-3.0.1.tgz", 2106 | "integrity": "sha512-cbqHunsQWnJNE6KhVSMsMeH5H/L9EpymbzqTQ3uLwNCLZ1Q481oWaofqH7nO6V07xlXwY6PhQdQ2IedWx/ZK4Q==", 2107 | "dev": true, 2108 | "requires": { 2109 | "spdx-exceptions": "^2.1.0", 2110 | "spdx-license-ids": "^3.0.0" 2111 | } 2112 | }, 2113 | "spdx-license-ids": { 2114 | "version": "3.0.5", 2115 | "resolved": "https://registry.npmjs.org/spdx-license-ids/-/spdx-license-ids-3.0.5.tgz", 2116 | "integrity": "sha512-J+FWzZoynJEXGphVIS+XEh3kFSjZX/1i9gFBaWQcB+/tmpe2qUsSBABpcxqxnAxFdiUFEgAX1bjYGQvIZmoz9Q==", 2117 | "dev": true 2118 | }, 2119 | "split": { 2120 | "version": "1.0.1", 2121 | "resolved": "https://registry.npmjs.org/split/-/split-1.0.1.tgz", 2122 | "integrity": "sha512-mTyOoPbrivtXnwnIxZRFYRrPNtEFKlpB2fvjSnCQUiAA6qAZzqwna5envK4uk6OIeP17CsdF3rSBGYVBsU0Tkg==", 2123 | "requires": { 2124 | "through": "2" 2125 | } 2126 | }, 2127 | "statuses": { 2128 | "version": "1.5.0", 2129 | "resolved": "https://registry.npmjs.org/statuses/-/statuses-1.5.0.tgz", 2130 | "integrity": "sha1-Fhx9rBd2Wf2YEfQ3cfqZOBR4Yow=" 2131 | }, 2132 | "streamsearch": { 2133 | "version": "0.1.2", 2134 | "resolved": "https://registry.npmjs.org/streamsearch/-/streamsearch-0.1.2.tgz", 2135 | "integrity": "sha1-gIudDlb8Jz2Am6VzOOkpkZoanxo=" 2136 | }, 2137 | "string.prototype.trimend": { 2138 | "version": "1.0.1", 2139 | "resolved": "https://registry.npmjs.org/string.prototype.trimend/-/string.prototype.trimend-1.0.1.tgz", 2140 | "integrity": "sha512-LRPxFUaTtpqYsTeNKaFOw3R4bxIzWOnbQ837QfBylo8jIxtcbK/A/sMV7Q+OAV/vWo+7s25pOE10KYSjaSO06g==", 2141 | "requires": { 2142 | "define-properties": "^1.1.3", 2143 | "es-abstract": "^1.17.5" 2144 | } 2145 | }, 2146 | "string.prototype.trimstart": { 2147 | "version": "1.0.1", 2148 | "resolved": "https://registry.npmjs.org/string.prototype.trimstart/-/string.prototype.trimstart-1.0.1.tgz", 2149 | "integrity": "sha512-XxZn+QpvrBI1FOcg6dIpxUPgWCPuNXvMD72aaRaUQv1eD4e/Qy8i/hFTe0BUmD60p/QA6bh1avmuPTfNjqVWRw==", 2150 | "requires": { 2151 | "define-properties": "^1.1.3", 2152 | "es-abstract": "^1.17.5" 2153 | } 2154 | }, 2155 | "strip-bom": { 2156 | "version": "2.0.0", 2157 | "resolved": "https://registry.npmjs.org/strip-bom/-/strip-bom-2.0.0.tgz", 2158 | "integrity": "sha1-YhmoVhZSBJHzV4i9vxRHqZx+aw4=", 2159 | "dev": true, 2160 | "requires": { 2161 | "is-utf8": "^0.2.0" 2162 | } 2163 | }, 2164 | "strip-indent": { 2165 | "version": "1.0.1", 2166 | "resolved": "https://registry.npmjs.org/strip-indent/-/strip-indent-1.0.1.tgz", 2167 | "integrity": "sha1-DHlipq3vp7vUrDZkYKY4VSrhoKI=", 2168 | "dev": true, 2169 | "requires": { 2170 | "get-stdin": "^4.0.1" 2171 | } 2172 | }, 2173 | "strip-json-comments": { 2174 | "version": "2.0.1", 2175 | "resolved": "https://registry.npmjs.org/strip-json-comments/-/strip-json-comments-2.0.1.tgz", 2176 | "integrity": "sha1-PFMZQukIwml8DsNEhYwobHygpgo=", 2177 | "dev": true 2178 | }, 2179 | "subscriptions-transport-ws": { 2180 | "version": "0.9.18", 2181 | "resolved": "https://registry.npmjs.org/subscriptions-transport-ws/-/subscriptions-transport-ws-0.9.18.tgz", 2182 | "integrity": "sha512-tztzcBTNoEbuErsVQpTN2xUNN/efAZXyCyL5m3x4t6SKrEiTL2N8SaKWBFWM4u56pL79ULif3zjyeq+oV+nOaA==", 2183 | "requires": { 2184 | "backo2": "^1.0.2", 2185 | "eventemitter3": "^3.1.0", 2186 | "iterall": "^1.2.1", 2187 | "symbol-observable": "^1.0.4", 2188 | "ws": "^5.2.0" 2189 | }, 2190 | "dependencies": { 2191 | "ws": { 2192 | "version": "5.2.2", 2193 | "resolved": "https://registry.npmjs.org/ws/-/ws-5.2.2.tgz", 2194 | "integrity": "sha512-jaHFD6PFv6UgoIVda6qZllptQsMlDEJkTQcybzzXDYM1XO9Y8em691FGMPmM46WGyLU4z9KMgQN+qrux/nhlHA==", 2195 | "requires": { 2196 | "async-limiter": "~1.0.0" 2197 | } 2198 | } 2199 | } 2200 | }, 2201 | "symbol-observable": { 2202 | "version": "1.2.0", 2203 | "resolved": "https://registry.npmjs.org/symbol-observable/-/symbol-observable-1.2.0.tgz", 2204 | "integrity": "sha512-e900nM8RRtGhlV36KGEU9k65K3mPb1WV70OdjfxlG2EAuM1noi/E/BaW/uMhL7bPEssK8QV57vN3esixjUvcXQ==" 2205 | }, 2206 | "through": { 2207 | "version": "2.3.8", 2208 | "resolved": "https://registry.npmjs.org/through/-/through-2.3.8.tgz", 2209 | "integrity": "sha1-DdTJ/6q8NXlgsbckEV1+Doai4fU=" 2210 | }, 2211 | "to-regex-range": { 2212 | "version": "5.0.1", 2213 | "resolved": "https://registry.npmjs.org/to-regex-range/-/to-regex-range-5.0.1.tgz", 2214 | "integrity": "sha512-65P7iz6X5yEr1cwcgvQxbbIw7Uk3gOy5dIdtZ4rDveLqhrdJP+Li/Hx6tyK0NEb+2GCyneCMJiGqrADCSNk8sQ==", 2215 | "dev": true, 2216 | "requires": { 2217 | "is-number": "^7.0.0" 2218 | } 2219 | }, 2220 | "toidentifier": { 2221 | "version": "1.0.0", 2222 | "resolved": "https://registry.npmjs.org/toidentifier/-/toidentifier-1.0.0.tgz", 2223 | "integrity": "sha512-yaOH/Pk/VEhBWWTlhI+qXxDFXlejDGcQipMlyxda9nthulaxLZUNcUqFxokp0vcYnvteJln5FNQDRrxj3YcbVw==" 2224 | }, 2225 | "tree-kill": { 2226 | "version": "1.2.2", 2227 | "resolved": "https://registry.npmjs.org/tree-kill/-/tree-kill-1.2.2.tgz", 2228 | "integrity": "sha512-L0Orpi8qGpRG//Nd+H90vFB+3iHnue1zSSGmNOOCh1GLJ7rUKVwV2HvijphGQS2UmhUZewS9VgvxYIdgr+fG1A==", 2229 | "dev": true 2230 | }, 2231 | "trim-newlines": { 2232 | "version": "1.0.0", 2233 | "resolved": "https://registry.npmjs.org/trim-newlines/-/trim-newlines-1.0.0.tgz", 2234 | "integrity": "sha1-WIeWa7WCpFA6QetST301ARgVphM=", 2235 | "dev": true 2236 | }, 2237 | "ts-invariant": { 2238 | "version": "0.4.4", 2239 | "resolved": "https://registry.npmjs.org/ts-invariant/-/ts-invariant-0.4.4.tgz", 2240 | "integrity": "sha512-uEtWkFM/sdZvRNNDL3Ehu4WVpwaulhwQszV8mrtcdeE8nN00BV9mAmQ88RkrBhFgl9gMgvjJLAQcZbnPXI9mlA==", 2241 | "requires": { 2242 | "tslib": "^1.9.3" 2243 | } 2244 | }, 2245 | "ts-node-dev": { 2246 | "version": "1.0.0-pre.62", 2247 | "resolved": "https://registry.npmjs.org/ts-node-dev/-/ts-node-dev-1.0.0-pre.62.tgz", 2248 | "integrity": "sha512-hfsEuCqUZOVnZ86l7A3icxD1nFt1HEmLVbx4YOHCkrbSHPBNWcw+IczAPZo3zz7YiOm9vs0xG6OENNrkgm89tQ==", 2249 | "dev": true, 2250 | "requires": { 2251 | "chokidar": "^3.4.0", 2252 | "dateformat": "~1.0.4-1.2.3", 2253 | "dynamic-dedupe": "^0.3.0", 2254 | "minimist": "^1.2.5", 2255 | "mkdirp": "^1.0.4", 2256 | "resolve": "^1.0.0", 2257 | "rimraf": "^2.6.1", 2258 | "source-map-support": "^0.5.12", 2259 | "tree-kill": "^1.2.2", 2260 | "ts-node": "^8.10.2", 2261 | "tsconfig": "^7.0.0" 2262 | }, 2263 | "dependencies": { 2264 | "ts-node": { 2265 | "version": "8.10.2", 2266 | "resolved": "https://registry.npmjs.org/ts-node/-/ts-node-8.10.2.tgz", 2267 | "integrity": "sha512-ISJJGgkIpDdBhWVu3jufsWpK3Rzo7bdiIXJjQc0ynKxVOVcg2oIrf2H2cejminGrptVc6q6/uynAHNCuWGbpVA==", 2268 | "dev": true, 2269 | "requires": { 2270 | "arg": "^4.1.0", 2271 | "diff": "^4.0.1", 2272 | "make-error": "^1.1.1", 2273 | "source-map-support": "^0.5.17", 2274 | "yn": "3.1.1" 2275 | } 2276 | } 2277 | } 2278 | }, 2279 | "tsconfig": { 2280 | "version": "7.0.0", 2281 | "resolved": "https://registry.npmjs.org/tsconfig/-/tsconfig-7.0.0.tgz", 2282 | "integrity": "sha512-vZXmzPrL+EmC4T/4rVlT2jNVMWCi/O4DIiSj3UHg1OE5kCKbk4mfrXc6dZksLgRM/TZlKnousKH9bbTazUWRRw==", 2283 | "dev": true, 2284 | "requires": { 2285 | "@types/strip-bom": "^3.0.0", 2286 | "@types/strip-json-comments": "0.0.30", 2287 | "strip-bom": "^3.0.0", 2288 | "strip-json-comments": "^2.0.0" 2289 | }, 2290 | "dependencies": { 2291 | "strip-bom": { 2292 | "version": "3.0.0", 2293 | "resolved": "https://registry.npmjs.org/strip-bom/-/strip-bom-3.0.0.tgz", 2294 | "integrity": "sha1-IzTBjpx1n3vdVv3vfprj1YjmjtM=", 2295 | "dev": true 2296 | } 2297 | } 2298 | }, 2299 | "tslib": { 2300 | "version": "1.13.0", 2301 | "resolved": "https://registry.npmjs.org/tslib/-/tslib-1.13.0.tgz", 2302 | "integrity": "sha512-i/6DQjL8Xf3be4K/E6Wgpekn5Qasl1usyw++dAA35Ue5orEn65VIxOA+YvNNl9HV3qv70T7CNwjODHZrLwvd1Q==" 2303 | }, 2304 | "type-is": { 2305 | "version": "1.6.18", 2306 | "resolved": "https://registry.npmjs.org/type-is/-/type-is-1.6.18.tgz", 2307 | "integrity": "sha512-TkRKr9sUTxEH8MdfuCSP7VizJyzRNMjj2J2do2Jr3Kym598JVdEksuzPQCnlFPW4ky9Q+iA+ma9BGm06XQBy8g==", 2308 | "requires": { 2309 | "media-typer": "0.3.0", 2310 | "mime-types": "~2.1.24" 2311 | } 2312 | }, 2313 | "typescript": { 2314 | "version": "4.0.2", 2315 | "resolved": "https://registry.npmjs.org/typescript/-/typescript-4.0.2.tgz", 2316 | "integrity": "sha512-e4ERvRV2wb+rRZ/IQeb3jm2VxBsirQLpQhdxplZ2MEzGvDkkMmPglecnNDfSUBivMjP93vRbngYYDQqQ/78bcQ==", 2317 | "dev": true 2318 | }, 2319 | "unpipe": { 2320 | "version": "1.0.0", 2321 | "resolved": "https://registry.npmjs.org/unpipe/-/unpipe-1.0.0.tgz", 2322 | "integrity": "sha1-sr9O6FFKrmFltIF4KdIbLvSZBOw=" 2323 | }, 2324 | "util.promisify": { 2325 | "version": "1.0.1", 2326 | "resolved": "https://registry.npmjs.org/util.promisify/-/util.promisify-1.0.1.tgz", 2327 | "integrity": "sha512-g9JpC/3He3bm38zsLupWryXHoEcS22YHthuPQSJdMy6KNrzIRzWqcsHzD/WUnqe45whVou4VIsPew37DoXWNrA==", 2328 | "requires": { 2329 | "define-properties": "^1.1.3", 2330 | "es-abstract": "^1.17.2", 2331 | "has-symbols": "^1.0.1", 2332 | "object.getownpropertydescriptors": "^2.1.0" 2333 | } 2334 | }, 2335 | "utils-merge": { 2336 | "version": "1.0.1", 2337 | "resolved": "https://registry.npmjs.org/utils-merge/-/utils-merge-1.0.1.tgz", 2338 | "integrity": "sha1-n5VxD1CiZ5R7LMwSR0HBAoQn5xM=" 2339 | }, 2340 | "uuid": { 2341 | "version": "8.3.0", 2342 | "resolved": "https://registry.npmjs.org/uuid/-/uuid-8.3.0.tgz", 2343 | "integrity": "sha512-fX6Z5o4m6XsXBdli9g7DtWgAx+osMsRRZFKma1mIUsLCz6vRvv+pz5VNbyu9UEDzpMWulZfvpgb/cmDXVulYFQ==" 2344 | }, 2345 | "validate-npm-package-license": { 2346 | "version": "3.0.4", 2347 | "resolved": "https://registry.npmjs.org/validate-npm-package-license/-/validate-npm-package-license-3.0.4.tgz", 2348 | "integrity": "sha512-DpKm2Ui/xN7/HQKCtpZxoRWBhZ9Z0kqtygG8XCgNQ8ZlDnxuQmWhj566j8fN4Cu3/JmbhsDo7fcAJq4s9h27Ew==", 2349 | "dev": true, 2350 | "requires": { 2351 | "spdx-correct": "^3.0.0", 2352 | "spdx-expression-parse": "^3.0.0" 2353 | } 2354 | }, 2355 | "vary": { 2356 | "version": "1.1.2", 2357 | "resolved": "https://registry.npmjs.org/vary/-/vary-1.1.2.tgz", 2358 | "integrity": "sha1-IpnwLG3tMNSllhsLn3RSShj2NPw=" 2359 | }, 2360 | "wrappy": { 2361 | "version": "1.0.2", 2362 | "resolved": "https://registry.npmjs.org/wrappy/-/wrappy-1.0.2.tgz", 2363 | "integrity": "sha1-tSQ9jz7BqjXxNkYFvA0QNuMKtp8=", 2364 | "dev": true 2365 | }, 2366 | "ws": { 2367 | "version": "6.2.1", 2368 | "resolved": "https://registry.npmjs.org/ws/-/ws-6.2.1.tgz", 2369 | "integrity": "sha512-GIyAXC2cB7LjvpgMt9EKS2ldqr0MTrORaleiOno6TweZ6r3TKtoFQWay/2PceJ3RuBasOHzXNn5Lrw1X0bEjqA==", 2370 | "requires": { 2371 | "async-limiter": "~1.0.0" 2372 | } 2373 | }, 2374 | "xss": { 2375 | "version": "1.0.8", 2376 | "resolved": "https://registry.npmjs.org/xss/-/xss-1.0.8.tgz", 2377 | "integrity": "sha512-3MgPdaXV8rfQ/pNn16Eio6VXYPTkqwa0vc7GkiymmY/DqR1SE/7VPAAVZz1GJsJFrllMYO3RHfEaiUGjab6TNw==", 2378 | "requires": { 2379 | "commander": "^2.20.3", 2380 | "cssfilter": "0.0.10" 2381 | } 2382 | }, 2383 | "xtend": { 2384 | "version": "4.0.2", 2385 | "resolved": "https://registry.npmjs.org/xtend/-/xtend-4.0.2.tgz", 2386 | "integrity": "sha512-LKYU1iAXJXUgAXn9URjiu+MWhyUXHsvfp7mcuYm9dSUKK0/CjtrUwFAxD82/mCWbtLsGjFIad0wIsod4zrTAEQ==" 2387 | }, 2388 | "yallist": { 2389 | "version": "3.1.1", 2390 | "resolved": "https://registry.npmjs.org/yallist/-/yallist-3.1.1.tgz", 2391 | "integrity": "sha512-a4UGQaWPH59mOXUYnAG2ewncQS4i4F43Tv3JoAM+s2VDAmS9NsK8GpDMLrCHPksFT7h3K6TOoUNn2pb7RoXx4g==" 2392 | }, 2393 | "yn": { 2394 | "version": "3.1.1", 2395 | "resolved": "https://registry.npmjs.org/yn/-/yn-3.1.1.tgz", 2396 | "integrity": "sha512-Ux4ygGWsu2c7isFWe8Yu1YluJmqVhxqK2cLXNQA5AcC3QfbGNpM7fu0Y8b/z16pXLnFxZYvWhd3fhBY9DLmC6Q==", 2397 | "dev": true 2398 | }, 2399 | "zen-observable": { 2400 | "version": "0.8.15", 2401 | "resolved": "https://registry.npmjs.org/zen-observable/-/zen-observable-0.8.15.tgz", 2402 | "integrity": "sha512-PQ2PC7R9rslx84ndNBZB/Dkv8V8fZEpk83RLgXtYd0fwUgEjseMn1Dgajh2x6S8QbZAFa9p2qVCEuYZNgve0dQ==" 2403 | }, 2404 | "zen-observable-ts": { 2405 | "version": "0.8.21", 2406 | "resolved": "https://registry.npmjs.org/zen-observable-ts/-/zen-observable-ts-0.8.21.tgz", 2407 | "integrity": "sha512-Yj3yXweRc8LdRMrCC8nIc4kkjWecPAUVh0TI0OUrWXx6aX790vLcDlWca6I4vsyCGH3LpWxq0dJRcMOFoVqmeg==", 2408 | "requires": { 2409 | "tslib": "^1.9.3", 2410 | "zen-observable": "^0.8.0" 2411 | } 2412 | } 2413 | } 2414 | } 2415 | --------------------------------------------------------------------------------