sync
[roojs1] / Date.js
1 /*
2  * Based on:
3  * Ext JS Library 1.1.1
4  * Copyright(c) 2006-2007, Ext JS, LLC.
5  *
6  * Originally Released Under LGPL - original licence link has changed is not relivant.
7  *
8  * Fork - LGPL
9  * <script type="text/javascript">
10  */
11
12 /**
13  * @class Date
14  *
15  * The date parsing and format syntax is a subset of
16  * <a href="http://www.php.net/date">PHP's date() function</a>, and the formats that are
17  * supported will provide results equivalent to their PHP versions.
18  *
19  * Following is the list of all currently supported formats:
20  *<pre>
21 Sample date:
22 'Wed Jan 10 2007 15:05:01 GMT-0600 (Central Standard Time)'
23
24 Format  Output      Description
25 ------  ----------  --------------------------------------------------------------
26   d      10         Day of the month, 2 digits with leading zeros
27   D      Wed        A textual representation of a day, three letters
28   j      10         Day of the month without leading zeros
29   l      Wednesday  A full textual representation of the day of the week
30   S      th         English ordinal day of month suffix, 2 chars (use with j)
31   w      3          Numeric representation of the day of the week
32   z      9          The julian date, or day of the year (0-365)
33   W      01         ISO-8601 2-digit week number of year, weeks starting on Monday (00-52)
34   F      January    A full textual representation of the month
35   m      01         Numeric representation of a month, with leading zeros
36   M      Jan        Month name abbreviation, three letters
37   n      1          Numeric representation of a month, without leading zeros
38   t      31         Number of days in the given month
39   L      0          Whether it's a leap year (1 if it is a leap year, else 0)
40   Y      2007       A full numeric representation of a year, 4 digits
41   y      07         A two digit representation of a year
42   a      pm         Lowercase Ante meridiem and Post meridiem
43   A      PM         Uppercase Ante meridiem and Post meridiem
44   g      3          12-hour format of an hour without leading zeros
45   G      15         24-hour format of an hour without leading zeros
46   h      03         12-hour format of an hour with leading zeros
47   H      15         24-hour format of an hour with leading zeros
48   i      05         Minutes with leading zeros
49   s      01         Seconds, with leading zeros
50   O      -0600      Difference to Greenwich time (GMT) in hours (Allows +08, without minutes)
51   P      -06:00     Difference to Greenwich time (GMT) with colon between hours and minutes
52   T      CST        Timezone setting of the machine running the code
53   Z      -21600     Timezone offset in seconds (negative if west of UTC, positive if east)
54 </pre>
55  *
56  * Example usage (note that you must escape format specifiers with '\\' to render them as character literals):
57  * <pre><code>
58 var dt = new Date('1/10/2007 03:05:01 PM GMT-0600');
59 document.write(dt.format('Y-m-d'));                         //2007-01-10
60 document.write(dt.format('F j, Y, g:i a'));                 //January 10, 2007, 3:05 pm
61 document.write(dt.format('l, \\t\\he dS of F Y h:i:s A'));  //Wednesday, the 10th of January 2007 03:05:01 PM
62  </code></pre>
63  *
64  * Here are some standard date/time patterns that you might find helpful.  They
65  * are not part of the source of Date.js, but to use them you can simply copy this
66  * block of code into any script that is included after Date.js and they will also become
67  * globally available on the Date object.  Feel free to add or remove patterns as needed in your code.
68  * <pre><code>
69 Date.patterns = {
70     ISO8601Long:"Y-m-d H:i:s",
71     ISO8601Short:"Y-m-d",
72     ShortDate: "n/j/Y",
73     LongDate: "l, F d, Y",
74     FullDateTime: "l, F d, Y g:i:s A",
75     MonthDay: "F d",
76     ShortTime: "g:i A",
77     LongTime: "g:i:s A",
78     SortableDateTime: "Y-m-d\\TH:i:s",
79     UniversalSortableDateTime: "Y-m-d H:i:sO",
80     YearMonth: "F, Y"
81 };
82 </code></pre>
83  *
84  * Example usage:
85  * <pre><code>
86 var dt = new Date();
87 document.write(dt.format(Date.patterns.ShortDate));
88  </code></pre>
89  */
90
91 /*
92  * Most of the date-formatting functions below are the excellent work of Baron Schwartz.
93  * They generate precompiled functions from date formats instead of parsing and
94  * processing the pattern every time you format a date.  These functions are available
95  * on every Date object (any javascript function).
96  *
97  * The original article and download are here:
98  * http://www.xaprb.com/blog/2005/12/12/javascript-closures-for-runtime-efficiency/
99  *
100  */
101  
102  
103  // was in core
104 /**
105  Returns the number of milliseconds between this date and date
106  @param {Date} date (optional) Defaults to now
107  @return {Number} The diff in milliseconds
108  @member Date getElapsed
109  */
110 Date.prototype.getElapsed = function(date) {
111         return Math.abs((date || new Date()).getTime()-this.getTime());
112 };
113 // was in date file..
114
115
116 // private
117 Date.parseFunctions = {count:0};
118 // private
119 Date.parseRegexes = [];
120 // private
121 Date.formatFunctions = {count:0};
122
123 // private
124 Date.prototype.dateFormat = function(format) {
125     if (Date.formatFunctions[format] == null) {
126         Date.createNewFormat(format);
127     }
128     var func = Date.formatFunctions[format];
129     return this[func]();
130 };
131
132
133 /**
134  * Formats a date given the supplied format string
135  * @param {String} format The format string
136  * @return {String} The formatted date
137  * @method
138  */
139 Date.prototype.format = Date.prototype.dateFormat;
140
141 // private
142 Date.createNewFormat = function(format) {
143     var funcName = "format" + Date.formatFunctions.count++;
144     Date.formatFunctions[format] = funcName;
145     var code = "Date.prototype." + funcName + " = function(){return ";
146     var special = false;
147     var ch = '';
148     for (var i = 0; i < format.length; ++i) {
149         ch = format.charAt(i);
150         if (!special && ch == "\\") {
151             special = true;
152         }
153         else if (special) {
154             special = false;
155             code += "'" + String.escape(ch) + "' + ";
156         }
157         else {
158             code += Date.getFormatCode(ch);
159         }
160     }
161     /** eval:var:zzzzzzzzzzzzz */
162     eval(code.substring(0, code.length - 3) + ";}");
163 };
164
165 // private
166 Date.getFormatCode = function(character) {
167     switch (character) {
168     case "d":
169         return "String.leftPad(this.getDate(), 2, '0') + ";
170     case "D":
171         return "Date.dayNames[this.getDay()].substring(0, 3) + ";
172     case "j":
173         return "this.getDate() + ";
174     case "l":
175         return "Date.dayNames[this.getDay()] + ";
176     case "S":
177         return "this.getSuffix() + ";
178     case "w":
179         return "this.getDay() + ";
180     case "z":
181         return "this.getDayOfYear() + ";
182     case "W":
183         return "this.getWeekOfYear() + ";
184     case "F":
185         return "Date.monthNames[this.getMonth()] + ";
186     case "m":
187         return "String.leftPad(this.getMonth() + 1, 2, '0') + ";
188     case "M":
189         return "Date.monthNames[this.getMonth()].substring(0, 3) + ";
190     case "n":
191         return "(this.getMonth() + 1) + ";
192     case "t":
193         return "this.getDaysInMonth() + ";
194     case "L":
195         return "(this.isLeapYear() ? 1 : 0) + ";
196     case "Y":
197         return "this.getFullYear() + ";
198     case "y":
199         return "('' + this.getFullYear()).substring(2, 4) + ";
200     case "a":
201         return "(this.getHours() < 12 ? 'am' : 'pm') + ";
202     case "A":
203         return "(this.getHours() < 12 ? 'AM' : 'PM') + ";
204     case "g":
205         return "((this.getHours() % 12) ? this.getHours() % 12 : 12) + ";
206     case "G":
207         return "this.getHours() + ";
208     case "h":
209         return "String.leftPad((this.getHours() % 12) ? this.getHours() % 12 : 12, 2, '0') + ";
210     case "H":
211         return "String.leftPad(this.getHours(), 2, '0') + ";
212     case "i":
213         return "String.leftPad(this.getMinutes(), 2, '0') + ";
214     case "s":
215         return "String.leftPad(this.getSeconds(), 2, '0') + ";
216     case "O":
217         return "this.getGMTOffset() + ";
218     case "P":
219         return "this.getGMTColonOffset() + ";
220     case "T":
221         return "this.getTimezone() + ";
222     case "Z":
223         return "(this.getTimezoneOffset() * -60) + ";
224     default:
225         return "'" + String.escape(character) + "' + ";
226     }
227 };
228
229 /**
230  * Parses the passed string using the specified format. Note that this function expects dates in normal calendar
231  * format, meaning that months are 1-based (1 = January) and not zero-based like in JavaScript dates.  Any part of
232  * the date format that is not specified will default to the current date value for that part.  Time parts can also
233  * be specified, but default to 0.  Keep in mind that the input date string must precisely match the specified format
234  * string or the parse operation will fail.
235  * Example Usage:
236 <pre><code>
237 //dt = Fri May 25 2007 (current date)
238 var dt = new Date();
239
240 //dt = Thu May 25 2006 (today's month/day in 2006)
241 dt = Date.parseDate("2006", "Y");
242
243 //dt = Sun Jan 15 2006 (all date parts specified)
244 dt = Date.parseDate("2006-1-15", "Y-m-d");
245
246 //dt = Sun Jan 15 2006 15:20:01 GMT-0600 (CST)
247 dt = Date.parseDate("2006-1-15 3:20:01 PM", "Y-m-d h:i:s A" );
248 </code></pre>
249  * @param {String} input The unparsed date as a string
250  * @param {String} format The format the date is in
251  * @return {Date} The parsed date
252  * @static
253  */
254 Date.parseDate = function(input, format) {
255     if (Date.parseFunctions[format] == null) {
256         Date.createParser(format);
257     }
258     var func = Date.parseFunctions[format];
259     return Date[func](input);
260 };
261 /**
262  * @private
263  */
264
265 Date.createParser = function(format) {
266     var funcName = "parse" + Date.parseFunctions.count++;
267     var regexNum = Date.parseRegexes.length;
268     var currentGroup = 1;
269     Date.parseFunctions[format] = funcName;
270
271     var code = "Date." + funcName + " = function(input){\n"
272         + "var y = -1, m = -1, d = -1, h = -1, i = -1, s = -1, o, z, v;\n"
273         + "var d = new Date();\n"
274         + "y = d.getFullYear();\n"
275         + "m = d.getMonth();\n"
276         + "d = d.getDate();\n"
277         + "if (typeof(input) !== 'string') { input = input.toString(); }\n"
278         + "var results = input.match(Date.parseRegexes[" + regexNum + "]);\n"
279         + "if (results && results.length > 0) {";
280     var regex = "";
281
282     var special = false;
283     var ch = '';
284     for (var i = 0; i < format.length; ++i) {
285         ch = format.charAt(i);
286         if (!special && ch == "\\") {
287             special = true;
288         }
289         else if (special) {
290             special = false;
291             regex += String.escape(ch);
292         }
293         else {
294             var obj = Date.formatCodeToRegex(ch, currentGroup);
295             currentGroup += obj.g;
296             regex += obj.s;
297             if (obj.g && obj.c) {
298                 code += obj.c;
299             }
300         }
301     }
302
303     code += "if (y >= 0 && m >= 0 && d > 0 && h >= 0 && i >= 0 && s >= 0)\n"
304         + "{v = new Date(y, m, d, h, i, s);}\n"
305         + "else if (y >= 0 && m >= 0 && d > 0 && h >= 0 && i >= 0)\n"
306         + "{v = new Date(y, m, d, h, i);}\n"
307         + "else if (y >= 0 && m >= 0 && d > 0 && h >= 0)\n"
308         + "{v = new Date(y, m, d, h);}\n"
309         + "else if (y >= 0 && m >= 0 && d > 0)\n"
310         + "{v = new Date(y, m, d);}\n"
311         + "else if (y >= 0 && m >= 0)\n"
312         + "{v = new Date(y, m);}\n"
313         + "else if (y >= 0)\n"
314         + "{v = new Date(y);}\n"
315         + "}return (v && (z || o))?\n" // favour UTC offset over GMT offset
316         + "    ((z)? v.add(Date.SECOND, (v.getTimezoneOffset() * 60) + (z*1)) :\n" // reset to UTC, then add offset
317         + "        v.add(Date.HOUR, (v.getGMTOffset() / 100) + (o / -100))) : v\n" // reset to GMT, then add offset
318         + ";}";
319
320     Date.parseRegexes[regexNum] = new RegExp("^" + regex + "$");
321     /** eval:var:zzzzzzzzzzzzz */
322     eval(code);
323 };
324
325 // private
326 Date.formatCodeToRegex = function(character, currentGroup) {
327     switch (character) {
328     case "D":
329         return {g:0,
330         c:null,
331         s:"(?:Sun|Mon|Tue|Wed|Thu|Fri|Sat)"};
332     case "j":
333         return {g:1,
334             c:"d = parseInt(results[" + currentGroup + "], 10);\n",
335             s:"(\\d{1,2})"}; // day of month without leading zeroes
336     case "d":
337         return {g:1,
338             c:"d = parseInt(results[" + currentGroup + "], 10);\n",
339             s:"(\\d{2})"}; // day of month with leading zeroes
340     case "l":
341         return {g:0,
342             c:null,
343             s:"(?:" + Date.dayNames.join("|") + ")"};
344     case "S":
345         return {g:0,
346             c:null,
347             s:"(?:st|nd|rd|th)"};
348     case "w":
349         return {g:0,
350             c:null,
351             s:"\\d"};
352     case "z":
353         return {g:0,
354             c:null,
355             s:"(?:\\d{1,3})"};
356     case "W":
357         return {g:0,
358             c:null,
359             s:"(?:\\d{2})"};
360     case "F":
361         return {g:1,
362             c:"m = parseInt(Date.monthNumbers[results[" + currentGroup + "].substring(0, 3)], 10);\n",
363             s:"(" + Date.monthNames.join("|") + ")"};
364     case "M":
365         return {g:1,
366             c:"m = parseInt(Date.monthNumbers[results[" + currentGroup + "]], 10);\n",
367             s:"(Jan|Feb|Mar|Apr|May|Jun|Jul|Aug|Sep|Oct|Nov|Dec)"};
368     case "n":
369         return {g:1,
370             c:"m = parseInt(results[" + currentGroup + "], 10) - 1;\n",
371             s:"(\\d{1,2})"}; // Numeric representation of a month, without leading zeros
372     case "m":
373         return {g:1,
374             c:"m = parseInt(results[" + currentGroup + "], 10) - 1;\n",
375             s:"(\\d{2})"}; // Numeric representation of a month, with leading zeros
376     case "t":
377         return {g:0,
378             c:null,
379             s:"\\d{1,2}"};
380     case "L":
381         return {g:0,
382             c:null,
383             s:"(?:1|0)"};
384     case "Y":
385         return {g:1,
386             c:"y = parseInt(results[" + currentGroup + "], 10);\n",
387             s:"(\\d{4})"};
388     case "y":
389         return {g:1,
390             c:"var ty = parseInt(results[" + currentGroup + "], 10);\n"
391                 + "y = ty > Date.y2kYear ? 1900 + ty : 2000 + ty;\n",
392             s:"(\\d{1,2})"};
393     case "a":
394         return {g:1,
395             c:"if (results[" + currentGroup + "] == 'am') {\n"
396                 + "if (h == 12) { h = 0; }\n"
397                 + "} else { if (h < 12) { h += 12; }}",
398             s:"(am|pm)"};
399     case "A":
400         return {g:1,
401             c:"if (results[" + currentGroup + "] == 'AM') {\n"
402                 + "if (h == 12) { h = 0; }\n"
403                 + "} else { if (h < 12) { h += 12; }}",
404             s:"(AM|PM)"};
405     case "g":
406     case "G":
407         return {g:1,
408             c:"h = parseInt(results[" + currentGroup + "], 10);\n",
409             s:"(\\d{1,2})"}; // 12/24-hr format  format of an hour without leading zeroes
410     case "h":
411     case "H":
412         return {g:1,
413             c:"h = parseInt(results[" + currentGroup + "], 10);\n",
414             s:"(\\d{2})"}; //  12/24-hr format  format of an hour with leading zeroes
415     case "i":
416         return {g:1,
417             c:"i = parseInt(results[" + currentGroup + "], 10);\n",
418             s:"(\\d{2})"};
419     case "s":
420         return {g:1,
421             c:"s = parseInt(results[" + currentGroup + "], 10);\n",
422             s:"(\\d{2})"};
423     case "O":
424         return {g:1,
425             c:[
426                 "o = results[", currentGroup, "];\n",
427                 "var sn = o.substring(0,1);\n", // get + / - sign
428                 "var hr = o.substring(1,3)*1 + Math.floor(o.substring(3,5) / 60);\n", // get hours (performs minutes-to-hour conversion also)
429                 "var mn = o.substring(3,5) % 60;\n", // get minutes
430                 "o = ((-12 <= (hr*60 + mn)/60) && ((hr*60 + mn)/60 <= 14))?\n", // -12hrs <= GMT offset <= 14hrs
431                 "    (sn + String.leftPad(hr, 2, 0) + String.leftPad(mn, 2, 0)) : null;\n"
432             ].join(""),
433             s:"([+\-]\\d{2,4})"};
434     
435     
436     case "P":
437         return {g:1,
438                 c:[
439                    "o = results[", currentGroup, "];\n",
440                    "var sn = o.substring(0,1);\n",
441                    "var hr = o.substring(1,3)*1 + Math.floor(o.substring(4,6) / 60);\n",
442                    "var mn = o.substring(4,6) % 60;\n",
443                    "o = ((-12 <= (hr*60 + mn)/60) && ((hr*60 + mn)/60 <= 14))?\n",
444                         "    (sn + String.leftPad(hr, 2, 0) + String.leftPad(mn, 2, 0)) : null;\n"
445             ].join(""),
446             s:"([+\-]\\d{4})"};
447     case "T":
448         return {g:0,
449             c:null,
450             s:"[A-Z]{1,4}"}; // timezone abbrev. may be between 1 - 4 chars
451     case "Z":
452         return {g:1,
453             c:"z = results[" + currentGroup + "];\n" // -43200 <= UTC offset <= 50400
454                   + "z = (-43200 <= z*1 && z*1 <= 50400)? z : null;\n",
455             s:"([+\-]?\\d{1,5})"}; // leading '+' sign is optional for UTC offset
456     default:
457         return {g:0,
458             c:null,
459             s:String.escape(character)};
460     }
461 };
462
463 /**
464  * Get the timezone abbreviation of the current date (equivalent to the format specifier 'T').
465  * @return {String} The abbreviated timezone name (e.g. 'CST')
466  */
467 Date.prototype.getTimezone = function() {
468     return this.toString().replace(/^.*? ([A-Z]{1,4})[\-+][0-9]{4} .*$/, "$1");
469 };
470
471 /**
472  * Get the offset from GMT of the current date (equivalent to the format specifier 'O').
473  * @return {String} The 4-character offset string prefixed with + or - (e.g. '-0600')
474  */
475 Date.prototype.getGMTOffset = function() {
476     return (this.getTimezoneOffset() > 0 ? "-" : "+")
477         + String.leftPad(Math.abs(Math.floor(this.getTimezoneOffset() / 60)), 2, "0")
478         + String.leftPad(this.getTimezoneOffset() % 60, 2, "0");
479 };
480
481 /**
482  * Get the offset from GMT of the current date (equivalent to the format specifier 'P').
483  * @return {String} 2-characters representing hours and 2-characters representing minutes
484  * seperated by a colon and prefixed with + or - (e.g. '-06:00')
485  */
486 Date.prototype.getGMTColonOffset = function() {
487         return (this.getTimezoneOffset() > 0 ? "-" : "+")
488                 + String.leftPad(Math.abs(Math.floor(this.getTimezoneOffset() / 60)), 2, "0")
489                 + ":"
490                 + String.leftPad(this.getTimezoneOffset() %60, 2, "0");
491 }
492
493 /**
494  * Get the numeric day number of the year, adjusted for leap year.
495  * @return {Number} 0 through 364 (365 in leap years)
496  */
497 Date.prototype.getDayOfYear = function() {
498     var num = 0;
499     Date.daysInMonth[1] = this.isLeapYear() ? 29 : 28;
500     for (var i = 0; i < this.getMonth(); ++i) {
501         num += Date.daysInMonth[i];
502     }
503     return num + this.getDate() - 1;
504 };
505
506 /**
507  * Get the string representation of the numeric week number of the year
508  * (equivalent to the format specifier 'W').
509  * @return {String} '00' through '52'
510  */
511 Date.prototype.getWeekOfYear = function() {
512     // Skip to Thursday of this week
513     var now = this.getDayOfYear() + (4 - this.getDay());
514     // Find the first Thursday of the year
515     var jan1 = new Date(this.getFullYear(), 0, 1);
516     var then = (7 - jan1.getDay() + 4);
517     return String.leftPad(((now - then) / 7) + 1, 2, "0");
518 };
519
520 /**
521  * Whether or not the current date is in a leap year.
522  * @return {Boolean} True if the current date is in a leap year, else false
523  */
524 Date.prototype.isLeapYear = function() {
525     var year = this.getFullYear();
526     return ((year & 3) == 0 && (year % 100 || (year % 400 == 0 && year)));
527 };
528
529 /**
530  * Get the first day of the current month, adjusted for leap year.  The returned value
531  * is the numeric day index within the week (0-6) which can be used in conjunction with
532  * the {@link #monthNames} array to retrieve the textual day name.
533  * Example:
534  *<pre><code>
535 var dt = new Date('1/10/2007');
536 document.write(Date.dayNames[dt.getFirstDayOfMonth()]); //output: 'Monday'
537 </code></pre>
538  * @return {Number} The day number (0-6)
539  */
540 Date.prototype.getFirstDayOfMonth = function() {
541     var day = (this.getDay() - (this.getDate() - 1)) % 7;
542     return (day < 0) ? (day + 7) : day;
543 };
544
545 /**
546  * Get the last day of the current month, adjusted for leap year.  The returned value
547  * is the numeric day index within the week (0-6) which can be used in conjunction with
548  * the {@link #monthNames} array to retrieve the textual day name.
549  * Example:
550  *<pre><code>
551 var dt = new Date('1/10/2007');
552 document.write(Date.dayNames[dt.getLastDayOfMonth()]); //output: 'Wednesday'
553 </code></pre>
554  * @return {Number} The day number (0-6)
555  */
556 Date.prototype.getLastDayOfMonth = function() {
557     var day = (this.getDay() + (Date.daysInMonth[this.getMonth()] - this.getDate())) % 7;
558     return (day < 0) ? (day + 7) : day;
559 };
560
561
562 /**
563  * Get the first date of this date's month
564  * @return {Date}
565  */
566 Date.prototype.getFirstDateOfMonth = function() {
567     return new Date(this.getFullYear(), this.getMonth(), 1);
568 };
569
570 /**
571  * Get the last date of this date's month
572  * @return {Date}
573  */
574 Date.prototype.getLastDateOfMonth = function() {
575     return new Date(this.getFullYear(), this.getMonth(), this.getDaysInMonth());
576 };
577 /**
578  * Get the number of days in the current month, adjusted for leap year.
579  * @return {Number} The number of days in the month
580  */
581 Date.prototype.getDaysInMonth = function() {
582     Date.daysInMonth[1] = this.isLeapYear() ? 29 : 28;
583     return Date.daysInMonth[this.getMonth()];
584 };
585
586 /**
587  * Get the English ordinal suffix of the current day (equivalent to the format specifier 'S').
588  * @return {String} 'st, 'nd', 'rd' or 'th'
589  */
590 Date.prototype.getSuffix = function() {
591     switch (this.getDate()) {
592         case 1:
593         case 21:
594         case 31:
595             return "st";
596         case 2:
597         case 22:
598             return "nd";
599         case 3:
600         case 23:
601             return "rd";
602         default:
603             return "th";
604     }
605 };
606
607 // private
608 Date.daysInMonth = [31,28,31,30,31,30,31,31,30,31,30,31];
609
610 /**
611  * An array of textual month names.
612  * Override these values for international dates, for example...
613  * Date.monthNames = ['JanInYourLang', 'FebInYourLang', ...];
614  * @type Array
615  * @static
616  */
617 Date.monthNames =
618    ["January",
619     "February",
620     "March",
621     "April",
622     "May",
623     "June",
624     "July",
625     "August",
626     "September",
627     "October",
628     "November",
629     "December"];
630
631 /**
632  * An array of textual day names.
633  * Override these values for international dates, for example...
634  * Date.dayNames = ['SundayInYourLang', 'MondayInYourLang', ...];
635  * @type Array
636  * @static
637  */
638 Date.dayNames =
639    ["Sunday",
640     "Monday",
641     "Tuesday",
642     "Wednesday",
643     "Thursday",
644     "Friday",
645     "Saturday"];
646
647 // private
648 Date.y2kYear = 50;
649 // private
650 Date.monthNumbers = {
651     Jan:0,
652     Feb:1,
653     Mar:2,
654     Apr:3,
655     May:4,
656     Jun:5,
657     Jul:6,
658     Aug:7,
659     Sep:8,
660     Oct:9,
661     Nov:10,
662     Dec:11};
663
664 /**
665  * Creates and returns a new Date instance with the exact same date value as the called instance.
666  * Dates are copied and passed by reference, so if a copied date variable is modified later, the original
667  * variable will also be changed.  When the intention is to create a new variable that will not
668  * modify the original instance, you should create a clone.
669  *
670  * Example of correctly cloning a date:
671  * <pre><code>
672 //wrong way:
673 var orig = new Date('10/1/2006');
674 var copy = orig;
675 copy.setDate(5);
676 document.write(orig);  //returns 'Thu Oct 05 2006'!
677
678 //correct way:
679 var orig = new Date('10/1/2006');
680 var copy = orig.clone();
681 copy.setDate(5);
682 document.write(orig);  //returns 'Thu Oct 01 2006'
683 </code></pre>
684  * @return {Date} The new Date instance
685  */
686 Date.prototype.clone = function() {
687         return new Date(this.getTime());
688 };
689
690 /**
691  * Clears any time information from this date
692  @param {Boolean} clone true to create a clone of this date, clear the time and return it
693  @return {Date} this or the clone
694  */
695 Date.prototype.clearTime = function(clone){
696     if(clone){
697         return this.clone().clearTime();
698     }
699     this.setHours(0);
700     this.setMinutes(0);
701     this.setSeconds(0);
702     this.setMilliseconds(0);
703     return this;
704 };
705
706 // private
707 // safari setMonth is broken -- check that this is only donw once...
708 if(Roo.isSafari && typeof(Date.brokenSetMonth) == 'undefined'){
709     Date.brokenSetMonth = Date.prototype.setMonth;
710         Date.prototype.setMonth = function(num){
711                 if(num <= -1){
712                         var n = Math.ceil(-num);
713                         var back_year = Math.ceil(n/12);
714                         var month = (n % 12) ? 12 - n % 12 : 0 ;
715                         this.setFullYear(this.getFullYear() - back_year);
716                         return Date.brokenSetMonth.call(this, month);
717                 } else {
718                         return Date.brokenSetMonth.apply(this, arguments);
719                 }
720         };
721 }
722
723 /** Date interval constant 
724 * @static 
725 * @type String */
726 Date.MILLI = "ms";
727 /** Date interval constant 
728 * @static 
729 * @type String */
730 Date.SECOND = "s";
731 /** Date interval constant 
732 * @static 
733 * @type String */
734 Date.MINUTE = "mi";
735 /** Date interval constant 
736 * @static 
737 * @type String */
738 Date.HOUR = "h";
739 /** Date interval constant 
740 * @static 
741 * @type String */
742 Date.DAY = "d";
743 /** Date interval constant 
744 * @static 
745 * @type String */
746 Date.MONTH = "mo";
747 /** Date interval constant 
748 * @static 
749 * @type String */
750 Date.YEAR = "y";
751
752 /**
753  * Provides a convenient method of performing basic date arithmetic.  This method
754  * does not modify the Date instance being called - it creates and returns
755  * a new Date instance containing the resulting date value.
756  *
757  * Examples:
758  * <pre><code>
759 //Basic usage:
760 var dt = new Date('10/29/2006').add(Date.DAY, 5);
761 document.write(dt); //returns 'Fri Oct 06 2006 00:00:00'
762
763 //Negative values will subtract correctly:
764 var dt2 = new Date('10/1/2006').add(Date.DAY, -5);
765 document.write(dt2); //returns 'Tue Sep 26 2006 00:00:00'
766
767 //You can even chain several calls together in one line!
768 var dt3 = new Date('10/1/2006').add(Date.DAY, 5).add(Date.HOUR, 8).add(Date.MINUTE, -30);
769 document.write(dt3); //returns 'Fri Oct 06 2006 07:30:00'
770  </code></pre>
771  *
772  * @param {String} interval   A valid date interval enum value
773  * @param {Number} value      The amount to add to the current date
774  * @return {Date} The new Date instance
775  */
776 Date.prototype.add = function(interval, value){
777   var d = this.clone();
778   if (!interval || value === 0) { return d; }
779   switch(interval.toLowerCase()){
780     case Date.MILLI:
781       d.setMilliseconds(this.getMilliseconds() + value);
782       break;
783     case Date.SECOND:
784       d.setSeconds(this.getSeconds() + value);
785       break;
786     case Date.MINUTE:
787       d.setMinutes(this.getMinutes() + value);
788       break;
789     case Date.HOUR:
790       d.setHours(this.getHours() + value);
791       break;
792     case Date.DAY:
793       d.setDate(this.getDate() + value);
794       break;
795     case Date.MONTH:
796       var day = this.getDate();
797       if(day > 28){
798           day = Math.min(day, this.getFirstDateOfMonth().add('mo', value).getLastDateOfMonth().getDate());
799       }
800       d.setDate(day);
801       d.setMonth(this.getMonth() + value);
802       break;
803     case Date.YEAR:
804       d.setFullYear(this.getFullYear() + value);
805       break;
806   }
807   return d;
808 };