skip to Main Content

This is for WordPress, just to make that clear. I’m asking here since I suspect that I need to provide a bounty on this question (worth 400).

I need to add AJAX to my form submit to avoid page reload / page refresh. I have tried several different versions and none of them are working.

The general idea here is to protect parts of a post whereof that part is code wrapped in <pre> and <code> tags.

These tags are from the prismjs highlighter and looks like this:

<pre><code class="language-php">code here</code></pre>

These tags have four different classes;

  • PHP
  • HTML
  • CSS
  • JS

This is why the preg_replace uses the ('/(<pre[^>]*>s*<code[^>]*>) formatting as it needs to cover (handle) the class added.

Furthermore, a cookie is set so that once the user has provided a correct password, the password is remembered. The user should not have to re-enter the password each time they view a post with protected content.

I have an empty DIV acting as a placeholder for showing messages (success and error). The idea here is to show an error if the user submits an incorrect password. If the password match, show the content (code).

This is the code I am working on:

add_filter( 'the_content', 'wrap_code_in_shortcode' , 9 );
function wrap_code_in_shortcode( $content ) {

    if ( ! in_category( 'premium' ) ) return $content;
    
    $content = preg_replace('/(<pre[^>]*>s*<code[^>]*>)/',"[protected]$1", $content);

    $content = preg_replace('/(</code>s*</pre>)/', "$1[/protected]", $content);

    return $content;
}

add_shortcode( 'protected', 'protected_function' );
function protected_function($atts, $content=null){

    $userpass = isset( $_REQUEST['password']) ? $_REQUEST['password'] : (isset($_COOKIE['userpass']) ? $_COOKIE['userpass'] : NULL );

        if ( in_array( $userpass, array('testpw') ) ) {

            $return_code = do_shortcode( $content );

        } else {

    $return_code = '<div style="margin-top:20px; font-size:15px">Submit password to view.</div>
    
    <div id="errorPWdata"></div>

        <form method="post" onsubmit="protectedFunction(this);">

            <input required style="display: block; width: 69%; height: 50px; margin-right: 1%; float: left; border: 2px solid #333;" type="text" placeholder="&#32;Password Here" name="password" id="userpass">

            <input style="display: block; margin: 0px; width: 30%; height: 50px; background-color: #333; color: #fff;" id="protectedButton" type="submit" value="Submit">

        </form>';
    
        ?>
    <script>

        function protectedFunction(form) {
        $('#protectedButton').on( 'click', function(e) {
        e.preventDefault();
        $.ajax({
                success: function(data) {
                    $("#errorPWdata").html(data);
                },
                error: function() {
                    alert("Password record error. Contact the administrator.");
                }
            });
        document.cookie = "userpass=" + escape(form.userpass.value) + "; path=/";
    }
}
    </script>
    <?php
}

    return $return_code;

}

2

Answers


  1. Please try with below code.

    Shortcode handling part:

    // add [protected] shortcode to content.
    add_filter( 'the_content', 'wrap_code_in_shortcode' , 9 );
    function wrap_code_in_shortcode( $content ) {
        if ( ! in_category( 'premium' ) ) return $content;
        $content = preg_replace('/(<pre[^>]*>s*<code[^>]*>)/',"[protected]$1", $content);
        $content = preg_replace('/(</code>s*</pre>)/', "$1[/protected]", $content);
        return $content;
    }
    
    // function to check if password is valid
    function is_user_password_valid($userpass, $post_id) {
        return in_array( $userpass, array('test') );
    }
    
    // define shortcode. you can combine(merge) this section with wrap_code_in_shortcode()
    add_shortcode( 'protected', 'shortcode_protected' );
    function shortcode_protected($atts, $content=null){
        $userpass = isset( $_REQUEST['password']) ? $_REQUEST['password'] : (isset($_COOKIE['userpass']) ? $_COOKIE['userpass'] : NULL );
        $post_id = get_the_ID();
    
        if ( is_user_password_valid($userpass, $post_id) ) {
            $return_code = do_shortcode( $content );
        } else {
            $return_code = 
            '<div id="protected-area">
                <div style="margin-top:20px; font-size:15px">Submit password to view.</div>
                <form method="post" onsubmit="getProtectedContent(event);">
                    <input required type="text" placeholder="&#32;Password Here" name="password">
                    <input type="submit" value="Submit">
                </form>
            </div><!-- end of #protected-area -->';
            $return_code .= '<script>
                function getProtectedContent(event) {
                    event.preventDefault();
                    let password = event.target.elements.password.value;
                    jQuery.ajax({
                        url: "' . admin_url('admin-ajax.php') . '" ,
                        method: "POST",
                        data: {
                            action: "get_protected_content",
                            post_id: ' . $post_id . ',
                            password
                        },
                        success: function(result) {
                            if (result.success) {
                                jQuery("#protected-area").html(result.data);
                                document.cookie = "userpass=" + password + "; path=/";
                            } else {
                                alert(result.data);
                            }
                        },
                        error: function() {
                            alert("Something is wrong.");
                        }
                    });
                    return false;
                }
            </script>';
        }
    
        return $return_code;
    }
    

    Ajax Request Handling Part:

    add_action( 'wp_ajax_get_protected_content', 'get_protected_content' );
    add_action( 'wp_ajax_nopriv_get_protected_content', 'get_protected_content' );
    function get_protected_content() {
        // validation
        if ( empty( $_POST['post_id'] ) ) {
            wp_send_json_error( 'Wrong Post ID' );
        }
        $post_id = (int)$_POST['post_id'];
    
        if ( empty( $_POST['password'] ) || ! is_user_password_valid( $_POST['password'], $post_id ) ) {
            wp_send_json_error( 'Wrong Password' );
        }
        
        $content = get_post_field( 'post_content', $post_id );
        // var_dump($content);
        if ( preg_match( '/(<pre[^>]*>s*<code[^>]*>.*</code>s*</pre>)/', $content, $matches ) ) {
            wp_send_json_success( apply_filters( 'the_content', $matches[1] ) );
        } else {
            wp_send_json_error( 'No Protected Content Found' );
        }
    }
    

    Hope this code help you.

    Login or Signup to reply.
  2. I learned to details your code snippet and notice mistakes.
    Please, read everything firstly, then you could try.

    Mistake 1

    Shortcode has been defined with a wrong function name

    add_shortcode( 'protected', 'shortcode_protected' );
    

    Should be replaced with

    add_shortcode( 'protected', 'bio_protected_function' );
    

    Mistake 2

    Script tag should be replaced by the enqueueing system to guarantee script sequences.

    The snippet

    <script>
        function protectedFunction(form) {
            $('#protectedButton').on('click', function (e) {
                e.preventDefault();
                $.ajax({
                    success: function (data) {
                        $("#errorPWdata").html(data);
                    },
                    error: function () {
                        alert("Password record error. Contact the administrator.");
                    }
                });
                document.cookie = "userpass=" + escape(form.userpass.value) + "; path=/";
            }
        }
    </script>
    

    Should be replaced with this one

    add_action( 'wp_enqueue_scripts', function () {
        wp_enqueue_script(
            'bio-shortcode-protected',
            get_theme_file_uri( 'assets/js/bio-shortcode-protected.js' ),
            [ 'jquery' ],
            '1',
            true
        );
    } );
    wp_enqueue_scripts();
    

    An appropriate bio-shortcode-protected.js file should be created
    path-to-your-theme/assets/js/bio-shortcode-protected.js (Content of the file in next mistake)

    Mistake 3

    1. By default WordPress loads jQuery as a global JavaScript object

      jQuery should works meanwhile $ probably won’t. The script should start with jQuery wrapper to guarantee $ alias working.

    2. Provided Script has incorrect syntax. There should be a close
      parentese symbol )

    3. Better to use submit handler instead of click handler. I simplified your handler by handling submit instead of click. Clicking input button triggers submit and click handler not required.

    Finally, the bio-shortcode-protected.js content should be

    jQuery(function($){
        const settings = window.bioShortcodeData;
    
        function init() {
            $('#protectedForm').on( 'submit', function(e) {
                e.preventDefault();
    
                const form = this;
    
                $.post({
                    url: settings['endpoint'],
                    data: {
                        'action': settings['action'],
                        'bio-post-id': settings['post-id'],
                        'nonce': settings['nonce'],
                        'password': form.userpass.value,
                    },
                    success: function(data) {
                        if (!data.status) {
                            alert(data.message);
    
                            $('#errorPWdata')
                                .empty()
                                .append(data.message);
    
                            return;
                        }
    
                        if (data.isValidPassword) {
                            document.cookie = "userpass=" + escape(form.userpass.value) + "; path=/";
                        }
    
                        $('#bio-protected-content').replaceWith(data.content);
                        init() // for reattach submission handler
                    },
                    error: function() {
                        alert("Server error");
                    }
                });
    
            })
        }
    
        init();
    })
    

    And appropriate little bit improved shortcode template should look like:

    function bio_protected_function( $atts, $content = null ) {
        add_action( 'wp_enqueue_scripts', function () {
            wp_enqueue_script(
                'bio-shortcode-protected',
                get_theme_file_uri( 'assets/js/bio-shortcode-protected.js' ),
                [ 'jquery' ],
                '1',
                true
            );
            wp_localize_script(
                'bio-shortcode-protected',
                'bioShortcodeData',
                [
                    'post-id'  => get_the_ID(),
                    'nonce'    => wp_create_nonce( 'bio-shortcode' ),
                    'endpoint' => admin_url( 'admin-ajax.php' ),
                    'action'   => 'bio_protected_code'
                ]
            );
        } );
        wp_enqueue_scripts();
    
        if ( bio_validate_the_password() ) {
            return do_shortcode( $content );
        }
    
        ob_start();
        ?>
        <div class="bio-protected-content" id="bio-protected-content">
            
            <div style="margin-top:20px; font-size:15px">Submit password to view.</div>
    
            <div id="errorPWdata"></div>
    
            <form method="post" id="protectedForm">
    
                <input required
                       style="display: block; width: 69%; height: 50px; margin-right: 1%; float: left; border: 2px solid #333;"
                       type="text" placeholder="&#32;Password Here" name="password" id="userpass">
    
                <input style="display: block; margin: 0px; width: 30%; height: 50px; background-color: #333; color: #fff;"
                       id="protectedButton" type="submit" value="Submit">
    
            </form>
        </div>
        <?php
    
        return ob_get_clean();
    }
    

    Mistake 4

    If the form will be submitted what would heppend – is WordPress starts to build content of the page, firstly header, the content (the_content filter), then footer. And checking password inside shortcode not so good idea. This way sending unnecessary page chunks. The only thing need to fetch by AJAX is clean apropriate post content.

    This is where ajax-endpoint comes into play. Endpoint should be created by placing the snippet to functions.php file:

    add_action( 'wp_ajax_nopriv_bio_protected_code', 'bio_protected_code_endpoint' );
    add_action( 'wp_ajax_bio_protected_code', 'bio_protected_code_endpoint' );
    function bio_protected_code_endpoint() {
        $is_valid_nonce = wp_verify_nonce( $_REQUEST['nonce'], 'bio-shortcode' );
        if ( ! $is_valid_nonce ) {
            wp_send_json(
                [
                    'status'  => false,
                    'message' => 'Invalid nonce',
                ]
            );
            exit;
        }
    
        $post_id = $_REQUEST['bio-post-id'];
    
        $post_type           = get_post_type( $post_id );
        $available_post_type = 'your-post-type';
        if ( $available_post_type !== $post_type ) {
            wp_send_json(
                [
                    'status'  => false,
                    'message' => 'Not available post type',
                ]
            );
            exit;
        }
    
        global $post;
    
        $post    = get_post( $post_id );
        $content = apply_filters( 'the_content', $post->post_content );
    
        wp_send_json(
            [
                'status'          => true,
                'isValidPassword' => bio_validate_the_password(),
                'content'         => $content
            ]
        );
    
        exit;
    }
    

    And password validation function

    function bio_validate_the_password() {
        $userpass = $_REQUEST['password'] ?? $_COOKIE['userpass'] ?? null;
    
        return in_array( $userpass, [ 'testpw' ] );
    }
    

    Last words:

    I don’t recommend set password in Cookie. It’s potential security breach.
    Better to set Session password variable. But this way not much better.

    There is a good answer why not to store password in Session and what to do instead.
    Is it secure to store a password in a session?

    Login or Signup to reply.
Please signup or login to give your own answer.
Back To Top
Search