0

我正在编写一个显示用户待办事项列表的 PHP 程序。我所拥有的基本上是一个无序列表,它有一个复选框,选中该复选框后,用户可以将列表项标记为已完成(即给文本添加删除线)。这是我的列表代码

echo '<ul>';

for ($i=0; $i<6; $i++){

       $text = "This is item number " . $i;
       $complete = 'No';
       $order = 'This item is to be done #' . $i;

       echo '<li id = '. $i . '>';

    echo 'Item complete? <input type="checkbox" id="checkbox" />';
    echo '<span id = ' . $i . ' onLoad="crossOut()">Item: ' . $text . ' Complete? ' .$complete . '&nbsp&nbspWhen to do Item: ' . $order . '</span>';
    echo '</li>';

       }

echo '</ul>';


}

这是我正在使用的 jquery 函数

$(document).ready(function crossOut(){
    $("#checkbox").change(function crossOutText(){
        if($(this).is(":checked")){
            $("#liID").css("text-decoration", "line-through");
        }
    })
})

我想弄清楚的是如何在外部 JS 文件中将列表 ID 从 PHP 传递给 jquery 函数,这样每当用户检查一个项目时,它就会将该列表项目标记为已完成并在文本上加上删除线该列表项的。我是使用 jquery 的新手,任何人愿意提供的任何帮助都将不胜感激。

4

2 回答 2

3
$(document).ready(function(){
    $("input:checkbox").change(function(){
        if($(this).is(":checked")){
            $(this).parents("li").css("text-decoration", "line-through");
            // ^^^^^^^^^^^^^^ strike through the parent list item.
        }
    })
})

这是使用 CSS 类的更好方法:

$(document).ready(function(){
    $("input:checkbox").change(function(){
        $(this).parents("li").toggleClass('strike', this.checked)
        // ^^^^^^^^^^^^^^ strike through the parent list item.
    })
})

CSS:

.strike {
    text-decoration: line-through;
}

演示:http: //jsfiddle.net/maniator/unmLd/


Disclamer:
我在这两个示例中都更改#checkboxinput:checkbox,因为您不能有多个具有相同 ID 的元素!尝试改用一个类。

另外,删除您的crossout()部分代码...它不会做任何事情,并且可能会在您的页面上引发错误...

于 2013-02-08T13:34:50.850 回答
0

像这样的东西?

<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
<html xmlns="http://www.w3.org/1999/xhtml">
<head>
<meta http-equiv="Content-Type" content="text/html; charset=utf-8" />
<script type="text/javascript" src="js/jquery.js"></script>
<script>
$(document).ready(function(){
    $('input[type="checkbox"]').change(function(){
        if($(this).is(":checked")){
            $(this).parent().css("text-decoration", "line-through");
        }else{
            $(this).parent().css("text-decoration", "none");
        }
    });
});
</script>
<title>Untitled Document</title>
</head>

<body>

<?php
    echo '<ul>';
    for ($i=0; $i<6; $i++){
        $text = "This is item number " . $i;
        $complete = 'No';
        $order = 'This item is to be done #' . $i;
        echo '<li id = '. $i . '>';
        echo 'Item complete? <input type="checkbox" id="checkbox" />';
        echo '<span id = ' . $i . '>Item: ' . $text . ' Complete? ' .$complete . '&nbsp&nbspWhen to do Item: ' . $order . '</span>';
        echo '</li>';
    }
    echo '</ul>';
?>

</body>
</html>
于 2013-02-08T13:48:49.590 回答