C#实现简单的JSON序列化功能代码实例
发布时间:2023-06-21 09:03:52
好久没有做web了,JSON目前比较流行,闲得没事,所以动手试试将对象序列化为JSON字符(尽管DotNet Framework已经有现成的库,也有比较好的第三方开源库),而且只是实现了处理简单的类型,并且DateTime处理的也不专业,有兴趣的筒子可以扩展,代码比较简单,反序列化木有实现:( ,直接贴代码吧,都有注释了,所以废话不多说 :)
测试类/// <summary>
/// Nested class of Person.
/// </summary>
public class House
{
public string Name
{
get;
set;
}
public double Price
{
get;
set;
}
}
/// <summary>
/// Person dummy class
/// </summary>
public class Person
{
public string Name
{
get;
set;
}
public int Age
{
get;
set;
}
public string Address
{
get;
set;
}
private int h = 12;
public bool IsMarried
{
get;
set;
}
public string[] Names
{
get;
set;
}
public int[] Ages
{
get;
set;
}
public House MyHouse
{
get;
set;
}
public DateTime BirthDay
{
get;
set;
}
public List<string> Friends
{
get;
set;
}
public List<int> LoveNumbers
{
get;
set;
}
}
接口定义 /// <summary>
/// IJsonSerializer interface.
/// </summary>
interface IJsonSerializer
{
/// <summary>
/// Serialize object to json string.
/// </summary>
/// <typeparam name="T">The type to be serialized.</typeparam>
/// <param name="obj">Instance of the type T.</param>
/// <returns>json string.</returns>
string Serialize(object obj);
/// <summary>
/// Deserialize json string to object.
/// </summary>
/// <typeparam name="T">The type to be deserialized.</typeparam>
/// <param name="jsonString">json string.</param>
/// <returns>instance of type T.</returns>
T Deserialize<T>(string jsonString);
}
接口实现,还有待完善..
/// <summary>
/// Implement IJsonSerializer, but Deserialize had not been implemented.
/// </summary>
public class JsonSerializer : IJsonSerializer
{
/// <summary>
/// Serialize object to json string.
/// </summary>
/// <typeparam name="T">The type to be serialized.</typeparam>
/// <param name="obj">Instance of the type T.</param>
/// <returns>json string.</returns>
public string Serialize(object obj)
{
if (obj == null)
{
return "{}";
}
// Get the type of obj.
Type t = obj.GetType();
// Just deal with the public instance properties. others ignored.
BindingFlags bf = BindingFlags.Instance | BindingFlags.Public;
PropertyInfo[] pis = t.GetProperties(bf);
StringBuilder json = new StringBuilder("{");
if (pis != null && pis.Length > 0)
{
int i = 0;
int lastIndex = pis.Length - 1;
foreach (PropertyInfo p in pis)
{
// Simple string
if (p.PropertyType.Equals(typeof(string)))
{
json.AppendFormat("\"{0}\":\"{1}\"", p.Name, p.GetValue(obj, null));
}
// Number,boolean.
else if (p.PropertyType.Equals(typeof(int)) ||
p.PropertyType.Equals(typeof(bool)) ||
p.PropertyType.Equals(typeof(double)) ||
p.PropertyType.Equals(typeof(decimal))
)
{
json.AppendFormat("\"{0}\":{1}", p.Name, p.GetValue(obj, null).ToString().ToLower());
}
// Array.
else if (isArrayType(p.PropertyType))
{
// Array case.
object o = p.GetValue(obj, null);
if (o == null)
{
json.AppendFormat("\"{0}\":{1}", p.Name, "null");
}
else
{
json.AppendFormat("\"{0}\":{1}", p.Name, getArrayValue((Array)p.GetValue(obj, null)));
}
}
// Class type. custom class, list collections and so forth.
else if (isCustomClassType(p.PropertyType))
{
object v = p.GetValue(obj, null);
if (v is IList)
{
IList il = v as IList;
string subJsString = getIListValue(il);
json.AppendFormat("\"{0}\":{1}", p.Name, subJsString);
}
else
{
// Normal class type.
string subJsString = Serialize(p.GetValue(obj, null));
json.AppendFormat("\"{0}\":{1}", p.Name, subJsString);
}
}
// Datetime
else if (p.PropertyType.Equals(typeof(DateTime)))
{
DateTime dt = (DateTime)p.GetValue(obj, null);
if (dt == default(DateTime))
{
json.AppendFormat("\"{0}\":\"\"", p.Name);
}
else
{
json.AppendFormat("\"{0}\":\"{1}\"", p.Name, ((DateTime)p.GetValue(obj, null)).ToString("yyyy-MM-dd HH:mm:ss"));
}
}
else
{
// TODO: extend.
}
if (i >= 0 && i != lastIndex)
{
json.Append(",");
}
++i;
}
}
json.Append("}");
return json.ToString();
}
/// <summary>
/// Deserialize json string to object.
/// </summary>
/// <typeparam name="T">The type to be deserialized.</typeparam>
/// <param name="jsonString">json string.</param>
/// <returns>instance of type T.</returns>
public T Deserialize<T>(string jsonString)
{
throw new NotImplementedException("Not implemented :(");
}
/// <summary>
/// Get array json format string value.
/// </summary>
/// <param name="obj">array object</param>
/// <returns>js format array string.</returns>
string getArrayValue(Array obj)
{
if (obj != null)
{
if (obj.Length == 0)
{
return "[]";
}
object firstElement = obj.GetValue(0);
Type et = firstElement.GetType();
bool quotable = et == typeof(string);
StringBuilder sb = new StringBuilder("[");
int index = 0;
int lastIndex = obj.Length - 1;
if (quotable)
{
foreach (var item in obj)
{
sb.AppendFormat("\"{0}\"", item.ToString());
if (index >= 0 && index != lastIndex)
{
sb.Append(",");
}
++index;
}
}
else
{
foreach (var item in obj)
{
sb.Append(item.ToString());
if (index >= 0 && index != lastIndex)
{
sb.Append(",");
}
++index;
}
}
sb.Append("]");
return sb.ToString();
}
return "null";
}
/// <summary>
/// Get Ilist json format string value.
/// </summary>
/// <param name="obj">IList object</param>
/// <returns>js format IList string.</returns>
string getIListValue(IList obj)
{
if (obj != null)
{
if (obj.Count == 0)
{
return "[]";
}
object firstElement = obj[0];
Type et = firstElement.GetType();
bool quotable = et == typeof(string);
StringBuilder sb = new StringBuilder("[");
int index = 0;
int lastIndex = obj.Count - 1;
if (quotable)
{
foreach (var item in obj)
{
sb.AppendFormat("\"{0}\"", item.ToString());
if (index >= 0 && index != lastIndex)
{
sb.Append(",");
}
++index;
}
}
else
{
foreach (var item in obj)
{
sb.Append(item.ToString());
if (index >= 0 && index != lastIndex)
{
sb.Append(",");
}
++index;
}
}
sb.Append("]");
return sb.ToString();
}
return "null";
}
/// <summary>
/// Check whether t is array type.
/// </summary>
/// <param name="t"></param>
/// <returns></returns>
bool isArrayType(Type t)
{
if (t != null)
{
return t.IsArray;
}
return false;
}
/// <summary>
/// Check whether t is custom class type.
/// </summary>
/// <param name="t"></param>
/// <returns></returns>
bool isCustomClassType(Type t)
{
if (t != null)
{
return t.IsClass && t != typeof(string);
}
return false;
}
}
测试代码:
class Program
{
static void Main(string[] args)
{
Person ps = new Person()
{
Name = "Leon",
Age = 25,
Address = "China",
IsMarried = false,
Names = new string[] { "wgc", "leon", "giantfish" },
Ages = new int[] { 1, 2, 3, 4 },
MyHouse = new House()
{
Name = "HouseName",
Price = 100.01,
},
BirthDay = new DateTime(1986, 12, 20, 12, 12, 10),
Friends = new List<string>() { "friend1", "friend2" },
LoveNumbers = new List<int>() { 1, 2, 3 }
};
IJsonSerializer js = new JsonSerializer();
string s = js.Serialize(ps);
Console.WriteLine(s);
Console.ReadKey();
}
}
生成的 JSON字符串 :
{"Name":"Leon","Age":25,"Address":"China","IsMarried":false,"Names":["wgc","leon","giantfish"],"Ages":[1,2,3,4],"MyHouse":{"Name":"HouseName","Price":100.01},"BirthDay":"1986-12-20 12:12:10","Friends":["friend1","friend2"],"LoveNumbers":[1,2,3]}


猜你喜欢
- 最近在研究android自定义控件属性,学到了TypedArray以及attrs。大家也可以结合《理解Android中的自定义属性》这篇文章
- BitArray的基础可以看菜鸟编程BitArray 类管理一个紧凑型的位值数组,它使用布尔值来表示,其中 true 表示位是开启的(1),
- Android ListView的Item点击效果的定制
- 前言前面介绍了APP顶部导航栏AppBar,今天来介绍下Flutter实现APP底部导航栏。我们以仿写微信的底部导航栏来举例说明。要实现类似
- JSON.toJSONString()空字段不忽略修改使用JSON.toJSONString(object)方法,返回的json中,默认会将
- AlertDialog可以在当前的界面上显示一个对话框,这个对话框是置顶于所有界面元素之上的,能够屏蔽掉其他控件的交互能力,因此AlertD
- feign传输List的坑无法直接传输List错误方法1@RequestMapping(value = "/stat/mercha
- 背景后台系统需要接入 企业微信登入,满足企业员工快速登入系统流程图简单代码说明自定义一套 springsecurity 认证逻辑主要就是 根
- 本文实例讲述了C#获取网页源代码的方法。分享给大家供大家参考。具体如下:public string GetPageHTML(string u
- webp格式图片webp格式图片是google推出的,相比jpg png有着巨大的优势,同样质量的图片webp格式的图片占用空间更小,在像电
- 本文实例为大家分享了flutter实现appbar下选项卡切换的具体代码,供大家参考,具体内容如下TabBar 、Tab、TabBarVie
- 已知字符串“aabbbcddddeeffffghijklmnopqrst”编程找出出现最多的字符和次数,要求时间复杂度小于O(n^2)/**
- 引语:工作中有时候需要在普通的对象中去调用spring管理的对象,但是在普通的java对象直接使用@Autowired或者@Resource
- 讲这个例子前,咱们先来看一个简单的程序:字符串数组实现数字转字母:#include <stdio.h>#include <
- 在观察者模式中有2个要素:一个是被观察对象,另一个是观察者。但被观察对象的状态发生改变会通知观察者。举例:把订阅报纸的人看作是观察者,把报纸
- 前言开发中,免不了会用到多边形、多角星等图案,比较常用的多边形比如雷达图、多角星比如评价星级的五角星等,本篇文章就使用Flutter绘制封装
- Android 中ScrollView嵌套GridView,ListView的实例在Android开发中,经常有一些UI需要进行固定styl
- 什么是异步?为什么要用它?异步编程提供了一个非阻塞的,事件驱动的编程模型。 这种编程模型利用系统中多核执行任务来提供并行,因此提供了应用的吞
- 最近研究了一下如何在Android上实现CoverFlow效果的控件,其实早在2010年,就有Neil Davies开发并开源出了这个控件,
- 一、Flutter代码的启动起点我们在多数的业务场景下,使用的都是FlutterActivity、FlutterFragment。在在背后,