Rocket.Chat.ReactNative/app/views/RoomsListView/index.js

579 lines
17 KiB
JavaScript
Raw Normal View History

2017-08-03 18:23:43 +00:00
import React from 'react';
2017-08-05 18:16:32 +00:00
import PropTypes from 'prop-types';
import {
2019-04-17 18:57:46 +00:00
View, FlatList, BackHandler, ActivityIndicator, Text, ScrollView, Keyboard, LayoutAnimation, InteractionManager
} from 'react-native';
import { connect } from 'react-redux';
import { isEqual } from 'lodash';
import { SafeAreaView } from 'react-navigation';
2019-03-12 16:23:06 +00:00
import Orientation from 'react-native-orientation-locker';
2019-04-04 18:08:40 +00:00
import database, { safeAddListener } from '../../lib/realm';
import RocketChat from '../../lib/rocketchat';
2019-03-29 19:36:07 +00:00
import RoomItem, { ROW_HEIGHT } from '../../presentation/RoomItem';
import styles from './styles';
import log from '../../utils/log';
2018-06-01 17:38:13 +00:00
import I18n from '../../i18n';
import SortDropdown from './SortDropdown';
import ServerDropdown from './ServerDropdown';
import {
toggleSortDropdown as toggleSortDropdownAction,
openSearchHeader as openSearchHeaderAction,
closeSearchHeader as closeSearchHeaderAction,
roomsRequest as roomsRequestAction
} from '../../actions/rooms';
import { appStart as appStartAction } from '../../actions';
import debounce from '../../utils/debounce';
2019-01-29 19:52:56 +00:00
import { isIOS, isAndroid } from '../../utils/deviceInfo';
2019-03-12 16:23:06 +00:00
import RoomsListHeaderView from './Header';
import { DrawerButton, CustomHeaderButtons, Item } from '../../containers/HeaderButton';
import StatusBar from '../../containers/StatusBar';
2019-04-17 18:57:46 +00:00
import ListHeader from './ListHeader';
import { selectServerRequest as selectServerRequestAction } from '../../actions/server';
const SCROLL_OFFSET = 56;
2019-03-29 19:36:07 +00:00
const shouldUpdateProps = ['searchText', 'loadingServer', 'showServerDropdown', 'showSortDropdown', 'sortBy', 'groupByType', 'showFavorites', 'showUnread', 'useRealName', 'StoreLastMessage', 'appState'];
const getItemLayout = (data, index) => ({ length: ROW_HEIGHT, offset: ROW_HEIGHT * index, index });
const keyExtractor = item => item.rid;
@connect(state => ({
userId: state.login.user && state.login.user.id,
server: state.server.server,
baseUrl: state.settings.baseUrl || state.server ? state.server.server : '',
searchText: state.rooms.searchText,
loadingServer: state.server.loading,
showServerDropdown: state.rooms.showServerDropdown,
showSortDropdown: state.rooms.showSortDropdown,
sortBy: state.sortPreferences.sortBy,
groupByType: state.sortPreferences.groupByType,
showFavorites: state.sortPreferences.showFavorites,
showUnread: state.sortPreferences.showUnread,
2018-12-05 20:52:08 +00:00
useRealName: state.settings.UI_Use_Real_Name,
2019-03-29 19:36:07 +00:00
appState: state.app.ready && state.app.foreground ? 'foreground' : 'background',
StoreLastMessage: state.settings.Store_Last_Message
}), dispatch => ({
toggleSortDropdown: () => dispatch(toggleSortDropdownAction()),
openSearchHeader: () => dispatch(openSearchHeaderAction()),
closeSearchHeader: () => dispatch(closeSearchHeaderAction()),
appStart: () => dispatch(appStartAction()),
roomsRequest: () => dispatch(roomsRequestAction()),
selectServerRequest: server => dispatch(selectServerRequestAction(server))
2017-08-13 01:35:09 +00:00
}))
export default class RoomsListView extends React.Component {
2019-03-12 16:23:06 +00:00
static navigationOptions = ({ navigation }) => {
const searching = navigation.getParam('searching');
const cancelSearchingAndroid = navigation.getParam('cancelSearchingAndroid');
const onPressItem = navigation.getParam('onPressItem', () => {});
const initSearchingAndroid = navigation.getParam('initSearchingAndroid', () => {});
return {
2019-03-12 16:23:06 +00:00
headerLeft: (
searching
? (
<CustomHeaderButtons left>
<Item title='cancel' iconName='cross' onPress={cancelSearchingAndroid} />
</CustomHeaderButtons>
)
: <DrawerButton navigation={navigation} testID='rooms-list-view-sidebar' />
2019-03-12 16:23:06 +00:00
),
headerTitle: <RoomsListHeaderView />,
headerRight: (
searching
? null
: (
<CustomHeaderButtons>
{isAndroid ? <Item title='search' iconName='magnifier' onPress={initSearchingAndroid} /> : null}
<Item title='new' iconName='edit-rounded' onPress={() => navigation.navigate('NewMessageView', { onPressItem })} testID='rooms-list-view-create-channel' />
</CustomHeaderButtons>
)
)
};
}
2017-08-05 18:16:32 +00:00
static propTypes = {
2019-03-12 16:23:06 +00:00
navigation: PropTypes.object,
userId: PropTypes.string,
baseUrl: PropTypes.string,
server: PropTypes.string,
searchText: PropTypes.string,
loadingServer: PropTypes.bool,
showServerDropdown: PropTypes.bool,
showSortDropdown: PropTypes.bool,
sortBy: PropTypes.string,
groupByType: PropTypes.bool,
showFavorites: PropTypes.bool,
showUnread: PropTypes.bool,
2018-10-02 12:33:21 +00:00
useRealName: PropTypes.bool,
2019-03-29 19:36:07 +00:00
StoreLastMessage: PropTypes.bool,
appState: PropTypes.string,
toggleSortDropdown: PropTypes.func,
openSearchHeader: PropTypes.func,
closeSearchHeader: PropTypes.func,
appStart: PropTypes.func,
roomsRequest: PropTypes.func
2017-08-10 14:59:07 +00:00
}
2017-08-09 16:19:17 +00:00
2017-08-03 18:23:43 +00:00
constructor(props) {
super(props);
2019-04-17 18:57:46 +00:00
console.time(`${ this.constructor.name } init`);
console.time(`${ this.constructor.name } mount`);
this.data = [];
2017-08-10 16:16:32 +00:00
this.state = {
searching: false,
search: [],
loading: true,
chats: [],
unread: [],
favorites: [],
2019-04-08 12:35:28 +00:00
discussions: [],
channels: [],
privateGroup: [],
direct: [],
livechat: []
2017-08-10 16:16:32 +00:00
};
2019-03-12 16:23:06 +00:00
Orientation.unlockAllOrientations();
this.didFocusListener = props.navigation.addListener('didFocus', () => BackHandler.addEventListener('hardwareBackPress', this.handleBackPress));
this.willBlurListener = props.navigation.addListener('willBlur', () => BackHandler.addEventListener('hardwareBackPress', this.handleBackPress));
2017-08-13 01:35:09 +00:00
}
componentDidMount() {
this.getSubscriptions();
2019-03-12 16:23:06 +00:00
const { navigation } = this.props;
navigation.setParams({
onPressItem: this._onPressItem,
initSearchingAndroid: this.initSearchingAndroid,
cancelSearchingAndroid: this.cancelSearchingAndroid
2019-03-12 16:23:06 +00:00
});
2019-04-17 18:57:46 +00:00
console.timeEnd(`${ this.constructor.name } mount`);
}
componentWillReceiveProps(nextProps) {
const { loadingServer, searchText } = this.props;
if (nextProps.server && loadingServer !== nextProps.loadingServer) {
if (nextProps.loadingServer) {
this.internalSetState({ loading: true });
} else {
this.getSubscriptions();
}
} else if (searchText !== nextProps.searchText) {
this.search(nextProps.searchText);
}
}
shouldComponentUpdate(nextProps, nextState) {
// eslint-disable-next-line react/destructuring-assignment
const propsUpdated = shouldUpdateProps.some(key => nextProps[key] !== this.props[key]);
if (propsUpdated) {
return true;
}
const { loading, searching } = this.state;
if (nextState.loading !== loading) {
return true;
}
if (nextState.searching !== searching) {
return true;
}
const { search } = this.state;
if (!isEqual(nextState.search, search)) {
return true;
}
return false;
}
componentDidUpdate(prevProps) {
const {
sortBy, groupByType, showFavorites, showUnread, appState, roomsRequest
} = this.props;
if (!(
(prevProps.sortBy === sortBy)
&& (prevProps.groupByType === groupByType)
&& (prevProps.showFavorites === showFavorites)
&& (prevProps.showUnread === showUnread)
)) {
this.getSubscriptions();
} else if (appState === 'foreground' && appState !== prevProps.appState) {
roomsRequest();
}
}
2018-03-02 21:31:44 +00:00
2017-08-09 16:19:17 +00:00
componentWillUnmount() {
2019-04-17 18:57:46 +00:00
if (this.data && this.data.removeAllListeners) {
this.data.removeAllListeners();
}
if (this.getSubscriptions && this.getSubscriptions.stop) {
this.getSubscriptions.stop();
}
if (this.updateStateInteraction && this.updateStateInteraction.cancel) {
this.updateStateInteraction.cancel();
}
if (this.didFocusListener && this.didFocusListener.remove) {
this.didFocusListener.remove();
}
if (this.willBlurListener && this.willBlurListener.remove) {
this.willBlurListener.remove();
}
2019-04-17 18:57:46 +00:00
console.countReset(`${ this.constructor.name }.render calls`);
2017-08-12 20:52:55 +00:00
}
2019-04-17 18:57:46 +00:00
// eslint-disable-next-line react/sort-comp
internalSetState = (...args) => {
2019-03-27 20:06:57 +00:00
const { navigation } = this.props;
if (isIOS && navigation.isFocused()) {
LayoutAnimation.easeInEaseOut();
}
this.setState(...args);
}
2019-04-17 18:57:46 +00:00
getSubscriptions = debounce(() => {
if (this.data && this.data.removeAllListeners) {
this.data.removeAllListeners();
}
const {
server, sortBy, showUnread, showFavorites, groupByType
} = this.props;
if (server && this.hasActiveDB()) {
2019-04-17 17:01:03 +00:00
this.data = database.objects('subscriptions').filtered('archived != true && open == true && t != $0', 'l');
if (sortBy === 'alphabetical') {
2019-04-17 17:01:03 +00:00
this.data = this.data.sorted('name', false);
} else {
2019-04-17 17:01:03 +00:00
this.data = this.data.sorted('roomUpdatedAt', true);
}
// unread
if (showUnread) {
2019-04-17 17:01:03 +00:00
this.unread = this.data.filtered('(unread > 0 || alert == true)');
} else {
2019-04-17 18:57:46 +00:00
this.unread = [];
}
// favorites
if (showFavorites) {
this.favorites = this.data.filtered('f == true');
} else {
2019-04-17 18:57:46 +00:00
this.favorites = [];
}
// type
if (groupByType) {
2019-04-08 12:35:28 +00:00
this.discussions = this.data.filtered('prid != null');
this.channels = this.data.filtered('t == $0 AND prid == null', 'c');
this.privateGroup = this.data.filtered('t == $0 AND prid == null', 'p');
this.direct = this.data.filtered('t == $0 AND prid == null', 'd');
this.livechat = this.data.filtered('t == $0 AND prid == null', 'l');
2019-04-17 18:57:46 +00:00
} else if (showUnread) {
this.chats = this.data.filtered('(unread == 0 && alert == false)');
} else {
2019-04-17 18:57:46 +00:00
this.chats = this.data;
}
2019-04-17 18:57:46 +00:00
safeAddListener(this.data, this.updateState);
}
}, 300);
2019-04-17 18:57:46 +00:00
// eslint-disable-next-line react/sort-comp
updateState = debounce(() => {
this.updateStateInteraction = InteractionManager.runAfterInteractions(() => {
this.internalSetState({
chats: this.chats ? this.chats.slice() : [],
unread: this.unread ? this.unread.slice() : [],
favorites: this.favorites ? this.favorites.slice() : [],
discussions: this.discussions ? this.discussions.slice() : [],
channels: this.channels ? this.channels.slice() : [],
privateGroup: this.privateGroup ? this.privateGroup.slice() : [],
direct: this.direct ? this.direct.slice() : [],
livechat: this.livechat ? this.livechat.slice() : [],
2019-04-17 18:57:46 +00:00
loading: false
});
this.forceUpdate();
2019-04-17 18:57:46 +00:00
});
}, 300);
initSearchingAndroid = () => {
2019-03-12 16:23:06 +00:00
const { openSearchHeader, navigation } = this.props;
this.setState({ searching: true });
2019-03-12 16:23:06 +00:00
navigation.setParams({ searching: true });
openSearchHeader();
}
cancelSearchingAndroid = () => {
2019-01-29 19:52:56 +00:00
if (isAndroid) {
2019-03-12 16:23:06 +00:00
const { closeSearchHeader, navigation } = this.props;
this.setState({ searching: false });
2019-03-12 16:23:06 +00:00
navigation.setParams({ searching: false });
closeSearchHeader();
this.internalSetState({ search: [] });
Keyboard.dismiss();
}
}
// this is necessary during development (enables Cmd + r)
hasActiveDB = () => database && database.databases && database.databases.activeDB;
handleBackPress = () => {
const { searching } = this.state;
const { appStart } = this.props;
if (searching) {
this.cancelSearchingAndroid();
return true;
}
appStart('background');
return false;
}
_isUnread = item => item.unread > 0 || item.alert
search = async(text) => {
const result = await RocketChat.search({ text });
this.internalSetState({
search: result
});
2018-03-02 21:31:44 +00:00
}
2017-08-10 16:16:32 +00:00
2019-04-08 12:35:28 +00:00
getRoomTitle = (item) => {
const { useRealName } = this.props;
return ((item.prid || useRealName) && item.fname) || item.name;
}
goRoom = (item) => {
this.cancelSearchingAndroid();
2019-03-12 16:23:06 +00:00
const { navigation } = this.props;
2019-04-08 12:35:28 +00:00
navigation.navigate('RoomView', {
rid: item.rid, name: this.getRoomTitle(item), t: item.t, prid: item.prid
2019-04-08 12:35:28 +00:00
});
}
2018-03-02 21:31:44 +00:00
_onPressItem = async(item = {}) => {
if (!item.search) {
2019-04-08 12:35:28 +00:00
return this.goRoom(item);
2017-08-10 16:16:32 +00:00
}
2018-03-02 21:31:44 +00:00
if (item.t === 'd') {
// if user is using the search we need first to join/create room
try {
const { username } = item;
2018-12-05 20:52:08 +00:00
const result = await RocketChat.createDirectMessage(username);
if (result.success) {
return this.goRoom({ rid: result.room._id, name: username, t: 'd' });
2018-12-05 20:52:08 +00:00
}
} catch (e) {
2019-05-28 16:18:46 +00:00
log('err_on_press_item', e);
}
} else {
2019-04-08 12:35:28 +00:00
return this.goRoom(item);
2018-03-02 21:31:44 +00:00
}
2017-08-05 18:16:32 +00:00
}
toggleSort = () => {
const { toggleSortDropdown } = this.props;
2019-01-29 19:52:56 +00:00
const offset = isAndroid ? 0 : SCROLL_OFFSET;
if (this.scroll.scrollTo) {
this.scroll.scrollTo({ x: 0, y: offset, animated: true });
} else if (this.scroll.scrollToOffset) {
this.scroll.scrollToOffset({ offset });
}
setTimeout(() => {
toggleSortDropdown();
}, 100);
}
goDirectory = () => {
const { navigation } = this.props;
navigation.navigate('DirectoryView');
}
getScrollRef = ref => this.scroll = ref
2019-04-17 18:57:46 +00:00
renderListHeader = () => {
const { search } = this.state;
const { sortBy } = this.props;
return (
2019-04-17 18:57:46 +00:00
<ListHeader
searchLength={search.length}
sortBy={sortBy}
onChangeSearchText={this.search}
toggleSort={this.toggleSort}
goDirectory={this.goDirectory}
2019-04-17 18:57:46 +00:00
/>
);
}
renderItem = ({ item }) => {
2019-03-29 19:36:07 +00:00
const {
2019-04-08 12:35:28 +00:00
userId, baseUrl, StoreLastMessage
2019-03-29 19:36:07 +00:00
} = this.props;
const id = item.rid.replace(userId, '').trim();
if (item.search || (item.isValid && item.isValid())) {
return (
<RoomItem
alert={item.alert}
unread={item.unread}
userMentions={item.userMentions}
favorite={item.f}
lastMessage={item.lastMessage ? JSON.parse(JSON.stringify(item.lastMessage)) : null}
name={this.getRoomTitle(item)}
_updatedAt={item.roomUpdatedAt}
key={item._id}
id={id}
type={item.t}
baseUrl={baseUrl}
prid={item.prid}
showLastMessage={StoreLastMessage}
onPress={() => this._onPressItem(item)}
testID={`rooms-list-view-item-${ item.name }`}
height={ROW_HEIGHT}
/>
);
}
return null;
}
renderSectionHeader = header => (
<View style={styles.groupTitleContainer}>
<Text style={styles.groupTitle}>{I18n.t(header)}</Text>
</View>
)
renderSection = (data, header) => {
const { showUnread, showFavorites, groupByType } = this.props;
if (header === 'Unread' && !showUnread) {
return null;
} else if (header === 'Favorites' && !showFavorites) {
return null;
2019-04-08 12:35:28 +00:00
} else if (['Discussions', 'Channels', 'Direct_Messages', 'Private_Groups', 'Livechat'].includes(header) && !groupByType) {
return null;
} else if (header === 'Chats' && groupByType) {
return null;
}
if (data && data.length > 0) {
return (
<FlatList
data={data}
keyExtractor={keyExtractor}
style={styles.list}
renderItem={this.renderItem}
ListHeaderComponent={() => this.renderSectionHeader(header)}
getItemLayout={getItemLayout}
enableEmptySections
removeClippedSubviews
keyboardShouldPersistTaps='always'
initialNumToRender={12}
windowSize={7}
/>
);
}
return null;
}
renderList = () => {
const {
2019-04-08 12:35:28 +00:00
search, chats, unread, favorites, discussions, channels, direct, privateGroup, livechat
} = this.state;
if (search.length > 0) {
return (
<FlatList
data={search}
extraData={search}
keyExtractor={keyExtractor}
style={styles.list}
renderItem={this.renderItem}
getItemLayout={getItemLayout}
enableEmptySections
removeClippedSubviews
keyboardShouldPersistTaps='always'
initialNumToRender={12}
windowSize={7}
/>
);
}
return (
<View style={styles.container}>
{this.renderSection(unread, 'Unread')}
{this.renderSection(favorites, 'Favorites')}
2019-04-08 12:35:28 +00:00
{this.renderSection(discussions, 'Discussions')}
{this.renderSection(channels, 'Channels')}
{this.renderSection(direct, 'Direct_Messages')}
{this.renderSection(privateGroup, 'Private_Groups')}
{this.renderSection(livechat, 'Livechat')}
{this.renderSection(chats, 'Chats')}
</View>
);
}
renderScroll = () => {
const { loading } = this.state;
if (loading) {
return <ActivityIndicator style={styles.loading} />;
}
const { showUnread, showFavorites, groupByType } = this.props;
if (!(showUnread || showFavorites || groupByType)) {
const { chats, search } = this.state;
return (
<FlatList
ref={this.getScrollRef}
data={search.length ? search : chats}
2019-01-29 19:52:56 +00:00
contentOffset={isIOS ? { x: 0, y: SCROLL_OFFSET } : {}}
keyExtractor={keyExtractor}
style={styles.list}
renderItem={this.renderItem}
ListHeaderComponent={this.renderListHeader}
getItemLayout={getItemLayout}
removeClippedSubviews
keyboardShouldPersistTaps='always'
2019-04-08 12:35:28 +00:00
initialNumToRender={9}
windowSize={9}
/>
);
}
return (
<ScrollView
ref={this.getScrollRef}
2019-01-29 19:52:56 +00:00
contentOffset={isIOS ? { x: 0, y: SCROLL_OFFSET } : {}}
keyboardShouldPersistTaps='always'
testID='rooms-list-view-list'
>
{this.renderListHeader()}
{this.renderList()}
</ScrollView>
);
}
render = () => {
2019-04-17 18:57:46 +00:00
console.count(`${ this.constructor.name }.render calls`);
const {
sortBy, groupByType, showFavorites, showUnread, showServerDropdown, showSortDropdown
} = this.props;
return (
<SafeAreaView style={styles.container} testID='rooms-list-view' forceInset={{ bottom: 'never' }}>
2019-03-12 16:23:06 +00:00
<StatusBar />
{this.renderScroll()}
{showSortDropdown
? (
<SortDropdown
close={this.toggleSort}
sortBy={sortBy}
groupByType={groupByType}
showFavorites={showFavorites}
showUnread={showUnread}
/>
)
: null
}
2019-04-17 18:57:46 +00:00
{showServerDropdown ? <ServerDropdown /> : null}
</SafeAreaView>
);
}
2017-08-03 18:23:43 +00:00
}