Merge remote-tracking branch 'soapbox/develop' into ts
This commit is contained in:
commit
9b5c342a27
|
@ -0,0 +1,106 @@
|
||||||
|
import { __stub } from 'soapbox/api';
|
||||||
|
import { mockStore } from 'soapbox/jest/test-helpers';
|
||||||
|
import rootReducer from 'soapbox/reducers';
|
||||||
|
|
||||||
|
import { normalizeAccount } from '../../normalizers';
|
||||||
|
import { changeAccountNoteComment, initAccountNoteModal, submitAccountNote } from '../account-notes';
|
||||||
|
|
||||||
|
describe('submitAccountNote()', () => {
|
||||||
|
let store;
|
||||||
|
|
||||||
|
beforeEach(() => {
|
||||||
|
const state = rootReducer(undefined, {})
|
||||||
|
.set('account_notes', { edit: { account_id: 1, comment: 'hello' } });
|
||||||
|
store = mockStore(state);
|
||||||
|
});
|
||||||
|
|
||||||
|
describe('with a successful API request', () => {
|
||||||
|
beforeEach(() => {
|
||||||
|
__stub((mock) => {
|
||||||
|
mock.onPost('/api/v1/accounts/1/note').reply(200, {});
|
||||||
|
});
|
||||||
|
});
|
||||||
|
|
||||||
|
it('post the note to the API', async() => {
|
||||||
|
const expectedActions = [
|
||||||
|
{ type: 'ACCOUNT_NOTE_SUBMIT_REQUEST' },
|
||||||
|
{ type: 'MODAL_CLOSE', modalType: undefined },
|
||||||
|
{ type: 'ACCOUNT_NOTE_SUBMIT_SUCCESS', relationship: {} },
|
||||||
|
];
|
||||||
|
await store.dispatch(submitAccountNote());
|
||||||
|
const actions = store.getActions();
|
||||||
|
|
||||||
|
expect(actions).toEqual(expectedActions);
|
||||||
|
});
|
||||||
|
});
|
||||||
|
|
||||||
|
describe('with an unsuccessful API request', () => {
|
||||||
|
beforeEach(() => {
|
||||||
|
__stub((mock) => {
|
||||||
|
mock.onPost('/api/v1/accounts/1/note').networkError();
|
||||||
|
});
|
||||||
|
});
|
||||||
|
|
||||||
|
it('should dispatch failed action', async() => {
|
||||||
|
const expectedActions = [
|
||||||
|
{ type: 'ACCOUNT_NOTE_SUBMIT_REQUEST' },
|
||||||
|
{
|
||||||
|
type: 'ACCOUNT_NOTE_SUBMIT_FAIL',
|
||||||
|
error: new Error('Network Error'),
|
||||||
|
},
|
||||||
|
];
|
||||||
|
await store.dispatch(submitAccountNote());
|
||||||
|
const actions = store.getActions();
|
||||||
|
|
||||||
|
expect(actions).toEqual(expectedActions);
|
||||||
|
});
|
||||||
|
});
|
||||||
|
});
|
||||||
|
|
||||||
|
describe('initAccountNoteModal()', () => {
|
||||||
|
let store;
|
||||||
|
|
||||||
|
beforeEach(() => {
|
||||||
|
const state = rootReducer(undefined, {})
|
||||||
|
.set('relationships', { 1: { note: 'hello' } });
|
||||||
|
store = mockStore(state);
|
||||||
|
});
|
||||||
|
|
||||||
|
it('dispatches the proper actions', async() => {
|
||||||
|
const account = normalizeAccount({
|
||||||
|
id: '1',
|
||||||
|
acct: 'justin-username',
|
||||||
|
display_name: 'Justin L',
|
||||||
|
avatar: 'test.jpg',
|
||||||
|
verified: true,
|
||||||
|
});
|
||||||
|
const expectedActions = [
|
||||||
|
{ type: 'ACCOUNT_NOTE_INIT_MODAL', account, comment: 'hello' },
|
||||||
|
{ type: 'MODAL_OPEN', modalType: 'ACCOUNT_NOTE' },
|
||||||
|
];
|
||||||
|
await store.dispatch(initAccountNoteModal(account));
|
||||||
|
const actions = store.getActions();
|
||||||
|
|
||||||
|
expect(actions).toEqual(expectedActions);
|
||||||
|
});
|
||||||
|
});
|
||||||
|
|
||||||
|
describe('changeAccountNoteComment()', () => {
|
||||||
|
let store;
|
||||||
|
|
||||||
|
beforeEach(() => {
|
||||||
|
const state = rootReducer(undefined, {});
|
||||||
|
store = mockStore(state);
|
||||||
|
});
|
||||||
|
|
||||||
|
it('dispatches the proper actions', async() => {
|
||||||
|
const comment = 'hello world';
|
||||||
|
const expectedActions = [
|
||||||
|
{ type: 'ACCOUNT_NOTE_CHANGE_COMMENT', comment },
|
||||||
|
];
|
||||||
|
await store.dispatch(changeAccountNoteComment(comment));
|
||||||
|
const actions = store.getActions();
|
||||||
|
|
||||||
|
expect(actions).toEqual(expectedActions);
|
||||||
|
});
|
||||||
|
});
|
|
@ -0,0 +1,149 @@
|
||||||
|
import { AxiosError } from 'axios';
|
||||||
|
|
||||||
|
import { mockStore } from 'soapbox/jest/test-helpers';
|
||||||
|
import rootReducer from 'soapbox/reducers';
|
||||||
|
|
||||||
|
import { dismissAlert, showAlert, showAlertForError } from '../alerts';
|
||||||
|
|
||||||
|
const buildError = (message: string, status: number) => new AxiosError<any>(message, String(status), null, null, {
|
||||||
|
data: {
|
||||||
|
error: message,
|
||||||
|
},
|
||||||
|
statusText: String(status),
|
||||||
|
status,
|
||||||
|
headers: {},
|
||||||
|
config: {},
|
||||||
|
});
|
||||||
|
|
||||||
|
let store;
|
||||||
|
|
||||||
|
beforeEach(() => {
|
||||||
|
const state = rootReducer(undefined, {});
|
||||||
|
store = mockStore(state);
|
||||||
|
});
|
||||||
|
|
||||||
|
describe('dismissAlert()', () => {
|
||||||
|
it('dispatches the proper actions', async() => {
|
||||||
|
const alert = 'hello world';
|
||||||
|
const expectedActions = [
|
||||||
|
{ type: 'ALERT_DISMISS', alert },
|
||||||
|
];
|
||||||
|
await store.dispatch(dismissAlert(alert));
|
||||||
|
const actions = store.getActions();
|
||||||
|
|
||||||
|
expect(actions).toEqual(expectedActions);
|
||||||
|
});
|
||||||
|
});
|
||||||
|
|
||||||
|
describe('showAlert()', () => {
|
||||||
|
it('dispatches the proper actions', async() => {
|
||||||
|
const title = 'title';
|
||||||
|
const message = 'msg';
|
||||||
|
const severity = 'info';
|
||||||
|
const expectedActions = [
|
||||||
|
{ type: 'ALERT_SHOW', title, message, severity },
|
||||||
|
];
|
||||||
|
await store.dispatch(showAlert(title, message, severity));
|
||||||
|
const actions = store.getActions();
|
||||||
|
|
||||||
|
expect(actions).toEqual(expectedActions);
|
||||||
|
});
|
||||||
|
});
|
||||||
|
|
||||||
|
describe('showAlert()', () => {
|
||||||
|
describe('with a 502 status code', () => {
|
||||||
|
it('dispatches the proper actions', async() => {
|
||||||
|
const message = 'The server is down';
|
||||||
|
const error = buildError(message, 502);
|
||||||
|
|
||||||
|
const expectedActions = [
|
||||||
|
{ type: 'ALERT_SHOW', title: '', message, severity: 'error' },
|
||||||
|
];
|
||||||
|
await store.dispatch(showAlertForError(error));
|
||||||
|
const actions = store.getActions();
|
||||||
|
|
||||||
|
expect(actions).toEqual(expectedActions);
|
||||||
|
});
|
||||||
|
});
|
||||||
|
|
||||||
|
describe('with a 404 status code', () => {
|
||||||
|
it('dispatches the proper actions', async() => {
|
||||||
|
const error = buildError('', 404);
|
||||||
|
|
||||||
|
const expectedActions = [];
|
||||||
|
await store.dispatch(showAlertForError(error));
|
||||||
|
const actions = store.getActions();
|
||||||
|
|
||||||
|
expect(actions).toEqual(expectedActions);
|
||||||
|
});
|
||||||
|
});
|
||||||
|
|
||||||
|
describe('with a 410 status code', () => {
|
||||||
|
it('dispatches the proper actions', async() => {
|
||||||
|
const error = buildError('', 410);
|
||||||
|
|
||||||
|
const expectedActions = [];
|
||||||
|
await store.dispatch(showAlertForError(error));
|
||||||
|
const actions = store.getActions();
|
||||||
|
|
||||||
|
expect(actions).toEqual(expectedActions);
|
||||||
|
});
|
||||||
|
});
|
||||||
|
|
||||||
|
describe('with an accepted status code', () => {
|
||||||
|
describe('with a message from the server', () => {
|
||||||
|
it('dispatches the proper actions', async() => {
|
||||||
|
const message = 'custom message';
|
||||||
|
const error = buildError(message, 200);
|
||||||
|
|
||||||
|
const expectedActions = [
|
||||||
|
{ type: 'ALERT_SHOW', title: '', message, severity: 'error' },
|
||||||
|
];
|
||||||
|
await store.dispatch(showAlertForError(error));
|
||||||
|
const actions = store.getActions();
|
||||||
|
|
||||||
|
expect(actions).toEqual(expectedActions);
|
||||||
|
});
|
||||||
|
});
|
||||||
|
|
||||||
|
describe('without a message from the server', () => {
|
||||||
|
it('dispatches the proper actions', async() => {
|
||||||
|
const message = 'The request has been accepted for processing';
|
||||||
|
const error = buildError(message, 202);
|
||||||
|
|
||||||
|
const expectedActions = [
|
||||||
|
{ type: 'ALERT_SHOW', title: '', message, severity: 'error' },
|
||||||
|
];
|
||||||
|
await store.dispatch(showAlertForError(error));
|
||||||
|
const actions = store.getActions();
|
||||||
|
|
||||||
|
expect(actions).toEqual(expectedActions);
|
||||||
|
});
|
||||||
|
});
|
||||||
|
});
|
||||||
|
|
||||||
|
describe('without a response', () => {
|
||||||
|
it('dispatches the proper actions', async() => {
|
||||||
|
const error = new AxiosError();
|
||||||
|
|
||||||
|
const expectedActions = [
|
||||||
|
{
|
||||||
|
type: 'ALERT_SHOW',
|
||||||
|
title: {
|
||||||
|
defaultMessage: 'Oops!',
|
||||||
|
id: 'alert.unexpected.title',
|
||||||
|
},
|
||||||
|
message: {
|
||||||
|
defaultMessage: 'An unexpected error occurred.',
|
||||||
|
id: 'alert.unexpected.message',
|
||||||
|
},
|
||||||
|
severity: 'error',
|
||||||
|
},
|
||||||
|
];
|
||||||
|
await store.dispatch(showAlertForError(error));
|
||||||
|
const actions = store.getActions();
|
||||||
|
|
||||||
|
expect(actions).toEqual(expectedActions);
|
||||||
|
});
|
||||||
|
});
|
||||||
|
});
|
|
@ -1,19 +0,0 @@
|
||||||
import { staticClient } from '../api';
|
|
||||||
|
|
||||||
export const FETCH_ABOUT_PAGE_REQUEST = 'FETCH_ABOUT_PAGE_REQUEST';
|
|
||||||
export const FETCH_ABOUT_PAGE_SUCCESS = 'FETCH_ABOUT_PAGE_SUCCESS';
|
|
||||||
export const FETCH_ABOUT_PAGE_FAIL = 'FETCH_ABOUT_PAGE_FAIL';
|
|
||||||
|
|
||||||
export function fetchAboutPage(slug = 'index', locale) {
|
|
||||||
return (dispatch, getState) => {
|
|
||||||
dispatch({ type: FETCH_ABOUT_PAGE_REQUEST, slug, locale });
|
|
||||||
const filename = `${slug}${locale ? `.${locale}` : ''}.html`;
|
|
||||||
return staticClient.get(`/instance/about/${filename}`).then(({ data: html }) => {
|
|
||||||
dispatch({ type: FETCH_ABOUT_PAGE_SUCCESS, slug, locale, html });
|
|
||||||
return html;
|
|
||||||
}).catch(error => {
|
|
||||||
dispatch({ type: FETCH_ABOUT_PAGE_FAIL, slug, locale, error });
|
|
||||||
throw error;
|
|
||||||
});
|
|
||||||
};
|
|
||||||
}
|
|
|
@ -0,0 +1,29 @@
|
||||||
|
import { AnyAction } from 'redux';
|
||||||
|
|
||||||
|
import { staticClient } from '../api';
|
||||||
|
|
||||||
|
const FETCH_ABOUT_PAGE_REQUEST = 'FETCH_ABOUT_PAGE_REQUEST';
|
||||||
|
const FETCH_ABOUT_PAGE_SUCCESS = 'FETCH_ABOUT_PAGE_SUCCESS';
|
||||||
|
const FETCH_ABOUT_PAGE_FAIL = 'FETCH_ABOUT_PAGE_FAIL';
|
||||||
|
|
||||||
|
const fetchAboutPage = (slug = 'index', locale?: string) => (dispatch: React.Dispatch<AnyAction>, getState: any) => {
|
||||||
|
dispatch({ type: FETCH_ABOUT_PAGE_REQUEST, slug, locale });
|
||||||
|
|
||||||
|
const filename = `${slug}${locale ? `.${locale}` : ''}.html`;
|
||||||
|
return staticClient.get(`/instance/about/${filename}`)
|
||||||
|
.then(({ data: html }) => {
|
||||||
|
dispatch({ type: FETCH_ABOUT_PAGE_SUCCESS, slug, locale, html });
|
||||||
|
return html;
|
||||||
|
})
|
||||||
|
.catch(error => {
|
||||||
|
dispatch({ type: FETCH_ABOUT_PAGE_FAIL, slug, locale, error });
|
||||||
|
throw error;
|
||||||
|
});
|
||||||
|
};
|
||||||
|
|
||||||
|
export {
|
||||||
|
fetchAboutPage,
|
||||||
|
FETCH_ABOUT_PAGE_REQUEST,
|
||||||
|
FETCH_ABOUT_PAGE_SUCCESS,
|
||||||
|
FETCH_ABOUT_PAGE_FAIL,
|
||||||
|
};
|
|
@ -0,0 +1,82 @@
|
||||||
|
import { AxiosError } from 'axios';
|
||||||
|
import { AnyAction } from 'redux';
|
||||||
|
|
||||||
|
import api from '../api';
|
||||||
|
|
||||||
|
import { openModal, closeModal } from './modals';
|
||||||
|
|
||||||
|
import type { Account } from 'soapbox/types/entities';
|
||||||
|
|
||||||
|
const ACCOUNT_NOTE_SUBMIT_REQUEST = 'ACCOUNT_NOTE_SUBMIT_REQUEST';
|
||||||
|
const ACCOUNT_NOTE_SUBMIT_SUCCESS = 'ACCOUNT_NOTE_SUBMIT_SUCCESS';
|
||||||
|
const ACCOUNT_NOTE_SUBMIT_FAIL = 'ACCOUNT_NOTE_SUBMIT_FAIL';
|
||||||
|
|
||||||
|
const ACCOUNT_NOTE_INIT_MODAL = 'ACCOUNT_NOTE_INIT_MODAL';
|
||||||
|
|
||||||
|
const ACCOUNT_NOTE_CHANGE_COMMENT = 'ACCOUNT_NOTE_CHANGE_COMMENT';
|
||||||
|
|
||||||
|
const submitAccountNote = () => (dispatch: React.Dispatch<AnyAction>, getState: any) => {
|
||||||
|
dispatch(submitAccountNoteRequest());
|
||||||
|
|
||||||
|
const id = getState().getIn(['account_notes', 'edit', 'account_id']);
|
||||||
|
|
||||||
|
return api(getState)
|
||||||
|
.post(`/api/v1/accounts/${id}/note`, {
|
||||||
|
comment: getState().getIn(['account_notes', 'edit', 'comment']),
|
||||||
|
})
|
||||||
|
.then(response => {
|
||||||
|
dispatch(closeModal());
|
||||||
|
dispatch(submitAccountNoteSuccess(response.data));
|
||||||
|
})
|
||||||
|
.catch(error => dispatch(submitAccountNoteFail(error)));
|
||||||
|
};
|
||||||
|
|
||||||
|
function submitAccountNoteRequest() {
|
||||||
|
return {
|
||||||
|
type: ACCOUNT_NOTE_SUBMIT_REQUEST,
|
||||||
|
};
|
||||||
|
}
|
||||||
|
|
||||||
|
function submitAccountNoteSuccess(relationship: any) {
|
||||||
|
return {
|
||||||
|
type: ACCOUNT_NOTE_SUBMIT_SUCCESS,
|
||||||
|
relationship,
|
||||||
|
};
|
||||||
|
}
|
||||||
|
|
||||||
|
function submitAccountNoteFail(error: AxiosError) {
|
||||||
|
return {
|
||||||
|
type: ACCOUNT_NOTE_SUBMIT_FAIL,
|
||||||
|
error,
|
||||||
|
};
|
||||||
|
}
|
||||||
|
|
||||||
|
const initAccountNoteModal = (account: Account) => (dispatch: React.Dispatch<AnyAction>, getState: any) => {
|
||||||
|
const comment = getState().getIn(['relationships', account.get('id'), 'note']);
|
||||||
|
|
||||||
|
dispatch({
|
||||||
|
type: ACCOUNT_NOTE_INIT_MODAL,
|
||||||
|
account,
|
||||||
|
comment,
|
||||||
|
});
|
||||||
|
|
||||||
|
dispatch(openModal('ACCOUNT_NOTE'));
|
||||||
|
};
|
||||||
|
|
||||||
|
function changeAccountNoteComment(comment: string) {
|
||||||
|
return {
|
||||||
|
type: ACCOUNT_NOTE_CHANGE_COMMENT,
|
||||||
|
comment,
|
||||||
|
};
|
||||||
|
}
|
||||||
|
|
||||||
|
export {
|
||||||
|
submitAccountNote,
|
||||||
|
initAccountNoteModal,
|
||||||
|
changeAccountNoteComment,
|
||||||
|
ACCOUNT_NOTE_SUBMIT_REQUEST,
|
||||||
|
ACCOUNT_NOTE_SUBMIT_SUCCESS,
|
||||||
|
ACCOUNT_NOTE_SUBMIT_FAIL,
|
||||||
|
ACCOUNT_NOTE_INIT_MODAL,
|
||||||
|
ACCOUNT_NOTE_CHANGE_COMMENT,
|
||||||
|
};
|
|
@ -1,67 +0,0 @@
|
||||||
import api from '../api';
|
|
||||||
|
|
||||||
import { openModal, closeModal } from './modals';
|
|
||||||
|
|
||||||
export const ACCOUNT_NOTE_SUBMIT_REQUEST = 'ACCOUNT_NOTE_SUBMIT_REQUEST';
|
|
||||||
export const ACCOUNT_NOTE_SUBMIT_SUCCESS = 'ACCOUNT_NOTE_SUBMIT_SUCCESS';
|
|
||||||
export const ACCOUNT_NOTE_SUBMIT_FAIL = 'ACCOUNT_NOTE_SUBMIT_FAIL';
|
|
||||||
|
|
||||||
export const ACCOUNT_NOTE_INIT_MODAL = 'ACCOUNT_NOTE_INIT_MODAL';
|
|
||||||
|
|
||||||
export const ACCOUNT_NOTE_CHANGE_COMMENT = 'ACCOUNT_NOTE_CHANGE_COMMENT';
|
|
||||||
|
|
||||||
export function submitAccountNote() {
|
|
||||||
return (dispatch, getState) => {
|
|
||||||
dispatch(submitAccountNoteRequest());
|
|
||||||
|
|
||||||
const id = getState().getIn(['account_notes', 'edit', 'account_id']);
|
|
||||||
|
|
||||||
api(getState).post(`/api/v1/accounts/${id}/note`, {
|
|
||||||
comment: getState().getIn(['account_notes', 'edit', 'comment']),
|
|
||||||
}).then(response => {
|
|
||||||
dispatch(closeModal());
|
|
||||||
dispatch(submitAccountNoteSuccess(response.data));
|
|
||||||
}).catch(error => dispatch(submitAccountNoteFail(error)));
|
|
||||||
};
|
|
||||||
}
|
|
||||||
|
|
||||||
export function submitAccountNoteRequest() {
|
|
||||||
return {
|
|
||||||
type: ACCOUNT_NOTE_SUBMIT_REQUEST,
|
|
||||||
};
|
|
||||||
}
|
|
||||||
|
|
||||||
export function submitAccountNoteSuccess(relationship) {
|
|
||||||
return {
|
|
||||||
type: ACCOUNT_NOTE_SUBMIT_SUCCESS,
|
|
||||||
relationship,
|
|
||||||
};
|
|
||||||
}
|
|
||||||
|
|
||||||
export function submitAccountNoteFail(error) {
|
|
||||||
return {
|
|
||||||
type: ACCOUNT_NOTE_SUBMIT_FAIL,
|
|
||||||
error,
|
|
||||||
};
|
|
||||||
}
|
|
||||||
|
|
||||||
export function initAccountNoteModal(account) {
|
|
||||||
return (dispatch, getState) => {
|
|
||||||
const comment = getState().getIn(['relationships', account.get('id'), 'note']);
|
|
||||||
|
|
||||||
dispatch({
|
|
||||||
type: ACCOUNT_NOTE_INIT_MODAL,
|
|
||||||
account,
|
|
||||||
comment,
|
|
||||||
});
|
|
||||||
|
|
||||||
dispatch(openModal('ACCOUNT_NOTE'));
|
|
||||||
};
|
|
||||||
}
|
|
||||||
|
|
||||||
export function changeAccountNoteComment(comment) {
|
|
||||||
return {
|
|
||||||
type: ACCOUNT_NOTE_CHANGE_COMMENT,
|
|
||||||
comment,
|
|
||||||
};
|
|
||||||
}
|
|
|
@ -1,68 +0,0 @@
|
||||||
import { defineMessages } from 'react-intl';
|
|
||||||
|
|
||||||
import { httpErrorMessages } from 'soapbox/utils/errors';
|
|
||||||
|
|
||||||
const messages = defineMessages({
|
|
||||||
unexpectedTitle: { id: 'alert.unexpected.title', defaultMessage: 'Oops!' },
|
|
||||||
unexpectedMessage: { id: 'alert.unexpected.message', defaultMessage: 'An unexpected error occurred.' },
|
|
||||||
});
|
|
||||||
|
|
||||||
export const ALERT_SHOW = 'ALERT_SHOW';
|
|
||||||
export const ALERT_DISMISS = 'ALERT_DISMISS';
|
|
||||||
export const ALERT_CLEAR = 'ALERT_CLEAR';
|
|
||||||
|
|
||||||
const noOp = () => {};
|
|
||||||
|
|
||||||
export function dismissAlert(alert) {
|
|
||||||
return {
|
|
||||||
type: ALERT_DISMISS,
|
|
||||||
alert,
|
|
||||||
};
|
|
||||||
}
|
|
||||||
|
|
||||||
export function clearAlert() {
|
|
||||||
return {
|
|
||||||
type: ALERT_CLEAR,
|
|
||||||
};
|
|
||||||
}
|
|
||||||
|
|
||||||
export function showAlert(title = messages.unexpectedTitle, message = messages.unexpectedMessage, severity = 'info') {
|
|
||||||
return {
|
|
||||||
type: ALERT_SHOW,
|
|
||||||
title,
|
|
||||||
message,
|
|
||||||
severity,
|
|
||||||
};
|
|
||||||
}
|
|
||||||
|
|
||||||
export function showAlertForError(error) {
|
|
||||||
return (dispatch, _getState) => {
|
|
||||||
if (error.response) {
|
|
||||||
const { data, status, statusText } = error.response;
|
|
||||||
|
|
||||||
if (status === 502) {
|
|
||||||
return dispatch(showAlert('', 'The server is down', 'error'));
|
|
||||||
}
|
|
||||||
|
|
||||||
if (status === 404 || status === 410) {
|
|
||||||
// Skip these errors as they are reflected in the UI
|
|
||||||
return dispatch(noOp);
|
|
||||||
}
|
|
||||||
|
|
||||||
let message = statusText;
|
|
||||||
|
|
||||||
if (data.error) {
|
|
||||||
message = data.error;
|
|
||||||
}
|
|
||||||
|
|
||||||
if (!message) {
|
|
||||||
message = httpErrorMessages.find((httpError) => httpError.code === status)?.description;
|
|
||||||
}
|
|
||||||
|
|
||||||
return dispatch(showAlert('', message, 'error'));
|
|
||||||
} else {
|
|
||||||
console.error(error);
|
|
||||||
return dispatch(showAlert(undefined, undefined, 'error'));
|
|
||||||
}
|
|
||||||
};
|
|
||||||
}
|
|
|
@ -0,0 +1,74 @@
|
||||||
|
import { AnyAction } from '@reduxjs/toolkit';
|
||||||
|
import { AxiosError } from 'axios';
|
||||||
|
import { defineMessages, MessageDescriptor } from 'react-intl';
|
||||||
|
|
||||||
|
import { httpErrorMessages } from 'soapbox/utils/errors';
|
||||||
|
|
||||||
|
import { SnackbarActionSeverity } from './snackbar';
|
||||||
|
|
||||||
|
const messages = defineMessages({
|
||||||
|
unexpectedTitle: { id: 'alert.unexpected.title', defaultMessage: 'Oops!' },
|
||||||
|
unexpectedMessage: { id: 'alert.unexpected.message', defaultMessage: 'An unexpected error occurred.' },
|
||||||
|
});
|
||||||
|
|
||||||
|
export const ALERT_SHOW = 'ALERT_SHOW';
|
||||||
|
export const ALERT_DISMISS = 'ALERT_DISMISS';
|
||||||
|
export const ALERT_CLEAR = 'ALERT_CLEAR';
|
||||||
|
|
||||||
|
const noOp = () => { };
|
||||||
|
|
||||||
|
function dismissAlert(alert: any) {
|
||||||
|
return {
|
||||||
|
type: ALERT_DISMISS,
|
||||||
|
alert,
|
||||||
|
};
|
||||||
|
}
|
||||||
|
|
||||||
|
function showAlert(
|
||||||
|
title: MessageDescriptor | string = messages.unexpectedTitle,
|
||||||
|
message: MessageDescriptor | string = messages.unexpectedMessage,
|
||||||
|
severity: SnackbarActionSeverity = 'info',
|
||||||
|
) {
|
||||||
|
return {
|
||||||
|
type: ALERT_SHOW,
|
||||||
|
title,
|
||||||
|
message,
|
||||||
|
severity,
|
||||||
|
};
|
||||||
|
}
|
||||||
|
|
||||||
|
const showAlertForError = (error: AxiosError<any>) => (dispatch: React.Dispatch<AnyAction>, _getState: any) => {
|
||||||
|
if (error.response) {
|
||||||
|
const { data, status, statusText } = error.response;
|
||||||
|
|
||||||
|
if (status === 502) {
|
||||||
|
return dispatch(showAlert('', 'The server is down', 'error'));
|
||||||
|
}
|
||||||
|
|
||||||
|
if (status === 404 || status === 410) {
|
||||||
|
// Skip these errors as they are reflected in the UI
|
||||||
|
return dispatch(noOp as any);
|
||||||
|
}
|
||||||
|
|
||||||
|
let message: string | undefined = statusText;
|
||||||
|
|
||||||
|
if (data.error) {
|
||||||
|
message = data.error;
|
||||||
|
}
|
||||||
|
|
||||||
|
if (!message) {
|
||||||
|
message = httpErrorMessages.find((httpError) => httpError.code === status)?.description;
|
||||||
|
}
|
||||||
|
|
||||||
|
return dispatch(showAlert('', message, 'error'));
|
||||||
|
} else {
|
||||||
|
console.error(error);
|
||||||
|
return dispatch(showAlert(undefined, undefined, 'error'));
|
||||||
|
}
|
||||||
|
};
|
||||||
|
|
||||||
|
export {
|
||||||
|
dismissAlert,
|
||||||
|
showAlert,
|
||||||
|
showAlertForError,
|
||||||
|
};
|
|
@ -11,7 +11,7 @@ export function openModal(type: string, props?: any) {
|
||||||
}
|
}
|
||||||
|
|
||||||
/** Close the modal */
|
/** Close the modal */
|
||||||
export function closeModal(type: string) {
|
export function closeModal(type?: string) {
|
||||||
return {
|
return {
|
||||||
type: MODAL_CLOSE,
|
type: MODAL_CLOSE,
|
||||||
modalType: type,
|
modalType: type,
|
||||||
|
|
|
@ -2,7 +2,7 @@ import { ALERT_SHOW } from './alerts';
|
||||||
|
|
||||||
import type { MessageDescriptor } from 'react-intl';
|
import type { MessageDescriptor } from 'react-intl';
|
||||||
|
|
||||||
type SnackbarActionSeverity = 'info' | 'success' | 'error'
|
export type SnackbarActionSeverity = 'info' | 'success' | 'error'
|
||||||
|
|
||||||
type SnackbarMessage = string | MessageDescriptor
|
type SnackbarMessage = string | MessageDescriptor
|
||||||
|
|
||||||
|
|
|
@ -1,13 +1,10 @@
|
||||||
import PropTypes from 'prop-types';
|
import React, { useMemo } from 'react';
|
||||||
import React from 'react';
|
import { defineMessages, useIntl } from 'react-intl';
|
||||||
import ImmutablePureComponent from 'react-immutable-pure-component';
|
|
||||||
import { defineMessages, injectIntl } from 'react-intl';
|
|
||||||
import { connect } from 'react-redux';
|
|
||||||
|
|
||||||
import IconButton from 'soapbox/components/icon_button';
|
import IconButton from 'soapbox/components/icon_button';
|
||||||
import BundleContainer from 'soapbox/features/ui/containers/bundle_container';
|
import BundleContainer from 'soapbox/features/ui/containers/bundle_container';
|
||||||
import { DatePicker } from 'soapbox/features/ui/util/async-components';
|
import { DatePicker } from 'soapbox/features/ui/util/async-components';
|
||||||
import { getFeatures } from 'soapbox/utils/features';
|
import { useAppSelector, useFeatures } from 'soapbox/hooks';
|
||||||
|
|
||||||
const messages = defineMessages({
|
const messages = defineMessages({
|
||||||
birthdayPlaceholder: { id: 'edit_profile.fields.birthday_placeholder', defaultMessage: 'Your birthday' },
|
birthdayPlaceholder: { id: 'edit_profile.fields.birthday_placeholder', defaultMessage: 'Your birthday' },
|
||||||
|
@ -17,29 +14,37 @@ const messages = defineMessages({
|
||||||
nextYear: { id: 'datepicker.next_year', defaultMessage: 'Next year' },
|
nextYear: { id: 'datepicker.next_year', defaultMessage: 'Next year' },
|
||||||
});
|
});
|
||||||
|
|
||||||
const mapStateToProps = state => {
|
interface IBirthdayInput {
|
||||||
const features = getFeatures(state.get('instance'));
|
value?: string,
|
||||||
|
onChange: (value: string) => void,
|
||||||
|
required?: boolean,
|
||||||
|
}
|
||||||
|
|
||||||
return {
|
const BirthdayInput: React.FC<IBirthdayInput> = ({ value, onChange, required }) => {
|
||||||
supportsBirthdays: features.birthdays,
|
const intl = useIntl();
|
||||||
minAge: state.getIn(['instance', 'pleroma', 'metadata', 'birthday_min_age']),
|
const features = useFeatures();
|
||||||
};
|
|
||||||
};
|
|
||||||
|
|
||||||
export default @connect(mapStateToProps)
|
const supportsBirthdays = features.birthdays;
|
||||||
@injectIntl
|
const minAge = useAppSelector((state) => state.instance.getIn(['pleroma', 'metadata', 'birthday_min_age'])) as number;
|
||||||
class BirthdayInput extends ImmutablePureComponent {
|
|
||||||
|
|
||||||
static propTypes = {
|
const maxDate = useMemo(() => {
|
||||||
hint: PropTypes.node,
|
if (!supportsBirthdays) return null;
|
||||||
required: PropTypes.bool,
|
|
||||||
supportsBirthdays: PropTypes.bool,
|
|
||||||
minAge: PropTypes.number,
|
|
||||||
onChange: PropTypes.func.isRequired,
|
|
||||||
value: PropTypes.instanceOf(Date),
|
|
||||||
};
|
|
||||||
|
|
||||||
renderHeader = ({
|
let maxDate = new Date();
|
||||||
|
maxDate = new Date(maxDate.getTime() - minAge * 1000 * 60 * 60 * 24 + maxDate.getTimezoneOffset() * 1000 * 60);
|
||||||
|
return maxDate;
|
||||||
|
}, [minAge]);
|
||||||
|
|
||||||
|
const selected = useMemo(() => {
|
||||||
|
if (!supportsBirthdays || !value) return null;
|
||||||
|
|
||||||
|
const date = new Date(value);
|
||||||
|
return new Date(date.getTime() + (date.getTimezoneOffset() * 60000));
|
||||||
|
}, [value]);
|
||||||
|
|
||||||
|
if (!supportsBirthdays) return null;
|
||||||
|
|
||||||
|
const renderCustomHeader = ({
|
||||||
decreaseMonth,
|
decreaseMonth,
|
||||||
increaseMonth,
|
increaseMonth,
|
||||||
prevMonthButtonDisabled,
|
prevMonthButtonDisabled,
|
||||||
|
@ -49,12 +54,20 @@ class BirthdayInput extends ImmutablePureComponent {
|
||||||
prevYearButtonDisabled,
|
prevYearButtonDisabled,
|
||||||
nextYearButtonDisabled,
|
nextYearButtonDisabled,
|
||||||
date,
|
date,
|
||||||
|
}: {
|
||||||
|
decreaseMonth(): void,
|
||||||
|
increaseMonth(): void,
|
||||||
|
prevMonthButtonDisabled: boolean,
|
||||||
|
nextMonthButtonDisabled: boolean,
|
||||||
|
decreaseYear(): void,
|
||||||
|
increaseYear(): void,
|
||||||
|
prevYearButtonDisabled: boolean,
|
||||||
|
nextYearButtonDisabled: boolean,
|
||||||
|
date: Date,
|
||||||
}) => {
|
}) => {
|
||||||
const { intl } = this.props;
|
|
||||||
|
|
||||||
return (
|
return (
|
||||||
<div className='datepicker__header'>
|
<div className='flex flex-col gap-2'>
|
||||||
<div className='datepicker__months'>
|
<div className='flex items-center justify-between'>
|
||||||
<IconButton
|
<IconButton
|
||||||
className='datepicker__button'
|
className='datepicker__button'
|
||||||
src={require('@tabler/icons/icons/chevron-left.svg')}
|
src={require('@tabler/icons/icons/chevron-left.svg')}
|
||||||
|
@ -73,7 +86,7 @@ class BirthdayInput extends ImmutablePureComponent {
|
||||||
title={intl.formatMessage(messages.nextMonth)}
|
title={intl.formatMessage(messages.nextMonth)}
|
||||||
/>
|
/>
|
||||||
</div>
|
</div>
|
||||||
<div className='datepicker__years'>
|
<div className='flex items-center justify-between'>
|
||||||
<IconButton
|
<IconButton
|
||||||
className='datepicker__button'
|
className='datepicker__button'
|
||||||
src={require('@tabler/icons/icons/chevron-left.svg')}
|
src={require('@tabler/icons/icons/chevron-left.svg')}
|
||||||
|
@ -94,39 +107,26 @@ class BirthdayInput extends ImmutablePureComponent {
|
||||||
</div>
|
</div>
|
||||||
</div>
|
</div>
|
||||||
);
|
);
|
||||||
}
|
};
|
||||||
|
|
||||||
render() {
|
const handleChange = (date: Date) => onChange(new Date(date.getTime() - (date.getTimezoneOffset() * 60000)).toISOString().slice(0, 10));
|
||||||
const { intl, value, onChange, supportsBirthdays, hint, required, minAge } = this.props;
|
|
||||||
|
|
||||||
if (!supportsBirthdays) return null;
|
return (
|
||||||
|
<div className='mt-1 relative rounded-md shadow-sm'>
|
||||||
|
<BundleContainer fetchComponent={DatePicker}>
|
||||||
|
{Component => (<Component
|
||||||
|
selected={selected}
|
||||||
|
wrapperClassName='react-datepicker-wrapper'
|
||||||
|
onChange={handleChange}
|
||||||
|
placeholderText={intl.formatMessage(messages.birthdayPlaceholder)}
|
||||||
|
minDate={new Date('1900-01-01')}
|
||||||
|
maxDate={maxDate}
|
||||||
|
required={required}
|
||||||
|
renderCustomHeader={renderCustomHeader}
|
||||||
|
/>)}
|
||||||
|
</BundleContainer>
|
||||||
|
</div>
|
||||||
|
);
|
||||||
|
};
|
||||||
|
|
||||||
let maxDate = new Date();
|
export default BirthdayInput;
|
||||||
maxDate = new Date(maxDate.getTime() - minAge * 1000 * 60 * 60 * 24 + maxDate.getTimezoneOffset() * 1000 * 60);
|
|
||||||
|
|
||||||
return (
|
|
||||||
<div className='datepicker'>
|
|
||||||
{hint && (
|
|
||||||
<div className='datepicker__hint'>
|
|
||||||
{hint}
|
|
||||||
</div>
|
|
||||||
)}
|
|
||||||
<div className='datepicker__input'>
|
|
||||||
<BundleContainer fetchComponent={DatePicker}>
|
|
||||||
{Component => (<Component
|
|
||||||
selected={value}
|
|
||||||
wrapperClassName='react-datepicker-wrapper'
|
|
||||||
onChange={onChange}
|
|
||||||
placeholderText={intl.formatMessage(messages.birthdayPlaceholder)}
|
|
||||||
minDate={new Date('1900-01-01')}
|
|
||||||
maxDate={maxDate}
|
|
||||||
required={required}
|
|
||||||
renderCustomHeader={this.renderHeader}
|
|
||||||
/>)}
|
|
||||||
</BundleContainer>
|
|
||||||
</div>
|
|
||||||
</div>
|
|
||||||
);
|
|
||||||
}
|
|
||||||
|
|
||||||
}
|
|
|
@ -2,7 +2,7 @@ import React from 'react';
|
||||||
import { defineMessages, injectIntl, FormattedMessage } from 'react-intl';
|
import { defineMessages, injectIntl, FormattedMessage } from 'react-intl';
|
||||||
import { connect } from 'react-redux';
|
import { connect } from 'react-redux';
|
||||||
|
|
||||||
import { initAccountNoteModal } from 'soapbox/actions/account_notes';
|
import { initAccountNoteModal } from 'soapbox/actions/account-notes';
|
||||||
import {
|
import {
|
||||||
followAccount,
|
followAccount,
|
||||||
unfollowAccount,
|
unfollowAccount,
|
||||||
|
|
|
@ -58,7 +58,6 @@ const RegistrationForm: React.FC<IRegistrationForm> = ({ inviteToken }) => {
|
||||||
const [usernameUnavailable, setUsernameUnavailable] = useState(false);
|
const [usernameUnavailable, setUsernameUnavailable] = useState(false);
|
||||||
const [passwordConfirmation, setPasswordConfirmation] = useState('');
|
const [passwordConfirmation, setPasswordConfirmation] = useState('');
|
||||||
const [passwordMismatch, setPasswordMismatch] = useState(false);
|
const [passwordMismatch, setPasswordMismatch] = useState(false);
|
||||||
const [birthday, setBirthday] = useState<Date | undefined>(undefined);
|
|
||||||
|
|
||||||
const source = useRef(axios.CancelToken.source());
|
const source = useRef(axios.CancelToken.source());
|
||||||
|
|
||||||
|
@ -111,8 +110,8 @@ const RegistrationForm: React.FC<IRegistrationForm> = ({ inviteToken }) => {
|
||||||
setPasswordMismatch(!passwordsMatch());
|
setPasswordMismatch(!passwordsMatch());
|
||||||
};
|
};
|
||||||
|
|
||||||
const onBirthdayChange = (newBirthday: Date) => {
|
const onBirthdayChange = (birthday: string) => {
|
||||||
setBirthday(newBirthday);
|
updateParams({ birthday });
|
||||||
};
|
};
|
||||||
|
|
||||||
const launchModal = () => {
|
const launchModal = () => {
|
||||||
|
@ -187,10 +186,6 @@ const RegistrationForm: React.FC<IRegistrationForm> = ({ inviteToken }) => {
|
||||||
if (inviteToken) {
|
if (inviteToken) {
|
||||||
params.set('token', inviteToken);
|
params.set('token', inviteToken);
|
||||||
}
|
}
|
||||||
|
|
||||||
if (birthday) {
|
|
||||||
params.set('birthday', new Date(birthday.getTime() - (birthday.getTimezoneOffset() * 60000)).toISOString().slice(0, 10));
|
|
||||||
}
|
|
||||||
});
|
});
|
||||||
|
|
||||||
setSubmissionLoading(true);
|
setSubmissionLoading(true);
|
||||||
|
@ -291,7 +286,7 @@ const RegistrationForm: React.FC<IRegistrationForm> = ({ inviteToken }) => {
|
||||||
|
|
||||||
{birthdayRequired && (
|
{birthdayRequired && (
|
||||||
<BirthdayInput
|
<BirthdayInput
|
||||||
value={birthday}
|
value={params.get('birthday')}
|
||||||
onChange={onBirthdayChange}
|
onChange={onBirthdayChange}
|
||||||
required
|
required
|
||||||
/>
|
/>
|
||||||
|
|
|
@ -12,8 +12,8 @@ import { createSelector } from 'reselect';
|
||||||
import { openChat, launchChat, toggleMainWindow } from 'soapbox/actions/chats';
|
import { openChat, launchChat, toggleMainWindow } from 'soapbox/actions/chats';
|
||||||
import { getSettings } from 'soapbox/actions/settings';
|
import { getSettings } from 'soapbox/actions/settings';
|
||||||
import AccountSearch from 'soapbox/components/account_search';
|
import AccountSearch from 'soapbox/components/account_search';
|
||||||
|
import { Counter } from 'soapbox/components/ui';
|
||||||
import AudioToggle from 'soapbox/features/chats/components/audio_toggle';
|
import AudioToggle from 'soapbox/features/chats/components/audio_toggle';
|
||||||
import { shortNumberFormat } from 'soapbox/utils/numbers';
|
|
||||||
|
|
||||||
import ChatList from './chat_list';
|
import ChatList from './chat_list';
|
||||||
import ChatWindow from './chat_window';
|
import ChatWindow from './chat_window';
|
||||||
|
@ -83,7 +83,11 @@ class ChatPanes extends ImmutablePureComponent {
|
||||||
const mainWindowPane = (
|
const mainWindowPane = (
|
||||||
<div className={`pane pane--main pane--${mainWindowState}`}>
|
<div className={`pane pane--main pane--${mainWindowState}`}>
|
||||||
<div className='pane__header'>
|
<div className='pane__header'>
|
||||||
{unreadCount > 0 && <i className='icon-with-badge__badge'>{shortNumberFormat(unreadCount)}</i>}
|
{unreadCount > 0 && (
|
||||||
|
<div className='mr-2 flex-none'>
|
||||||
|
<Counter count={unreadCount} />
|
||||||
|
</div>
|
||||||
|
)}
|
||||||
<button className='pane__title' onClick={this.handleMainWindowToggle}>
|
<button className='pane__title' onClick={this.handleMainWindowToggle}>
|
||||||
<FormattedMessage id='chat_panels.main_window.title' defaultMessage='Chats' />
|
<FormattedMessage id='chat_panels.main_window.title' defaultMessage='Chats' />
|
||||||
</button>
|
</button>
|
||||||
|
|
|
@ -13,9 +13,9 @@ import {
|
||||||
import Avatar from 'soapbox/components/avatar';
|
import Avatar from 'soapbox/components/avatar';
|
||||||
import HoverRefWrapper from 'soapbox/components/hover_ref_wrapper';
|
import HoverRefWrapper from 'soapbox/components/hover_ref_wrapper';
|
||||||
import IconButton from 'soapbox/components/icon_button';
|
import IconButton from 'soapbox/components/icon_button';
|
||||||
|
import { Counter } from 'soapbox/components/ui';
|
||||||
import { makeGetChat } from 'soapbox/selectors';
|
import { makeGetChat } from 'soapbox/selectors';
|
||||||
import { getAcct } from 'soapbox/utils/accounts';
|
import { getAcct } from 'soapbox/utils/accounts';
|
||||||
import { shortNumberFormat } from 'soapbox/utils/numbers';
|
|
||||||
import { displayFqn } from 'soapbox/utils/state';
|
import { displayFqn } from 'soapbox/utils/state';
|
||||||
|
|
||||||
import ChatBox from './chat_box';
|
import ChatBox from './chat_box';
|
||||||
|
@ -98,9 +98,9 @@ class ChatWindow extends ImmutablePureComponent {
|
||||||
const unreadCount = chat.get('unread');
|
const unreadCount = chat.get('unread');
|
||||||
|
|
||||||
const unreadIcon = (
|
const unreadIcon = (
|
||||||
<i className='icon-with-badge__badge'>
|
<div className='mr-2 flex-none'>
|
||||||
{shortNumberFormat(unreadCount)}
|
<Counter count={unreadCount} />
|
||||||
</i>
|
</div>
|
||||||
);
|
);
|
||||||
|
|
||||||
const avatar = (
|
const avatar = (
|
||||||
|
|
|
@ -4,6 +4,7 @@ import { defineMessages, useIntl, FormattedMessage } from 'react-intl';
|
||||||
import { updateNotificationSettings } from 'soapbox/actions/accounts';
|
import { updateNotificationSettings } from 'soapbox/actions/accounts';
|
||||||
import { patchMe } from 'soapbox/actions/me';
|
import { patchMe } from 'soapbox/actions/me';
|
||||||
import snackbar from 'soapbox/actions/snackbar';
|
import snackbar from 'soapbox/actions/snackbar';
|
||||||
|
import BirthdayInput from 'soapbox/components/birthday_input';
|
||||||
import List, { ListItem } from 'soapbox/components/list';
|
import List, { ListItem } from 'soapbox/components/list';
|
||||||
import { useAppSelector, useAppDispatch, useOwnAccount, useFeatures } from 'soapbox/hooks';
|
import { useAppSelector, useAppDispatch, useOwnAccount, useFeatures } from 'soapbox/hooks';
|
||||||
import { normalizeAccount } from 'soapbox/normalizers';
|
import { normalizeAccount } from 'soapbox/normalizers';
|
||||||
|
@ -242,6 +243,10 @@ const EditProfile: React.FC = () => {
|
||||||
};
|
};
|
||||||
};
|
};
|
||||||
|
|
||||||
|
const handleBirthdayChange = (date: string) => {
|
||||||
|
updateData('birthday', date);
|
||||||
|
};
|
||||||
|
|
||||||
const handleHideNetworkChange: React.ChangeEventHandler<HTMLInputElement> = e => {
|
const handleHideNetworkChange: React.ChangeEventHandler<HTMLInputElement> = e => {
|
||||||
const hide = e.target.checked;
|
const hide = e.target.checked;
|
||||||
|
|
||||||
|
@ -325,10 +330,9 @@ const EditProfile: React.FC = () => {
|
||||||
<FormGroup
|
<FormGroup
|
||||||
labelText={<FormattedMessage id='edit_profile.fields.birthday_label' defaultMessage='Birthday' />}
|
labelText={<FormattedMessage id='edit_profile.fields.birthday_label' defaultMessage='Birthday' />}
|
||||||
>
|
>
|
||||||
<Input
|
<BirthdayInput
|
||||||
type='text'
|
|
||||||
value={data.birthday}
|
value={data.birthday}
|
||||||
onChange={handleTextChange('birthday')}
|
onChange={handleBirthdayChange}
|
||||||
/>
|
/>
|
||||||
</FormGroup>
|
</FormGroup>
|
||||||
)}
|
)}
|
||||||
|
|
|
@ -73,9 +73,9 @@ const LandingPage = () => {
|
||||||
<div className='mx-auto max-w-7xl'>
|
<div className='mx-auto max-w-7xl'>
|
||||||
<div className='grid grid-cols-1 lg:grid-cols-12 gap-8 py-12'>
|
<div className='grid grid-cols-1 lg:grid-cols-12 gap-8 py-12'>
|
||||||
<div className='px-4 sm:px-6 sm:text-center md:max-w-2xl md:mx-auto lg:col-span-6 lg:text-left lg:flex'>
|
<div className='px-4 sm:px-6 sm:text-center md:max-w-2xl md:mx-auto lg:col-span-6 lg:text-left lg:flex'>
|
||||||
<div>
|
<div className='w-full'>
|
||||||
<Stack space={3}>
|
<Stack space={3}>
|
||||||
<h1 className='text-5xl font-extrabold text-transparent bg-clip-text bg-gradient-to-br from-accent-500 via-primary-500 to-gradient-end sm:mt-5 sm:leading-none lg:mt-6 lg:text-6xl xl:text-7xl'>
|
<h1 className='text-5xl font-extrabold text-transparent text-ellipsis overflow-hidden bg-clip-text bg-gradient-to-br from-accent-500 via-primary-500 to-gradient-end sm:mt-5 sm:leading-none lg:mt-6 lg:text-6xl xl:text-7xl'>
|
||||||
{instance.title}
|
{instance.title}
|
||||||
</h1>
|
</h1>
|
||||||
|
|
||||||
|
|
|
@ -496,15 +496,15 @@ class Status extends ImmutablePureComponent<IStatus, IStatusState> {
|
||||||
const { status, ancestorsIds, descendantsIds } = this.props;
|
const { status, ancestorsIds, descendantsIds } = this.props;
|
||||||
|
|
||||||
if (id === status.id) {
|
if (id === status.id) {
|
||||||
this._selectChild(ancestorsIds.size - 1, true);
|
this._selectChild(ancestorsIds.size - 1);
|
||||||
} else {
|
} else {
|
||||||
let index = ImmutableList(ancestorsIds).indexOf(id);
|
let index = ImmutableList(ancestorsIds).indexOf(id);
|
||||||
|
|
||||||
if (index === -1) {
|
if (index === -1) {
|
||||||
index = ImmutableList(descendantsIds).indexOf(id);
|
index = ImmutableList(descendantsIds).indexOf(id);
|
||||||
this._selectChild(ancestorsIds.size + index, true);
|
this._selectChild(ancestorsIds.size + index);
|
||||||
} else {
|
} else {
|
||||||
this._selectChild(index - 1, true);
|
this._selectChild(index - 1);
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
@ -513,15 +513,15 @@ class Status extends ImmutablePureComponent<IStatus, IStatusState> {
|
||||||
const { status, ancestorsIds, descendantsIds } = this.props;
|
const { status, ancestorsIds, descendantsIds } = this.props;
|
||||||
|
|
||||||
if (id === status.id) {
|
if (id === status.id) {
|
||||||
this._selectChild(ancestorsIds.size + 1, false);
|
this._selectChild(ancestorsIds.size + 1);
|
||||||
} else {
|
} else {
|
||||||
let index = ImmutableList(ancestorsIds).indexOf(id);
|
let index = ImmutableList(ancestorsIds).indexOf(id);
|
||||||
|
|
||||||
if (index === -1) {
|
if (index === -1) {
|
||||||
index = ImmutableList(descendantsIds).indexOf(id);
|
index = ImmutableList(descendantsIds).indexOf(id);
|
||||||
this._selectChild(ancestorsIds.size + index + 2, false);
|
this._selectChild(ancestorsIds.size + index + 2);
|
||||||
} else {
|
} else {
|
||||||
this._selectChild(index + 1, false);
|
this._selectChild(index + 1);
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
@ -544,19 +544,18 @@ class Status extends ImmutablePureComponent<IStatus, IStatusState> {
|
||||||
firstEmoji?.focus();
|
firstEmoji?.focus();
|
||||||
};
|
};
|
||||||
|
|
||||||
_selectChild(index: number, align_top: boolean) {
|
_selectChild(index: number) {
|
||||||
const container = this.node;
|
this.scroller?.scrollIntoView({
|
||||||
if (!container) return;
|
index,
|
||||||
const element = container.querySelectorAll('.focusable')[index] as HTMLButtonElement;
|
behavior: 'smooth',
|
||||||
|
done: () => {
|
||||||
|
const element = document.querySelector<HTMLDivElement>(`#thread [data-index="${index}"] .focusable`);
|
||||||
|
|
||||||
if (element) {
|
if (element) {
|
||||||
if (align_top && container.scrollTop > element.offsetTop) {
|
element.focus();
|
||||||
element.scrollIntoView(true);
|
}
|
||||||
} else if (!align_top && container.scrollTop + container.clientHeight < element.offsetTop + element.offsetHeight) {
|
},
|
||||||
element.scrollIntoView(false);
|
});
|
||||||
}
|
|
||||||
element.focus();
|
|
||||||
}
|
|
||||||
}
|
}
|
||||||
|
|
||||||
renderTombstone(id: string) {
|
renderTombstone(id: string) {
|
||||||
|
@ -791,6 +790,7 @@ class Status extends ImmutablePureComponent<IStatus, IStatusState> {
|
||||||
<Stack space={2}>
|
<Stack space={2}>
|
||||||
<div ref={this.setRef} className='thread'>
|
<div ref={this.setRef} className='thread'>
|
||||||
<ScrollableList
|
<ScrollableList
|
||||||
|
id='thread'
|
||||||
ref={this.setScrollerRef}
|
ref={this.setScrollerRef}
|
||||||
onRefresh={this.handleRefresh}
|
onRefresh={this.handleRefresh}
|
||||||
hasMore={!!this.state.next}
|
hasMore={!!this.state.next}
|
||||||
|
|
|
@ -3,7 +3,7 @@ import React from 'react';
|
||||||
import { defineMessages, injectIntl, FormattedMessage } from 'react-intl';
|
import { defineMessages, injectIntl, FormattedMessage } from 'react-intl';
|
||||||
import { connect } from 'react-redux';
|
import { connect } from 'react-redux';
|
||||||
|
|
||||||
import { changeAccountNoteComment, submitAccountNote } from 'soapbox/actions/account_notes';
|
import { changeAccountNoteComment, submitAccountNote } from 'soapbox/actions/account-notes';
|
||||||
import { closeModal } from 'soapbox/actions/modals';
|
import { closeModal } from 'soapbox/actions/modals';
|
||||||
import { Modal, Text } from 'soapbox/components/ui';
|
import { Modal, Text } from 'soapbox/components/ui';
|
||||||
import { makeGetAccount } from 'soapbox/selectors';
|
import { makeGetAccount } from 'soapbox/selectors';
|
||||||
|
|
|
@ -7,7 +7,7 @@ import {
|
||||||
ACCOUNT_NOTE_SUBMIT_REQUEST,
|
ACCOUNT_NOTE_SUBMIT_REQUEST,
|
||||||
ACCOUNT_NOTE_SUBMIT_FAIL,
|
ACCOUNT_NOTE_SUBMIT_FAIL,
|
||||||
ACCOUNT_NOTE_SUBMIT_SUCCESS,
|
ACCOUNT_NOTE_SUBMIT_SUCCESS,
|
||||||
} from '../actions/account_notes';
|
} from '../actions/account-notes';
|
||||||
|
|
||||||
const EditRecord = ImmutableRecord({
|
const EditRecord = ImmutableRecord({
|
||||||
isSubmitting: false,
|
isSubmitting: false,
|
||||||
|
@ -39,4 +39,4 @@ export default function account_notes(state: State = ReducerRecord(), action: An
|
||||||
default:
|
default:
|
||||||
return state;
|
return state;
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
|
@ -3,7 +3,7 @@ import { get } from 'lodash';
|
||||||
|
|
||||||
import { STREAMING_FOLLOW_RELATIONSHIPS_UPDATE } from 'soapbox/actions/streaming';
|
import { STREAMING_FOLLOW_RELATIONSHIPS_UPDATE } from 'soapbox/actions/streaming';
|
||||||
|
|
||||||
import { ACCOUNT_NOTE_SUBMIT_SUCCESS } from '../actions/account_notes';
|
import { ACCOUNT_NOTE_SUBMIT_SUCCESS } from '../actions/account-notes';
|
||||||
import {
|
import {
|
||||||
ACCOUNT_FOLLOW_SUCCESS,
|
ACCOUNT_FOLLOW_SUCCESS,
|
||||||
ACCOUNT_FOLLOW_REQUEST,
|
ACCOUNT_FOLLOW_REQUEST,
|
||||||
|
|
|
@ -104,25 +104,20 @@
|
||||||
}
|
}
|
||||||
|
|
||||||
.audio-toggle .react-toggle-thumb {
|
.audio-toggle .react-toggle-thumb {
|
||||||
height: 14px;
|
@apply w-3.5 h-3.5 border border-solid border-primary-400;
|
||||||
width: 14px;
|
|
||||||
border: 1px solid var(--brand-color--med);
|
|
||||||
}
|
}
|
||||||
|
|
||||||
.audio-toggle .react-toggle {
|
.audio-toggle .react-toggle {
|
||||||
height: 16px;
|
@apply top-1;
|
||||||
top: 4px;
|
|
||||||
}
|
}
|
||||||
|
|
||||||
.audio-toggle .react-toggle-track {
|
.audio-toggle .react-toggle-track {
|
||||||
height: 16px;
|
@apply h-4 w-8 bg-accent-500;
|
||||||
width: 34px;
|
|
||||||
background-color: var(--accent-color);
|
|
||||||
}
|
}
|
||||||
|
|
||||||
.audio-toggle .react-toggle-track-check {
|
.audio-toggle .react-toggle-track-check {
|
||||||
left: 2px;
|
left: 4px;
|
||||||
bottom: 5px;
|
bottom: 0;
|
||||||
}
|
}
|
||||||
|
|
||||||
.react-toggle--checked .react-toggle-thumb {
|
.react-toggle--checked .react-toggle-thumb {
|
||||||
|
@ -130,8 +125,8 @@
|
||||||
}
|
}
|
||||||
|
|
||||||
.audio-toggle .react-toggle-track-x {
|
.audio-toggle .react-toggle-track-x {
|
||||||
right: 8px;
|
right: 5px;
|
||||||
bottom: 5px;
|
bottom: 0;
|
||||||
}
|
}
|
||||||
|
|
||||||
.fa {
|
.fa {
|
||||||
|
|
Loading…
Reference in New Issue