Time is money, especially when that time is spent handling things like calculating hours worked and filling out time-sheets.
Recently, a user on the forums posed a question about how to go about calculating the number of hours worked between two specified dates. The request required that it must be handled through JavaScript and that it must be as “exact as possible” down to the minute. So I wrote up the following very sub-optimal solution and thought I would post it here on the off-chance that anyone encounters the same issue.
Let’s take a look at what information we need:
- Define the work hours during the day (i.e. 9AM-5PM)
- Define a starting and ending date to calculate between
- Determine if weekends are counted
Using this information, I threw together the following (and I have annotated to help specify what is going on):
function workingHoursBetweenDates(startDate, endDate) {
var minutesWorked = 0;
if (endDate < startDate) { return 0; }
var current = startDate;
var workHoursStart = 9;
var workHoursEnd = 18;
var includeWeekends = false;
while(current <= endDate){
if(current.getHours() >= workHoursStart && current.getHours() <= workHoursEnd
&& (includeWeekends ? current.getDay() !== 0 && current.getDay() !== 6 : true)){
minutesWorked++;
}
current.setTime(current.getTime() + 1000 * 60);
}
return minutesWorked / 60;
}
or if you would prefer to pass in all of your variables as parameters, you could use:
function workingHoursBetweenDates(startDate, endDate, dayStart, dayEnd, includeWeekends) {
var minutesWorked = 0;
if (endDate < startDate) { return 0; }
var current = startDate;
var workHoursStart = dayStart;
var workHoursEnd = dayEnd;
while(current <= endDate){
var currentTime = current.getHours() + (current.getMinutes() / 60);
if(currentTime >= workHoursStart && currentTime < workHoursEnd &&
(includeWeekends ? current.getDay() !== 0 && current.getDay() !== 6 : true)){
minutesWorked++;
}
current.setTime(current.getTime() + 1000 * 60);
}
return (minutesWorked / 60).toFixed(2);
}
or if you want a minified version, thanks to Google’s Online Closure Compiler:
function workingHoursBetweenDates(a,b,e,f,g){var c=0;if(b<a)return 0;
for(;a<=b;){var d=a.getHours()+a.getMinutes()/60;d>=e&&d<f&&(g?0!==a.getDay()&&6!==a.getDay():1)
&&c++;a.setTime(a.getTime()+6E4)}return(c/60).toFixed(2)};
Basically, it simply starts at the beginning time and iterates until the end (while monitoring the number of minutes worked during this period). By no means is this optimal, but it should serve as a very basic example of how to calculate such a value within JavaScript. Please feel free to post any improvements or optimizations within the comments section as this was just a hastily thrown together solution to solve the issue at hand.
You can find a working example here:
You can play around with an interactive example within JSBin.