Reputation: 6481
I have a React functional component that is using forwardRef
like this:
const wrapper = React.forwardRef((props, ref) => (
<MyComponent {...props} innerRef={ref} />
));
export default wrapper;
Now I want to pass some state to this component using mapStateToProps
with Redux's connect
function like this:
export default connect(mapStateToProps, null)(MyComponent);
I tried to combine them in the following way but it didn't work:
const wrapper = React.forwardRef((props, ref) => (
<MyComponent {...props} innerRef={ref} />
));
export default connect(mapStateToProps, null)(wrapper);
How do I combine these two to get the desired behaviour?
Upvotes: 27
Views: 14089
Reputation: 161
You can check the option on the connection method in redux: https://react-redux.js.org/api/connect
So the options allow use forwardRef
my code: connect(null,null,null,{forwardRef: true,})(LearnView)
it worked for me
Upvotes: 3
Reputation: 22363
This means that you don't need to write the connect wrapper at all. You can use hooks for redux is you're using a functional component.
const result : any = useSelector(selector : Function, equalityFn? : Function)
and
const dispatch = useDispatch()
Upvotes: -1
Reputation: 6869
You can use options in connect function.
connect(mapStateToProps, null, null, { forwardRef: true })(wrapper)
Upvotes: 38