Skip to content

Commit e749ce2

Browse files
committed
v2.5.0
1 parent dc0301a commit e749ce2

8 files changed

+262
-13
lines changed

CHANGELOG.md

+23-3
Original file line numberDiff line numberDiff line change
@@ -1,9 +1,29 @@
11
# CHANGELOG
2+
## [2.5.0]
3+
- Added `castTo<R>()` to the List and Set extensions and `toListCasted<R>()` & `toSetCasted<R>()` to the Iterable extension.
4+
- Enhanced numeric extensions with additional date-related helpers:
5+
- Added helpers to check if the number matches the current year, month, day of the month, or day of the week: `isCurrentYear`, `isCurrentMonth`, `isCurrentDay`, and `isCurrentDayOfWeek`.
6+
- `isBetweenMonths`: Checks if a number (representing a month) falls within a specified range, handling year boundaries gracefully.
7+
- Added `isInThisMonth` in the date extension, it checks if a month of this date matches the month of now.
8+
- Updated some docs.
9+
10+
```dart
11+
void main() {
12+
final list = [1, 2, '3', '3.1', 22.3];
13+
14+
// Parsing a dynamic numeric list to num, int, and double.
15+
print(list.castTo<num>()); // [1, 2, 3, 3.1, 22.3]
16+
print(list.castTo<int>()); // [1, 2, 3, 3, 22]
17+
print(list.castTo<double>()); // [1.0, 2.0, 3.0, 3.1, 22.3]
18+
}
19+
```
220
## [2.4.0]
321
### New Features
4-
**`totalBy` Getter:** The `totalBy` getter as an extension on any `Iterable`. It allows you to calculate the total of a specific numeric property within the objects of the iterable by providing a selector function.
5-
**`total` Getter:** Now, any `Iterable` containing numeric types (`int?`, `double?`, `num?`) has access to a `total` getter. This getter computes the sum of all numeric elements within the iterable, with null values being treated as zeros
6-
**`nodesWhere` in `DoublyLinkedList`** The `DoublyLinkedList` now includes a `nodesWhere` method, which returns all nodes that satisfy a given condition specified by the test function `bool Function(Node<E>)`.
22+
**`total` on `Iterable<num>`:** This getter computes the sum of all numeric elements within the iterable, with null values being treated as zeros
23+
24+
**`totalBy` on `Iterable<E>`:** Allows you to calculate the total of a specific numeric property within the objects of the iterable by providing a selector function.
25+
26+
**`nodesWhere` on `DoublyLinkedList`** The `DoublyLinkedList` now includes a `nodesWhere` method, which returns all nodes that satisfy a given condition specified by the test function `bool Function(Node<E>)`.
727

828
```dart
929
num totalPrice = productList.totalBy((product) => product?.price);

README.md

+4-4
Original file line numberDiff line numberDiff line change
@@ -2,7 +2,7 @@
22

33
[![pub package](https://img.shields.io/pub/v/dart_helper_utils)](https://pub.dev/packages/dart_helper_utils)
44

5-
The `dart_helper_utils` package provides a collection of Dart utilities, tools for converting dynamic objects to various types, and extending core Dart classes with extension.
5+
The `dart_helper_utils` package provides a collection of Dart utilities, tools for converting dynamic objects to various types, and extending core Dart classes with an extension.
66

77
**Note:** This package is tailored for Dart projects. For Flutter projects, use [`flutter_helper_utils`](https://pub.dev/packages/flutter_helper_utils), which includes all `dart_helper_utils` features plus additional utilities and extension for Flutter, such as `Widget`, `Color`, and `BuildContext` extension.
88

@@ -58,16 +58,16 @@ The `DoublyLinkedList` class offers a way to manage ordered collections of data
5858

5959
**Key Advantages:**
6060
* **Efficient Insertion/Deletion:** Adding or removing elements at the beginning, middle, or end of the list takes constant time (O(1)).
61-
* **Bidirectional Traversal:** Easily navigate through the list in either direction using the `next` and `prev` references on each node.
61+
* **Bidirectional Traversal:** Easily navigate through the list in either direction using the `next` and `prev` references on each node.
6262
* **Memory Flexibility:** The list dynamically grows or shrinks as needed, making it memory-efficient for managing collections of varying sizes.
6363

6464
**Core Features:**
65-
* **List-Like Interface:** You can use `DoublyLinkedList` just like a standard Dart `List`, with familiar methods like `add`, `insert`, `remove`, `clear`, etc.
65+
* **List-Like Interface:** You can use `DoublyLinkedList` just like a standard Dart `List`, with familiar methods like `add`, `insert`, `remove`, `clear`, etc.
6666
* **Node Iteration:** The `nodes` property provides a convenient way to iterate over the individual nodes of the list, giving you access to `data`, `prev`, and `next` fields.
6767
* **Factory Constructors:** Easily create lists with specific characteristics:
6868
- `filled(length, fill)`: Creates a list of a given length filled with a specified value.
6969
- `generate(length, generator)`: Creates a list by applying a function to generate elements.
70-
- `from(Iterable)`: Creates a list from an existing iterable.
70+
- `from(Iterable)`: Creates a list from existing iterable.
7171

7272
**Example Usage:**
7373
```dart

example/dart_helper_utils_example.dart

+6
Original file line numberDiff line numberDiff line change
@@ -1,6 +1,12 @@
11
import 'package:dart_helper_utils/dart_helper_utils.dart';
22

33
Future<void> main() async {
4+
// parsing dynamic numeric list to num, int, and double.
5+
final list = [1, 2, '3', '3.1', 22.3];
6+
print(list.castTo<num>()); // [1, 2, 3, 3.1, 22.3]
7+
print(list.castTo<int>()); // [1, 2, 3, 3, 22]
8+
print(list.castTo<double>()); // [1.0, 2.0, 3.0, 3.1, 22.3]
9+
410
// parsing raw Json array of doubles to List<int>
511
final intList = tryToList<int>('[1.5, 2.3, 3.4]');
612
print(intList); // [1, 2, 3]

lib/src/extensions/date.dart

+153-5
Original file line numberDiff line numberDiff line change
@@ -2,6 +2,8 @@ import 'dart:io';
22

33
import 'package:dart_helper_utils/dart_helper_utils.dart';
44

5+
int get millisecondsSinceEpochNow => DateTime.now().millisecondsSinceEpoch;
6+
57
extension DHUDateString on String {
68
/// Parse string to [DateTime] using null Safety
79
DateTime get toDateTime => DateTime.parse(this);
@@ -27,8 +29,15 @@ extension DHUDateNullString on String? {
2729
}
2830
}
2931

30-
extension NumberToDateNames on num {
32+
extension NumberToDateUtils on num {
3133
/// Gets the full month name (e.g., "January") corresponding to this number (1-12).
34+
///
35+
/// Example:
36+
/// ```dart
37+
/// 1.toFullMonthName; // Returns "January"
38+
/// 12.toFullMonthName; // Returns "December"
39+
/// ```
40+
/// If the number is outside the range 1-12, it will be clamped within this range.
3241
String get toFullMonthName {
3342
final monthIndex = this.toInt().clamp(1, 12) - 1;
3443
return [
@@ -48,6 +57,15 @@ extension NumberToDateNames on num {
4857
}
4958

5059
/// Gets the full day name (e.g., "Monday") corresponding to this number (1-7).
60+
///
61+
/// This method follows ISO 8601, where the week starts on Monday (1) and ends on Sunday (7).
62+
///
63+
/// Example:
64+
/// ```dart
65+
/// 1.toFullDayName; // Returns "Monday"
66+
/// 7.toFullDayName; // Returns "Sunday"
67+
/// ```
68+
/// If the number is outside the range 1-7, it will be normalized within this range using modulo arithmetic.
5169
String get toFullDayName {
5270
final dayIndex = (this.toInt() - 1) % 7; // Ensure value is within 0-6
5371
return [
@@ -62,27 +80,142 @@ extension NumberToDateNames on num {
6280
}
6381

6482
/// Gets the short day name (e.g., "Mon") corresponding to this number (1-7).
83+
///
84+
/// Example:
85+
/// ```dart
86+
/// 1.toSmallDayName; // Returns "Mon"
87+
/// 7.toSmallDayName; // Returns "Sun"
88+
/// ```
89+
/// If the number is outside the range 1-7, it will be normalized within this range using modulo arithmetic.
6590
String get toSmallDayName => toFullDayName.substring(0, 3);
6691

6792
/// Gets the short month name (e.g., "Jan") corresponding to this number (1-12).
93+
///
94+
/// Example:
95+
/// ```dart
96+
/// 1.toSmallMonthName; // Returns "Jan"
97+
/// 12.toSmallMonthName; // Returns "Dec"
98+
/// ```
99+
/// If the number is outside the range 1-12, it will be clamped within this range.
68100
String get toSmallMonthName => toFullMonthName.substring(0, 3);
69101

70-
// convert all to int and if the number is too large for month def is 12 if too small def is 1 and so on
102+
/// Converts a numeric timestamp (in milliseconds since epoch) to a DateTime object.
103+
///
104+
/// Example:
105+
/// ```dart
106+
/// 1609459200000.timestampToDate; // Returns DateTime for 2021-01-01 00:00:00.000
107+
/// ```
71108
DateTime get timestampToDate =>
72109
DateTime.fromMillisecondsSinceEpoch(this.toInt());
110+
111+
/// Checks if the number (assumed to represent a month, 1-based) is within the specified range of months.
112+
///
113+
/// This method handles ranges that cross the year boundary (e.g., December to February).
114+
///
115+
/// Example:
116+
/// ```dart
117+
/// 3.isBetweenMonths(12, 2); // Returns true, March is within December-February
118+
/// 6.isBetweenMonths(3, 8); // Returns true, June is within March-August
119+
/// ```
120+
bool isBetweenMonths(int startMonth, int endMonth) {
121+
final month = this.toInt();
122+
// Handle cases where the range crosses over the year boundary (e.g., December to February)
123+
if (startMonth > endMonth) {
124+
return month >= startMonth || month <= endMonth;
125+
} else {
126+
return month >= startMonth && month <= endMonth;
127+
}
128+
}
129+
130+
/// Checks if the number (assumed to represent a day of the week, 1-based) corresponds to the current day of the week.
131+
///
132+
/// This method follows ISO 8601, where the week starts on Monday (1) and ends on Sunday (7).
133+
///
134+
/// Example:
135+
/// ```dart
136+
/// 1.isCurrentDayOfWeek; // Returns true if today is Monday
137+
/// 7.isCurrentDayOfWeek; // Returns true if today is Sunday
138+
/// ```
139+
bool get isCurrentDayOfWeek {
140+
final now = DateTime.now();
141+
return this.toInt() == now.weekday;
142+
}
143+
144+
/// Checks if the number (assumed to represent a year) corresponds to the current year.
145+
///
146+
/// Example:
147+
/// ```dart
148+
/// 2024.isCurrentYear; // Returns true if the current year is 2024
149+
/// ```
150+
bool get isCurrentYear {
151+
final now = DateTime.now();
152+
return this.toInt() == now.year;
153+
}
154+
155+
/// Checks if the number (assumed to represent a month, 1-based) corresponds to the current month.
156+
///
157+
/// Example:
158+
/// ```dart
159+
/// 8.isCurrentMonth; // Returns true if the current month is August
160+
/// ```
161+
bool get isCurrentMonth {
162+
final now = DateTime.now();
163+
return this.toInt() == now.month;
164+
}
165+
166+
/// Checks if the number (assumed to represent a day, 1-based) corresponds to the current day of the month.
167+
///
168+
/// Example:
169+
/// ```dart
170+
/// 15.isCurrentDay; // Returns true if today is the 15th of the month
171+
/// ```
172+
bool get isCurrentDay {
173+
final now = DateTime.now();
174+
return this.toInt() == now.day;
175+
}
73176
}
74177

75178
extension DHUNullableDateExtensions on DateTime? {
76179
DateTime? get local => this?.toLocal();
77180

78181
String? get toUtcIso => this?.toUtc().toIso8601String();
79182

80-
bool get isTomorrow => remainingDays == 1;
183+
bool get isTomorrow {
184+
if (this == null) return false;
185+
final now = DateTime.now();
186+
187+
// Quick check to rule out dates that are far away
188+
if (this!.year != now.year || this!.month != now.month) {
189+
return false;
190+
}
191+
192+
return remainingDays == 1;
193+
}
81194

82195
/// return true if the date is today
83-
bool get isToday => remainingDays == 0;
196+
bool get isToday {
197+
if (this == null) return false;
198+
final now = DateTime.now();
84199

85-
bool get isYesterday => passedDays == 1;
200+
// Quick check to rule out dates that are far away
201+
if (this!.year != now.year || this!.month != now.month) {
202+
return false;
203+
}
204+
205+
return remainingDays == 0;
206+
}
207+
208+
bool get isYesterday {
209+
if (this == null) return false;
210+
final now = DateTime.now();
211+
212+
// Quick check to rule out dates that are far away
213+
if (this!.year != now.year || this!.month != now.month) {
214+
return false;
215+
}
216+
217+
return passedDays == 1;
218+
}
86219

87220
bool get isPresent => isNotNull && this!.isAfter(DateTime.now());
88221

@@ -96,6 +229,12 @@ extension DHUNullableDateExtensions on DateTime? {
96229

97230
bool get isInThisYear => isNotNull && this!.year == DateTime.now().year;
98231

232+
bool get isInThisMonth {
233+
if (isNull) return false;
234+
final now = DateTime.now();
235+
return this!.month == now.month && this!.year == now.year;
236+
}
237+
99238
bool get isLeapYear {
100239
if (isNull) return false;
101240
return (this!.year % 4 == 0) &&
@@ -447,3 +586,12 @@ abstract class DatesHelper {
447586
static Iterable<DateTime> daysInRange(DateTime start, DateTime end) =>
448587
start.daysUpTo(end);
449588
}
589+
590+
/*
591+
**Areas for Improvement**
592+
593+
* **Error Handling:** Consider adding more robust error handling, especially in the parsing extensions, to provide informative messages to the user or log errors appropriately.
594+
* **Documentation:** While the code is generally well-organized, adding more detailed comments or docstrings, especially for complex functions, would improve its understandability and maintainability.
595+
* **Naming Conventions:** Some function names (e.g., `addOrRemoveYears`) could be more concise or descriptive.
596+
* **Testing:** Writing unit tests to cover various scenarios and edge cases would ensure the correctness and reliability of the code.
597+
*/

lib/src/extensions/iterable.dart

+62
Original file line numberDiff line numberDiff line change
@@ -50,6 +50,25 @@ Would you like any specific implementation details or examples for any of these
5050
typedef IndexedPredicate<T> = bool Function(int index, T);
5151
typedef Predicate<T> = bool Function(T);
5252

53+
extension DHUNullableSetExtensions<E> on Set<E>? {
54+
/// Converts the set to a different type [R], similar to the original [cast] method,
55+
/// but with additional flexibility and error handling.
56+
///
57+
/// Unlike the standard [Set.cast], which can throw a [CastError] if an element cannot
58+
/// be cast to the specified type [R], [castTo] leverages a custom conversion logic
59+
/// which tries various strategies to convert elements.
60+
///
61+
/// If a direct cast is not feasible, it attempts element-wise conversion using `toType`.
62+
/// This ensures that the conversion happens smoothly without risking a crash.
63+
///
64+
/// Example usage:
65+
/// ```dart
66+
/// Set<dynamic> set = {1, 2, '3'};
67+
/// List<int> intList = set.castTo<int>(); // Tries to convert all elements to int.
68+
/// ```
69+
Set<R> castTo<R>() => ConvertObject.toSet<R>(this);
70+
}
71+
5372
extension DHUNullableListExtensions<E> on List<E>? {
5473
/// same behavior as [removeAt] but it is null safe which means
5574
/// it do nothing when [List] return [isEmptyOrNull] to true.
@@ -80,6 +99,23 @@ extension DHUNullableListExtensions<E> on List<E>? {
8099
/// it do nothing when [List] return [isEmptyOrNull] to true.
81100
void tryRemoveWhere(int element) =>
82101
isEmptyOrNull ? null : this!.removeWhere((element) => false);
102+
103+
/// Converts the list to a different type [R], similar to the original [cast] method,
104+
/// but with additional flexibility and error handling.
105+
///
106+
/// Unlike the standard [List.cast], which can throw a [CastError] if an element cannot
107+
/// be cast to the specified type [R], [castTo] leverages a custom conversion logic
108+
/// which tries various strategies to convert elements.
109+
///
110+
/// If a direct cast is not feasible, it attempts element-wise conversion using `toType`.
111+
/// This ensures that the conversion happens smoothly without risking a crash.
112+
///
113+
/// Example usage:
114+
/// ```dart
115+
/// List<dynamic> list = [1, 2, '3'];
116+
/// List<int> intList = list.castTo<int>(); // Tries to convert all elements to int.
117+
/// ```
118+
List<R> castTo<R>() => ConvertObject.toList<R>(this);
83119
}
84120

85121
extension DHUCollectionsExtensionsNS<E> on Iterable<E>? {
@@ -361,6 +397,32 @@ extension DHUCollectionsExtensionsNS<E> on Iterable<E>? {
361397
}
362398

363399
extension DHUCollectionsExtensions<E> on Iterable<E> {
400+
/// Converts the iterable to a [List] of type [R] using the [castTo] method.
401+
///
402+
/// This method first converts the iterable to a list, then casts it to the desired
403+
/// type [R] using custom conversion logic provided by [castTo]. This ensures flexibility
404+
/// and handles potential casting errors gracefully.
405+
///
406+
/// Example usage:
407+
/// ```dart
408+
/// Iterable<dynamic> iterable = [1, '2', 3.0];
409+
/// List<int> intList = iterable.toListCasted<int>(); // Tries to convert all elements to int.
410+
/// ```
411+
List<R> toListCasted<R>() => this.toList().castTo<R>();
412+
413+
/// Converts the iterable to a [Set] of type [R] using the [castTo] method.
414+
///
415+
/// This method first converts the iterable to a set, then casts it to the desired
416+
/// type [R] using custom conversion logic provided by [castTo]. This ensures flexibility
417+
/// and handles potential casting errors gracefully.
418+
///
419+
/// Example usage:
420+
/// ```dart
421+
/// Iterable<dynamic> iterable = [1, '2', 3.0];
422+
/// Set<int> intSet = iterable.toSetCasted<int>(); // Tries to convert all elements to int.
423+
/// ```
424+
Set<R> toSetCasted<R>() => this.toSet().castTo<R>();
425+
364426
/// Returns this Iterable if it's not `null` and the empty list otherwise.
365427
Iterable<E> orEmpty() => this;
366428

0 commit comments

Comments
 (0)