Adeel Aijaz
Adeel Aijaz

Reputation: 27

how to get number of days from angularjs

how to get number of days between two dates but its not working i think my date format not correct but how to change date format and get number of days

$scope.ChangeDate = function () {      
    var oneDay = 24 * 60 * 60 * 1000;
    var firstDate = $scope.Current.PlainnedStart;
    var secondDate = $scope.Current.PlainnedEnd;
    if (!angular.isUndefined(firstDate) && !angular.isUndefined(secondDate)) {
        var diffDays = Math.round(Math.abs((firstDate.getTime() - secondDate.getTime()) / (oneDay)));
        alert(diffDays);
        $scope.Current.NOD = ++diffDays;          
    }
}

enter image description here


<input type="text" onchange="angular.element(this).scope().ChangeDate()"
       id="date" ng-model="Current.PlainnedStart"
       class="floating-label mdl-textfield__input" placeholder=""> 

Upvotes: 1

Views: 389

Answers (3)

channasmcs
channasmcs

Reputation: 1156

you can use

<input class="form-control" ng-model="day1" ng-blur="getDate(day1)" type="text" readonly />


$scope.getDate= function (date) {
var dates = new Date();
console.log(dates);
}

you can easily manage with momentjs with date evens

var a = moment('2018-04-17T07:00:00.000Z');
var b = moment('2018-04-27T07:00:00.000Z'); 
var days = b.diff(a, 'days');

http://momentjs.com/

or with Javascript

var a = new Date("2018-04-17T07:00:00.000Z"); 
var b = new Date("2018-04-27T07:00:00.000Z");
var dayDif = (a - b)  / 1000 / 60 / 60 / 24;

Upvotes: 1

Abhilash
Abhilash

Reputation: 26

As mentioned in the previous answer above you can either split the string to get the values. Or change it like below

Ex:Suppose my date string is

var str1 = '17-Apr-2019';
var str2 = '20-Apr-2019';

var diff = Math.abs(new Date(str2).getDate() - new Date(str1).getDate()); 
console.log(diff)

Output => 3

Or if you dont want any code changes. Change the format of the datepicker to (mm-dd-yyyy) you will get same output

Upvotes: 0

wentjun
wentjun

Reputation: 42536

You should convert both dates into the JavaScript Date object. From what I can see, the inputs from both date inputs are in 'dd-mm-yyyy' format, and this will cause some problems if you try to directly convert it into the Date object. Instead, you should convert it to 'yyyy-mm-dd' before converting it to a date object.

Then, you can calculate the difference between both dates.

const str1 = '17-04-2019';
const str2 = '20-04-2019';

const toDate = dateStr => {
  const parts = dateStr.split('-');
  return new Date(parts[2], parts[1] - 1, parts[0]);
}

const diff =  Math.floor((toDate(str2) - toDate(str1) ) / 86400000); 

console.log(diff)

Upvotes: 0

Related Questions