Pasar accesorios en Link reaccionar-router

Resuelto vishal atmakuri asked hace 9 años • 19 respuestas

Estoy usando reaccionar con reaccionar-enrutador. Estoy intentando pasar propiedades en un "Enlace" de reaccionar-router

var React  = require('react');
var Router = require('react-router');
var CreateIdeaView = require('./components/createIdeaView.jsx');

var Link = Router.Link;
var Route = Router.Route;
var DefaultRoute = Router.DefaultRoute;
var RouteHandler = Router.RouteHandler;
var App = React.createClass({
  render : function(){
    return(
      <div>
        <Link to="ideas" params={{ testvalue: "hello" }}>Create Idea</Link>
        <RouteHandler/>
      </div>
    );
  }
});

var routes = (
  <Route name="app" path="/" handler={App}>
    <Route name="ideas" handler={CreateIdeaView} />
    <DefaultRoute handler={Home} />
  </Route>
);

Router.run(routes, function(Handler) {

  React.render(<Handler />, document.getElementById('main'))
});

El "Enlace" muestra la página pero no pasa la propiedad a la nueva vista. A continuación se muestra el código de vista.

var React = require('react');
var Router = require('react-router');

var CreateIdeaView = React.createClass({
  render : function(){
    console.log('props form link',this.props,this)//props not recived
  return(
      <div>
        <h1>Create Post: </h1>
        <input type='text' ref='newIdeaTitle' placeholder='title'></input>
        <input type='text' ref='newIdeaBody' placeholder='body'></input>
      </div>
    );
  }
});

module.exports = CreateIdeaView;

¿Cómo puedo pasar datos usando "Enlace"?

vishal atmakuri avatar May 08 '15 10:05 vishal atmakuri
Aceptado

Falta esta línea path:

<Route name="ideas" handler={CreateIdeaView} />

Debiera ser:

<Route name="ideas" path="/:testvalue" handler={CreateIdeaView} />

Dado lo siguiente Link (v1 desactualizado) :

<Link to="ideas" params={{ testvalue: "hello" }}>Create Idea</Link>

Actualizado a partir de v4/v5 :

const backUrl = '/some/other/value'
// this.props.testvalue === "hello"

// Using query
<Link to={{pathname: `/${this.props.testvalue}`, query: {backUrl}}} />

// Using search
<Link to={{pathname: `/${this.props.testvalue}`, search: `?backUrl=${backUrl}`} />
<Link to={`/${this.props.testvalue}?backUrl=${backUrl}`} />

y en los withRouter(CreateIdeaView)componentesrender() , uso obsoleto de withRouterun componente de orden superior:

console.log(this.props.match.params.testvalue, this.props.location.query.backurl)
// output
hello /some/other/value

Y en componentes funcionales utilizando los ganchos useParamsy useLocation:

const CreatedIdeaView = () => {
    const { testvalue } = useParams();
    const { query, search } = useLocation(); 
    console.log(testvalue, query.backUrl, new URLSearchParams(search).get('backUrl'))
    return <span>{testvalue} {backurl}</span>    
}

Desde el enlace que publicó en los documentos, hacia la parte inferior de la página:

Dada una ruta como<Route name="user" path="/users/:userId"/>



Ejemplo de código actualizado con algunos ejemplos de consultas fragmentadas:

// import React, {Component, Props, ReactDOM} from 'react';
// import {Route, Switch} from 'react-router'; etc etc
// this snippet has it all attached to window since its in browser
const {
  BrowserRouter,
  Switch,
  Route,
  Link,
  NavLink
} = ReactRouterDOM;

class World extends React.Component {
  constructor(props) {
    super(props);
    console.dir(props);      
    this.state = {
      fromIdeas: props.match.params.WORLD || 'unknown'
    }
  }
  render() {
    const { match, location} = this.props;
    return (
      <React.Fragment>
        <h2>{this.state.fromIdeas}</h2>
        <span>thing: 
          {location.query 
            && location.query.thing}
        </span><br/>
        <span>another1: 
        {location.query 
          && location.query.another1 
          || 'none for 2 or 3'}
        </span>
      </React.Fragment>
    );
  }
}

class Ideas extends React.Component {
  constructor(props) {
    super(props);
    console.dir(props);
    this.state = {
      fromAppItem: props.location.item,
      fromAppId: props.location.id,
      nextPage: 'world1',
      showWorld2: false
    }
  }
  render() {
    return (
      <React.Fragment>
          <li>item: {this.state.fromAppItem.okay}</li>
          <li>id: {this.state.fromAppId}</li>
          <li>
            <Link 
              to={{
                pathname: `/hello/${this.state.nextPage}`, 
                query:{thing: 'asdf', another1: 'stuff'}
              }}>
              Home 1
            </Link>
          </li>
          <li>
            <button 
              onClick={() => this.setState({
              nextPage: 'world2',
              showWorld2: true})}>
              switch  2
            </button>
          </li>
          {this.state.showWorld2 
           && 
           <li>
              <Link 
                to={{
                  pathname: `/hello/${this.state.nextPage}`, 
                  query:{thing: 'fdsa'}}} >
                Home 2
              </Link>
            </li> 
          }
        <NavLink to="/hello">Home 3</NavLink>
      </React.Fragment>
    );
  }
}


class App extends React.Component {
  render() {
    return (
      <React.Fragment>
        <Link to={{
          pathname:'/ideas/:id', 
          id: 222, 
          item: {
              okay: 123
          }}}>Ideas</Link>
        <Switch>
          <Route exact path='/ideas/:id/' component={Ideas}/>
          <Route path='/hello/:WORLD?/:thing?' component={World}/>
        </Switch>
      </React.Fragment>
    );
  }
}

ReactDOM.render((
  <BrowserRouter>
    <App />
  </BrowserRouter>
), document.getElementById('ideas'));
<script src="https://cdnjs.cloudflare.com/ajax/libs/react/16.6.3/umd/react.production.min.js"></script>
<script src="https://cdnjs.cloudflare.com/ajax/libs/react-dom/16.6.3/umd/react-dom.production.min.js"></script>
<script src="https://cdnjs.cloudflare.com/ajax/libs/react-router-dom/4.3.1/react-router-dom.min.js"></script>
<script src="https://cdnjs.cloudflare.com/ajax/libs/react-router/4.3.1/react-router.min.js"></script>

<div id="ideas"></div>
Expandir fragmento

#actualizaciones:

Consulte: https://github.com/ReactTraining/react-router/blob/0c6d51cd6639aff8a84b11d89e27887b3558ed8a/upgrade-guides/v2.0.0.md#link-to-onenter-and-isactive-use-location-descriptors

De la guía de actualización de 1.x a 2.x:

<Link to>, onEnter y isActive utilizan descriptores de ubicación

<Link to>Ahora puede tomar un descriptor de ubicación además de cadenas. Los accesorios de consulta y estado están en desuso.

// v1.0.x

<Link to="/foo" query={{ the: 'query' }}/>

// v2.0.0

<Link to={{ pathname: '/foo', query: { the: 'query' } }}/>

// Sigue siendo válido en 2.x

<Link to="/foo"/>

Del mismo modo, la redirección desde un enlace onEnter ahora también utiliza un descriptor de ubicación.

// v1.0.x

(nextState, replaceState) => replaceState(null, '/foo')
(nextState, replaceState) => replaceState(null, '/foo', { the: 'query' })

// v2.0.0

(nextState, replace) => replace('/foo')
(nextState, replace) => replace({ pathname: '/foo', query: { the: 'query' } })

Para componentes personalizados tipo enlace, lo mismo se aplica a router.isActive, anteriormente historial.isActive.

// v1.0.x

history.isActive(pathname, query, indexOnly)

// v2.0.0

router.isActive({ pathname, query }, indexOnly)

#actualizaciones para v3 a v4:

  • https://github.com/ReactTraining/react-router/blob/432dc9cf2344c772ab9f6379998aa7d74c1d43de/packages/react-router/docs/guides/migrating.md

  • https://github.com/ReactTraining/react-router/pull/3803

  • https://github.com/ReactTraining/react-router/pull/3669

  • https://github.com/ReactTraining/react-router/pull/3430

  • https://github.com/ReactTraining/react-router/pull/3443

  • https://github.com/ReactTraining/react-router/pull/3803

  • https://github.com/ReactTraining/react-router/pull/3636

  • https://github.com/ReactTraining/react-router/pull/3397

  • https://github.com/ReactTraining/react-router/pull/3288

Básicamente, la interfaz sigue siendo la misma que la v2; es mejor mirar CHANGES.md para reaccionar-router, ya que ahí es donde están las actualizaciones.

"Documentación migratoria heredada" para la posteridad

  • https://github.com/ReactTraining/react-router/blob/dc7facf205f9ee43cebea9fab710dce036d04f04/packages/react-router/docs/guides/migrating.md
  • https://github.com/ReactTraining/react-router/blob/0c6d51cd6639aff8a84b11d89e27887b3558ed8a/upgrade-guides/v1.0.0.md
  • https://github.com/ReactTraining/react-router/blob/0c6d51cd6639aff8a84b11d89e27887b3558ed8a/upgrade-guides/v2.0.0.md
  • https://github.com/ReactTraining/react-router/blob/0c6d51cd6639aff8a84b11d89e27887b3558ed8a/upgrade-guides/v2.2.0.md
  • https://github.com/ReactTraining/react-router/blob/0c6d51cd6639aff8a84b11d89e27887b3558ed8a/upgrade-guides/v2.4.0.md
  • https://github.com/ReactTraining/react-router/blob/0c6d51cd6639aff8a84b11d89e27887b3558ed8a/upgrade-guides/v2.5.0.md
jmunsch avatar May 08 '2015 04:05 jmunsch

hay una manera de pasar más de un parámetro. Puede pasar "a" como objeto en lugar de cadena.

// your route setup
<Route path="/category/:catId" component={Category} / >

// your link creation
const newTo = { 
  pathname: "/category/595212758daa6810cbba4104", 
  param1: "Par1" 
};
// link to the "location"
// see (https://reacttraining.com/react-router/web/api/location)
<Link to={newTo}> </Link>

// In your Category Component, you can access the data like this
this.props.match.params.catId // this is 595212758daa6810cbba4104 
this.props.location.param1 // this is Par1
Chetan Sisodiya avatar Jul 01 '2017 12:07 Chetan Sisodiya

Tuve el mismo problema al mostrar un detalle de usuario desde mi aplicación.

Puedes hacerlo:

<Link to={'/ideas/'+this.props.testvalue }>Create Idea</Link>

o

<Link to="ideas/hello">Create Idea</Link>

y

<Route name="ideas/:value" handler={CreateIdeaView} />

para obtener esto this.props.match.params.valueen su clase CreateIdeaView.

Puedes ver este vídeo que me ayudó mucho: https://www.youtube.com/watch?v=ZBxMljq9GSE

Alessander França avatar Jun 22 '2016 18:06 Alessander França

Vea esta publicación como referencia.

Lo simple es que:

<Link to={{
     pathname: `your/location`,
     state: {send anything from here}
}}

Ahora quieres acceder a él:

this.props.location.state
Farhan avatar Oct 07 '2019 11:10 Farhan