Muzzstick
Muzzstick

Reputation: 344

React - Load Initial List via AJAX

I'm starting to learn react. There's an excellent example in the official docs about loading data initially via AJAX:

var UserGist = React.createClass({
    getInitialState: function() {
        return {
            username: '',
            lastGistUrl: ''
        };
    },

    componentDidMount: function() {
        this.serverRequest = $.get(this.props.source, function (result) {
            var lastGist = result[0];
            this.setState({
                username: lastGist.owner.login,
                lastGistUrl: lastGist.html_url
            });
       }.bind(this));
    },

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

    render: function() {
        return (
            <div>
                {this.state.username}'s last gist is
                <a href={this.state.lastGistUrl}>here</a>.
            </div>
        );
    }
});

ReactDOM.render(
    <UserGist source="https://api.github.com/users/octocat/gists" />,
    mountNode
);

The code above gets the latest gist of a specific user from GitHub.

What is the best way in React to go about outputting a list of the last 10 gists of the specific user?

How would you modify the code sample above?

Upvotes: 1

Views: 466

Answers (1)

Maxx
Maxx

Reputation: 1748

var UserGist = React.createClass({
    getInitialState: function() {
        return {
            gists: []
        };
    },

    componentDidMount: function() {
        this.serverRequest = $.get(this.props.source, function (result) {
            this.setState({
                gists: result
            });
       }.bind(this));
    },

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

    render: function() {
        return <div>
            {this.state.gists.map(function(gist){
                return <div key={gist.id}>{gist.owner.login}</div>
            })}
        <div>;
    }
});

ReactDOM.render(
    <UserGist source="https://api.github.com/users/octocat/gists" />,
    mountNode
);

Upvotes: 2

Related Questions