1# @ohos.data.relationalStore (RDB Store) 2 3The relational database (RDB) store manages data based on relational models. It provides a complete mechanism for managing local databases based on the underlying SQLite. To satisfy different needs in complicated scenarios, the RDB store offers a series of APIs for performing operations such as adding, deleting, modifying, and querying data, and supports direct execution of SQL statements. The worker threads are not supported. 4 5ArkTS supports the following basic data types: number, string, binary data, and boolean. 6 7To ensure successful read and write of data, the data size cannot exceed 2 MB. If a data record exceeds 2 MB, it can be inserted successfully but cannot be read. 8 9The **relationalStore** module provides the following functions: 10 11- [RdbPredicates](#rdbpredicates): provides predicates indicating the nature, feature, or relationship of a data entity in an RDB store. It is used to define the operation conditions for an RDB store. 12- [RdbStore](#rdbstore): provides APIs for managing data in an RDB store. 13- [Resultset](#resultset): provides APIs for accessing the result set obtained from the RDB store. 14 15> **NOTE** 16> 17> The initial APIs of this module are supported since API version 9. Newly added APIs will be marked with a superscript to indicate their earliest API version. 18 19## Modules to Import 20 21```ts 22import relationalStore from '@ohos.data.relationalStore'; 23``` 24 25## relationalStore.getRdbStore 26 27getRdbStore(context: Context, config: StoreConfig, callback: AsyncCallback<RdbStore>): void 28 29Obtains an RDB store. This API uses an asynchronous callback to return the result. You can set parameters for the RDB store based on service requirements and call APIs to perform data operations. 30 31**System capability**: SystemCapability.DistributedDataManager.RelationalStore.Core 32 33**Parameters** 34 35| Name | Type | Mandatory| Description | 36| -------- | ---------------------------------------------- | ---- | ------------------------------------------------------------ | 37| context | Context | Yes | Application context.<br>For details about the application context of the FA model, see [Context](js-apis-inner-app-context.md).<br>For details about the application context of the stage model, see [Context](js-apis-inner-application-uiAbilityContext.md).| 38| config | [StoreConfig](#storeconfig) | Yes | Configuration of the RDB store. | 39| callback | AsyncCallback<[RdbStore](#rdbstore)> | Yes | Callback invoked to return the RDB store obtained. | 40 41**Error codes** 42 43For details about the error codes, see [RDB Error Codes](../errorcodes/errorcode-data-rdb.md). 44 45| **ID**| **Error Message** | 46| ------------ | ----------------------------------------------------------- | 47| 14800010 | Failed to open or delete database by invalid database path. | 48| 14800011 | Failed to open database by database corrupted. | 49| 14800000 | Inner error. | 50| 14801001 | Only supported in stage mode. | 51| 14801002 | The data group id is not valid. | 52 53**Example** 54 55FA model: 56 57```js 58import featureAbility from '@ohos.ability.featureAbility'; 59import { BusinessError } from "@ohos.base"; 60 61let store: relationalStore.RdbStore | undefined = undefined; 62let context = getContext(this); 63 64const STORE_CONFIG: relationalStore.StoreConfig = { 65 name: "RdbTest.db", 66 securityLevel: relationalStore.SecurityLevel.S1 67}; 68 69relationalStore.getRdbStore(context, STORE_CONFIG, (err: BusinessError, rdbStore: relationalStore.RdbStore) => { 70 store = rdbStore; 71 if (err) { 72 console.error(`Get RdbStore failed, code is ${err.code},message is ${err.message}`); 73 return; 74 } 75 console.info('Get RdbStore successfully.'); 76}) 77``` 78 79Stage model: 80 81```ts 82import UIAbility from '@ohos.app.ability.UIAbility'; 83import window from '@ohos.window'; 84import { BusinessError } from "@ohos.base"; 85 86let store: relationalStore.RdbStore | undefined = undefined; 87 88class EntryAbility extends UIAbility { 89 onWindowStageCreate(windowStage: window.WindowStage) { 90 const STORE_CONFIG: relationalStore.StoreConfig = { 91 name: "RdbTest.db", 92 securityLevel: relationalStore.SecurityLevel.S1 93 }; 94 95 relationalStore.getRdbStore(this.context, STORE_CONFIG, (err: BusinessError, rdbStore: relationalStore.RdbStore) => { 96 store = rdbStore; 97 if (err) { 98 console.error(`Get RdbStore failed, code is ${err.code},message is ${err.message}`); 99 return; 100 } 101 console.info('Get RdbStore successfully.'); 102 }) 103 } 104} 105``` 106 107## relationalStore.getRdbStore 108 109getRdbStore(context: Context, config: StoreConfig): Promise<RdbStore> 110 111Obtains an RDB store. This API uses a promise to return the result. You can set parameters for the RDB store based on service requirements and call APIs to perform data operations. 112 113**System capability**: SystemCapability.DistributedDataManager.RelationalStore.Core 114 115**Parameters** 116 117| Name | Type | Mandatory| Description | 118| ------- | -------------------------------- | ---- | ------------------------------------------------------------ | 119| context | Context | Yes | Application context.<br>For details about the application context of the FA model, see [Context](js-apis-inner-app-context.md).<br>For details about the application context of the stage model, see [Context](js-apis-inner-application-uiAbilityContext.md).| 120| config | [StoreConfig](#storeconfig) | Yes | Configuration of the RDB store. | 121 122**Return value** 123 124| Type | Description | 125| ----------------------------------------- | --------------------------------- | 126| Promise<[RdbStore](#rdbstore)> | Promise used to return the **RdbStore** object.| 127 128**Error codes** 129 130For details about the error codes, see [RDB Error Codes](../errorcodes/errorcode-data-rdb.md). 131 132| **ID**| **Error Message** | 133| ------------ | ----------------------------------------------------------- | 134| 14800010 | Failed to open or delete database by invalid database path. | 135| 14800011 | Failed to open database by database corrupted. | 136| 14800000 | Inner error. | 137| 14801001 | Only supported in stage mode. | 138| 14801002 | The data group id is not valid. | 139 140**Example** 141 142FA model: 143 144```js 145import featureAbility from '@ohos.ability.featureAbility'; 146import { BusinessError } from "@ohos.base"; 147 148let store: relationalStore.RdbStore | undefined = undefined; 149let context = getContext(this); 150 151const STORE_CONFIG: relationalStore.StoreConfig = { 152 name: "RdbTest.db", 153 securityLevel: relationalStore.SecurityLevel.S1 154}; 155 156relationalStore.getRdbStore(context, STORE_CONFIG).then(async (rdbStore: relationalStore.RdbStore) => { 157 store = rdbStore; 158 console.info('Get RdbStore successfully.') 159}).catch((err: BusinessError) => { 160 console.error(`Get RdbStore failed, code is ${err.code},message is ${err.message}`); 161}) 162``` 163 164Stage model: 165 166```ts 167import UIAbility from '@ohos.app.ability.UIAbility'; 168import window from '@ohos.window'; 169import { BusinessError } from "@ohos.base"; 170 171let store: relationalStore.RdbStore | undefined = undefined; 172 173class EntryAbility extends UIAbility { 174 onWindowStageCreate(windowStage: window.WindowStage) { 175 const STORE_CONFIG: relationalStore.StoreConfig = { 176 name: "RdbTest.db", 177 securityLevel: relationalStore.SecurityLevel.S1 178 }; 179 180 relationalStore.getRdbStore(this.context, STORE_CONFIG).then(async (rdbStore: relationalStore.RdbStore) => { 181 store = rdbStore; 182 console.info('Get RdbStore successfully.') 183 }).catch((err: BusinessError) => { 184 console.error(`Get RdbStore failed, code is ${err.code},message is ${err.message}`); 185 }) 186 } 187} 188``` 189 190## relationalStore.deleteRdbStore 191 192deleteRdbStore(context: Context, name: string, callback: AsyncCallback<void>): void 193 194Deletes an RDB store. This API uses an asynchronous callback to return the result. 195 196After the deletion, you are advised to set the database object to null. If a customized path is set in [StoreConfig](#storeconfig) when an RDB store is created, using this API cannot delete the RDB store. Use [deleteRdbStore<sup>10+</sup>](#relationalstoredeleterdbstore10) instead. 197 198**System capability**: SystemCapability.DistributedDataManager.RelationalStore.Core 199 200**Parameters** 201 202| Name | Type | Mandatory| Description | 203| -------- | ------------------------- | ---- | ------------------------------------------------------------ | 204| context | Context | Yes | Application context.<br>For details about the application context of the FA model, see [Context](js-apis-inner-app-context.md).<br>For details about the application context of the stage model, see [Context](js-apis-inner-application-uiAbilityContext.md).| 205| name | string | Yes | Name of the RDB store to delete. | 206| callback | AsyncCallback<void> | Yes | Callback invoked to return the result. | 207 208**Error codes** 209 210For details about the error codes, see [RDB Error Codes](../errorcodes/errorcode-data-rdb.md). 211 212| **ID**| **Error Message** | 213| ------------ | ----------------------------------------------------------- | 214| 14800010 | Failed to open or delete database by invalid database path. | 215| 14800000 | Inner error. | 216 217**Example** 218 219FA model: 220 221```js 222import featureAbility from '@ohos.ability.featureAbility'; 223import { BusinessError } from "@ohos.base"; 224 225let store: relationalStore.RdbStore | undefined = undefined; 226let context = getContext(this); 227 228relationalStore.deleteRdbStore(context, "RdbTest.db", (err: BusinessError) => { 229 if (err) { 230 console.error(`Delete RdbStore failed, code is ${err.code},message is ${err.message}`); 231 return; 232 } 233 store = undefined; 234 console.info('Delete RdbStore successfully.'); 235}) 236``` 237 238Stage model: 239 240```ts 241import UIAbility from '@ohos.app.ability.UIAbility'; 242import window from '@ohos.window'; 243import { BusinessError } from "@ohos.base"; 244 245let store: relationalStore.RdbStore | undefined = undefined; 246 247class EntryAbility extends UIAbility { 248 onWindowStageCreate(windowStage: window.WindowStage){ 249 relationalStore.deleteRdbStore(this.context, "RdbTest.db", (err: BusinessError) => { 250 if (err) { 251 console.error(`Delete RdbStore failed, code is ${err.code},message is ${err.message}`); 252 return; 253 } 254 store = undefined; 255 console.info('Delete RdbStore successfully.'); 256 }) 257 } 258} 259``` 260 261## relationalStore.deleteRdbStore 262 263deleteRdbStore(context: Context, name: string): Promise<void> 264 265Deletes an RDB store. This API uses a promise to return the result. 266 267After the deletion, you are advised to set the database object to null. If a customized path is set in [StoreConfig](#storeconfig) when an RDB store is created, using this API cannot delete the RDB store. Use [deleteRdbStore<sup>10+</sup>](#relationalstoredeleterdbstore10-1) instead. 268 269**System capability**: SystemCapability.DistributedDataManager.RelationalStore.Core 270 271**Parameters** 272 273| Name | Type | Mandatory| Description | 274| ------- | ------- | ---- | ------------------------------------------------------------ | 275| context | Context | Yes | Application context.<br>For details about the application context of the FA model, see [Context](js-apis-inner-app-context.md).<br>For details about the application context of the stage model, see [Context](js-apis-inner-application-uiAbilityContext.md).| 276| name | string | Yes | Name of the RDB store to delete. | 277 278**Return value** 279 280| Type | Description | 281| ------------------- | ------------------------- | 282| Promise<void> | Promise that returns no value.| 283 284**Error codes** 285 286For details about the error codes, see [RDB Error Codes](../errorcodes/errorcode-data-rdb.md). 287 288| **ID**| **Error Message** | 289| ------------ | ----------------------------------------------------------- | 290| 14800010 | Failed to open or delete database by invalid database path. | 291| 14800000 | Inner error. | 292 293**Example** 294 295FA model: 296 297```js 298import featureAbility from '@ohos.ability.featureAbility'; 299import { BusinessError } from "@ohos.base"; 300 301let store: relationalStore.RdbStore | undefined = undefined; 302let context = getContext(this); 303 304relationalStore.deleteRdbStore(context, "RdbTest.db").then(()=>{ 305 store = undefined; 306 console.info('Delete RdbStore successfully.'); 307}).catch((err: BusinessError) => { 308 console.error(`Delete RdbStore failed, code is ${err.code},message is ${err.message}`); 309}) 310``` 311 312Stage model: 313 314```ts 315import UIAbility from '@ohos.app.ability.UIAbility'; 316import window from '@ohos.window'; 317import { BusinessError } from "@ohos.base"; 318 319let store: relationalStore.RdbStore | undefined = undefined; 320 321class EntryAbility extends UIAbility { 322 onWindowStageCreate(windowStage: window.WindowStage){ 323 relationalStore.deleteRdbStore(this.context, "RdbTest.db").then(()=>{ 324 store = undefined; 325 console.info('Delete RdbStore successfully.'); 326 }).catch((err: BusinessError) => { 327 console.error(`Delete RdbStore failed, code is ${err.code},message is ${err.message}`); 328 }) 329 } 330} 331``` 332 333## relationalStore.deleteRdbStore<sup>10+</sup> 334 335deleteRdbStore(context: Context, config: StoreConfig, callback: AsyncCallback\<void>): void 336 337Deletes an RDB store. This API uses an asynchronous callback to return the result. 338 339After the deletion, you are advised to set the database object to null. If the database file is in the public sandbox directory, you must use this API to delete the database. If the database is accessed by multiple processes at the same time, you are advised to send a database deletion notification to other processes. Use this API to delete the RDB store that has a customized path set in [StoreConfig](#storeconfig). 340 341**System capability**: SystemCapability.DistributedDataManager.RelationalStore.Core 342 343**Parameters** 344 345| Name | Type | Mandatory| Description | 346| -------- | --------------------------- | ---- | ------------------------------------------------------------ | 347| context | Context | Yes | Application context.<br>For details about the application context of the FA model, see [Context](js-apis-inner-app-context.md).<br>For details about the application context of the stage model, see [Context](js-apis-inner-application-uiAbilityContext.md).| 348| config | [StoreConfig](#storeconfig) | Yes | Configuration of the RDB store. | 349| callback | AsyncCallback<void> | Yes | Callback invoked to return the result. | 350 351**Error codes** 352 353For details about the error codes, see [RDB Error Codes](../errorcodes/errorcode-data-rdb.md). 354 355| **ID**| **Error Message** | 356| ------------ | ----------------------------------------------------------- | 357| 14800010 | Failed to open or delete database by invalid database path. | 358| 14800000 | Inner error. | 359| 14801001 | Only supported in stage mode. | 360| 14801002 | The data group id is not valid. | 361 362**Example** 363 364FA model: 365 366```js 367import featureAbility from '@ohos.ability.featureAbility'; 368import { BusinessError } from "@ohos.base"; 369 370let store: relationalStore.RdbStore | undefined = undefined; 371let context = getContext(this); 372 373const STORE_CONFIG: relationalStore.StoreConfig = { 374 name: "RdbTest.db", 375 securityLevel: relationalStore.SecurityLevel.S1 376}; 377 378relationalStore.deleteRdbStore(context, STORE_CONFIG, (err: BusinessError) => { 379 if (err) { 380 console.error(`Delete RdbStore failed, code is ${err.code},message is ${err.message}`); 381 return; 382 } 383 store = undefined; 384 console.info('Delete RdbStore successfully.'); 385}) 386``` 387 388Stage model: 389 390```ts 391import UIAbility from '@ohos.app.ability.UIAbility'; 392import window from '@ohos.window'; 393import { BusinessError } from "@ohos.base"; 394 395let store: relationalStore.RdbStore | undefined = undefined; 396 397class EntryAbility extends UIAbility { 398 onWindowStageCreate(windowStage: window.WindowStage){ 399 const STORE_CONFIG: relationalStore.StoreConfig = { 400 name: "RdbTest.db", 401 securityLevel: relationalStore.SecurityLevel.S1 402 }; 403 relationalStore.deleteRdbStore(this.context, STORE_CONFIG, (err: BusinessError) => { 404 if (err) { 405 console.error(`Delete RdbStore failed, code is ${err.code},message is ${err.message}`); 406 return; 407 } 408 store = undefined; 409 console.info('Delete RdbStore successfully.'); 410 }) 411 } 412} 413 414``` 415 416## relationalStore.deleteRdbStore<sup>10+</sup> 417 418deleteRdbStore(context: Context, config: StoreConfig): Promise\<void> 419 420Deletes an RDB store. This API uses a promise to return the result. 421 422After the deletion, you are advised to set the database object to null. If the database file is in the public sandbox directory, you must use this API to delete the database. If the database is accessed by multiple processes at the same time, you are advised to send a database deletion notification to other processes. Use this API to delete the RDB store that has a customized path set in [StoreConfig](#storeconfig). 423 424**System capability**: SystemCapability.DistributedDataManager.RelationalStore.Core 425 426**Parameters** 427 428| Name | Type | Mandatory| Description | 429| ------- | --------------------------- | ---- | ------------------------------------------------------------ | 430| context | Context | Yes | Application context.<br>For details about the application context of the FA model, see [Context](js-apis-inner-app-context.md).<br>For details about the application context of the stage model, see [Context](js-apis-inner-application-uiAbilityContext.md).| 431| config | [StoreConfig](#storeconfig) | Yes | Configuration of the RDB store. | 432 433**Return value** 434 435| Type | Description | 436| ------------------- | ------------------------- | 437| Promise<void> | Promise that returns no value.| 438 439**Error codes** 440 441For details about the error codes, see [RDB Error Codes](../errorcodes/errorcode-data-rdb.md). 442 443| **ID**| **Error Message** | 444| ------------ | ----------------------------------------------------------- | 445| 14800010 | Failed to open or delete database by invalid database path. | 446| 14800000 | Inner error. | 447| 14801001 | Only supported in stage mode. | 448| 14801002 | The data group id is not valid. | 449 450**Example** 451 452FA model: 453 454```js 455import featureAbility from '@ohos.ability.featureAbility'; 456import { BusinessError } from "@ohos.base"; 457 458let store: relationalStore.RdbStore | undefined = undefined; 459let context = getContext(this); 460 461const STORE_CONFIG: relationalStore.StoreConfig = { 462 name: "RdbTest.db", 463 securityLevel: relationalStore.SecurityLevel.S1 464}; 465 466relationalStore.deleteRdbStore(context, STORE_CONFIG).then(()=>{ 467 store = undefined; 468 console.info('Delete RdbStore successfully.'); 469}).catch((err: BusinessError) => { 470 console.error(`Delete RdbStore failed, code is ${err.code},message is ${err.message}`); 471}) 472``` 473 474Stage model: 475 476```ts 477import UIAbility from '@ohos.app.ability.UIAbility'; 478import window from '@ohos.window'; 479import { BusinessError } from "@ohos.base"; 480 481let store: relationalStore.RdbStore | undefined = undefined; 482 483class EntryAbility extends UIAbility { 484 onWindowStageCreate(windowStage: window.WindowStage){ 485 const STORE_CONFIG: relationalStore.StoreConfig = { 486 name: "RdbTest.db", 487 securityLevel: relationalStore.SecurityLevel.S1 488 }; 489 relationalStore.deleteRdbStore(this.context, STORE_CONFIG).then(()=>{ 490 store = undefined; 491 console.info('Delete RdbStore successfully.'); 492 }).catch((err: BusinessError) => { 493 console.error(`Delete RdbStore failed, code is ${err.code},message is ${err.message}`); 494 }) 495 } 496} 497``` 498 499## StoreConfig 500 501Defines the RDB store configuration. 502 503| Name | Type | Mandatory| Description | 504| ------------- | ------------- | ---- | --------------------------------------------------------- | 505| name | string | Yes | Database file name, which is the unique identifier of the database.<br>**System capability**: SystemCapability.DistributedDataManager.RelationalStore.Core | 506| securityLevel | [SecurityLevel](#securitylevel) | Yes | Security level of the RDB store.<br>**System capability**: SystemCapability.DistributedDataManager.RelationalStore.Core| 507| encrypt | boolean | No | Whether to encrypt the RDB store.<br> The value **true** means to encrypt the RDB store; the value **false** (default) means the opposite.<br>**System capability**: SystemCapability.DistributedDataManager.RelationalStore.Core| 508| dataGroupId<sup>10+</sup> | string | No| Application group ID, which needs to be obtained from AppGallery.<br>**Model restriction**: This attribute can be used only in the stage model.<br>This parameter is supported since API version 10. The **RdbStore** instance is created in the sandbox directory corresponding to the specified **dataGroupId**. If this parameter is not specified, the **RdbStore** instance is created in the sandbox directory of the application.<br>**System capability**: SystemCapability.DistributedDataManager.RelationalStore.Core| 509| customDir<sup>11+</sup> | string | No| Customized path of the RDB store.<br>**Constraints**: The value cannot exceed 128 bytes.<br>This parameter is supported since API version 11. The RDB store directory is in the **context.databaseDir**/**rdb**/**customDir** format. **context.databaseDir** specifies the application sandbox path. **rdb** is a fixed field that indicates an RDB store. **customDir** specifies the customized path. If this parameter is not specified, the **RdbStore** instance is created in the sandbox directory of the application.<br>**System capability**: SystemCapability.DistributedDataManager.RelationalStore.Core| 510| isSearchable<sup>11+</sup> | boolean | No| Whether the RDB store is searchable. The value **true** means the RDB store is searchable; the value **false** means the opposite. The default value is **false**.<br>**System API**: This is a system API.<br>This parameter is supported since API version 11.<br>**System capability**: SystemCapability.DistributedDataManager.RelationalStore.Core| 511| autoCleanDirtyData<sup>11+<sup> | boolean | No| Whether to automatically clear the dirty data (data that has been deleted from the cloud) from the local device. The value **true** means to clear the dirty data automatically. The value **false** means to clear the data manually. The default value is **true**.<br>This parameter applies to the RDB stores with device-cloud synergy. To manually clear the dirty data, use [cleanDirtyData<sup>11+</sup>](#cleandirtydata11).<br>This parameter is supported since API version 11.<br>**System capability**: SystemCapability.DistributedDataManager.CloudSync.Client| 512 513## SecurityLevel 514 515Enumerates the RDB store security levels. Use the enum name rather than the enum value. 516 517> **NOTE** 518> 519> To perform data synchronization operations, the RDB store security level must be lower than or equal to that of the peer device. For details, see the [Access Control Mechanism in Cross-Device Synchronization](../../database/access-control-by-device-and-data-level.md#access-control-mechanism-in-cross-device-synchronization). 520 521**System capability**: SystemCapability.DistributedDataManager.RelationalStore.Core 522 523| Name| Value | Description | 524| ---- | ---- | ------------------------------------------------------------ | 525| S1 | 1 | The RDB store security level is low. If data leakage occurs, minor impact will be caused on the database. For example, an RDB store that contains system data such as wallpapers.| 526| S2 | 2 | The RDB store security level is medium. If data leakage occurs, moderate impact will be caused on the database. For example, an RDB store that contains information created by users or call records, such as audio or video clips.| 527| S3 | 3 | The RDB store security level is high. If data leakage occurs, major impact will be caused on the database. For example, an RDB store that contains information such as user fitness, health, and location data.| 528| S4 | 4 | The RDB store security level is critical. If data leakage occurs, severe impact will be caused on the database. For example, an RDB store that contains information such as authentication credentials and financial data.| 529 530## AssetStatus<sup>10+</sup> 531 532Enumerates the asset statuses. Use the enum name rather than the enum value. 533 534**System capability**: SystemCapability.DistributedDataManager.RelationalStore.Core 535 536| Name | Value | Description | 537| ------------------------------- | --- | -------------- | 538| ASSET_NORMAL | 1 | The asset is in normal status. | 539| ASSET_INSERT | 2 | The asset is to be inserted to the cloud.| 540| ASSET_UPDATE | 3 | The asset is to be updated to the cloud.| 541| ASSET_DELETE | 4 | The asset is to be deleted from the cloud.| 542| ASSET_ABNORMAL | 5 | The asset is in abnormal status. | 543| ASSET_DOWNLOADING | 6 | The asset is being downloaded to a local device.| 544 545## Asset<sup>10+</sup> 546 547Defines information about an asset (such as a document, image, and video). The asset APIs do not support **Datashare**. 548 549**System capability**: SystemCapability.DistributedDataManager.RelationalStore.Core 550 551| Name | Type | Mandatory | Description | 552| ----------- | --------------------------- | --- | ------------ | 553| name | string | Yes | Asset name. | 554| uri | string | Yes | Asset URI, which is an absolute path in the system. | 555| path | string | Yes | Application sandbox path of the asset. | 556| createTime | string | Yes | Time when the asset was created. | 557| modifyTime | string | Yes | Time when the asset was last modified.| 558| size | string | Yes | Size of the asset. | 559| status | [AssetStatus](#assetstatus10) | No | Asset status. The default value is **ASSET_NORMAL**. | 560 561## Assets<sup>10+</sup> 562 563Defines an array of the [Asset](#asset10) type. 564 565**System capability**: SystemCapability.DistributedDataManager.RelationalStore.Core 566 567| Type | Description | 568| ------- | -------------------- | 569| [Asset](#asset10)[] | Array of assets. | 570 571## ValueType 572 573Enumerates the types of the value in a KV pair. The type varies with the parameter function. 574 575**System capability**: SystemCapability.DistributedDataManager.RelationalStore.Core 576 577| Type | Description | 578| ------- | -------------------- | 579| null<sup>10+</sup> | Null. | 580| number | Number. | 581| string | String. | 582| boolean | Boolean.| 583| Uint8Array<sup>10+</sup> | Uint8 array. | 584| Asset<sup>10+</sup> | [Asset](#asset10). | 585| Assets<sup>10+</sup> | [Assets](#assets10).| 586 587## ValuesBucket 588 589Enumerates the types of the key in a KV pair. This type is not multi-thread safe. If a **ValuesBucket** instance is operated by multiple threads at the same time in an application, use a lock for the instance. 590 591**System capability**: SystemCapability.DistributedDataManager.RelationalStore.Core 592 593| Key Type| Value Type | 594| ------ | ----------------------- | 595| number | The primary key is a number.| 596| string | The primary key is a string.| 597 598## PRIKeyType<sup>10+</sup> 599 600Enumerates the types of the primary key in a row of a database table. 601 602**System capability**: SystemCapability.DistributedDataManager.RelationalStore.Core 603 604| Type | Description | 605| ---------------- | ---------------------------------- | 606| number | The primary key is a number.| 607| string | The primary key is a string.| 608 609## UTCTime<sup>10+</sup> 610 611Represents the data type of the UTC time. 612 613**System capability**: SystemCapability.DistributedDataManager.RelationalStore.Core 614 615| Type| Description | 616| ---- | --------------- | 617| Date | UTC time.| 618 619## ModifyTime<sup>10+</sup> 620 621Represents the data type of the primary key and modification time of a database table. 622 623**System capability**: SystemCapability.DistributedDataManager.RelationalStore.Core 624 625| Type | Description | 626| ------------------------------------------------------- | ------------------------------------------------------------ | 627| Map<[PRIKeyType](#prikeytype10), [UTCTime](#utctime10)> | The key is the primary key of a row in the database table, and the value is the last modification time of the row in UTC format.| 628 629## SyncMode 630 631Enumerates the database synchronization modes. Use the enum name rather than the enum value. 632 633| Name | Value | Description | 634| -------------- | ---- | ---------------------------------- | 635| SYNC_MODE_PUSH | 0 | Push data from a local device to a remote device.<br>**System capability**: SystemCapability.DistributedDataManager.RelationalStore.Core| 636| SYNC_MODE_PULL | 1 | Pull data from a remote device to a local device.<br>**System capability**: SystemCapability.DistributedDataManager.RelationalStore.Core| 637| SYNC_MODE_TIME_FIRST<sup>10+</sup> | 4 | Synchronize with the data with the latest modification time.<br>**System capability**: SystemCapability.DistributedDataManager.CloudSync.Client| 638| SYNC_MODE_NATIVE_FIRST<sup>10+</sup> | 5 | Synchronize data from a local device to the cloud.<br>**System capability**: SystemCapability.DistributedDataManager.CloudSync.Client| 639| SYNC_MODE_CLOUD_FIRST<sup>10+</sup> | 6 | Synchronize data from the cloud to a local device.<br>**System capability**: SystemCapability.DistributedDataManager.CloudSync.Client| 640 641## Origin<sup>11+</sup> 642 643Enumerates the data sources. Use the enum name rather than the enum value. 644 645**System capability**: SystemCapability.DistributedDataManager.CloudSync.Client 646 647| Name | Value | Description | 648| -------------- | ---- | ---------------------------------- | 649| LOCAL | 0 | Local data. | 650| CLOUD | 1 | Cloud data. | 651| REMOTE | 2 | Remote device data.| 652 653## Field<sup>11+</sup> 654 655Enumerates the special fields used in predicates. Use the enum name rather than the enum value. 656 657**System capability**: SystemCapability.DistributedDataManager.CloudSync.Client 658 659| Name | Value | Description | 660| -------------- | ---- | ---------------------------------- | 661| CURSOR_FIELD | '#_cursor' | Field name to be searched based on the cursor.| 662| ORIGIN_FIELD | '#_origin' | Data source to be searched based on the cursor. | 663| DELETED_FLAG_FIELD | '#_deleted_flag' | Whether the dirty data (data deleted from the cloud) is cleared from the local device. It fills in the result set returned on the search based on the cursor. <br>The value **true** means the dirty data is cleared; the value **false** means the opposite.| 664| OWNER_FIELD | '#_cloud_owner' | Party who shares the data. It fills in the result set returned when the owner of the shared data is searched.| 665| PRIVILEGE_FIELD | '#_cloud_privilege' | Operation permission on the shared data. It fills in the result set returned when the permission on the shared data is searched.| 666| SHARING_RESOURCE_FIELD | '#_sharing_resource_field' | Resource shared. It fills in the result set returned when the shared resource is searched.| 667 668## SubscribeType 669 670Enumerates the subscription types. Use the enum name rather than the enum value. 671 672**Required permissions**: ohos.permission.DISTRIBUTED_DATASYNC 673 674| Name | Value | Description | 675| --------------------- | ---- | ------------------ | 676| SUBSCRIBE_TYPE_REMOTE | 0 | Subscribe to remote data changes.<br>**System capability**: SystemCapability.DistributedDataManager.RelationalStore.Core| 677| SUBSCRIBE_TYPE_CLOUD<sup>10+</sup> | 1 | Subscribe to cloud data changes.<br>**System capability**: SystemCapability.DistributedDataManager.CloudSync.Client| 678| SUBSCRIBE_TYPE_CLOUD_DETAILS<sup>10+</sup> | 2 | Subscribe to cloud data change details.<br>**System capability**: SystemCapability.DistributedDataManager.CloudSync.Client| 679 680## ChangeType<sup>10+</sup> 681 682Enumerates data change types. Use the enum name rather than the enum value. 683 684**System capability**: SystemCapability.DistributedDataManager.RelationalStore.Core 685 686**Required permissions**: ohos.permission.DISTRIBUTED_DATASYNC 687 688| Name | Value | Description | 689| -------------------------- | --- | -------------------------- | 690| DATA_CHANGE | 0 | Data change. | 691| ASSET_CHANGE | 1 | Asset change.| 692 693## ChangeInfo<sup>10+</sup> 694 695Defines the details about the device-cloud synchronization process. 696 697**System capability**: SystemCapability.DistributedDataManager.RelationalStore.Core 698 699| Name | Type | Mandatory| Description | 700| -------- | ---------------------------------- | ---- | ------------------------------------------------------------ | 701| table | string | Yes | Name of the table with data changes. | 702| type | [ChangeType](#changetype10) | Yes | Type of the data changed, which can be data or asset. | 703| inserted | Array\<string\> \| Array\<number\> | Yes | Location where data is inserted. If the primary key of the table is of the string type, the value is the value of the primary key. Otherwise, the value is the row number of the inserted data.| 704| updated | Array\<string\> \| Array\<number\> | Yes | Location where data is updated. If the primary key of the table is of the string type, the value is the value of the primary key. Otherwise, the value is the row number of the updated data.| 705| deleted | Array\<string\> \| Array\<number\> | Yes | Location where data is deleted. If the primary key of the table is of the string type, the value is the value of the primary key. Otherwise, the value is the row number of the deleted data.| 706 707## DistributedType<sup>10+</sup> 708 709Enumerates the distributed table types. Use the enum name rather than the enum value. 710 711**Required permissions**: ohos.permission.DISTRIBUTED_DATASYNC 712 713| Name | Value | Description | 714| ------------------ | --- | -------------------------------------------------------------------------------------------------- | 715| DISTRIBUTED_DEVICE | 0 | Distributed database table synchronized between devices.<br>**System capability**: SystemCapability.DistributedDataManager.RelationalStore.Core | 716| DISTRIBUTED_CLOUD | 1 | Distributed database table synchronized between the device and the cloud.<br>**System capability**: SystemCapability.DistributedDataManager.CloudSync.Client| 717 718## Reference<sup>11+</sup> 719 720Represents the reference between tables by field. If table **b** references table **a**, table **a** is the source table and **b** is the target table. 721 722**System capability**: SystemCapability.DistributedDataManager.RelationalStore.Core 723 724**System API**: This is a system API. 725 726| Name | Type | Mandatory| Description | 727| ---------- | ------ | ---- | ---------------------------------------- | 728| sourceTable | string | Yes | Source table. | 729| targetTable | string | Yes | Target table. | 730| refFields | Record<string, string> | Yes | Fields referenced. In a KV pair, the key indicates the field in the source table, and the value indicates the field in the target table. | 731 732## DistributedConfig<sup>10+</sup> 733 734Defines the configuration of the distributed mode of tables. 735 736**System capability**: SystemCapability.DistributedDataManager.RelationalStore.Core 737 738| Name | Type | Mandatory| Description | 739| -------- | ------- | ---- | ------------------------------------------------------------ | 740| autoSync | boolean | Yes | The value **true** means both automatic synchronization and manual synchronization are supported for the table. The value **false** means only manual synchronization is supported for the table.| 741| references<sup>11+</sup> | Array<[Reference](#reference11)> | No | References between tables. You can reference multiple fields, and their values must be the same in the source and target tables. By default, database tables are not referenced with each other.<br>**System API**: This is a system API.<br>This parameter is supported since API version 11.| 742 743## ConflictResolution<sup>10+</sup> 744 745Defines the resolution to use when **insert()** and **update()** conflict. Use the enum name rather than the enum value. 746 747**System capability**: SystemCapability.DistributedDataManager.RelationalStore.Core 748 749| Name | Value | Description | 750| -------------------- | ---- | ------------------------------------------------------------ | 751| ON_CONFLICT_NONE | 0 | No operation is performed.| 752| ON_CONFLICT_ROLLBACK | 1 | Abort the SQL statement and roll back the current transaction. | 753| ON_CONFLICT_ABORT | 2 | Abort the current SQL statement and revert any changes made by the current SQL statement. However, the changes made by the previous SQL statement in the same transaction are retained and the transaction remains active.| 754| ON_CONFLICT_FAIL | 3 | Abort the current SQL statement. The **FAIL** resolution does not revert previous changes made by the failed SQL statement or end the transaction.| 755| ON_CONFLICT_IGNORE | 4 | Skip the rows that contain constraint violations and continue to process the subsequent rows of the SQL statement.| 756| ON_CONFLICT_REPLACE | 5 | Delete pre-existing rows that cause the constraint violation before inserting or updating the current row, and continue to execute the command normally.| 757 758## Progress<sup>10+</sup> 759 760Enumerates the device-cloud synchronization processes. Use the enum name rather than the enum value. 761 762**System capability**: SystemCapability.DistributedDataManager.RelationalStore.Core 763 764| Name | Value | Description | 765| ---------------- | ---- | ------------------------ | 766| SYNC_BEGIN | 0 | The device-cloud synchronization starts. | 767| SYNC_IN_PROGRESS | 1 | The device-cloud synchronization is in progress.| 768| SYNC_FINISH | 2 | The device-cloud synchronization is complete.| 769 770## Statistic<sup>10+</sup> 771 772Represents the device-cloud synchronization statistics information. 773 774**System capability**: SystemCapability.DistributedDataManager.RelationalStore.Core 775 776| Name | Type | Mandatory| Description | 777| ---------- | ------ | ---- | ---------------------------------------- | 778| total | number | Yes | Total number of rows to be synchronized between the device and cloud in the database table. | 779| successful | number | Yes | Number of rows that are successfully synchronized between the device and cloud in the database table. | 780| failed | number | Yes | Number of rows that failed to be synchronized between the device and cloud in the database table. | 781| remained | number | Yes | Number of rows that are not executed for device-cloud synchronization in the database table.| 782 783## TableDetails<sup>10+</sup> 784 785Represents the upload and download statistics of device-cloud synchronization tasks. 786 787**System capability**: SystemCapability.DistributedDataManager.RelationalStore.Core 788 789| Name | Type | Mandatory| Description | 790| -------- | ------------------------- | ---- | ------------------------------------------ | 791| upload | [Statistic](#statistic10) | Yes | Statistics of the device-cloud upload tasks.| 792| download | [Statistic](#statistic10) | Yes | Statistics of the device-cloud download tasks.| 793 794## ProgressCode<sup>10+</sup> 795 796Enumerates the device-cloud synchronization states. Use the enum name rather than the enum value. 797 798**System capability**: SystemCapability.DistributedDataManager.RelationalStore.Core 799 800| Name | Value | Description | 801| --------------------- | ---- | ------------------------------------------------------------ | 802| SUCCESS | 0 | The device-cloud synchronization is successful. | 803| UNKNOWN_ERROR | 1 | An unknown error occurs during device-cloud synchronization. | 804| NETWORK_ERROR | 2 | A network error occurs during device-cloud synchronization. | 805| CLOUD_DISABLED | 3 | The cloud is unavailable. | 806| LOCKED_BY_OTHERS | 4 | The device-cloud synchronization of another device is being performed.<br>Start device-cloud synchronization after checking that cloud resources are not occupied by other devices.| 807| RECORD_LIMIT_EXCEEDED | 5 | The number of records or size of the data to be synchronized exceeds the maximum. The maximum value is configured on the cloud.| 808| NO_SPACE_FOR_ASSET | 6 | The remaining cloud space is less than the size of the data to be synchronized. | 809 810## ProgressDetails<sup>10+</sup> 811 812Represents the statistics of the overall device-cloud synchronization (upload and download) tasks. 813 814**System capability**: SystemCapability.DistributedDataManager.RelationalStore.Core 815 816| Name | Type | Mandatory| Description | 817| -------- | ------------------------------------------------- | ---- | ------------------------------------------------------------ | 818| schedule | [Progress](#progress10) | Yes | Device-cloud synchronization process. | 819| code | [ProgressCode](#progresscode10) | Yes | Device-cloud synchronization state. | 820| details | Record<string, [TableDetails](#tabledetails10)> | Yes | Statistics of each table.<br>The key indicates the table name, and the value indicates the device-cloud synchronization statistics of the table.| 821 822## RdbPredicates 823 824Defines the predicates for an RDB store. This class determines whether the conditional expression for the RDB store is true or false. This type is not multi-thread safe. If an **RdbPredicates** instance is operated by multiple threads at the same time in an application, use a lock for the instance. 825 826### constructor 827 828constructor(name: string) 829 830A constructor used to create an **RdbPredicates** object. 831 832**System capability**: SystemCapability.DistributedDataManager.RelationalStore.Core 833 834**Parameters** 835 836| Name| Type | Mandatory| Description | 837| ------ | ------ | ---- | ------------ | 838| name | string | Yes | Database table name.| 839 840**Example** 841 842```ts 843let predicates = new relationalStore.RdbPredicates("EMPLOYEE"); 844``` 845 846### inDevices 847 848inDevices(devices: Array<string>): RdbPredicates 849 850Sets an **RdbPredicates** to specify the remote devices to connect on the network during distributed database synchronization. 851 852> **NOTE** 853> 854> The value of **devices** can be obtained by [deviceManager.getAvailableDeviceListSync](js-apis-distributedDeviceManager.md#getavailabledevicelistsync). 855If **inDevices** is specified in **predicates** when **sync()** is called, data is synchronized with the specified device. If **inDevices** is not specified, data is synchronized with all devices on the network by default. 856 857**System capability**: SystemCapability.DistributedDataManager.RelationalStore.Core 858 859**Parameters** 860 861| Name | Type | Mandatory| Description | 862| ------- | ------------------- | ---- | -------------------------- | 863| devices | Array<string> | Yes | IDs of the remote devices in the same network.| 864 865**Return value** 866 867| Type | Description | 868| ------------------------------------ | -------------------------- | 869| [RdbPredicates](#rdbpredicates) | **RdbPredicates** object created.| 870 871**Example** 872 873```ts 874import deviceManager from '@ohos.distributedDeviceManager'; 875 876let dmInstance: deviceManager.DeviceManager; 877let deviceIds: Array<string> = []; 878 879try { 880 dmInstance = deviceManager.createDeviceManager("com.example.appdatamgrverify"); 881 let devices: Array<deviceManager.DeviceBasicInfo> = dmInstance.getAvailableDeviceListSync(); 882 for (let i = 0; i < devices.length; i++) { 883 deviceIds[i] = devices[i].networkId!; 884 } 885} catch (err) { 886 let code = (err as BusinessError).code; 887 let message = (err as BusinessError).message 888 console.error("createDeviceManager errCode:" + code + ",errMessage:" + message); 889} 890 891let predicates = new relationalStore.RdbPredicates("EMPLOYEE"); 892predicates.inDevices(deviceIds); 893``` 894 895### inAllDevices 896 897inAllDevices(): RdbPredicates 898 899 900Sets an **RdbPredicates** to specify all remote devices on the network to connect during distributed database synchronization. 901 902 903**System capability**: SystemCapability.DistributedDataManager.RelationalStore.Core 904 905**Return value** 906 907| Type | Description | 908| ------------------------------------ | -------------------------- | 909| [RdbPredicates](#rdbpredicates) | **RdbPredicates** object created.| 910 911**Example** 912 913```ts 914let predicates = new relationalStore.RdbPredicates("EMPLOYEE"); 915predicates.inAllDevices(); 916``` 917 918### equalTo 919 920equalTo(field: string, value: ValueType): RdbPredicates 921 922 923Sets an **RdbPredicates** object to match the fields in the specified column that are equal to the given value. 924 925**System capability**: SystemCapability.DistributedDataManager.RelationalStore.Core 926 927**Parameters** 928 929| Name| Type | Mandatory| Description | 930| ------ | ----------------------- | ---- | ---------------------- | 931| field | string | Yes | Column name in the database table. | 932| value | [ValueType](#valuetype) | Yes | Value to match the **RdbPredicates**.| 933 934**Return value** 935 936| Type | Description | 937| ------------------------------------ | -------------------------- | 938| [RdbPredicates](#rdbpredicates) | **RdbPredicates** object created.| 939 940**Example** 941 942```ts 943// Locate data of Lisa in the EMPLOYEE table. 944let predicates = new relationalStore.RdbPredicates("EMPLOYEE"); 945predicates.equalTo("NAME", "Lisa"); 946``` 947 948 949### notEqualTo 950 951notEqualTo(field: string, value: ValueType): RdbPredicates 952 953 954Sets an **RdbPredicates** object to match the fields in the specified column that are not equal to the given value. 955 956**System capability**: SystemCapability.DistributedDataManager.RelationalStore.Core 957 958**Parameters** 959 960| Name| Type | Mandatory| Description | 961| ------ | ----------------------- | ---- | ---------------------- | 962| field | string | Yes | Column name in the database table. | 963| value | [ValueType](#valuetype) | Yes | Value to match the **RdbPredicates**.| 964 965**Return value** 966 967| Type | Description | 968| ------------------------------------ | -------------------------- | 969| [RdbPredicates](#rdbpredicates) | **RdbPredicates** object created.| 970 971**Example** 972 973```ts 974// Locate data of the employees whose name is not Lisa in the table. 975let predicates = new relationalStore.RdbPredicates("EMPLOYEE"); 976predicates.notEqualTo("NAME", "Lisa"); 977``` 978 979 980### beginWrap 981 982beginWrap(): RdbPredicates 983 984 985Adds a left parenthesis to the **RdbPredicates**. 986 987**System capability**: SystemCapability.DistributedDataManager.RelationalStore.Core 988 989**Return value** 990 991| Type | Description | 992| ------------------------------------ | ------------------------- | 993| [RdbPredicates](#rdbpredicates) | **RdbPredicates** with a left parenthesis.| 994 995**Example** 996 997```ts 998let predicates = new relationalStore.RdbPredicates("EMPLOYEE"); 999predicates.equalTo("NAME", "Lisa") 1000 .beginWrap() 1001 .equalTo("AGE", 18) 1002 .or() 1003 .equalTo("SALARY", 200.5) 1004 .endWrap() 1005``` 1006 1007### endWrap 1008 1009endWrap(): RdbPredicates 1010 1011Adds a right parenthesis to the **RdbPredicates**. 1012 1013**System capability**: SystemCapability.DistributedDataManager.RelationalStore.Core 1014 1015**Return value** 1016 1017| Type | Description | 1018| ------------------------------------ | ------------------------- | 1019| [RdbPredicates](#rdbpredicates) | **RdbPredicates** with a right parenthesis.| 1020 1021**Example** 1022 1023```ts 1024let predicates = new relationalStore.RdbPredicates("EMPLOYEE"); 1025predicates.equalTo("NAME", "Lisa") 1026 .beginWrap() 1027 .equalTo("AGE", 18) 1028 .or() 1029 .equalTo("SALARY", 200.5) 1030 .endWrap() 1031``` 1032 1033### or 1034 1035or(): RdbPredicates 1036 1037Adds the OR condition to the **RdbPredicates**. 1038 1039**System capability**: SystemCapability.DistributedDataManager.RelationalStore.Core 1040 1041**Return value** 1042 1043| Type | Description | 1044| ------------------------------------ | ------------------------- | 1045| [RdbPredicates](#rdbpredicates) | **RdbPredicates** with the OR condition.| 1046 1047**Example** 1048 1049```ts 1050// Locate the employees named Lisa or Rose in the table. 1051let predicates = new relationalStore.RdbPredicates("EMPLOYEE"); 1052predicates.equalTo("NAME", "Lisa") 1053 .or() 1054 .equalTo("NAME", "Rose") 1055``` 1056 1057### and 1058 1059and(): RdbPredicates 1060 1061Adds the AND condition to the **RdbPredicates**. 1062 1063**System capability**: SystemCapability.DistributedDataManager.RelationalStore.Core 1064 1065**Return value** 1066 1067| Type | Description | 1068| ------------------------------------ | ------------------------- | 1069| [RdbPredicates](#rdbpredicates) | **RdbPredicates** with the AND condition.| 1070 1071**Example** 1072 1073```ts 1074// Locate the field with name of Lisa and salary of 200.5 in the table. 1075let predicates = new relationalStore.RdbPredicates("EMPLOYEE"); 1076predicates.equalTo("NAME", "Lisa") 1077 .and() 1078 .equalTo("SALARY", 200.5) 1079``` 1080 1081### contains 1082 1083contains(field: string, value: string): RdbPredicates 1084 1085Sets an **RdbPredicates** object to match the fields in the specified column that contain the given value. 1086 1087**System capability**: SystemCapability.DistributedDataManager.RelationalStore.Core 1088 1089**Parameters** 1090 1091| Name| Type | Mandatory| Description | 1092| ------ | ------ | ---- | ---------------------- | 1093| field | string | Yes | Column name in the database table. | 1094| value | string | Yes | Value to match the **RdbPredicates**.| 1095 1096**Return value** 1097 1098| Type | Description | 1099| ------------------------------------ | -------------------------- | 1100| [RdbPredicates](#rdbpredicates) | **RdbPredicates** object created.| 1101 1102**Example** 1103 1104```ts 1105// Locate data of the employees whose name contains os, for example, Rose, in the table. 1106let predicates = new relationalStore.RdbPredicates("EMPLOYEE"); 1107predicates.contains("NAME", "os"); 1108``` 1109 1110### beginsWith 1111 1112beginsWith(field: string, value: string): RdbPredicates 1113 1114Sets an **RdbPredicates** object to match the fields in the specified column that begin with the given value. 1115 1116**System capability**: SystemCapability.DistributedDataManager.RelationalStore.Core 1117 1118**Parameters** 1119 1120| Name| Type | Mandatory| Description | 1121| ------ | ------ | ---- | ---------------------- | 1122| field | string | Yes | Column name in the database table. | 1123| value | string | Yes | Value to match the **RdbPredicates**.| 1124 1125**Return value** 1126 1127| Type | Description | 1128| ------------------------------------ | -------------------------- | 1129| [RdbPredicates](#rdbpredicates) | **RdbPredicates** object created.| 1130 1131**Example** 1132 1133```ts 1134// Locate data of the employees whose name begins with Li, for example, Lisa, in the table. 1135let predicates = new relationalStore.RdbPredicates("EMPLOYEE"); 1136predicates.beginsWith("NAME", "Li"); 1137``` 1138 1139### endsWith 1140 1141endsWith(field: string, value: string): RdbPredicates 1142 1143Sets an **RdbPredicates** object to match the fields in the specified column that end with the given value. 1144 1145**System capability**: SystemCapability.DistributedDataManager.RelationalStore.Core 1146 1147**Parameters** 1148 1149| Name| Type | Mandatory| Description | 1150| ------ | ------ | ---- | ---------------------- | 1151| field | string | Yes | Column name in the database table. | 1152| value | string | Yes | Value to match the **RdbPredicates**.| 1153 1154**Return value** 1155 1156| Type | Description | 1157| ------------------------------------ | -------------------------- | 1158| [RdbPredicates](#rdbpredicates) | **RdbPredicates** object created.| 1159 1160**Example** 1161 1162```ts 1163// Locate data of the employees whose name ends with se, for example, Rose, in the table. 1164let predicates = new relationalStore.RdbPredicates("EMPLOYEE"); 1165predicates.endsWith("NAME", "se"); 1166``` 1167 1168### isNull 1169 1170isNull(field: string): RdbPredicates 1171 1172Sets an **RdbPredicates** object to match the fields in the specified column that are **null**. 1173 1174**System capability**: SystemCapability.DistributedDataManager.RelationalStore.Core 1175 1176**Parameters** 1177 1178| Name| Type | Mandatory| Description | 1179| ------ | ------ | ---- | ------------------ | 1180| field | string | Yes | Column name in the database table.| 1181 1182**Return value** 1183 1184| Type | Description | 1185| ------------------------------------ | -------------------------- | 1186| [RdbPredicates](#rdbpredicates) | **RdbPredicates** object created.| 1187 1188**Example** 1189 1190```ts 1191let predicates = new relationalStore.RdbPredicates("EMPLOYEE"); 1192predicates.isNull("NAME"); 1193``` 1194 1195### isNotNull 1196 1197isNotNull(field: string): RdbPredicates 1198 1199Sets an **RdbPredicates** object to match the fields in the specified column that are not **null**. 1200 1201**System capability**: SystemCapability.DistributedDataManager.RelationalStore.Core 1202 1203**Parameters** 1204 1205| Name| Type | Mandatory| Description | 1206| ------ | ------ | ---- | ------------------ | 1207| field | string | Yes | Column name in the database table.| 1208 1209**Return value** 1210 1211| Type | Description | 1212| ------------------------------------ | -------------------------- | 1213| [RdbPredicates](#rdbpredicates) | **RdbPredicates** object created.| 1214 1215**Example** 1216 1217```ts 1218let predicates = new relationalStore.RdbPredicates("EMPLOYEE"); 1219predicates.isNotNull("NAME"); 1220``` 1221 1222### like 1223 1224like(field: string, value: string): RdbPredicates 1225 1226Sets an **RdbPredicates** object to match the fields in the specified column that are similar to the given value. 1227 1228**System capability**: SystemCapability.DistributedDataManager.RelationalStore.Core 1229 1230**Parameters** 1231 1232| Name| Type | Mandatory| Description | 1233| ------ | ------ | ---- | ---------------------- | 1234| field | string | Yes | Column name in the database table. | 1235| value | string | Yes | Value to match the **RdbPredicates**.| 1236 1237**Return value** 1238 1239| Type | Description | 1240| ------------------------------------ | -------------------------- | 1241| [RdbPredicates](#rdbpredicates) | **RdbPredicates** object created.| 1242 1243**Example** 1244 1245```ts 1246// Locate data of the employees whose name is similar to os in the table, for example, Rose. 1247let predicates = new relationalStore.RdbPredicates("EMPLOYEE"); 1248predicates.like("NAME", "%os%"); 1249``` 1250 1251### glob 1252 1253glob(field: string, value: string): RdbPredicates 1254 1255Sets an **RdbPredicates** object to locate the fields in the specified column that match the given string. 1256 1257**System capability**: SystemCapability.DistributedDataManager.RelationalStore.Core 1258 1259**Parameters** 1260 1261| Name| Type | Mandatory| Description | 1262| ------ | ------ | ---- | ------------------------------------------------------------ | 1263| field | string | Yes | Column name in the database table. | 1264| value | string | Yes | Value to match the **RdbPredicates**.<br><br>Wildcards are supported. * indicates zero, one, or multiple digits or characters. **?** indicates a single digit or character.| 1265 1266**Return value** 1267 1268| Type | Description | 1269| ------------------------------------ | -------------------------- | 1270| [RdbPredicates](#rdbpredicates) | **RdbPredicates** object created.| 1271 1272**Example** 1273 1274```ts 1275// Locate data of the employees whose name matches the "?h*g" string in the table. 1276let predicates = new relationalStore.RdbPredicates("EMPLOYEE"); 1277predicates.glob("NAME", "?h*g"); 1278``` 1279 1280### between 1281 1282between(field: string, low: ValueType, high: ValueType): RdbPredicates 1283 1284Sets an **RdbPredicates** object to match the fields in the specified column that are within the given range (including the min. and max. values). 1285 1286**System capability**: SystemCapability.DistributedDataManager.RelationalStore.Core 1287 1288**Parameters** 1289 1290| Name| Type | Mandatory| Description | 1291| ------ | ----------------------- | ---- | -------------------------- | 1292| field | string | Yes | Column name in the database table. | 1293| low | [ValueType](#valuetype) | Yes | Minimum value to match. | 1294| high | [ValueType](#valuetype) | Yes | Maximum value to match.| 1295 1296**Return value** 1297 1298| Type | Description | 1299| ------------------------------------ | -------------------------- | 1300| [RdbPredicates](#rdbpredicates) | **RdbPredicates** object created.| 1301 1302**Example** 1303 1304```ts 1305// Locate data of the employees with age between 10 and 50 (including 10 and 50) in the table. 1306let predicates = new relationalStore.RdbPredicates("EMPLOYEE"); 1307predicates.between("AGE", 10, 50); 1308``` 1309 1310### notBetween 1311 1312notBetween(field: string, low: ValueType, high: ValueType): RdbPredicates 1313 1314Sets an **RdbPredicates** object to match the fields in the specified column that are out of the given range (excluding the min. and max. values). 1315 1316**System capability**: SystemCapability.DistributedDataManager.RelationalStore.Core 1317 1318**Parameters** 1319 1320| Name| Type | Mandatory| Description | 1321| ------ | ----------------------- | ---- | -------------------------- | 1322| field | string | Yes | Column name in the database table. | 1323| low | [ValueType](#valuetype) | Yes | Minimum value to match. | 1324| high | [ValueType](#valuetype) | Yes | Maximum value to match.| 1325 1326**Return value** 1327 1328| Type | Description | 1329| ------------------------------------ | -------------------------- | 1330| [RdbPredicates](#rdbpredicates) | **RdbPredicates** object created.| 1331 1332**Example** 1333 1334```ts 1335// Locate data of the employees who are younger than 10 or older than 50 in the table. 1336let predicates = new relationalStore.RdbPredicates("EMPLOYEE"); 1337predicates.notBetween("AGE", 10, 50); 1338``` 1339 1340### greaterThan 1341 1342greaterThan(field: string, value: ValueType): RdbPredicates 1343 1344Sets an **RdbPredicates** object to match the fields in the specified column that are greater than the given value. 1345 1346**System capability**: SystemCapability.DistributedDataManager.RelationalStore.Core 1347 1348**Parameters** 1349 1350| Name| Type | Mandatory| Description | 1351| ------ | ----------------------- | ---- | ---------------------- | 1352| field | string | Yes | Column name in the database table. | 1353| value | [ValueType](#valuetype) | Yes | Value to match the **RdbPredicates**.| 1354 1355**Return value** 1356 1357| Type | Description | 1358| ------------------------------------ | -------------------------- | 1359| [RdbPredicates](#rdbpredicates) | **RdbPredicates** object created.| 1360 1361**Example** 1362 1363```ts 1364// Locate data of the employees who are older than 18 in the table. 1365let predicates = new relationalStore.RdbPredicates("EMPLOYEE"); 1366predicates.greaterThan("AGE", 18); 1367``` 1368 1369### lessThan 1370 1371lessThan(field: string, value: ValueType): RdbPredicates 1372 1373Sets an **RdbPredicates** object to match the fields in the specified column that are less than the given value. 1374 1375**System capability**: SystemCapability.DistributedDataManager.RelationalStore.Core 1376 1377**Parameters** 1378 1379| Name| Type | Mandatory| Description | 1380| ------ | ----------------------- | ---- | ---------------------- | 1381| field | string | Yes | Column name in the database table. | 1382| value | [ValueType](#valuetype) | Yes | Value to match the **RdbPredicates**.| 1383 1384**Return value** 1385 1386| Type | Description | 1387| ------------------------------------ | -------------------------- | 1388| [RdbPredicates](#rdbpredicates) | **RdbPredicates** object created.| 1389 1390**Example** 1391 1392```ts 1393// Locate data of the employees who are younger than 20 in the table. 1394let predicates = new relationalStore.RdbPredicates("EMPLOYEE"); 1395predicates.lessThan("AGE", 20); 1396``` 1397 1398### greaterThanOrEqualTo 1399 1400greaterThanOrEqualTo(field: string, value: ValueType): RdbPredicates 1401 1402Sets an **RdbPredicates** object to match the fields in the specified column that are greater than or equal to the given value. 1403 1404**System capability**: SystemCapability.DistributedDataManager.RelationalStore.Core 1405 1406**Parameters** 1407 1408| Name| Type | Mandatory| Description | 1409| ------ | ----------------------- | ---- | ---------------------- | 1410| field | string | Yes | Column name in the database table. | 1411| value | [ValueType](#valuetype) | Yes | Value to match the **RdbPredicates**.| 1412 1413**Return value** 1414 1415| Type | Description | 1416| ------------------------------------ | -------------------------- | 1417| [RdbPredicates](#rdbpredicates) | **RdbPredicates** object created.| 1418 1419**Example** 1420 1421```ts 1422// Locate data of the employees who are 18 or older in the table. 1423let predicates = new relationalStore.RdbPredicates("EMPLOYEE"); 1424predicates.greaterThanOrEqualTo("AGE", 18); 1425``` 1426 1427### lessThanOrEqualTo 1428 1429lessThanOrEqualTo(field: string, value: ValueType): RdbPredicates 1430 1431Sets an **RdbPredicates** object to match the fields in the specified column that are less than or equal to the given value. 1432 1433**System capability**: SystemCapability.DistributedDataManager.RelationalStore.Core 1434 1435**Parameters** 1436 1437| Name| Type | Mandatory| Description | 1438| ------ | ----------------------- | ---- | ---------------------- | 1439| field | string | Yes | Column name in the database table. | 1440| value | [ValueType](#valuetype) | Yes | Value to match the **RdbPredicates**.| 1441 1442**Return value** 1443 1444| Type | Description | 1445| ------------------------------------ | -------------------------- | 1446| [RdbPredicates](#rdbpredicates) | **RdbPredicates** object created.| 1447 1448**Example** 1449 1450```ts 1451// Locate data of the employees who are 20 or younger in the table. 1452let predicates = new relationalStore.RdbPredicates("EMPLOYEE"); 1453predicates.lessThanOrEqualTo("AGE", 20); 1454``` 1455 1456### orderByAsc 1457 1458orderByAsc(field: string): RdbPredicates 1459 1460Sets an **RdbPredicates** object to sort the fields in the specified column in ascending order. 1461 1462**System capability**: SystemCapability.DistributedDataManager.RelationalStore.Core 1463 1464**Parameters** 1465 1466| Name| Type | Mandatory| Description | 1467| ------ | ------ | ---- | ------------------ | 1468| field | string | Yes | Column name in the database table.| 1469 1470**Return value** 1471 1472| Type | Description | 1473| ------------------------------------ | -------------------------- | 1474| [RdbPredicates](#rdbpredicates) | **RdbPredicates** object created.| 1475 1476**Example** 1477 1478```ts 1479let predicates = new relationalStore.RdbPredicates("EMPLOYEE"); 1480predicates.orderByAsc("NAME"); 1481``` 1482 1483### orderByDesc 1484 1485orderByDesc(field: string): RdbPredicates 1486 1487Sets an **RdbPredicates** object to sort the fields in the specified column in descending order. 1488 1489**System capability**: SystemCapability.DistributedDataManager.RelationalStore.Core 1490 1491**Parameters** 1492 1493| Name| Type | Mandatory| Description | 1494| ------ | ------ | ---- | ------------------ | 1495| field | string | Yes | Column name in the database table.| 1496 1497**Return value** 1498 1499| Type | Description | 1500| ------------------------------------ | -------------------------- | 1501| [RdbPredicates](#rdbpredicates) | **RdbPredicates** object created.| 1502 1503**Example** 1504 1505```ts 1506let predicates = new relationalStore.RdbPredicates("EMPLOYEE"); 1507predicates.orderByDesc("AGE"); 1508``` 1509 1510### distinct 1511 1512distinct(): RdbPredicates 1513 1514Sets an **RdbPredicates** object to filter out duplicate records. 1515 1516**System capability**: SystemCapability.DistributedDataManager.RelationalStore.Core 1517 1518**Return value** 1519 1520| Type | Description | 1521| ------------------------------------ | ------------------------------ | 1522| [RdbPredicates](#rdbpredicates) | **RdbPredicates** object that can filter out duplicate records.| 1523 1524**Example** 1525 1526```ts 1527let predicates = new relationalStore.RdbPredicates("EMPLOYEE"); 1528predicates.equalTo("NAME", "Rose").distinct(); 1529``` 1530 1531### limitAs 1532 1533limitAs(value: number): RdbPredicates 1534 1535Sets an **RdbPredicates** object to specify the maximum number of records. 1536 1537**System capability**: SystemCapability.DistributedDataManager.RelationalStore.Core 1538 1539**Parameters** 1540 1541| Name| Type | Mandatory| Description | 1542| ------ | ------ | ---- | ---------------- | 1543| value | number | Yes | Maximum number of records.| 1544 1545**Return value** 1546 1547| Type | Description | 1548| ------------------------------------ | ------------------------------------ | 1549| [RdbPredicates](#rdbpredicates) | **RdbPredicates** object that specifies the maximum number of records.| 1550 1551**Example** 1552 1553```ts 1554let predicates = new relationalStore.RdbPredicates("EMPLOYEE"); 1555predicates.equalTo("NAME", "Rose").limitAs(3); 1556``` 1557 1558### offsetAs 1559 1560offsetAs(rowOffset: number): RdbPredicates 1561 1562Sets an **RdbPredicates** object to specify the start position of the returned result. 1563 1564**System capability**: SystemCapability.DistributedDataManager.RelationalStore.Core 1565 1566**Parameters** 1567 1568| Name | Type | Mandatory| Description | 1569| --------- | ------ | ---- | ---------------------------------- | 1570| rowOffset | number | Yes | Number of rows to offset from the beginning. The value is a positive integer.| 1571 1572**Return value** 1573 1574| Type | Description | 1575| ------------------------------------ | ------------------------------------ | 1576| [RdbPredicates](#rdbpredicates) | **RdbPredicates** object that specifies the start position of the returned result.| 1577 1578**Example** 1579 1580```ts 1581let predicates = new relationalStore.RdbPredicates("EMPLOYEE"); 1582predicates.equalTo("NAME", "Rose").offsetAs(3); 1583``` 1584 1585### groupBy 1586 1587groupBy(fields: Array<string>): RdbPredicates 1588 1589Sets an **RdbPredicates** object to group rows that have the same value into summary rows. 1590 1591**System capability**: SystemCapability.DistributedDataManager.RelationalStore.Core 1592 1593**Parameters** 1594 1595| Name| Type | Mandatory| Description | 1596| ------ | ------------------- | ---- | -------------------- | 1597| fields | Array<string> | Yes | Names of columns to group.| 1598 1599**Return value** 1600 1601| Type | Description | 1602| ------------------------------------ | ---------------------- | 1603| [RdbPredicates](#rdbpredicates) | **RdbPredicates** object that groups rows with the same value.| 1604 1605**Example** 1606 1607```ts 1608let predicates = new relationalStore.RdbPredicates("EMPLOYEE"); 1609predicates.groupBy(["AGE", "NAME"]); 1610``` 1611 1612### indexedBy 1613 1614indexedBy(field: string): RdbPredicates 1615 1616Sets an **RdbPredicates** object to specify the index column. 1617 1618**System capability**: SystemCapability.DistributedDataManager.RelationalStore.Core 1619 1620**Parameters** 1621 1622| Name| Type | Mandatory| Description | 1623| ------ | ------ | ---- | -------------- | 1624| field | string | Yes | Name of the index column.| 1625 1626**Return value** 1627 1628 1629| Type | Description | 1630| ------------------------------------ | ------------------------------------- | 1631| [RdbPredicates](#rdbpredicates) | **RdbPredicates** object that specifies the index column.| 1632 1633**Example** 1634 1635```ts 1636let predicates = new relationalStore.RdbPredicates("EMPLOYEE"); 1637predicates.indexedBy("SALARY"); 1638``` 1639 1640### in 1641 1642in(field: string, value: Array<ValueType>): RdbPredicates 1643 1644Sets an **RdbPredicates** object to match the fields in the specified column that are in the given range. 1645 1646**System capability**: SystemCapability.DistributedDataManager.RelationalStore.Core 1647 1648**Parameters** 1649 1650| Name| Type | Mandatory| Description | 1651| ------ | ------------------------------------ | ---- | --------------------------------------- | 1652| field | string | Yes | Column name in the database table. | 1653| value | Array<[ValueType](#valuetype)> | Yes | Array of **ValueType**s to match.| 1654 1655**Return value** 1656 1657| Type | Description | 1658| ------------------------------------ | -------------------------- | 1659| [RdbPredicates](#rdbpredicates) | **RdbPredicates** object created.| 1660 1661**Example** 1662 1663```ts 1664// Locate data of the employees with age of [18, 20] in the table. 1665let predicates = new relationalStore.RdbPredicates("EMPLOYEE"); 1666predicates.in("AGE", [18, 20]); 1667``` 1668 1669### notIn 1670 1671notIn(field: string, value: Array<ValueType>): RdbPredicates 1672 1673Sets an **RdbPredicates** object to match the fields in the specified column that are out of the given range. 1674 1675**System capability**: SystemCapability.DistributedDataManager.RelationalStore.Core 1676 1677**Parameters** 1678 1679| Name| Type | Mandatory| Description | 1680| ------ | ------------------------------------ | ---- | ------------------------------------- | 1681| field | string | Yes | Column name in the database table. | 1682| value | Array<[ValueType](#valuetype)> | Yes | Array of **ValueType**s to match.| 1683 1684**Return value** 1685 1686| Type | Description | 1687| ------------------------------------ | -------------------------- | 1688| [RdbPredicates](#rdbpredicates) | **RdbPredicates** object created.| 1689 1690**Example** 1691 1692```ts 1693// Locate data of all the employees except Lisa and Rose in the table. 1694let predicates = new relationalStore.RdbPredicates("EMPLOYEE"); 1695predicates.notIn("NAME", ["Lisa", "Rose"]); 1696``` 1697 1698## RdbStore 1699 1700Provides APIs to manage an RDB store. 1701 1702Before using the APIs of this class, use [executeSql](#executesql) to initialize the database table structure and related data. 1703 1704### Attributes<sup>10+</sup> 1705 1706**System capability**: SystemCapability.DistributedDataManager.RelationalStore.Core 1707 1708| Name | Type | Mandatory| Description | 1709| ------------ | ----------- | ---- | -------------------------------- | 1710| version<sup>10+</sup> | number | Yes | RDB store version, which is an integer greater than 0. | 1711 1712**Example** 1713 1714```ts 1715// Set the RDB store version. 1716if(store != undefined) { 1717 (store as relationalStore.RdbStore).version = 3; 1718 // Obtain the RDB store version. 1719 console.info(`RdbStore version is ${store.version}`); 1720} 1721``` 1722 1723### insert 1724 1725insert(table: string, values: ValuesBucket, callback: AsyncCallback<number>):void 1726 1727Inserts a row of data into a table. This API uses an asynchronous callback to return the result. 1728 1729**System capability**: SystemCapability.DistributedDataManager.RelationalStore.Core 1730 1731**Parameters** 1732 1733| Name | Type | Mandatory| Description | 1734| -------- | ----------------------------- | ---- | ---------------------------------------------------------- | 1735| table | string | Yes | Name of the target table. | 1736| values | [ValuesBucket](#valuesbucket) | Yes | Row of data to insert. | 1737| callback | AsyncCallback<number> | Yes | Callback invoked to return the result. If the operation is successful, the row ID will be returned. Otherwise, **-1** will be returned.| 1738 1739**Error codes** 1740 1741For details about the error codes, see [RDB Error Codes](../errorcodes/errorcode-data-rdb.md). 1742 1743| **ID**| **Error Message** | 1744| ------------ | -------------------------------------------- | 1745| 14800047 | The WAL file size exceeds the default limit. | 1746| 14800000 | Inner error. | 1747 1748**Example** 1749 1750```ts 1751import { ValuesBucket } from '@ohos.data.ValuesBucket'; 1752 1753let key1 = "NAME"; 1754let key2 = "AGE"; 1755let key3 = "SALARY"; 1756let key4 = "CODES"; 1757let value1 = "Lisa"; 1758let value2 = 18; 1759let value3 = 100.5; 1760let value4 = new Uint8Array([1, 2, 3, 4, 5]); 1761const valueBucket: ValuesBucket = { 1762 key1: value1, 1763 key2: value2, 1764 key3: value3, 1765 key4: value4, 1766}; 1767if(store != undefined) { 1768 (store as relationalStore.RdbStore).insert("EMPLOYEE", valueBucket, (err: BusinessError, rowId: number) => { 1769 if (err) { 1770 console.error(`Insert is failed, code is ${err.code},message is ${err.message}`); 1771 return; 1772 } 1773 console.info(`Insert is successful, rowId = ${rowId}`); 1774 }) 1775} 1776``` 1777 1778### insert<sup>10+</sup> 1779 1780insert(table: string, values: ValuesBucket, conflict: ConflictResolution, callback: AsyncCallback<number>):void 1781 1782Inserts a row of data into a table. This API uses an asynchronous callback to return the result. 1783 1784**System capability**: SystemCapability.DistributedDataManager.RelationalStore.Core 1785 1786**Parameters** 1787 1788| Name | Type | Mandatory| Description | 1789| -------- | ------------------------------------------- | ---- | ---------------------------------------------------------- | 1790| table | string | Yes | Name of the target table. | 1791| values | [ValuesBucket](#valuesbucket) | Yes | Row of data to insert. | 1792| conflict | [ConflictResolution](#conflictresolution10) | Yes | Resolution used to resolve the conflict. | 1793| callback | AsyncCallback<number> | Yes | Callback invoked to return the result. If the operation is successful, the row ID will be returned. Otherwise, **-1** will be returned.| 1794 1795**Error codes** 1796 1797For details about the error codes, see [RDB Error Codes](../errorcodes/errorcode-data-rdb.md). 1798 1799| **ID**| **Error Message** | 1800| ------------ | -------------------------------------------- | 1801| 14800047 | The WAL file size exceeds the default limit. | 1802| 14800000 | Inner error. | 1803 1804**Example** 1805 1806```ts 1807import { ValuesBucket } from '@ohos.data.ValuesBucket'; 1808 1809let key1 = "NAME"; 1810let key2 = "AGE"; 1811let key3 = "SALARY"; 1812let key4 = "CODES"; 1813let value1 = "Lisa"; 1814let value2 = 18; 1815let value3 = 100.5; 1816let value4 = new Uint8Array([1, 2, 3, 4, 5]); 1817const valueBucket: ValuesBucket = { 1818 key1: value1, 1819 key2: value2, 1820 key3: value3, 1821 key4: value4, 1822}; 1823if(store != undefined) { 1824 (store as relationalStore.RdbStore).insert("EMPLOYEE", valueBucket, relationalStore.ConflictResolution.ON_CONFLICT_REPLACE, 1825 (err: BusinessError, rowId: number) => { 1826 if (err) { 1827 console.error(`Insert is failed, code is ${err.code},message is ${err.message}`); 1828 return; 1829 } 1830 console.info(`Insert is successful, rowId = ${rowId}`); 1831 }) 1832} 1833``` 1834 1835### insert 1836 1837insert(table: string, values: ValuesBucket):Promise<number> 1838 1839Inserts a row of data into a table. This API uses a promise to return the result. 1840 1841**System capability**: SystemCapability.DistributedDataManager.RelationalStore.Core 1842 1843**Parameters** 1844 1845| Name| Type | Mandatory| Description | 1846| ------ | ----------------------------- | ---- | -------------------------- | 1847| table | string | Yes | Name of the target table. | 1848| values | [ValuesBucket](#valuesbucket) | Yes | Row of data to insert.| 1849 1850**Return value** 1851 1852| Type | Description | 1853| --------------------- | ------------------------------------------------- | 1854| Promise<number> | Promise used to return the result. If the operation is successful, the row ID will be returned. Otherwise, **-1** will be returned.| 1855 1856**Error codes** 1857 1858For details about the error codes, see [RDB Error Codes](../errorcodes/errorcode-data-rdb.md). 1859 1860| **ID**| **Error Message** | 1861| ------------ | -------------------------------------------- | 1862| 14800047 | The WAL file size exceeds the default limit. | 1863| 14800000 | Inner error. | 1864 1865**Example** 1866 1867```ts 1868import { ValuesBucket } from '@ohos.data.ValuesBucket'; 1869import { BusinessError } from "@ohos.base"; 1870 1871let key1 = "NAME"; 1872let key2 = "AGE"; 1873let key3 = "SALARY"; 1874let key4 = "CODES"; 1875let value1 = "Lisa"; 1876let value2 = 18; 1877let value3 = 100.5; 1878let value4 = new Uint8Array([1, 2, 3, 4, 5]); 1879const valueBucket: ValuesBucket = { 1880 key1: value1, 1881 key2: value2, 1882 key3: value3, 1883 key4: value4, 1884}; 1885if(store != undefined) { 1886 (store as relationalStore.RdbStore).insert("EMPLOYEE", valueBucket).then((rowId: number) => { 1887 console.info(`Insert is successful, rowId = ${rowId}`); 1888 }).catch((err: BusinessError) => { 1889 console.error(`Insert is failed, code is ${err.code},message is ${err.message}`); 1890 }) 1891} 1892``` 1893 1894### insert<sup>10+</sup> 1895 1896insert(table: string, values: ValuesBucket, conflict: ConflictResolution):Promise<number> 1897 1898Inserts a row of data into a table. This API uses a promise to return the result. 1899 1900**System capability**: SystemCapability.DistributedDataManager.RelationalStore.Core 1901 1902**Parameters** 1903 1904| Name | Type | Mandatory| Description | 1905| -------- | ------------------------------------------- | ---- | -------------------------- | 1906| table | string | Yes | Name of the target table. | 1907| values | [ValuesBucket](#valuesbucket) | Yes | Row of data to insert.| 1908| conflict | [ConflictResolution](#conflictresolution10) | Yes | Resolution used to resolve the conflict. | 1909 1910**Return value** 1911 1912| Type | Description | 1913| --------------------- | ------------------------------------------------- | 1914| Promise<number> | Promise used to return the result. If the operation is successful, the row ID will be returned. Otherwise, **-1** will be returned.| 1915 1916**Error codes** 1917 1918For details about the error codes, see [RDB Error Codes](../errorcodes/errorcode-data-rdb.md). 1919 1920| **ID**| **Error Message** | 1921| ------------ | -------------------------------------------- | 1922| 14800047 | The WAL file size exceeds the default limit. | 1923| 14800000 | Inner error. | 1924 1925**Example** 1926 1927```ts 1928import { ValuesBucket } from '@ohos.data.ValuesBucket'; 1929import { BusinessError } from "@ohos.base"; 1930 1931let key1 = "NAME"; 1932let key2 = "AGE"; 1933let key3 = "SALARY"; 1934let key4 = "CODES"; 1935let value1 = "Lisa"; 1936let value2 = 18; 1937let value3 = 100.5; 1938let value4 = new Uint8Array([1, 2, 3, 4, 5]); 1939const valueBucket: ValuesBucket = { 1940 key1: value1, 1941 key2: value2, 1942 key3: value3, 1943 key4: value4, 1944}; 1945if(store != undefined) { 1946 (store as relationalStore.RdbStore).insert("EMPLOYEE", valueBucket, relationalStore.ConflictResolution.ON_CONFLICT_REPLACE).then((rowId: number) => { 1947 console.info(`Insert is successful, rowId = ${rowId}`); 1948 }).catch((err: BusinessError) => { 1949 console.error(`Insert is failed, code is ${err.code},message is ${err.message}`); 1950 }) 1951} 1952``` 1953 1954### batchInsert 1955 1956batchInsert(table: string, values: Array<ValuesBucket>, callback: AsyncCallback<number>):void 1957 1958Batch inserts data into a table. This API uses an asynchronous callback to return the result. 1959 1960**System capability**: SystemCapability.DistributedDataManager.RelationalStore.Core 1961 1962**Parameters** 1963 1964| Name | Type | Mandatory| Description | 1965| -------- | ------------------------------------------ | ---- | ------------------------------------------------------------ | 1966| table | string | Yes | Name of the target table. | 1967| values | Array<[ValuesBucket](#valuesbucket)> | Yes | An array of data to insert. | 1968| callback | AsyncCallback<number> | Yes | Callback invoked to return the result. If the operation is successful, the number of inserted data records is returned. Otherwise, **-1** is returned.| 1969 1970**Error codes** 1971 1972For details about the error codes, see [RDB Error Codes](../errorcodes/errorcode-data-rdb.md). 1973 1974| **ID**| **Error Message** | 1975| ------------ | -------------------------------------------- | 1976| 14800047 | The WAL file size exceeds the default limit. | 1977| 14800000 | Inner error. | 1978 1979**Example** 1980 1981```ts 1982import { ValuesBucket } from '@ohos.data.ValuesBucket'; 1983 1984let key1 = "NAME"; 1985let key2 = "AGE"; 1986let key3 = "SALARY"; 1987let key4 = "CODES"; 1988let value1 = "Lisa"; 1989let value2 = 18; 1990let value3 = 100.5; 1991let value4 = new Uint8Array([1, 2, 3, 4, 5]); 1992let value5 = "Jack"; 1993let value6 = 19; 1994let value7 = 101.5; 1995let value8 = new Uint8Array([6, 7, 8, 9, 10]); 1996let value9 = "Tom"; 1997let value10 = 20; 1998let value11 = 102.5; 1999let value12 = new Uint8Array([11, 12, 13, 14, 15]); 2000const valueBucket1: ValuesBucket = { 2001 key1: value1, 2002 key2: value2, 2003 key3: value3, 2004 key4: value4, 2005}; 2006const valueBucket2: ValuesBucket = { 2007 key1: value5, 2008 key2: value6, 2009 key3: value7, 2010 key4: value8, 2011}; 2012const valueBucket3: ValuesBucket = { 2013 key1: value9, 2014 key2: value10, 2015 key3: value11, 2016 key4: value12, 2017}; 2018 2019let valueBuckets = new Array(valueBucket1, valueBucket2, valueBucket3); 2020if(store != undefined) { 2021 (store as relationalStore.RdbStore).batchInsert("EMPLOYEE", valueBuckets, (err, insertNum) => { 2022 if (err) { 2023 console.error(`batchInsert is failed, code is ${err.code},message is ${err.message}`); 2024 return; 2025 } 2026 console.info(`batchInsert is successful, the number of values that were inserted = ${insertNum}`); 2027 }) 2028} 2029``` 2030 2031### batchInsert 2032 2033batchInsert(table: string, values: Array<ValuesBucket>):Promise<number> 2034 2035Batch inserts data into a table. This API uses a promise to return the result. 2036 2037**System capability**: SystemCapability.DistributedDataManager.RelationalStore.Core 2038 2039**Parameters** 2040 2041| Name| Type | Mandatory| Description | 2042| ------ | ------------------------------------------ | ---- | ---------------------------- | 2043| table | string | Yes | Name of the target table. | 2044| values | Array<[ValuesBucket](#valuesbucket)> | Yes | An array of data to insert.| 2045 2046**Return value** 2047 2048| Type | Description | 2049| --------------------- | ----------------------------------------------------------- | 2050| Promise<number> | Promise used to return the result. If the operation is successful, the number of inserted data records is returned. Otherwise, **-1** is returned.| 2051 2052**Error codes** 2053 2054For details about the error codes, see [RDB Error Codes](../errorcodes/errorcode-data-rdb.md). 2055 2056| **ID**| **Error Message** | 2057| ------------ | -------------------------------------------- | 2058| 14800047 | The WAL file size exceeds the default limit. | 2059| 14800000 | Inner error. | 2060 2061**Example** 2062 2063```ts 2064import { ValuesBucket } from '@ohos.data.ValuesBucket'; 2065import { BusinessError } from "@ohos.base"; 2066 2067let key1 = "NAME"; 2068let key2 = "AGE"; 2069let key3 = "SALARY"; 2070let key4 = "CODES"; 2071let value1 = "Lisa"; 2072let value2 = 18; 2073let value3 = 100.5; 2074let value4 = new Uint8Array([1, 2, 3, 4, 5]); 2075let value5 = "Jack"; 2076let value6 = 19; 2077let value7 = 101.5; 2078let value8 = new Uint8Array([6, 7, 8, 9, 10]); 2079let value9 = "Tom"; 2080let value10 = 20; 2081let value11 = 102.5; 2082let value12 = new Uint8Array([11, 12, 13, 14, 15]); 2083const valueBucket1: ValuesBucket = { 2084 key1: value1, 2085 key2: value2, 2086 key3: value3, 2087 key4: value4, 2088}; 2089const valueBucket2: ValuesBucket = { 2090 key1: value5, 2091 key2: value6, 2092 key3: value7, 2093 key4: value8, 2094}; 2095const valueBucket3: ValuesBucket = { 2096 key1: value9, 2097 key2: value10, 2098 key3: value11, 2099 key4: value12, 2100}; 2101 2102let valueBuckets = new Array(valueBucket1, valueBucket2, valueBucket3); 2103if(store != undefined) { 2104 (store as relationalStore.RdbStore).batchInsert("EMPLOYEE", valueBuckets).then((insertNum: number) => { 2105 console.info(`batchInsert is successful, the number of values that were inserted = ${insertNum}`); 2106 }).catch((err: BusinessError) => { 2107 console.error(`batchInsert is failed, code is ${err.code},message is ${err.message}`); 2108 }) 2109} 2110``` 2111 2112### update 2113 2114update(values: ValuesBucket, predicates: RdbPredicates, callback: AsyncCallback<number>):void 2115 2116Updates data in the RDB store based on the specified **RdbPredicates** object. This API uses an asynchronous callback to return the result. 2117 2118**System capability**: SystemCapability.DistributedDataManager.RelationalStore.Core 2119 2120**Parameters** 2121 2122| Name | Type | Mandatory| Description | 2123| ---------- | ------------------------------------ | ---- | ------------------------------------------------------------ | 2124| values | [ValuesBucket](#valuesbucket) | Yes | Rows of data to update in the RDB store. The key-value pair is associated with the column name in the target table.| 2125| predicates | [RdbPredicates](#rdbpredicates) | Yes | Update conditions specified by the **RdbPredicates** object. | 2126| callback | AsyncCallback<number> | Yes | Callback invoked to return the number of rows updated. | 2127 2128**Error codes** 2129 2130For details about the error codes, see [RDB Error Codes](../errorcodes/errorcode-data-rdb.md). 2131 2132| **ID**| **Error Message** | 2133| ------------ | -------------------------------------------- | 2134| 14800047 | The WAL file size exceeds the default limit. | 2135| 14800000 | Inner error. | 2136 2137**Example** 2138 2139```ts 2140import { ValuesBucket } from '@ohos.data.ValuesBucket'; 2141 2142let key1 = "NAME"; 2143let key2 = "AGE"; 2144let key3 = "SALARY"; 2145let key4 = "CODES"; 2146let value1 = "Rose"; 2147let value2 = 22; 2148let value3 = 200.5; 2149let value4 = new Uint8Array([1, 2, 3, 4, 5]); 2150const valueBucket: ValuesBucket = { 2151 key1: value1, 2152 key2: value2, 2153 key3: value3, 2154 key4: value4, 2155}; 2156let predicates = new relationalStore.RdbPredicates("EMPLOYEE"); 2157predicates.equalTo("NAME", "Lisa"); 2158if(store != undefined) { 2159 (store as relationalStore.RdbStore).update(valueBucket, predicates,(err, rows) => { 2160 if (err) { 2161 console.error(`Updated failed, code is ${err.code},message is ${err.message}`); 2162 return; 2163 } 2164 console.info(`Updated row count: ${rows}`); 2165 }) 2166} 2167``` 2168 2169### update<sup>10+</sup> 2170 2171update(values: ValuesBucket, predicates: RdbPredicates, conflict: ConflictResolution, callback: AsyncCallback<number>):void 2172 2173Updates data in the RDB store based on the specified **RdbPredicates** object. This API uses an asynchronous callback to return the result. 2174 2175**System capability**: SystemCapability.DistributedDataManager.RelationalStore.Core 2176 2177**Parameters** 2178 2179| Name | Type | Mandatory| Description | 2180| ---------- | ------------------------------------------- | ---- | ------------------------------------------------------------ | 2181| values | [ValuesBucket](#valuesbucket) | Yes | Rows of data to update in the RDB store. The key-value pair is associated with the column name in the target table.| 2182| predicates | [RdbPredicates](#rdbpredicates) | Yes | Update conditions specified by the **RdbPredicates** object. | 2183| conflict | [ConflictResolution](#conflictresolution10) | Yes | Resolution used to resolve the conflict. | 2184| callback | AsyncCallback<number> | Yes | Callback invoked to return the number of rows updated. | 2185 2186**Error codes** 2187 2188For details about the error codes, see [RDB Error Codes](../errorcodes/errorcode-data-rdb.md). 2189 2190| **ID**| **Error Message** | 2191| ------------ | -------------------------------------------- | 2192| 14800047 | The WAL file size exceeds the default limit. | 2193| 14800000 | Inner error. | 2194 2195**Example** 2196 2197```ts 2198import { ValuesBucket } from '@ohos.data.ValuesBucket'; 2199 2200let key1 = "NAME"; 2201let key2 = "AGE"; 2202let key3 = "SALARY"; 2203let key4 = "CODES"; 2204let value1 = "Rose"; 2205let value2 = 22; 2206let value3 = 200.5; 2207let value4 = new Uint8Array([1, 2, 3, 4, 5]); 2208const valueBucket: ValuesBucket = { 2209 key1: value1, 2210 key2: value2, 2211 key3: value3, 2212 key4: value4, 2213}; 2214let predicates = new relationalStore.RdbPredicates("EMPLOYEE"); 2215predicates.equalTo("NAME", "Lisa"); 2216if(store != undefined) { 2217 (store as relationalStore.RdbStore).update(valueBucket, predicates, relationalStore.ConflictResolution.ON_CONFLICT_REPLACE, (err, rows) => { 2218 if (err) { 2219 console.error(`Updated failed, code is ${err.code},message is ${err.message}`); 2220 return; 2221 } 2222 console.info(`Updated row count: ${rows}`); 2223 }) 2224} 2225``` 2226 2227### update 2228 2229update(values: ValuesBucket, predicates: RdbPredicates):Promise<number> 2230 2231Updates data based on the specified **RdbPredicates** object. This API uses a promise to return the result. 2232 2233**System capability**: SystemCapability.DistributedDataManager.RelationalStore.Core 2234 2235**Parameters** 2236 2237| Name | Type | Mandatory| Description | 2238| ------------ | ------------------------------------ | ---- | ------------------------------------------------------------ | 2239| values | [ValuesBucket](#valuesbucket) | Yes | Rows of data to update in the RDB store. The key-value pair is associated with the column name in the target table.| 2240| predicates | [RdbPredicates](#rdbpredicates) | Yes | Update conditions specified by the **RdbPredicates** object. | 2241 2242**Return value** 2243 2244| Type | Description | 2245| --------------------- | ----------------------------------------- | 2246| Promise<number> | Promise used to return the number of rows updated.| 2247 2248**Error codes** 2249 2250For details about the error codes, see [RDB Error Codes](../errorcodes/errorcode-data-rdb.md). 2251 2252| **ID**| **Error Message** | 2253| ------------ | -------------------------------------------- | 2254| 14800047 | The WAL file size exceeds the default limit. | 2255| 14800000 | Inner error. | 2256 2257**Example** 2258 2259```ts 2260import { ValuesBucket } from '@ohos.data.ValuesBucket'; 2261import { BusinessError } from "@ohos.base"; 2262 2263let key1 = "NAME"; 2264let key2 = "AGE"; 2265let key3 = "SALARY"; 2266let key4 = "CODES"; 2267let value1 = "Rose"; 2268let value2 = 22; 2269let value3 = 200.5; 2270let value4 = new Uint8Array([1, 2, 3, 4, 5]); 2271const valueBucket: ValuesBucket = { 2272 key1: value1, 2273 key2: value2, 2274 key3: value3, 2275 key4: value4, 2276}; 2277let predicates = new relationalStore.RdbPredicates("EMPLOYEE"); 2278predicates.equalTo("NAME", "Lisa"); 2279if(store != undefined) { 2280 (store as relationalStore.RdbStore).update(valueBucket, predicates).then(async (rows: Number) => { 2281 console.info(`Updated row count: ${rows}`); 2282 }).catch((err: BusinessError) => { 2283 console.error(`Updated failed, code is ${err.code},message is ${err.message}`); 2284 }) 2285} 2286``` 2287 2288### update<sup>10+</sup> 2289 2290update(values: ValuesBucket, predicates: RdbPredicates, conflict: ConflictResolution):Promise<number> 2291 2292Updates data based on the specified **RdbPredicates** object. This API uses a promise to return the result. 2293 2294**System capability**: SystemCapability.DistributedDataManager.RelationalStore.Core 2295 2296**Parameters** 2297 2298| Name | Type | Mandatory| Description | 2299| ---------- | ------------------------------------------- | ---- | ------------------------------------------------------------ | 2300| values | [ValuesBucket](#valuesbucket) | Yes | Rows of data to update in the RDB store. The key-value pair is associated with the column name in the target table.| 2301| predicates | [RdbPredicates](#rdbpredicates) | Yes | Update conditions specified by the **RdbPredicates** object. | 2302| conflict | [ConflictResolution](#conflictresolution10) | Yes | Resolution used to resolve the conflict. | 2303 2304**Return value** 2305 2306| Type | Description | 2307| --------------------- | ----------------------------------------- | 2308| Promise<number> | Promise used to return the number of rows updated.| 2309 2310**Error codes** 2311 2312For details about the error codes, see [RDB Error Codes](../errorcodes/errorcode-data-rdb.md). 2313 2314| **ID**| **Error Message** | 2315| ------------ | -------------------------------------------- | 2316| 14800047 | The WAL file size exceeds the default limit. | 2317| 14800000 | Inner error. | 2318 2319**Example** 2320 2321```ts 2322import { ValuesBucket } from '@ohos.data.ValuesBucket'; 2323import { BusinessError } from "@ohos.base"; 2324 2325let key1 = "NAME"; 2326let key2 = "AGE"; 2327let key3 = "SALARY"; 2328let key4 = "CODES"; 2329let value1 = "Rose"; 2330let value2 = 22; 2331let value3 = 200.5; 2332let value4 = new Uint8Array([1, 2, 3, 4, 5]); 2333const valueBucket: ValuesBucket = { 2334 key1: value1, 2335 key2: value2, 2336 key3: value3, 2337 key4: value4, 2338}; 2339let predicates = new relationalStore.RdbPredicates("EMPLOYEE"); 2340predicates.equalTo("NAME", "Lisa"); 2341if(store != undefined) { 2342 (store as relationalStore.RdbStore).update(valueBucket, predicates, relationalStore.ConflictResolution.ON_CONFLICT_REPLACE).then(async (rows: Number) => { 2343 console.info(`Updated row count: ${rows}`); 2344 }).catch((err: BusinessError) => { 2345 console.error(`Updated failed, code is ${err.code},message is ${err.message}`); 2346 }) 2347} 2348``` 2349 2350### update 2351 2352update(table: string, values: ValuesBucket, predicates: dataSharePredicates.DataSharePredicates, callback: AsyncCallback<number>):void 2353 2354Updates data based on the specified **DataSharePredicates** object. This API uses an asynchronous callback to return the result. 2355 2356**System capability**: SystemCapability.DistributedDataManager.RelationalStore.Core 2357 2358**Model restriction**: This API can be used only in the stage model. 2359 2360**System API**: This is a system API. 2361 2362**Parameters** 2363 2364| Name | Type | Mandatory| Description | 2365| ---------- | ------------------------------------------------------------ | ---- | ------------------------------------------------------------ | 2366| table | string | Yes | Name of the target table. | 2367| values | [ValuesBucket](#valuesbucket) | Yes | Rows of data to update in the RDB store. The key-value pair is associated with the column name in the target table.| 2368| predicates | [dataSharePredicates.DataSharePredicates](js-apis-data-dataSharePredicates.md#datasharepredicates) | Yes | Update conditions specified by the **DataSharePredicates** object. | 2369| callback | AsyncCallback<number> | Yes | Callback invoked to return the number of rows updated. | 2370 2371**Error codes** 2372 2373For details about the error codes, see [RDB Error Codes](../errorcodes/errorcode-data-rdb.md). 2374 2375| **ID**| **Error Message** | 2376| ------------ | -------------------------------------------- | 2377| 14800047 | The WAL file size exceeds the default limit. | 2378| 14800000 | Inner error. | 2379 2380**Example** 2381 2382```ts 2383import dataSharePredicates from '@ohos.data.dataSharePredicates' 2384import { ValuesBucket } from '@ohos.data.ValuesBucket'; 2385 2386let key1 = "NAME"; 2387let key2 = "AGE"; 2388let key3 = "SALARY"; 2389let key4 = "CODES"; 2390let value1 = "Rose"; 2391let value2 = 22; 2392let value3 = 200.5; 2393let value4 = new Uint8Array([1, 2, 3, 4, 5]); 2394const valueBucket: ValuesBucket = { 2395 key1: value1, 2396 key2: value2, 2397 key3: value3, 2398 key4: value4, 2399}; 2400let predicates = new dataSharePredicates.DataSharePredicates(); 2401predicates.equalTo("NAME", "Lisa"); 2402if(store != undefined) { 2403 (store as relationalStore.RdbStore).update("EMPLOYEE", valueBucket, predicates, (err, rows) => { 2404 if (err) { 2405 console.error(`Updated failed, code is ${err.code},message is ${err.message}`); 2406 return; 2407 } 2408 console.info(`Updated row count: ${rows}`); 2409 }) 2410} 2411``` 2412 2413### update 2414 2415update(table: string, values: ValuesBucket, predicates: dataSharePredicates.DataSharePredicates):Promise<number> 2416 2417Updates data based on the specified **DataSharePredicates** object. This API uses a promise to return the result. 2418 2419**System capability**: SystemCapability.DistributedDataManager.RelationalStore.Core 2420 2421**Model restriction**: This API can be used only in the stage model. 2422 2423**System API**: This is a system API. 2424 2425**Parameters** 2426 2427| Name | Type | Mandatory| Description | 2428| ---------- | ------------------------------------------------------------ | ---- | ------------------------------------------------------------ | 2429| table | string | Yes | Name of the target table. | 2430| values | [ValuesBucket](#valuesbucket) | Yes | Rows of data to update in the RDB store. The key-value pair is associated with the column name in the target table.| 2431| predicates | [dataSharePredicates.DataSharePredicates](js-apis-data-dataSharePredicates.md#datasharepredicates) | Yes | Update conditions specified by the **DataSharePredicates** object. | 2432 2433**Return value** 2434 2435| Type | Description | 2436| --------------------- | ----------------------------------------- | 2437| Promise<number> | Promise used to return the number of rows updated.| 2438 2439**Error codes** 2440 2441For details about the error codes, see [RDB Error Codes](../errorcodes/errorcode-data-rdb.md). 2442 2443| **ID**| **Error Message** | 2444| ------------ | -------------------------------------------- | 2445| 14800047 | The WAL file size exceeds the default limit. | 2446| 14800000 | Inner error. | 2447 2448**Example** 2449 2450```ts 2451import dataSharePredicates from '@ohos.data.dataSharePredicates'; 2452import { ValuesBucket } from '@ohos.data.ValuesBucket'; 2453import { BusinessError } from "@ohos.base"; 2454 2455let key1 = "NAME"; 2456let key2 = "AGE"; 2457let key3 = "SALARY"; 2458let key4 = "CODES"; 2459let value1 = "Rose"; 2460let value2 = 22; 2461let value3 = 200.5; 2462let value4 = new Uint8Array([1, 2, 3, 4, 5]); 2463const valueBucket: ValuesBucket = { 2464 key1: value1, 2465 key2: value2, 2466 key3: value3, 2467 key4: value4, 2468}; 2469let predicates = new dataSharePredicates.DataSharePredicates(); 2470predicates.equalTo("NAME", "Lisa"); 2471if(store != undefined) { 2472 (store as relationalStore.RdbStore).update("EMPLOYEE", valueBucket, predicates).then(async (rows: Number) => { 2473 console.info(`Updated row count: ${rows}`); 2474 }).catch((err: BusinessError) => { 2475 console.error(`Updated failed, code is ${err.code},message is ${err.message}`); 2476 }) 2477} 2478``` 2479 2480### delete 2481 2482delete(predicates: RdbPredicates, callback: AsyncCallback<number>):void 2483 2484Deletes data from the RDB store based on the specified **RdbPredicates** object. This API uses an asynchronous callback to return the result. 2485 2486**System capability**: SystemCapability.DistributedDataManager.RelationalStore.Core 2487 2488**Parameters** 2489 2490| Name | Type | Mandatory| Description | 2491| ---------- | ------------------------------------ | ---- | ----------------------------------------- | 2492| predicates | [RdbPredicates](#rdbpredicates) | Yes | Conditions specified by the **RdbPredicates** object for deleting data.| 2493| callback | AsyncCallback<number> | Yes | Callback invoked to return the number of rows deleted. | 2494 2495**Error codes** 2496 2497For details about the error codes, see [RDB Error Codes](../errorcodes/errorcode-data-rdb.md). 2498 2499| **ID**| **Error Message** | 2500| ------------ | -------------------------------------------- | 2501| 14800047 | The WAL file size exceeds the default limit. | 2502| 14800000 | Inner error. | 2503 2504**Example** 2505 2506```ts 2507let predicates = new relationalStore.RdbPredicates("EMPLOYEE"); 2508predicates.equalTo("NAME", "Lisa"); 2509if(store != undefined) { 2510 (store as relationalStore.RdbStore).delete(predicates, (err, rows) => { 2511 if (err) { 2512 console.error(`Delete failed, code is ${err.code},message is ${err.message}`); 2513 return; 2514 } 2515 console.info(`Delete rows: ${rows}`); 2516 }) 2517} 2518``` 2519 2520### delete 2521 2522delete(predicates: RdbPredicates):Promise<number> 2523 2524Deletes data from the RDB store based on the specified **RdbPredicates** object. This API uses a promise to return the result. 2525 2526**System capability**: SystemCapability.DistributedDataManager.RelationalStore.Core 2527 2528**Parameters** 2529 2530| Name | Type | Mandatory| Description | 2531| ---------- | ------------------------------------ | ---- | ----------------------------------------- | 2532| predicates | [RdbPredicates](#rdbpredicates) | Yes | Conditions specified by the **RdbPredicates** object for deleting data.| 2533 2534**Return value** 2535 2536| Type | Description | 2537| --------------------- | ------------------------------- | 2538| Promise<number> | Promise used to return the number of rows deleted.| 2539 2540**Error codes** 2541 2542For details about the error codes, see [RDB Error Codes](../errorcodes/errorcode-data-rdb.md). 2543 2544| **ID**| **Error Message** | 2545| ------------ | -------------------------------------------- | 2546| 14800047 | The WAL file size exceeds the default limit. | 2547| 14800000 | Inner error. | 2548 2549**Example** 2550 2551```ts 2552import { BusinessError } from "@ohos.base"; 2553 2554let predicates = new relationalStore.RdbPredicates("EMPLOYEE"); 2555predicates.equalTo("NAME", "Lisa"); 2556if(store != undefined) { 2557 (store as relationalStore.RdbStore).delete(predicates).then((rows: Number) => { 2558 console.info(`Delete rows: ${rows}`); 2559 }).catch((err: BusinessError) => { 2560 console.error(`Delete failed, code is ${err.code},message is ${err.message}`); 2561 }) 2562} 2563``` 2564 2565### delete 2566 2567delete(table: string, predicates: dataSharePredicates.DataSharePredicates, callback: AsyncCallback<number>):void 2568 2569Deletes data from the RDB store based on the specified **DataSharePredicates** object. This API uses an asynchronous callback to return the result. 2570 2571**System capability**: SystemCapability.DistributedDataManager.RelationalStore.Core 2572 2573**Model restriction**: This API can be used only in the stage model. 2574 2575**System API**: This is a system API. 2576 2577**Parameters** 2578 2579| Name | Type | Mandatory| Description | 2580| ---------- | ------------------------------------------------------------ | ---- | --------------------------------------------- | 2581| table | string | Yes | Name of the target table. | 2582| predicates | [dataSharePredicates.DataSharePredicates](js-apis-data-dataSharePredicates.md#datasharepredicates) | Yes | Conditions specified by the **DataSharePredicates** object for deleting data.| 2583| callback | AsyncCallback<number> | Yes | Callback invoked to return the number of rows deleted. | 2584 2585**Error codes** 2586 2587For details about the error codes, see [RDB Error Codes](../errorcodes/errorcode-data-rdb.md). 2588 2589| **ID**| **Error Message** | 2590| ------------ | -------------------------------------------- | 2591| 14800047 | The WAL file size exceeds the default limit. | 2592| 14800000 | Inner error. | 2593 2594**Example** 2595 2596```ts 2597import dataSharePredicates from '@ohos.data.dataSharePredicates'; 2598 2599let predicates = new dataSharePredicates.DataSharePredicates(); 2600predicates.equalTo("NAME", "Lisa"); 2601if(store != undefined) { 2602 (store as relationalStore.RdbStore).delete("EMPLOYEE", predicates, (err, rows) => { 2603 if (err) { 2604 console.error(`Delete failed, code is ${err.code},message is ${err.message}`); 2605 return; 2606 } 2607 console.info(`Delete rows: ${rows}`); 2608 }) 2609} 2610``` 2611 2612### delete 2613 2614delete(table: string, predicates: dataSharePredicates.DataSharePredicates):Promise<number> 2615 2616Deletes data from the RDB store based on the specified **DataSharePredicates** object. This API uses a promise to return the result. 2617 2618**System capability**: SystemCapability.DistributedDataManager.RelationalStore.Core 2619 2620**Model restriction**: This API can be used only in the stage model. 2621 2622**System API**: This is a system API. 2623 2624**Parameters** 2625 2626| Name | Type | Mandatory| Description | 2627| ---------- | ------------------------------------------------------------ | ---- | --------------------------------------------- | 2628| table | string | Yes | Name of the target table. | 2629| predicates | [dataSharePredicates.DataSharePredicates](js-apis-data-dataSharePredicates.md#datasharepredicates) | Yes | Conditions specified by the **DataSharePredicates** object for deleting data.| 2630 2631**Return value** 2632 2633| Type | Description | 2634| --------------------- | ------------------------------- | 2635| Promise<number> | Promise used to return the number of rows deleted.| 2636 2637**Error codes** 2638 2639For details about the error codes, see [RDB Error Codes](../errorcodes/errorcode-data-rdb.md). 2640 2641| **ID**| **Error Message** | 2642| ------------ | -------------------------------------------- | 2643| 14800047 | The WAL file size exceeds the default limit. | 2644| 14800000 | Inner error. | 2645 2646**Example** 2647 2648```ts 2649import dataSharePredicates from '@ohos.data.dataSharePredicates'; 2650import { BusinessError } from "@ohos.base"; 2651 2652let predicates = new dataSharePredicates.DataSharePredicates(); 2653predicates.equalTo("NAME", "Lisa"); 2654if(store != undefined) { 2655 (store as relationalStore.RdbStore).delete("EMPLOYEE", predicates).then((rows: Number) => { 2656 console.info(`Delete rows: ${rows}`); 2657 }).catch((err: BusinessError) => { 2658 console.error(`Delete failed, code is ${err.code},message is ${err.message}`); 2659 }) 2660} 2661``` 2662 2663### query<sup>10+</sup> 2664 2665query(predicates: RdbPredicates, callback: AsyncCallback<ResultSet>):void 2666 2667Queries data from the RDB store based on specified conditions. This API uses an asynchronous callback to return the result. 2668 2669**System capability**: SystemCapability.DistributedDataManager.RelationalStore.Core 2670 2671**Parameters** 2672 2673| Name | Type | Mandatory| Description | 2674| ---------- | ------------------------------------------------------------ | ---- | ----------------------------------------------------------- | 2675| predicates | [RdbPredicates](#rdbpredicates) | Yes | Query conditions specified by the **RdbPredicates** object. | 2676| callback | AsyncCallback<[ResultSet](#resultset)> | Yes | Callback invoked to return the result. If the operation is successful, a **ResultSet** object will be returned.| 2677 2678**Error codes** 2679 2680For details about the error codes, see [RDB Error Codes](../errorcodes/errorcode-data-rdb.md). 2681 2682| **ID**| **Error Message** | 2683| ------------ | ---------------------------- | 2684| 14800000 | Inner error. | 2685 2686**Example** 2687 2688```ts 2689let predicates = new relationalStore.RdbPredicates("EMPLOYEE"); 2690predicates.equalTo("NAME", "Rose"); 2691if(store != undefined) { 2692 (store as relationalStore.RdbStore).query(predicates, (err, resultSet) => { 2693 if (err) { 2694 console.error(`Query failed, code is ${err.code},message is ${err.message}`); 2695 return; 2696 } 2697 console.info(`ResultSet column names: ${resultSet.columnNames}, column count: ${resultSet.columnCount}`); 2698 // resultSet is a cursor of a data set. By default, the cursor points to the -1st record. Valid data starts from 0. 2699 while (resultSet.goToNextRow()) { 2700 const id = resultSet.getLong(resultSet.getColumnIndex("ID")); 2701 const name = resultSet.getString(resultSet.getColumnIndex("NAME")); 2702 const age = resultSet.getLong(resultSet.getColumnIndex("AGE")); 2703 const salary = resultSet.getDouble(resultSet.getColumnIndex("SALARY")); 2704 console.info(`id=${id}, name=${name}, age=${age}, salary=${salary}`); 2705 } 2706 // Release the dataset memory. 2707 resultSet.close(); 2708 }) 2709} 2710``` 2711 2712### query 2713 2714query(predicates: RdbPredicates, columns: Array<string>, callback: AsyncCallback<ResultSet>):void 2715 2716Queries data from the RDB store based on specified conditions. This API uses an asynchronous callback to return the result. 2717 2718**System capability**: SystemCapability.DistributedDataManager.RelationalStore.Core 2719 2720**Parameters** 2721 2722| Name | Type | Mandatory| Description | 2723| ---------- | ------------------------------------------------------------ | ---- | ----------------------------------------------------------- | 2724| predicates | [RdbPredicates](#rdbpredicates) | Yes | Query conditions specified by the **RdbPredicates** object. | 2725| columns | Array<string> | Yes | Columns to query. If this parameter is not specified, the query applies to all columns. | 2726| callback | AsyncCallback<[ResultSet](#resultset)> | Yes | Callback invoked to return the result. If the operation is successful, a **ResultSet** object will be returned.| 2727 2728**Error codes** 2729 2730For details about the error codes, see [RDB Error Codes](../errorcodes/errorcode-data-rdb.md). 2731 2732| **ID**| **Error Message** | 2733| ------------ | ---------------------------- | 2734| 14800000 | Inner error. | 2735 2736**Example** 2737 2738```ts 2739let predicates = new relationalStore.RdbPredicates("EMPLOYEE"); 2740predicates.equalTo("NAME", "Rose"); 2741if(store != undefined) { 2742 (store as relationalStore.RdbStore).query(predicates, ["ID", "NAME", "AGE", "SALARY", "CODES"], (err, resultSet) => { 2743 if (err) { 2744 console.error(`Query failed, code is ${err.code},message is ${err.message}`); 2745 return; 2746 } 2747 console.info(`ResultSet column names: ${resultSet.columnNames}, column count: ${resultSet.columnCount}`); 2748 // resultSet is a cursor of a data set. By default, the cursor points to the -1st record. Valid data starts from 0. 2749 while (resultSet.goToNextRow()) { 2750 const id = resultSet.getLong(resultSet.getColumnIndex("ID")); 2751 const name = resultSet.getString(resultSet.getColumnIndex("NAME")); 2752 const age = resultSet.getLong(resultSet.getColumnIndex("AGE")); 2753 const salary = resultSet.getDouble(resultSet.getColumnIndex("SALARY")); 2754 console.info(`id=${id}, name=${name}, age=${age}, salary=${salary}`); 2755 } 2756 // Release the dataset memory. 2757 resultSet.close(); 2758 }) 2759} 2760``` 2761 2762### query 2763 2764query(predicates: RdbPredicates, columns?: Array<string>):Promise<ResultSet> 2765 2766Queries data from the RDB store based on specified conditions. This API uses a promise to return the result. 2767 2768**System capability**: SystemCapability.DistributedDataManager.RelationalStore.Core 2769 2770**Parameters** 2771 2772| Name | Type | Mandatory| Description | 2773| ---------- | ------------------------------------ | ---- | ------------------------------------------------ | 2774| predicates | [RdbPredicates](#rdbpredicates) | Yes | Query conditions specified by the **RdbPredicates** object. | 2775| columns | Array<string> | No | Columns to query. If this parameter is not specified, the query applies to all columns.| 2776 2777**Error codes** 2778 2779For details about the error codes, see [RDB Error Codes](../errorcodes/errorcode-data-rdb.md). 2780 2781| **ID**| **Error Message** | 2782| ------------ | ---------------------------- | 2783| 14800000 | Inner error. | 2784 2785**Return value** 2786 2787| Type | Description | 2788| ------------------------------------------------------- | -------------------------------------------------- | 2789| Promise<[ResultSet](#resultset)> | Promise used to return the result. If the operation is successful, a **ResultSet** object will be returned.| 2790 2791**Example** 2792 2793```ts 2794import { BusinessError } from "@ohos.base"; 2795 2796let predicates = new relationalStore.RdbPredicates("EMPLOYEE"); 2797predicates.equalTo("NAME", "Rose"); 2798if(store != undefined) { 2799 (store as relationalStore.RdbStore).query(predicates, ["ID", "NAME", "AGE", "SALARY", "CODES"]).then((resultSet: relationalStore.ResultSet) => { 2800 console.info(`ResultSet column names: ${resultSet.columnNames}, column count: ${resultSet.columnCount}`); 2801 // resultSet is a cursor of a data set. By default, the cursor points to the -1st record. Valid data starts from 0. 2802 while (resultSet.goToNextRow()) { 2803 const id = resultSet.getLong(resultSet.getColumnIndex("ID")); 2804 const name = resultSet.getString(resultSet.getColumnIndex("NAME")); 2805 const age = resultSet.getLong(resultSet.getColumnIndex("AGE")); 2806 const salary = resultSet.getDouble(resultSet.getColumnIndex("SALARY")); 2807 console.info(`id=${id}, name=${name}, age=${age}, salary=${salary}`); 2808 } 2809 // Release the dataset memory. 2810 resultSet.close(); 2811 }).catch((err: BusinessError) => { 2812 console.error(`Query failed, code is ${err.code},message is ${err.message}`); 2813 }) 2814} 2815``` 2816 2817### query<sup>10+</sup> 2818 2819query(table: string, predicates: dataSharePredicates.DataSharePredicates, callback: AsyncCallback<ResultSet>):void 2820 2821Queries data from the RDB store based on specified conditions. This API uses an asynchronous callback to return the result. 2822 2823**System capability**: SystemCapability.DistributedDataManager.RelationalStore.Core 2824 2825**Model restriction**: This API can be used only in the stage model. 2826 2827**System API**: This is a system API. 2828 2829**Parameters** 2830 2831| Name | Type | Mandatory| Description | 2832| ---------- | ------------------------------------------------------------ | ---- | ----------------------------------------------------------- | 2833| table | string | Yes | Name of the target table. | 2834| predicates | [dataSharePredicates.DataSharePredicates](js-apis-data-dataSharePredicates.md#datasharepredicates) | Yes | Query conditions specified by the **DataSharePredicates** object. | 2835| callback | AsyncCallback<[ResultSet](#resultset)> | Yes | Callback invoked to return the result. If the operation is successful, a **ResultSet** object will be returned.| 2836 2837**Error codes** 2838 2839For details about the error codes, see [RDB Error Codes](../errorcodes/errorcode-data-rdb.md). 2840 2841| **ID**| **Error Message** | 2842| ------------ | ---------------------------- | 2843| 14800000 | Inner error. | 2844 2845**Example** 2846 2847```ts 2848import dataSharePredicates from '@ohos.data.dataSharePredicates'; 2849 2850let predicates = new dataSharePredicates.DataSharePredicates(); 2851predicates.equalTo("NAME", "Rose"); 2852if(store != undefined) { 2853 (store as relationalStore.RdbStore).query("EMPLOYEE", predicates, (err, resultSet) => { 2854 if (err) { 2855 console.error(`Query failed, code is ${err.code},message is ${err.message}`); 2856 return; 2857 } 2858 console.info(`ResultSet column names: ${resultSet.columnNames}, column count: ${resultSet.columnCount}`); 2859 // resultSet is a cursor of a data set. By default, the cursor points to the -1st record. Valid data starts from 0. 2860 while (resultSet.goToNextRow()) { 2861 const id = resultSet.getLong(resultSet.getColumnIndex("ID")); 2862 const name = resultSet.getString(resultSet.getColumnIndex("NAME")); 2863 const age = resultSet.getLong(resultSet.getColumnIndex("AGE")); 2864 const salary = resultSet.getDouble(resultSet.getColumnIndex("SALARY")); 2865 console.info(`id=${id}, name=${name}, age=${age}, salary=${salary}`); 2866 } 2867 // Release the dataset memory. 2868 resultSet.close(); 2869 }) 2870} 2871``` 2872 2873### query 2874 2875query(table: string, predicates: dataSharePredicates.DataSharePredicates, columns: Array<string>, callback: AsyncCallback<ResultSet>):void 2876 2877Queries data from the RDB store based on specified conditions. This API uses an asynchronous callback to return the result. 2878 2879**System capability**: SystemCapability.DistributedDataManager.RelationalStore.Core 2880 2881**Model restriction**: This API can be used only in the stage model. 2882 2883**System API**: This is a system API. 2884 2885**Parameters** 2886 2887| Name | Type | Mandatory| Description | 2888| ---------- | ------------------------------------------------------------ | ---- | ----------------------------------------------------------- | 2889| table | string | Yes | Name of the target table. | 2890| predicates | [dataSharePredicates.DataSharePredicates](js-apis-data-dataSharePredicates.md#datasharepredicates) | Yes | Query conditions specified by the **DataSharePredicates** object. | 2891| columns | Array<string> | Yes | Columns to query. If this parameter is not specified, the query applies to all columns. | 2892| callback | AsyncCallback<[ResultSet](#resultset)> | Yes | Callback invoked to return the result. If the operation is successful, a **ResultSet** object will be returned.| 2893 2894**Error codes** 2895 2896For details about the error codes, see [RDB Error Codes](../errorcodes/errorcode-data-rdb.md). 2897 2898| **ID**| **Error Message** | 2899| ------------ | ---------------------------- | 2900| 14800000 | Inner error. | 2901 2902**Example** 2903 2904```ts 2905import dataSharePredicates from '@ohos.data.dataSharePredicates'; 2906 2907let predicates = new dataSharePredicates.DataSharePredicates(); 2908predicates.equalTo("NAME", "Rose"); 2909if(store != undefined) { 2910 (store as relationalStore.RdbStore).query("EMPLOYEE", predicates, ["ID", "NAME", "AGE", "SALARY", "CODES"], (err, resultSet) => { 2911 if (err) { 2912 console.error(`Query failed, code is ${err.code},message is ${err.message}`); 2913 return; 2914 } 2915 console.info(`ResultSet column names: ${resultSet.columnNames}, column count: ${resultSet.columnCount}`); 2916 // resultSet is a cursor of a data set. By default, the cursor points to the -1st record. Valid data starts from 0. 2917 while (resultSet.goToNextRow()) { 2918 const id = resultSet.getLong(resultSet.getColumnIndex("ID")); 2919 const name = resultSet.getString(resultSet.getColumnIndex("NAME")); 2920 const age = resultSet.getLong(resultSet.getColumnIndex("AGE")); 2921 const salary = resultSet.getDouble(resultSet.getColumnIndex("SALARY")); 2922 console.info(`id=${id}, name=${name}, age=${age}, salary=${salary}`); 2923 } 2924 // Release the dataset memory. 2925 resultSet.close(); 2926 }) 2927} 2928``` 2929 2930### query 2931 2932query(table: string, predicates: dataSharePredicates.DataSharePredicates, columns?: Array<string>):Promise<ResultSet> 2933 2934Queries data from the RDB store based on specified conditions. This API uses a promise to return the result. 2935 2936**System capability**: SystemCapability.DistributedDataManager.RelationalStore.Core 2937 2938**Model restriction**: This API can be used only in the stage model. 2939 2940**System API**: This is a system API. 2941 2942**Parameters** 2943 2944| Name | Type | Mandatory| Description | 2945| ---------- | ------------------------------------------------------------ | ---- | ------------------------------------------------ | 2946| table | string | Yes | Name of the target table. | 2947| predicates | [dataSharePredicates.DataSharePredicates](js-apis-data-dataSharePredicates.md#datasharepredicates) | Yes | Query conditions specified by the **DataSharePredicates** object. | 2948| columns | Array<string> | No | Columns to query. If this parameter is not specified, the query applies to all columns.| 2949 2950**Return value** 2951 2952| Type | Description | 2953| ------------------------------------------------------- | -------------------------------------------------- | 2954| Promise<[ResultSet](#resultset)> | Promise used to return the result. If the operation is successful, a **ResultSet** object will be returned.| 2955 2956**Error codes** 2957 2958For details about the error codes, see [RDB Error Codes](../errorcodes/errorcode-data-rdb.md). 2959 2960| **ID**| **Error Message** | 2961| ------------ | ---------------------------- | 2962| 14800000 | Inner error. | 2963 2964**Example** 2965 2966```ts 2967import dataSharePredicates from '@ohos.data.dataSharePredicates'; 2968import { BusinessError } from "@ohos.base"; 2969 2970let predicates = new dataSharePredicates.DataSharePredicates(); 2971predicates.equalTo("NAME", "Rose"); 2972if(store != undefined) { 2973 (store as relationalStore.RdbStore).query("EMPLOYEE", predicates, ["ID", "NAME", "AGE", "SALARY", "CODES"]).then((resultSet: relationalStore.ResultSet) => { 2974 console.info(`ResultSet column names: ${resultSet.columnNames}, column count: ${resultSet.columnCount}`); 2975 // resultSet is a cursor of a data set. By default, the cursor points to the -1st record. Valid data starts from 0. 2976 while (resultSet.goToNextRow()) { 2977 const id = resultSet.getLong(resultSet.getColumnIndex("ID")); 2978 const name = resultSet.getString(resultSet.getColumnIndex("NAME")); 2979 const age = resultSet.getLong(resultSet.getColumnIndex("AGE")); 2980 const salary = resultSet.getDouble(resultSet.getColumnIndex("SALARY")); 2981 console.info(`id=${id}, name=${name}, age=${age}, salary=${salary}`); 2982 } 2983 // Release the dataset memory. 2984 resultSet.close(); 2985 }).catch((err: BusinessError) => { 2986 console.error(`Query failed, code is ${err.code},message is ${err.message}`); 2987 }) 2988} 2989``` 2990 2991### remoteQuery 2992 2993remoteQuery(device: string, table: string, predicates: RdbPredicates, columns: Array<string> , callback: AsyncCallback<ResultSet>): void 2994 2995Queries data from the RDB store of a remote device based on specified conditions. This API uses an asynchronous callback to return the result. 2996 2997> **NOTE** 2998> 2999> The value of **device** can be obtained by [deviceManager.getAvailableDeviceListSync](js-apis-distributedDeviceManager.md#getavailabledevicelistsync). 3000 3001**System capability**: SystemCapability.DistributedDataManager.RelationalStore.Core 3002 3003**Parameters** 3004 3005| Name | Type | Mandatory| Description | 3006| ---------- | -------------------------------------------- | ---- | --------------------------------------------------------- | 3007| device | string | Yes | ID of the remote device. | 3008| table | string | Yes | Name of the target table. | 3009| predicates | [RdbPredicates](#rdbpredicates) | Yes | Query conditions specified by the **RdbPredicates** object. | 3010| columns | Array<string> | Yes | Columns to query. If this parameter is not specified, the query applies to all columns. | 3011| callback | AsyncCallback<[ResultSet](#resultset)> | Yes | Callback invoked to return the result. If the operation is successful, a **ResultSet** object will be returned.| 3012 3013**Error codes** 3014 3015For details about the error codes, see [RDB Error Codes](../errorcodes/errorcode-data-rdb.md). 3016 3017| **ID**| **Error Message** | 3018| ------------ | ---------------------------- | 3019| 14800000 | Inner error. | 3020 3021**Example** 3022 3023```ts 3024import deviceManager from '@ohos.distributedDeviceManager'; 3025import { BusinessError } from "@ohos.base"; 3026 3027let dmInstance: deviceManager.DeviceManager; 3028let deviceId: string | undefined = undefined; 3029 3030try { 3031 dmInstance = deviceManager.createDeviceManager("com.example.appdatamgrverify"); 3032 let devices = dmInstance.getAvailableDeviceListSync(); 3033 if(deviceId != undefined) { 3034 deviceId = devices[0].networkId; 3035 } 3036} catch (err) { 3037 let code = (err as BusinessError).code; 3038 let message = (err as BusinessError).message; 3039 console.error("createDeviceManager errCode:" + code + ",errMessage:" + message); 3040} 3041 3042let predicates = new relationalStore.RdbPredicates('EMPLOYEE'); 3043predicates.greaterThan("id", 0); 3044if(store != undefined && deviceId != undefined) { 3045 (store as relationalStore.RdbStore).remoteQuery(deviceId, "EMPLOYEE", predicates, ["ID", "NAME", "AGE", "SALARY", "CODES"]).then((resultSet: relationalStore.ResultSet) => { 3046 console.info(`ResultSet column names: ${resultSet.columnNames}, column count: ${resultSet.columnCount}`); 3047 // resultSet is a cursor of a data set. By default, the cursor points to the -1st record. Valid data starts from 0. 3048 while (resultSet.goToNextRow()) { 3049 const id = resultSet.getLong(resultSet.getColumnIndex("ID")); 3050 const name = resultSet.getString(resultSet.getColumnIndex("NAME")); 3051 const age = resultSet.getLong(resultSet.getColumnIndex("AGE")); 3052 const salary = resultSet.getDouble(resultSet.getColumnIndex("SALARY")); 3053 console.info(`id=${id}, name=${name}, age=${age}, salary=${salary}`); 3054 } 3055 // Release the dataset memory. 3056 resultSet.close(); 3057 }).catch((err: BusinessError) => { 3058 console.error(`Failed to remoteQuery, code is ${err.code},message is ${err.message}`); 3059 }) 3060} 3061``` 3062 3063### remoteQuery 3064 3065remoteQuery(device: string, table: string, predicates: RdbPredicates, columns: Array<string>): Promise<ResultSet> 3066 3067Queries data from the RDB store of a remote device based on specified conditions. This API uses a promise to return the result. 3068 3069> **NOTE** 3070> 3071> The value of **device** can be obtained by [deviceManager.getAvailableDeviceListSync](js-apis-distributedDeviceManager.md#getavailabledevicelistsync). 3072 3073**System capability**: SystemCapability.DistributedDataManager.RelationalStore.Core 3074 3075**Parameters** 3076 3077| Name | Type | Mandatory| Description | 3078| ---------- | ------------------------------------ | ---- | ------------------------------------------------ | 3079| device | string | Yes | ID of the remote device. | 3080| table | string | Yes | Name of the target table. | 3081| predicates | [RdbPredicates](#rdbpredicates) | Yes | Query conditions specified by the **RdbPredicates** object. | 3082| columns | Array<string> | Yes | Columns to query. If this parameter is not specified, the query applies to all columns.| 3083 3084**Return value** 3085 3086| Type | Description | 3087| ------------------------------------------------------------ | -------------------------------------------------- | 3088| Promise<[ResultSet](#resultset)> | Promise used to return the result. If the operation is successful, a **ResultSet** object will be returned.| 3089 3090**Error codes** 3091 3092For details about the error codes, see [RDB Error Codes](../errorcodes/errorcode-data-rdb.md). 3093 3094| **ID**| **Error Message** | 3095| ------------ | ---------------------------- | 3096| 14800000 | Inner error. | 3097 3098**Example** 3099 3100```ts 3101import deviceManager from '@ohos.distributedDeviceManager'; 3102import { BusinessError } from "@ohos.base"; 3103 3104let dmInstance: deviceManager.DeviceManager; 3105let deviceId: string | undefined = undefined; 3106 3107try { 3108 dmInstance = deviceManager.createDeviceManager("com.example.appdatamgrverify"); 3109 let devices: Array<deviceManager.DeviceBasicInfo> = dmInstance.getAvailableDeviceListSync(); 3110 if(devices != undefined) { 3111 deviceId = devices[0].networkId; 3112 } 3113} catch (err) { 3114 let code = (err as BusinessError).code; 3115 let message = (err as BusinessError).message; 3116 console.error("createDeviceManager errCode:" + code + ",errMessage:" + message); 3117} 3118 3119let predicates = new relationalStore.RdbPredicates('EMPLOYEE'); 3120predicates.greaterThan("id", 0); 3121if(store != undefined && deviceId != undefined) { 3122 (store as relationalStore.RdbStore).remoteQuery(deviceId, "EMPLOYEE", predicates, ["ID", "NAME", "AGE", "SALARY", "CODES"]).then((resultSet: relationalStore.ResultSet) => { 3123 console.info(`ResultSet column names: ${resultSet.columnNames}, column count: ${resultSet.columnCount}`); 3124 // resultSet is a cursor of a data set. By default, the cursor points to the -1st record. Valid data starts from 0. 3125 while (resultSet.goToNextRow()) { 3126 const id = resultSet.getLong(resultSet.getColumnIndex("ID")); 3127 const name = resultSet.getString(resultSet.getColumnIndex("NAME")); 3128 const age = resultSet.getLong(resultSet.getColumnIndex("AGE")); 3129 const salary = resultSet.getDouble(resultSet.getColumnIndex("SALARY")); 3130 console.info(`id=${id}, name=${name}, age=${age}, salary=${salary}`); 3131 } 3132 // Release the dataset memory. 3133 resultSet.close(); 3134 }).catch((err: BusinessError) => { 3135 console.error(`Failed to remoteQuery, code is ${err.code},message is ${err.message}`); 3136 }) 3137} 3138``` 3139 3140### querySql<sup>10+</sup> 3141 3142querySql(sql: string, callback: AsyncCallback<ResultSet>):void 3143 3144Queries data using the specified SQL statement. This API uses an asynchronous callback to return the result. 3145 3146**System capability**: SystemCapability.DistributedDataManager.RelationalStore.Core 3147 3148**Parameters** 3149 3150| Name | Type | Mandatory| Description | 3151| -------- | -------------------------------------------- | ---- | ------------------------------------------------------------ | 3152| sql | string | Yes | SQL statement to run. | 3153| callback | AsyncCallback<[ResultSet](#resultset)> | Yes | Callback invoked to return the result. If the operation is successful, a **ResultSet** object will be returned. | 3154 3155**Error codes** 3156 3157For details about the error codes, see [RDB Error Codes](../errorcodes/errorcode-data-rdb.md). 3158 3159| **ID**| **Error Message** | 3160| ------------ | ---------------------------- | 3161| 14800000 | Inner error. | 3162 3163**Example** 3164 3165```ts 3166if(store != undefined) { 3167 (store as relationalStore.RdbStore).querySql("SELECT * FROM EMPLOYEE CROSS JOIN BOOK WHERE BOOK.NAME = 'sanguo'", (err, resultSet) => { 3168 if (err) { 3169 console.error(`Query failed, code is ${err.code},message is ${err.message}`); 3170 return; 3171 } 3172 console.info(`ResultSet column names: ${resultSet.columnNames}, column count: ${resultSet.columnCount}`); 3173 // resultSet is a cursor of a data set. By default, the cursor points to the -1st record. Valid data starts from 0. 3174 while (resultSet.goToNextRow()) { 3175 const id = resultSet.getLong(resultSet.getColumnIndex("ID")); 3176 const name = resultSet.getString(resultSet.getColumnIndex("NAME")); 3177 const age = resultSet.getLong(resultSet.getColumnIndex("AGE")); 3178 const salary = resultSet.getDouble(resultSet.getColumnIndex("SALARY")); 3179 console.info(`id=${id}, name=${name}, age=${age}, salary=${salary}`); 3180 } 3181 // Release the dataset memory. 3182 resultSet.close(); 3183 }) 3184} 3185``` 3186 3187### querySql 3188 3189querySql(sql: string, bindArgs: Array<ValueType>, callback: AsyncCallback<ResultSet>):void 3190 3191Queries data using the specified SQL statement. This API uses an asynchronous callback to return the result. 3192 3193**System capability**: SystemCapability.DistributedDataManager.RelationalStore.Core 3194 3195**Parameters** 3196 3197| Name | Type | Mandatory| Description | 3198| -------- | -------------------------------------------- | ---- | ------------------------------------------------------------ | 3199| sql | string | Yes | SQL statement to run. | 3200| bindArgs | Array<[ValueType](#valuetype)> | Yes | Arguments in the SQL statement. The value corresponds to the placeholders in the SQL parameter statement. If the SQL parameter statement is complete, the value of this parameter must be an empty array.| 3201| callback | AsyncCallback<[ResultSet](#resultset)> | Yes | Callback invoked to return the result. If the operation is successful, a **ResultSet** object will be returned. | 3202 3203**Error codes** 3204 3205For details about the error codes, see [RDB Error Codes](../errorcodes/errorcode-data-rdb.md). 3206 3207| **ID**| **Error Message** | 3208| ------------ | ---------------------------- | 3209| 14800000 | Inner error. | 3210 3211**Example** 3212 3213```ts 3214if(store != undefined) { 3215 (store as relationalStore.RdbStore).querySql("SELECT * FROM EMPLOYEE CROSS JOIN BOOK WHERE BOOK.NAME = ?", ['sanguo'], (err, resultSet) => { 3216 if (err) { 3217 console.error(`Query failed, code is ${err.code},message is ${err.message}`); 3218 return; 3219 } 3220 console.info(`ResultSet column names: ${resultSet.columnNames}, column count: ${resultSet.columnCount}`); 3221 // resultSet is a cursor of a data set. By default, the cursor points to the -1st record. Valid data starts from 0. 3222 while (resultSet.goToNextRow()) { 3223 const id = resultSet.getLong(resultSet.getColumnIndex("ID")); 3224 const name = resultSet.getString(resultSet.getColumnIndex("NAME")); 3225 const age = resultSet.getLong(resultSet.getColumnIndex("AGE")); 3226 const salary = resultSet.getDouble(resultSet.getColumnIndex("SALARY")); 3227 console.info(`id=${id}, name=${name}, age=${age}, salary=${salary}`); 3228 } 3229 // Release the dataset memory. 3230 resultSet.close(); 3231 }) 3232} 3233``` 3234 3235### querySql 3236 3237querySql(sql: string, bindArgs?: Array<ValueType>):Promise<ResultSet> 3238 3239Queries data using the specified SQL statement. This API uses a promise to return the result. 3240 3241**System capability**: SystemCapability.DistributedDataManager.RelationalStore.Core 3242 3243**Parameters** 3244 3245| Name | Type | Mandatory| Description | 3246| -------- | ------------------------------------ | ---- | ------------------------------------------------------------ | 3247| sql | string | Yes | SQL statement to run. | 3248| bindArgs | Array<[ValueType](#valuetype)> | No | Arguments in the SQL statement. The value corresponds to the placeholders in the SQL parameter statement. If the SQL parameter statement is complete, leave this parameter blank.| 3249 3250**Return value** 3251 3252| Type | Description | 3253| ------------------------------------------------------- | -------------------------------------------------- | 3254| Promise<[ResultSet](#resultset)> | Promise used to return the result. If the operation is successful, a **ResultSet** object will be returned.| 3255 3256**Error codes** 3257 3258For details about the error codes, see [RDB Error Codes](../errorcodes/errorcode-data-rdb.md). 3259 3260| **ID**| **Error Message** | 3261| ------------ | ---------------------------- | 3262| 14800000 | Inner error. | 3263 3264**Example** 3265 3266```ts 3267import { BusinessError } from "@ohos.base"; 3268 3269if(store != undefined) { 3270 (store as relationalStore.RdbStore).querySql("SELECT * FROM EMPLOYEE CROSS JOIN BOOK WHERE BOOK.NAME = 'sanguo'").then((resultSet: relationalStore.ResultSet) => { 3271 console.info(`ResultSet column names: ${resultSet.columnNames}, column count: ${resultSet.columnCount}`); 3272 // resultSet is a cursor of a data set. By default, the cursor points to the -1st record. Valid data starts from 0. 3273 while (resultSet.goToNextRow()) { 3274 const id = resultSet.getLong(resultSet.getColumnIndex("ID")); 3275 const name = resultSet.getString(resultSet.getColumnIndex("NAME")); 3276 const age = resultSet.getLong(resultSet.getColumnIndex("AGE")); 3277 const salary = resultSet.getDouble(resultSet.getColumnIndex("SALARY")); 3278 console.info(`id=${id}, name=${name}, age=${age}, salary=${salary}`); 3279 } 3280 // Release the dataset memory. 3281 resultSet.close(); 3282 }).catch((err: BusinessError) => { 3283 console.error(`Query failed, code is ${err.code},message is ${err.message}`); 3284 }) 3285} 3286``` 3287 3288### executeSql<sup>10+</sup> 3289 3290executeSql(sql: string, callback: AsyncCallback<void>):void 3291 3292Executes an SQL statement that contains specified arguments but returns no value. This API uses an asynchronous callback to return the result. 3293 3294**System capability**: SystemCapability.DistributedDataManager.RelationalStore.Core 3295 3296**Parameters** 3297 3298| Name | Type | Mandatory| Description | 3299| -------- | ------------------------------------ | ---- | ------------------------------------------------------------ | 3300| sql | string | Yes | SQL statement to run. | 3301| callback | AsyncCallback<void> | Yes | Callback invoked to return the result. | 3302 3303**Error codes** 3304 3305For details about the error codes, see [RDB Error Codes](../errorcodes/errorcode-data-rdb.md). 3306 3307| **ID**| **Error Message** | 3308| ------------ | -------------------------------------------- | 3309| 14800047 | The WAL file size exceeds the default limit. | 3310| 14800000 | Inner error. | 3311 3312**Example** 3313 3314```ts 3315const SQL_DELETE_TABLE = "DELETE FROM test WHERE name = 'zhangsan'" 3316if(store != undefined) { 3317 (store as relationalStore.RdbStore).executeSql(SQL_DELETE_TABLE, (err) => { 3318 if (err) { 3319 console.error(`ExecuteSql failed, code is ${err.code},message is ${err.message}`); 3320 return; 3321 } 3322 console.info('Delete table done.'); 3323 }) 3324} 3325``` 3326 3327### executeSql 3328 3329executeSql(sql: string, bindArgs: Array<ValueType>, callback: AsyncCallback<void>):void 3330 3331Executes an SQL statement that contains specified arguments but returns no value. This API uses an asynchronous callback to return the result. 3332 3333**System capability**: SystemCapability.DistributedDataManager.RelationalStore.Core 3334 3335**Parameters** 3336 3337| Name | Type | Mandatory| Description | 3338| -------- | ------------------------------------ | ---- | ------------------------------------------------------------ | 3339| sql | string | Yes | SQL statement to run. | 3340| bindArgs | Array<[ValueType](#valuetype)> | Yes | Arguments in the SQL statement. The value corresponds to the placeholders in the SQL parameter statement. If the SQL parameter statement is complete, the value of this parameter must be an empty array.| 3341| callback | AsyncCallback<void> | Yes | Callback invoked to return the result. | 3342 3343**Error codes** 3344 3345For details about the error codes, see [RDB Error Codes](../errorcodes/errorcode-data-rdb.md). 3346 3347| **ID**| **Error Message** | 3348| ------------ | -------------------------------------------- | 3349| 14800047 | The WAL file size exceeds the default limit. | 3350| 14800000 | Inner error. | 3351 3352**Example** 3353 3354```ts 3355const SQL_DELETE_TABLE = "DELETE FROM test WHERE name = ?" 3356if(store != undefined) { 3357 (store as relationalStore.RdbStore).executeSql(SQL_DELETE_TABLE, ['zhangsan'], (err) => { 3358 if (err) { 3359 console.error(`ExecuteSql failed, code is ${err.code},message is ${err.message}`); 3360 return; 3361 } 3362 console.info('Delete table done.'); 3363 }) 3364} 3365``` 3366 3367### executeSql 3368 3369executeSql(sql: string, bindArgs?: Array<ValueType>):Promise<void> 3370 3371Executes an SQL statement that contains specified arguments but returns no value. This API uses a promise to return the result. 3372 3373**System capability**: SystemCapability.DistributedDataManager.RelationalStore.Core 3374 3375**Parameters** 3376 3377| Name | Type | Mandatory| Description | 3378| -------- | ------------------------------------ | ---- | ------------------------------------------------------------ | 3379| sql | string | Yes | SQL statement to run. | 3380| bindArgs | Array<[ValueType](#valuetype)> | No | Arguments in the SQL statement. The value corresponds to the placeholders in the SQL parameter statement. If the SQL parameter statement is complete, leave this parameter blank.| 3381 3382**Return value** 3383 3384| Type | Description | 3385| ------------------- | ------------------------- | 3386| Promise<void> | Promise that returns no value.| 3387 3388**Error codes** 3389 3390For details about the error codes, see [RDB Error Codes](../errorcodes/errorcode-data-rdb.md). 3391 3392| **ID**| **Error Message** | 3393| ------------ | -------------------------------------------- | 3394| 14800047 | The WAL file size exceeds the default limit. | 3395| 14800000 | Inner error. | 3396 3397**Example** 3398 3399```ts 3400import { BusinessError } from "@ohos.base"; 3401 3402const SQL_DELETE_TABLE = "DELETE FROM test WHERE name = 'zhangsan'" 3403if(store != undefined) { 3404 (store as relationalStore.RdbStore).executeSql(SQL_DELETE_TABLE).then(() => { 3405 console.info('Delete table done.'); 3406 }).catch((err: BusinessError) => { 3407 console.error(`ExecuteSql failed, code is ${err.code},message is ${err.message}`); 3408 }) 3409} 3410``` 3411 3412### getModifyTime<sup>10+</sup> 3413 3414getModifyTime(table: string, columnName: string, primaryKeys: PRIKeyType[], callback: AsyncCallback<ModifyTime>): void 3415 3416Obtains the last modification time of the data in a table. This API uses an asynchronous callback to return the result. 3417 3418**System capability**: SystemCapability.DistributedDataManager.RelationalStore.Core 3419 3420**Parameters** 3421 3422| Name | Type | Mandatory| Description | 3423| ----------- | ------------------------------------------------ | ---- | ------------------------------------------------------------ | 3424| table | string | Yes | Name of the database table to query. | 3425| columnName | string | Yes | Column name of the database table to query. | 3426| primaryKeys | [PRIKeyType](#prikeytype10)[] | Yes | Primary keys of the rows to query.<br>If the database table has no primary key, **rowid** must be passed in through **columnName**. In this case, **primaryKeys** specifies the row numbers of the database table to query.<br>If the database table has no primary key and no **rowid** is passed in through **columnName**, an error code will be returned.| 3427| callback | AsyncCallback<[ModifyTime](#modifytime10)> | Yes | Callback invoked to return the result. If the operation is successful, the **ModifyTime** object is returned.| 3428 3429**Error codes** 3430 3431For details about the error codes, see [RDB Error Codes](../errorcodes/errorcode-data-rdb.md). 3432 3433| **ID**| **Error Message**| 3434| ------------ | ------------ | 3435| 14800000 | Inner error. | 3436 3437**Example** 3438 3439```ts 3440let PRIKey = [1, 4, 2, 3]; 3441if(store != undefined) { 3442 (store as relationalStore.RdbStore).getModifyTime("EMPLOYEE", "NAME", PRIKey, (err, modifyTime: relationalStore.ModifyTime) => { 3443 if (err) { 3444 console.error(`getModifyTime failed, code is ${err.code},message is ${err.message}`); 3445 return; 3446 } 3447 let size = modifyTime.size; 3448 }); 3449} 3450``` 3451 3452### getModifyTime<sup>10+</sup> 3453 3454getModifyTime(table: string, columnName: string, primaryKeys: PRIKeyType[]): Promise<ModifyTime> 3455 3456Obtains the last modification time of the data in a table. This API uses a promise to return the result. 3457 3458**System capability**: SystemCapability.DistributedDataManager.RelationalStore.Core 3459 3460**Parameters** 3461 3462| Name | Type | Mandatory| Description | 3463| ----------- | ----------------------------- | ---- | ------------------------------------------------------------ | 3464| table | string | Yes | Name of the database table to query. | 3465| columnName | string | Yes | Column name of the database table to query. | 3466| primaryKeys | [PRIKeyType](#prikeytype10)[] | Yes | Primary keys of the rows to query.<br>If the database table has no primary key, **rowid** must be passed in through **columnName**. In this case, **primaryKeys** specifies the row numbers of the database table to query.<br>If the database table has no primary key and no **rowid** is passed in through **columnName**, an error code will be returned.| 3467 3468**Return value** 3469 3470| Type | Description | 3471| ------------------------------------------ | --------------------------------------------------------- | 3472| Promise<[ModifyTime](#modifytime10)> | Promise used to return the **ModifyTime** object.| 3473 3474**Error codes** 3475 3476For details about the error codes, see [RDB Error Codes](../errorcodes/errorcode-data-rdb.md). 3477 3478| **ID**| **Error Message**| 3479| ------------ | ------------ | 3480| 14800000 | Inner error. | 3481 3482**Example** 3483 3484```ts 3485import { BusinessError } from "@ohos.base"; 3486 3487let PRIKey = [1, 2, 3]; 3488if(store != undefined) { 3489 (store as relationalStore.RdbStore).getModifyTime("EMPLOYEE", "NAME", PRIKey) 3490 .then((modifyTime: relationalStore.ModifyTime) => { 3491 let size = modifyTime.size; 3492 }) 3493 .catch((err: BusinessError) => { 3494 console.error(`getModifyTime failed, code is ${err.code},message is ${err.message}`); 3495 }); 3496} 3497``` 3498 3499### beginTransaction 3500 3501beginTransaction():void 3502 3503Starts the transaction before executing an SQL statement. 3504This API cannot be used in multi-process or multi-thread scenarios. 3505 3506**System capability**: SystemCapability.DistributedDataManager.RelationalStore.Core 3507 3508**Error codes** 3509 3510For details about the error codes, see [RDB Error Codes](../errorcodes/errorcode-data-rdb.md). 3511 3512| **ID**| **Error Message** | 3513| ------------ | -------------------------------------------- | 3514| 14800047 | The WAL file size exceeds the default limit. | 3515| 14800000 | Inner error. | 3516 3517**Example** 3518 3519```ts 3520import featureAbility from '@ohos.ability.featureAbility' 3521import { ValuesBucket } from '@ohos.data.ValuesBucket'; 3522 3523let key1 = "name"; 3524let key2 = "age"; 3525let key3 = "SALARY"; 3526let key4 = "blobType"; 3527let value1 = "Lisa"; 3528let value2 = 18; 3529let value3 = 100.5; 3530let value4 = new Uint8Array([1, 2, 3]); 3531 3532store.beginTransaction(); 3533const valueBucket: ValuesBucket = { 3534 key1: value1, 3535 key2: value2, 3536 key3: value3, 3537 key4: value4, 3538}; 3539store.insert("test", valueBucket); 3540store.commit(); 3541``` 3542 3543### commit 3544 3545commit():void 3546 3547Commits the executed SQL statements. 3548This API cannot be used in multi-process or multi-thread scenarios. 3549 3550**System capability**: SystemCapability.DistributedDataManager.RelationalStore.Core 3551 3552**Example** 3553 3554```ts 3555import { ValuesBucket } from '@ohos.data.ValuesBucket'; 3556 3557let key1 = "name"; 3558let key2 = "age"; 3559let key3 = "SALARY"; 3560let key4 = "blobType"; 3561let value1 = "Lisa"; 3562let value2 = 18; 3563let value3 = 100.5; 3564let value4 = new Uint8Array([1, 2, 3]); 3565 3566store.beginTransaction(); 3567const valueBucket: ValuesBucket = { 3568 key1: value1, 3569 key2: value2, 3570 key3: value3, 3571 key4: value4, 3572}; 3573store.insert("test", valueBucket); 3574store.commit(); 3575``` 3576 3577### rollBack 3578 3579rollBack():void 3580 3581Rolls back the SQL statements that have been executed. 3582This API cannot be used in multi-process or multi-thread scenarios. 3583 3584**System capability**: SystemCapability.DistributedDataManager.RelationalStore.Core 3585 3586**Example** 3587 3588```ts 3589import { ValuesBucket } from '@ohos.data.ValuesBucket'; 3590 3591let key1 = "name"; 3592let key2 = "age"; 3593let key3 = "SALARY"; 3594let key4 = "blobType"; 3595let value1 = "Lisa"; 3596let value2 = 18; 3597let value3 = 100.5; 3598let value4 = new Uint8Array([1, 2, 3]); 3599 3600try { 3601 store.beginTransaction() 3602 const valueBucket: ValuesBucket = { 3603 key1: value1, 3604 key2: value2, 3605 key3: value3, 3606 key4: value4, 3607 }; 3608 store.insert("test", valueBucket); 3609 store.commit(); 3610} catch (err) { 3611 let code = (err as BusinessError).code; 3612 let message = (err as BusinessError).message 3613 console.error(`Transaction failed, code is ${code},message is ${message}`); 3614 store.rollBack(); 3615} 3616``` 3617 3618### backup 3619 3620backup(destName:string, callback: AsyncCallback<void>):void 3621 3622Backs up an RDB store. This API uses an asynchronous callback to return the result. 3623 3624**System capability**: SystemCapability.DistributedDataManager.RelationalStore.Core 3625 3626**Parameters** 3627 3628| Name | Type | Mandatory| Description | 3629| -------- | ------------------------- | ---- | ------------------------ | 3630| destName | string | Yes | Name of the RDB store backup file.| 3631| callback | AsyncCallback<void> | Yes | Callback invoked to return the result. | 3632 3633**Error codes** 3634 3635For details about the error codes, see [RDB Error Codes](../errorcodes/errorcode-data-rdb.md). 3636 3637| **ID**| **Error Message** | 3638| ------------ | ---------------------------- | 3639| 14800000 | Inner error. | 3640 3641**Example** 3642 3643```ts 3644if(store != undefined) { 3645 (store as relationalStore.RdbStore).backup("dbBackup.db", (err) => { 3646 if (err) { 3647 console.error(`Backup failed, code is ${err.code},message is ${err.message}`); 3648 return; 3649 } 3650 console.info('Backup success.'); 3651 }) 3652} 3653``` 3654 3655### backup 3656 3657backup(destName:string): Promise<void> 3658 3659Backs up an RDB store. This API uses a promise to return the result. 3660 3661**System capability**: SystemCapability.DistributedDataManager.RelationalStore.Core 3662 3663**Parameters** 3664 3665| Name | Type | Mandatory| Description | 3666| -------- | ------ | ---- | ------------------------ | 3667| destName | string | Yes | Name of the RDB store backup file.| 3668 3669**Return value** 3670 3671| Type | Description | 3672| ------------------- | ------------------------- | 3673| Promise<void> | Promise that returns no value.| 3674 3675**Error codes** 3676 3677For details about the error codes, see [RDB Error Codes](../errorcodes/errorcode-data-rdb.md). 3678 3679| **ID**| **Error Message** | 3680| ------------ | ---------------------------- | 3681| 14800000 | Inner error. | 3682 3683**Example** 3684 3685```ts 3686import { BusinessError } from "@ohos.base"; 3687 3688if(store != undefined) { 3689 let promiseBackup = (store as relationalStore.RdbStore).backup("dbBackup.db"); 3690 promiseBackup.then(() => { 3691 console.info('Backup success.'); 3692 }).catch((err: BusinessError) => { 3693 console.error(`Backup failed, code is ${err.code},message is ${err.message}`); 3694 }) 3695} 3696``` 3697 3698### restore 3699 3700restore(srcName:string, callback: AsyncCallback<void>):void 3701 3702Restores an RDB store from a backup file. This API uses an asynchronous callback to return the result. 3703 3704**System capability**: SystemCapability.DistributedDataManager.RelationalStore.Core 3705 3706**Parameters** 3707 3708| Name | Type | Mandatory| Description | 3709| -------- | ------------------------- | ---- | ------------------------ | 3710| srcName | string | Yes | Name of the RDB store backup file.| 3711| callback | AsyncCallback<void> | Yes | Callback invoked to return the result. | 3712 3713**Error codes** 3714 3715For details about the error codes, see [RDB Error Codes](../errorcodes/errorcode-data-rdb.md). 3716 3717| **ID**| **Error Message** | 3718| ------------ | ---------------------------- | 3719| 14800000 | Inner error. | 3720 3721**Example** 3722 3723```ts 3724if(store != undefined) { 3725 (store as relationalStore.RdbStore).restore("dbBackup.db", (err) => { 3726 if (err) { 3727 console.error(`Restore failed, code is ${err.code},message is ${err.message}`); 3728 return; 3729 } 3730 console.info('Restore success.'); 3731 }) 3732} 3733``` 3734 3735### restore 3736 3737restore(srcName:string): Promise<void> 3738 3739Restores an RDB store from a backup file. This API uses a promise to return the result. 3740 3741**System capability**: SystemCapability.DistributedDataManager.RelationalStore.Core 3742 3743**Parameters** 3744 3745| Name | Type | Mandatory| Description | 3746| ------- | ------ | ---- | ------------------------ | 3747| srcName | string | Yes | Name of the RDB store backup file.| 3748 3749**Return value** 3750 3751| Type | Description | 3752| ------------------- | ------------------------- | 3753| Promise<void> | Promise that returns no value.| 3754 3755**Error codes** 3756 3757For details about the error codes, see [RDB Error Codes](../errorcodes/errorcode-data-rdb.md). 3758 3759| **ID**| **Error Message** | 3760| ------------ | ---------------------------- | 3761| 14800000 | Inner error. | 3762 3763**Example** 3764 3765```ts 3766import { BusinessError } from "@ohos.base"; 3767 3768if(store != undefined) { 3769 let promiseRestore = (store as relationalStore.RdbStore).restore("dbBackup.db"); 3770 promiseRestore.then(() => { 3771 console.info('Restore success.'); 3772 }).catch((err: BusinessError) => { 3773 console.error(`Restore failed, code is ${err.code},message is ${err.message}`); 3774 }) 3775} 3776``` 3777 3778### setDistributedTables 3779 3780setDistributedTables(tables: Array<string>, callback: AsyncCallback<void>): void 3781 3782Sets distributed tables. This API uses an asynchronous callback to return the result. 3783 3784**Required permissions**: ohos.permission.DISTRIBUTED_DATASYNC 3785 3786**System capability**: SystemCapability.DistributedDataManager.RelationalStore.Core 3787 3788**Parameters** 3789 3790| Name | Type | Mandatory| Description | 3791| -------- | ------------------------- | ---- | ---------------------- | 3792| tables | Array<string> | Yes | Names of the distributed tables to set.| 3793| callback | AsyncCallback<void> | Yes | Callback invoked to return the result.| 3794 3795**Error codes** 3796 3797For details about the error codes, see [RDB Error Codes](../errorcodes/errorcode-data-rdb.md). 3798 3799| **ID**| **Error Message** | 3800| ------------ | ---------------------------- | 3801| 14800000 | Inner error. | 3802 3803**Example** 3804 3805```ts 3806if(store != undefined) { 3807 (store as relationalStore.RdbStore).setDistributedTables(["EMPLOYEE"], (err) => { 3808 if (err) { 3809 console.error(`SetDistributedTables failed, code is ${err.code},message is ${err.message}`); 3810 return; 3811 } 3812 console.info('SetDistributedTables successfully.'); 3813 }) 3814} 3815``` 3816 3817### setDistributedTables 3818 3819 setDistributedTables(tables: Array<string>): Promise<void> 3820 3821Sets distributed tables. This API uses a promise to return the result. 3822 3823**Required permissions**: ohos.permission.DISTRIBUTED_DATASYNC 3824 3825**System capability**: SystemCapability.DistributedDataManager.RelationalStore.Core 3826 3827**Parameters** 3828 3829| Name| Type | Mandatory| Description | 3830| ------ | ------------------------ | ---- | ------------------------ | 3831| tables | ArrayArray<string> | Yes | Names of the distributed tables to set.| 3832 3833**Return value** 3834 3835| Type | Description | 3836| ------------------- | ------------------------- | 3837| Promise<void> | Promise that returns no value.| 3838 3839**Error codes** 3840 3841For details about the error codes, see [RDB Error Codes](../errorcodes/errorcode-data-rdb.md). 3842 3843| **ID**| **Error Message**| 3844| ------------ | ------------ | 3845| 14800000 | Inner error. | 3846 3847**Example** 3848 3849```ts 3850import { BusinessError } from "@ohos.base"; 3851 3852if(store != undefined) { 3853 (store as relationalStore.RdbStore).setDistributedTables(["EMPLOYEE"]).then(() => { 3854 console.info('SetDistributedTables successfully.'); 3855 }).catch((err: BusinessError) => { 3856 console.error(`SetDistributedTables failed, code is ${err.code},message is ${err.message}`); 3857 }) 3858} 3859``` 3860 3861### setDistributedTables<sup>10+</sup> 3862 3863setDistributedTables(tables: Array<string>, type: DistributedType, callback: AsyncCallback<void>): void 3864 3865Sets distributed tables. This API uses an asynchronous callback to return the result. 3866 3867**Required permissions**: ohos.permission.DISTRIBUTED_DATASYNC 3868 3869**System capability**: SystemCapability.DistributedDataManager.RelationalStore.Core 3870 3871**Parameters** 3872 3873| Name | Type | Mandatory| Description | 3874| -------- | ------------------------------------- | ---- | ---------------------------- | 3875| tables | Array<string> | Yes | Names of the distributed tables to set.| 3876| type | [DistributedType](#distributedtype10) | Yes | Distributed type of the tables. | 3877| callback | AsyncCallback<void> | Yes | Callback invoked to return the result. | 3878 3879**Error codes** 3880 3881For details about the error codes, see [RDB Error Codes](../errorcodes/errorcode-data-rdb.md). 3882 3883| **ID**| **Error Message**| 3884| ------------ | ------------ | 3885| 14800000 | Inner error. | 3886| 14800051 |The type of the distributed table does not match.| 3887 3888**Example** 3889 3890```ts 3891if(store != undefined) { 3892 (store as relationalStore.RdbStore).setDistributedTables(["EMPLOYEE"], relationalStore.DistributedType.DISTRIBUTED_CLOUD, (err) => { 3893 if (err) { 3894 console.error(`SetDistributedTables failed, code is ${err.code},message is ${err.message}`); 3895 return; 3896 } 3897 console.info('SetDistributedTables successfully.'); 3898 }) 3899} 3900``` 3901 3902 3903 3904### setDistributedTables<sup>10+</sup> 3905 3906setDistributedTables(tables: Array<string>, type: DistributedType, config: DistributedConfig, callback: AsyncCallback<void>): void 3907 3908Sets distributed tables. This API uses an asynchronous callback to return the result. 3909 3910**Required permissions**: ohos.permission.DISTRIBUTED_DATASYNC 3911 3912**System capability**: SystemCapability.DistributedDataManager.RelationalStore.Core 3913 3914**Parameters** 3915 3916| Name | Type | Mandatory | Description | 3917| -------- | ----------------------------------- | --- | --------------- | 3918| tables | Array<string> | Yes | Names of the distributed tables to set. | 3919| type | [DistributedType](#distributedtype10) | Yes | Distributed type of the tables.| 3920| config | [DistributedConfig](#distributedconfig10) | Yes| Configuration of the distributed mode.| 3921| callback | AsyncCallback<void> | Yes | Callback invoked to return the result.| 3922 3923**Error codes** 3924 3925For details about the error codes, see [RDB Error Codes](../errorcodes/errorcode-data-rdb.md). 3926 3927| **ID**| **Error Message** | 3928| ------------ | ------------------------------------------------- | 3929| 14800000 | Inner error. | 3930| 14800051 | The type of the distributed table does not match. | 3931 3932**Example** 3933 3934```ts 3935if(store != undefined) { 3936 (store as relationalStore.RdbStore).setDistributedTables(["EMPLOYEE"], relationalStore.DistributedType.DISTRIBUTED_CLOUD, { 3937 autoSync: true 3938 }, (err) => { 3939 if (err) { 3940 console.error(`SetDistributedTables failed, code is ${err.code},message is ${err.message}`); 3941 return; 3942 } 3943 console.info('SetDistributedTables successfully.'); 3944 }) 3945} 3946``` 3947 3948### setDistributedTables<sup>10+</sup> 3949 3950 setDistributedTables(tables: Array<string>, type?: DistributedType, config?: DistributedConfig): Promise<void> 3951 3952Sets distributed tables. This API uses a promise to return the result. 3953 3954**Required permissions**: ohos.permission.DISTRIBUTED_DATASYNC 3955 3956**System capability**: SystemCapability.DistributedDataManager.RelationalStore.Core 3957 3958**Parameters** 3959 3960| Name| Type | Mandatory| Description | 3961| ------ | ----------------------------------------- | ---- | ------------------------------------------------------------ | 3962| tables | Array<string> | Yes | Names of the distributed tables to set. | 3963| type | [DistributedType](#distributedtype10) | No | Distributed type of the tables. The default value is **relationalStore.DistributedType.DISTRIBUTED_DEVICE**.| 3964| config | [DistributedConfig](#distributedconfig10) | No | Configuration of the distributed mode. If this parameter is not specified, the value of **autoSync** is **false** by default, which means only manual synchronization is supported.| 3965 3966**Return value** 3967 3968| Type | Description | 3969| ------------------- | ------------------------- | 3970| Promise<void> | Promise that returns no value.| 3971 3972**Error codes** 3973 3974For details about the error codes, see [RDB Error Codes](../errorcodes/errorcode-data-rdb.md). 3975 3976| **ID**| **Error Message** | 3977| ------------ | ------------------------------------------------- | 3978| 14800000 | Inner error. | 3979| 14800051 | The type of the distributed table does not match. | 3980 3981**Example** 3982 3983```ts 3984import { BusinessError } from "@ohos.base"; 3985 3986if(store != undefined) { 3987 (store as relationalStore.RdbStore).setDistributedTables(["EMPLOYEE"], relationalStore.DistributedType.DISTRIBUTED_CLOUD, { 3988 autoSync: true 3989 }).then(() => { 3990 console.info('SetDistributedTables successfully.'); 3991 }).catch((err: BusinessError) => { 3992 console.error(`SetDistributedTables failed, code is ${err.code},message is ${err.message}`); 3993 }) 3994} 3995``` 3996 3997### obtainDistributedTableName 3998 3999obtainDistributedTableName(device: string, table: string, callback: AsyncCallback<string>): void 4000 4001Obtains the distributed table name of a remote device based on the local table name of the device. The distributed table name is required when the RDB store of a remote device is queried. 4002 4003> **NOTE** 4004> 4005> The value of **device** can be obtained by [deviceManager.getAvailableDeviceListSync](js-apis-distributedDeviceManager.md#getavailabledevicelistsync). 4006 4007**Required permissions**: ohos.permission.DISTRIBUTED_DATASYNC 4008 4009**System capability**: SystemCapability.DistributedDataManager.RelationalStore.Core 4010 4011**Parameters** 4012 4013| Name | Type | Mandatory| Description | 4014| -------- | --------------------------- | ---- | ------------------------------------------------------------ | 4015| device | string | Yes | ID of the remote device. | 4016| table | string | Yes | Local table name of the remote device. | 4017| callback | AsyncCallback<string> | Yes | Callback invoked to return the result. If the operation succeeds, the distributed table name of the remote device is returned.| 4018 4019**Error codes** 4020 4021For details about the error codes, see [RDB Error Codes](../errorcodes/errorcode-data-rdb.md). 4022 4023| **ID**| **Error Message** | 4024| ------------ | ---------------------------- | 4025| 14800000 | Inner error. | 4026 4027**Example** 4028 4029```ts 4030import deviceManager from '@ohos.distributedDeviceManager'; 4031 4032let dmInstance: deviceManager.DeviceManager; 4033let deviceId: string | undefined = undefined; 4034 4035try { 4036 dmInstance = deviceManager.createDeviceManager("com.example.appdatamgrverify"); 4037 let devices = dmInstance.getAvailableDeviceListSync(); 4038 deviceId = devices[0].networkId; 4039} catch (err) { 4040 let code = (err as BusinessError).code; 4041 let message = (err as BusinessError).message 4042 console.error("createDeviceManager errCode:" + code + ",errMessage:" + message); 4043} 4044 4045if(store != undefined && deviceId != undefined) { 4046 (store as relationalStore.RdbStore).obtainDistributedTableName(deviceId, "EMPLOYEE", (err, tableName) => { 4047 if (err) { 4048 console.error(`ObtainDistributedTableName failed, code is ${err.code},message is ${err.message}`); 4049 return; 4050 } 4051 console.info(`ObtainDistributedTableName successfully, tableName= ${tableName}`); 4052 }) 4053} 4054``` 4055 4056### obtainDistributedTableName 4057 4058 obtainDistributedTableName(device: string, table: string): Promise<string> 4059 4060Obtains the distributed table name of a remote device based on the local table name of the device. The distributed table name is required when the RDB store of a remote device is queried. 4061 4062> **NOTE** 4063> 4064> The value of **device** can be obtained by [deviceManager.getAvailableDeviceListSync](js-apis-distributedDeviceManager.md#getavailabledevicelistsync). 4065 4066**Required permissions**: ohos.permission.DISTRIBUTED_DATASYNC 4067 4068**System capability**: SystemCapability.DistributedDataManager.RelationalStore.Core 4069 4070**Parameters** 4071 4072| Name| Type | Mandatory| Description | 4073| ------ | ------ | ---- | -------------------- | 4074| device | string | Yes | ID of the remote device. | 4075| table | string | Yes | Local table name of the remote device.| 4076 4077**Return value** 4078 4079| Type | Description | 4080| --------------------- | ----------------------------------------------------- | 4081| Promise<string> | Promise used to return the result. If the operation succeeds, the distributed table name of the remote device is returned.| 4082 4083**Error codes** 4084 4085For details about the error codes, see [RDB Error Codes](../errorcodes/errorcode-data-rdb.md). 4086 4087| **ID**| **Error Message** | 4088| ------------ | ---------------------------- | 4089| 14800000 | Inner error. | 4090 4091**Example** 4092 4093```ts 4094import deviceManager from '@ohos.distributedDeviceManager'; 4095import { BusinessError } from "@ohos.base"; 4096 4097let dmInstance: deviceManager.DeviceManager; 4098let deviceId: string | undefined = undefined; 4099 4100try { 4101 dmInstance = deviceManager.createDeviceManager("com.example.appdatamgrverify"); 4102 let devices = dmInstance.getAvailableDeviceListSync(); 4103 deviceId = devices[0].networkId; 4104} catch (err) { 4105 let code = (err as BusinessError).code; 4106 let message = (err as BusinessError).message 4107 console.error("createDeviceManager errCode:" + code + ",errMessage:" + message); 4108} 4109 4110if(store != undefined && deviceId != undefined) { 4111 (store as relationalStore.RdbStore).obtainDistributedTableName(deviceId, "EMPLOYEE").then((tableName: string) => { 4112 console.info(`ObtainDistributedTableName successfully, tableName= ${tableName}`); 4113 }).catch((err: BusinessError) => { 4114 console.error(`ObtainDistributedTableName failed, code is ${err.code},message is ${err.message}`); 4115 }) 4116} 4117``` 4118 4119### sync 4120 4121sync(mode: SyncMode, predicates: RdbPredicates, callback: AsyncCallback<Array<[string, number]>>): void 4122 4123Synchronizes data between devices. This API uses an asynchronous callback to return the result. 4124 4125**Required permissions**: ohos.permission.DISTRIBUTED_DATASYNC 4126 4127**System capability**: SystemCapability.DistributedDataManager.RelationalStore.Core 4128 4129**Parameters** 4130 4131| Name | Type | Mandatory| Description | 4132| ---------- | -------------------------------------------------- | ---- | ------------------------------------------------------------ | 4133| mode | [SyncMode](#syncmode) | Yes | Data synchronization mode. The value can be **relationalStore.SyncMode.SYNC_MODE_PUSH** or **relationalStore.SyncMode.SYNC_MODE_PULL**. | 4134| predicates | [RdbPredicates](#rdbpredicates) | Yes | **RdbPredicates** object that specifies the data and devices to synchronize. | 4135| callback | AsyncCallback<Array<[string, number]>> | Yes | Callback invoked to send the synchronization result to the caller. <br>**string** indicates the device ID. <br>**number** indicates the synchronization status of that device. The value **0** indicates a successful synchronization. Other values indicate a synchronization failure. | 4136 4137**Error codes** 4138 4139For details about the error codes, see [RDB Error Codes](../errorcodes/errorcode-data-rdb.md). 4140 4141| **ID**| **Error Message** | 4142| ------------ | ---------------------------- | 4143| 14800000 | Inner error. | 4144 4145**Example** 4146 4147```ts 4148import deviceManager from '@ohos.distributedDeviceManager'; 4149 4150let dmInstance: deviceManager.DeviceManager; 4151let deviceIds: Array<string> = []; 4152 4153try { 4154 dmInstance = deviceManager.createDeviceManager("com.example.appdatamgrverify"); 4155 let devices: Array<deviceManager.DeviceBasicInfo> = dmInstance.getAvailableDeviceListSync(); 4156 for (let i = 0; i < devices.length; i++) { 4157 deviceIds[i] = devices[i].networkId!; 4158 } 4159} catch (err) { 4160 let code = (err as BusinessError).code; 4161 let message = (err as BusinessError).message 4162 console.error("createDeviceManager errCode:" + code + ",errMessage:" + message); 4163} 4164 4165let predicates = new relationalStore.RdbPredicates('EMPLOYEE'); 4166predicates.inDevices(deviceIds); 4167if(store != undefined) { 4168 (store as relationalStore.RdbStore).sync(relationalStore.SyncMode.SYNC_MODE_PUSH, predicates, (err, result) => { 4169 if (err) { 4170 console.error(`Sync failed, code is ${err.code},message is ${err.message}`); 4171 return; 4172 } 4173 console.info('Sync done.'); 4174 for (let i = 0; i < result.length; i++) { 4175 console.info(`device= ${result[i][0]}, status= ${result[i][1]}`); 4176 } 4177 }) 4178} 4179``` 4180 4181### sync 4182 4183 sync(mode: SyncMode, predicates: RdbPredicates): Promise<Array<[string, number]>> 4184 4185Synchronizes data between devices. This API uses a promise to return the result. 4186 4187**Required permissions**: ohos.permission.DISTRIBUTED_DATASYNC 4188 4189**System capability**: SystemCapability.DistributedDataManager.RelationalStore.Core 4190 4191**Parameters** 4192 4193| Name | Type | Mandatory| Description | 4194| ---------- | ------------------------------------ | ---- | ------------------------------ | 4195| mode | [SyncMode](#syncmode) | Yes | Data synchronization mode. The value can be **relationalStore.SyncMode.SYNC_MODE_PUSH** or **relationalStore.SyncMode.SYNC_MODE_PULL**.| 4196| predicates | [RdbPredicates](#rdbpredicates) | Yes | **RdbPredicates** object that specifies the data and devices to synchronize. | 4197 4198**Return value** 4199 4200| Type | Description | 4201| -------------------------------------------- | ------------------------------------------------------------ | 4202| Promise<Array<[string, number]>> | Promise used to send the synchronization result. <br>**string** indicates the device ID. <br>**number** indicates the synchronization status of that device. The value **0** indicates a successful synchronization. Other values indicate a synchronization failure. | 4203 4204**Error codes** 4205 4206For details about the error codes, see [RDB Error Codes](../errorcodes/errorcode-data-rdb.md). 4207 4208| **ID**| **Error Message** | 4209| ------------ | ---------------------------- | 4210| 14800000 | Inner error. | 4211 4212**Example** 4213 4214```ts 4215import deviceManager from '@ohos.distributedDeviceManager'; 4216import { BusinessError } from "@ohos.base"; 4217 4218let dmInstance: deviceManager.DeviceManager; 4219let deviceIds: Array<string> = []; 4220 4221try { 4222 dmInstance = deviceManager.createDeviceManager("com.example.appdatamgrverify"); 4223 let devices: Array<deviceManager.DeviceBasicInfo> = dmInstance.getAvailableDeviceListSync(); 4224 for (let i = 0; i < devices.length; i++) { 4225 deviceIds[i] = devices[i].networkId!; 4226 } 4227} catch (err) { 4228 let code = (err as BusinessError).code; 4229 let message = (err as BusinessError).message 4230 console.error("createDeviceManager errCode:" + code + ",errMessage:" + message); 4231} 4232 4233let predicates = new relationalStore.RdbPredicates('EMPLOYEE'); 4234predicates.inDevices(deviceIds); 4235if(store != undefined) { 4236 (store as relationalStore.RdbStore).sync(relationalStore.SyncMode.SYNC_MODE_PUSH, predicates).then((result: Object[][]) => { 4237 console.info('Sync done.'); 4238 for (let i = 0; i < result.length; i++) { 4239 console.info(`device= ${result[i][0]}, status= ${result[i][1]}`); 4240 } 4241 }).catch((err: BusinessError) => { 4242 console.error(`Sync failed, code is ${err.code},message is ${err.message}`); 4243 }) 4244} 4245``` 4246 4247### cloudSync<sup>10+</sup> 4248 4249cloudSync(mode: SyncMode, progress: Callback<ProgressDetails>, callback: AsyncCallback<void>): void 4250 4251Manually starts device-cloud synchronization for all distributed tables. This API uses an asynchronous callback to return the result. Before using this API, ensure that the cloud service must be available. 4252 4253**Required permissions**: ohos.permission.DISTRIBUTED_DATASYNC 4254 4255**System capability**: SystemCapability.DistributedDataManager.CloudSync.Client 4256 4257**Parameters** 4258 4259| Name | Type | Mandatory| Description | 4260| -------- | ----------------------------------------------------- | ---- | -------------------------------------------------- | 4261| mode | [SyncMode](#syncmode) | Yes | Synchronization mode of the database. | 4262| progress | Callback<[ProgressDetails](#progressdetails10)> | Yes | Callback used to process database synchronization details. | 4263| callback | AsyncCallback<void> | Yes | Callback invoked to send the synchronization result to the caller.| 4264 4265**Example** 4266 4267```ts 4268if(store != undefined) { 4269 (store as relationalStore.RdbStore).cloudSync(relationalStore.SyncMode.SYNC_MODE_CLOUD_FIRST, (progressDetails) => { 4270 console.info(`Progess: ${progressDetails}`); 4271 }, (err) => { 4272 if (err) { 4273 console.error(`Cloud sync failed, code is ${err.code},message is ${err.message}`); 4274 return; 4275 } 4276 console.info('Cloud sync succeeded'); 4277 }); 4278} 4279``` 4280 4281### cloudSync<sup>10+</sup> 4282 4283cloudSync(mode: SyncMode, progress: Callback<ProgressDetails>): Promise<void> 4284 4285Manually starts device-cloud synchronization for all distributed tables. This API uses a promise to return the result. Before using this API, ensure that the cloud service must be available. 4286 4287**Required permissions**: ohos.permission.DISTRIBUTED_DATASYNC 4288 4289**System capability**: SystemCapability.DistributedDataManager.CloudSync.Client 4290 4291**Parameters** 4292 4293| Name | Type | Mandatory| Description | 4294| -------- | ----------------------------------------------------- | ---- | -------------------------------------- | 4295| mode | [SyncMode](#syncmode) | Yes | Synchronization mode of the database. | 4296| progress | Callback<[ProgressDetails](#progressdetails10)> | Yes | Callback used to process database synchronization details.| 4297 4298**Return value** 4299 4300| Type | Description | 4301| ------------------- | --------------------------------------- | 4302| Promise<void> | Promise used to send the synchronization result.| 4303 4304**Example** 4305 4306```ts 4307import { BusinessError } from "@ohos.base"; 4308 4309if(store != undefined) { 4310 (store as relationalStore.RdbStore).cloudSync(relationalStore.SyncMode.SYNC_MODE_CLOUD_FIRST, (progressDetail: relationalStore.ProgressDetails) => { 4311 console.info(`progress: ${progressDetail}`); 4312 }).then(() => { 4313 console.info('Cloud sync succeeded'); 4314 }).catch((err: BusinessError) => { 4315 console.error(`cloudSync failed, code is ${err.code},message is ${err.message}`); 4316 }); 4317} 4318``` 4319 4320### cloudSync<sup>10+</sup> 4321 4322cloudSync(mode: SyncMode, tables: string[], progress: Callback<ProgressDetails>, callback: AsyncCallback<void>): void 4323 4324Manually starts device-cloud synchronization of the specified table. This API uses an asynchronous callback to return the result. Before using this API, ensure that the cloud service must be available. 4325 4326**Required permissions**: ohos.permission.DISTRIBUTED_DATASYNC 4327 4328**System capability**: SystemCapability.DistributedDataManager.CloudSync.Client 4329 4330**Parameters** 4331 4332| Name | Type | Mandatory| Description | 4333| -------- | ----------------------------------------------------- | ---- | -------------------------------------------------- | 4334| mode | [SyncMode](#syncmode) | Yes | Synchronization mode of the database. | 4335| tables | string[] | Yes | Name of the table to synchronize. | 4336| progress | Callback<[ProgressDetails](#progressdetails10)> | Yes | Callback used to process database synchronization details. | 4337| callback | AsyncCallback<void> | Yes | Callback invoked to send the synchronization result to the caller.| 4338 4339**Example** 4340 4341```ts 4342const tables = ["table1", "table2"]; 4343 4344if(store != undefined) { 4345 (store as relationalStore.RdbStore).cloudSync(relationalStore.SyncMode.SYNC_MODE_CLOUD_FIRST, tables, (progressDetail: relationalStore.ProgressDetails) => { 4346 console.info(`Progess: ${progressDetail}`); 4347 }, (err) => { 4348 if (err) { 4349 console.error(`Cloud sync failed, code is ${err.code},message is ${err.message}`); 4350 return; 4351 } 4352 console.info('Cloud sync succeeded'); 4353 }); 4354}; 4355``` 4356 4357### cloudSync<sup>10+</sup> 4358 4359cloudSync(mode: SyncMode, tables: string[], progress: Callback<ProgressDetails>): Promise<void> 4360 4361Manually starts device-cloud synchronization of the specified table. This API uses a promise to return the result. Before using this API, ensure that the cloud service must be available. 4362 4363**Required permissions**: ohos.permission.DISTRIBUTED_DATASYNC 4364 4365**System capability**: SystemCapability.DistributedDataManager.CloudSync.Client 4366 4367**Parameters** 4368 4369| Name | Type | Mandatory| Description | 4370| -------- | ----------------------------------------------------- | ---- | -------------------------------------- | 4371| mode | [SyncMode](#syncmode) | Yes | Synchronization mode of the database. | 4372| tables | string[] | Yes | Name of the table to synchronize. | 4373| progress | Callback<[ProgressDetails](#progressdetails10)> | Yes | Callback used to process database synchronization details.| 4374 4375**Return value** 4376 4377| Type | Description | 4378| ------------------- | --------------------------------------- | 4379| Promise<void> | Promise used to send the synchronization result.| 4380 4381**Example** 4382 4383```ts 4384import { BusinessError } from "@ohos.base"; 4385 4386const tables = ["table1", "table2"]; 4387 4388if(store != undefined) { 4389 (store as relationalStore.RdbStore).cloudSync(relationalStore.SyncMode.SYNC_MODE_CLOUD_FIRST, (progressDetail: relationalStore.ProgressDetails) => { 4390 console.info(`progress: ${progressDetail}`); 4391 }).then(() => { 4392 console.info('Cloud sync succeeded'); 4393 }).catch((err: BusinessError) => { 4394 console.error(`cloudSync failed, code is ${err.code},message is ${err.message}`); 4395 }); 4396}; 4397``` 4398 4399### cloudSync<sup>11+</sup> 4400 4401cloudSync(mode: SyncMode, predicates: RdbPredicates, progress: Callback<ProgressDetails>, callback: AsyncCallback<void>): void 4402 4403Manually performs device-cloud synchronization based on specified conditions. This API uses an asynchronous callback to return the result. The cloud synchronization function must be implemented. Otherwise, this API cannot be used. 4404 4405**System capability**: SystemCapability.DistributedDataManager.CloudSync.Client 4406 4407**System API**: This is a system API. 4408 4409**Parameters** 4410 4411| Name | Type | Mandatory| Description | 4412|-------------|--------------------------------| ---- |-------------------------------| 4413| mode | [SyncMode](#syncmode) | Yes | Synchronization mode of the database. | 4414| predicates | [RdbPredicates](#rdbpredicates) | Yes | Conditions for data synchronization. | 4415| progress | Callback<[ProgressDetails](#progressdetails10)> | Yes | Callback used to process database synchronization details. | 4416| callback | AsyncCallback<void> | Yes | Callback invoked to send the synchronization result to the caller.| 4417 4418**Example** 4419 4420```ts 4421let predicates = new relationalStore.RdbPredicates("EMPLOYEE"); 4422predicates.in("id", ["id1", "id2"]); 4423 4424if(store != undefined) { 4425 (store as relationalStore.RdbStore).cloudSync(relationalStore.SyncMode.SYNC_MODE_CLOUD_FIRST, predicates, (progressDetail: relationalStore.ProgressDetails) => { 4426 console.info(`progress: ${progressDetail}`); 4427 }, (err) => { 4428 if (err) { 4429 console.error(`cloudSync failed, code is ${err.code},message is ${err.message}}`); 4430 return; 4431 } 4432 console.info('Cloud sync succeeded'); 4433 }); 4434}; 4435``` 4436 4437### cloudSync<sup>11+</sup> 4438 4439cloudSync(mode: SyncMode, predicates: RdbPredicates, progress: Callback<ProgressDetails>): Promise<void> 4440 4441Manually performs device-cloud synchronization based on specified conditions. This API uses a promise to return the result. The cloud synchronization function must be implemented. Otherwise, this API cannot be used. 4442 4443**System capability**: SystemCapability.DistributedDataManager.CloudSync.Client 4444 4445**System API**: This is a system API. 4446 4447**Parameters** 4448 4449| Name | Type | Mandatory| Description | 4450|------------|---------------------------------| ---- |---------------------| 4451| mode | [SyncMode](#syncmode) | Yes | Synchronization mode of the database. | 4452| predicates | [RdbPredicates](#rdbpredicates) | Yes | Conditions for data synchronization. | 4453| progress | Callback<[ProgressDetails](#progressdetails10)> | Yes | Callback used to process database synchronization details.| 4454 4455**Return value** 4456 4457| Type | Description | 4458| ------------------- | --------------------------------------- | 4459| Promise<void> | Promise used to return the synchronization result.| 4460 4461**Example** 4462 4463```ts 4464import {BusinessError} from "@ohos.base"; 4465 4466let predicates = new relationalStore.RdbPredicates("EMPLOYEE"); 4467predicates.in("id", ["id1", "id2"]); 4468 4469if(store != undefined) { 4470 (store as relationalStore.RdbStore).cloudSync(relationalStore.SyncMode.SYNC_MODE_CLOUD_FIRST, predicates, (progressDetail: relationalStore.ProgressDetails) => { 4471 console.info(`progress: ${progressDetail}`); 4472 }).then(() => { 4473 console.info('Cloud sync succeeded'); 4474 }).catch((err: BusinessError) => { 4475 console.error(`cloudSync failed, code is ${err.code},message is ${err.message}}`); 4476 }); 4477}; 4478``` 4479 4480### on('dataChange') 4481 4482on(event: 'dataChange', type: SubscribeType, observer: Callback<Array<string>>): void 4483 4484Registers a data change event listener for the RDB store. When the data in the RDB store changes, a callback is invoked to return the data changes. 4485 4486**System capability**: SystemCapability.DistributedDataManager.RelationalStore.Core 4487 4488**Parameters** 4489 4490| Name | Type | Mandatory| Description | 4491| -------- | ------------------------------------------------------------ | ---- | ------------------------------------------------------------ | 4492| event | string | Yes | Event type. The value is **dataChange**, which indicates data changes. | 4493| type | [SubscribeType](#subscribetype) | Yes | Subscription type to register. | 4494| observer | Callback<Array<string>> | Yes | Callback invoked to return the data change. **Array<string>** indicates the IDs of the peer devices whose data in the database is changed.| 4495 4496**Example** 4497 4498```ts 4499import deviceManager from '@ohos.distributedHardware.deviceManager'; 4500 4501let devices: string | undefined = undefined; 4502 4503try { 4504 if (store != undefined) { 4505 (store as relationalStore.RdbStore).on('dataChange', relationalStore.SubscribeType.SUBSCRIBE_TYPE_REMOTE, (storeObserver) => { 4506 if (devices != undefined) { 4507 for (let i = 0; i < devices.length; i++) { 4508 console.info(`device= ${devices[i]} data changed`); 4509 } 4510 } 4511 }) 4512 } 4513} catch (err) { 4514 let code = (err as BusinessError).code; 4515 let message = (err as BusinessError).message 4516 console.error(`Register observer failed, code is ${code},message is ${message}`); 4517} 4518``` 4519 4520### on('dataChange')<sup>10+</sup> 4521 4522on(event: 'dataChange', type: SubscribeType, observer: Callback<Array<string>>\| Callback<Array<ChangeInfo>>): void 4523 4524Registers a data change event listener for the RDB store. When the data in the RDB store changes, a callback is invoked to return the data changes. 4525 4526**System capability**: SystemCapability.DistributedDataManager.RelationalStore.Core 4527 4528**Parameters** 4529 4530| Name | Type | Mandatory| Description | 4531| -------- | ----------------------------------- | ---- | ------------------------------------------- | 4532| event | string | Yes | Event type. The value is **dataChange**, which indicates data changes. | 4533| type | [SubscribeType](#subscribetype) | Yes | Subscription type to register.| 4534| observer | Callback<Array<string>> \| Callback<Array<[ChangeInfo](#changeinfo10)>> | Yes | Callback invoked to return the data change.<br>If **type** is **SUBSCRIBE_TYPE_REMOTE**, **observer** must be **Callback<Array<string>>**, where **Array<string>** specifies the IDs of the peer devices with data changes.<br> If **type** is **SUBSCRIBE_TYPE_CLOUD**, **observer** must be **Callback<Array<string>>**, where **Array<string>** specifies the cloud accounts with data changes.<br> If **type** is **SUBSCRIBE_TYPE_CLOUD_DETAILS**, **observer** must be **Callback<Array<ChangeInfo>>**, where **Array<ChangeInfo>** specifies the details about the device-cloud synchronization.| 4535 4536**Example** 4537 4538```ts 4539import deviceManager from '@ohos.distributedHardware.deviceManager'; 4540 4541let devices: string | undefined = undefined; 4542 4543try { 4544 if(store != undefined) { 4545 (store as relationalStore.RdbStore).on('dataChange', relationalStore.SubscribeType.SUBSCRIBE_TYPE_REMOTE, storeObserver => { 4546 if (devices != undefined) { 4547 for (let i = 0; i < devices.length; i++) { 4548 console.info(`device= ${devices[i]} data changed`); 4549 } 4550 } 4551 }); 4552 } 4553} catch (err) { 4554 let code = (err as BusinessError).code; 4555 let message = (err as BusinessError).message 4556 console.error(`Register observer failed, code is ${code},message is ${message}`); 4557} 4558``` 4559 4560### on<sup>10+</sup> 4561 4562on(event: string, interProcess: boolean, observer: Callback\<void>): void 4563 4564Registers an intra-process or inter-process event listener for the RDB store. This callback is invoked by [emit](#emit10). 4565 4566**System capability**: SystemCapability.DistributedDataManager.RelationalStore.Core 4567 4568**Parameters** 4569 4570| Name | Type | Mandatory| Description | 4571| ------------ | --------------- | ---- | ------------------------------------------------------------ | 4572| event | string | Yes | Event name to observe. | 4573| interProcess | boolean | Yes | Type of the event to observe.<br> The value **true** means the inter-process event.<br> The value **false** means the intra-process event.| 4574| observer | Callback\<void> | Yes | Callback invoked to return the result. | 4575 4576**Error codes** 4577 4578For details about the error codes, see [RDB Error Codes](../errorcodes/errorcode-data-rdb.md). 4579 4580| **ID**| **Error Message** | 4581| ------------ | -------------------------------------- | 4582| 14800000 | Inner error. | 4583| 14800050 | Failed to obtain subscription service. | 4584 4585**Example** 4586 4587```ts 4588try { 4589 if(store != undefined) { 4590 (store as relationalStore.RdbStore).on('storeObserver', false, (storeObserver) => { 4591 console.info(`storeObserver`); 4592 }); 4593 } 4594} catch (err) { 4595 let code = (err as BusinessError).code; 4596 let message = (err as BusinessError).message 4597 console.error(`Register observer failed, code is ${code},message is ${message}`); 4598} 4599``` 4600 4601### on('autoSyncProgress')<sup>11+</sup> 4602 4603on(event: 'autoSyncProgress', progress: Callback<ProgressDetails>): void 4604 4605Registers a listener for the auto synchronization progress. This API can be called only when device-cloud synchronization is enabled and the network connection is normal. When auto synchronization is performed, a callback will be invoked to send a notification of the synchronization progress. 4606 4607**System capability**: SystemCapability.DistributedDataManager.RelationalStore.Core 4608 4609**Parameters** 4610 4611| Name | Type | Mandatory| Description | 4612| ------------ |---------------------------------| ---- |-----------------------------------| 4613| event | string | Yes | Event type. The value is **autoSyncProgress**, which indicates the auto synchronization progress.| 4614| progress | Callback<[ProgressDetails](#progressdetails10)> | Yes | Callback invoked to return the auto synchronization progress. | 4615 4616**Example** 4617 4618```ts 4619import {BusinessError} from "@ohos.base"; 4620 4621try { 4622 if(store != undefined) { 4623 (store as relationalStore.RdbStore).on('autoSyncProgress', (progressDetail: relationalStore.ProgressDetails) => { 4624 console.info(`progress: ${progressDetail}`); 4625 }); 4626 } 4627} catch (err) { 4628 let code = (err as BusinessError).code; 4629 let message = (err as BusinessError).message 4630 console.error(`Register observer failed, code is ${code},message is ${message}`); 4631} 4632``` 4633 4634### off('dataChange') 4635 4636off(event:'dataChange', type: SubscribeType, observer: Callback<Array<string>>): void 4637 4638Unregisters the data change event listener. 4639 4640**System capability**: SystemCapability.DistributedDataManager.RelationalStore.Core 4641 4642**Parameters** 4643 4644| Name | Type | Mandatory| Description | 4645| -------- | ------------------------------------------------------------ | ---- | ------------------------------------------------------------ | 4646| event | string | Yes | Event type. The value is **dataChange**, which indicates data changes. | 4647| type | [SubscribeType](#subscribetype) | Yes | Subscription type to unregister. | 4648| observer | Callback<Array<string>> | Yes | Callback for the data change. **Array<string>** indicates the IDs of the peer devices whose data in the database is changed. | 4649 4650**Example** 4651 4652```ts 4653let devices: string | undefined = undefined; 4654 4655try { 4656 if(store != undefined) { 4657 (store as relationalStore.RdbStore).off('dataChange', relationalStore.SubscribeType.SUBSCRIBE_TYPE_REMOTE, (storeObserver) => { 4658 if (devices != undefined){ 4659 for (let i = 0; i < devices.length; i++) { 4660 console.info(`device= ${devices[i]} data changed`); 4661 } 4662 } 4663 }); 4664 } 4665} catch (err) { 4666 let code = (err as BusinessError).code; 4667 let message = (err as BusinessError).message 4668 console.error(`Unregister observer failed, code is ${code},message is ${message}`); 4669} 4670``` 4671 4672### off('dataChange')<sup>10+</sup> 4673 4674off(event:'dataChange', type: SubscribeType, observer?: Callback<Array<string>>\| Callback<Array<ChangeInfo>>): void 4675 4676Unregisters the data change event listener. 4677 4678**System capability**: SystemCapability.DistributedDataManager.RelationalStore.Core 4679 4680**Parameters** 4681 4682| Name | Type | Mandatory| Description | 4683| -------- | ---------------------------------- | ---- | ------------------------------------------ | 4684| event | string | Yes | Event type. The value is **dataChange**, which indicates data changes. | 4685| type | [SubscribeType](#subscribetype) | Yes | Subscription type to unregister. | 4686| observer | Callback<Array<string>>\| Callback<Array<[ChangeInfo](#changeinfo10)>> | No| Callback for the data change.<br>If **type** is **SUBSCRIBE_TYPE_REMOTE**, **observer** must be **Callback<Array<string>>**, where **Array<string>** specifies the IDs of the peer devices with data changes.<br>If **type** is **SUBSCRIBE_TYPE_CLOUD**, **observer** must be **Callback<Array<string>>**, where **Array<string>** specifies the cloud accounts with data changes.<br>If **type** is **SUBSCRIBE_TYPE_CLOUD_DETAILS**, **observer** must be **Callback<Array<ChangeInfo>>**, where **Array<ChangeInfo>** specifies the details about the device-cloud synchronization.<br>If **observer** is not specified, listening for all data change events of the specified **type** will be canceled. | 4687 4688**Example** 4689 4690```ts 4691import deviceManager from '@ohos.distributedHardware.deviceManager'; 4692 4693let devices: string | undefined = undefined; 4694 4695try { 4696 if(store != undefined) { 4697 (store as relationalStore.RdbStore).off('dataChange', relationalStore.SubscribeType.SUBSCRIBE_TYPE_REMOTE, (storeObserver) => { 4698 if (devices != undefined) { 4699 for (let i = 0; i < devices.length; i++) { 4700 console.info(`device= ${devices[i]} data changed`); 4701 } 4702 } 4703 }); 4704 } 4705} catch (err) { 4706 let code = (err as BusinessError).code; 4707 let message = (err as BusinessError).message 4708 console.error(`Unregister observer failed, code is ${code},message is ${message}`); 4709} 4710``` 4711 4712### off<sup>10+</sup> 4713 4714off(event: string, interProcess: boolean, observer?: Callback\<void>): void 4715 4716Unregisters the data change event listener. 4717 4718**System capability**: SystemCapability.DistributedDataManager.RelationalStore.Core 4719 4720**Parameters** 4721 4722| Name | Type | Mandatory| Description | 4723| ------------ | --------------- | ---- | ------------------------------------------------------------ | 4724| event | string | Yes | Name of the event. | 4725| interProcess | boolean | Yes | Type of the event.<br> The value **true** means the inter-process event.<br> The value **false** means the intra-process event.| 4726| observer | Callback\<void> | No | Callback for the event to unregister.<br/>If this parameter is specified, the specified callback will be unregistered. If this parameter is not specified, all callbacks of the specified event will be unregistered. | 4727 4728**Error codes** 4729 4730For details about the error codes, see [RDB Error Codes](../errorcodes/errorcode-data-rdb.md). 4731 4732| **ID**| **Error Message** | 4733| ------------ | -------------------------------------- | 4734| 14800000 | Inner error. | 4735| 14800050 | Failed to obtain subscription service. | 4736 4737**Example** 4738 4739```ts 4740try { 4741 if(store != undefined) { 4742 (store as relationalStore.RdbStore).off('storeObserver', false, (storeObserver) => { 4743 console.info(`storeObserver`); 4744 }); 4745 } 4746} catch (err) { 4747 let code = (err as BusinessError).code; 4748 let message = (err as BusinessError).message 4749 console.error(`Unregister observer failed, code is ${code},message is ${message}`); 4750} 4751``` 4752 4753### off('autoSyncProgress')<sup>11+</sup> 4754 4755off(event: 'autoSyncProgress', progress?: Callback<ProgressDetails>): void 4756 4757Unregisters the listener for the auto synchronization progress. 4758 4759**System capability**: SystemCapability.DistributedDataManager.RelationalStore.Core 4760 4761**Parameters** 4762 4763| Name | Type | Mandatory| Description | 4764| ------------ |---------------------------------| ---- |------------------------------------------------------------------| 4765| event | string | Yes | Event type. The value is **autoSyncProgress**, which indicates the auto synchronization progress. | 4766| observer | Callback<[ProgressDetails](#progressdetails10)> | No | Callback for the auto synchronization progress. If this parameter is specified, the specified callback will be unregistered. If this parameter is **null** or **undefined** or not specified, all callbacks for **autoSyncProgress** will be unregistered.| 4767 4768**Example** 4769 4770```ts 4771import {BusinessError} from "@ohos.base"; 4772 4773try { 4774 if(store != undefined) { 4775 (store as relationalStore.RdbStore).off('autoSyncProgress', (progressDetail: relationalStore.ProgressDetails) => { 4776 console.info(`progress: ${progressDetail}`); 4777 }); 4778 } 4779} catch (err) { 4780 let code = (err as BusinessError).code; 4781 let message = (err as BusinessError).message; 4782 console.error(`Unregister failed, code is ${code},message is ${message}`); 4783} 4784``` 4785 4786### emit<sup>10+</sup> 4787 4788emit(event: string): void 4789 4790Triggers the inter-process or intra-process event listener registered through [on](#on10). 4791 4792**System capability**: SystemCapability.DistributedDataManager.RelationalStore.Core 4793 4794**Parameters** 4795 4796| Name| Type | Mandatory| Description | 4797| ------ | ------ | ---- | -------------------- | 4798| event | string | Yes | Name of the event.| 4799 4800**Error codes** 4801 4802For details about the error codes, see [RDB Error Codes](../errorcodes/errorcode-data-rdb.md). 4803 4804| **ID**| **Error Message** | 4805| ------------ | -------------------------------------- | 4806| 14800000 | Inner error. | 4807| 14800050 | Failed to obtain subscription service. | 4808 4809**Example** 4810 4811```ts 4812if(store != undefined) { 4813 (store as relationalStore.RdbStore).emit('storeObserver'); 4814} 4815``` 4816 4817### cleanDirtyData<sup>11+</sup> 4818 4819cleanDirtyData(table: string, cursor: number, callback: AsyncCallback<void>): void 4820 4821Clears the dirty data with the cursor smaller than the specified cursor from the local device. The dirty data is the data that has been deleted from the cloud. 4822 4823**System capability**: SystemCapability.DistributedDataManager.CloudSync.Client 4824 4825**Parameters** 4826 4827| Name | Type | Mandatory| Description | 4828| -------- | ----------------------------------------------------- | ---- | -------------------------------------------------- | 4829| table | string | Yes | Name of the table in the RDB store. | 4830| cursor | number | Yes | Cursor of the data, which is an integer. All the dirty data with the cursor smaller than the specified value will be cleared. | 4831| callback | AsyncCallback<void> | Yes | Callback invoked to return the result.| 4832 4833**Error codes** 4834 4835For details about the error codes, see [RDB Error Codes](../errorcodes/errorcode-data-rdb.md). 4836 4837| **ID**| **Error Message** | 4838| ------------ | -------------------------------------- | 4839| 14800000 | Inner error. | 4840 4841**Example** 4842 4843```ts 4844if(store != undefined) { 4845 (store as relationalStore.RdbStore).cleanDirtyData('test_table', 100, (err) => { 4846 if (err) { 4847 console.error(`clean dirty data failed, code is ${err.code},message is ${err.message}`); 4848 return; 4849 } 4850 console.info('clean dirty data succeeded'); 4851 }) 4852} 4853``` 4854 4855### cleanDirtyData<sup>11+</sup> 4856 4857cleanDirtyData(table: string, callback: AsyncCallback<void>): void 4858 4859Clears all dirty data from the local device. The dirty data is the data that has been deleted from the cloud. 4860 4861**System capability**: SystemCapability.DistributedDataManager.CloudSync.Client 4862 4863**Parameters** 4864 4865| Name | Type | Mandatory| Description | 4866| -------- | ----------------------------------------------------- | ---- | -------------------------------------------------- | 4867| table | string | Yes | Name of the table in the RDB store.| 4868| callback | AsyncCallback<void> | Yes | Callback invoked to return the result.| 4869 4870**Error codes** 4871 4872For details about the error codes, see [RDB Error Codes](../errorcodes/errorcode-data-rdb.md). 4873 4874| **ID**| **Error Message** | 4875| ------------ | -------------------------------------- | 4876| 14800000 | Inner error. | 4877 4878**Example** 4879 4880```ts 4881if(store != undefined) { 4882 (store as relationalStore.RdbStore).cleanDirtyData('test_table', (err) => { 4883 if (err) { 4884 console.error(`clean dirty data failed, code is ${err.code},message is ${err.message}`); 4885 return; 4886 } 4887 console.info('clean dirty data succeeded'); 4888 }) 4889} 4890``` 4891 4892### cleanDirtyData<sup>11+</sup> 4893 4894cleanDirtyData(table: string, cursor?: number): Promise<void> 4895 4896Clears the dirty data with the cursor smaller than the specified cursor from the local device. The dirty data is the data that has been deleted from the cloud. If **cursor** is not specified, all the dirty data will be cleared. 4897 4898**System capability**: SystemCapability.DistributedDataManager.CloudSync.Client 4899 4900**Parameters** 4901 4902| Name | Type | Mandatory| Description | 4903| -------- | ----------------------------------------------------- | ---- | -------------------------------------------------- | 4904| table | string | Yes | Name of the table in the RDB store. | 4905| cursor | number | No | Cursor of the data, which is an integer. All the dirty data with the cursor smaller than the specified value will be cleared. If this parameter is not specified, all dirty data in the current table will be cleared. | 4906 4907**Return value** 4908| Name | Description | 4909| -------- | ------------------------------------------------- | 4910| Promise\<void> | Promise that returns no value. | 4911 4912**Error codes** 4913 4914For details about the error codes, see [RDB Error Codes](../errorcodes/errorcode-data-rdb.md). 4915 4916| **ID**| **Error Message** | 4917| ------------ | -------------------------------------- | 4918| 14800000 | Inner error. | 4919 4920**Example** 4921 4922```ts 4923import { BusinessError } from "@ohos.base"; 4924 4925if(store != undefined) { 4926 (store as relationalStore.RdbStore).cleanDirtyData('test_table', 100).then(() => { 4927 console.info('clean dirty data succeeded'); 4928 }).catch ((err: BusinessError) => { 4929 console.error(`clean dirty data failed, code is ${err.code},message is ${err.message}`); 4930 }) 4931} 4932``` 4933 4934### querySharingResource<sup>11+</sup> 4935 4936querySharingResource(predicates: RdbPredicates, columns?: Array<string>): Promise<ResultSet> 4937 4938Queries the shared resource of the data matching the specified predicates. This API uses a promise to return the result set, which includes the shared resource ID and the column names if the column names are specified. 4939 4940**System capability**: SystemCapability.DistributedDataManager.CloudSync.Client 4941 4942**System API**: This is a system API. 4943 4944**Parameters** 4945 4946| Name | Type | Mandatory| Description | 4947| -------- | ----------------------------------------------------- | ---- | -------------------------------------------------- | 4948| predicates | [RdbPredicates](#rdbpredicates) | Yes | Query conditions. | 4949| columns | Array<string> | No | Columns to be searched for. If this parameter is not specified, the returned result set contains only the shared resource ID.| 4950 4951**Return value** 4952 4953| Name | Description | 4954| -------- | ------------------------------------------------- | 4955| Promise<[ResultSet](#resultset)> | Promise used to return the result set. | 4956 4957**Error codes** 4958 4959For details about the error codes, see [RDB Error Codes](../errorcodes/errorcode-data-rdb.md). 4960 4961| **ID**| **Error Message** | 4962| ------------ | -------------------------------------- | 4963| 14800000 | Inner error. | 4964 4965**Example** 4966 4967```ts 4968import { BusinessError } from "@ohos.base"; 4969 4970let sharingResource: string; 4971let predicates = new relationalStore.RdbPredicates('test_table'); 4972predicates.equalTo('data', 'data_test'); 4973if(store != undefined) { 4974 (store as relationalStore.RdbStore).querySharingResource(predicates, ['uuid', 'data']).then((resultSet) => { 4975 if (!resultSet.goToFirstRow()) { 4976 console.error(`resultSet error`); 4977 return; 4978 } 4979 const res = resultSet.getString(resultSet.getColumnIndex(relationalStore.Field.SHARING_RESOURCE_FIELD)); 4980 console.info(`sharing resource: ${res}`); 4981 sharingResource = res; 4982 }).catch((err: BusinessError) => { 4983 console.error(`query sharing resource failed, code is ${err.code},message is ${err.message}`); 4984 }) 4985} 4986 4987``` 4988 4989### querySharingResource<sup>11+</sup> 4990 4991querySharingResource(predicates: RdbPredicates, callback: AsyncCallback<ResultSet>): void 4992 4993Queries the shared resource of the data matching the specified predicates. This API uses an asynchronous callback to return the result set. 4994 4995**System capability**: SystemCapability.DistributedDataManager.CloudSync.Client 4996 4997**System API**: This is a system API. 4998 4999**Parameters** 5000 5001| Name | Type | Mandatory| Description | 5002| -------- | ----------------------------------------------------- | ---- | -------------------------------------------------- | 5003| predicates | [RdbPredicates](#rdbpredicates) | Yes | Query conditions. | 5004| callback | AsyncCallback<[ResultSet](#resultset)> | Yes | Callback invoked to return the result set.| 5005 5006**Error codes** 5007 5008For details about the error codes, see [RDB Error Codes](../errorcodes/errorcode-data-rdb.md). 5009 5010| **ID**| **Error Message** | 5011| ------------ | -------------------------------------- | 5012| 14800000 | Inner error. | 5013 5014**Example** 5015 5016```ts 5017let sharingResource: string; 5018let predicates = new relationalStore.RdbPredicates('test_table'); 5019predicates.equalTo('data', 'data_test'); 5020if(store != undefined) { 5021 (store as relationalStore.RdbStore).querySharingResource(predicates,(err, resultSet) => { 5022 if (err) { 5023 console.error(`sharing resource failed, code is ${err.code},message is ${err.message}`); 5024 return; 5025 } 5026 if (!resultSet.goToFirstRow()) { 5027 console.error(`resultSet error`); 5028 return; 5029 } 5030 const res = resultSet.getString(resultSet.getColumnIndex(relationalStore.Field.SHARING_RESOURCE_FIELD)); 5031 console.info(`sharing resource: ${res}`); 5032 sharingResource = res; 5033 }) 5034} 5035 5036``` 5037 5038### querySharingResource<sup>11+</sup> 5039 5040querySharingResource(predicates: RdbPredicates, columns: Array<string>, callback: AsyncCallback<ResultSet>): void 5041 5042Queries the shared resource of the data matching the specified predicates. This API uses an asynchronous callback to return the shared resource ID and the column names specified. 5043 5044**System capability**: SystemCapability.DistributedDataManager.CloudSync.Client 5045 5046**System API**: This is a system API. 5047 5048**Parameters** 5049 5050| Name | Type | Mandatory| Description | 5051| -------- | ----------------------------------------------------- | ---- | -------------------------------------------------- | 5052| predicates | [RdbPredicates](#rdbpredicates) | Yes | **RdbPredicates** object. | 5053| columns | Array<string> | Yes | Columns to be searched for. | 5054| callback | AsyncCallback<[ResultSet](#resultset)> | Yes | Callback invoked to return the result set.| 5055 5056**Error codes** 5057 5058For details about the error codes, see [RDB Error Codes](../errorcodes/errorcode-data-rdb.md). 5059 5060| **ID**| **Error Message** | 5061| ------------ | -------------------------------------- | 5062| 14800000 | Inner error. | 5063 5064**Example** 5065 5066```ts 5067let sharingResource: string; 5068let predicates = new relationalStore.RdbPredicates('test_table'); 5069predicates.equalTo('data', 'data_test'); 5070if(store != undefined) { 5071 (store as relationalStore.RdbStore).querySharingResource(predicates, ['uuid', 'data'], (err, resultSet) => { 5072 if (err) { 5073 console.error(`sharing resource failed, code is ${err.code},message is ${err.message}`); 5074 return; 5075 } 5076 if (!resultSet.goToFirstRow()) { 5077 console.error(`resultSet error`); 5078 return; 5079 } 5080 const res = resultSet.getString(resultSet.getColumnIndex(relationalStore.Field.SHARING_RESOURCE_FIELD)); 5081 console.info(`sharing resource: ${res}`); 5082 sharingResource = res; 5083 }) 5084} 5085 5086``` 5087 5088## ResultSet 5089 5090Provides APIs to access the **resultSet** object returned by **query()**. 5091 5092### Usage 5093 5094Obtain the **resultSet** object first. 5095 5096**Example** 5097 5098```ts 5099let resultSet: relationalStore.ResultSet | undefined = undefined; 5100let predicates = new relationalStore.RdbPredicates("EMPLOYEE"); 5101predicates.equalTo("AGE", 18); 5102if(store != undefined) { 5103 (store as relationalStore.RdbStore).query(predicates, ["ID", "NAME", "AGE", "SALARY", "CODES"]).then((result: relationalStore.ResultSet) => { 5104 resultSet = result; 5105 console.info(`resultSet columnNames: ${resultSet.columnNames}`); 5106 console.info(`resultSet columnCount: ${resultSet.columnCount}`); 5107 }); 5108} 5109``` 5110 5111### Attributes 5112 5113**System capability**: SystemCapability.DistributedDataManager.RelationalStore.Core 5114 5115| Name | Type | Mandatory| Description | 5116| ------------ | ------------------- | ---- | -------------------------------- | 5117| columnNames | Array<string> | Yes | Names of all columns in the result set. | 5118| columnCount | number | Yes | Number of columns in the result set. | 5119| rowCount | number | Yes | Number of rows in the result set. | 5120| rowIndex | number | Yes | Index of the current row in the result set. | 5121| isAtFirstRow | boolean | Yes | Whether the cursor is in the first row of the result set. | 5122| isAtLastRow | boolean | Yes | Whether the cursor is in the last row of the result set. | 5123| isEnded | boolean | Yes | Whether the cursor is after the last row of the result set.| 5124| isStarted | boolean | Yes | Whether the cursor has been moved. | 5125| isClosed | boolean | Yes | Whether the result set is closed. | 5126 5127### getColumnIndex 5128 5129getColumnIndex(columnName: string): number 5130 5131Obtains the column index based on the column name. 5132 5133**System capability**: SystemCapability.DistributedDataManager.RelationalStore.Core 5134 5135**Parameters** 5136 5137| Name | Type | Mandatory| Description | 5138| ---------- | ------ | ---- | -------------------------- | 5139| columnName | string | Yes | Column name.| 5140 5141**Return value** 5142 5143| Type | Description | 5144| ------ | ------------------ | 5145| number | Column index obtained.| 5146 5147**Error codes** 5148 5149For details about the error codes, see [RDB Error Codes](../errorcodes/errorcode-data-rdb.md). 5150 5151| **ID**| **Error Message** | 5152| ------------ | ------------------------------------------------------------ | 5153| 14800013 | The column value is null or the column type is incompatible. | 5154 5155**Example** 5156 5157```ts 5158if(resultSet != undefined) { 5159 const id = (resultSet as relationalStore.ResultSet).getLong((resultSet as relationalStore.ResultSet).getColumnIndex("ID")); 5160 const name = (resultSet as relationalStore.ResultSet).getString((resultSet as relationalStore.ResultSet).getColumnIndex("NAME")); 5161 const age = (resultSet as relationalStore.ResultSet).getLong((resultSet as relationalStore.ResultSet).getColumnIndex("AGE")); 5162 const salary = (resultSet as relationalStore.ResultSet).getDouble((resultSet as relationalStore.ResultSet).getColumnIndex("SALARY")); 5163} 5164``` 5165 5166### getColumnName 5167 5168getColumnName(columnIndex: number): string 5169 5170Obtains the column name based on the specified column index. 5171 5172**System capability**: SystemCapability.DistributedDataManager.RelationalStore.Core 5173 5174**Parameters** 5175 5176| Name | Type | Mandatory| Description | 5177| ----------- | ------ | ---- | -------------------------- | 5178| columnIndex | number | Yes | Column index.| 5179 5180**Return value** 5181 5182| Type | Description | 5183| ------ | ------------------ | 5184| string | Column name obtained.| 5185 5186**Error codes** 5187 5188For details about the error codes, see [RDB Error Codes](../errorcodes/errorcode-data-rdb.md). 5189 5190| **ID**| **Error Message** | 5191| ------------ | ------------------------------------------------------------ | 5192| 14800013 | The column value is null or the column type is incompatible. | 5193 5194**Example** 5195 5196```ts 5197if(resultSet != undefined) { 5198 const id = (resultSet as relationalStore.ResultSet).getColumnName(0); 5199 const name = (resultSet as relationalStore.ResultSet).getColumnName(1); 5200 const age = (resultSet as relationalStore.ResultSet).getColumnName(2); 5201} 5202``` 5203 5204### goTo 5205 5206goTo(offset:number): boolean 5207 5208Moves the cursor to the row based on the specified offset. 5209 5210**System capability**: SystemCapability.DistributedDataManager.RelationalStore.Core 5211 5212**Parameters** 5213 5214| Name| Type | Mandatory| Description | 5215| ------ | ------ | ---- | ---------------------------- | 5216| offset | number | Yes | Offset relative to the current position.| 5217 5218**Return value** 5219 5220| Type | Description | 5221| ------- | --------------------------------------------- | 5222| boolean | Returns **true** if the operation is successful; returns **false** otherwise.| 5223 5224**Error codes** 5225 5226For details about the error codes, see [RDB Error Codes](../errorcodes/errorcode-data-rdb.md). 5227 5228| **ID**| **Error Message** | 5229| ------------ | ------------------------------------------------------------ | 5230| 14800012 | The result set is empty or the specified location is invalid. | 5231 5232**Example** 5233 5234```ts 5235if(resultSet != undefined) { 5236 (resultSet as relationalStore.ResultSet).goTo(1); 5237} 5238``` 5239 5240### goToRow 5241 5242goToRow(position: number): boolean 5243 5244Moves to the specified row in the result set. 5245 5246**System capability**: SystemCapability.DistributedDataManager.RelationalStore.Core 5247 5248**Parameters** 5249 5250| Name | Type | Mandatory| Description | 5251| -------- | ------ | ---- | ------------------------ | 5252| position | number | Yes | Destination position to move to.| 5253 5254**Return value** 5255 5256| Type | Description | 5257| ------- | --------------------------------------------- | 5258| boolean | Returns **true** if the operation is successful; returns **false** otherwise.| 5259 5260**Error codes** 5261 5262For details about the error codes, see [RDB Error Codes](../errorcodes/errorcode-data-rdb.md). 5263 5264| **ID**| **Error Message** | 5265| ------------ | ------------------------------------------------------------ | 5266| 14800012 | The result set is empty or the specified location is invalid. | 5267 5268**Example** 5269 5270```ts 5271if(resultSet != undefined) { 5272 (resultSet as relationalStore.ResultSet).goToRow(5); 5273} 5274``` 5275 5276### goToFirstRow 5277 5278goToFirstRow(): boolean 5279 5280 5281Moves to the first row of the result set. 5282 5283**System capability**: SystemCapability.DistributedDataManager.RelationalStore.Core 5284 5285**Return value** 5286 5287| Type | Description | 5288| ------- | --------------------------------------------- | 5289| boolean | Returns **true** if the operation is successful; returns **false** otherwise.| 5290 5291**Error codes** 5292 5293For details about the error codes, see [RDB Error Codes](../errorcodes/errorcode-data-rdb.md). 5294 5295| **ID**| **Error Message** | 5296| ------------ | ------------------------------------------------------------ | 5297| 14800012 | The result set is empty or the specified location is invalid. | 5298 5299**Example** 5300 5301```ts 5302if(resultSet != undefined) { 5303 (resultSet as relationalStore.ResultSet).goToFirstRow(); 5304} 5305``` 5306 5307### goToLastRow 5308 5309goToLastRow(): boolean 5310 5311Moves to the last row of the result set. 5312 5313**System capability**: SystemCapability.DistributedDataManager.RelationalStore.Core 5314 5315**Return value** 5316 5317| Type | Description | 5318| ------- | --------------------------------------------- | 5319| boolean | Returns **true** if the operation is successful; returns **false** otherwise.| 5320 5321**Error codes** 5322 5323For details about the error codes, see [RDB Error Codes](../errorcodes/errorcode-data-rdb.md). 5324 5325| **ID**| **Error Message** | 5326| ------------ | ------------------------------------------------------------ | 5327| 14800012 | The result set is empty or the specified location is invalid. | 5328 5329**Example** 5330 5331```ts 5332if(resultSet != undefined) { 5333 (resultSet as relationalStore.ResultSet).goToLastRow(); 5334} 5335``` 5336 5337### goToNextRow 5338 5339goToNextRow(): boolean 5340 5341Moves to the next row in the result set. 5342 5343**System capability**: SystemCapability.DistributedDataManager.RelationalStore.Core 5344 5345**Return value** 5346 5347| Type | Description | 5348| ------- | --------------------------------------------- | 5349| boolean | Returns **true** if the operation is successful; returns **false** otherwise.| 5350 5351**Error codes** 5352 5353For details about the error codes, see [RDB Error Codes](../errorcodes/errorcode-data-rdb.md). 5354 5355| **ID**| **Error Message** | 5356| ------------ | ------------------------------------------------------------ | 5357| 14800012 | The result set is empty or the specified location is invalid. | 5358 5359**Example** 5360 5361```ts 5362if(resultSet != undefined) { 5363 (resultSet as relationalStore.ResultSet).goToNextRow(); 5364} 5365``` 5366 5367### goToPreviousRow 5368 5369goToPreviousRow(): boolean 5370 5371Moves to the previous row in the result set. 5372 5373**System capability**: SystemCapability.DistributedDataManager.RelationalStore.Core 5374 5375**Return value** 5376 5377| Type | Description | 5378| ------- | --------------------------------------------- | 5379| boolean | Returns **true** if the operation is successful; returns **false** otherwise.| 5380 5381**Error codes** 5382 5383For details about the error codes, see [RDB Error Codes](../errorcodes/errorcode-data-rdb.md). 5384 5385| **ID**| **Error Message** | 5386| ------------ | ------------------------------------------------------------ | 5387| 14800012 | The result set is empty or the specified location is invalid. | 5388 5389**Example** 5390 5391```ts 5392if(resultSet != undefined) { 5393 (resultSet as relationalStore.ResultSet).goToPreviousRow(); 5394} 5395``` 5396 5397### getBlob 5398 5399getBlob(columnIndex: number): Uint8Array 5400 5401Obtains the value in the form of a byte array based on the specified column and the current row. 5402 5403**System capability**: SystemCapability.DistributedDataManager.RelationalStore.Core 5404 5405**Parameters** 5406 5407| Name | Type | Mandatory| Description | 5408| ----------- | ------ | ---- | ----------------------- | 5409| columnIndex | number | Yes | Index of the target column, starting from 0.| 5410 5411**Return value** 5412 5413| Type | Description | 5414| ---------- | -------------------------------- | 5415| Uint8Array | Value obtained.| 5416 5417**Error codes** 5418 5419For details about the error codes, see [RDB Error Codes](../errorcodes/errorcode-data-rdb.md). 5420 5421| **ID**| **Error Message** | 5422| ------------ | ------------------------------------------------------------ | 5423| 14800013 | The column value is null or the column type is incompatible. | 5424 5425**Example** 5426 5427```ts 5428if(resultSet != undefined) { 5429 const codes = (resultSet as relationalStore.ResultSet).getBlob((resultSet as relationalStore.ResultSet).getColumnIndex("CODES")); 5430} 5431``` 5432 5433### getString 5434 5435getString(columnIndex: number): string 5436 5437Obtains the value in the form of a string based on the specified column and the current row. 5438 5439**System capability**: SystemCapability.DistributedDataManager.RelationalStore.Core 5440 5441**Parameters** 5442 5443| Name | Type | Mandatory| Description | 5444| ----------- | ------ | ---- | ----------------------- | 5445| columnIndex | number | Yes | Index of the target column, starting from 0.| 5446 5447**Return value** 5448 5449| Type | Description | 5450| ------ | ---------------------------- | 5451| string | String obtained.| 5452 5453**Error codes** 5454 5455For details about the error codes, see [RDB Error Codes](../errorcodes/errorcode-data-rdb.md). 5456 5457| **ID**| **Error Message** | 5458| ------------ | ------------------------------------------------------------ | 5459| 14800013 | The column value is null or the column type is incompatible. | 5460 5461**Example** 5462 5463```ts 5464if(resultSet != undefined) { 5465 const name = (resultSet as relationalStore.ResultSet).getString((resultSet as relationalStore.ResultSet).getColumnIndex("NAME")); 5466} 5467``` 5468 5469### getLong 5470 5471getLong(columnIndex: number): number 5472 5473Obtains the value of the Long type based on the specified column and the current row. 5474 5475**System capability**: SystemCapability.DistributedDataManager.RelationalStore.Core 5476 5477**Parameters** 5478 5479| Name | Type | Mandatory| Description | 5480| ----------- | ------ | ---- | ----------------------- | 5481| columnIndex | number | Yes | Index of the target column, starting from 0.| 5482 5483**Return value** 5484 5485| Type | Description | 5486| ------ | ------------------------------------------------------------ | 5487| number | Value obtained.<br>The value range supported by this API is **Number.MIN_SAFE_INTEGER** to **Number.MAX_SAFE_INTEGER**. If the value is out of this range, use [getDouble](#getdouble).| 5488 5489**Error codes** 5490 5491For details about the error codes, see [RDB Error Codes](../errorcodes/errorcode-data-rdb.md). 5492 5493| **ID**| **Error Message** | 5494| ------------ | ------------------------------------------------------------ | 5495| 14800013 | The column value is null or the column type is incompatible. | 5496 5497**Example** 5498 5499```ts 5500if(resultSet != undefined) { 5501 const age = (resultSet as relationalStore.ResultSet).getLong((resultSet as relationalStore.ResultSet).getColumnIndex("AGE")); 5502 } 5503``` 5504 5505### getDouble 5506 5507getDouble(columnIndex: number): number 5508 5509Obtains the value of the double type based on the specified column and the current row. 5510 5511**System capability**: SystemCapability.DistributedDataManager.RelationalStore.Core 5512 5513**Parameters** 5514 5515| Name | Type | Mandatory| Description | 5516| ----------- | ------ | ---- | ----------------------- | 5517| columnIndex | number | Yes | Index of the target column, starting from 0.| 5518 5519**Return value** 5520 5521| Type | Description | 5522| ------ | ---------------------------- | 5523| number | Returns the value obtained.| 5524 5525**Error codes** 5526 5527For details about the error codes, see [RDB Error Codes](../errorcodes/errorcode-data-rdb.md). 5528 5529| **ID**| **Error Message** | 5530| ------------ | ------------------------------------------------------------ | 5531| 14800013 | The column value is null or the column type is incompatible. | 5532 5533**Example** 5534 5535```ts 5536if(resultSet != undefined) { 5537 const salary = (resultSet as relationalStore.ResultSet).getDouble((resultSet as relationalStore.ResultSet).getColumnIndex("SALARY")); 5538} 5539``` 5540 5541### getAsset<sup>10+</sup> 5542 5543getAsset(columnIndex: number): Asset 5544 5545Obtains the value in the [Asset](#asset10) format based on the specified column and current row. 5546 5547**System capability**: SystemCapability.DistributedDataManager.RelationalStore.Core 5548 5549**Parameters** 5550 5551| Name | Type | Mandatory | Description | 5552| ----------- | ------ | --- | ------------ | 5553| columnIndex | number | Yes | Index of the target column, starting from 0.| 5554 5555**Return value** 5556 5557| Type | Description | 5558| --------------- | -------------------------- | 5559| [Asset](#asset10) | Returns the value obtained.| 5560 5561**Error codes** 5562 5563For details about the error codes, see [RDB Error Codes](../errorcodes/errorcode-data-rdb.md). 5564 5565| **ID**| **Error Message** | 5566| --------- | ------------------------------------------------------------ | 5567| 14800013 | The column value is null or the column type is incompatible. | 5568 5569**Example** 5570 5571```ts 5572if(resultSet != undefined) { 5573 const doc = (resultSet as relationalStore.ResultSet).getAsset((resultSet as relationalStore.ResultSet).getColumnIndex("DOC")); 5574} 5575``` 5576 5577### getAssets<sup>10+</sup> 5578 5579getAssets(columnIndex: number): Assets 5580 5581Obtains the value in the [Assets](#assets10) format based on the specified column and current row. 5582 5583**System capability**: SystemCapability.DistributedDataManager.RelationalStore.Core 5584 5585**Parameters** 5586 5587| Name | Type | Mandatory | Description | 5588| ----------- | ------ | --- | ------------ | 5589| columnIndex | number | Yes | Index of the target column, starting from 0.| 5590 5591**Return value** 5592 5593| Type | Description | 5594| ---------------- | ---------------------------- | 5595| [Assets](#assets10)| Returns the value obtained.| 5596 5597**Error codes** 5598 5599For details about the error codes, see [RDB Error Codes](../errorcodes/errorcode-data-rdb.md). 5600 5601| **ID**| **Error Message** | 5602| ------------ | ------------------------------------------------------------ | 5603| 14800013 | The column value is null or the column type is incompatible. | 5604 5605**Example** 5606 5607```ts 5608if(resultSet != undefined) { 5609 const docs = (resultSet as relationalStore.ResultSet).getAssets((resultSet as relationalStore.ResultSet).getColumnIndex("DOCS")); 5610} 5611``` 5612 5613### getRow<sup>11+</sup> 5614 5615getRow(): ValuesBucket 5616 5617Obtains the data in the current row. 5618 5619**System capability**: SystemCapability.DistributedDataManager.RelationalStore.Core 5620 5621**Return value** 5622 5623| Type | Description | 5624| ---------------- | ---------------------------- | 5625| [ValuesBucket](#valuesbucket) | Data obtained.| 5626 5627**Error codes** 5628 5629For details about the error codes, see [RDB Error Codes](../errorcodes/errorcode-data-rdb.md). 5630 5631| **ID**| **Error Message** | 5632| ------------ | ---------------------------- | 5633| 14800000 | Inner error. | 5634 5635**Example** 5636 5637```ts 5638if(resultSet != undefined) { 5639 const row = (resultSet as relationalStore.ResultSet).getRow(); 5640} 5641``` 5642 5643### isColumnNull 5644 5645isColumnNull(columnIndex: number): boolean 5646 5647Checks whether the value in the specified column is null. 5648 5649**System capability**: SystemCapability.DistributedDataManager.RelationalStore.Core 5650 5651**Parameters** 5652 5653| Name | Type | Mandatory| Description | 5654| ----------- | ------ | ---- | ----------------------- | 5655| columnIndex | number | Yes | Index of the target column, starting from 0.| 5656 5657**Return value** 5658 5659| Type | Description | 5660| ------- | --------------------------------------------------------- | 5661| boolean | Returns **true** if the value is null; returns **false** otherwise.| 5662 5663**Error codes** 5664 5665For details about the error codes, see [RDB Error Codes](../errorcodes/errorcode-data-rdb.md). 5666 5667| **ID**| **Error Message** | 5668| ------------ | ------------------------------------------------------------ | 5669| 14800013 | The column value is null or the column type is incompatible. | 5670 5671**Example** 5672 5673```ts 5674if(resultSet != undefined) { 5675 const isColumnNull = (resultSet as relationalStore.ResultSet).isColumnNull((resultSet as relationalStore.ResultSet).getColumnIndex("CODES")); 5676} 5677``` 5678 5679### close 5680 5681close(): void 5682 5683Closes this result set. 5684 5685**System capability**: SystemCapability.DistributedDataManager.RelationalStore.Core 5686 5687**Example** 5688 5689```ts 5690if(resultSet != undefined) { 5691 (resultSet as relationalStore.ResultSet).close(); 5692} 5693``` 5694 5695**Error codes** 5696 5697For details about the error codes, see [RDB Error Codes](../errorcodes/errorcode-data-rdb.md). 5698 5699| **ID**| **Error Message** | 5700| ------------ | ------------------------------------------------------------ | 5701| 14800012 | The result set is empty or the specified location is invalid. | 5702