I put the ajax call in a variable, how can I call it again and pass some parameters to the data attribute of the ajax?.
JavaScript
x
12
12
1
var request = $.ajax({
2
URL: '/usage_analytics.php',
3
type: 'get',
4
data: {date_start: dt_date_start, date_end: dt_date_end},
5
dataType: 'json'
6
});
7
8
request.done(function (r) {
9
console.log(r);
10
//my codes goes here
11
});
12
now I have a date range picker, If i click apply button i just want to call the request variable to be able to trigger the ajax call again and pass some parameters.
JavaScript
1
9
1
$('#reportrange').on('apply.daterangepicker', function(ev, picker) {
2
var picked_start = picker.startDate.format('YYYY-MM-DD');
3
var picked_end = picker.endDate.format('YYYY-MM-DD');
4
5
dt_date_start = picked_start;
6
dt_date_end = picked_end;
7
//call the request here and pass the dt_date_start and dt_date_end
8
});
9
TIA
Advertisement
Answer
I don’t think you can do that using a variable. I suggest you to define a function that contains your ajax request then you can call this function into your code like this:
JavaScript
1
9
1
function getUsageAnalytics(dt_date_start, dt_date_end) {
2
return $.ajax({
3
URL: '/usage_analytics.php',
4
type: 'get',
5
data: {date_start: dt_date_start, date_end: dt_date_end},
6
dataType: 'json',
7
});
8
});
9
After declaring your function you can use it like this:
JavaScript
1
10
10
1
$('#reportrange').on('apply.daterangepicker', function(ev, picker) {
2
var picked_start = picker.startDate.format('YYYY-MM-DD');
3
var picked_end = picker.endDate.format('YYYY-MM-DD');
4
5
getUsageAnalytics(picked_start, picked_end).done(function (r) {
6
console.log(r);
7
// your codes goes here
8
});
9
});
10