Get date from ISO8601 format in C# - c#

I am working with the you-tube API, which returns JSON data. The video published date is in this format: "publishedAt": "2017-04-30T18:18:41.000Z".
After deserializing the JSON object, I want to get the date from the published DateTime in C#.
How can I do it, and what is this format of DateTime?

There's absolutely no need to manually parse a well-formatted ISO 8601 date.
Simply change the property on your model from string to DateTime:
public class VideoData
{
[JsonProperty("publishedAt")]
public DateTime PublishedAt { get; set; }
}
And then deserialize into that:
var model = JsonConvert.DeserializeObject<VideoData>(jsonString);
And Json.NET will handle the rest.

Related

Convert DateTime.Now to DateOnly in dd/mm/yyyy

I'm working with a DateOnly variable and I'm trying to get the DateTime.Now time in a dd/mm/yyyy format, however it's only returning the date on mm/dd/yyyy format.
I strictly need the current date in a dd/mm/yyyy format, and I haven't been able to figure it out how to.
This is an example how I'm working to convert the DateTime.Now to DateOnly type
public class Example
{
public DateOnly? Date{get; set;}
}
public class Process1
{
Example example = new Example();
{
example.Date= DateOnly.FromDateTime(DateTime.Now);
//this is returning the current date in a mm/dd/yyyy format
}
}
Formatting can only be done by string not by date only.
save date in dateonly datatype
example.Date= DateOnly.FromDateTime(DateTime.Now);
but when you need specify format then use string like below
string s = example.Date.ToString("dd/M/yyyy", CultureInfo.InvariantCulture);
or
s = example.Date.ToString("dd/MM/yyyy");
For More detail refer this Link
I set the Date variable as a DateTime property in the Example Class :
public DateTime Date { get; set; } = DateTime.Now;
In the main code, i converted the Date property into a string and assigned it to dateOnly Variable:
string dateOnly = Convert.ToString(example.Date.ToString("dd-mm-yyyy"));

Json converter change date format while deserializing

I have json where date is defined like this;
{\"$date\":\"1947-11-13T00:00:00.000Z\"}
and my deserilising code look like this:
return JsonConvert.DeserializeObject<U>(szResp,
new IsoDateTimeConverter { DateTimeFormat = "yyyy-MM-dd"
});
The object I'm creating is just
[JsonProperty(PropertyName = "$date")]
public string date { get; set; }
but instead of 13/11/1947 00:00:00
I'm receiving : 11/13/1947 00:00:00
I have no clues why this deserilizer behaves like this and changes data format.
More over if I try to see data in Json visualizer in visual studio my date is shown properly "13/11/1947 12:00:00 πμ"

How to return json date from C# DateTime

I'm using Json.NET/newtonsoft and I have the following C# class:
public class EntityDefinition
{
[DataMember]
public string CreatedBy { get; set; }
[DataMember]
[JsonProperty(ItemConverterType = typeof(IsoDateTimeConverter))]
public DateTime CreatedOn { get; set; }
}
When I try to return this class in my wcf I'm getting the following JSON:
{
"GetDefinitionResult": {
"CreatedBy": "Dor",
"CreatedOn": "/Date(1466428742000+0300)/"
}
}
How can I get the date to be parsed without the "Date(", meaning only the milliseconds or in iso format "yyy-mm-dd"
I tried using the JsonProperty convertor but it still returns the "Date()"
[JsonProperty(ItemConverterType = typeof(IsoDateTimeConverter))]
WCF is using DataContractSerializer by default to serialize/deserialize messages and the mentioned date format is its default format.
If you'd like to change the way your WCF service serialize/deserialize messages, you should replace some things in the service's behavior (mainly IDispatchMessageFormatter). However, it's too long to describe here and there's a great tutorial about it here
Good Luck
Try [JsonProperty(ItemConverterType = typeof(JavaScriptDateTimeConverter)) or use CustomDateConverter as explained here in Parsing JSON DateTime from Newtonsoft's JSON Serializer

XmlSerializer not deserializing DateTime

I have an XML document I'm deserializing using XmlSerializer. The other properties on the document work just fine, but there is one element in particular that isn't working:
<StartDate>2014-03-21T00:00:00</StartDate>
This is defined in C# in a POCO as:
[XmlElement("StartDate")]
private DateTime StartDate { get; set; }
When I deserialize the document, StartDate is 01/01/0001 12:00:00 AM. I thought the standard XML date/time format was YYYY-MM-DDTHH:MM:SS? So why is this not deserializing correctly?
Note: I do not have control over the XML document I'm deserializing. It's coming from a third-party system.
Change the access modifier from private to public:
[XmlElement("StartDate")]
public DateTime StartDate { get; set; }
XmlSerializer can only serialize public fields and properties.

Change default date serialization in WCF

Is there anyway to change the default JSON serialization/deserialization of DateTime in WCF?
Currently, DateTime are serialized into the /Date(1372252162657+0200)/ format, which should've been fine but I'm running into issues when my server is not in UTC (which I can't change).
All date/time data that is being processed by this service is in UTC format. Everything works when the server is in UTC. However, the staging/prod environments are set to GMT+1(Paris) and the serializer is assuming that the dates/times are in GMT+1, completely ignoring the attribute Kind. So as you'd expect calling DateTime.SetKind() and setting it to UTC will not work. In effect, the serialized times are delayed by an hour.
I can either do two-way date conversations (it also makes the same assumption when deserializing so its always GMT+1) conversation of dates: UTC to/from server time, but this is to tedious. So I thought maybe I could just override the default serialization behavior.
Just to expand on tdelepine's code snippet, here the code I've used:
In my WCF JSON Service, I had a (nullable) DateTime value, and wanted my service to return the date in a more readable format, so my iPhone app would be able to interpret it.
Here's what my JSON looked like, after applying a few changes:
Notice the UpdateDateOriginal field, which is the default way that WCF writes DateTimes, and the friendlier UpdateDate field, which I created using the code below.
My original lines looked like this:
[DataMember]
public DateTime? UpdateDateOriginal { get; set; }
... and here are the lines to create the new friendlier UpdateDate JSON value.
[IgnoreDataMember]
public DateTime? UpdateDate { get; set; }
[DataMember(Name = "UpdateDate")]
private string UpdateDateString { get; set; }
[OnSerializing]
void OnSerializing(StreamingContext context)
{
if (this.UpdateDate == null)
this.UpdateDateString = "";
else
this.UpdateDateString = this.UpdateDate.Value.ToString("MMM/dd/yyyy HH:mm", CultureInfo.InvariantCulture);
}
[OnDeserialized]
void OnDeserializing(StreamingContext context)
{
if (this.UpdateDateString == null)
this.UpdateDate = null;
else
this.UpdateDate = DateTime.ParseExact(this.UpdateDateString, "MMM/dd/yyyy HH:mm", CultureInfo.InvariantCulture);
}
Actually, you may find it more useful to return DateTime values in ISO8601 format. For example:
UpdateTime: "2014-08-24T13:02:32",
To do this, simply use my code above, but change the string "MMM/dd/yyyy HH:mm" to "s" in both places.
And, if your DateTime values are stored in UTC, but you wanted your WCF services to return the values in the user's local timezone, you can follow my tips here:
Get DateTime in users local timezone
Isn't life easier, with a few simple examples !
you can use this workaround, In your json object definition
[IgnoreDataMember]
public DateTime dateObject;
public string dateCustomSerialize
{
get {
//Custom get
}
set {
//Custom set
}
}
In assessor place your custom format serialisation
Yes, this can be done using the concept called "Message Formatters"
But Message Formatter would be tough and out of scope to explain here on stack overflow.
You can refere WCF Extensibility : Message Formatters
If you don't want mess up with this then an hack is available.
Set the return type of each method to Stream.
e.g.
public Stream GetStaticData()
{
var objTobeReturned = something;
WebOperationContext.Current.OutgoingResponse.ContentType = "application/json; charset=utf-8";
return new MemoryStream(Encoding.UTF8.GetBytes(objTobeReturned.ToJson()));
}
here ToJson() is my own extension method which converts object into json string using NewtonSoft library.
WCF will skip the stream output for serializing and will pass it to your client as it is.
I hope you got your answer.
This does not solve your issue of timezones, but I'll post it here for others who are battling it out with WCF, ticks and DateTime.
If you don't want ticks, but human-readable time format, you can do it by introducing an additional string property. Then it's a matter of fiddling with the DateTime before turning the value into a string.
[IgnoreDataMember] // Ignore the original tick date.
public DateTime LastReminderDate { get { return _lastReminderDate; } set { _lastReminderDate = value; } }
[DataMember] // Make sure you have a public or private setter!
public string LastReminderDateText { get { return _lastReminderDate.ToString(); } set { _lastReminderDate = DateTime.Parse(value); } }
One way is to use a message formatter to change the default DataContractSerializer as described in WCF Extensibility – Message Formatters.
Another option is to write an extension method that loads your object into a stream and then you can apply whatever serializer you want to the object. See the accepted answer for Replace default JSON serializer in WCF 4 to JSON.NET for details on how to do this.

Categories

Resources