- html - 出于某种原因,IE8 对我的 Sass 文件中继承的 html5 CSS 不友好?
- JMeter 在响应断言中使用 span 标签的问题
- html - 在 :hover and :active? 上具有不同效果的 CSS 动画
- html - 相对于居中的 html 内容固定的 CSS 重复背景?
不确定为什么会出现以下错误。
Uncaught TypeError: Object(...) is not a function
at Redirect.componentDidUpdate (Redirect.js:42)
我的 routeInterceptor 组件的渲染方法:
render() {
const { forbidden, notFound } = this.state;
const { authed } = this.props;
// const { location } = this.props;
// const { pathname } = location;
console.log('this.props', this.props);
console.log('authed', authed);
// If authentication is complete, but the user is not logged in,
// redirect to the login view.
/*
Problem starts here, if I move the forbidden logic above this
Everything works, however the user is then always redirected to the
forbidden page instead of login
*/
if (authed === false) return <Redirect to="/login" />;
// If user is logged in and accesses an unathenticated view,
// redirect to the Products view.
if (authed === true) return <Products />;
// if (forbidden && pathname !== '/login') return <Forbidden />;
if (forbidden) return <Forbidden />;
if (notFound) return <NotFound />;
return <Loading />;
}
Redirect 组件中代码中断的地方:
Redirect.prototype.componentDidUpdate = function componentDidUpdate(prevProps) {
var prevTo = createLocation(prevProps.to); // <- This line.
var nextTo = createLocation(this.props.to);
if (locationsAreEqual(prevTo, nextTo)) {
warning(false, 'You tried to redirect to the same route you\'re currently on: ' + ('"' + nextTo.pathname + nextTo.search + '"'));
return;
}
this.perform();
};
下面是 createLocation
的实现,它是 history
包的一部分:
https://github.com/ReactTraining/history/blob/master/modules/LocationUtils.js
这是prevProps
的日志:
知道这里可能出了什么问题吗?
这是 LocationUtils.js 的所有代码,它是历史的一部分,包含 createLocation
函数。
import resolvePathname from "resolve-pathname";
import valueEqual from "value-equal";
import { parsePath } from "./PathUtils";
export const createLocation = (path, state, key, currentLocation) => {
let location;
if (typeof path === "string") {
// Two-arg form: push(path, state)
location = parsePath(path);
location.state = state;
} else {
// One-arg form: push(location)
location = { ...path };
if (location.pathname === undefined) location.pathname = "";
if (location.search) {
if (location.search.charAt(0) !== "?")
location.search = "?" + location.search;
} else {
location.search = "";
}
if (location.hash) {
if (location.hash.charAt(0) !== "#") location.hash = "#" + location.hash;
} else {
location.hash = "";
}
if (state !== undefined && location.state === undefined)
location.state = state;
}
try {
location.pathname = decodeURI(location.pathname);
} catch (e) {
if (e instanceof URIError) {
throw new URIError(
'Pathname "' +
location.pathname +
'" could not be decoded. ' +
"This is likely caused by an invalid percent-encoding."
);
} else {
throw e;
}
}
if (key) location.key = key;
if (currentLocation) {
// Resolve incomplete/relative pathname relative to current location.
if (!location.pathname) {
location.pathname = currentLocation.pathname;
} else if (location.pathname.charAt(0) !== "/") {
location.pathname = resolvePathname(
location.pathname,
currentLocation.pathname
);
}
} else {
// When there is no prior location and pathname is empty, set it to /
if (!location.pathname) {
location.pathname = "/";
}
}
return location;
};
export const locationsAreEqual = (a, b) =>
a.pathname === b.pathname &&
a.search === b.search &&
a.hash === b.hash &&
a.key === b.key &&
valueEqual(a.state, b.state);
最佳答案
想通了,但很痛苦!
这是一个竞争条件,因为当 routeInterceptor 改变路线时,新路线重新生成的速度不够快。
在另一个模块中,routeManager 我们需要将 location
添加到 connect 中,以便 watch
它。
import React from 'react';
import { connect } from 'react-redux';
// React router
import { Route, Switch } from 'react-router-dom';
import { ConnectedRouter } from 'react-router-redux';
// Actions
import { onAuthStateChange } from 'actions/Auth';
// MUI Components
import CssBaseline from '@material-ui/core/CssBaseline';
// Components
import Main from 'components/Common/main';
import Loading from 'components/Common/loading';
import * as components from 'components';
// Utils
import history from 'clientHistory';
import { cleanMapStateToProps } from 'utils/redux';
import { getRoutesArray } from 'utils/routes';
// Copy
import { PAGE_AUTH_REQS } from 'copy/Global/routes';
const {
AUTHORIZED,
UNAUTHORIZED
} = PAGE_AUTH_REQS;
const getComponentForRoute = compName => (
components[compName] || (() => null)
);
const getRouteComponents = FILTER => getRoutesArray(FILTER)
.map(route => ({
...route,
component: getComponentForRoute(route.component)
}))
.map(route => (<Route {...route} key={route.label} />));
class RouteManager extends React.Component {
componentDidMount() {
this.props.onAuthStateChange();
}
renderAuthorizedRoutes() {
const routes = getRouteComponents(AUTHORIZED);
return (
<ConnectedRouter history={history}>
<Main
signOut={this.signOut}
notifications={this.props.notifications}
currentNotification={this.props.currentNotification}
>
<CssBaseline />
<Switch>
{routes}
</Switch>
</Main>
</ConnectedRouter>
);
}
renderUnauthorizedRoutes() {
const routes = getRouteComponents(UNAUTHORIZED);
return (
<ConnectedRouter history={history}>
<Main
signOut={this.signOut}
notifications={this.props.notifications}
currentNotification={this.props.currentNotification}
>
<CssBaseline />
<Switch>
{routes}
</Switch>
</Main>
</ConnectedRouter>
);
}
render() {
const { authed } = this.props;
if (authed === null) {
return <Loading />;
}
return authed
? this.renderAuthorizedRoutes()
: this.renderUnauthorizedRoutes();
}
}
export const RouteManagerJest = RouteManager;
const mapDispatchToProps = dispatch => ({
onAuthStateChange: () => { dispatch(onAuthStateChange()); }
});
export default connect(cleanMapStateToProps([
'authed',
'location', // <-- Needed to just add location here.
'currentNotification',
'notifications'
]), mapDispatchToProps)(RouteManager);
export default connect(cleanMapStateToProps([
'authed',
'location', // <-- Needed to just add location here.
'currentNotification',
'notifications'
]), mapDispatchToProps)(RouteManager);
import { PAGE_AUTH_REQS } from 'copy/Global/routes';
export const PROP_CONTENT_ROUTE = '[[ContentRoute]]';
const exact = true;
const {
ANY,
AUTHORIZED,
UNAUTHORIZED
} = PAGE_AUTH_REQS;
/**
* Do not export routes - if you need to get a list of routes (as an array or
* object), use one of the convenience methods down below.
*/
const routesConfig = {
// Auth Routes => /:context
authLogin: {
label: 'Login',
path: '/login',
title: 'Login',
authReq: UNAUTHORIZED,
component: 'Login',
exact
},
authResetPassword: {
label: 'Reset',
path: '/reset-password',
title: 'Reset Password',
authReq: UNAUTHORIZED,
component: 'ResetPassword',
exact
},
authRedirector: {
label: 'Redirect',
path: '/redirect',
title: 'Firebase Redirect',
authReq: UNAUTHORIZED,
component: 'FirebaseRedirector',
exact
},
authChangePassword: {
label: 'Change',
path: '/change-password/:oobCode/',
title: 'Change Password',
authReq: UNAUTHORIZED,
component: 'ChangePassword',
exact
},
authVerification: {
label: 'Verify',
path: '/verification',
title: 'Verify your email',
authReq: UNAUTHORIZED,
component: 'Login',
exact
},
authRestricted: {
label: 'Restricted Access',
path: '/restricted-access',
title: 'Restricted Access',
authReq: UNAUTHORIZED,
component: 'RestrictedAccess',
exact
},
products: {
label: 'Products',
path: '/(products)?',
title: 'Products',
authReq: AUTHORIZED,
component: 'Products'
},
// ********************************************************
// ********************************************************
// ********************************************************
// ANY ROUTES BELOW RouteInterceptor WILL NOT BE CONSIDERED
// ********************************************************
// ********************************************************
// ********************************************************
routeInterceptor: {
label: null,
title: null,
authReq: ANY,
component: 'RouteInterceptor'
}
};
export default routesConfig;
现在它终于按预期工作了。
关于javascript - 获取 TypeError : Object(. ..) 不是在 React 中更改路由时的函数,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/51085536/
SQLite、Content provider 和 Shared Preference 之间的所有已知区别。 但我想知道什么时候需要根据情况使用 SQLite 或 Content Provider 或
警告:我正在使用一个我无法完全控制的后端,所以我正在努力解决 Backbone 中的一些注意事项,这些注意事项可能在其他地方更好地解决......不幸的是,我别无选择,只能在这里处理它们! 所以,我的
我一整天都在挣扎。我的预输入搜索表达式与远程 json 数据完美配合。但是当我尝试使用相同的 json 数据作为预取数据时,建议为空。点击第一个标志后,我收到预定义消息“无法找到任何内容...”,结果
我正在制作一个模拟 NHL 选秀彩票的程序,其中屏幕右侧应该有一个 JTextField,并且在左侧绘制弹跳的选秀球。我创建了一个名为 Ball 的类,它实现了 Runnable,并在我的主 Draf
这个问题已经有答案了: How can I calculate a time span in Java and format the output? (18 个回答) 已关闭 9 年前。 这是我的代码
我有一个 ASP.NET Web API 应用程序在我的本地 IIS 实例上运行。 Web 应用程序配置有 CORS。我调用的 Web API 方法类似于: [POST("/API/{foo}/{ba
我将用户输入的时间和日期作为: DatePicker dp = (DatePicker) findViewById(R.id.datePicker); TimePicker tp = (TimePic
放宽“邻居”的标准是否足够,或者是否有其他标准行动可以采取? 最佳答案 如果所有相邻解决方案都是 Tabu,则听起来您的 Tabu 列表的大小太长或您的释放策略太严格。一个好的 Tabu 列表长度是
我正在阅读来自 cppreference 的代码示例: #include #include #include #include template void print_queue(T& q)
我快疯了,我试图理解工具提示的行为,但没有成功。 1. 第一个问题是当我尝试通过插件(按钮 1)在点击事件中使用它时 -> 如果您转到 Fiddle,您会在“内容”内看到该函数' 每次点击都会调用该属
我在功能组件中有以下代码: const [ folder, setFolder ] = useState([]); const folderData = useContext(FolderContex
我在使用预签名网址和 AFNetworking 3.0 从 S3 获取图像时遇到问题。我可以使用 NSMutableURLRequest 和 NSURLSession 获取图像,但是当我使用 AFHT
我正在使用 Oracle ojdbc 12 和 Java 8 处理 Oracle UCP 管理器的问题。当 UCP 池启动失败时,我希望关闭它创建的连接。 当池初始化期间遇到 ORA-02391:超过
关闭。此题需要details or clarity 。目前不接受答案。 想要改进这个问题吗?通过 editing this post 添加详细信息并澄清问题. 已关闭 9 年前。 Improve
引用这个plunker: https://plnkr.co/edit/GWsbdDWVvBYNMqyxzlLY?p=preview 我在 styles.css 文件和 src/app.ts 文件中指定
为什么我的条形这么细?我尝试将宽度设置为 1,它们变得非常厚。我不知道还能尝试什么。默认厚度为 0.8,这是应该的样子吗? import matplotlib.pyplot as plt import
当我编写时,查询按预期执行: SELECT id, day2.count - day1.count AS diff FROM day1 NATURAL JOIN day2; 但我真正想要的是右连接。当
我有以下时间数据: 0 08/01/16 13:07:46,335437 1 18/02/16 08:40:40,565575 2 14/01/16 22:2
一些背景知识 -我的 NodeJS 服务器在端口 3001 上运行,我的 React 应用程序在端口 3000 上运行。我在 React 应用程序 package.json 中设置了一个代理来代理对端
我面临着一个愚蠢的问题。我试图在我的 Angular 应用程序中延迟加载我的图像,我已经尝试过这个2: 但是他们都设置了 src attr 而不是 data-src,我在这里遗漏了什么吗?保留 d
我是一名优秀的程序员,十分优秀!