1
|
import { createSlice, PayloadAction } from '@reduxjs/toolkit'
|
2
|
import { persistReducer } from 'redux-persist'
|
3
|
import storage from 'redux-persist/lib/storage'
|
4
|
|
5
|
export interface UserState {
|
6
|
accessToken?: string
|
7
|
refreshToken?: string
|
8
|
username: string
|
9
|
roles: string[]
|
10
|
isLoggedIn: boolean
|
11
|
}
|
12
|
|
13
|
const persistConfig = {
|
14
|
key: 'auth',
|
15
|
storage, // localStorage for browsers
|
16
|
}
|
17
|
|
18
|
// Default state when user first starts the application
|
19
|
const initialState: UserState = {
|
20
|
roles: [],
|
21
|
isLoggedIn: false,
|
22
|
username: '',
|
23
|
}
|
24
|
|
25
|
export const userSlice = createSlice({
|
26
|
name: 'user', // name to generate action types
|
27
|
|
28
|
initialState, // default state
|
29
|
|
30
|
// Reducers that update the state
|
31
|
reducers: {
|
32
|
logout: () => {
|
33
|
return initialState // Reset to the inital state
|
34
|
},
|
35
|
refreshTokens: (state, action) => {
|
36
|
return {
|
37
|
...state,
|
38
|
accessToken: action.payload.accessToken,
|
39
|
refreshToken: action.payload.refreshToken,
|
40
|
}
|
41
|
},
|
42
|
},
|
43
|
|
44
|
// For thunks (async operations)
|
45
|
extraReducers: {},
|
46
|
})
|
47
|
|
48
|
const userReducer = persistReducer(persistConfig, userSlice.reducer)
|
49
|
export default userReducer
|