angular ngrx-store-localstorage не сохраняет данные после перезагрузки
Я пытаюсь интегрировать ngrx в процесс аутентификации с помощью ngrx-store-localstorage для хранения токена в сеансах браузера.
когда я делаю логин, я вижу значение токена в хранилище, как
{"token":{"token":"e5cb6515-149c-44df-88d1-4ff16ff4169b","expiresIn":10385,"expiresAt":1512082478397},"authenticated":true,"error":false}
но когда, например, я редактирую страницу и перезагружаю приложение, у меня есть
{"token":null,"authenticated":false,"error":false}
действия код
import { Action } from '@ngrx/store';
import { AuthenticationTokenInterface } from '../authentication.interface';
export const LOGIN = 'LOGIN';
export const LOGIN_SUCCESS = 'LOGIN_SUCCESS';
export const LOGIN_FAILED = 'LOGIN_FAILED';
export const LOGOUT = 'LOGOUT';
export const SET_TOKEN = 'SET_TOKEN';
export class Login implements Action {
readonly type = LOGIN;
constructor(public payload: {username: 'string',password: 'string'}) {}
}
export class LoginSuccess implements Action {
readonly type = LOGIN_SUCCESS;
}
export class LoginFailed implements Action {
readonly type = LOGIN_FAILED;
}
export class Logout implements Action {
readonly type = LOGOUT;
}
export class SetToken implements Action {
readonly type = SET_TOKEN;
constructor(public payload: AuthenticationTokenInterface) {}
}
export type AuthenticationActions = Login | LoginSuccess | LoginFailed | Logout | SetToken;
эффекты
@Injectable()
export class AuthenticationEffects {
@Effect()
login$ = this.actions$.ofType(AuthenticationActions.LOGIN)
.pipe(
mergeMap((action: AuthenticationActions.Login) => {
return this.authenticationService.login(action.payload)
.pipe(
mergeMap((token:AuthenticationTokenInterface) => {
this.router.navigate(['/main/dashboard']);
return [
{ type: AuthenticationActions.LOGIN_SUCCESS },
{ type: AuthenticationActions.SET_TOKEN, payload: token }
]
}),
catchError(() => {
return of({ type: AuthenticationActions.LOGIN_FAILED })
})
)
})
);
@Effect({dispatch: false})
logout$ = this.actions$.ofType(AuthenticationActions.LOGOUT)
.pipe(
switchMap(()=>{
this.router.navigate(['/logout']);
return this.authenticationService.logout();
})
);
constructor(
private actions$: Actions,
private router: Router,
private authenticationService: AuthenticationService
) {}
}
редуктор
export interface State {
token: AuthenticationTokenInterface;
authenticated: boolean;
error: boolean;
}
const initialState: State = {
token: null,
authenticated: false,
error: false
};
export function authenticationReducer(
state = initialState,
action: AuthenticationActions.AuthenticationActions
):State {
switch (action.type) {
case (AuthenticationActions.LOGIN_SUCCESS):
return {
...state,
authenticated: true,
};
case (AuthenticationActions.LOGIN_FAILED):
return {
...state,
error: true
};
case (AuthenticationActions.LOGOUT):
return {
...state,
token: null,
authenticated: false
};
case (AuthenticationActions.SET_TOKEN):
return {
...state,
token: action.payload
};
default:
return state;
}
}
редукторы (App)
export interface AppState {
authentication: fromAuthentication.State
}
export const reducers: ActionReducerMap<AppState> = {
authentication: fromAuthentication.authenticationReducer
};
App модуль
export function localStorageSyncReducer(reducer: ActionReducer<any>): ActionReducer<any> {
return localStorageSync({keys: ['authentication']})(reducer);
}
const metaReducers: Array<MetaReducer<any, any>> = [localStorageSyncReducer];
imports: [
StoreModule.forRoot(
reducers,
{metaReducers}
),
EffectsModule.forRoot([AuthenticationEffects]),
]
2 ответов
вам нужно добавить rehydrate
клавиша вызова функции localStorageSync.
export function localStorageSyncReducer(reducer: ActionReducer<any>): ActionReducer<any> {
return localStorageSync(
{keys: ['authentication'],
rehydrate: true})(reducer);
}
см.:https://github.com/btroncone/ngrx-store-localstorage/blob/master/README.md для деталей.
что вам нужно, это просто добавить опцию восстановления логический набор как true в вашем приложении.файл модуля.
это вытащит или принесет данные из localStorage в начальное состояние во время перезарядки.
код localStorageSync должен быть настроен в качестве...
localStorageSync(
{keys: ['authentication'],
rehydrate: true <------ add this line
}) (reducer);