117

On submission of a form, I'm trying to doSomething() instead of the default post behaviour.

Apparently in React, onSubmit is a supported event for forms. However, when I try the following code:

var OnSubmitTest = React.createClass({
    render: function() {
        doSomething = function(){
           alert('it works!');
        }

        return <form onSubmit={doSomething}>
        <button>Click me</button>
        </form>;
    }
});

The method doSomething() is run, but thereafter, the default post behaviour is still carried out.

You can test this in my jsfiddle.

My question: How do I prevent the default post behaviour?

DWB
  • 1,544
  • 2
  • 16
  • 33
Lucas du Toit
  • 1,283
  • 2
  • 8
  • 9

4 Answers4

138

In your doSomething() function, pass in the event e and use e.preventDefault().

doSomething = function (e) {
    alert('it works!');
    e.preventDefault();
}
rjohnston
  • 7,153
  • 8
  • 30
  • 37
Henrik Andersson
  • 45,354
  • 16
  • 98
  • 92
54

I'd also suggest moving the event handler outside render.

var OnSubmitTest = React.createClass({

  submit: function(e){
    e.preventDefault();
    alert('it works!');
  }

  render: function() {
    return (
      <form onSubmit={this.submit}>
        <button>Click me</button>
      </form>
    );
  }
});
Adam Stone
  • 1,986
  • 13
  • 16
26
<form onSubmit={(e) => {this.doSomething(); e.preventDefault();}}></form>

it work fine for me

Truong
  • 661
  • 1
  • 7
  • 6
6

You can pass the event as argument to the function and then prevent the default behaviour.

var OnSubmitTest = React.createClass({
        render: function() {
        doSomething = function(event){
           event.preventDefault();
           alert('it works!');
        }

        return <form onSubmit={this.doSomething}>
        <button>Click me</button>
        </form>;
    }
});
Bolza
  • 1,904
  • 2
  • 17
  • 42
  • 2
    In my case, it works with and without `this`: `{this.doSomething}` or `{doSomething}` is fine because `doSomething` is withing the `render()`. – starikovs Feb 05 '16 at 14:52