I have written a js function:
JavaScript
x
14
14
1
$(document).on('click', '#id1', function () {
2
$.ajax({
3
type: "POST",
4
url: "/url",
5
data: { uInput: 'id1' },
6
success: function (response) {
7
some code .
8
},
9
error: function (error) {
10
console.log(error);
11
}
12
});
13
});
14
Problem is, since I have more clickable objects with various IDs, i wanted to create a single script/function that would accept onclick event from not only #id1, but also #id2, #id3 etc…
I tried following advice found here: https://stackoverflow.com/a/18508894/11271927 and here https://stackoverflow.com/a/18508907/11271927 but whenever I would edit the code to acomodate my code structure, it wouldnt work.
JavaScript
1
20
20
1
var options = {
2
id1: 'id1',
3
id2: 'id2',
4
id3: 'id3',
5
id4: 'id4'
6
};
7
$('.options').click(function () {
8
$.ajax({
9
type: "POST",
10
url: "/url",
11
data: options[this.id],
12
success: function (response) {
13
some code .
14
},
15
error: function (error) {
16
console.log(error);
17
}
18
});
19
});
20
Essentially, this code doesnt do anythign on click.
If you know what I have missed or done wrong, please help.
Advertisement
Answer
If you want to have one function that will have a click listener on several elements (for example by class) you can try it like this:
JavaScript
1
22
22
1
<button class="button" id="id1">A</button>
2
<button class="button" id="id2">B</button>
3
<button class="button" id="id3">C</button>
4
5
<script>
6
$(document).on('click', '.button', function () {
7
$.ajax({
8
type: "POST",
9
url: "/url",
10
data: {
11
uInput: this.getAttribute('id'),
12
},
13
success: function (response) {
14
console.log(response);
15
},
16
error: function (error) {
17
console.log(error);
18
}
19
});
20
});
21
</script>
22