I’m trying to get two values from different select elements and access those elements outside a function.
JavaScript
x
20
20
1
function firstValue(){
2
var e = document.getElementById("val-selec");
3
var strUser = e.options[e.selectedIndex].text;
4
5
return strUser;
6
}
7
8
function secondValue(){
9
var e1 = document.getElementById("val-selec1");
10
var strUser1 = e.options[e.selectedIndex].text;
11
12
return strUser1;
13
}
14
15
16
17
if(firstValue() == "val1" && secondValue() == "val2"){
18
//do something
19
}
20
when I log my function it just returns the first value it does not change when you select another option. What would be a way I can compare values and to a certain thing
https://jsfiddle.net/v50wdnL1/1/ I included a jsfiddle
Advertisement
Answer
Not quite sure why the #onchange
events are calling function that only return values and dont do any meaningful operations. Instead make them both call a compare function and in that compare function call your other function which return the values. Example below:
HTML:
JavaScript
1
16
16
1
<select name="val-select" id="val-selec" onchange="compare();">
2
<option value="" disabled selected>Select your option</option>
3
<option value="val1">val1</option>
4
<option value="val2">val2</option>
5
<option value="val3">val3</option>
6
<option value="val4">val4</option>
7
</select>
8
<br>
9
<select name="val-select1" id="val-selec1" onchange="compare();">
10
<option value="" disabled selected>Select your option</option>
11
<option value="val1">val1</option>
12
<option value="val2">val2</option>
13
<option value="val3">val3</option>
14
<option value="val4">val4</option>
15
</select>
16
JavaScript:
JavaScript
1
16
16
1
function firstValue(){
2
var e = document.getElementById("val-selec");
3
return e.value;
4
}
5
6
function secondValue(){
7
var e1 = document.getElementById("val-selec1");
8
return e1.value
9
}
10
11
function compare(){
12
var value1 = firstValue();
13
var value2 = secondValue();
14
console.log(value1 === value2);
15
}
16