Escrevi um componente de invólucro que pode ser reutilizado para esse fim com base nas respostas aceitas aqui. Se tudo o que você precisa fazer é passar uma string, adicione um atributo de dados e leia-o em e.target.dataset (como alguns outros sugeriram). Por padrão, meu wrapper se liga a qualquer prop que é uma função e começa com 'on' e passa automaticamente a prop de dados de volta para o chamador, após todos os outros argumentos de evento. Embora eu não o tenha testado quanto ao desempenho, ele lhe dará a oportunidade de evitar a criação da classe e pode ser usado assim:
const DataButton = withData('button')
const DataInput = withData('input');
ou para componentes e funções
const DataInput = withData(SomeComponent);
ou se você preferir
const DataButton = withData(<button/>)
declarar que Fora do contêiner (próximo às importações)
Aqui está o uso em um contêiner:
import withData from './withData';
const DataInput = withData('input');
export default class Container extends Component {
state = {
data: [
// ...
]
}
handleItemChange = (e, data) => {
// here the data is available
// ....
}
render () {
return (
<div>
{
this.state.data.map((item, index) => (
<div key={index}>
<DataInput data={item} onChange={this.handleItemChange} value={item.value}/>
</div>
))
}
</div>
);
}
}
Aqui está o código do wrapper 'withData.js:
import React, { Component } from 'react';
const defaultOptions = {
events: undefined,
}
export default (Target, options) => {
Target = React.isValidElement(Target) ? Target.type : Target;
options = { ...defaultOptions, ...options }
class WithData extends Component {
constructor(props, context){
super(props, context);
this.handlers = getHandlers(options.events, this);
}
render() {
const { data, children, ...props } = this.props;
return <Target {...props} {...this.handlers} >{children}</Target>;
}
static displayName = `withData(${Target.displayName || Target.name || 'Component'})`
}
return WithData;
}
function getHandlers(events, thisContext) {
if(!events)
events = Object.keys(thisContext.props).filter(prop => prop.startsWith('on') && typeof thisContext.props[prop] === 'function')
else if (typeof events === 'string')
events = [events];
return events.reduce((result, eventType) => {
result[eventType] = (...args) => thisContext.props[eventType](...args, thisContext.props.data);
return result;
}, {});
}