使用Redux React Native:加载数据,渲染显示为空

时间:2017-02-02 08:07:59

标签: reactjs react-native react-redux redux-thunk

我有一个带有react-redux,redux-persist和redux-thunk的本机应用程序。

在Component中,我正在使用props渲染数据,如果数据长度小于1,我会显示错误,没有数据可用。

它始终显示“没有数据可用”但实际上数据在道具中。当我检查控制台日志时,(使用redux-logger)数据在道具中可用。

如果我将forceUpdate()放在componentDidMount甚至没有帮助。

但如果我将forceUpdate()置于超时状态,它将加载数据。

setTimeout(()=>{
      this.forceUpdate();
    }, 1000);

可能是什么问题?在从道具加载数据之前渲染是否发生? CoursesPage.js

import {bindActionCreators} from "redux";
import {connect} from "react-redux";
import Courses from "./components/Courses";
import {Actions as routes} from "react-native-router-flux";
import * as courseActions from "./courses.actions";

function mapStateToProps(state) {
	return {
		user: state.auth.user,
		users: state.auth.users,
		courses: state.courses.courses,
		lectures: state.courses.lectures,
		courseDetails: routes.courseDetails,
		openProfile: routes.profilePage
	}
}

function dispatchToProps(dispatch) {
	return bindActionCreators({
		getCourses: courseActions.getCourses
	}, dispatch);
}

export default connect(mapStateToProps, dispatchToProps)(Courses);

Courses.js

import React, {Component, PropTypes} from "react";
import {
  ActivityIndicator,
  ListView,
  StyleSheet,
  Text,
  View,
  Image,
  NetInfo,
  Alert,
  TouchableOpacity,
  ScrollView,
  Dimensions,
  Platform,
  RefreshControl
} from 'react-native';
import { Loader, Accordion, I18n, CustomNavBar, CustomAccordion } from "../../common/components";
import styles from "../../common/styles";
let DeviceInfo = require('react-native-device-info');
import Icon from 'react-native-vector-icons/Ionicons';
let { width, height } = Dimensions.get('window');

export default class Courses extends Component {
	static propTypes = {
		user: PropTypes.string.isRequired,
    users: PropTypes.object.isRequired,
		courseDetails: PropTypes.func.isRequired,
		courses: PropTypes.object.isRequired,
    getCourses: PropTypes.func.isRequired,
    openProfile: PropTypes.func.isRequired
	};

	constructor(props) {
    super(props);
    this.state = {
      isLoading: false,
      isRefreshing: false
    };
    this._isMounted = false;
  }

	componentWillMount(){
    this._isMounted = true;
    const { users, getCourses } = this.props;
    getCourses(users);
	}

  componentWillUnmount(){
    this._isMounted = false;
  }

  componentWillReceiveProps(){
    setTimeout(()=>{
      this.forceUpdate();
    }, 1000);
  }

  componentDidMount(){
    setTimeout(()=>{
      this.forceUpdate();
    }, 1000);
    setTimeout(()=>{
      this.forceUpdate();
    }, 2000);
  }

  async loadData(){
    await this.props.getCourses(this.props.users);
    setTimeout(()=>{
      this.forceUpdate();
    }, 1000);
  }

  selectRow(courseData) {
    this.props.courseDetails({
      courseData: courseData
    });
  }

  renderData(containerList){

    /*  rendering .... */
  
  }

	render() {
    const {user, users, getCourses, courses, openProfile} = this.props;
    const data = courses[user];
    let containerList = [];
    Object.keys(data).forEach((d)=>{
      let courseList = [];
      Object.keys(data[d].courses).forEach((c)=>{
        courseList.push(data[d].courses[c]);
      });
      containerList.push({
        id: data[d].id,
        title: data[d].title,
        courses: courseList
      });
    });

    return (
        <View style={styles.container}>
          <View style={{ width: width, height: Platform.OS == "ios" ? 64 : 54}}>
            <CustomNavBar
              width={width}
              height={Platform.OS == "ios" ? 64 : 54}
              title={I18n.t("details_page_book_button")}
              titleSize={18}
              buttonSize={15}
              background={"#00a2dd"}
              color={"#FFF"}
              rightIcon={"ios-person-outline"}
              rightIconSize={30}
              rightAction={()=> { openProfile(); }}
            />
          </View>
          <View style={{ height: Platform.OS == "ios" ? height - 114 : height - 130 }}>
            {!this.state.isLoading ?
              <ScrollView
              refreshControl={
                <RefreshControl
                  refreshing={this.state.isRefreshing}
                  onRefresh={this.loadData.bind(this)}
                  tintColor="#00a2dd"
                  title=""
                  titleColor="#00a2dd"
                  colors={['#00a2dd', '#00a2dd', '#00a2dd']}
                  progressBackgroundColor="#FFFFFF"
                />
              }
            >
              {this.renderData(containerList)}
            </ScrollView>
            :<ActivityIndicator
        				animating={true}
        				style={{ paddingTop: Platform.OS == "ios" ? (height - 114)/2 : (height - 130)/2 }}
        				color={'#00a2dd'}
        				size={'small'}
        			/>}
          </View>
        </View>
    );
	}
}

enter image description here

1 个答案:

答案 0 :(得分:1)

我认为你不会改变状态所以它被看作是相同的数据。所以我建议你应该改变代码,如下所示。你也应该使用不可变的js来改变状态。

<强> courseActions

export function getCoursesRequest () {
  return {
    type: "GET_COURSES_REQUEST"
  }
}
export function getCoursesSuccess (json) {
  return {
    type: "GET_COURSES_SUCCESS",
    payload: json
  }
}
export function getCoursesFailure (json) {
  return {
    type: "GET_COURSES_FAILURE",
    payload: json
  }
}
export function getCourses (sessionToken) {
  return dispatch => {
    dispatch(getCoursesRequest())
    // store or get a sessionToken
    return appAuthToken.getSessionToken(sessionToken)
      .then((token) => {
        return BackendFactory(token).getCourses()
      })
      .then((json) => {
        dispatch(getCoursesSuccess(json))
      })
      .catch((error) => {
        dispatch(getCoursesFailure(error))
      })
  }
}

<强> coursesInitialState

const {Record} = require("immutable");

var InitialState = Record({
    courses: {}
});
export default InitialState;

<强>减速器

const InitialState = require("./authInitialState").default;    

const initialState = new InitialState();

export const courseReducer = (state = initialState, action) => {
    if (!(state instanceof InitialState)) return initialState.mergeDeep(state);
    switch (action.type) {

        case "GET_COURSES_SUCCESS":
            const {value} = action.payload;
            let nextState = state.setIn(["courses"], value;

            return nextState;
        case "GET_COURSES_FAILURE":
    }
}