Skip to content

Commit b26d418

Browse files
committed
version 2.5.2, and 2.5.3
1 parent 71d7ce7 commit b26d418

File tree

5 files changed

+190
-55
lines changed

5 files changed

+190
-55
lines changed

CHANGELOG.md

+9
Original file line numberDiff line numberDiff line change
@@ -1,4 +1,13 @@
11
# CHANGELOG
2+
## [2.5.3]
3+
- `remainingDays` now returns negative values for dates in the past to correctly reflect the number of days remaining.
4+
- `passedDays` now returns 0 for dates in the future, to correctly indicate that no days have passed yet.
5+
- **Note:** For the previous behavior of always returning absolute day differences, use the `daysDifferenceTo` method.
6+
7+
## [2.5.2]
8+
- Added support for WASM.
9+
- Added topics to pubspec.yaml.
10+
211
## [2.5.1]
312
- Renamed `castTo<R>()` to `convertTo<R>()` in List and Set extensions.
413
- Renamed `toListCasted<R>()` & `toSetCasted<R>()` to `toListConverted<R>()` & `toSetConverted<R>()` in the Iterable extension.

example/dart_helper_utils_example.dart

+24
Original file line numberDiff line numberDiff line change
@@ -193,6 +193,30 @@ Future<void> main() async {
193193
for (final node in doublyLinkedList.nodes) {
194194
print('Prev: ${node.prev}, Current: ${node.data}, Next: ${node.next}');
195195
}
196+
197+
final httpDateTypeTestCases = {
198+
'Thu, 30 Aug 2024 12:00:00 GMT': 'RFC-1123',
199+
'Thursday, 30-Aug-24 12:00:00 GMT': 'RFC-850',
200+
'Thu Aug 30 12:00:00 2024': 'ANSI C asctime()',
201+
'Invalid date string': 'Invalid',
202+
'Wed, 31 Feb 2024 12:00:00 GMT': 'Invalid date',
203+
'Sun, 29 Feb 2024 12:00:00 GMT': 'RFC-1123 (Leap year)',
204+
};
205+
206+
for (final entry in httpDateTypeTestCases.entries) {
207+
final dateStr = entry.key;
208+
final formatDescription = entry.value;
209+
final parsedDate = dateStr.parseHttpDate();
210+
211+
if (parsedDate != null) {
212+
print('Date string: "$dateStr" ($formatDescription)');
213+
print('Parsed DateTime: ${parsedDate.toIso8601String()}');
214+
} else {
215+
print('Date string: "$dateStr" ($formatDescription)');
216+
print('Parsing failed (DateTime is null)');
217+
}
218+
print('---');
219+
}
196220
}
197221

198222
// Example enum used in the map

lib/src/extensions/date.dart

+109-46
Original file line numberDiff line numberDiff line change
@@ -1,9 +1,57 @@
1-
import 'dart:io';
2-
31
import 'package:dart_helper_utils/dart_helper_utils.dart';
42

53
int get millisecondsSinceEpochNow => DateTime.now().millisecondsSinceEpoch;
64

5+
const smallWeekdays = {
6+
1: 'Mon',
7+
2: 'Tue',
8+
3: 'Wed',
9+
4: 'Thu',
10+
5: 'Fri',
11+
6: 'Sat',
12+
7: 'Sun',
13+
};
14+
15+
const fullWeekdays = {
16+
1: 'Monday',
17+
2: 'Tuesday',
18+
3: 'Wednesday',
19+
4: 'Thursday',
20+
5: 'Friday',
21+
6: 'Saturday',
22+
7: 'Sunday',
23+
};
24+
25+
const smallMonthsNames = {
26+
1: 'Jan',
27+
2: 'Feb',
28+
3: 'Mar',
29+
4: 'Apr',
30+
5: 'May',
31+
6: 'Jun',
32+
7: 'Jul',
33+
8: 'Aug',
34+
9: 'Sep',
35+
10: 'Oct',
36+
11: 'Nov',
37+
12: 'Dec',
38+
};
39+
40+
const fullMonthsNames = {
41+
1: 'January',
42+
2: 'February',
43+
3: 'March',
44+
4: 'April',
45+
5: 'May',
46+
6: 'June',
47+
7: 'July',
48+
8: 'August',
49+
9: 'September',
50+
10: 'October',
51+
11: 'November',
52+
12: 'December',
53+
};
54+
755
extension DHUDateString on String {
856
/// Parse string to [DateTime] using null Safety
957
DateTime get toDateTime => DateTime.parse(this);
@@ -39,21 +87,8 @@ extension NumberToDateUtils on num {
3987
/// ```
4088
/// If the number is outside the range 1-12, it will be clamped within this range.
4189
String get toFullMonthName {
42-
final monthIndex = this.toInt().clamp(1, 12) - 1;
43-
return [
44-
'January',
45-
'February',
46-
'March',
47-
'April',
48-
'May',
49-
'June',
50-
'July',
51-
'August',
52-
'September',
53-
'October',
54-
'November',
55-
'December'
56-
][monthIndex];
90+
final monthIndex = this.toInt().clamp(1, 12);
91+
return fullMonthsNames[monthIndex]!;
5792
}
5893

5994
/// Gets the full day name (e.g., "Monday") corresponding to this number (1-7).
@@ -67,16 +102,8 @@ extension NumberToDateUtils on num {
67102
/// ```
68103
/// If the number is outside the range 1-7, it will be normalized within this range using modulo arithmetic.
69104
String get toFullDayName {
70-
final dayIndex = (this.toInt() - 1) % 7; // Ensure value is within 0-6
71-
return [
72-
'Monday',
73-
'Tuesday',
74-
'Wednesday',
75-
'Thursday',
76-
'Friday',
77-
'Saturday',
78-
'Sunday'
79-
][dayIndex];
105+
final dayIndex = (this.toInt()) % 7; // Ensure value is within 0-6
106+
return fullWeekdays[dayIndex]!;
80107
}
81108

82109
/// Gets the short day name (e.g., "Mon") corresponding to this number (1-7).
@@ -214,7 +241,7 @@ extension DHUNullableDateExtensions on DateTime? {
214241
return false;
215242
}
216243

217-
return passedDays == 1;
244+
return passedDays == -1;
218245
}
219246

220247
bool get isPresent => isNotNull && this!.isAfter(DateTime.now());
@@ -248,19 +275,42 @@ extension DHUNullableDateExtensions on DateTime? {
248275
isNull ? null : this!.difference(DateTime.now());
249276

250277
/// Returns the number of days remaining until this DateTime.
251-
int? get remainingDays => isNull ? null : this!.daysDifferenceTo();
278+
int? get remainingDays => isNull ? null : this!.remainingDays;
252279

253-
int? get passedDays => isNull ? null : DateTime.now().daysDifferenceTo(this);
280+
int? get passedDays => isNull ? null : this!.passedDays;
254281
}
255282

256283
extension DHUDateExtensions on DateTime {
257284
/// Converts this DateTime to local time.
258285
DateTime get local => toLocal();
259286

287+
// TODO(ME): Rename this to httpDateFormat.
260288
/// Format a date to "DAY, DD MON YYYY hh:mm:ss GMT" according to
261289
/// [RFC-1123](https://tools.ietf.org/html/rfc1123 "RFC-1123"),
262290
/// e.g. `Thu, 1 Jan 1970 00:00:00 GMT`.
263-
String get httpFormat => HttpDate.format(this);
291+
String get httpFormat {
292+
final weekday = smallWeekdays[this.weekday];
293+
final month = smallMonthsNames[this.month];
294+
final d = toUtc();
295+
final sb = StringBuffer()
296+
..write(weekday)
297+
..write(', ')
298+
..write(d.day <= 9 ? '0' : '')
299+
..write(d.day)
300+
..write(' ')
301+
..write(month)
302+
..write(' ')
303+
..write(d.year)
304+
..write(d.hour <= 9 ? ' 0' : ' ')
305+
..write(d.hour)
306+
..write(d.minute <= 9 ? ':0' : ':')
307+
..write(d.minute)
308+
..write(d.second <= 9 ? ':0' : ':')
309+
..write(d.second)
310+
..write(' GMT');
311+
312+
return sb.toString();
313+
}
264314

265315
/// Converts this DateTime to UTC and returns an ISO 8601 string.
266316
String get toUtcIso => toUtc().toIso;
@@ -300,14 +350,22 @@ extension DHUDateExtensions on DateTime {
300350
/// Returns the duration that has passed since this DateTime.
301351
Duration get passedDuration => DateTime.now().difference(this);
302352

303-
/// Returns the number of days that have passed since this DateTime.
304-
int get passedDays => DateTime.now().daysDifferenceTo(this);
353+
int get passedDays {
354+
final today = DateTime.now();
355+
// If the date is after today, return 0 as no days have passed yet
356+
// Otherwise, return the positive difference
357+
return isAfter(today) ? 0 : today.daysDifferenceTo(this);
358+
}
305359

306360
/// Returns the duration remaining until this DateTime.
307361
Duration get remainingDuration => difference(DateTime.now());
308362

309363
/// Returns the number of days remaining until this DateTime.
310-
int get remainingDays => daysDifferenceTo();
364+
int get remainingDays {
365+
final today = DateTime.now();
366+
// If the date is before today, return a negative difference
367+
return isBefore(today) ? -daysDifferenceTo(today) : daysDifferenceTo(today);
368+
}
311369

312370
/// Checks if this DateTime is in the same year as [other].
313371
bool isAtSameYearAs(DateTime other) => year == other.year;
@@ -389,12 +447,12 @@ extension DHUDateExtensions on DateTime {
389447
/// [startOfWeek] is an optional parameter specifying the weekday that is considered
390448
/// the start of the week (1 for Monday, 7 for Sunday, etc.). Defaults to Monday.
391449
DateTime firstDayOfWeek({int startOfWeek = DateTime.monday}) {
392-
// Normalize the startOfWeek value to be within the range of 1-7
450+
// Normalize the startOfWeek value to be within the range of 1-7
393451
final normalizedStartOfWeek =
394452
((startOfWeek - 1) % DateTime.daysPerWeek) + 1;
395453

396-
// Calculate the difference between the current weekday and normalizedStartOfWeek
397-
// and adjust it to be positive and within the range of 0-6
454+
// Calculate the difference between the current weekday and normalizedStartOfWeek
455+
// and adjust it to be positive and within the range of 0-6
398456
final daysToSubtract =
399457
(weekday - normalizedStartOfWeek + DateTime.daysPerWeek) %
400458
DateTime.daysPerWeek;
@@ -413,7 +471,7 @@ extension DHUDateExtensions on DateTime {
413471
(DateTime.daysPerWeek - weekday + normalizedStartOfWeek - 1) %
414472
DateTime.daysPerWeek;
415473

416-
// Convert to UTC and then back to the original timezone to ensure correct midnight
474+
// Convert to UTC and then back to the original timezone to ensure correct midnight
417475
final utcLastDayOfWeek = toUtc().add(Duration(days: daysToAdd));
418476
return utcLastDayOfWeek.toLocal();
419477
}
@@ -459,7 +517,7 @@ extension DHUDateExtensions on DateTime {
459517
final newYear = year + years;
460518
final newMonth = month;
461519
var newDay = day;
462-
// Adjust the day if it exceeds the number of days in the new month
520+
// Adjust the day if it exceeds the number of days in the new month
463521
while (newDay > DateTime(newYear, newMonth + 1, 0).day) {
464522
newDay--;
465523
}
@@ -472,7 +530,7 @@ extension DHUDateExtensions on DateTime {
472530
final newYear = year + (totalMonths ~/ 12);
473531
final newMonth = totalMonths % 12 == 0 ? 12 : totalMonths % 12;
474532
var newDay = day;
475-
// Adjust the day if it exceeds the number of days in the new month
533+
// Adjust the day if it exceeds the number of days in the new month
476534
while (newDay > DateTime(newYear, newMonth + 1, 0).day) {
477535
newDay--;
478536
}
@@ -519,7 +577,7 @@ extension DHUDateExtensions on DateTime {
519577

520578
if (thisNoonUtc.difference(otherNoonUtc).inDays.abs() >= 7) return false;
521579

522-
// Find the start of the week (Monday) for both dates
580+
// Find the start of the week (Monday) for both dates
523581
final startOfWeekThis =
524582
thisNoonUtc.subtract(Duration(days: thisNoonUtc.weekday - 1));
525583
final startOfWeekOther =
@@ -534,8 +592,13 @@ extension DHUDateExtensions on DateTime {
534592
int daysDifferenceTo([DateTime? other]) {
535593
final comparisonDate = other ?? DateTime.now();
536594
return DateTime(year, month, day)
537-
.difference(DateTime(
538-
comparisonDate.year, comparisonDate.month, comparisonDate.day))
595+
.difference(
596+
DateTime(
597+
comparisonDate.year,
598+
comparisonDate.month,
599+
comparisonDate.day,
600+
),
601+
)
539602
.inDays
540603
.abs(); // Ensure positive result
541604
}
@@ -551,7 +614,7 @@ extension DHUDateExtensions on DateTime {
551614
yield current;
552615
current = current.add(const Duration(days: 1));
553616

554-
// Adjust for potential time zone changes during iteration
617+
// Adjust for potential time zone changes during iteration
555618
final offsetDifference = current.timeZoneOffset - currentOffset;
556619
if (offsetDifference.inSeconds != 0) {
557620
currentOffset = current.timeZoneOffset; // Update offset
@@ -563,10 +626,10 @@ extension DHUDateExtensions on DateTime {
563626
}
564627

565628
abstract class DatesHelper {
566-
// Whether or not two times are on the same hour.
629+
// Whether or not two times are on the same hour.
567630
static bool isSameHour(DateTime a, DateTime b) => a.isSameHourAs(b);
568631

569-
// Whether or not two times are on the same day.
632+
// Whether or not two times are on the same day.
570633
static bool isSameDay(DateTime a, DateTime b) => a.isSameDayAs(b);
571634

572635
static bool isSameWeek(DateTime a, DateTime b) => a.isSameWeekAs(b);

lib/src/extensions/for_intl/date_format.dart

+39-6
Original file line numberDiff line numberDiff line change
@@ -1,5 +1,3 @@
1-
import 'dart:io';
2-
31
import 'package:dart_helper_utils/dart_helper_utils.dart';
42

53
extension DHUNDateFormatExtension on DateTime? {
@@ -121,6 +119,43 @@ extension DHUDateFormatExtension on DateTime {
121119
}
122120

123121
extension DHUDateFormatStringExtension on String {
122+
/// Parses a date string in either of the formats RFC-1123, RFC-850, or ANSI C's asctime().
123+
///
124+
/// - **RFC-1123**: Commonly used in HTTP headers. Example: `Thu, 30 Aug 2024 12:00:00 GMT`.
125+
/// - **RFC-850**: An older format, less commonly used today. Example: `Thursday, 30-Aug-24 12:00:00 GMT`.
126+
/// - **ANSI C's `asctime()`**: A format used by the C programming language's standard library. Example: `Thu Aug 30 12:00:00 2024`.
127+
///
128+
/// Usage:
129+
/// ```dart
130+
/// String rfc1123Date = "Thu, 30 Aug 2024 12:00:00 GMT";
131+
/// DateTime? parsedDate = rfc1123Date.parseHttpDate();
132+
/// print(parsedDate?.toIso8601String()); // Outputs: 2024-08-30T12:00:00.000Z
133+
///
134+
/// String asctimeDate = "Thu Aug 30 12:00:00 2024";
135+
/// DateTime? parsedDate2 = asctimeDate.parseHttpDate();
136+
/// print(parsedDate2?.toIso8601String()); // Outputs: 2024-08-30T12:00:00.000Z or null if parsing fails
137+
/// ```
138+
///
139+
/// This method tries to parse the date string using the appropriate format. If parsing fails,
140+
/// it returns `null` instead of throwing an exception.
141+
DateTime? parseHttpDate([bool utc = false]) {
142+
final formats = [
143+
DateFormat("EEE, dd MMM yyyy HH:mm:ss 'GMT'", 'en_US'), // RFC-1123
144+
DateFormat("EEEE, dd-MMM-yy HH:mm:ss 'GMT'", 'en_US'), // RFC-850
145+
DateFormat('EEE MMM d HH:mm:ss yyyy', 'en_US'), // ANSI C's asctime()
146+
];
147+
148+
for (final format in formats) {
149+
try {
150+
return utc ? format.parseUtc(this) : format.parse(this);
151+
} catch (_) {
152+
// Continue to the next format if parsing fails.
153+
}
154+
}
155+
156+
return null;
157+
}
158+
124159
/// Parses a date-time string into a `DateTime` object, automatically trying
125160
/// various formats to handle diverse inputs.
126161
///
@@ -179,10 +214,8 @@ extension DHUDateFormatStringExtension on String {
179214
return utc ? parsedDate.toUtc() : parsedDate;
180215
} catch (_) {}
181216

182-
try {
183-
final parsedDate = HttpDate.parse(this); // Requires 'dart:io' import
184-
return utc ? parsedDate.toUtc() : parsedDate;
185-
} catch (_) {}
217+
final httpDate = parseHttpDate(utc);
218+
if (httpDate != null) return httpDate;
186219

187220
final formats = {
188221
// ISO 8601-like (most standard, unambiguous)

0 commit comments

Comments
 (0)