I am working on the below demo. Why am I not able to pass the $("#sample")
into a function like below functions?
JavaScript
x
19
19
1
function GetAtts(elem) {
2
var x = elem.data('x');
3
var y = elem.data('y');
4
5
console.log(x + ' ' + y);
6
}
7
8
9
function GetAttsThis(elem) {
10
var x = this.data('x');
11
var y = this.data('y');
12
13
console.log(x + ' ' + y);
14
}
15
16
GetAtts('sample');
17
GetAtts('$("#sample")');
18
GetAttsThis('sample');
19
Here is the demo:
JavaScript
1
18
18
1
function GetAtts(elem) {
2
var x = elem.data('x');
3
var y = elem.data('y');
4
5
console.log(x + ' ' + y);
6
}
7
8
9
function GetAttsThis(elem) {
10
var x = this.data('x');
11
var y = this.data('y');
12
13
console.log(x + ' ' + y);
14
}
15
16
GetAtts('sample');
17
GetAtts('$("#sample")');
18
GetAttsThis('sample');
JavaScript
1
2
1
<script src="https://ajax.googleapis.com/ajax/libs/jquery/2.1.1/jquery.min.js"></script>
2
<input id="sample" type="text" data-x="5" data-y="20">
As you can see I am getting:
Uncaught TypeError: elem.data is not a function
and:
Uncaught TypeError: this.data is not a function
on both formats of functions.
Advertisement
Answer
You’ve to pass the object like :
JavaScript
1
2
1
GetAtts($("#sample"));
2
The this
keyword doesn’t refer to the input since you’re using it without a specific context.
You could use the .apply()
method instead to set this
to $("#sample")
within the function’s scope, like :
JavaScript
1
2
1
GetAttsThis.apply($("#sample"));
2
JavaScript
1
16
16
1
function GetAtts(elem) {
2
var x = elem.data('limitn');
3
var y = elem.data('limitp');
4
5
console.log(x + ' ' + y);
6
}
7
8
function GetAttsThis() {
9
var x = this.data('limitn');
10
var y = this.data('limitp');
11
12
console.log(x + ' ' + y);
13
}
14
15
GetAtts($("#sample"));
16
GetAttsThis.apply($("#sample"));
JavaScript
1
2
1
<script src="https://ajax.googleapis.com/ajax/libs/jquery/2.1.1/jquery.min.js"></script>
2
<input id="sample" type="text" data-limitn="5" data-limitp="20">