Download
We're evolving to serve you better! This current forum has transitioned to read-only mode. For new discussions, support, and engagement, we've moved to GitHub Discussions.

Documentation: Hide an e-mail address from a spam bot

#2456
Avatar photo[anonymous]
[anonymous] wrote:

Somewhere in the coming weeks I have to build a few forms. Can you tell me what honeypots are and how they work? A link to a website is also good.

First I’ll explain what is a honeypot. In a form you have a field which is invisible to the normal humans but visible to bots (and really attractive to complete). If this field is completed, then I don’t send the form. If it’s empty I send the form. You should not just block the send button or do nothing. You should do everything as if the message had been sent but send the message. If you use an “thank you page, you should redirect to this page (without sending) or if you just display a message to confirm that the message has been sent, just display it. The bot will think that the message has been sent but it will not really be sent 😉

I’m used to do forms in php but I think this ca easily be converted in js.

So here is an example of form with my honeypot :

<form method="post">
    <input id="login" name="login" type="checkbox" value="Y" tabindex="-1" autocomplete="false">
    <input type="text" name="name" value="" id="name"  required="">
    <input type="submit" value="Submit">
</form>

The honeypot field here is the login one.

I can just hide it in css for example (display none or visibility hidden or position absolute left -10000).

Then in php :

if (isset($_POST['login']) && $_POST['login'] == 'Y') {
    // Honeypot (here it's a redirection)
    $header = "Location: thankyou.html";
} else {
    // Code used to send the mail
}

In javascript (once again, jQuery, sorry guys ^^ but it’s so easier !) you can have the same effect like this (I haven’t tested this code, there might be some bugs but I think it’s easy to understand) :

$("form input[type='submit']").click(function (e) {
    var form = $(this).closest('form');
    var check = $("input[name='login']",form).val();
    if(check=='Y'){ // If honeypot is lit
        e.preventDefault(); // We don't send the form
        // Do something that looks as if the form was sent...
    } 
});

If someone click on a submit button, I simply check the honey field in this form and if the checkbox is checked, I don’t send the form. That’s easy and it should work as good as the php method.

The advantage of php in this situation is that the bot can inspect whatever it wants, the only one to know if it should send the form is the server. everything is decided server side. In js, it could maybe detect somehow if the form was sent or not. But I think it’s already a really good protection against spambots.