3

我正在尝试从 Wordpress 帖子 AJAX 中提取内容。

到目前为止,我已将我的努力包括在下面。

加载的脚本。

wp_enqueue_script( 'my-ajax-request', get_stylesheet_directory_uri() . '/js/ajax.js', array( 'jquery' ) );
wp_localize_script( 'my-ajax-request', 'MyAjax', array( 'ajaxurl' => admin_url( 'admin-ajax.php' ) ) );

JavaScript

jQuery(document).ready(function($) {

  $('.ajax a').click(function(event) {
    event.preventDefault();
    var id = $(this).data('id');

    $.ajax({
      type: 'POST',
      url: MyAjax.ajaxurl,
      data: {'action' : 'ajax_request', 'id': id},
      dataType: 'json',
      success: function(data) {
        console.log(data);
      }
    });     

    return false;

  });

});

在这里,我设置了我的操作。如何将发布数据编码为 JSON 并返回?

add_action('wp_ajax_nopriv_ajax_request', 'ajax_handle_request');
add_action('wp_ajax_ajax_request', 'ajax_handle_request');

function ajax_handle_request(){
}
4

2 回答 2

6

更新:

我在这篇文章上看到了活动,而且它已经很老了。

请改用 WP REST API: https ://developer.wordpress.org/rest-api/


我可以通过设置全局 $post 变量来解决这个问题。

然后通过对 $response 进行编码。

add_action('wp_ajax_nopriv_ajax_request', 'ajax_handle_request');
add_action('wp_ajax_ajax_request', 'ajax_handle_request');

function ajax_handle_request(){

    $postID = $_POST['id'];
    if (isset($_POST['id'])){
        $post_id = $_POST['id'];
    }else{
        $post_id = "";
    }

    global $post;
    $post = get_post($postID);

    $response = array( 
        'sucess' => true, 
        'post' => $post,
        'id' => $postID , 
    );

    // generate the response
    print json_encode($response);

    // IMPORTANT: don't forget to "exit"
    exit;
}

使用 jQuery 检索数据并输出。

jQuery(document).ready(function($) {

  $('.ajax a').click(function(event) {
    event.preventDefault();
    var id = $(this).data('id');

    $.ajax({
      type: 'POST',
      url: MyAjax.ajaxurl,
      data: {'action' : 'ajax_request', 'id': id},
      dataType: 'json',
      success: function(data) {
        console.log(data['post']);
      }
    });     

    return false;
  });
});
于 2013-08-19T08:15:58.387 回答
0

Use the functions wp_send_json_success and wp_send_json_error to return the Ajax request result.

Both of them use wp_send_json, which takes care of the header, JSON encoding and echoing, and to die.

Also, you should send a nonce when localizing the script:

array(
    'url'   => admin_url( 'admin-ajax.php' ),
    'nonce' => wp_create_nonce( "my_long_unique_string_name" ),
)

And check it within wp_ajax_* action callback:

check_ajax_referer( 'my_long_unique_string_name', 'nonce' );

Example: https://wordpress.stackexchange.com/a/106436/12615

于 2013-08-19T00:51:07.757 回答