78

I'm trying to load a details view based on a react-router-dom route that should grab the URL parameter (id) and use that to further populate the component.

My route looks like /task/:id and my component loads fine, until I try to grab the :id from the URL like so:

import React from "react";
import { useParams } from "react-router-dom";

class TaskDetail extends React.Component {
    componentDidMount() {
        let { id } = useParams();
        this.fetchData(id);
    }

    fetchData = id => {
        // ...
    };

    render() {
        return <div>Yo</div>;
    }
}

export default TaskDetail;

This triggers the following error and I'm unsure where to correctly implement useParams().

Error: Invalid hook call. Hooks can only be called inside of the body of a function component.

The docs only show examples based on functional components, not class based.

Zoe
  • 27,060
  • 21
  • 118
  • 148
Jorre
  • 17,273
  • 32
  • 100
  • 145
  • 14
    Hooks don't work in class based components – Dupocas Oct 24 '19 at 20:32
  • @Dupocas ok that makes sense. What would you suggest, rewrite the class to a function or use a class and try to grab the url parameter some other way? – Jorre Oct 24 '19 at 20:47
  • Both valid alternatives. Can you post the code for `useParams`? Maybe turn it into an `HOC`? – Dupocas Oct 25 '19 at 10:58
  • 8
    Can anyone comment on _why_ this is limited to function components? I've been using React for maybe 8 months and things like this are still a regular "gotcha" for me, would love to understand it better. – BobRz Jul 02 '20 at 17:49
  • For function in React Route v6 : https://stackoverflow.com/a/70251443/624533 – Sudhakar Krishnan Dec 06 '21 at 20:23

16 Answers16

113

Version <= 5:

You can use withRouter to accomplish this. Simply wrap your exported classed component inside of withRouter and then you can use this.props.match.params.id to get the parameters instead of using useParams(). You can also get any location, match, or history info by using withRouter. They are all passed in under this.props

Using your example it would look like this:

import React from "react";
import { withRouter } from "react-router";

class TaskDetail extends React.Component {
    componentDidMount() {
        const id = this.props.match.params.id;
        this.fetchData(id);
    }

    fetchData = id => {
        // ...
    };

    render() {
        return <div>Yo</div>;
    }
}

export default withRouter(TaskDetail);

Simple as that!

Michael Mayo
  • 1,266
  • 1
  • 5
  • 7
29
import React, { Component } from "react";
import { useParams } from "react-router-dom";

function withParams(Component) {
  return props => <Component {...props} params={useParams()} />;
}


class TaskDetail extends React.Component {
    componentDidMount() {
        let { id } = this.props.params;
        this.fetchData(id);
    }

    fetchData = id => {
        // ...
    };

    render() {
        return <div>Yo</div>;
    }
}

export default withParams(TaskDetail);
Mohamed MAZEK
  • 291
  • 3
  • 2
  • 1
    Your answer could be improved with additional supporting information. Please [edit] to add further details, such as citations or documentation, so that others can confirm that your answer is correct. You can find more information on how to write good answers [in the help center](/help/how-to-answer). – Community Dec 22 '21 at 09:48
  • 2
    Really helped me, wrapping the class component in a function to work as a custom HOC is the key – Asanka Siriwardena Apr 22 '22 at 17:09
  • Well, thanks a lot, literally only one solution I have found that works for me... – Nesquik27 Jul 04 '22 at 22:14
18

Since hooks wont work with class based components you can wrap it in a function and pass the properties along:

class TaskDetail extends React.Component {
    componentDidMount() {
        const { id } = this.props.params;
        // ...
    }
}

export default (props) => (
    <TaskDetail
        {...props}
        params={useParams()}
    />
);

But, like @michael-mayo said, I expect this is what withRouter is already performing.

SmujMaiku
  • 603
  • 6
  • 10
  • 4
    thank you for this - `withRouter` is no longer an option since it is removed from react-router ^6. This solution works and gives me more time before I need to deprecate large class based components. – Michael Brown Feb 03 '22 at 22:59
  • Oh yeah, they did go full in on hooks recently. I'm glad this will help keep some class based components running – SmujMaiku Feb 03 '22 at 23:07
10

Params get passed down through props on the match object.

props.match.params.yourParams

source: https://redux.js.org/advanced/usage-with-react-router

Here is an example from the docs destructing the props in the arguments.

const App = ({ match: { params } }) => {
  return (
    <div>
      <AddTodo />
      <VisibleTodoList filter={params.filter || 'SHOW_ALL'} />
      <Footer />
    </div>
  )
}
Lex
  • 4,749
  • 3
  • 45
  • 66
Mark
  • 109
  • 1
  • 3
  • 4
    This seems to be a very clean solution to avoid hooks but is there a caveat? Why do the react-router docs do not mention this as an alternative and only show the hooks example in the documentation? – Noman Ur Rehman Sep 03 '20 at 12:49
6

You can not call a hook such as "useParams()" from a React.Component.

Easiest way if you want to use hooks and have an existing react.component is to create a function then call the React.Component from that function and pass the parameter.

import React from 'react';
import useParams from "react-router-dom";

import TaskDetail from './TaskDetail';

function GetId() {

    const { id } = useParams();
    console.log(id);

    return (
        <div>
            <TaskDetail taskId={id} />
        </div>
    );
}

export default GetId;

Your switch route will still be something like

<Switch>
  <Route path="/task/:id" component={GetId} />
</Switch>

then you will be able to get the id from from the props in your react component

this.props.taskId
Tropen
  • 115
  • 2
  • 8
RickWeb
  • 1,765
  • 2
  • 25
  • 40
5

In react-router-dom-v6 you can easily use useParams() in functional components but when it gets to the class component you have to create HOC (higher-order component) because hooks don't support class components:

import { useNavigate, useParams } from "react-router-dom";

export const withRouter = (WrappedComponent) => (props) => {
  const params = useParams();
  const navigate = useNavigate();

  return <WrappedComponent {...props} params={params} navigate={navigate} />;
};

Then export your component from your HOC and give your component as a parameter. like below:

export default withRouter(YourComponentName);

After that you can easily access the url id with this.props.params.id and you can navigate to other components with this.props.navigate("/YourPath")

MahanVahdani
  • 51
  • 1
  • 3
2

React Route v5

Query params can be read and processed as JSON using withRouter and queryString as follow:

import React from "react";
import { withRouter } from "react-router";
import queryString from 'query-string';
    
class MyComponent extends React.Component {
    componentDidMount() {
        const params = queryString.parse(this.props.location.search);
        console.log('Do something with it', params);
    }

    render() {
        return <div>Hi!</div>;
    }
}

export default withRouter(MyComponent);
Milton BO
  • 550
  • 6
  • 19
1

SmujMaiku is rigth!!! His answer works perfectly. This is how work today with react-router v6

enter code here
   
   import React ,{Component} from 'react'
   import {  useParams } from "react-router-dom";
  import PokeDescription from '../components/PokeDescription'

 class PokeInfoConteiner extends Component{

 render(){
    
    let urlPokemon= "https://raw.githubusercontent.com/PokeAPI/sprites/master/sprites/pokemon/"
    
    
    const {idPokemon} = this.props.params 
    console.log(idPokemon)

    return(
        
        <div>
            <PokeDescription pokeImage={`${urlPokemon}${idPokemon}.png?raw=true`}/>
            <p>{}</p>
            
        </div>

    )

}

}

   export default (props) => (
        <PokeInfoConteiner
            {...props}
            params={useParams()}
   />)
Quarantin3
  • 21
  • 2
1

in React Router V6 :

import React, {Component} from 'react';
import {useParams} from 'react-router-dom';

/* This is a higher order component that 
*  inject a special prop   to our component.
*/ 
function withRouter(Component) {
  function ComponentWithRouter(props) {
    let params = useParams()
    return <Component {...props} params={params} />
  }
  return ComponentWithRouter
}
class TaskDetail extends React.Component {
    state={
      id : ""
    }
    componentDidMount() {
      this.setState({
        id : this.props.params.id
      })
    }
    static getDerivedStateFromProps(nextProps) {
      return {
        id : nextProps.params.id
      }
    }
    fetchData = id => {
        // ...
    };

    render() {
        return <div>Yo</div>;
    }
}


const HOCTaskDetail = withRouter(TaskDetail);

export default HOCTaskDetail;

milad shiriyan
  • 296
  • 1
  • 9
0

In react-router-dom v6, there is no hook such as withRouter therefore my advice to you is to convert your class-based component to a functional component to use useParams hook in your component otherwise you can create a higher-order component to pass your class-based component.

MD SHAYON
  • 7,001
  • 45
  • 38
0

React Route v6

My friends, I tried to use in class but I failed to find any doc about it. So after many hours of searching and trying hard this is (in function). Now (i.e when I'm writing this post) there is only limited resource about v6. But there are many for <v6.

Here I'm using useState,useEffect,useParams,axios.

import React, { useState, useEffect } from 'react';
import { useParams } from 'react-router-dom';
import axios from 'axios';

const Post = () => {
    let { post_id } = useParams();
    const [posts, setPosts] = useState({ post: null, countSecrets: 0, ui: '' });

    useEffect(() => {
        if (posts.countSecrets === 0) {
            const doAxe = (a) => {
                axios.get('https://jsonplaceholder.typicode.com/posts/' + post_id)
                    .then((res) => {
                        setPosts(s => ({ ...s, value: res.data }));
                        doUI(res.data)
                        // console.log(res.data)
                    });
            }
            setPosts(s => ({ ...s, countSecrets: s.countSecrets + 1 }));
            doAxe()
        }
    }, [posts, post_id]);
    let doUI = (x) => {
        // console.log('x' + x.title)
        const finalPost = (x !== null) ? (
            <div className="post">
                <h4 className="center">{x.title}</h4>
                <p>{x.body}</p>
            </div>
        ) : (
            <div className="center">Loading posts...</div>
        );
        setPosts(s => ({ ...s, ui: finalPost }));
    }
    return (
        <div className="container">
            {posts.ui}
        </div>
    );
}

export default Post;

NOTE: I faced useEffect looping. I prevented it with a key.

HOPE: This may help someone!

Reference:

Sudhakar Krishnan
  • 732
  • 1
  • 8
  • 27
0

as you know the useParams() is a hook for react-router-dom. you can not use this inside the componentDidMount() or useEffect() because both of them are method that called during the Mounting phase of the React Life-cycle i.e after the component is rendered. you have a solution: create or define another function outside the componentDidMount() to define useParams then call it inside the componentDidMount. know every thing will be ok.

0

This is my working example. :)

import React, { Component } from "react";
import { useParams } from "react-router-dom";

function withParams(Component) {
  return (props) => <Component {...props} params={useParams()} />;
}

class ProductDetails extends Component {
  handleSave = () => {
    // Navigate to /products
  };

  render() {
    return (
      <div>
        <h1>Product Details - {this.props.params.id}</h1>
        <button onClick={this.handleSave}>Save</button>
      </div>
    );
  }
}

export default withParams(ProductDetails);
Jenny Patel
  • 39
  • 1
  • 6
0

Hooks only work on functional components, you have to make that ocmponent a functional component

Rolando Niubó
  • 849
  • 1
  • 9
  • 13
0

Fixed by creating a wrapping function

I needed to pass params to my SaxjaxApp.js from index.js using react-router-dom v6. In v6 Switch has been changed to Routes

I got the useParams working with a class component by following Mohamed MAZEK's idea in post 20 using a wrapping function.

I needed to access the sessionId part of the url when it was available.

ie in localhost:3000/shared/123XYZId I needed the 123XYZId part.

make note of this line : <Route path="/shared/:sessionId" element={<SaxjaxAppWrapper />} /> in the index.js below.

:sessionId denotes that useParams has a property called sessionId, that can be accessed by:

const {sessionId} = useParams() from a functional component.

In my index.js file I did this:

import React from "react";
import ReactDOM from "react-dom/client";
import { BrowserRouter, Route, Routes } from "react-router-dom";

import "./styles/style.scss";

import SaxjaxAppWrapper from "SaxjaxAppWrapper";
import SaxjaxApp from "./SaxjaxApp";

const container = document.getElementById("root");
const root = ReactDOM.createRoot(container);
//INFO: to learn about react-roue-dom v6 https://reactrouter.com/en/v6.3.0/upgrading/v5

root.render(
  // <React.StrictMode>
  <BrowserRouter>
    <Routes>
      <Route path="/shared/:sessionId" element={<SaxjaxAppWrapper />} />
      <Route path="/" element={<SaxjaxApp />} />
    </Routes>
  </BrowserRouter>
  // </React.StrictMode>
);

This line <Route path="/shared/:sessionId" element={<SaxjaxAppWrapper />} /> calls my wrapping function, whereas the default path / just calls the class component.

I had to create a separate file to hold the wrapping function I don't know why:

import React from "react";
import { useParams } from "react-router-dom";
import SaxjaxApp from "SaxjaxApp";
    
 function SaxjaxAppWrapper() {

//I use the params here and store them to pass as props 
  let { sessionId } = useParams();

  return (
//I pass the sessionId from the url params as a prop to my SaxjaxApp class component here
      <SaxjaxApp sessionId={sessionId} />
  );
}
    
export default SaxjaxAppWrapper;

My class component:

import React, { Component } from "react";
import "./styles/style.scss";

class SaxjaxApp extends Component {
 state = {
   octave: 4,
 };

 constructor(props) {
   super(props);
   //... initialise stuff
 }

//... a lot of methods

render() {
//Access the param here
   const { sessionId } = this.props;
     <>
         <div>
           keybordId={sessionId ? sessionId : "no id was passed"}
         </div>
     </>

   );
 }
}

export default SaxjaxApp;
saxjax
  • 89
  • 6
0

Errors because :

  • Hooks Used Only In Functional Component
  • In deceleration of the id value use const alternate of use let because you don't need to change the id value

Corrected code:

import React, { useEffect } from "react";
import { useParams } from "react-router-dom";
function TaskDetail() {
    const { id } = useParams();

    useEffect(() => {
        fetchData(id);
    }, [id]);

    const fetchData = (id) => {
        // ... Implement data fetching logic here
    };

    return <div>Yo</div>;
}

export default TaskDetail;