0

问题

AJAX 调用成功后,我想更新页面上的元素。但是,它没有被更新。

代码 [Javascript]

$(function()
{
    $(".upvote").click(function()
    {
        var id = $(this).parent().find("input").val();
        $.ajax(
        {
            type: "GET",
            url: "process.php",
            data: "id=" + id +"&f=u",

            success: function(results)
            {
                $(this).parent().parent().find("span.ups").empty().append("Upvotes: " + results);
                console.log(results);
            }
        });
        return false;
    });
});

代码 [HTML]

此代码由 PHP 生成。

<div class="post">
    <h2>$title</h2>
    <p>$body</p>
    <span class="ups">Upvotes: $upvotes</span>
    <span class="downs">Downvotes: $downvotes</span>
    <span class="total">Total votes: $t_votes</span>
    <div id="links">
        <input type="hidden" id="id" name="id" value="$id">
        <a href="process.php?id=$id&f=u" class="upvote"><button>Upvote!</button></a>
        <a href="process.php?id=$id&f=d" class="downvote"><button>Downvote!</button></a>
    </div>
</div>

由 PHP 返回

更新的赞成票数。

4

3 回答 3

7

this不是你想的那样。它的值取决于它出现的函数的调用方式(并且在不同的函数中会改变)。

我不知道它在 jQuery 成功回调中会是什么,但它不会是 HTML 元素。

如果您希望它成为被点击的元素,那么您需要在this该元素时存储它。

$(".upvote").click(function() {
    var clicked_element = this;

然后您可以稍后使用该变量:

$(clicked_element).parent().etc
于 2013-01-07T14:12:07.100 回答
4

你不能使用this这样的关键字。

var that = null;

$(function()
{
    $(".upvote").click(function()
    {
        var id = $(this).parent().find("input").val();
        that = $(this);
        $.ajax(
        {
            type: "GET",
            url: "process.php",
            data: "id=" + id +"&f=u",

            success: function(results)
            {
                that.parent().parent().find("span.ups").empty().append("Upvotes: " + results);
                console.log(results);
            }
        });
        return false;
    });
});

我没有对此进行测试,但它应该可以工作。

干杯。

于 2013-01-07T14:12:20.533 回答
1

$(this)回调内部success不是您可能认为的元素。改为缓存父对象并从那里遍历可能会更好:

var $post = $('.post');

//... $.ajax etc

success: function() {
    $post.find('.ups').etc //...
于 2013-01-07T14:12:18.233 回答