2

我有一个非常奇怪和令人困惑的错误。

这是我的代码:

{if="$pjax === false"}{include="header"}{/if}
<script type="text/javascript">
    $(document).ready(function() {
        function clickclear(thisfield, defaulttext) {
            if (thisfield.value == defaulttext) {
                thisfield.value = "";
            }
        }
        function clickrecall(thisfield, defaulttext) {
            if (thisfield.value == "") {
                thisfield.value = defaulttext;
            }
        }
    });
</script>
<form action='./login' method='post' name='form'>
<ul class="form">
    <li><input type="text" name="username" value="Username" id="username" onclick="clickclear(this, 'Username')" onblur="clickrecall(this,'Username')"  /></li>
    <li><input type="password" name="password" value="Password" id="password" onclick="clickclear(this, 'Password')" onblur="clickrecall(this,'Password')" /></li>
    <li><span style='display:block;height:27px;float:left;line-height:27px;'>Remember Me</span> <div id='itoggle' style='float:right;'><input type="checkbox" id="remember" class='itoggle' /></div><div class='clearfix'></div></li>
</ul>
</form>
<a href="javascript: form.submit()" class="button white">Login</a>
{if="$pjax === false"}{include="footer"}{/if}

可以看到有两个函数,clickclearclickrecall。这些从 和 上的表单输入中onClick调用onBlur。但是,当我运行它们时,我得到了这些 javascript 错误:

未捕获的 ReferenceError:未定义 clickclear

未捕获的 ReferenceError:未定义 clickrecall

有任何想法吗?我知道这可能很简单,但我看不到。

4

1 回答 1

5

这是因为您的函数在.ready()回调中。这些在全局范围内是不可见的(这很好)。

最好使用 jQuery 的事件附件方法,例如.on()

$(document).ready(function(){

    //your code
    function clickclear(){...}
    function clickrecall(){...}

    //the handlers
    $('#username').on('click',function(){ //bind click handler
        clickclear(this,'Username');      //things to do on click
    }).on('blur',function(){              //chain blur handler
        clickrecall(this,'Username');     //things to do on blur
    });

    $('#password').on('click',function(){ //bind click handler
        clickclear(this,'Password');      //things to do on click
    }).on('blur',function(){              //chain blur handler
        clickrecall(this,'Password');     //things to do on blur
    });

    ...other handlers...

});

附带说明一下,Chrome 有一个placeholder属性,其作用类似于占位符文本:

<input type="text" placeholder="username" />
<input type="password" placeholder="password" />
于 2012-05-23T18:40:47.273 回答