欢迎您访问程序员文章站本站旨在为大家提供分享程序员计算机编程知识!
您现在的位置是: 首页  >  IT编程

C#简单快速的json组件fastJSON使用介绍

程序员文章站 2023-11-17 13:02:22
json数据格式简洁,用于数据的持久化和对象传输很实用。最近在做一个razor代码生成器,需要把数据库的表和列的信息修改后保存下来,想到用json序列化对象并保存,需要时再...
json数据格式简洁,用于数据的持久化和对象传输很实用。最近在做一个razor代码生成器,需要把数据库的表和列的信息修改后保存下来,想到用json序列化对象并保存,需要时再反序列化成对象会简单一些。codeplex上发现了fastjson项目,好像很不错的样子。这里是作者做的性能测试:
C#简单快速的json组件fastJSON使用介绍
代码调用
复制代码 代码如下:

namespace test
{

class program
{
static void main(string[] args)
{
var zoo1 = new zoo();

zoo1.animals = new list<animal>();
zoo1.animals.add(new cat() { name = "hello kitty", legs = 4 });
zoo1.animals.add(new dog() { name = "dog1", tail = true });
string json= fastjson.json.instance.tojson(zoo1); //序列化
var z = fastjson.json.instance.toobject<zoo>(json); //反序列化

console.writeline(z.animals[0].name);
console.read();
}
}

public class animal { public string name { get; set; } }
public class cat : animal { public int legs { get; set; } }
public class dog : animal { public bool tail { get; set; } }
public class zoo { public list<animal> animals { get; set; }
}


基本的调用就是这么简单! 需要注意的是要反序列化的类好像必须声明为public的。

快速的秘密
大体浏览了一下代码,发现之所以快速的原因是作者利用反射时emit了大量的il代码:

复制代码 代码如下:

internal object fastcreateinstance(type objtype)

{
try
{
createobject c = null;
if (_constrcache.trygetvalue(objtype, out c))
{
return c();
}
else
{
if (objtype.isclass)
{
dynamicmethod dynmethod = new dynamicmethod("_", objtype, null);
ilgenerator ilgen = dynmethod.getilgenerator();
ilgen.emit(opcodes.newobj, objtype.getconstructor(type.emptytypes));
ilgen.emit(opcodes.ret);
c = (createobject)dynmethod.createdelegate(typeof(createobject));
_constrcache.add(objtype, c);
}
else // structs
{
dynamicmethod dynmethod = new dynamicmethod("_",
methodattributes.public | methodattributes.static,
callingconventions.standard,
typeof(object),
null,
objtype, false);
ilgenerator ilgen = dynmethod.getilgenerator();
var lv = ilgen.declarelocal(objtype);
ilgen.emit(opcodes.ldloca_s, lv);
ilgen.emit(opcodes.initobj, objtype);
ilgen.emit(opcodes.ldloc_0);
ilgen.emit(opcodes.box, objtype);
ilgen.emit(opcodes.ret);
c = (createobject)dynmethod.createdelegate(typeof(createobject));
_constrcache.add(objtype, c);
}
return c();
}
}
catch (exception exc)
{
throw new exception(string.format("failed to fast create instance for type '{0}' from assemebly '{1}'",
objtype.fullname, objtype.assemblyqualifiedname), exc);
}
}