您如何以编程方式更新react-router中的查询参数?


117

我似乎找不到不使用来使用react-router更新查询参数的方法<Link/>hashHistory.push(url)似乎没有注册查询参数,并且似乎也不能将查询对象或任何内容作为第二个参数传递。

如何从更改URL /shop/Clothes/dresses,以/shop/Clothes/dresses?color=blue在反应路由器没有使用<Link>

而且是一个onChange真正的函数来监听查询变化的唯一途径?为什么没有自动检测到查询更改并对参数更改做出反应?


您应该使用此问题中
Joseph Combs

Answers:


143

pushhashHistory,您可以指定查询参数。例如,

history.push({
  pathname: '/dresses',
  search: '?color=blue'
})

要么

history.push('/dresses?color=blue')

您可以查看此存储库以获取有关使用的其他示例history


2
太棒了!无论如何,是否要传递查询对象{color:blue,size:10}而不是字符串?
claireablani

1
@claireablani目前,我认为不支持
John F.

1
@claireablani您可以试试看router.push({ pathname: '/path', state: { color: 'blue', size: 10 }, });
MichelH

4
只是为了澄清起见,这在React Router v4中不再起作用。为此,请参见@kristupas-repečka的答案
dkniffin

13
我们生活在一个不稳定的时期。
KristupasRepečka

39

使用react-router v4,redux-thunk和react-router-redux(5.0.0-alpha.6)软件包的示例。

当用户使用搜索功能时,我希望他能够将相同查询的URL链接发送给同事。

import { push } from 'react-router-redux';
import qs from 'query-string';

export const search = () => (dispatch) => {
    const query = { firstName: 'John', lastName: 'Doe' };

    //API call to retrieve records
    //...

    const searchString = qs.stringify(query);

    dispatch(push({
        search: searchString
    }))
}

8
react-router-redux已弃用
vsync

我认为现在必须通过呈现<Redirect>标记来完成此工作,链接到 文档页面
TKAB

2
您可以将组件包装在 withReducer HOC中,这将为您提供history支持。然后您可以运行history.push({ search: querystring }
sasklacz

相反的react-router-redux,你可以用connected-react-router它不会被弃用。
索伦Boisen

29

约翰的答案是正确的。当我处理参数时,我还需要URLSearchParams接口:

this.props.history.push({
    pathname: '/client',
    search: "?" + new URLSearchParams({clientId: clientId}).toString()
})

您可能还需要用withRouterHOC 包装组件,例如。export default withRouter(YourComponent);


1
withRouter是一个HOC,而不是一个装饰器
Luis Paulo

4
    for react-router v4.3, 
 const addQuery = (key, value) => {
  let pathname = props.location.pathname; 
 // returns path: '/app/books'
  let searchParams = new URLSearchParams(props.location.search); 
 // returns the existing query string: '?type=fiction&author=fahid'
  searchParams.set(key, value);
  this.props.history.push({
           pathname: pathname,
           search: searchParams.toString()
     });
 };

  const removeQuery = (key) => {
  let pathname = props.location.pathname; 
 // returns path: '/app/books'
  let searchParams = new URLSearchParams(props.location.search); 
 // returns the existing query string: '?type=fiction&author=fahid'
  searchParams.delete(key);
  this.props.history.push({
           pathname: pathname,
           search: searchParams.toString()
     });
 };


 ```

 ```
 function SomeComponent({ location }) {
   return <div>
     <button onClick={ () => addQuery('book', 'react')}>search react books</button>
     <button onClick={ () => removeQuery('book')}>remove search</button>
   </div>;
 }
 ```


 //  To know more on URLSearchParams from 
[Mozilla:][1]

 var paramsString = "q=URLUtils.searchParams&topic=api";
 var searchParams = new URLSearchParams(paramsString);

 //Iterate the search parameters.
 for (let p of searchParams) {
   console.log(p);
 }

 searchParams.has("topic") === true; // true
 searchParams.get("topic") === "api"; // true
 searchParams.getAll("topic"); // ["api"]
 searchParams.get("foo") === null; // true
 searchParams.append("topic", "webdev");
 searchParams.toString(); // "q=URLUtils.searchParams&topic=api&topic=webdev"
 searchParams.set("topic", "More webdev");
 searchParams.toString(); // "q=URLUtils.searchParams&topic=More+webdev"
 searchParams.delete("topic");
 searchParams.toString(); // "q=URLUtils.searchParams"


[1]: https://developer.mozilla.org/en-US/docs/Web/API/URLSearchParams

3

GitHub上的DimitriDushkin

import { browserHistory } from 'react-router';

/**
 * @param {Object} query
 */
export const addQuery = (query) => {
  const location = Object.assign({}, browserHistory.getCurrentLocation());

  Object.assign(location.query, query);
  // or simple replace location.query if you want to completely change params

  browserHistory.push(location);
};

/**
 * @param {...String} queryNames
 */
export const removeQuery = (...queryNames) => {
  const location = Object.assign({}, browserHistory.getCurrentLocation());
  queryNames.forEach(q => delete location.query[q]);
  browserHistory.push(location);
};

要么

import { withRouter } from 'react-router';
import { addQuery, removeQuery } from '../../utils/utils-router';

function SomeComponent({ location }) {
  return <div style={{ backgroundColor: location.query.paintRed ? '#f00' : '#fff' }}>
    <button onClick={ () => addQuery({ paintRed: 1 })}>Paint red</button>
    <button onClick={ () => removeQuery('paintRed')}>Paint white</button>
  </div>;
}

export default withRouter(SomeComponent);

2

当需要一个模块来轻松解析查询字符串时,建议使用查询字符串模块。

http:// localhost:3000?token = xxx-xxx-xxx

componentWillMount() {
    var query = queryString.parse(this.props.location.search);
    if (query.token) {
        window.localStorage.setItem("jwt", query.token);
        store.dispatch(push("/"));
    }
}

在这里,成功进行Google-Passport身份验证后,我将从Node.js服务器重定向回我的客户端,该身份验证使用令牌作为查询参数进行重定向。

我正在使用查询字符串模块对其进行解析,保存并使用react-router-redux中的 push更新URL中的查询参数。


1

我希望您使用下面的ES6样式函数:

getQueryStringParams = query => {
    return query
        ? (/^[?#]/.test(query) ? query.slice(1) : query)
            .split('&')
            .reduce((params, param) => {
                    let [key, value] = param.split('=');
                    params[key] = value ? decodeURIComponent(value.replace(/\+/g, ' ')) : '';
                    return params;
                }, {}
            )
        : {}
};

1

也可以这样写

this.props.history.push(`${window.location.pathname}&page=${pageNumber}`)
By using our site, you acknowledge that you have read and understand our Cookie Policy and Privacy Policy.
Licensed under cc by-sa 3.0 with attribution required.