I have classes like these:
我有这样的课程:
class MyDate
{
int year, month, day;
}
class Lad
{
string firstName;
string lastName;
MyDate dateOfBirth;
}
And I would like to turn a Lad
object into a JSON string like this:
我想把一个Lad对象转换成JSON字符串如下:
{
"firstName":"Markoff",
"lastName":"Chaney",
"dateOfBirth":
{
"year":"1901",
"month":"4",
"day":"30"
}
}
(without the formatting). I found this link, but it uses a namespace that's not in .NET 4. I also heard about JSON.NET, but their site seems to be down at the moment, and I'm not keen on using external DLL files. Are there other options besides manually creating a JSON string writer?
(没有格式)。我找到了这个链接,但是它使用的名称空间不在。net 4中。我也听说过JSON。NET,但是他们的网站现在似乎已经关闭了,而且我也不喜欢使用外部的DLL文件。除了手动创建JSON字符串写入器之外,还有其他选项吗?
14 个解决方案
#1
687
You could use the JavaScriptSerializer
class (add reference to System.Web.Extensions
):
您可以使用JavaScriptSerializer类(向System.Web.Extensions添加引用):
using System.Web.Script.Serialization;
var json = new JavaScriptSerializer().Serialize(obj);
A full example:
一个完整的例子:
using System;
using System.Web.Script.Serialization;
public class MyDate
{
public int year;
public int month;
public int day;
}
public class Lad
{
public string firstName;
public string lastName;
public MyDate dateOfBirth;
}
class Program
{
static void Main()
{
var obj = new Lad
{
firstName = "Markoff",
lastName = "Chaney",
dateOfBirth = new MyDate
{
year = 1901,
month = 4,
day = 30
}
};
var json = new JavaScriptSerializer().Serialize(obj);
Console.WriteLine(json);
}
}
#2
637
Since we all love one liners
因为我们都喜欢一句俏皮话
... this one depends on the Newtonsoft NuGet package, which is popular and better than the default serializer.
…这个依赖于Newtonsoft NuGet包,它很流行,比默认的序列化器更好。
Newtonsoft.Json.JsonConvert.SerializeObject(new {foo = "bar"})
Documentation: Serializing and Deserializing JSON
文档:序列化和反序列化JSON
#3
51
Use the DataContractJsonSerializer
class: MSDN1, MSDN2.
使用DataContractJsonSerializer类:MSDN1、MSDN2。
My example: HERE.
我的例子:在这里。
It can also safely deserialize objects from a JSON string, unlike JavaScriptSerializer
. But personally I still prefer Json.NET.
它还可以安全地从JSON字符串反序列化对象,不像JavaScriptSerializer。但就我个人而言,我还是更喜欢Json.NET。
#4
31
Use Json.Net library, you can download it from Nuget Packet Manager.
使用Json。你可以从Nuget信息包管理器下载。
Serializing to Json String:
序列化Json字符串:
var obj = new Lad
{
firstName = "Markoff",
lastName = "Chaney",
dateOfBirth = new MyDate
{
year = 1901,
month = 4,
day = 30
}
};
var jsonString = Newtonsoft.Json.JsonConvert.SerializeObject(obj);
Deserializing to Object:
反序列化对象:
var obj = Newtonsoft.Json.JsonConvert.DeserializeObject<Lad>(jsonString );
#5
17
Wooou! Really better using a JSON framework :)
Wooou !最好使用JSON框架:)
Here is my example using Json.NET (http://james.newtonking.com/json):
下面是我使用Json的示例。网(http://james.newtonking.com/json):
using System;
using System.Collections.Generic;
using System.Text;
using Newtonsoft.Json;
using System.IO;
namespace com.blogspot.jeanjmichel.jsontest.model
{
public class Contact
{
private Int64 id;
private String name;
List<Address> addresses;
public Int64 Id
{
set { this.id = value; }
get { return this.id; }
}
public String Name
{
set { this.name = value; }
get { return this.name; }
}
public List<Address> Addresses
{
set { this.addresses = value; }
get { return this.addresses; }
}
public String ToJSONRepresentation()
{
StringBuilder sb = new StringBuilder();
JsonWriter jw = new JsonTextWriter(new StringWriter(sb));
jw.Formatting = Formatting.Indented;
jw.WriteStartObject();
jw.WritePropertyName("id");
jw.WriteValue(this.Id);
jw.WritePropertyName("name");
jw.WriteValue(this.Name);
jw.WritePropertyName("addresses");
jw.WriteStartArray();
int i;
i = 0;
for (i = 0; i < addresses.Count; i++)
{
jw.WriteStartObject();
jw.WritePropertyName("id");
jw.WriteValue(addresses[i].Id);
jw.WritePropertyName("streetAddress");
jw.WriteValue(addresses[i].StreetAddress);
jw.WritePropertyName("complement");
jw.WriteValue(addresses[i].Complement);
jw.WritePropertyName("city");
jw.WriteValue(addresses[i].City);
jw.WritePropertyName("province");
jw.WriteValue(addresses[i].Province);
jw.WritePropertyName("country");
jw.WriteValue(addresses[i].Country);
jw.WritePropertyName("postalCode");
jw.WriteValue(addresses[i].PostalCode);
jw.WriteEndObject();
}
jw.WriteEndArray();
jw.WriteEndObject();
return sb.ToString();
}
public Contact()
{
}
public Contact(Int64 id, String personName, List<Address> addresses)
{
this.id = id;
this.name = personName;
this.addresses = addresses;
}
public Contact(String JSONRepresentation)
{
//To do
}
}
}
The test:
测试:
using System;
using System.Collections.Generic;
using com.blogspot.jeanjmichel.jsontest.model;
namespace com.blogspot.jeanjmichel.jsontest.main
{
public class Program
{
static void Main(string[] args)
{
List<Address> addresses = new List<Address>();
addresses.Add(new Address(1, "Rua Dr. Fernandes Coelho, 85", "15º andar", "São Paulo", "São Paulo", "Brazil", "05423040"));
addresses.Add(new Address(2, "Avenida Senador Teotônio Vilela, 241", null, "São Paulo", "São Paulo", "Brazil", null));
Contact contact = new Contact(1, "Ayrton Senna", addresses);
Console.WriteLine(contact.ToJSONRepresentation());
Console.ReadKey();
}
}
}
The result:
结果:
{
"id": 1,
"name": "Ayrton Senna",
"addresses": [
{
"id": 1,
"streetAddress": "Rua Dr. Fernandes Coelho, 85",
"complement": "15º andar",
"city": "São Paulo",
"province": "São Paulo",
"country": "Brazil",
"postalCode": "05423040"
},
{
"id": 2,
"streetAddress": "Avenida Senador Teotônio Vilela, 241",
"complement": null,
"city": "São Paulo",
"province": "São Paulo",
"country": "Brazil",
"postalCode": null
}
]
}
Now I will implement the constructor method that will receives a JSON string and populates the class' fields.
现在,我将实现将接收JSON字符串并填充类字段的构造函数方法。
#6
3
If you are in an ASP.NET MVC web controller it's as simple as:
如果你在ASP中。NET MVC网络控制器简单到:
string ladAsJson = Json(Lad);
Can't believe no one has mentioned this.
真不敢相信没人提起过这件事。
#7
2
I would vote for ServiceStack's JSON Serializer:
我将投票给ServiceStack的JSON序列化器:
using ServiceStack.Text
string jsonString = new { FirstName = "James" }.ToJson();
It is also the fastest JSON serializer available for .NET: http://www.servicestack.net/benchmarks/
它也是。net中最快的JSON序列化器:http://www.servicestack.net/benchmarks/
#8
2
Use the below code for converting XML to JSON.
使用下面的代码将XML转换为JSON。
var json = new JavaScriptSerializer().Serialize(obj);
#9
2
use this tools for generate C# class
使用此工具生成c#类。
and use this code
并使用这段代码
var json = new JavaScriptSerializer().Serialize(obj);
for serialization your object
对于序列化对象
#10
2
As easy as this, works for dynamic objects as well (type object):
同样简单,也适用于动态对象(类型对象):
string json = new
System.Web.Script.Serialization.JavaScriptSerializer().Serialize(MYOBJECT);
#11
1
If they are not very big, whats probably your case export it as Json. Also this makes portable among all plattforms
如果它们不是很大,那么您的案例可能会导出为Json。这也使得所有plattforms都可以移植
using Newtonsoft.Json;
[TestMethod]
public void ExportJson()
{
double[,] b = new double[,] {
{ 110, 120, 130, 140, 150 },
{ 1110, 1120, 1130, 1140, 1150 },
{ 1000, 1, 5 ,9, 1000},
{1110, 2, 6 ,10,1110},
{1220, 3, 7 ,11,1220},
{1330, 4, 8 ,12,1330} };
string jsonStr = JsonConvert.SerializeObject(b);
Console.WriteLine(jsonStr);
string path = "X:\\Programming\\workspaceEclipse\\PyTutorials\\src\\tensorflow_tutorials\\export.txt";
File.WriteAllText(path, jsonStr);
}
#12
0
There is this really nifty utility right here: http://csharp2json.io/
这里有一个非常漂亮的实用程序:http://csharp2json.io/。
#13
-1
Serializer
序列化器
public static void WriteToJsonFile<T>(string filePath, T objectToWrite, bool append = false) where T : new()
{
var contentsToWriteToFile = JsonConvert.SerializeObject(objectToWrite, new JsonSerializerSettings
{
Formatting = Formatting.Indented,
});
using (var writer = new StreamWriter(filePath, append))
{
writer.Write(contentsToWriteToFile);
}
}
Object
对象
namespace MyConfig
{
public class AppConfigurationSettings
{
public AppConfigurationSettings()
{
/* initialize the object if you want to output a new document
* for use as a template or default settings possibly when
* an app is started.
*/
if (AppSettings == null) { AppSettings=new AppSettings();}
}
public AppSettings AppSettings { get; set; }
}
public class AppSettings
{
public bool DebugMode { get; set; } = false;
}
}
Implementation
实现
var jsonObject = new AppConfigurationSettings();
WriteToJsonFile<AppConfigurationSettings>(file.FullName, jsonObject);
Output
输出
{
"AppSettings": {
"DebugMode": false
}
}
#14
-7
Take care to create your class with the right attribute too:
也要注意创建具有正确属性的类:
Create this class with <Serializable> attribute as per the example C# example followed by vb.net exmpale
使用
C#
c#
using Microsoft.VisualBasic;
using System;
using System.Collections;
using System.Collections.Generic;
using System.Data;
using System.Diagnostics;
using System.Web;
using System.Web.Script.Serialization;
namespace Samples
{
[Serializable()]
public class Customer
{
private int _idcustomer;
public int IDCustomer {
get { return _idcustomer; }
set { _idcustomer = value; }
}
private System.DateTime _RegistrationDate;
public System.DateTime RegistrationDate {
get { return _RegistrationDate; }
set { _RegistrationDate = value; }
}
private string _Name;
public string Name {
get { return _Name; }
set { _Name = value; }
}
private string _Surname;
public string Surname {
get { return _Surname; }
set { _Surname = value; }
}
}
[Serializable()]
public class Product
{
private int _ProductID;
public int ProductID {
get { return _ProductID; }
set { _ProductID = value; }
}
private string _ProductName;
public string ProductName {
get { return _ProductName; }
set { _ProductName = value; }
}
private int _Price;
public int Price {
get { return _Price; }
set { _Price = value; }
}
private bool _inStock;
public bool inStock {
get { return _inStock; }
set { _inStock = value; }
}
}
[Serializable()]
public class Order
{
private int _OrderId;
public int OrderID {
get { return _OrderId; }
set { _OrderId = value; }
}
private int _customerID;
public int CustomerID {
get { return _customerID; }
set { _customerID = value; }
}
private List<Product> _ProductsList;
public List<Product> ProductsList {
get { return _ProductsList; }
set { _ProductsList = value; }
}
private System.DateTime _PurchaseDate;
public System.DateTime PurchaseDate {
get { return _PurchaseDate; }
set { _PurchaseDate = value; }
}
private string _PaymentMethod;
public string PaymentMethod {
get { return _PaymentMethod; }
set { _PaymentMethod = value; }
}
public string ToJson()
{
string json = string.Empty;
JavaScriptSerializer js = new JavaScriptSerializer();
json = js.Serialize(this);
js = null;
return json;
}
}
}
VBNET EXAMPLE
VBNET例子
Imports System
Imports System.Web
Imports System.Web.Script.Serialization
Namespace Samples
<Serializable()>
Public Class Customer
Private _idcustomer As Integer
Public Property IDCustomer() As Integer
Get
Return _idcustomer
End Get
Set(ByVal value As Integer)
_idcustomer = value
End Set
End Property
Private _RegistrationDate As Date
Public Property RegistrationDate() As Date
Get
Return _RegistrationDate
End Get
Set(ByVal value As Date)
_RegistrationDate = value
End Set
End Property
Private _Name As String
Public Property Name() As String
Get
Return _Name
End Get
Set(ByVal value As String)
_Name = value
End Set
End Property
Private _Surname As String
Public Property Surname() As String
Get
Return _Surname
End Get
Set(ByVal value As String)
_Surname = value
End Set
End Property
End Class
<Serializable()>
Public Class Product
Private _ProductID As Integer
Public Property ProductID() As Integer
Get
Return _ProductID
End Get
Set(ByVal value As Integer)
_ProductID = value
End Set
End Property
Private _ProductName As String
Public Property ProductName() As String
Get
Return _ProductName
End Get
Set(ByVal value As String)
_ProductName = value
End Set
End Property
Private _Price As Integer
Public Property Price() As Integer
Get
Return _Price
End Get
Set(ByVal value As Integer)
_Price = value
End Set
End Property
Private _inStock As Boolean
Public Property inStock() As Boolean
Get
Return _inStock
End Get
Set(ByVal value As Boolean)
_inStock = value
End Set
End Property
End Class
<Serializable>
Public Class Order
Private _OrderId As Integer
Public Property OrderID() As Integer
Get
Return _OrderId
End Get
Set(ByVal value As Integer)
_OrderId = value
End Set
End Property
Private _customerID As Integer
Public Property CustomerID() As Integer
Get
Return _customerID
End Get
Set(ByVal value As Integer)
_customerID = value
End Set
End Property
Private _ProductsList As List(Of Product)
Public Property ProductsList() As List(Of Product)
Get
Return _ProductsList
End Get
Set(ByVal value As List(Of Product))
_ProductsList = value
End Set
End Property
Private _PurchaseDate As Date
Public Property PurchaseDate() As Date
Get
Return _PurchaseDate
End Get
Set(ByVal value As Date)
_PurchaseDate = value
End Set
End Property
Private _PaymentMethod As String
Public Property PaymentMethod() As String
Get
Return _PaymentMethod
End Get
Set(ByVal value As String)
_PaymentMethod = value
End Set
End Property
Public Function ToJson() As String
Dim json As String = String.Empty
Dim js As New JavaScriptSerializer
json = js.Serialize(Me)
js = Nothing
Return json
End Function
End Class
End Namespace
终端名称空间
The second step is to create a simple test data like this:
第二步是创建这样一个简单的测试数据:
C#
c#
void Main() {
List<Samples.Product> ListProducts = new List<Samples.Product>();
ListProducts.Add(new Samples.Product(), With, {.inStock=False,.Price=10, .ProductID=1,.ProductName=BookOne);
ListProducts.Add(new Samples.Product(), With, {.inStock=False,. Price=10, .ProductID=2, .ProductName=Hotels California);
ListProducts.Add(new Samples.Product(), With, {.inStock=False,.Price=10,.ProductID=3,.ProductName=Cbr);
ListProducts.Add(new Samples.Product(), With, {.inStock=False,.Price=10,.ProductID=4,.ProductName=Mustang);
ListProducts.Add(new Samples.Product(), With, {.inStock=False,.Price=10, .ProductID=15,.ProductName=Anything);
ListProducts.Add(new Samples.Product(), With, {.inStock=False,.Price=10,.ProductID=38,.ProductName=Monster Truck);
Samples.Customer Customer = new Samples.Customer();
// With...
Customer.IDCustomer = 1;
Customer.Name = "Customer1";
Customer.RegistrationDate = Now;
Customer.Surname = "SurnameCustomer";
Samples.Order Order = new Samples.Order();
// With...
Order.CustomerID = Customer.IDCustomer;
Order.OrderID = 1;
Order.PaymentMethod = "PayPal";
Order.ProductsList = ListProducts;
Order.PurchaseDate = Now;
Console.WriteLine(Order.ToJson);
Console.ReadLine();
}
VB.NET
VB.NET
Sub Main()
Dim ListProducts As New List(Of Samples.Product)
ListProducts.Add(New Samples.Product With {.inStock = False, .Price = 10,
.ProductID = 1, .ProductName = "BookOne"})
ListProducts.Add(New Samples.Product With {.inStock = False, .Price = 10,
.ProductID = 2, .ProductName = "Hotels California"})
ListProducts.Add(New Samples.Product With {.inStock = False, .Price = 10,
.ProductID = 3, .ProductName = "Cbr"})
ListProducts.Add(New Samples.Product With {.inStock = False, .Price = 10,
.ProductID = 4, .ProductName = "Mustang"})
ListProducts.Add(New Samples.Product With {.inStock = False, .Price = 10,
.ProductID = 15, .ProductName = "Anything"})
ListProducts.Add(New Samples.Product With {.inStock = False, .Price = 10,
.ProductID = 38, .ProductName = "Monster Truck"})
Dim Customer As New Samples.Customer
With {.IDCustomer = 1, .Name = "Customer1",.RegistrationDate = Now, .Surname ="SurnameCustomer"}
Dim Order As New Samples.Order With {
.CustomerID = Customer.IDCustomer,
.OrderID = 1,
.PaymentMethod = "PayPal",
.ProductsList = ListProducts,
.PurchaseDate = Now
}
Console.WriteLine(Order.ToJson)
Console.ReadLine()
End Sub
And this is the final result:
这是最后的结果
{"OrderID":1,"CustomerID":1,"ProductsList":[{"ProductID":1,"ProductName":"BookOn
e","Price":10,"inStock":false},{"ProductID":2,"ProductName":"Hotels California",
"Price":10,"inStock":false},{"ProductID":3,"ProductName":"Cbr","Price":10,"inSto
ck":false},{"ProductID":4,"ProductName":"Mustang","Price":10,"inStock":false},{"
ProductID":15,"ProductName":"Anything","Price":10,"inStock":false},{"ProductID":
38,"ProductName":"Monster Truck","Price":10,"inStock":false}],"PurchaseDate":"\/
Date(1396642206155)\/","PaymentMethod":"PayPal"}
Remember to add a reference to system.web.extension.dll in order to achive your goal.
记住要添加对system.web.extension的引用。为了实现你的目标。
#1
687
You could use the JavaScriptSerializer
class (add reference to System.Web.Extensions
):
您可以使用JavaScriptSerializer类(向System.Web.Extensions添加引用):
using System.Web.Script.Serialization;
var json = new JavaScriptSerializer().Serialize(obj);
A full example:
一个完整的例子:
using System;
using System.Web.Script.Serialization;
public class MyDate
{
public int year;
public int month;
public int day;
}
public class Lad
{
public string firstName;
public string lastName;
public MyDate dateOfBirth;
}
class Program
{
static void Main()
{
var obj = new Lad
{
firstName = "Markoff",
lastName = "Chaney",
dateOfBirth = new MyDate
{
year = 1901,
month = 4,
day = 30
}
};
var json = new JavaScriptSerializer().Serialize(obj);
Console.WriteLine(json);
}
}
#2
637
Since we all love one liners
因为我们都喜欢一句俏皮话
... this one depends on the Newtonsoft NuGet package, which is popular and better than the default serializer.
…这个依赖于Newtonsoft NuGet包,它很流行,比默认的序列化器更好。
Newtonsoft.Json.JsonConvert.SerializeObject(new {foo = "bar"})
Documentation: Serializing and Deserializing JSON
文档:序列化和反序列化JSON
#3
51
Use the DataContractJsonSerializer
class: MSDN1, MSDN2.
使用DataContractJsonSerializer类:MSDN1、MSDN2。
My example: HERE.
我的例子:在这里。
It can also safely deserialize objects from a JSON string, unlike JavaScriptSerializer
. But personally I still prefer Json.NET.
它还可以安全地从JSON字符串反序列化对象,不像JavaScriptSerializer。但就我个人而言,我还是更喜欢Json.NET。
#4
31
Use Json.Net library, you can download it from Nuget Packet Manager.
使用Json。你可以从Nuget信息包管理器下载。
Serializing to Json String:
序列化Json字符串:
var obj = new Lad
{
firstName = "Markoff",
lastName = "Chaney",
dateOfBirth = new MyDate
{
year = 1901,
month = 4,
day = 30
}
};
var jsonString = Newtonsoft.Json.JsonConvert.SerializeObject(obj);
Deserializing to Object:
反序列化对象:
var obj = Newtonsoft.Json.JsonConvert.DeserializeObject<Lad>(jsonString );
#5
17
Wooou! Really better using a JSON framework :)
Wooou !最好使用JSON框架:)
Here is my example using Json.NET (http://james.newtonking.com/json):
下面是我使用Json的示例。网(http://james.newtonking.com/json):
using System;
using System.Collections.Generic;
using System.Text;
using Newtonsoft.Json;
using System.IO;
namespace com.blogspot.jeanjmichel.jsontest.model
{
public class Contact
{
private Int64 id;
private String name;
List<Address> addresses;
public Int64 Id
{
set { this.id = value; }
get { return this.id; }
}
public String Name
{
set { this.name = value; }
get { return this.name; }
}
public List<Address> Addresses
{
set { this.addresses = value; }
get { return this.addresses; }
}
public String ToJSONRepresentation()
{
StringBuilder sb = new StringBuilder();
JsonWriter jw = new JsonTextWriter(new StringWriter(sb));
jw.Formatting = Formatting.Indented;
jw.WriteStartObject();
jw.WritePropertyName("id");
jw.WriteValue(this.Id);
jw.WritePropertyName("name");
jw.WriteValue(this.Name);
jw.WritePropertyName("addresses");
jw.WriteStartArray();
int i;
i = 0;
for (i = 0; i < addresses.Count; i++)
{
jw.WriteStartObject();
jw.WritePropertyName("id");
jw.WriteValue(addresses[i].Id);
jw.WritePropertyName("streetAddress");
jw.WriteValue(addresses[i].StreetAddress);
jw.WritePropertyName("complement");
jw.WriteValue(addresses[i].Complement);
jw.WritePropertyName("city");
jw.WriteValue(addresses[i].City);
jw.WritePropertyName("province");
jw.WriteValue(addresses[i].Province);
jw.WritePropertyName("country");
jw.WriteValue(addresses[i].Country);
jw.WritePropertyName("postalCode");
jw.WriteValue(addresses[i].PostalCode);
jw.WriteEndObject();
}
jw.WriteEndArray();
jw.WriteEndObject();
return sb.ToString();
}
public Contact()
{
}
public Contact(Int64 id, String personName, List<Address> addresses)
{
this.id = id;
this.name = personName;
this.addresses = addresses;
}
public Contact(String JSONRepresentation)
{
//To do
}
}
}
The test:
测试:
using System;
using System.Collections.Generic;
using com.blogspot.jeanjmichel.jsontest.model;
namespace com.blogspot.jeanjmichel.jsontest.main
{
public class Program
{
static void Main(string[] args)
{
List<Address> addresses = new List<Address>();
addresses.Add(new Address(1, "Rua Dr. Fernandes Coelho, 85", "15º andar", "São Paulo", "São Paulo", "Brazil", "05423040"));
addresses.Add(new Address(2, "Avenida Senador Teotônio Vilela, 241", null, "São Paulo", "São Paulo", "Brazil", null));
Contact contact = new Contact(1, "Ayrton Senna", addresses);
Console.WriteLine(contact.ToJSONRepresentation());
Console.ReadKey();
}
}
}
The result:
结果:
{
"id": 1,
"name": "Ayrton Senna",
"addresses": [
{
"id": 1,
"streetAddress": "Rua Dr. Fernandes Coelho, 85",
"complement": "15º andar",
"city": "São Paulo",
"province": "São Paulo",
"country": "Brazil",
"postalCode": "05423040"
},
{
"id": 2,
"streetAddress": "Avenida Senador Teotônio Vilela, 241",
"complement": null,
"city": "São Paulo",
"province": "São Paulo",
"country": "Brazil",
"postalCode": null
}
]
}
Now I will implement the constructor method that will receives a JSON string and populates the class' fields.
现在,我将实现将接收JSON字符串并填充类字段的构造函数方法。
#6
3
If you are in an ASP.NET MVC web controller it's as simple as:
如果你在ASP中。NET MVC网络控制器简单到:
string ladAsJson = Json(Lad);
Can't believe no one has mentioned this.
真不敢相信没人提起过这件事。
#7
2
I would vote for ServiceStack's JSON Serializer:
我将投票给ServiceStack的JSON序列化器:
using ServiceStack.Text
string jsonString = new { FirstName = "James" }.ToJson();
It is also the fastest JSON serializer available for .NET: http://www.servicestack.net/benchmarks/
它也是。net中最快的JSON序列化器:http://www.servicestack.net/benchmarks/
#8
2
Use the below code for converting XML to JSON.
使用下面的代码将XML转换为JSON。
var json = new JavaScriptSerializer().Serialize(obj);
#9
2
use this tools for generate C# class
使用此工具生成c#类。
and use this code
并使用这段代码
var json = new JavaScriptSerializer().Serialize(obj);
for serialization your object
对于序列化对象
#10
2
As easy as this, works for dynamic objects as well (type object):
同样简单,也适用于动态对象(类型对象):
string json = new
System.Web.Script.Serialization.JavaScriptSerializer().Serialize(MYOBJECT);
#11
1
If they are not very big, whats probably your case export it as Json. Also this makes portable among all plattforms
如果它们不是很大,那么您的案例可能会导出为Json。这也使得所有plattforms都可以移植
using Newtonsoft.Json;
[TestMethod]
public void ExportJson()
{
double[,] b = new double[,] {
{ 110, 120, 130, 140, 150 },
{ 1110, 1120, 1130, 1140, 1150 },
{ 1000, 1, 5 ,9, 1000},
{1110, 2, 6 ,10,1110},
{1220, 3, 7 ,11,1220},
{1330, 4, 8 ,12,1330} };
string jsonStr = JsonConvert.SerializeObject(b);
Console.WriteLine(jsonStr);
string path = "X:\\Programming\\workspaceEclipse\\PyTutorials\\src\\tensorflow_tutorials\\export.txt";
File.WriteAllText(path, jsonStr);
}
#12
0
There is this really nifty utility right here: http://csharp2json.io/
这里有一个非常漂亮的实用程序:http://csharp2json.io/。
#13
-1
Serializer
序列化器
public static void WriteToJsonFile<T>(string filePath, T objectToWrite, bool append = false) where T : new()
{
var contentsToWriteToFile = JsonConvert.SerializeObject(objectToWrite, new JsonSerializerSettings
{
Formatting = Formatting.Indented,
});
using (var writer = new StreamWriter(filePath, append))
{
writer.Write(contentsToWriteToFile);
}
}
Object
对象
namespace MyConfig
{
public class AppConfigurationSettings
{
public AppConfigurationSettings()
{
/* initialize the object if you want to output a new document
* for use as a template or default settings possibly when
* an app is started.
*/
if (AppSettings == null) { AppSettings=new AppSettings();}
}
public AppSettings AppSettings { get; set; }
}
public class AppSettings
{
public bool DebugMode { get; set; } = false;
}
}
Implementation
实现
var jsonObject = new AppConfigurationSettings();
WriteToJsonFile<AppConfigurationSettings>(file.FullName, jsonObject);
Output
输出
{
"AppSettings": {
"DebugMode": false
}
}
#14
-7
Take care to create your class with the right attribute too:
也要注意创建具有正确属性的类:
Create this class with <Serializable> attribute as per the example C# example followed by vb.net exmpale
使用
C#
c#
using Microsoft.VisualBasic;
using System;
using System.Collections;
using System.Collections.Generic;
using System.Data;
using System.Diagnostics;
using System.Web;
using System.Web.Script.Serialization;
namespace Samples
{
[Serializable()]
public class Customer
{
private int _idcustomer;
public int IDCustomer {
get { return _idcustomer; }
set { _idcustomer = value; }
}
private System.DateTime _RegistrationDate;
public System.DateTime RegistrationDate {
get { return _RegistrationDate; }
set { _RegistrationDate = value; }
}
private string _Name;
public string Name {
get { return _Name; }
set { _Name = value; }
}
private string _Surname;
public string Surname {
get { return _Surname; }
set { _Surname = value; }
}
}
[Serializable()]
public class Product
{
private int _ProductID;
public int ProductID {
get { return _ProductID; }
set { _ProductID = value; }
}
private string _ProductName;
public string ProductName {
get { return _ProductName; }
set { _ProductName = value; }
}
private int _Price;
public int Price {
get { return _Price; }
set { _Price = value; }
}
private bool _inStock;
public bool inStock {
get { return _inStock; }
set { _inStock = value; }
}
}
[Serializable()]
public class Order
{
private int _OrderId;
public int OrderID {
get { return _OrderId; }
set { _OrderId = value; }
}
private int _customerID;
public int CustomerID {
get { return _customerID; }
set { _customerID = value; }
}
private List<Product> _ProductsList;
public List<Product> ProductsList {
get { return _ProductsList; }
set { _ProductsList = value; }
}
private System.DateTime _PurchaseDate;
public System.DateTime PurchaseDate {
get { return _PurchaseDate; }
set { _PurchaseDate = value; }
}
private string _PaymentMethod;
public string PaymentMethod {
get { return _PaymentMethod; }
set { _PaymentMethod = value; }
}
public string ToJson()
{
string json = string.Empty;
JavaScriptSerializer js = new JavaScriptSerializer();
json = js.Serialize(this);
js = null;
return json;
}
}
}
VBNET EXAMPLE
VBNET例子
Imports System
Imports System.Web
Imports System.Web.Script.Serialization
Namespace Samples
<Serializable()>
Public Class Customer
Private _idcustomer As Integer
Public Property IDCustomer() As Integer
Get
Return _idcustomer
End Get
Set(ByVal value As Integer)
_idcustomer = value
End Set
End Property
Private _RegistrationDate As Date
Public Property RegistrationDate() As Date
Get
Return _RegistrationDate
End Get
Set(ByVal value As Date)
_RegistrationDate = value
End Set
End Property
Private _Name As String
Public Property Name() As String
Get
Return _Name
End Get
Set(ByVal value As String)
_Name = value
End Set
End Property
Private _Surname As String
Public Property Surname() As String
Get
Return _Surname
End Get
Set(ByVal value As String)
_Surname = value
End Set
End Property
End Class
<Serializable()>
Public Class Product
Private _ProductID As Integer
Public Property ProductID() As Integer
Get
Return _ProductID
End Get
Set(ByVal value As Integer)
_ProductID = value
End Set
End Property
Private _ProductName As String
Public Property ProductName() As String
Get
Return _ProductName
End Get
Set(ByVal value As String)
_ProductName = value
End Set
End Property
Private _Price As Integer
Public Property Price() As Integer
Get
Return _Price
End Get
Set(ByVal value As Integer)
_Price = value
End Set
End Property
Private _inStock As Boolean
Public Property inStock() As Boolean
Get
Return _inStock
End Get
Set(ByVal value As Boolean)
_inStock = value
End Set
End Property
End Class
<Serializable>
Public Class Order
Private _OrderId As Integer
Public Property OrderID() As Integer
Get
Return _OrderId
End Get
Set(ByVal value As Integer)
_OrderId = value
End Set
End Property
Private _customerID As Integer
Public Property CustomerID() As Integer
Get
Return _customerID
End Get
Set(ByVal value As Integer)
_customerID = value
End Set
End Property
Private _ProductsList As List(Of Product)
Public Property ProductsList() As List(Of Product)
Get
Return _ProductsList
End Get
Set(ByVal value As List(Of Product))
_ProductsList = value
End Set
End Property
Private _PurchaseDate As Date
Public Property PurchaseDate() As Date
Get
Return _PurchaseDate
End Get
Set(ByVal value As Date)
_PurchaseDate = value
End Set
End Property
Private _PaymentMethod As String
Public Property PaymentMethod() As String
Get
Return _PaymentMethod
End Get
Set(ByVal value As String)
_PaymentMethod = value
End Set
End Property
Public Function ToJson() As String
Dim json As String = String.Empty
Dim js As New JavaScriptSerializer
json = js.Serialize(Me)
js = Nothing
Return json
End Function
End Class
End Namespace
终端名称空间
The second step is to create a simple test data like this:
第二步是创建这样一个简单的测试数据:
C#
c#
void Main() {
List<Samples.Product> ListProducts = new List<Samples.Product>();
ListProducts.Add(new Samples.Product(), With, {.inStock=False,.Price=10, .ProductID=1,.ProductName=BookOne);
ListProducts.Add(new Samples.Product(), With, {.inStock=False,. Price=10, .ProductID=2, .ProductName=Hotels California);
ListProducts.Add(new Samples.Product(), With, {.inStock=False,.Price=10,.ProductID=3,.ProductName=Cbr);
ListProducts.Add(new Samples.Product(), With, {.inStock=False,.Price=10,.ProductID=4,.ProductName=Mustang);
ListProducts.Add(new Samples.Product(), With, {.inStock=False,.Price=10, .ProductID=15,.ProductName=Anything);
ListProducts.Add(new Samples.Product(), With, {.inStock=False,.Price=10,.ProductID=38,.ProductName=Monster Truck);
Samples.Customer Customer = new Samples.Customer();
// With...
Customer.IDCustomer = 1;
Customer.Name = "Customer1";
Customer.RegistrationDate = Now;
Customer.Surname = "SurnameCustomer";
Samples.Order Order = new Samples.Order();
// With...
Order.CustomerID = Customer.IDCustomer;
Order.OrderID = 1;
Order.PaymentMethod = "PayPal";
Order.ProductsList = ListProducts;
Order.PurchaseDate = Now;
Console.WriteLine(Order.ToJson);
Console.ReadLine();
}
VB.NET
VB.NET
Sub Main()
Dim ListProducts As New List(Of Samples.Product)
ListProducts.Add(New Samples.Product With {.inStock = False, .Price = 10,
.ProductID = 1, .ProductName = "BookOne"})
ListProducts.Add(New Samples.Product With {.inStock = False, .Price = 10,
.ProductID = 2, .ProductName = "Hotels California"})
ListProducts.Add(New Samples.Product With {.inStock = False, .Price = 10,
.ProductID = 3, .ProductName = "Cbr"})
ListProducts.Add(New Samples.Product With {.inStock = False, .Price = 10,
.ProductID = 4, .ProductName = "Mustang"})
ListProducts.Add(New Samples.Product With {.inStock = False, .Price = 10,
.ProductID = 15, .ProductName = "Anything"})
ListProducts.Add(New Samples.Product With {.inStock = False, .Price = 10,
.ProductID = 38, .ProductName = "Monster Truck"})
Dim Customer As New Samples.Customer
With {.IDCustomer = 1, .Name = "Customer1",.RegistrationDate = Now, .Surname ="SurnameCustomer"}
Dim Order As New Samples.Order With {
.CustomerID = Customer.IDCustomer,
.OrderID = 1,
.PaymentMethod = "PayPal",
.ProductsList = ListProducts,
.PurchaseDate = Now
}
Console.WriteLine(Order.ToJson)
Console.ReadLine()
End Sub
And this is the final result:
这是最后的结果
{"OrderID":1,"CustomerID":1,"ProductsList":[{"ProductID":1,"ProductName":"BookOn
e","Price":10,"inStock":false},{"ProductID":2,"ProductName":"Hotels California",
"Price":10,"inStock":false},{"ProductID":3,"ProductName":"Cbr","Price":10,"inSto
ck":false},{"ProductID":4,"ProductName":"Mustang","Price":10,"inStock":false},{"
ProductID":15,"ProductName":"Anything","Price":10,"inStock":false},{"ProductID":
38,"ProductName":"Monster Truck","Price":10,"inStock":false}],"PurchaseDate":"\/
Date(1396642206155)\/","PaymentMethod":"PayPal"}
Remember to add a reference to system.web.extension.dll in order to achive your goal.
记住要添加对system.web.extension的引用。为了实现你的目标。