开发者问题收集

未捕获(在承诺中)ReferenceError:<function>未定义

2017-01-21
32952

我对 ReactJs 还很陌生,目前正在努力创建一个 onClick 事件,该事件将获取其自身的 href 值并将其传递给名为“action”的函数。

然后,action 函数应阻止默认浏览器行为,对传入的 URL 执行 GET 请求,并显示包含响应和状态的警报对话框。

但是,我在尝试从 onClick 事件调用我的函数时遇到以下错误:

Uncaught (in promise) ReferenceError: action is not defined

var Content = React.createClass({
    getInitialState: function() {
        return {
            teams: []
        }
    },

    componentDidMount: function() {
        const makeRequest = () => axios.get("http://localhost:5000/api/teams").then(({ data }) => this.setState({ teams: data }));

        this.serverRequest = makeRequest();

        this.poll = setInterval(() => {
            this.serverRequest = makeRequest();
        }, 10000)
    },

    componentWillUnmount: function() {
        this.serverRequest.abort();

        clearInterval(this.poll)
    },

    action: function(e) {
        e.preventDefault();

        $.get(e.href, function(res, status) {
            alert("Response: " + res + "\nStatus: " + status);
        });
    },

    render: function() {
        const { teams } = this.state;

        return (
            <div className="list-group">
                { teams.map(function(team) {
                    return ([
                        <a href={ "http://localhost:5000/api/teams?name=" + team.name} onClick={ action }>Click Me</a>
                    ]);
                })}
            </div>
        )
    }
});

ReactDOM.render(<Content />, document.getElementById('content'));
3个回答

尝试使用 this.action 代替 action

更新

我发现了问题。这全是作用域问题。您无法在 map 内访问 this

render: function() {
    const { teams } = this.state;

    return (
        <div className="list-group">
            { teams.map((team) => {
                return ([
                    <a href={ "http://localhost:5000/api/teams?name=" + team.name} onClick={ this.action }>Click Me</a>
                ]);
            })}
        </div>
    )
}
fumihwh
2017-01-21

这是一个绑定问题,尝试一下它会起作用:

render: function() {
    const { teams } = this.state;

    return (
        <div className="list-group">
            { teams.map((team,i)=>{
                    return <a key={i} href={ "http://localhost:5000/api/teams?name=" + team.name} onClick={ this.action }>Click Me</a>
                })
            }
        </div>
    )
}

建议 :无论何时动态创建 html 元素,始终为每个元素分配唯一键, key 值将使您的组件保持唯一标识。

来自 Facebook React Doc

Keys help React identify which items have changed, are added, or are removed. Keys should be given to the elements inside the array to give the elements a stable identity.

Mayank Shukla
2017-01-21

就我而言,我忘记要求该功能。 所以我的建议是,请检查该功能是否正确导入。

Ashraf Zaman
2019-01-23