Chore: Migrate CreateDiscussionView to Typescript (#3378)

* [improve] - migrate the view: CreateDiscussionView to typescript

* minor changes

Co-authored-by: Diego Mello <diegolmello@gmail.com>
This commit is contained in:
Alex Junior 2021-09-15 16:58:14 -03:00 committed by GitHub
parent 9ed6a3ee5a
commit 308be2d2f4
No known key found for this signature in database
GPG Key ID: 4AEE18F83AFDEB23
7 changed files with 123 additions and 68 deletions

View File

@ -7,8 +7,8 @@ import Item from './HeaderButtonItem';
interface IHeaderButtonCommon { interface IHeaderButtonCommon {
navigation: any; navigation: any;
onPress(): void; onPress?(): void;
testID: string; testID?: string;
} }
// Left // Left

View File

@ -14,19 +14,19 @@ import Input from './Input';
import styles from './styles'; import styles from './styles';
interface IMultiSelect { interface IMultiSelect {
options: []; options: any[];
onChange: Function; onChange: Function;
placeholder: { placeholder: {
text: string; text: string;
}; };
context: number; context?: number;
loading: boolean; loading?: boolean;
multiselect: boolean; multiselect?: boolean;
onSearch: Function; onSearch: Function;
onClose: Function; onClose: Function;
inputStyle: object; inputStyle: object;
value: { text: any }[]; value?: any[];
disabled: boolean; disabled?: boolean | object;
theme: string; theme: string;
} }

View File

@ -1,6 +1,5 @@
import React, { useState } from 'react'; import React, { useState } from 'react';
import { Text } from 'react-native'; import { Text } from 'react-native';
import PropTypes from 'prop-types';
import debounce from '../../utils/debounce'; import debounce from '../../utils/debounce';
import { avatarURL } from '../../utils/avatar'; import { avatarURL } from '../../utils/avatar';
@ -9,8 +8,18 @@ import I18n from '../../i18n';
import { MultiSelect } from '../../containers/UIKit/MultiSelect'; import { MultiSelect } from '../../containers/UIKit/MultiSelect';
import { themes } from '../../constants/colors'; import { themes } from '../../constants/colors';
import styles from './styles'; import styles from './styles';
import { ICreateDiscussionViewSelectChannel } from './interfaces';
const SelectChannel = ({ server, token, userId, onChannelSelect, initial, blockUnauthenticatedAccess, serverVersion, theme }) => { const SelectChannel = ({
server,
token,
userId,
onChannelSelect,
initial,
blockUnauthenticatedAccess,
serverVersion,
theme
}: ICreateDiscussionViewSelectChannel): JSX.Element => {
const [channels, setChannels] = useState([]); const [channels, setChannels] = useState([]);
const getChannels = debounce(async (keyword = '') => { const getChannels = debounce(async (keyword = '') => {
@ -22,7 +31,9 @@ const SelectChannel = ({ server, token, userId, onChannelSelect, initial, blockU
} }
}, 300); }, 300);
const getAvatar = item => const getAvatar = (item: any) =>
// TODO: remove this ts-ignore when migrate the file: app/utils/avatar.js
// @ts-ignore
avatarURL({ avatarURL({
text: RocketChat.getRoomAvatar(item), text: RocketChat.getRoomAvatar(item),
type: item.t, type: item.t,
@ -55,15 +66,5 @@ const SelectChannel = ({ server, token, userId, onChannelSelect, initial, blockU
</> </>
); );
}; };
SelectChannel.propTypes = {
server: PropTypes.string,
token: PropTypes.string,
userId: PropTypes.string,
initial: PropTypes.object,
onChannelSelect: PropTypes.func,
blockUnauthenticatedAccess: PropTypes.bool,
serverVersion: PropTypes.string,
theme: PropTypes.string
};
export default SelectChannel; export default SelectChannel;

View File

@ -1,6 +1,5 @@
import React, { useState } from 'react'; import React, { useState } from 'react';
import { Text } from 'react-native'; import { Text } from 'react-native';
import PropTypes from 'prop-types';
import { BLOCK_CONTEXT } from '@rocket.chat/ui-kit'; import { BLOCK_CONTEXT } from '@rocket.chat/ui-kit';
import { Q } from '@nozbe/watermelondb'; import { Q } from '@nozbe/watermelondb';
@ -12,19 +11,37 @@ import I18n from '../../i18n';
import { MultiSelect } from '../../containers/UIKit/MultiSelect'; import { MultiSelect } from '../../containers/UIKit/MultiSelect';
import { themes } from '../../constants/colors'; import { themes } from '../../constants/colors';
import styles from './styles'; import styles from './styles';
import { ICreateDiscussionViewSelectUsers } from './interfaces';
const SelectUsers = ({ server, token, userId, selected, onUserSelect, blockUnauthenticatedAccess, serverVersion, theme }) => { interface IUser {
const [users, setUsers] = useState([]); name: string;
username: string;
}
const SelectUsers = ({
server,
token,
userId,
selected,
onUserSelect,
blockUnauthenticatedAccess,
serverVersion,
theme
}: ICreateDiscussionViewSelectUsers): JSX.Element => {
const [users, setUsers] = useState<any[]>([]);
const getUsers = debounce(async (keyword = '') => { const getUsers = debounce(async (keyword = '') => {
try { try {
const db = database.active; const db = database.active;
const usersCollection = db.get('users'); const usersCollection = db.get('users');
const res = await RocketChat.search({ text: keyword, filterRooms: false }); const res = await RocketChat.search({ text: keyword, filterRooms: false });
let items = [...users.filter(u => selected.includes(u.name)), ...res.filter(r => !users.find(u => u.name === r.name))]; let items = [
...users.filter((u: IUser) => selected.includes(u.name)),
...res.filter((r: IUser) => !users.find((u: IUser) => u.name === r.name))
];
const records = await usersCollection.query(Q.where('username', Q.oneOf(items.map(u => u.name)))).fetch(); const records = await usersCollection.query(Q.where('username', Q.oneOf(items.map(u => u.name)))).fetch();
items = items.map(item => { items = items.map(item => {
const index = records.findIndex(r => r.username === item.name); const index = records.findIndex((r: IUser) => r.username === item.name);
if (index > -1) { if (index > -1) {
const record = records[index]; const record = records[index];
return { return {
@ -44,7 +61,9 @@ const SelectUsers = ({ server, token, userId, selected, onUserSelect, blockUnaut
} }
}, 300); }, 300);
const getAvatar = item => const getAvatar = (item: any) =>
// TODO: remove this ts-ignore when migrate the file: app/utils/avatar.js
// @ts-ignore
avatarURL({ avatarURL({
text: RocketChat.getRoomAvatar(item), text: RocketChat.getRoomAvatar(item),
type: 'd', type: 'd',
@ -63,12 +82,12 @@ const SelectUsers = ({ server, token, userId, selected, onUserSelect, blockUnaut
inputStyle={styles.inputStyle} inputStyle={styles.inputStyle}
onSearch={getUsers} onSearch={getUsers}
onChange={onUserSelect} onChange={onUserSelect}
options={users.map(user => ({ options={users.map((user: IUser) => ({
value: user.name, value: user.name,
text: { text: RocketChat.getRoomTitle(user) }, text: { text: RocketChat.getRoomTitle(user) },
imageUrl: getAvatar(user) imageUrl: getAvatar(user)
}))} }))}
onClose={() => setUsers(users.filter(u => selected.includes(u.name)))} onClose={() => setUsers(users.filter((u: IUser) => selected.includes(u.name)))}
placeholder={{ text: `${I18n.t('Select_Users')}...` }} placeholder={{ text: `${I18n.t('Select_Users')}...` }}
context={BLOCK_CONTEXT.FORM} context={BLOCK_CONTEXT.FORM}
multiselect multiselect
@ -76,15 +95,5 @@ const SelectUsers = ({ server, token, userId, selected, onUserSelect, blockUnaut
</> </>
); );
}; };
SelectUsers.propTypes = {
server: PropTypes.string,
token: PropTypes.string,
userId: PropTypes.string,
selected: PropTypes.array,
onUserSelect: PropTypes.func,
blockUnauthenticatedAccess: PropTypes.bool,
serverVersion: PropTypes.string,
theme: PropTypes.string
};
export default SelectUsers; export default SelectUsers;

View File

@ -1,6 +1,5 @@
import React from 'react'; import React from 'react';
import { connect } from 'react-redux'; import { connect } from 'react-redux';
import PropTypes from 'prop-types';
import { ScrollView, Switch, Text } from 'react-native'; import { ScrollView, Switch, Text } from 'react-native';
import Loading from '../../containers/Loading'; import Loading from '../../containers/Loading';
@ -24,30 +23,16 @@ import { E2E_ROOM_TYPES } from '../../lib/encryption/constants';
import styles from './styles'; import styles from './styles';
import SelectUsers from './SelectUsers'; import SelectUsers from './SelectUsers';
import SelectChannel from './SelectChannel'; import SelectChannel from './SelectChannel';
import { ICreateChannelViewProps } from './interfaces';
class CreateChannelView extends React.Component { class CreateChannelView extends React.Component<ICreateChannelViewProps, any> {
propTypes = { private channel: any;
navigation: PropTypes.object,
route: PropTypes.object,
server: PropTypes.string,
user: PropTypes.object,
create: PropTypes.func,
loading: PropTypes.bool,
result: PropTypes.object,
failure: PropTypes.bool,
error: PropTypes.object,
theme: PropTypes.string,
isMasterDetail: PropTypes.bool,
blockUnauthenticatedAccess: PropTypes.bool,
serverVersion: PropTypes.string,
encryptionEnabled: PropTypes.bool
};
constructor(props) { constructor(props: ICreateChannelViewProps) {
super(props); super(props);
const { route } = props; const { route } = props;
this.channel = route.params?.channel; this.channel = route.params?.channel;
const message = route.params?.message ?? {}; const message: any = route.params?.message ?? {};
this.state = { this.state = {
channel: this.channel, channel: this.channel,
message, message,
@ -59,7 +44,7 @@ class CreateChannelView extends React.Component {
this.setHeader(); this.setHeader();
} }
componentDidUpdate(prevProps, prevState) { componentDidUpdate(prevProps: any, prevState: any) {
const { channel, name } = this.state; const { channel, name } = this.state;
const { loading, failure, error, result, isMasterDetail } = this.props; const { loading, failure, error, result, isMasterDetail } = this.props;
@ -118,7 +103,7 @@ class CreateChannelView extends React.Component {
} = this.state; } = this.state;
const { create } = this.props; const { create } = this.props;
const params = { const params: any = {
prid: prid || rid, prid: prid || rid,
pmid, pmid,
t_name, t_name,
@ -138,12 +123,12 @@ class CreateChannelView extends React.Component {
return channel && channel.rid && channel.rid.trim().length && name.trim().length; return channel && channel.rid && channel.rid.trim().length && name.trim().length;
}; };
selectChannel = ({ value }) => { selectChannel = ({ value }: any) => {
logEvent(events.CD_SELECT_CHANNEL); logEvent(events.CD_SELECT_CHANNEL);
this.setState({ channel: value, encrypted: value?.encrypted }); this.setState({ channel: value, encrypted: value?.encrypted });
}; };
selectUsers = ({ value }) => { selectUsers = ({ value }: any) => {
logEvent(events.CD_SELECT_USERS); logEvent(events.CD_SELECT_USERS);
this.setState({ users: value }); this.setState({ users: value });
}; };
@ -151,10 +136,12 @@ class CreateChannelView extends React.Component {
get isEncryptionEnabled() { get isEncryptionEnabled() {
const { channel } = this.state; const { channel } = this.state;
const { encryptionEnabled } = this.props; const { encryptionEnabled } = this.props;
// TODO: remove this ts-ignore when migrate the file: app/lib/encryption/constants.js
// @ts-ignore
return encryptionEnabled && E2E_ROOM_TYPES[channel?.t]; return encryptionEnabled && E2E_ROOM_TYPES[channel?.t];
} }
onEncryptedChange = value => { onEncryptedChange = (value: any) => {
logEvent(events.CD_TOGGLE_ENCRY); logEvent(events.CD_TOGGLE_ENCRY);
this.setState({ encrypted: value }); this.setState({ encrypted: value });
}; };
@ -163,12 +150,14 @@ class CreateChannelView extends React.Component {
const { name, users, encrypted } = this.state; const { name, users, encrypted } = this.state;
const { server, user, loading, blockUnauthenticatedAccess, theme, serverVersion } = this.props; const { server, user, loading, blockUnauthenticatedAccess, theme, serverVersion } = this.props;
return ( return (
// @ts-ignore
<KeyboardView <KeyboardView
style={{ backgroundColor: themes[theme].auxiliaryBackground }} style={{ backgroundColor: themes[theme].auxiliaryBackground }}
contentContainerStyle={styles.container} contentContainerStyle={styles.container}
keyboardVerticalOffset={128}> keyboardVerticalOffset={128}>
<StatusBar /> <StatusBar />
<SafeAreaView testID='create-discussion-view' style={styles.container}> <SafeAreaView testID='create-discussion-view' style={styles.container}>
{/* @ts-ignore*/}
<ScrollView {...scrollPersistTaps}> <ScrollView {...scrollPersistTaps}>
<Text style={[styles.description, { color: themes[theme].auxiliaryText }]}>{I18n.t('Discussion_Desc')}</Text> <Text style={[styles.description, { color: themes[theme].auxiliaryText }]}>{I18n.t('Discussion_Desc')}</Text>
<SelectChannel <SelectChannel
@ -186,8 +175,9 @@ class CreateChannelView extends React.Component {
testID='multi-select-discussion-name' testID='multi-select-discussion-name'
placeholder={I18n.t('A_meaningful_name_for_the_discussion_room')} placeholder={I18n.t('A_meaningful_name_for_the_discussion_room')}
containerStyle={styles.inputStyle} containerStyle={styles.inputStyle}
/* @ts-ignore*/
defaultValue={name} defaultValue={name}
onChangeText={text => this.setState({ name: text })} onChangeText={(text: string) => this.setState({ name: text })}
theme={theme} theme={theme}
/> />
<SelectUsers <SelectUsers
@ -214,7 +204,7 @@ class CreateChannelView extends React.Component {
} }
} }
const mapStateToProps = state => ({ const mapStateToProps = (state: any) => ({
user: getUserSelector(state), user: getUserSelector(state),
server: state.server.server, server: state.server.server,
error: state.createDiscussion.error, error: state.createDiscussion.error,
@ -227,8 +217,8 @@ const mapStateToProps = state => ({
encryptionEnabled: state.encryption.enabled encryptionEnabled: state.encryption.enabled
}); });
const mapDispatchToProps = dispatch => ({ const mapDispatchToProps = (dispatch: any) => ({
create: data => dispatch(createDiscussionRequest(data)) create: (data: any) => dispatch(createDiscussionRequest(data))
}); });
export default connect(mapStateToProps, mapDispatchToProps)(withTheme(CreateChannelView)); export default connect(mapStateToProps, mapDispatchToProps)(withTheme(CreateChannelView));

View File

@ -0,0 +1,55 @@
export interface ICreateChannelViewProps {
navigation: any;
route: {
params?: {
channel: string;
message: {
msg: string;
};
showCloseModal: boolean;
};
};
server: string;
user: {
id: string;
token: string;
};
create: Function;
loading: boolean;
result: {
rid: string;
t: string;
prid: string;
};
failure: boolean;
error: {
reason: string;
};
theme: string;
isMasterDetail: boolean;
blockUnauthenticatedAccess: boolean;
serverVersion: string;
encryptionEnabled: boolean;
}
export interface ICreateDiscussionViewSelectChannel {
server: string;
token: string;
userId: string;
initial: object;
onChannelSelect: Function;
blockUnauthenticatedAccess: boolean;
serverVersion: string;
theme: string;
}
export interface ICreateDiscussionViewSelectUsers {
server: string;
token: string;
userId: string;
selected: any[];
onUserSelect: Function;
blockUnauthenticatedAccess: boolean;
serverVersion: string;
theme: string;
}