Reputation: 183
With the JSON defined as it is, in order to deserialize it as an object, I'd need to create a property on my class called "event", which is a C# keyword. Is there another way to tell it what the field names will be?
Here's an example of the JSON:
{ event: 123 data: {"data":"0D0401","ttl":"60","published_at":"2014-04-16T18:04:42.446Z","id":"48ff6f065067555031192387"} }
Here are my classes that won't compile because of the keyword:
public class Event
{
public int event { get; set; }
public EventDetail data { get; set; }
}
public class EventDetail
{
public string data { get; set; }
public string ttl { get; set; }
public DateTime published_at { get; set; }
public string id { get; set; }
}
Upvotes: 2
Views: 2932
Reputation: 1
Just in any case someone revisits this...
in DotNet 3.1 using System.Text.Json.Serialization
use the attribute
[JsonPropertyName("TheNameItHasInJsonFile")]
public int Something {get;set;}
Upvotes: -1
Reputation: 183
I was able to just capitalize the "e", and it still works. Looks like the parsing mechanism is case-insensitive.
Upvotes: 1
Reputation: 10862
Try using the [DataContract(Name = "@event")]
attribute on the relevant property. Then it will (de)serialize correctly, and you can rename the property so that it compiles.
Upvotes: 1
Reputation: 10865
Change
public class Event
{
public int event { get; set; }
public EventDetail data { get; set; }
}
to this
public class Event
{
public int @event { get; set; }
public EventDetail data { get; set; }
}
This tip shows the quirks involved with escaping in C#:
e.g. '\'', '\n', '\u20AC' (the Euro € currency sign), '\x9'
(equivalent to \t)) - literal string escaping:
e.g. "...\t...\u0040...\U000000041...\x9..."
e.g. @"...""..."
e.g. "...{{...}}..."
e.g. @if (for if as identifier)
e.g. i\u0064 (for id)
Upvotes: 5