how do i show alert if no radio button selected form two radio button and after that show alert on select option if not selected. but I am getting alert on both radio button how do I fix it
JavaScript
x
21
21
1
$('#form_id').submit(function(el) {
2
el.preventDefault();
3
let r = $('input[type=radio][name=name]').val();
4
5
if(r != 'inst' ){
6
alert('Please select radio')
7
return false;
8
}else if(r != 'hq'){
9
alert('Please select radio')
10
return false;
11
}
12
13
if('0' === $('#select_id').val()){
14
alert('Please select option')
15
return false;
16
}else{
17
this.submit();
18
}
19
20
21
})
JavaScript
1
13
13
1
<script src="https://cdnjs.cloudflare.com/ajax/libs/jquery/3.3.1/jquery.min.js"></script>
2
<form id="form_id">
3
<input type="radio" name="name" id="r1" value="inst">
4
<input type="radio" name="name" id="r2" value="hq">
5
6
<select id="select_id" class="">
7
<option value="0">--select--</option>
8
<option value="6">Advertisements</option>
9
<option value="4">Another reason:</option>
10
</select>
11
12
<button type="submit" class="btn btn-primary">submit</button>
13
</form>
Advertisement
Answer
The problem is that in your case, the 2 if
statements regarding your radio buttons will always be false for one of the cases.
So do it like this.
JavaScript
1
7
1
let r = $('input[type=radio][name=name]:checked').length;
2
3
if (r == 0) {
4
alert('Please select radio')
5
return false;
6
}
7
Demo
JavaScript
1
14
14
1
$('#form_id').submit(function(el) {
2
el.preventDefault();
3
let r = $('input[type=radio][name=name]:checked').length;
4
5
if (r == 0) {
6
alert('Please select radio')
7
return false;
8
}
9
if ('0' === $('#select_id').val()) {
10
alert('Please select option')
11
return false;
12
}
13
this.submit();
14
})
JavaScript
1
13
13
1
<script src="https://cdnjs.cloudflare.com/ajax/libs/jquery/3.3.1/jquery.min.js"></script>
2
<form id="form_id">
3
<input type="radio" name="name" id="r1" value="inst">
4
<input type="radio" name="name" id="r2" value="hq">
5
6
<select id="select_id" class="">
7
<option value="0">--select--</option>
8
<option value="6">Advertisements</option>
9
<option value="4">Another reason:</option>
10
</select>
11
12
<button type="submit" class="btn btn-primary">submit</button>
13
</form>