Better message for unanticipated authorisation errors (#113460) (#113806)

* Custom message for unanticipated 401 errors

* Refactor logout reasons

* Fix types

Co-authored-by: Kibana Machine <42973632+kibanamachine@users.noreply.github.com>

Co-authored-by: Thom Heymann <190132+thomheymann@users.noreply.github.com>
This commit is contained in:
Kibana Machine 2021-10-04 15:45:45 -04:00 committed by GitHub
parent 344a4113af
commit 58e534eefc
No known key found for this signature in database
GPG key ID: 4AEE18F83AFDEB23
11 changed files with 79 additions and 54 deletions

View file

@ -12,3 +12,10 @@ export interface SessionInfo {
canBeExtended: boolean;
provider: AuthenticationProvider;
}
export enum LogoutReason {
'SESSION_EXPIRED' = 'SESSION_EXPIRED',
'AUTHENTICATION_ERROR' = 'AUTHENTICATION_ERROR',
'LOGGED_OUT' = 'LOGGED_OUT',
'UNAUTHENTICATED' = 'UNAUTHENTICATED',
}

View file

@ -5,5 +5,6 @@
* 2.0.
*/
export type { LoginFormProps } from './login_form';
export { LoginForm, LoginFormMessageType } from './login_form';
export { DisabledLoginForm } from './disabled_login_form';

View file

@ -5,4 +5,5 @@
* 2.0.
*/
export type { LoginFormProps } from './login_form';
export { LoginForm, MessageType as LoginFormMessageType } from './login_form';

View file

@ -36,7 +36,7 @@ import type { HttpStart, IHttpFetchError, NotificationsStart } from 'src/core/pu
import type { LoginSelector, LoginSelectorProvider } from '../../../../../common/login_state';
import { LoginValidator } from './validate_login';
interface Props {
export interface LoginFormProps {
http: HttpStart;
notifications: NotificationsStart;
selector: LoginSelector;
@ -78,7 +78,7 @@ export enum PageMode {
LoginHelp,
}
export class LoginForm extends Component<Props, State> {
export class LoginForm extends Component<LoginFormProps, State> {
private readonly validator: LoginValidator;
/**
@ -88,7 +88,7 @@ export class LoginForm extends Component<Props, State> {
*/
private readonly suggestedProvider?: LoginSelectorProvider;
constructor(props: Props) {
constructor(props: LoginFormProps) {
super(props);
this.validator = new LoginValidator({ shouldValidate: false });
@ -513,7 +513,7 @@ export class LoginForm extends Component<Props, State> {
);
window.location.href = location;
} catch (err) {
} catch (err: any) {
this.props.notifications.toasts.addError(
err?.body?.message ? new Error(err?.body?.message) : err,
{

View file

@ -12,7 +12,6 @@ import classNames from 'classnames';
import React, { Component } from 'react';
import ReactDOM from 'react-dom';
import { BehaviorSubject } from 'rxjs';
import { parse } from 'url';
import { i18n } from '@kbn/i18n';
import { FormattedMessage } from '@kbn/i18n/react';
@ -23,6 +22,8 @@ import {
LOGOUT_REASON_QUERY_STRING_PARAMETER,
} from '../../../common/constants';
import type { LoginState } from '../../../common/login_state';
import type { LogoutReason } from '../../../common/types';
import type { LoginFormProps } from './components';
import { DisabledLoginForm, LoginForm, LoginFormMessageType } from './components';
interface Props {
@ -36,36 +37,33 @@ interface State {
loginState: LoginState | null;
}
const messageMap = new Map([
[
'SESSION_EXPIRED',
{
type: LoginFormMessageType.Info,
content: i18n.translate('xpack.security.login.sessionExpiredDescription', {
defaultMessage: 'Your session has timed out. Please log in again.',
}),
},
],
[
'LOGGED_OUT',
{
type: LoginFormMessageType.Info,
content: i18n.translate('xpack.security.login.loggedOutDescription', {
defaultMessage: 'You have logged out of Elastic.',
}),
},
],
[
'UNAUTHENTICATED',
{
type: LoginFormMessageType.Danger,
content: i18n.translate('xpack.security.unauthenticated.errorDescription', {
defaultMessage:
"We hit an authentication error. Please check your credentials and try again. If you still can't log in, contact your system administrator.",
}),
},
],
]);
const loginFormMessages: Record<LogoutReason, NonNullable<LoginFormProps['message']>> = {
SESSION_EXPIRED: {
type: LoginFormMessageType.Info,
content: i18n.translate('xpack.security.login.sessionExpiredDescription', {
defaultMessage: 'Your session has timed out. Please log in again.',
}),
},
AUTHENTICATION_ERROR: {
type: LoginFormMessageType.Info,
content: i18n.translate('xpack.security.login.authenticationErrorDescription', {
defaultMessage: 'An unexpected authentication error occurred. Please log in again.',
}),
},
LOGGED_OUT: {
type: LoginFormMessageType.Info,
content: i18n.translate('xpack.security.login.loggedOutDescription', {
defaultMessage: 'You have logged out of Elastic.',
}),
},
UNAUTHENTICATED: {
type: LoginFormMessageType.Danger,
content: i18n.translate('xpack.security.unauthenticated.errorDescription', {
defaultMessage:
"We hit an authentication error. Please check your credentials and try again. If you still can't log in, contact your system administrator.",
}),
},
};
export class LoginPage extends Component<Props, State> {
state = { loginState: null } as State;
@ -77,7 +75,7 @@ export class LoginPage extends Component<Props, State> {
try {
this.setState({ loginState: await this.props.http.get('/internal/security/login_state') });
} catch (err) {
this.props.fatalErrors.add(err);
this.props.fatalErrors.add(err as Error);
}
loadingCount$.next(0);
@ -235,17 +233,19 @@ export class LoginPage extends Component<Props, State> {
);
}
const query = parse(window.location.href, true).query;
const { searchParams } = new URL(window.location.href);
return (
<LoginForm
http={this.props.http}
notifications={this.props.notifications}
selector={selector}
// @ts-expect-error Map.get is ok with getting `undefined`
message={messageMap.get(query[LOGOUT_REASON_QUERY_STRING_PARAMETER]?.toString())}
message={
loginFormMessages[searchParams.get(LOGOUT_REASON_QUERY_STRING_PARAMETER) as LogoutReason]
}
loginAssistanceMessage={this.props.loginAssistanceMessage}
loginHelp={loginHelp}
authProviderHint={query[AUTH_PROVIDER_HINT_QUERY_STRING_PARAMETER]?.toString()}
authProviderHint={searchParams.get(AUTH_PROVIDER_HINT_QUERY_STRING_PARAMETER) || undefined}
/>
);
};

View file

@ -5,10 +5,12 @@
* 2.0.
*/
import type { ISessionExpired } from './session_expired';
import type { PublicMethodsOf } from '@kbn/utility-types';
import type { SessionExpired } from './session_expired';
export function createSessionExpiredMock() {
return {
logout: jest.fn(),
} as jest.Mocked<ISessionExpired>;
} as jest.Mocked<PublicMethodsOf<SessionExpired>>;
}

View file

@ -5,6 +5,7 @@
* 2.0.
*/
import { LogoutReason } from '../../common/types';
import { SessionExpired } from './session_expired';
describe('#logout', () => {
@ -41,7 +42,7 @@ describe('#logout', () => {
it(`redirects user to the logout URL with 'msg' and 'next' parameters`, async () => {
const sessionExpired = new SessionExpired(LOGOUT_URL, TENANT);
sessionExpired.logout();
sessionExpired.logout(LogoutReason.SESSION_EXPIRED);
const next = `&next=${encodeURIComponent(CURRENT_URL)}`;
await expect(window.location.assign).toHaveBeenCalledWith(
@ -49,12 +50,22 @@ describe('#logout', () => {
);
});
it(`redirects user to the logout URL with custom reason 'msg'`, async () => {
const sessionExpired = new SessionExpired(LOGOUT_URL, TENANT);
sessionExpired.logout(LogoutReason.AUTHENTICATION_ERROR);
const next = `&next=${encodeURIComponent(CURRENT_URL)}`;
await expect(window.location.assign).toHaveBeenCalledWith(
`${LOGOUT_URL}?msg=AUTHENTICATION_ERROR${next}`
);
});
it(`adds 'provider' parameter when sessionStorage contains the provider name for this tenant`, async () => {
const providerName = 'basic';
mockGetItem.mockReturnValueOnce(providerName);
const sessionExpired = new SessionExpired(LOGOUT_URL, TENANT);
sessionExpired.logout();
sessionExpired.logout(LogoutReason.SESSION_EXPIRED);
expect(mockGetItem).toHaveBeenCalledTimes(1);
expect(mockGetItem).toHaveBeenCalledWith(`${TENANT}/session_provider`);

View file

@ -10,10 +10,7 @@ import {
LOGOUT_REASON_QUERY_STRING_PARAMETER,
NEXT_URL_QUERY_STRING_PARAMETER,
} from '../../common/constants';
export interface ISessionExpired {
logout(): void;
}
import type { LogoutReason } from '../../common/types';
const getNextParameter = () => {
const { location } = window;
@ -32,11 +29,11 @@ const getProviderParameter = (tenant: string) => {
export class SessionExpired {
constructor(private logoutUrl: string, private tenant: string) {}
logout() {
logout(reason: LogoutReason) {
const next = getNextParameter();
const provider = getProviderParameter(this.tenant);
window.location.assign(
`${this.logoutUrl}?${LOGOUT_REASON_QUERY_STRING_PARAMETER}=SESSION_EXPIRED${next}${provider}`
`${this.logoutUrl}?${LOGOUT_REASON_QUERY_STRING_PARAMETER}=${reason}${next}${provider}`
);
}
}

View file

@ -24,9 +24,10 @@ import {
SESSION_GRACE_PERIOD_MS,
SESSION_ROUTE,
} from '../../common/constants';
import { LogoutReason } from '../../common/types';
import type { SessionInfo } from '../../common/types';
import { createSessionExpirationToast } from './session_expiration_toast';
import type { ISessionExpired } from './session_expired';
import type { SessionExpired } from './session_expired';
export interface SessionState extends Pick<SessionInfo, 'expiresInMs' | 'canBeExtended'> {
lastExtensionTime: number;
@ -58,7 +59,7 @@ export class SessionTimeout {
constructor(
private notifications: NotificationsSetup,
private sessionExpired: ISessionExpired,
private sessionExpired: Pick<SessionExpired, 'logout'>,
private http: HttpSetup,
private tenant: string
) {}
@ -168,7 +169,10 @@ export class SessionTimeout {
const fetchSessionInMs = showWarningInMs - SESSION_CHECK_MS;
// Schedule logout when session is about to expire
this.stopLogoutTimer = startTimer(() => this.sessionExpired.logout(), logoutInMs);
this.stopLogoutTimer = startTimer(
() => this.sessionExpired.logout(LogoutReason.SESSION_EXPIRED),
logoutInMs
);
// Hide warning if session has been extended
if (showWarningInMs > 0) {

View file

@ -56,6 +56,7 @@ it(`logs out 401 responses`, async () => {
await drainPromiseQueue();
expect(fetchResolved).toBe(false);
expect(fetchRejected).toBe(false);
expect(sessionExpired.logout).toHaveBeenCalledWith('AUTHENTICATION_ERROR');
});
it(`ignores anonymous paths`, async () => {

View file

@ -12,6 +12,7 @@ import type {
IHttpInterceptController,
} from 'src/core/public';
import { LogoutReason } from '../../common/types';
import type { SessionExpired } from './session_expired';
export class UnauthorizedResponseHttpInterceptor implements HttpInterceptor {
@ -39,7 +40,7 @@ export class UnauthorizedResponseHttpInterceptor implements HttpInterceptor {
}
if (response.status === 401) {
this.sessionExpired.logout();
this.sessionExpired.logout(LogoutReason.AUTHENTICATION_ERROR);
controller.halt();
}
}