JSON.uts 13.2 KB
Newer Older
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25
import { describe, test, expect, expectNumber, Result } from './tests.uts'



type UserJSON = {
  id : string;
  name : string | null;
}

type PersonJSON = {
  /**
  * @JSON_FIELD "a+b"
  */
  a_b : string;
  /**
  * @JSON_FIELD "a-b"
  */
  a_b_ : number;
  /**
  * @JSON_FIELD "class"
  */
  _class : boolean;
}


26 27 28 29 30 31 32 33 34 35 36 37 38 39
function countOccurrences(str:string, substr:string):number {
  
  let count = 0
  let position = 0

  while (true) {
      position = str.indexOf(substr, position)
      if (position == -1) break
      count++
      position += substr.length
  }

  return count;
}
40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135


export function testJSON() : Result {
  return describe("JSON", () => {
    test('parse', () => {
      const json = `{"result":true, "count":42}`;
      const obj = JSON.parse(json) as UTSJSONObject;
      expect(obj["count"]).toEqual(42);
      expect(obj["result"] as boolean).toEqual(true);

      const json1 = `{
                "name": "John",
                "age": 30,
                "city": "New York"
              }`;
      const obj1 = JSON.parse(json1);
      // expect(obj1).toEqual({
      //     name: 'John',
      //     age: 30,
      //     city: 'New York',
      // });
      expect((obj1! as UTSJSONObject).getString('name')).toEqual("John")


      const json2 = '{"string":"Hello","number":42,"boolean":true,"nullValue":null,"array":[1,2,3],"object":{"nestedKey":"nestedValue"}}';
      const obj2 = JSON.parse<UTSJSONObject>(json2)!;
      // expect(obj2).toEqual({
      //     string: 'Hello',
      //     number: 42,
      //     boolean: true,
      //     nullValue: null,
      //     array: [1, 2, 3],
      //     object: {
      //         nestedKey: 'nestedValue',
      //     },
      // });
      expect(obj2['object']).toEqual({
        nestedKey: 'nestedValue',
      })
      expect(obj2.getString("object.nestedKey")).toEqual('nestedValue')


      let json3 = `{"id":"216776999999","name":"小王","grade":1.0,"list":[1,2,3],"address":{"province":"beijing","city":"haidian","streat":"taipingzhuang","other":2},"anyValue":[[null,null]],"obj":{"a":1,"b":false,"c":null},"customClass":{"name":"lisi","age":30},"numList":[1,2,3,null],"list2":[1,2,3,4],"dic":{"1":{"c":[null]}},"dicArr":[{"a":{"c":[null]}},{"b":{"c":1}}]}`
      let obj3 = JSON.parse(json3)! as UTSJSONObject;
      let obj3Address = obj3.getAny("address")!
      console.log(obj3Address)
      expect(obj3Address instanceof UTSJSONObject).toEqual(true)
      let obj3DicArr = obj3.getArray("dicArr")!
      let obj3DicArrFirst = obj3DicArr[0] as UTSJSONObject
      let obj3DicArrFirstA = obj3DicArrFirst['a']
      console.log(obj3DicArrFirstA instanceof UTSJSONObject)
      expect(obj3DicArrFirstA instanceof UTSJSONObject).toEqual(true)
      // 目前仅android 支持,暂不放开
      // let obj3 = JSON.parse<User>(json1);
      // console.log(obj3)

      // const json3 = '["apple","banana","cherry"]';
      // const obj3 = JSON.parse(json3)!;
      // TODO JSON.parse 后数组的类型 无法强转
      // expect(obj3).toEqual(['apple', 'banana', 'cherry']);

      // const json4 = '[1, "two", true, null, {"key": "value"}, ["nested"]]';
      // const obj4 = JSON.parse(json4)!;
      // expect(obj4).toEqual([1, 'two', true, null, { key: 'value' }, ['nested']]);

      // TODO 暂不支持多个参数
      // const json5 = '{"p": 5}';
      // const obj5 = JSON.parse(json5, function (k : string, v : number) : number {
      //     if (k === '') return v;
      //     return v * 2;
      // })!;
      // expect(obj5).toEqual({
      //     p: 10,
      // });


      expect(JSON.parse('{}')!).toEqual({});

      // TODO 不支持boolean、string,js端需抹平
      // expect(JSON.parse('true')!).toEqual(true);
      // expect(JSON.parse('"foo"')!).toEqual("foo");
      // expect(JSON.parse('null')!).toEqual(null);

      const json4 = '{"data":[{"a":"1"},{"a":2},[{"b":true},{"b":"test"}],[1, 2, 3]]}';
      const obj4 = JSON.parseObject(json4);
      expect(obj4?.getString('data[0].a')).toEqual("1")
      expect(obj4?.getNumber('data[1].a')).toEqual(2)
      expect(obj4?.getBoolean('data[2][0].b')).toEqual(true)
      expect(obj4?.getAny('data[1].a')).toEqual(2)
      expect(obj4?.getJSON('data[2][1]')).toEqual({ "b": "test" })
      expect(obj4?.getArray('data[3]')).toEqual([1, 2, 3])

    })
    test('parseObject', () => {
      const json = `{"result":true, "count":42}`;
      const obj = JSON.parseObject(json);
杜庆泉's avatar
杜庆泉 已提交
136 137
      expect(obj?.["count"]).toEqual(42);
      expect(obj?.["result"] as boolean).toEqual(true);
138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168

      expect(JSON.parseObject('{}')!).toEqual({});

      const json1 = `{
			    "name": "John",
			    "id": "30"
			  }`;
      let obj2 = JSON.parseObject<UserJSON>(json1);
      expect(obj2!.id).toEqual("30");

      const json2 = `{
			    "id": "30"
			  }`;
      let obj3 = JSON.parseObject<UserJSON>(json2);
      expect(obj3!.id).toEqual("30");
      const json3 = `{
			    "name": "John"
			  }`;
      let obj4 = JSON.parseObject<UserJSON>(json3);
      expect(obj4).toEqual(null);
    })
    test('parseArray', () => {
      const json1 = `[1,2,3]`;
      const array1 = JSON.parseArray(json1);
      expect(array1).toEqual([1, 2, 3]);

      const json2 = `[1,"hello world",3]`;
      const array2 = JSON.parseArray(json2);
      expect(array2).toEqual([1, "hello world", 3]);


杜庆泉's avatar
杜庆泉 已提交
169
      // #ifdef APP-ANDROID
170 171
      const json3 = `[{"name":"John","id":"30"},{"name":"jack","id":"21"}]`;
      const array3 = JSON.parseArray<UTSJSONObject>(json3);
杜庆泉's avatar
杜庆泉 已提交
172 173
      expect((array3![0])["name"]).toEqual("John");
      // #endif
174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196
    })
    
    test('merge-test-1', () => {
      // #ifdef APP-ANDROID
        const data1 = {
        		name: 'Tom1',
        		age: 21
        	};
        
        const data2 = {
        	aa: {
        		name: 'Tom2',
        		age: 22,
        		bb: {
        			name: 'Tom3',
        			age: 23
        		}
        	}
        }
        const obj = Object.assign(JSON.parse<UTSJSONObject>(JSON.stringify(data2))!, JSON.parse<UTSJSONObject>(JSON.stringify(data1))!) as UTSJSONObject; 
        const innerObj = obj.getJSON("aa.bb")
        expect(innerObj instanceof UTSJSONObject).toEqual(true);
      // #endif
197
    })
198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236
    test('stringify-with-replacer', () => {
      // #ifdef APP-ANDROID
      let a = JSON.stringify({"x":111,"y":"aaa"})
      expect(a).toEqual('{"x":111,"y":"aaa"}');
      let a1 = JSON.stringify({"x":111,"y":"aaa"},function(key:any,value:any|null):any|null{
          if(key == "x"){
            return "x"
          }
          return value
      })
      expect(a1).toEqual('{"x":"x","y":"aaa"}');
      let a2 = JSON.stringify({"x":111,"y":"aaa"},function(key:any,value:any|null):any|null{
          if(key == "x"){
            return "x"
          }
          return value
      },6)
      expect(a2.length).toEqual(36);
      let a3 = JSON.stringify({"x":111,"y":"aaa"},function(key:any,value:any|null):any|null{
          if(key == "x"){
            return "x"
          }
          return value
      },11)
      expect(a3.length).toEqual(44);
      
      let a4 = JSON.stringify({"x":111,"y":"aaa"},function(key:any,value:any|null):any|null{
          if(key == "x"){
            return "x"
          }
          return value
      },-11)
      expect(a4.length).toEqual(19);
      
      let a5 = JSON.stringify({"x":111,"y":"aaa","z":{"x":123}},["x",'z'])
      expect(a5).toEqual('{"x":111,"z":{"x":123}}');
      
      let a6 = JSON.stringify({"x":111,"y":"aaa","z":{"x":123}},["x",'y','z'])
      expect(a6).toEqual('{"x":111,"y":"aaa","z":{"x":123}}');
237
      let a7 = JSON.stringify({"x":111,"y":"aaa","z":{"x":123}},["x",'y','z'],8)
238
      expect(a7.length).toEqual(91);
239 240 241 242 243 244 245
      
      let a8 = JSON.stringify({"x":111,"y":"aaa","z":{"x":123}},["x",'y','z'],"99999")
      
      expect(a8.length).toEqual(73);
      expect(countOccurrences(a8,"99999")).toEqual(6);
      
      
246 247
      // #endif
    })
248
    test('stringify', () => {
杜庆泉's avatar
杜庆泉 已提交
249
      // #ifdef APP-ANDROID
250

杜庆泉's avatar
杜庆泉 已提交
251 252 253
      // const obj1 = { name: 'John', age: 30, address: { city: 'New York', country: 'USA' } };
      // const json1 = JSON.stringify(obj1);
      // expect(json1).toEqual('{"address":{"country":"USA","city":"New York"},"name":"John","age":30}');
杜庆泉's avatar
杜庆泉 已提交
254 255 256
      
      // #endif
      
257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290
      const obj2 = ['apple', 'banana', 'cherry'];
      const json2 = JSON.stringify(obj2);
      expect(json2).toEqual('["apple","banana","cherry"]');

      // TODO 暂不支持多个参数
      // const obj3 = { name: 'John', age: '30' };
      // const replacer = (key : string, value : string) : string => (key === 'name' ? value.toUpperCase() : value);
      // const json3 = JSON.stringify(obj3, replacer);
      // expect(json3).toEqual('{"name":"JOHN","age":"30"}');

      // const obj4 = { name: 'John', age: 30 };
      // const json4 = JSON.stringify(obj4, null, 4);
      //             expect(json4).toEqual(`{
      //     "name": "John",
      //     "age": 30
      // }`);
      // expect(JSON.stringify({ x: 5, y: 6 })).toEqual(`{"x":5,"y":6}`);
      expect(JSON.stringify([3, 'false', false])).toEqual(`[3,"false",false]`);
      expect(JSON.stringify({})).toEqual('{}');
      expect(JSON.stringify(1002)).toEqual('1002');
      expect(JSON.stringify(1002.202)).toEqual('1002.202');
      expect(JSON.stringify(null)).toEqual('null');
      // expect(JSON.stringify(100/0.0)).toEqual('null');
      expect(JSON.stringify(true)).toEqual('true');
      expect(JSON.stringify(false)).toEqual('false');
      //console.log(JSON.stringify('foo'))
      //expect(JSON.stringify('foo')).toEqual('foo');
      expect(JSON.stringify(Math.PI)).toEqual('3.141592653589793');
      expect(JSON.stringify(Math.E)).toEqual('2.718281828459045');

      /**
       * add since 2023-09-23
       * 部分出错过的示例场景
       */
杜庆泉's avatar
杜庆泉 已提交
291
      // #ifdef APP-ANDROID
292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309
      const arr = [{
        "$method": "collection",
        "$param": ["type"] as Array<any>,
      }, {
        "$method": "add",
        "$param": [
          [{
            "num": 2,
            "tag": "default-tag",
          } as UTSJSONObject, {
            "num": 3,
            "tag": "default-tag",
          } as UTSJSONObject] as Array<UTSJSONObject>,
        ] as Array<any>,
      }] as Array<UTSJSONObject>
      let ret = JSON.stringify({
        $db: arr
      })
杜庆泉's avatar
杜庆泉 已提交
310
      expect(ret).toEqual('{"$db":[{"$method":"collection","$param":["type"]},{"$method":"add","$param":[[{"num":2,"tag":"default-tag"},{"num":3,"tag":"default-tag"}]]}]}')
311

杜庆泉's avatar
杜庆泉 已提交
312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328
      // type Msg = {
      //   id : string,
      //   method : string,
      //   params : any
      // }
      // type CallUniMethodParams = {	
      // 	method : string	
      // 	args : com.alibaba.fastjson.JSONArray
      // }
      // const msg = `{"id":"6fd6ca73-c313-48ac-ad30-87ff4eba2be8","method":"App.callUniMethod","params":{"method":"reLaunch","args":[{"url":"/pages/index/index"}]}}`
      // const jsonRet2 = JSON.parse<Msg>(msg)!

      // const paramsStr = JSON.stringify(jsonRet2.params)
      // console.log(paramsStr)
      // expect(paramsStr).toEqual('{"method":"reLaunch","args":[{"url":"/pages/index/index"}]}')
      // const params = JSON.parse<CallUniMethodParams>(paramsStr)!
      // expect(JSON.stringify(params)).toEqual('{"method":"reLaunch","args":[{"url":"/pages/index/index"}]}')
329 330 331 332 333 334 335 336 337 338 339 340 341 342


      class Stage {
        $m : string
        $p : Array<any>
        constructor() {
          this.$m = 'test'
          this.$p = ['type']
        }
      }

      const obj22 = {
        data: [new Stage()] as Array<any>
      } as UTSJSONObject
杜庆泉's avatar
杜庆泉 已提交
343
      expect(JSON.stringify(obj22)).toEqual('{"data":[{}]}')
344

杜庆泉's avatar
杜庆泉 已提交
345 346
      // #endif
      
347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381
      type A = {
        inserted : number
      }
      const str = '{"inserted": 2}'
      const obj33 = JSON.parse<A>(str)!
      console.log('-------------------------');
      console.log(obj33.inserted);
      expectNumber(obj33.inserted).toEqualDouble(2.0)
      expect(JSON.stringify(obj33.inserted)).toEqual("2")

    })

    test('invalidField', () => {
      let str = "{\"a+b\":\"test1\",\"a-b\":2,\"class\":true}"
      let p = JSON.parseObject<PersonJSON>(str)
      expect(p?._class).toEqual(true)
      expect(p?.a_b).toEqual("test1")


      let retStr = JSON.stringify(p)
      console.log(retStr)
    })

    test('UTSJSONOject', () => {
      let t1 = "1"
      const a = {
        test() {
          t1 = "2"
          console.log("test")
        }
      };
      //console.log(a['test']);
      (a['test'] as () => void)()
      //console.log(t1);
      expect(t1).toEqual("2")
382 383 384 385
      //console.log(JSON.stringify(a));
      const map = {
        a: 1
      }.toMap()
386
      expect(map.get('a')).toEqual(1)
杜庆泉's avatar
杜庆泉 已提交
387 388 389 390
      
      const json = `{"result":true, "count":42}`;
      const obj = JSON.parse(json) as UTSJSONObject;
      let retStr = JSON.stringify(obj)
lizhongyi_'s avatar
lizhongyi_ 已提交
391
      // #ifdef APP-ANDROID
杜庆泉's avatar
杜庆泉 已提交
392
      expect(retStr).toEqual('{"result":true,"count":42}')
lizhongyi_'s avatar
lizhongyi_ 已提交
393
      // #endif
394 395 396 397 398 399 400
    })

    test('parse Map', () => {
      type A = {
        num: number,
      }
      const map = JSON.parse<Map<string, A>>(`{"a": {"num": 1}}`)
401
      // #ifndef APP-IOS
402
      expect(map instanceof Map).toEqual(true)
403
      // #endif
404 405 406
      expect(map?.get('a')?.num).toEqual(1)
    })

雪洛's avatar
雪洛 已提交
407 408 409
    test('parse generic type', () => {
      type A = {
        num: number,
lizhongyi_'s avatar
lizhongyi_ 已提交
410
      }   
雪洛's avatar
雪洛 已提交
411 412 413
      function test<T>(json: string): T {
        return JSON.parse<T>(json)!
      }
lizhongyi_'s avatar
lizhongyi_ 已提交
414
      // #ifndef APP-IOS
雪洛's avatar
雪洛 已提交
415 416
      const a = test<A>(`{"num": 1}`)
      expect(a.num).toEqual(1)
lizhongyi_'s avatar
lizhongyi_ 已提交
417 418
      // #endif
 
雪洛's avatar
雪洛 已提交
419 420
    })

421
  })
Y
yurj26 已提交
422
}