Home Reference Source

app/components/ChatsList.js

  1. /* Import Components */
  2. import React, {
  3. ListView,
  4. StyleSheet,
  5. PropTypes,
  6. Dimensions,
  7. } from 'react-native';
  8. import Message from './Message.js';
  9.  
  10. const { width: screenWidth } = Dimensions.get('window');
  11.  
  12. const styles = StyleSheet.create({
  13. container: {
  14. flex: 1,
  15. },
  16. contentContainer: {
  17. justifyContent: 'flex-end',
  18. padding: 6,
  19. alignItems: 'center',
  20. width: screenWidth,
  21. marginTop: 70,
  22. },
  23. });
  24.  
  25. /**
  26. * ChatsList is a React class component.
  27. * It renders a ListView control using a Message component to render each row.
  28. * @param {Object} props - prop for ChatsList component.
  29. * @param {Array<Object>} props.messages - An array of messages to render in the * ChatsList.
  30. */
  31. class ChatsList extends React.Component {
  32. constructor(props) {
  33. super(props);
  34.  
  35. const ds = new ListView.DataSource({ rowHasChanged: (oldRow, newRow) => oldRow !== newRow });
  36. this.state = {
  37. dataSource: ds.cloneWithRows(this.props.messages),
  38. };
  39. }
  40.  
  41. /* When component receives new props we need to manually update the ListView
  42. * data source since render is not triggered automatically.
  43. */
  44. componentWillReceiveProps(nextProps) {
  45. const ds = new ListView.DataSource({ rowHasChanged: (oldRow, newRow) => oldRow !== newRow });
  46. this.setState({
  47. dataSource: ds.cloneWithRows(nextProps.messages),
  48. });
  49. }
  50.  
  51. /* This function defines how a row will be rendered and is passed into
  52. * the ListView
  53. */
  54. renderRow(rowData = {}) {
  55. return (
  56. <Message {...rowData} />
  57. );
  58. }
  59.  
  60. /* Renders the ListView component */
  61. render() {
  62. return (
  63. <ListView
  64. style={[styles.container]}
  65. renderRow={this.renderRow}
  66. dataSource={this.state.dataSource}
  67. contentContainerStyle={[styles.contentContainer]}
  68. keyboardDismissMode="interactive"
  69. enableEmptySections
  70. />
  71. );
  72. }
  73. }
  74.  
  75. ChatsList.propTypes = {
  76. messages: PropTypes.array.isRequired,
  77. };
  78.  
  79. export default ChatsList;