setTimeout中的下面代码不起作用,而没有setTimeout的相同代码完全正常
var size_disabled_input = 0;
$('#txtUSLead , #txtmy').on("mouseover", function () {
size_disabled_input = $(this).css('width');
if ((this.value.length) > 8)
{
$(this).css('cssText', 'width: ' + ((this.value.length + 1) * 7) + 'px !important');
}
});
$('#txtUSLead, #txtmy').on("mouseout", function () {
setTimeout(function (){
$(this).css('cssText', 'width: ' + size_disabled_input + 'px !important');
}, 2000);
})
答案 0 :(得分:1)
在setTimeout
函数this
中,不会引用您所在的按钮。
因此,您可以使用bind
方法:
$('#txtUSLead, #txtmy').on("mouseout", function () {
setTimeout(function () {
$(this).css('cssText', 'width: ' + size_disabled_input + 'px !important');
}.bind(this), 2000);
})
或者,使用变量来存储此值:
$('#txtUSLead, #txtmy').on("mouseout", function () {
var that = $(this);
setTimeout(function () {
that.css('cssText', 'width: ' + size_disabled_input + 'px !important');
}, 2000);
})
或者,您可以在jQuery中使用proxy()
方法:
$('#txtUSLead, #txtmy').on("mouseout", function () {
setTimeout($.proxy(function() {
$(this).css('cssText', 'width: ' + size_disabled_input + 'px !important');
}, this), 2000);
})