如何将$ this(self关键字)传递给Jquery
中的函数$(document).ready(function() {
$('.nav a').click(function() {
var direction = $(this).attr("name");
submit_form($(this))
});
function submit_form(this)
{
// do some stuff with 'this'
}
});
答案 0 :(得分:17)
将其包装在$()
中使其成为jQuery对象。你可能想做类似
submit_form(this);
function submit_form(obj)
{
// Work with `obj` as "this"
// Or wrap it in $() to work with it as jQuery(this)
}
答案 1 :(得分:5)
无法在JavaScript中设置this
关键字。它由JavaScript自动生成,并且“始终引用我们正在执行的函数的”所有者“,或者更确切地说,指向函数是”。
方法“的对象。
- http://www.quirksmode.org/js/this.html
您的代码中存在一个问题(尝试将submit_form()函数的参数命名为this)。但是,您的代码布局方式并不清楚您是否打算传递包含为jQuery对象的单击锚点或作为锚点的DOM节点。
$(document).ready(function() {
$('.nav a').click(function() {
$anchor = $(this); // Capture the jQuery-wrapped anchor for re-use; 'this' is an anchor because it matched $('.nav a')
var direction = $anchor.attr("name"); // $variable_name is a standard pattern in jQuery to indicate variables that are jQuery-wrapped instead of DOM objects
submit_form_jquery($anchor); // Providing versions of submit_form function for passing either jQuery-wrapped object or DOM object
submit_form_dom(this); // Pick the one you prefer and use it
});
function submit_form_jquery($my_anchor) { // Function with well-named parameter expecting a jQuery-wrapped object
// do some stuff with '$my_anchor'
// $my_anchor here is assumed to be a jQuery-wrapped object
}
function submit_form_dom(anchor) { // Function named expecting a DOM element, not a jQuery-wrapped element
// do some stuff with 'anchor'
// anchor here is assumed to be a DOM element, NOT wrapped in a jQuery object
}
});
在一个基本上不相关的注释中,您可能想要return false;
或使用event.preventDefault()来阻止页面跟随点击的锚点上的href
。你可以这样做:
$(document).ready(function() {
$('.nav a').click(function(event) {
event.preventDefault();
// And now do what you want the click to do
});
});
答案 2 :(得分:1)
试试这个:
$(document).ready(function()
{
$('.nav a').click(function() {
var direction = $(this).attr("name");
submit_form(this);
});
function submit_form(myObject)
{
// do some stuff with 'myObject'
}
});
答案 3 :(得分:1)
这对我有用。
$(document).ready(function()
{
$('.nav a').click(function() {
submit_form(this)
});
function submit_form(thisObject)
{
var direction = $(thisObject).attr("name");
}
});
答案 4 :(得分:1)
是的,可以轻松设置此。请参阅Function.call()
和Function.apply()
。
答案 5 :(得分:0)
只是将其作为普通变量传递?
function submit_form(context)
{
context.html("Boo!");
}
/// Then when you call it:
submit_form($(this));