是否有可能在jQuery中创建一个可以绑定到任何样式更改的事件侦听器?例如,如果我想在元素改变维度时“做”一些事情,或者在样式属性中任何其他变化,我可以这样做:
$('div').bind('style', function() {
console.log($(this).css('height'));
});
$('div').height(100); // yields '100'
这真的很有用。
什么好主意吗?
更新
很抱歉我自己回答了这个问题,但我写了一个简洁的解决方案,可能适合其他人:
(function() {
var ev = new $.Event('style'),
orig = $.fn.css;
$.fn.css = function() {
$(this).trigger(ev);
return orig.apply(this, arguments);
}
})();
这将临时覆盖内部prototype.css方法,并在结束时使用触发器重新定义它。所以它是这样工作的:
$('p').bind('style', function(e) {
console.log( $(this).attr('style') );
});
$('p').width(100);
$('p').css('color','red');
我认为最好的答案来自Mike在你不能启动事件的情况下,因为不是来自你的代码。但是当我使用它时,我得到一些错误。所以我写了一个新的答案给你们看我用的代码。
扩展
// Extends functionality of ".css()"
// This could be renamed if you'd like (i.e. "$.fn.cssWithListener = func ...")
(function() {
orig = $.fn.css;
$.fn.css = function() {
var result = orig.apply(this, arguments);
$(this).trigger('stylechanged');
return result;
}
})();
使用
// Add listener
$('element').on('stylechanged', function () {
console.log('css changed');
});
// Perform change
$('element').css('background', 'red');
我得到错误,因为var ev =新的$.Event('style');HtmlDiv中没有定义style之类的东西。我删除了它,现在启动$(this).trigger("stylechanged")。另一个问题是Mike没有返回$(css, ..)的结果,那么在某些情况下它会产生问题。我得到结果并返回。现在工作^^在每一个css变化包括从一些库,我不能修改和触发事件。
jQuery csshook怎么样?
也许我不明白这个问题,但你正在搜索的东西很容易用cssHooks完成,不需要改变css()函数。
从文档中复制:
(function( $ ) {
// First, check to see if cssHooks are supported
if ( !$.cssHooks ) {
// If not, output an error message
throw( new Error( "jQuery 1.4.3 or above is required for this plugin to work" ) );
}
// Wrap in a document ready call, because jQuery writes
// cssHooks at this time and will blow away your functions
// if they exist.
$(function () {
$.cssHooks[ "someCSSProp" ] = {
get: function( elem, computed, extra ) {
// Handle getting the CSS property
},
set: function( elem, value ) {
// Handle setting the CSS value
}
};
});
})( jQuery );
https://api.jquery.com/jQuery.cssHooks/