开发者问题收集

未捕获的类型错误:无法读取未定义的属性“uid”

2018-03-16
14040

使用 reactjs、firebase(google auth)、react-router 和 redux 设置身份验证。

问题很简单,但我找不到任何在线资源或解决方案来修复它。

无法读取 uid(firebase 中的用户 ID)的权限,因为它告诉我它未定义?我已将其设置为私有路由是一个新组件,并且已将其导入我的应用路由器中。我也计划有一条公共路线。

这是我的代码以及错误的屏幕截图。

PrivateRoute.js

import React from 'react';
import { connect } from 'react-redux';
import { Route, Redirect } from 'react-router-dom';

export const PrivateRoute = (props) => (
    <Route {...props} />
  );

const mapStateToProps = (state) => ({
  isAuthenticated: !!state.auth.uid <-error on this uid
});

export default connect(mapStateToProps)(PrivateRoute);

AppRouter.js

import PrivateRoute from './PrivateRoute'

<Route path="/" component={Login} exact={true}/>
<PrivateRoute path="/dashboard" component={Dashboard} />
<PrivateRoute path="/create" component={AddExp}/>

当我退出并尝试访问 /create 私人路线时出现的错误屏幕截图

Console errors: chrome

已更新以添加 redux 存储配置文件

import authenticationReducer from '../reducers/authentication'

export default () => {
    const store = createStore(
        combineReducers({
            expenses: expensesReducer,
            authentication: authenticationReducer
        }),
        composeEnhancers(applyMiddleware(thunk))
    );
    return store;
};

Auth Reducer(以防万一)需要)

export default (state = {}, action) => {
    switch (action.type) {
        case 'LOGIN':
        return {
            uid: action.uid
        };
        case 'LOGOUT':
        return {

        };
        default:
        return state;
    }
};
2个回答

无法读取未定义的属性“uid” - 意味着您正在尝试 variable.uid 之类的操作,但 variable 未定义。根据错误行, state.auth 未定义。

您应该能够在那里查看您的状态,无论是调试还是在 mapStateToProps 中抛出 console.log 以查看您的状态实际上是什么样的:

const mapStateToProps = (state) => {
  console.log('state:', state); // see what state is
  return {
    isAuthenticated: !!state.auth.uid <-error on this uid
  };
}

查看 combineReducers 似乎您正在将 authenticationReducer 的结果放在 state.authentication 上,而不是 state.auth ...

combineReducers({
    expenses: expensesReducer,
    authentication: authenticationReducer
}),
Jason Goemaat
2018-03-16

您正在 state.authentication.uid 上设置 uid 并尝试从 state.auth.uid 访问它>

Anthony
2018-03-16