2.1.4 • Published 6 years ago

meteor-react-apollo-accounts v2.1.4

Weekly downloads
6
License
MIT
Repository
github
Last release
6 years ago

Meteor Apollo Accounts

A implementation of Meteor Accounts only in GraphQL with Apollo.

This package uses the Meteor Accounts methods in GraphQL, it's compatible with the accounts you have saved in your database and you may use apollo-accounts and Meteor's DPP accounts at the same time.

Project sponsored by Orion Hosting - Hosting for Meteor

Installing

Install on Meteor server

meteor add nicolaslopezj:apollo-accounts
yarn add graphql-loader

Initialize the package.

import {makeExecutableSchema} from 'graphql-tools'
import {loadSchema, getSchema} from 'graphql-loader'
import {initAccounts} from 'meteor/nicolaslopezj:apollo-accounts'
import typeDefs from './schema'
import resolvers from './resolvers'

// Load all accounts related resolvers and type definitions into graphql-loader
initAccounts({
  loginWithFacebook: false,
  loginWithGoogle: false,
  loginWithLinkedIn: false,
  loginWithVK: false,
  loginWithPassword: true
})

// Load all your resolvers and type definitions into graphql-loader
loadSchema({typeDefs, resolvers})

// Gets all the resolvers and type definitions loaded in graphql-loader
const schema = getSchema()
const executableSchema = makeExecutableSchema(schema)

Install on your apollo app

May or may not be the same app.

npm install meteor-react-apollo-accounts

Examples

Tutorials

Example Usage

import React, { Component } from 'react';
import Accounts from 'meteor-apollo-accounts';
import client from './ApolloClient'; // instance of apollo-client

Accounts.initWithClient(client); //do this only once

Accounts.onLogin(() => {
  console.log(Accounts.userId());
});

export default class Login extends Component {
  constructor() {
    this.state = {
      username: '',
      password: ''
    };
    this.login = this.login.bind(this);
    this.onUsernameChange = this.onUsernameChange.bind(this);
    this.onPwdChange = this.onPwdChange.bind(this);
  }

  login(e) {
    const { username, password } = this.state;
    e.preventDefault();
    Accounts.loginWithPassword({ username, password })
      .catch(function(err) {
        console.log("Error logging in", err);
      });
  }

  onUsernameChange(event) {
    this.setState({username: event.target.value});
  }

  onPwdChange(event) {
    this.setState({password: event.target.value});
  }

  render() {
    const { username, password } = this.state;
    return (
      <div>
        <form>
          <div className="form-group">
            <input type="text" value={username} onChange={this.onUsernameChange} placeholder="Username" />
            <input type="password" value={password} onChange={this.onPasswordChage} placeholder="Password" />
          </div>
          <button type="submit" onClick={this.login}>Login</button>
        </form>
      </div>
    )
  }
}

Methods

Meteor accounts methods, client side only. All methods are promises.

initWithClient

Initialize the accounts system with an instance of Apollo Client. You only need to do this once in your app, typically upon startup.

import ApolloClient from 'apollo-client';
import Accounts from 'meteor-apollo-accounts';

const client = new ApolloClient();

Accounts.initWithClient(client);
  • client: Your instance of Apollo Client

loginWithPassword

Log the user in with a password.

Accounts.loginWithPassword({username, email, password, plainPassword})
  • username: Optional. The user's username.

  • email: Optional. The user's email.

  • password: The user's password. The library will hash the string before it sends it to the server.

logout

Log the user out.

Accounts.logout()

onLogin

Register a function to be called when a user logged in

Accounts.onLogin(() => {
  console.log('Current User: ', Accounts.userId())
  ...
  // Fetch data, change routes, etc
})

onLoginFailure

Register a function to be called when a login attempt is failed

Accounts.onLoginFailure(() => {
  console.log('Login Failed')
  ...
  // Set route to login page, reset store, etc
})

onLogout

Register a function to be called when a user logs out

Accounts.onLogout(() => {
  console.log('User Logged Out')
  ...
  // Set route to login page, reset store, etc
})

loggingIn

Returns true if a login method (such as Accounts.loginWithPassword, Accounts.loginWithFacebook, or Accounts.createUser) is currently in progress.

console.log('Currently logging in? : ', Accounts.loggingIn())

userId

Returns the id of the logged in user.

console.log('The user id is:', Accounts.userId())

changePassword

Change the current user's password. Must be logged in.

Accounts.changePassword({oldPassword, newPassword})
  • oldPassword: The user's current password. This is not sent in plain text over the wire.

  • newPassword: A new password for the user. This is not sent in plain text over the wire.

createUser

Create a new user.

Accounts.createUser({username, email, password, profile})
  • username: A unique name for this user.

  • email: The user's email address.

  • password: The user's password. This is not sent in plain text over the wire.

  • profile: The profile object based on the UserProfileInput input type.

verifyEmail

Marks the user's email address as verified. Logs the user in afterwards.

Accounts.verifyEmail({token})
  • token: The token retrieved from the verification URL.

forgotPassword

Request a forgot password email.

Accounts.forgotPassword({email})
  • email: The email address to send a password reset link.

resetPassword

Reset the password for a user using a token received in email. Logs the user in afterwards.

Accounts.resetPassword({newPassword, token})
  • newPassword: A new password for the user. This is not sent in plain text over the wire.

  • token: The token retrieved from the reset password URL.

loginWithFacebook

Logins the user with a facebook accessToken

Accounts.loginWithFacebook({accessToken})

loginWithGoogle

Logins the user with a google accessToken

Accounts.loginWithGoogle({accessToken})

loginWithLinkedIn

Logins the user with a google accessToken

Accounts.loginWithLinkedIn({code, redirectUri})

loginWithVK

Logins the user with a google accessToken

Accounts.loginWithVK({code, redirectUri})

React-Native usage

//First you'll need to import the Storage library that you'll use to store the user details (userId, tokens...),
// AsyncStorage is highly recommended.

import {
  ...
  AsyncStorage
} from 'react-native';


import Accounts, { USER_ID_KEY, TOKEN_KEY, TOKEN_EXPIRES_KEY } from 'meteor-apollo-accounts';
import client from './ApolloClient'; // Your instance of apollo client

// Then you'll have to define a TokenStore for your user data using setTokenStore.
// This should be done before calling Accounts.initWithClient:
Accounts.setTokenStore({
  async set({ userId, token, tokenExpires }) {
    return AsyncStorage.multiSet([
      [USER_ID_KEY, userId],
      [TOKEN_KEY, token],
      [TOKEN_EXPIRES_KEY, tokenExpires.toString()]
    ]);
  },
  async get() {
    const stores = await AsyncStorage.multiGet([
      USER_ID_KEY,
      TOKEN_KEY,
      TOKEN_EXPIRES_KEY
    ]);

    const userId = stores[0][1];
    const token = stores[1][1];
    const tokenExpires = stores[2][1];

    return { userId, token, tokenExpires };
  },
  async remove() {
    return AsyncStorage.multiRemove([
      USER_ID_KEY,
      TOKEN_KEY,
      TOKEN_EXPIRES_KEY
    ]);
  }
});

// Make sure to initialize before calling anything else in Accounts:
Accounts.initWithClient(client);


// Finally, you'll be able to use asynchronously any method from the library :

Accounts.onLogin(() => {
  console.log(Accounts.userId());
});

async login (event) {
  event.preventDefault();

  try {
    const id = await Accounts.loginWithPassword({ "email", "password" })
  } catch (error) {
    console.log("Error logging in: ", error);
  }
}

Contributors