Added login to the application to make authenticated api requests.

This commit is contained in:
krzysiej
2022-06-20 15:05:27 +02:00
parent 4536195a4c
commit 00bb86f798
13 changed files with 230 additions and 9 deletions

13
assets/js/api/user.js Normal file
View File

@@ -0,0 +1,13 @@
import axios from 'axios';
export default {
login: function (email, password) {
return axios.post('/login_api', {
email: email,
password: password
});
},
getUserData: function (userIri) {
return axios.get(userIri);
},
}

View File

@@ -0,0 +1,47 @@
<template>
<form v-on:submit.prevent="handleSubmit">
<div v-if="error" class="alert alert-danger">
{{ error }}
</div>
<div class="form-group">
<label for="exampleInputEmail1">Email address</label>
<input type="email" v-model="email" class="form-control" id="exampleInputEmail1"
aria-describedby="emailHelp" placeholder="Enter email">
</div>
<div class="form-group">
<label for="exampleInputPassword1">Password</label>
<input type="password" v-model="password" class="form-control"
id="exampleInputPassword1" placeholder="Password">
</div>
<div class="form-check">
<input type="checkbox" class="form-check-input" id="exampleCheck1">
<label class="form-check-label" for="exampleCheck1">I like cheese</label>
</div>
<button type="submit" class="btn btn-primary" v-bind:class="{ disabled: isLoading }">Log in</button>
</form>
</template>
<script>
import {mapActions} from "vuex";
export default {
data() {
return {
email: '',
password: '',
error: '',
isLoading: false
}
},
props: ['user'],
methods: {
...mapActions('usermodule', ['login']),
handleSubmit() {
this.login({'email': this.email, 'password': this.password});
},
},
}
</script>
<style scoped lang="scss">
</style>

View File

@@ -3,6 +3,7 @@ import Vuex from 'vuex'
import booksmodule from './modules/books'; import booksmodule from './modules/books';
import bookprogressmodule from './modules/bookprogress'; import bookprogressmodule from './modules/bookprogress';
import filemodule from './modules/filemodule'; import filemodule from './modules/filemodule';
import usermodule from './modules/usermodule';
Vue.use(Vuex) Vue.use(Vuex)
@@ -10,7 +11,8 @@ export default new Vuex.Store({
modules:{ modules:{
booksmodule, booksmodule,
bookprogressmodule, bookprogressmodule,
filemodule filemodule,
usermodule
} }
}) })

View File

@@ -0,0 +1,81 @@
import UserApi from "../../api/user";
import {
LOGIN_START,
LOGIN_SUCCESS,
LOGIN_ERROR,
STORE_USER_INFO,
} from '../mutation-types.js'
export default {
namespaced: true,
state: {
isLoading: false,
error: null,
user: null,
userUri: null,
},
getters: {
isLoading(state) {
return state.isLoading;
},
hasError(state) {
return state.error !== null;
},
error(state) {
return state.error;
}
},
mutations: {
[LOGIN_START](state) {
state.isLoading = true;
state.error = null;
state.user = null;
},
[LOGIN_SUCCESS](state, userUri) {
state.isLoading = false;
state.error = null;
state.userUri = userUri;
},
[STORE_USER_INFO](state, user) {
state.isLoading = false;
state.error = null;
state.user = user;
},
[LOGIN_ERROR](state, error) {
state.isLoading = false;
state.error = error;
state.user = null;
},
},
actions: {
async login({dispatch, commit}, data) {
console.info(data.email);
console.info(data.password);
commit(LOGIN_START);
let response = await UserApi.login(data.email, data.password)
.then(response => {
console.log(response.data);
console.log(response.headers.location);
// commit(LOGIN_SUCCESS,response.data);
dispatch('getUserInfo', response.headers.location)
commit(LOGIN_SUCCESS, response.headers.location);
//this.$emit('user-authenticated', userUri);
//this.email = '';
//this.password = '';
}).catch(error => {
if (error.response.data.error) {
commit(LOGIN_ERROR, error.response.data.error);
console.log(error.response.data.error);
}
}).finally(() => {
// this.isLoading = false;
})
},
async getUserInfo({commit}, userUri) {
let userInfo = await UserApi.getUserData(userUri);
commit(STORE_USER_INFO, userInfo.data);
}
}
};

View File

@@ -8,5 +8,10 @@ export const
FETCHING_FILES = "FETCHING_FILES", FETCHING_FILES = "FETCHING_FILES",
FETCHING_FILES_SUCCESS = "FETCHING_FILES_SUCCESS", FETCHING_FILES_SUCCESS = "FETCHING_FILES_SUCCESS",
FETCHING_FILES_ERROR = "FETCHING_FILES_ERROR", FETCHING_FILES_ERROR = "FETCHING_FILES_ERROR",
REMOVE_FILE_FROM_LIST = "REMOVE_FILE_FROM_LIST" REMOVE_FILE_FROM_LIST = "REMOVE_FILE_FROM_LIST",
LOGIN_START = "LOGIN_START",
LOGIN_SUCCESS = "LOGIN_SUCCESS",
LOGIN_ERROR = "LOGIN_ERROR",
STORE_USER_INFO = "STORE_USER_INFO"
; ;

6
assets/js/user.js Normal file
View File

@@ -0,0 +1,6 @@
import Vue from 'vue';
import Loginform from "./components/loginform";
import store from "./store/index";
Vue.component('Loginform', Loginform);
new Vue({store}).$mount('#app');

View File

@@ -14,6 +14,10 @@ security:
pattern: ^/(_(profiler|wdt)|css|images|js)/ pattern: ^/(_(profiler|wdt)|css|images|js)/
security: false security: false
main: main:
json_login:
check_path: app_login_api
username_path: email
password_path: password
lazy: true lazy: true
provider: app_user_provider provider: app_user_provider
custom_authenticator: App\Security\CustomAuthenticator custom_authenticator: App\Security\CustomAuthenticator

View File

@@ -0,0 +1,18 @@
<?php
namespace App\Controller;
use Symfony\Bundle\FrameworkBundle\Controller\AbstractController;
use Symfony\Component\HttpFoundation\Response;
use Symfony\Component\Routing\Annotation\Route;
class IndexController extends AbstractController
{
#[Route('/', name: 'app_index')]
public function index(): Response
{
return $this->render('index/index.html.twig', [
'controller_name' => 'IndexController',
]);
}
}

View File

@@ -2,19 +2,22 @@
namespace App\Controller; namespace App\Controller;
use ApiPlatform\Core\Api\IriConverterInterface;
use Symfony\Bundle\FrameworkBundle\Controller\AbstractController; use Symfony\Bundle\FrameworkBundle\Controller\AbstractController;
use Symfony\Component\HttpFoundation\JsonResponse;
use Symfony\Component\HttpFoundation\Response; use Symfony\Component\HttpFoundation\Response;
use Symfony\Component\Routing\Annotation\Route; use Symfony\Component\Routing\Annotation\Route;
use Symfony\Component\Security\Http\Authentication\AuthenticationUtils; use Symfony\Component\Security\Http\Authentication\AuthenticationUtils;
use Symfony\Component\Validator\Constraints\Json;
class SecurityController extends AbstractController class SecurityController extends AbstractController
{ {
#[Route(path: '/login', name: 'app_login')] #[Route(path: '/login', name: 'app_login')]
public function login(AuthenticationUtils $authenticationUtils): Response public function login(AuthenticationUtils $authenticationUtils): Response
{ {
// if ($this->getUser()) { if ($this->getUser()) {
// return $this->redirectToRoute('target_path'); return $this->redirectToRoute('app_book_index');
// } }
// get the login error if there is one // get the login error if there is one
$error = $authenticationUtils->getLastAuthenticationError(); $error = $authenticationUtils->getLastAuthenticationError();
@@ -24,9 +27,23 @@ class SecurityController extends AbstractController
return $this->render('security/login.html.twig', ['last_username' => $lastUsername, 'error' => $error]); return $this->render('security/login.html.twig', ['last_username' => $lastUsername, 'error' => $error]);
} }
#[Route(path: '/login_api', name: 'app_login_api', methods: ['POST'])]
public function login_api(IriConverterInterface $iriConverter): Response
{
return new Response(null, 204, [
'Location' => $iriConverter->getIriFromItem($this->getUser())
]);
// return $this->json([
// 'user' => $this->getUser() ? $this->getUser()->getId() : null
// ]);
}
#[Route(path: '/logout', name: 'app_logout')] #[Route(path: '/logout', name: 'app_logout')]
public function logout(): void public function logout(): void
{ {
throw new \LogicException('This method can be blank - it will be intercepted by the logout key on your firewall.'); throw new \LogicException(
'This method can be blank - it will be intercepted by the logout key on your firewall.'
);
} }
} }

View File

@@ -2,11 +2,13 @@
namespace App\Entity; namespace App\Entity;
use ApiPlatform\Core\Annotation\ApiResource;
use App\Repository\UserRepository; use App\Repository\UserRepository;
use Doctrine\ORM\Mapping as ORM; use Doctrine\ORM\Mapping as ORM;
use Symfony\Component\Security\Core\User\PasswordAuthenticatedUserInterface; use Symfony\Component\Security\Core\User\PasswordAuthenticatedUserInterface;
use Symfony\Component\Security\Core\User\UserInterface; use Symfony\Component\Security\Core\User\UserInterface;
#[ApiResource]
#[ORM\Entity(repositoryClass: UserRepository::class)] #[ORM\Entity(repositoryClass: UserRepository::class)]
#[ORM\Table(name: '`user`')] #[ORM\Table(name: '`user`')]
class User implements UserInterface, PasswordAuthenticatedUserInterface class User implements UserInterface, PasswordAuthenticatedUserInterface

View File

@@ -49,9 +49,7 @@ class CustomAuthenticator extends AbstractLoginFormAuthenticator
return new RedirectResponse($targetPath); return new RedirectResponse($targetPath);
} }
// For example: return new RedirectResponse($this->urlGenerator->generate('app_book_index'));
// return new RedirectResponse($this->urlGenerator->generate('some_route'));
throw new \Exception('TODO: provide a valid redirect inside '.__FILE__);
} }
protected function getLoginUrl(Request $request): string protected function getLoginUrl(Request $request): string

View File

@@ -0,0 +1,27 @@
{% extends 'base.html.twig' %}
{% block title %}Hello IndexController!{% endblock %}
{% block body %}
<style>
.example-wrapper {
margin: 1em auto;
max-width: 800px;
width: 95%;
font: 18px/1.5 sans-serif;
}
.example-wrapper code {
background: #F5F5F5;
padding: 2px 6px;
}
</style>
<div id="app">
<loginform></loginform>
</div>
{% endblock %}
{% block javascripts %}
{{ encore_entry_script_tags('user') }}
{% endblock %}

View File

@@ -23,6 +23,7 @@ Encore
.addEntry('app', './assets/js/app.js') .addEntry('app', './assets/js/app.js')
.addEntry('files', './assets/js/files.js') .addEntry('files', './assets/js/files.js')
.addEntry('book', './assets/js/book.js') .addEntry('book', './assets/js/book.js')
.addEntry('user', './assets/js/user.js')
// enables the Symfony UX Stimulus bridge (used in assets/bootstrap.js) // enables the Symfony UX Stimulus bridge (used in assets/bootstrap.js)
.enableStimulusBridge('./assets/controllers.json') .enableStimulusBridge('./assets/controllers.json')