Title here
Summary here
import std.time;
import std.string;
void main() {
// Here's a basic example of formatting a time
// according to ISO 8601, which is similar to RFC3339.
datetime t = datetime();
print(t.format("%Y-%m-%dT%H:%M:%S%z"));
// Time parsing uses a similar format string as formatting.
datetime t1;
if (datetime::parse("2012-11-01T22:08:41+00:00", t1, "%Y-%m-%dT%H:%M:%S%z")) {
print(t1.format("%Y-%m-%d %H:%M:%S %z"));
}
// Format and parse use format specifiers. You can use predefined
// formats or create custom ones. Here are some examples:
print(t.format("%I:%M%p"));
print(t.format("%a %b %d %H:%M:%S %Y"));
print(t.format("%Y-%m-%dT%H:%M:%S.%f%z"));
string form = "%I %M %p";
datetime t2;
if (datetime::parse("8 41 PM", t2, form)) {
print(t2.format("%Y-%m-%d %H:%M:%S"));
}
// For purely numeric representations you can also
// use string formatting with the extracted
// components of the time value.
print(formatString("%d-%02d-%02dT%02d:%02d:%02d-00:00",
t.year(), t.month(), t.day(),
t.hour(), t.minute(), t.second()));
// Parse will return false on malformed input.
string ansic = "%a %b %d %H:%M:%S %Y";
datetime t3;
if (!datetime::parse("8:41PM", t3, ansic)) {
print("Error parsing time");
}
}
AngelScript doesn’t have built-in time formatting and parsing as extensive as Go’s, but we can achieve similar functionality using the std.time
module. Here’s an explanation of the changes:
datetime
instead of time.Time
.Format
method is replaced with format
, which uses format specifiers similar to C’s strftime
.Parse
, we use datetime::parse
, which returns a boolean indicating success or failure.parse
.To run this program, you would save it as a .as
file and use the AngelScript interpreter or compile it with your AngelScript-compatible engine.
The output might look something like this:
2023-06-15T10:30:45+0000
2012-11-01 22:08:41 +0000
10:30AM
Thu Jun 15 10:30:45 2023
2023-06-15T10:30:45.123456+0000
0000-01-01 20:41:00
2023-06-15T10:30:45-00:00
Error parsing time
Note that the exact output will depend on the current time when you run the program.