Skip to content

Instantly share code, notes, and snippets.

@rcook
Last active March 30, 2020 05:47
Show Gist options
  • Star 0 You must be signed in to star a gist
  • Fork 0 You must be signed in to fork a gist
  • Save rcook/f10afe19d18b67ba1abbaaa1763ad1e3 to your computer and use it in GitHub Desktop.
Save rcook/f10afe19d18b67ba1abbaaa1763ad1e3 to your computer and use it in GitHub Desktop.
Elm with Google Auth
/elm-stuff/
/elm.js
/google-api-client-id.txt
/jquery.min.js
{
"version": "1.0.0",
"summary": "Simple Elm app with Google authentication via ports",
"repository": "https://github.com/rcook/not-a-real-repo.git",
"license": "MIT",
"source-directories": [
"."
],
"exposed-modules": [],
"dependencies": {
"NoRedInk/elm-decode-pipeline": "3.0.0 <= v < 4.0.0",
"elm-lang/core": "5.1.1 <= v < 6.0.0",
"elm-lang/html": "2.0.0 <= v < 3.0.0",
"elm-lang/http": "1.0.0 <= v < 2.0.0"
},
"elm-version": "0.18.0 <= v < 0.19.0"
}
<!DOCTYPE html>
<html>
<head>
<title></title>
<script src="/jquery.min.js"></script>
<script src="/elm.js"></script>
<script src="/index.js"></script>
</head>
<body></body>
</html>
"use strict";
const Util = (() => {
const me = {};
function formatNativeError(e) {
if (e.hasOwnProperty("message") && e.hasOwnProperty("stack")) {
return {
message: e.message,
stack: e.stack
};
}
return e;
}
me.stubPorts = app => {
const stubs = {};
for (const k in app.ports) {
if (app.ports[k].subscribe) {
stubs[k] = () => { throw `No handler subscribed to Elm port "${k}"`; };
app.ports[k].subscribe(stubs[k]);
}
}
return stubs;
};
me.loadScript = url => Promise.resolve($.getScript(url));
me.loadGoogleApi = libs => new Promise(resolve => gapi.load(libs, resolve));
me.sendNativeError = (app, e) => app.ports.nativeError.send(formatNativeError(e));
// Sometimes useful for simulating slow network etc.
//me.delay = (ms) => new Promise(resolve => window.setTimeout(resolve, ms));
return me;
})();
function initAuth(stubs, app, auth) {
function sendAuthStateChanged() {
if (auth.isSignedIn.get()) {
const currentUser = auth.currentUser.get();
const userId = currentUser.getId();
const basicProfile = currentUser.getBasicProfile();
const fullName = basicProfile.getName();
const email = basicProfile.getEmail();
const authResponse = currentUser.getAuthResponse();
const accessToken = authResponse.id_token;
app.ports.authStateChanged.send({
userId: userId,
fullName: fullName,
email: email,
accessToken: accessToken
});
}
else {
app.ports.authStateChanged.send({});
}
}
const handlers = {
signIn: () => {
if (auth.isSignedIn.get()) {
sendAuthStateChanged(app);
}
else {
auth.signIn({ prompt: "login" });
}
},
signOut: () => {
if (auth.isSignedIn.get()) {
auth.signOut();
}
else {
sendAuthStateChanged();
}
}
};
for (const k in stubs) {
const handler = handlers[k];
if (handler) {
app.ports[k].unsubscribe(stubs[k]);
app.ports[k].subscribe((() => handler()));
}
}
auth.isSignedIn.listen(sendAuthStateChanged);
sendAuthStateChanged();
}
$(() => {
const app = Elm.Main.fullscreen();
const stubs = Util.stubPorts(app);
Util.loadScript("https://apis.google.com/js/platform.js")
.then(() => Util.loadGoogleApi("auth2"))
.then(() => $.get("/google-api-client-id.txt"))
.then(responseText => responseText.trim())
.then(clientId => gapi.auth2.init({ clientId: clientId, scope: "profile" }))
.then(() => initAuth(stubs, app, gapi.auth2.getAuthInstance()))
.catch(e => Util.sendNativeError(app, e));
});
port module Interop
exposing
( authStateChanged
, nativeError
, signIn
, signOut
)
import Json.Decode exposing (Value)
port nativeError : (Value -> msg) -> Sub msg
port authStateChanged : (Value -> msg) -> Sub msg
port signIn : () -> Cmd msg
port signOut : () -> Cmd msg
The MIT License (MIT)
Copyright (c) 2018 Richard Cook
Permission is hereby granted, free of charge, to any person obtaining a copy of
this software and associated documentation files (the "Software"), to deal in
the Software without restriction, including without limitation the rights to
use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of
the Software, and to permit persons to whom the Software is furnished to do so,
subject to the following conditions:
The above copyright notice and this permission notice shall be included in all
copies or substantial portions of the Software.
THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, FITNESS
FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR
COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER
IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN
CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE.
module Main exposing (main)
import Html exposing (program)
import Model exposing (Model, init)
import Msg exposing (Msg)
import Update exposing (update)
import Subscriptions exposing (subscriptions)
import View exposing (view)
main : Program Never Model Msg
main =
program
{ init = init
, view = view
, update = update
, subscriptions = subscriptions
}
.PHONY: live
live: jquery.min.js
elm-live Main.elm --output=elm.js --open
jquery.min.js:
wget https://cdnjs.cloudflare.com/ajax/libs/jquery/3.3.1/jquery.min.js
module Model
exposing
( Model
, AuthState(..)
, UserInfo
, init
)
type alias Model =
{ authState : AuthState
, message : Maybe String
}
type AuthState
= Unknown
| SignedIn UserInfo
| SignedOut
type alias UserInfo =
{ userId : String
, fullName : String
, email : String
, accessToken : String
}
init : ( Model, Cmd msg )
init =
( { authState = Unknown, message = Nothing }, Cmd.none )
module Msg exposing (Msg(..))
import Json.Decode exposing (Value)
import Model exposing (AuthState)
type Msg
= NativeError Value
| AuthStateChanged (Result String AuthState)
| SignInClicked
| SignOutClicked
module Subscriptions exposing (subscriptions)
import Interop exposing (authStateChanged, nativeError)
import Json.Decode exposing (Decoder, oneOf, string, succeed)
import Json.Decode as Decode
import Json.Decode.Pipeline exposing (decode, optional, required)
import Model exposing (AuthState(..), Model, UserInfo)
import Msg exposing (Msg(..))
decodeSignedIn : Decoder AuthState
decodeSignedIn =
decode UserInfo
|> required "userId" string
|> required "fullName" string
|> required "email" string
|> required "accessToken" string
|> Decode.map SignedIn
decodeSignedOut : Decoder AuthState
decodeSignedOut =
succeed SignedOut
decodeAuthState : Decoder AuthState
decodeAuthState =
oneOf
[ decodeSignedIn
, decodeSignedOut
]
subscriptions : Model -> Sub Msg
subscriptions _ =
Sub.batch
[ authStateChanged (AuthStateChanged << Decode.decodeValue decodeAuthState)
, nativeError NativeError
]
module Update exposing (update)
import Interop exposing (signIn, signOut)
import Model exposing (Model, AuthState(..))
import Msg exposing (Msg(..))
update : Msg -> Model -> ( Model, Cmd Msg )
update msg model =
case msg of
NativeError value ->
( { model | message = Just <| toString value }, Cmd.none )
AuthStateChanged result ->
case result of
Ok authState ->
( { model | authState = authState }, Cmd.none )
Err m ->
( { model | authState = Unknown, message = Just m }, Cmd.none )
SignInClicked ->
( model, signIn () )
SignOutClicked ->
( model, signOut () )
module View exposing (view)
import Html exposing (Html, br, button, div, li, text, ul)
import Html.Attributes exposing (disabled)
import Html.Events exposing (onClick)
import Model exposing (Model, AuthState(..))
import Msg exposing (Msg(..))
view : Model -> Html Msg
view model =
div []
[ text <| toString model.authState
, button [ disabled <| not <| isSignedOut model.authState, onClick SignInClicked ] [ text "Sign in" ]
, button [ disabled <| not <| isSignedIn model.authState, onClick SignOutClicked ] [ text "Sign out" ]
, br [] []
, case model.message of
Nothing ->
text "No message"
Just m ->
text m
, br [] []
, case model.authState of
SignedIn state ->
ul []
[ li [] [ text state.userId ]
, li [] [ text state.fullName ]
, li [] [ text state.email ]
, li [] [ text state.accessToken ]
]
_ ->
text "No user information"
]
isSignedIn : AuthState -> Bool
isSignedIn state =
case state of
SignedIn _ ->
True
_ ->
False
isSignedOut : AuthState -> Bool
isSignedOut state =
case state of
SignedOut ->
True
_ ->
False
Sign up for free to join this conversation on GitHub. Already have an account? Sign in to comment