diff --git a/src/components/structures/HomePage.tsx b/src/components/structures/HomePage.tsx
index 54aa635fe7..13fc132516 100644
--- a/src/components/structures/HomePage.tsx
+++ b/src/components/structures/HomePage.tsx
@@ -33,17 +33,17 @@ import MiniAvatarUploader, { AVATAR_SIZE } from "../views/elements/MiniAvatarUpl
import PosthogTrackers from "../../PosthogTrackers";
import EmbeddedPage from "./EmbeddedPage";
-const onClickSendDm = (ev: ButtonEvent) => {
+const onClickSendDm = (ev: ButtonEvent): void => {
PosthogTrackers.trackInteraction("WebHomeCreateChatButton", ev);
dis.dispatch({ action: "view_create_chat" });
};
-const onClickExplore = (ev: ButtonEvent) => {
+const onClickExplore = (ev: ButtonEvent): void => {
PosthogTrackers.trackInteraction("WebHomeExploreRoomsButton", ev);
dis.fire(Action.ViewRoomDirectory);
};
-const onClickNewRoom = (ev: ButtonEvent) => {
+const onClickNewRoom = (ev: ButtonEvent): void => {
PosthogTrackers.trackInteraction("WebHomeCreateRoomButton", ev);
dis.dispatch({ action: "view_create_room" });
};
@@ -52,12 +52,17 @@ interface IProps {
justRegistered?: boolean;
}
-const getOwnProfile = (userId: string) => ({
+const getOwnProfile = (
+ userId: string,
+): {
+ displayName: string;
+ avatarUrl: string;
+} => ({
displayName: OwnProfileStore.instance.displayName || userId,
avatarUrl: OwnProfileStore.instance.getHttpAvatarUrl(AVATAR_SIZE),
});
-const UserWelcomeTop = () => {
+const UserWelcomeTop: React.FC = () => {
const cli = useContext(MatrixClientContext);
const userId = cli.getUserId();
const [ownProfile, setOwnProfile] = useState(getOwnProfile(userId));
diff --git a/src/components/structures/HostSignupAction.tsx b/src/components/structures/HostSignupAction.tsx
index 7d4652e3ee..757a7360fb 100644
--- a/src/components/structures/HostSignupAction.tsx
+++ b/src/components/structures/HostSignupAction.tsx
@@ -28,7 +28,7 @@ interface IProps {
interface IState {}
export default class HostSignupAction extends React.PureComponent {
- private openDialog = async () => {
+ private openDialog = async (): Promise => {
this.props.onClick?.();
await HostSignupStore.instance.setHostSignupActive(true);
};
diff --git a/src/components/structures/InteractiveAuth.tsx b/src/components/structures/InteractiveAuth.tsx
index b5582323bf..99be8705a4 100644
--- a/src/components/structures/InteractiveAuth.tsx
+++ b/src/components/structures/InteractiveAuth.tsx
@@ -130,7 +130,7 @@ export default class InteractiveAuthComponent extends React.Component {
@@ -155,7 +155,7 @@ export default class InteractiveAuthComponent extends React.Component {
return SettingsStore.getValue("feature_breadcrumbs_v2") ? BreadcrumbsMode.Labs : BreadcrumbsMode.Legacy;
}
- public componentDidMount() {
+ public componentDidMount(): void {
UIStore.instance.trackElementDimensions("ListContainer", this.listContainerRef.current);
UIStore.instance.on("ListContainer", this.refreshStickyHeaders);
// Using the passive option to not block the main thread
@@ -97,7 +97,7 @@ export default class LeftPanel extends React.Component {
this.listContainerRef.current?.addEventListener("scroll", this.onScroll, { passive: true });
}
- public componentWillUnmount() {
+ public componentWillUnmount(): void {
BreadcrumbsStore.instance.off(UPDATE_EVENT, this.onBreadcrumbsUpdate);
RoomListStore.instance.off(LISTS_UPDATE_EVENT, this.onBreadcrumbsUpdate);
SpaceStore.instance.off(UPDATE_SELECTED_SPACE, this.updateActiveSpace);
@@ -112,25 +112,25 @@ export default class LeftPanel extends React.Component {
}
}
- private updateActiveSpace = (activeSpace: SpaceKey) => {
+ private updateActiveSpace = (activeSpace: SpaceKey): void => {
this.setState({ activeSpace });
};
- private onDialPad = () => {
+ private onDialPad = (): void => {
dis.fire(Action.OpenDialPad);
};
- private onExplore = (ev: ButtonEvent) => {
+ private onExplore = (ev: ButtonEvent): void => {
dis.fire(Action.ViewRoomDirectory);
PosthogTrackers.trackInteraction("WebLeftPanelExploreRoomsButton", ev);
};
- private refreshStickyHeaders = () => {
+ private refreshStickyHeaders = (): void => {
if (!this.listContainerRef.current) return; // ignore: no headers to sticky
this.handleStickyHeaders(this.listContainerRef.current);
};
- private onBreadcrumbsUpdate = () => {
+ private onBreadcrumbsUpdate = (): void => {
const newVal = LeftPanel.breadcrumbsMode;
if (newVal !== this.state.showBreadcrumbs) {
this.setState({ showBreadcrumbs: newVal });
@@ -141,7 +141,7 @@ export default class LeftPanel extends React.Component {
}
};
- private handleStickyHeaders(list: HTMLDivElement) {
+ private handleStickyHeaders(list: HTMLDivElement): void {
if (this.isDoingStickyHeaders) return;
this.isDoingStickyHeaders = true;
window.requestAnimationFrame(() => {
@@ -150,7 +150,7 @@ export default class LeftPanel extends React.Component {
});
}
- private doStickyHeaders(list: HTMLDivElement) {
+ private doStickyHeaders(list: HTMLDivElement): void {
const topEdge = list.scrollTop;
const bottomEdge = list.offsetHeight + list.scrollTop;
const sublists = list.querySelectorAll(".mx_RoomSublist:not(.mx_RoomSublist_hidden)");
@@ -282,20 +282,20 @@ export default class LeftPanel extends React.Component {
}
}
- private onScroll = (ev: Event) => {
+ private onScroll = (ev: Event): void => {
const list = ev.target as HTMLDivElement;
this.handleStickyHeaders(list);
};
- private onFocus = (ev: React.FocusEvent) => {
+ private onFocus = (ev: React.FocusEvent): void => {
this.focusedElement = ev.target;
};
- private onBlur = () => {
+ private onBlur = (): void => {
this.focusedElement = null;
};
- private onKeyDown = (ev: React.KeyboardEvent, state?: IRovingTabIndexState) => {
+ private onKeyDown = (ev: React.KeyboardEvent, state?: IRovingTabIndexState): void => {
if (!this.focusedElement) return;
const action = getKeyBindingsManager().getRoomListAction(ev);
diff --git a/src/components/structures/LegacyCallEventGrouper.ts b/src/components/structures/LegacyCallEventGrouper.ts
index 9a4d82a9f8..5365352921 100644
--- a/src/components/structures/LegacyCallEventGrouper.ts
+++ b/src/components/structures/LegacyCallEventGrouper.ts
@@ -142,7 +142,7 @@ export default class LegacyCallEventGrouper extends EventEmitter {
return [...this.events][0]?.getRoomId();
}
- private onSilencedCallsChanged = () => {
+ private onSilencedCallsChanged = (): void => {
const newState = LegacyCallHandler.instance.isCallSilenced(this.callId);
this.emit(LegacyCallEventGrouperEvent.SilencedChanged, newState);
};
@@ -163,20 +163,20 @@ export default class LegacyCallEventGrouper extends EventEmitter {
LegacyCallHandler.instance.placeCall(this.roomId, this.isVoice ? CallType.Voice : CallType.Video);
};
- public toggleSilenced = () => {
+ public toggleSilenced = (): void => {
const silenced = LegacyCallHandler.instance.isCallSilenced(this.callId);
silenced
? LegacyCallHandler.instance.unSilenceCall(this.callId)
: LegacyCallHandler.instance.silenceCall(this.callId);
};
- private setCallListeners() {
+ private setCallListeners(): void {
if (!this.call) return;
this.call.addListener(CallEvent.State, this.setState);
this.call.addListener(CallEvent.LengthChanged, this.onLengthChanged);
}
- private setState = () => {
+ private setState = (): void => {
if (CONNECTING_STATES.includes(this.call?.state)) {
this.state = CallState.Connecting;
} else if (SUPPORTED_STATES.includes(this.call?.state)) {
@@ -190,7 +190,7 @@ export default class LegacyCallEventGrouper extends EventEmitter {
this.emit(LegacyCallEventGrouperEvent.StateChanged, this.state);
};
- private setCall = () => {
+ private setCall = (): void => {
if (this.call) return;
this.call = LegacyCallHandler.instance.getCallById(this.callId);
@@ -198,7 +198,7 @@ export default class LegacyCallEventGrouper extends EventEmitter {
this.setState();
};
- public add(event: MatrixEvent) {
+ public add(event: MatrixEvent): void {
if (this.events.has(event)) return; // nothing to do
this.events.add(event);
this.setCall();
diff --git a/src/components/structures/LoggedInView.tsx b/src/components/structures/LoggedInView.tsx
index 6e18f8a6f7..242bbdc028 100644
--- a/src/components/structures/LoggedInView.tsx
+++ b/src/components/structures/LoggedInView.tsx
@@ -159,7 +159,7 @@ class LoggedInView extends React.Component {
this.resizeHandler = React.createRef();
}
- public componentDidMount() {
+ public componentDidMount(): void {
document.addEventListener("keydown", this.onNativeKeyDown, false);
LegacyCallHandler.instance.addListener(LegacyCallHandlerEvent.CallState, this.onCallState);
@@ -191,7 +191,7 @@ class LoggedInView extends React.Component {
this.refreshBackgroundImage();
}
- public componentWillUnmount() {
+ public componentWillUnmount(): void {
document.removeEventListener("keydown", this.onNativeKeyDown, false);
LegacyCallHandler.instance.removeListener(LegacyCallHandlerEvent.CallState, this.onCallState);
this._matrixClient.removeListener(ClientEvent.AccountData, this.onAccountData);
@@ -221,14 +221,14 @@ class LoggedInView extends React.Component {
this.setState({ backgroundImage });
};
- public canResetTimelineInRoom = (roomId: string) => {
+ public canResetTimelineInRoom = (roomId: string): boolean => {
if (!this._roomView.current) {
return true;
}
return this._roomView.current.canResetTimeline();
};
- private createResizer() {
+ private createResizer(): Resizer {
let panelSize;
let panelCollapsed;
const collapseConfig: ICollapseConfig = {
@@ -268,7 +268,7 @@ class LoggedInView extends React.Component {
return resizer;
}
- private loadResizerPreferences() {
+ private loadResizerPreferences(): void {
let lhsSize = parseInt(window.localStorage.getItem("mx_lhs_size"), 10);
if (isNaN(lhsSize)) {
lhsSize = 350;
@@ -276,13 +276,13 @@ class LoggedInView extends React.Component {
this.resizer.forHandleWithId("lp-resizer").resize(lhsSize);
}
- private onAccountData = (event: MatrixEvent) => {
+ private onAccountData = (event: MatrixEvent): void => {
if (event.getType() === "m.ignored_user_list") {
dis.dispatch({ action: "ignore_state_changed" });
}
};
- private onCompactLayoutChanged = () => {
+ private onCompactLayoutChanged = (): void => {
this.setState({
useCompactLayout: SettingsStore.getValue("useCompactLayout"),
});
@@ -311,13 +311,13 @@ class LoggedInView extends React.Component {
}
};
- private onUsageLimitDismissed = () => {
+ private onUsageLimitDismissed = (): void => {
this.setState({
usageLimitDismissed: true,
});
};
- private calculateServerLimitToast(syncError: IState["syncErrorData"], usageLimitEventContent?: IUsageLimit) {
+ private calculateServerLimitToast(syncError: IState["syncErrorData"], usageLimitEventContent?: IUsageLimit): void {
const error = (syncError?.error as MatrixError)?.errcode === "M_RESOURCE_LIMIT_EXCEEDED";
if (error) {
usageLimitEventContent = (syncError?.error as MatrixError).data as IUsageLimit;
@@ -337,9 +337,9 @@ class LoggedInView extends React.Component {
}
}
- private updateServerNoticeEvents = async () => {
+ private updateServerNoticeEvents = async (): Promise => {
const serverNoticeList = RoomListStore.instance.orderedLists[DefaultTagID.ServerNotice];
- if (!serverNoticeList) return [];
+ if (!serverNoticeList) return;
const events = [];
let pinnedEventTs = 0;
@@ -379,7 +379,7 @@ class LoggedInView extends React.Component {
});
};
- private onPaste = (ev: ClipboardEvent) => {
+ private onPaste = (ev: ClipboardEvent): void => {
const element = ev.target as HTMLElement;
const inputableElement = getInputableElement(element);
if (inputableElement === document.activeElement) return; // nothing to do
@@ -422,13 +422,13 @@ class LoggedInView extends React.Component {
We also listen with a native listener on the document to get keydown events when no element is focused.
Bubbling is irrelevant here as the target is the body element.
*/
- private onReactKeyDown = (ev) => {
+ private onReactKeyDown = (ev): void => {
// events caught while bubbling up on the root element
// of this component, so something must be focused.
this.onKeyDown(ev);
};
- private onNativeKeyDown = (ev) => {
+ private onNativeKeyDown = (ev): void => {
// only pass this if there is no focused element.
// if there is, onKeyDown will be called by the
// react keydown handler that respects the react bubbling order.
@@ -437,7 +437,7 @@ class LoggedInView extends React.Component {
}
};
- private onKeyDown = (ev) => {
+ private onKeyDown = (ev): void => {
let handled = false;
const roomAction = getKeyBindingsManager().getRoomAction(ev);
@@ -615,13 +615,13 @@ class LoggedInView extends React.Component {
* dispatch a page-up/page-down/etc to the appropriate component
* @param {Object} ev The key event
*/
- private onScrollKeyPressed = (ev) => {
+ private onScrollKeyPressed = (ev): void => {
if (this._roomView.current) {
this._roomView.current.handleScrollKey(ev);
}
};
- public render() {
+ public render(): JSX.Element {
let pageElement;
switch (this.props.page_type) {
diff --git a/src/components/structures/MatrixChat.tsx b/src/components/structures/MatrixChat.tsx
index 536626f270..df2aa87f2c 100644
--- a/src/components/structures/MatrixChat.tsx
+++ b/src/components/structures/MatrixChat.tsx
@@ -216,7 +216,7 @@ export default class MatrixChat extends React.PureComponent {
realQueryParams: {},
startingFragmentQueryParams: {},
config: {},
- onTokenLoginCompleted: () => {},
+ onTokenLoginCompleted: (): void => {},
};
private firstSyncComplete = false;
@@ -317,7 +317,7 @@ export default class MatrixChat extends React.PureComponent {
this.props.realQueryParams,
this.props.defaultDeviceDisplayName,
this.getFragmentAfterLogin(),
- ).then(async (loggedIn) => {
+ ).then(async (loggedIn): Promise => {
if (this.props.realQueryParams?.loginToken) {
// remove the loginToken from the URL regardless
this.props.onTokenLoginCompleted();
@@ -353,7 +353,7 @@ export default class MatrixChat extends React.PureComponent {
initSentry(SdkConfig.get("sentry"));
}
- private async postLoginSetup() {
+ private async postLoginSetup(): Promise {
const cli = MatrixClientPeg.get();
const cryptoEnabled = cli.isCryptoEnabled();
if (!cryptoEnabled) {
@@ -367,7 +367,7 @@ export default class MatrixChat extends React.PureComponent {
// as a proxy to figure out if it's worth prompting the user to verify
// from another device.
promisesList.push(
- (async () => {
+ (async (): Promise => {
crossSigningIsSetUp = await cli.userHasCrossSigningKeys();
})(),
);
@@ -417,7 +417,7 @@ export default class MatrixChat extends React.PureComponent {
window.addEventListener("resize", this.onWindowResized);
}
- public componentDidUpdate(prevProps, prevState) {
+ public componentDidUpdate(prevProps, prevState): void {
if (this.shouldTrackPageChange(prevState, this.state)) {
const durationMs = this.stopPageChangeTimer();
PosthogTrackers.instance.trackPageChange(this.state.view, this.state.page_type, durationMs);
@@ -428,7 +428,7 @@ export default class MatrixChat extends React.PureComponent {
}
}
- public componentWillUnmount() {
+ public componentWillUnmount(): void {
Lifecycle.stopMatrixClient();
dis.unregister(this.dispatcherRef);
this.themeWatcher.stop();
@@ -477,7 +477,7 @@ export default class MatrixChat extends React.PureComponent {
}
}
- private getServerProperties() {
+ private getServerProperties(): { serverConfig: ValidatedServerConfig } {
let props = this.state.serverConfig;
if (!props) props = this.props.serverConfig; // for unit tests
if (!props) props = SdkConfig.get("validated_server_config");
@@ -513,11 +513,11 @@ export default class MatrixChat extends React.PureComponent {
// to try logging out.
}
- private startPageChangeTimer() {
+ private startPageChangeTimer(): void {
PerformanceMonitor.instance.start(PerformanceEntryNames.PAGE_CHANGE);
}
- private stopPageChangeTimer() {
+ private stopPageChangeTimer(): number | null {
const perfMonitor = PerformanceMonitor.instance;
perfMonitor.stop(PerformanceEntryNames.PAGE_CHANGE);
@@ -876,13 +876,13 @@ export default class MatrixChat extends React.PureComponent {
}
};
- private setPage(pageType: PageType) {
+ private setPage(pageType: PageType): void {
this.setState({
page_type: pageType,
});
}
- private async startRegistration(params: { [key: string]: string }) {
+ private async startRegistration(params: { [key: string]: string }): Promise {
const newState: Partial = {
view: Views.REGISTER,
};
@@ -916,7 +916,7 @@ export default class MatrixChat extends React.PureComponent {
}
// switch view to the given room
- private async viewRoom(roomInfo: ViewRoomPayload) {
+ private async viewRoom(roomInfo: ViewRoomPayload): Promise {
this.focusComposer = true;
if (roomInfo.room_alias) {
@@ -992,7 +992,7 @@ export default class MatrixChat extends React.PureComponent {
);
}
- private viewSomethingBehindModal() {
+ private viewSomethingBehindModal(): void {
if (this.state.view !== Views.LOGGED_IN) {
this.viewWelcome();
return;
@@ -1002,7 +1002,7 @@ export default class MatrixChat extends React.PureComponent {
}
}
- private viewWelcome() {
+ private viewWelcome(): void {
if (shouldUseLoginForWelcome(SdkConfig.get())) {
return this.viewLogin();
}
@@ -1014,7 +1014,7 @@ export default class MatrixChat extends React.PureComponent {
this.themeWatcher.recheck();
}
- private viewLogin(otherState?: any) {
+ private viewLogin(otherState?: any): void {
this.setStateForNewView({
view: Views.LOGIN,
...otherState,
@@ -1024,7 +1024,7 @@ export default class MatrixChat extends React.PureComponent {
this.themeWatcher.recheck();
}
- private viewHome(justRegistered = false) {
+ private viewHome(justRegistered = false): void {
// The home page requires the "logged in" view, so we'll set that.
this.setStateForNewView({
view: Views.LOGGED_IN,
@@ -1037,7 +1037,7 @@ export default class MatrixChat extends React.PureComponent {
this.themeWatcher.recheck();
}
- private viewUser(userId: string, subAction: string) {
+ private viewUser(userId: string, subAction: string): void {
// Wait for the first sync so that `getRoom` gives us a room object if it's
// in the sync response
const waitForSync = this.firstSyncPromise ? this.firstSyncPromise.promise : Promise.resolve();
@@ -1052,7 +1052,7 @@ export default class MatrixChat extends React.PureComponent {
});
}
- private async createRoom(defaultPublic = false, defaultName?: string, type?: RoomType) {
+ private async createRoom(defaultPublic = false, defaultName?: string, type?: RoomType): Promise {
const modal = Modal.createDialog(CreateRoomDialog, {
type,
defaultPublic,
@@ -1065,7 +1065,7 @@ export default class MatrixChat extends React.PureComponent {
}
}
- private chatCreateOrReuse(userId: string) {
+ private chatCreateOrReuse(userId: string): void {
const snakedConfig = new SnakedObject(this.props.config);
// Use a deferred action to reshow the dialog once the user has registered
if (MatrixClientPeg.get().isGuest()) {
@@ -1115,11 +1115,11 @@ export default class MatrixChat extends React.PureComponent {
}
}
- private leaveRoomWarnings(roomId: string) {
+ private leaveRoomWarnings(roomId: string): JSX.Element[] {
const roomToLeave = MatrixClientPeg.get().getRoom(roomId);
const isSpace = roomToLeave?.isSpaceRoom();
// Show a warning if there are additional complications.
- const warnings = [];
+ const warnings: JSX.Element[] = [];
const memberCount = roomToLeave.currentState.getJoinedMemberCount();
if (memberCount === 1) {
@@ -1153,7 +1153,7 @@ export default class MatrixChat extends React.PureComponent