Date.js
[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 Date.createParser = function(format) {
265     var funcName = "parse" + Date.parseFunctions.count++;
266     var regexNum = Date.parseRegexes.length;
267     var currentGroup = 1;
268     Date.parseFunctions[format] = funcName;
269
270     var code = "Date." + funcName + " = function(input){\n"
271         + "var y = -1, m = -1, d = -1, h = -1, i = -1, s = -1, o, z, v;\n"
272         + "Roo.log(input);\n"
273         + "Roo.log(regexNum);\n"
274         + "Roo.log(typeof(input));\n"
275         + "var d = new Date();\n"
276         + "y = d.getFullYear();\n"
277         + "m = d.getMonth();\n"
278         + "d = d.getDate();\n"
279         + "var results = input.match(Date.parseRegexes[" + regexNum + "]);\n"
280         + "if (results && results.length > 0) {";
281     var regex = "";
282
283     var special = false;
284     var ch = '';
285     for (var i = 0; i < format.length; ++i) {
286         ch = format.charAt(i);
287         if (!special && ch == "\\") {
288             special = true;
289         }
290         else if (special) {
291             special = false;
292             regex += String.escape(ch);
293         }
294         else {
295             var obj = Date.formatCodeToRegex(ch, currentGroup);
296             currentGroup += obj.g;
297             regex += obj.s;
298             if (obj.g && obj.c) {
299                 code += obj.c;
300             }
301         }
302     }
303
304     code += "if (y >= 0 && m >= 0 && d > 0 && h >= 0 && i >= 0 && s >= 0)\n"
305         + "{v = new Date(y, m, d, h, i, s);}\n"
306         + "else if (y >= 0 && m >= 0 && d > 0 && h >= 0 && i >= 0)\n"
307         + "{v = new Date(y, m, d, h, i);}\n"
308         + "else if (y >= 0 && m >= 0 && d > 0 && h >= 0)\n"
309         + "{v = new Date(y, m, d, h);}\n"
310         + "else if (y >= 0 && m >= 0 && d > 0)\n"
311         + "{v = new Date(y, m, d);}\n"
312         + "else if (y >= 0 && m >= 0)\n"
313         + "{v = new Date(y, m);}\n"
314         + "else if (y >= 0)\n"
315         + "{v = new Date(y);}\n"
316         + "}return (v && (z || o))?\n" // favour UTC offset over GMT offset
317         + "    ((z)? v.add(Date.SECOND, (v.getTimezoneOffset() * 60) + (z*1)) :\n" // reset to UTC, then add offset
318         + "        v.add(Date.HOUR, (v.getGMTOffset() / 100) + (o / -100))) : v\n" // reset to GMT, then add offset
319         + ";}";
320
321     Date.parseRegexes[regexNum] = new RegExp("^" + regex + "$");
322     /** eval:var:zzzzzzzzzzzzz */
323     eval(code);
324 };
325
326 // private
327 Date.formatCodeToRegex = function(character, currentGroup) {
328     switch (character) {
329     case "D":
330         return {g:0,
331         c:null,
332         s:"(?:Sun|Mon|Tue|Wed|Thu|Fri|Sat)"};
333     case "j":
334         return {g:1,
335             c:"d = parseInt(results[" + currentGroup + "], 10);\n",
336             s:"(\\d{1,2})"}; // day of month without leading zeroes
337     case "d":
338         return {g:1,
339             c:"d = parseInt(results[" + currentGroup + "], 10);\n",
340             s:"(\\d{2})"}; // day of month with leading zeroes
341     case "l":
342         return {g:0,
343             c:null,
344             s:"(?:" + Date.dayNames.join("|") + ")"};
345     case "S":
346         return {g:0,
347             c:null,
348             s:"(?:st|nd|rd|th)"};
349     case "w":
350         return {g:0,
351             c:null,
352             s:"\\d"};
353     case "z":
354         return {g:0,
355             c:null,
356             s:"(?:\\d{1,3})"};
357     case "W":
358         return {g:0,
359             c:null,
360             s:"(?:\\d{2})"};
361     case "F":
362         return {g:1,
363             c:"m = parseInt(Date.monthNumbers[results[" + currentGroup + "].substring(0, 3)], 10);\n",
364             s:"(" + Date.monthNames.join("|") + ")"};
365     case "M":
366         return {g:1,
367             c:"m = parseInt(Date.monthNumbers[results[" + currentGroup + "]], 10);\n",
368             s:"(Jan|Feb|Mar|Apr|May|Jun|Jul|Aug|Sep|Oct|Nov|Dec)"};
369     case "n":
370         return {g:1,
371             c:"m = parseInt(results[" + currentGroup + "], 10) - 1;\n",
372             s:"(\\d{1,2})"}; // Numeric representation of a month, without leading zeros
373     case "m":
374         return {g:1,
375             c:"m = parseInt(results[" + currentGroup + "], 10) - 1;\n",
376             s:"(\\d{2})"}; // Numeric representation of a month, with leading zeros
377     case "t":
378         return {g:0,
379             c:null,
380             s:"\\d{1,2}"};
381     case "L":
382         return {g:0,
383             c:null,
384             s:"(?:1|0)"};
385     case "Y":
386         return {g:1,
387             c:"y = parseInt(results[" + currentGroup + "], 10);\n",
388             s:"(\\d{4})"};
389     case "y":
390         return {g:1,
391             c:"var ty = parseInt(results[" + currentGroup + "], 10);\n"
392                 + "y = ty > Date.y2kYear ? 1900 + ty : 2000 + ty;\n",
393             s:"(\\d{1,2})"};
394     case "a":
395         return {g:1,
396             c:"if (results[" + currentGroup + "] == 'am') {\n"
397                 + "if (h == 12) { h = 0; }\n"
398                 + "} else { if (h < 12) { h += 12; }}",
399             s:"(am|pm)"};
400     case "A":
401         return {g:1,
402             c:"if (results[" + currentGroup + "] == 'AM') {\n"
403                 + "if (h == 12) { h = 0; }\n"
404                 + "} else { if (h < 12) { h += 12; }}",
405             s:"(AM|PM)"};
406     case "g":
407     case "G":
408         return {g:1,
409             c:"h = parseInt(results[" + currentGroup + "], 10);\n",
410             s:"(\\d{1,2})"}; // 12/24-hr format  format of an hour without leading zeroes
411     case "h":
412     case "H":
413         return {g:1,
414             c:"h = parseInt(results[" + currentGroup + "], 10);\n",
415             s:"(\\d{2})"}; //  12/24-hr format  format of an hour with leading zeroes
416     case "i":
417         return {g:1,
418             c:"i = parseInt(results[" + currentGroup + "], 10);\n",
419             s:"(\\d{2})"};
420     case "s":
421         return {g:1,
422             c:"s = parseInt(results[" + currentGroup + "], 10);\n",
423             s:"(\\d{2})"};
424     case "O":
425         return {g:1,
426             c:[
427                 "o = results[", currentGroup, "];\n",
428                 "var sn = o.substring(0,1);\n", // get + / - sign
429                 "var hr = o.substring(1,3)*1 + Math.floor(o.substring(3,5) / 60);\n", // get hours (performs minutes-to-hour conversion also)
430                 "var mn = o.substring(3,5) % 60;\n", // get minutes
431                 "o = ((-12 <= (hr*60 + mn)/60) && ((hr*60 + mn)/60 <= 14))?\n", // -12hrs <= GMT offset <= 14hrs
432                 "    (sn + String.leftPad(hr, 2, 0) + String.leftPad(mn, 2, 0)) : null;\n"
433             ].join(""),
434             s:"([+\-]\\d{2,4})"};
435     
436     
437     case "P":
438         return {g:1,
439                 c:[
440                    "o = results[", currentGroup, "];\n",
441                    "var sn = o.substring(0,1);\n",
442                    "var hr = o.substring(1,3)*1 + Math.floor(o.substring(4,6) / 60);\n",
443                    "var mn = o.substring(4,6) % 60;\n",
444                    "o = ((-12 <= (hr*60 + mn)/60) && ((hr*60 + mn)/60 <= 14))?\n",
445                         "    (sn + String.leftPad(hr, 2, 0) + String.leftPad(mn, 2, 0)) : null;\n"
446             ].join(""),
447             s:"([+\-]\\d{4})"};
448     case "T":
449         return {g:0,
450             c:null,
451             s:"[A-Z]{1,4}"}; // timezone abbrev. may be between 1 - 4 chars
452     case "Z":
453         return {g:1,
454             c:"z = results[" + currentGroup + "];\n" // -43200 <= UTC offset <= 50400
455                   + "z = (-43200 <= z*1 && z*1 <= 50400)? z : null;\n",
456             s:"([+\-]?\\d{1,5})"}; // leading '+' sign is optional for UTC offset
457     default:
458         return {g:0,
459             c:null,
460             s:String.escape(character)};
461     }
462 };
463
464 /**
465  * Get the timezone abbreviation of the current date (equivalent to the format specifier 'T').
466  * @return {String} The abbreviated timezone name (e.g. 'CST')
467  */
468 Date.prototype.getTimezone = function() {
469     return this.toString().replace(/^.*? ([A-Z]{1,4})[\-+][0-9]{4} .*$/, "$1");
470 };
471
472 /**
473  * Get the offset from GMT of the current date (equivalent to the format specifier 'O').
474  * @return {String} The 4-character offset string prefixed with + or - (e.g. '-0600')
475  */
476 Date.prototype.getGMTOffset = function() {
477     return (this.getTimezoneOffset() > 0 ? "-" : "+")
478         + String.leftPad(Math.abs(Math.floor(this.getTimezoneOffset() / 60)), 2, "0")
479         + String.leftPad(this.getTimezoneOffset() % 60, 2, "0");
480 };
481
482 /**
483  * Get the offset from GMT of the current date (equivalent to the format specifier 'P').
484  * @return {String} 2-characters representing hours and 2-characters representing minutes
485  * seperated by a colon and prefixed with + or - (e.g. '-06:00')
486  */
487 Date.prototype.getGMTColonOffset = function() {
488         return (this.getTimezoneOffset() > 0 ? "-" : "+")
489                 + String.leftPad(Math.abs(Math.floor(this.getTimezoneOffset() / 60)), 2, "0")
490                 + ":"
491                 + String.leftPad(this.getTimezoneOffset() %60, 2, "0");
492 }
493
494 /**
495  * Get the numeric day number of the year, adjusted for leap year.
496  * @return {Number} 0 through 364 (365 in leap years)
497  */
498 Date.prototype.getDayOfYear = function() {
499     var num = 0;
500     Date.daysInMonth[1] = this.isLeapYear() ? 29 : 28;
501     for (var i = 0; i < this.getMonth(); ++i) {
502         num += Date.daysInMonth[i];
503     }
504     return num + this.getDate() - 1;
505 };
506
507 /**
508  * Get the string representation of the numeric week number of the year
509  * (equivalent to the format specifier 'W').
510  * @return {String} '00' through '52'
511  */
512 Date.prototype.getWeekOfYear = function() {
513     // Skip to Thursday of this week
514     var now = this.getDayOfYear() + (4 - this.getDay());
515     // Find the first Thursday of the year
516     var jan1 = new Date(this.getFullYear(), 0, 1);
517     var then = (7 - jan1.getDay() + 4);
518     return String.leftPad(((now - then) / 7) + 1, 2, "0");
519 };
520
521 /**
522  * Whether or not the current date is in a leap year.
523  * @return {Boolean} True if the current date is in a leap year, else false
524  */
525 Date.prototype.isLeapYear = function() {
526     var year = this.getFullYear();
527     return ((year & 3) == 0 && (year % 100 || (year % 400 == 0 && year)));
528 };
529
530 /**
531  * Get the first day of the current month, adjusted for leap year.  The returned value
532  * is the numeric day index within the week (0-6) which can be used in conjunction with
533  * the {@link #monthNames} array to retrieve the textual day name.
534  * Example:
535  *<pre><code>
536 var dt = new Date('1/10/2007');
537 document.write(Date.dayNames[dt.getFirstDayOfMonth()]); //output: 'Monday'
538 </code></pre>
539  * @return {Number} The day number (0-6)
540  */
541 Date.prototype.getFirstDayOfMonth = function() {
542     var day = (this.getDay() - (this.getDate() - 1)) % 7;
543     return (day < 0) ? (day + 7) : day;
544 };
545
546 /**
547  * Get the last day of the current month, adjusted for leap year.  The returned value
548  * is the numeric day index within the week (0-6) which can be used in conjunction with
549  * the {@link #monthNames} array to retrieve the textual day name.
550  * Example:
551  *<pre><code>
552 var dt = new Date('1/10/2007');
553 document.write(Date.dayNames[dt.getLastDayOfMonth()]); //output: 'Wednesday'
554 </code></pre>
555  * @return {Number} The day number (0-6)
556  */
557 Date.prototype.getLastDayOfMonth = function() {
558     var day = (this.getDay() + (Date.daysInMonth[this.getMonth()] - this.getDate())) % 7;
559     return (day < 0) ? (day + 7) : day;
560 };
561
562
563 /**
564  * Get the first date of this date's month
565  * @return {Date}
566  */
567 Date.prototype.getFirstDateOfMonth = function() {
568     return new Date(this.getFullYear(), this.getMonth(), 1);
569 };
570
571 /**
572  * Get the last date of this date's month
573  * @return {Date}
574  */
575 Date.prototype.getLastDateOfMonth = function() {
576     return new Date(this.getFullYear(), this.getMonth(), this.getDaysInMonth());
577 };
578 /**
579  * Get the number of days in the current month, adjusted for leap year.
580  * @return {Number} The number of days in the month
581  */
582 Date.prototype.getDaysInMonth = function() {
583     Date.daysInMonth[1] = this.isLeapYear() ? 29 : 28;
584     return Date.daysInMonth[this.getMonth()];
585 };
586
587 /**
588  * Get the English ordinal suffix of the current day (equivalent to the format specifier 'S').
589  * @return {String} 'st, 'nd', 'rd' or 'th'
590  */
591 Date.prototype.getSuffix = function() {
592     switch (this.getDate()) {
593         case 1:
594         case 21:
595         case 31:
596             return "st";
597         case 2:
598         case 22:
599             return "nd";
600         case 3:
601         case 23:
602             return "rd";
603         default:
604             return "th";
605     }
606 };
607
608 // private
609 Date.daysInMonth = [31,28,31,30,31,30,31,31,30,31,30,31];
610
611 /**
612  * An array of textual month names.
613  * Override these values for international dates, for example...
614  * Date.monthNames = ['JanInYourLang', 'FebInYourLang', ...];
615  * @type Array
616  * @static
617  */
618 Date.monthNames =
619    ["January",
620     "February",
621     "March",
622     "April",
623     "May",
624     "June",
625     "July",
626     "August",
627     "September",
628     "October",
629     "November",
630     "December"];
631
632 /**
633  * An array of textual day names.
634  * Override these values for international dates, for example...
635  * Date.dayNames = ['SundayInYourLang', 'MondayInYourLang', ...];
636  * @type Array
637  * @static
638  */
639 Date.dayNames =
640    ["Sunday",
641     "Monday",
642     "Tuesday",
643     "Wednesday",
644     "Thursday",
645     "Friday",
646     "Saturday"];
647
648 // private
649 Date.y2kYear = 50;
650 // private
651 Date.monthNumbers = {
652     Jan:0,
653     Feb:1,
654     Mar:2,
655     Apr:3,
656     May:4,
657     Jun:5,
658     Jul:6,
659     Aug:7,
660     Sep:8,
661     Oct:9,
662     Nov:10,
663     Dec:11};
664
665 /**
666  * Creates and returns a new Date instance with the exact same date value as the called instance.
667  * Dates are copied and passed by reference, so if a copied date variable is modified later, the original
668  * variable will also be changed.  When the intention is to create a new variable that will not
669  * modify the original instance, you should create a clone.
670  *
671  * Example of correctly cloning a date:
672  * <pre><code>
673 //wrong way:
674 var orig = new Date('10/1/2006');
675 var copy = orig;
676 copy.setDate(5);
677 document.write(orig);  //returns 'Thu Oct 05 2006'!
678
679 //correct way:
680 var orig = new Date('10/1/2006');
681 var copy = orig.clone();
682 copy.setDate(5);
683 document.write(orig);  //returns 'Thu Oct 01 2006'
684 </code></pre>
685  * @return {Date} The new Date instance
686  */
687 Date.prototype.clone = function() {
688         return new Date(this.getTime());
689 };
690
691 /**
692  * Clears any time information from this date
693  @param {Boolean} clone true to create a clone of this date, clear the time and return it
694  @return {Date} this or the clone
695  */
696 Date.prototype.clearTime = function(clone){
697     if(clone){
698         return this.clone().clearTime();
699     }
700     this.setHours(0);
701     this.setMinutes(0);
702     this.setSeconds(0);
703     this.setMilliseconds(0);
704     return this;
705 };
706
707 // private
708 // safari setMonth is broken
709 if(Roo.isSafari){
710     Date.brokenSetMonth = Date.prototype.setMonth;
711         Date.prototype.setMonth = function(num){
712                 if(num <= -1){
713                         var n = Math.ceil(-num);
714                         var back_year = Math.ceil(n/12);
715                         var month = (n % 12) ? 12 - n % 12 : 0 ;
716                         this.setFullYear(this.getFullYear() - back_year);
717                         return Date.brokenSetMonth.call(this, month);
718                 } else {
719                         return Date.brokenSetMonth.apply(this, arguments);
720                 }
721         };
722 }
723
724 /** Date interval constant 
725 * @static 
726 * @type String */
727 Date.MILLI = "ms";
728 /** Date interval constant 
729 * @static 
730 * @type String */
731 Date.SECOND = "s";
732 /** Date interval constant 
733 * @static 
734 * @type String */
735 Date.MINUTE = "mi";
736 /** Date interval constant 
737 * @static 
738 * @type String */
739 Date.HOUR = "h";
740 /** Date interval constant 
741 * @static 
742 * @type String */
743 Date.DAY = "d";
744 /** Date interval constant 
745 * @static 
746 * @type String */
747 Date.MONTH = "mo";
748 /** Date interval constant 
749 * @static 
750 * @type String */
751 Date.YEAR = "y";
752
753 /**
754  * Provides a convenient method of performing basic date arithmetic.  This method
755  * does not modify the Date instance being called - it creates and returns
756  * a new Date instance containing the resulting date value.
757  *
758  * Examples:
759  * <pre><code>
760 //Basic usage:
761 var dt = new Date('10/29/2006').add(Date.DAY, 5);
762 document.write(dt); //returns 'Fri Oct 06 2006 00:00:00'
763
764 //Negative values will subtract correctly:
765 var dt2 = new Date('10/1/2006').add(Date.DAY, -5);
766 document.write(dt2); //returns 'Tue Sep 26 2006 00:00:00'
767
768 //You can even chain several calls together in one line!
769 var dt3 = new Date('10/1/2006').add(Date.DAY, 5).add(Date.HOUR, 8).add(Date.MINUTE, -30);
770 document.write(dt3); //returns 'Fri Oct 06 2006 07:30:00'
771  </code></pre>
772  *
773  * @param {String} interval   A valid date interval enum value
774  * @param {Number} value      The amount to add to the current date
775  * @return {Date} The new Date instance
776  */
777 Date.prototype.add = function(interval, value){
778   var d = this.clone();
779   if (!interval || value === 0) return d;
780   switch(interval.toLowerCase()){
781     case Date.MILLI:
782       d.setMilliseconds(this.getMilliseconds() + value);
783       break;
784     case Date.SECOND:
785       d.setSeconds(this.getSeconds() + value);
786       break;
787     case Date.MINUTE:
788       d.setMinutes(this.getMinutes() + value);
789       break;
790     case Date.HOUR:
791       d.setHours(this.getHours() + value);
792       break;
793     case Date.DAY:
794       d.setDate(this.getDate() + value);
795       break;
796     case Date.MONTH:
797       var day = this.getDate();
798       if(day > 28){
799           day = Math.min(day, this.getFirstDateOfMonth().add('mo', value).getLastDateOfMonth().getDate());
800       }
801       d.setDate(day);
802       d.setMonth(this.getMonth() + value);
803       break;
804     case Date.YEAR:
805       d.setFullYear(this.getFullYear() + value);
806       break;
807   }
808   return d;
809 };