• Home
  • Line#
  • Scopes#
  • Navigate#
  • Raw
  • Download
1# Backup and Restoration Triggered by System Applications
2
3The backup and restoration framework provides a complete data backup and restoration solution for application data, user data, and system services on devices. You can follow the procedure below to enable an application to trigger data backup or restoration:
4
5- [Obtain capability files](#obtaining-capability-files): Obtain capability files of all applications of the user in the system. The capability files are indispensable for data backup and restoration.
6
7- [Back up application data](#backing-up-application-data): Back up the application data based on the application information in the capability files.
8
9- [Restore application data](#restoring-application-data): Restore the application data based on the application information in the capability files.
10
11## How to Develop
12
13For details about the APIs to be used, see [Backup and Restoration](../reference/apis/js-apis-file-backup.md).
14
15Before using the APIs, you need to:
16
171. Apply for the **ohos.permission.BACKUP** permission. For details, see [Apply for Permissions](../security/accesstoken-guidelines.md).
18
192. Import **@ohos.file.backup**.
20
21   ```js
22   import backup from '@ohos.file.backup';
23   ```
24
25## Obtaining Capability Files
26
27Obtain capability files of all applications of the current user. The capability files are indispensable for application data backup and restoration.
28
29The capability file of an application contains the device type, device version, and basic application information, such as the application name, application size, application version, whether to allow backup and restoration, and whether to install the application during restoration.
30
31Use **backup.getLocalCapabilities()** to obtain capability files.
32
33```ts
34import backup from '@ohos.file.backup';
35import common from '@ohos.app.ability.common';
36import fs from '@ohos.file.fs';
37import { BusinessError } from '@ohos.base';
38
39// Obtain the application file path.
40let context = getContext(this) as common.UIAbilityContext;
41let filesDir = context.filesDir;
42
43async function getLocalCapabilities(): Promise<void> {
44 try {
45   let fileData = await backup.getLocalCapabilities();
46   console.info('getLocalCapabilities success');
47   let fpath = filesDir + '/localCapabilities.json';
48   fs.copyFileSync(fileData.fd, fpath);
49   fs.closeSync(fileData.fd);
50 } catch (error) {
51   let err: BusinessError = error as BusinessError;
52   console.error('getLocalCapabilities failed with err: ' + JSON.stringify(err));
53 }
54}
55```
56
57**Capability file example**
58
59| Name      | Type| Mandatory| Description                  |
60| -------------- | -------- | ---- | ---------------------- |
61| bundleInfos    | Array    | Yes  | Application information.          |
62| &nbsp;&nbsp;&nbsp;&nbsp; allToBackup    | Boolean  | Yes  | Whether to allow backup and restoration.      |
63| &nbsp;&nbsp;&nbsp;&nbsp; extensionName  | String  | Yes  | Extension name of the application.          |
64| &nbsp;&nbsp;&nbsp;&nbsp; name           | String  | Yes  | Bundle name of the application.            |
65| &nbsp;&nbsp;&nbsp;&nbsp; needToInstall  | Boolean  | Yes  | Whether to install the application during data restoration.|
66| &nbsp;&nbsp;&nbsp;&nbsp; spaceOccupied  | Number    | Yes  | Space occupied by the application data.|
67| &nbsp;&nbsp;&nbsp;&nbsp; versionCode    | Number    | Yes  | Application version number.          |
68| &nbsp;&nbsp;&nbsp;&nbsp; versionName    | String  | Yes  | Application version name.        |
69| deviceType     | String  | Yes  | Type of the device.              |
70| systemFullName | String  | Yes  | Device version.              |
71
72```json
73{
74"bundleInfos" :[{
75 "allToBackup" : true,
76 "extensionName" : "BackupExtensionAbility",
77 "name" : "com.example.hiworld",
78 "needToInstall" : false,
79 "spaceOccupied" : 0,
80 "versionCode" : 1000000,
81 "versionName" : "1.0.0"
82 }],
83"deviceType" : "default",
84"systemFullName" : "OpenHarmony-4.0.0.0"
85}
86```
87
88## Backing Up Application Data
89
90You can select the application data to be backed up based on the application information in the capability files.
91
92The Backup & Restore service packages the application data to be backed up. The package file handle is returned by the [onFileReady](../reference/apis/js-apis-file-backup.md#onfileready) callback registered when the **SessionBackup** instance is created.
93
94You can save the file to a local directory as required.
95
96**Example**
97
98 ```ts
99  import backup from '@ohos.file.backup';
100  import common from '@ohos.app.ability.common';
101  import fs from '@ohos.file.fs';
102  import { BusinessError } from '@ohos.base';
103
104  // Obtain the sandbox path.
105  let context = getContext(this) as common.UIAbilityContext;
106  let filesDir = context.filesDir;
107  // Create a SessionBackup instance for data backup.
108  let g_session: backup.SessionBackup;
109  function createSessionBackup(): backup.SessionBackup {
110    let generalCallbacks: backup.GeneralCallbacks = {
111      // onFileReady is called to return a data complete notification to the application. Avoid time-consuming implementations in onFileReady. You can use asynchronous threads to process data based on the file FD.
112      onFileReady: (err: BusinessError, file: backup.File) => {
113        if (err) {
114          console.info('onFileReady err: ' + JSON.stringify(err));
115        }
116        try {
117          let bundlePath = filesDir + '/' + file.bundleName;
118          if (!fs.accessSync(bundlePath)) {
119            fs.mkdirSync(bundlePath);
120          }
121          // Calling copyFileSync causes one more memory copy. To reduce memory consumption, you can use the FD returned by onFileReady for data processing, and close the FD after data is processed.
122          fs.copyFileSync(file.fd, bundlePath + `/${file.uri}`);
123          fs.closeSync(file.fd);
124          console.info('onFileReady success');
125        } catch (e) {
126          console.error('onFileReady failed with err: ' + e);
127        }
128      },
129      onBundleBegin: (err: BusinessError, bundleName: string) => {
130        if (err) {
131          console.info('onBundleBegin err: ' + JSON.stringify(err));
132        } else {
133          console.info('onBundleBegin bundleName: ' + bundleName);
134        }
135      },
136      onBundleEnd: (err: BusinessError, bundleName: string) => {
137        if (err) {
138          console.info('onBundleEnd err: ' + JSON.stringify(err));
139        } else {
140          console.info('onBundleEnd bundleName: ' + bundleName);
141        }
142      },
143      onAllBundlesEnd: (err: BusinessError) => {
144        if (err) {
145          console.info('onAllBundlesEnd err: ' + JSON.stringify(err));
146        } else {
147          console.info('onAllBundlesEnd');
148        }
149      },
150      onBackupServiceDied: () => {
151        console.info('onBackupServiceDied');
152      },
153    }
154    let sessionBackup = new backup.SessionBackup(generalCallbacks);
155    return sessionBackup;
156  }
157
158  async function sessionBackup (): Promise<void> {
159    g_session = createSessionBackup();
160    // Select the application to be backed up based on the capability file obtained by backup.getLocalCapabilities().
161    // You can also back up data based on the application bundle name.
162    const backupApps: string[] = [
163      "com.example.hiworld",
164    ]
165    await g_session.appendBundles(backupApps);
166    console.info('appendBundles success');
167  }
168 ```
169
170## Restoring Application Data
171
172You can select the application data to be restored based on the application information in the capability files.
173
174The Backup and Restore service returns the FD of the application data to be restored in the [onFileReady](../reference/apis/js-apis-file-backup.md#onfileready) callback registered when the **SessionRestore** instance is created. The file handle is obtained by [getFileHandle](../reference/apis/js-apis-file-backup.md#getfilehandle). Then, the data to be restored is written to the file handle based on the [uri](../reference/apis/js-apis-file-backup.md#filemeta) returned. After the data is written, use [publishFile()](../reference/apis/js-apis-file-backup.md#publishfile) to notify the service that the data write is complete.
175
176When all the data of the application is ready, the service starts to restore the application data.
177
178**Example**
179
180 ```ts
181  import backup from '@ohos.file.backup';
182  import fs from '@ohos.file.fs';
183  import { BusinessError } from '@ohos.base';
184  // Create a SessionRestore instance for data restoration.
185  let g_session: backup.SessionRestore;
186  async function publishFile(file: backup.File): Promise<void> {
187    let fileMeta: backup.FileMeta = {
188      bundleName: file.bundleName,
189      uri: file.uri
190    }
191    await g_session.publishFile(fileMeta);
192  }
193  function createSessionRestore(): backup.SessionRestore {
194    let generalCallbacks: backup.GeneralCallbacks = {
195      onFileReady: (err: BusinessError, file: backup.File) => {
196        if (err) {
197          console.info('onFileReady err: ' + JSON.stringify(err));
198        }
199        // Set bundlePath based on the actual situation.
200        let bundlePath: string = '';
201        if (!fs.accessSync(bundlePath)) {
202          console.info('onFileReady bundlePath err : ' + bundlePath);
203        }
204        fs.copyFileSync(bundlePath, file.fd);
205        fs.closeSync(file.fd);
206        // After the data is transferred, notify the server that the files are ready.
207        publishFile(file);
208        console.info('onFileReady success');
209      },
210      onBundleBegin: (err: BusinessError, bundleName: string) => {
211        if (err) {
212          console.error('onBundleBegin failed with err: ' + JSON.stringify(err));
213        }
214        console.info('onBundleBegin success');
215      },
216      onBundleEnd: (err: BusinessError, bundleName: string) => {
217        if (err) {
218          console.error('onBundleEnd failed with err: ' + JSON.stringify(err));
219        }
220        console.info('onBundleEnd success');
221      },
222      onAllBundlesEnd: (err: BusinessError) => {
223        if (err) {
224          console.error('onAllBundlesEnd failed with err: ' + JSON.stringify(err));
225        }
226        console.info('onAllBundlesEnd success');
227      },
228      onBackupServiceDied: () => {
229        console.info('service died');
230      }
231    }
232    let sessionRestore = new backup.SessionRestore(generalCallbacks);
233    return sessionRestore;
234  }
235
236  async function restore01 (): Promise<void> {
237    g_session = createSessionRestore();
238    const restoreApps: string[] = [
239      "com.example.hiworld",
240    ]
241    // You can obtain the capability file based on actual situation. The following is an example only.
242    // You can also construct capability files as required.
243    let fileData = await backup.getLocalCapabilities();
244    await g_session.appendBundles(fileData.fd, restoreApps);
245    console.info('appendBundles success');
246    // After the applications to be restored are added, call getFileHandle() to obtain the handles of the application files to be restored based on the application name.
247    // The number of application data files to be restored varies depending on the number of backup files. The following is only an example.
248    let handle: backup.FileMeta = {
249      bundleName: restoreApps[0],
250      uri: "manage.json"
251    }
252    await g_session.getFileHandle(handle);
253    handle.uri = "1.tar";
254    await g_session.getFileHandle(handle);
255    console.info('getFileHandle success');
256  }
257 ```
258