I am redesigning the select dropdown of a site and I am using a jQuery plugin called ddSlick. However, I can’t seem to capture a variable I need outside its function.
In the code below I can’t seem to have the second console.log(build)
show what I get in the first console.log(build)
. I get undefined
. What could I be doing wrong?
JavaScript
x
21
21
1
$(document).ready(function() {
2
$("#demo-htmlselect").ddslick({
3
width: 300,
4
selectText: "Select an item",
5
onSelected: function(buildings) {
6
let build = buildings.selectedData.value
7
console.log(build);
8
}
9
});
10
11
$("#demo").ddslick({
12
width: 300,
13
selectText: "Select an item",
14
onSelected: function(noises) {
15
let nois = noises.selectedData.value
16
console.log(nois)
17
console.log(build);
18
}
19
});
20
});
21
Advertisement
Answer
You need to define the build
variable in scope of both functions:
JavaScript
1
23
23
1
$(document).ready(function() {
2
let build; // define here
3
4
$("#demo-htmlselect").ddslick({
5
width: 300,
6
selectText: "Select an item",
7
onSelected: function(buildings) {
8
build = buildings.selectedData.value;
9
console.log(build);
10
}
11
});
12
13
$("#demo").ddslick({
14
width: 300,
15
selectText: "Select an item",
16
onSelected: function(noises) {
17
let nois = noises.selectedData.value
18
console.log(nois)
19
console.log(build);
20
}
21
});
22
});
23
An important note here is that this logic relies on #demo-htmlselect
triggering a change
event before #demo
does. As such, you may need to write some validation logic to deal with this restriction.
With that in mind I would suggest combining the event handlers in to one and checking the state of both dropdowns in there, something like this:
JavaScript
1
17
17
1
$(document).ready(function() {
2
$("#demo, #demo-htmlselect").ddslick({
3
width: 300,
4
selectText: "Select an item",
5
onSelected: doSomething
6
});
7
8
function doSomething() {
9
let build = $('#demo-htmlselect').val();
10
let noise = $('#demo').val();
11
12
// validate both variables have values here...
13
14
// execute whatever business logic is required based on the user input here...
15
}
16
});
17