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

Delphi中使用ISuperObject解析Json数据

程序员文章站 2022-03-10 12:40:54
Java、Php等语言中都有成熟的框架来解析Json数据,可以让我们使用很少的代码就把格式化好的json数据转换成程序可识别的对象或者属性,同时delphi中也有这样的组件来实现此功能,即IsuperObject。如果还没有这个组件的请在网上搜索下载或者在下面留言处留下你的邮箱向本人索取。 下面先说 ......
  java、php等语言中都有成熟的框架来解析json数据,可以让我们使用很少的代码就把格式化好的json数据转换成程序可识别的对象或者属性,同时delphi中也有这样的组件来实现此功能,即isuperobject。如果还没有这个组件的请在网上搜索下载或者在下面留言处留下你的邮箱向本人索取。

  下面先说一下isuperobject中几个常用的函数

  • function so(const s: sostring = ‘{}’): isuperobject; overload; 此函数传入json数据字符串,并返回一个isuperobject对象,这一般是我们解析json时使用的第一个函数,如jobj := so(jsonstr)。
  • property o[const path: sostring]: isuperobject read geto write puto; default; 如:jobj.o[‘username’],此函数被一个isuperobject对象调用,方括号内的字符串为json中的字段名称,返回一个isuperobject对象。
  • property s[const path: sostring]: sostring read gets write puts; 此函数被一个isuperobject对象调用,和o[‘username’]不同的是,它返回的是一个sostring,即一个字符串,使用方法 str := jobj.s[‘username’]; 同理的还有其他几个类似的函数,如i[‘age’]返回整数,b[‘isenable’]返回布尔型,a[‘users’]返回一个tsuperarray数组
  • asstring, asboolean, asinteger,asarray,isuperobject的函数,用来把isuperobject转换成相应的数据类型。

  下面我们看一个演示代码,json数据如下

 

{
    "retcode": "1", 
    "datafrom": "server",
    "users": "[{\"id\":1, \"username\": \"liuderu\", \"website\": \"bcoder.com\"},{\"id\":2, \"username\": \"jeoe\", \"website\": \"baidu.com\"}]"
}

delphi版本2010,代码如下:

unit ufmmain;

interface

uses
  windows, messages, sysutils, variants, classes, graphics, controls, forms,
  dialogs, stdctrls, comctrls, buttons, superobject;

type
  tfmmain = class(tform)
    memo1: tmemo;
    listview1: tlistview;
    bitbtn1: tbitbtn;
    label1: tlabel;
    procedure bitbtn1click(sender: tobject);
  private
    { private declarations }
  public
    { public declarations }
  end;

var
  fmmain: tfmmain;

implementation

{$r *.dfm}

procedure tfmmain.bitbtn1click(sender: tobject);
var
  jret, jusers: isuperobject;
  aryusers: tsuperarray;
  retcode: integer;
  strusers: string;
  i: integer;
begin
  jret := so(memo1.text);
  if (jret.o['retcode'] <> nil) then begin
    retcode := jret.o['retcode'].asinteger;
    label1.caption := '返回值:' + inttostr(retcode) + ';  数据来源:' + jret.o['datafrom'].asstring;

    if(jret.o['retcode'].asinteger = 1) then begin
      strusers := jret.o['users'].asstring;
      jusers := so(strusers);
      aryusers := jusers.asarray;
      for i := 0 to aryusers.length - 1 do begin
        with  listview1.items.add do begin
          caption := aryusers[i].o['id'].asstring;
          subitems.add(aryusers[i].o['username'].asstring);
          subitems.add(aryusers[i].o['website'].asstring);
        end;
      end;
    end;
  end;
end;

end.