• Home
  • Line#
  • Scopes#
  • Navigate#
  • Raw
  • Download
1# 跨设备文件访问
2
3分布式文件系统为应用提供了跨设备文件访问的能力,开发者在多个设备安装同一应用时,通过[基础文件接口](app-file-access.md),可跨设备读写其他设备该应用分布式文件路径(/data/storage/el2/distributedfiles/)下的文件。例如:多设备数据流转的场景,设备组网互联之后,设备A上的应用可访问设备B同应用分布式路径下的文件,当期望应用文件被其他设备访问时,只需将文件移动到分布式文件路径即可。
4
5## 开发步骤
6
71. 完成分布式组网。
8   首先将需要进行跨设备访问的设备连接到同一局域网中,同帐号认证完成组网。
9
102. 访问跨设备文件。
11   同一应用不同设备之间实现跨设备文件访问,只需要将对应的文件放在应用沙箱的分布式文件路径即可。
12
13   设备A上在分布式路径下创建测试文件,并写入内容。示例中的context的获取方式请参见[获取UIAbility的上下文信息](../application-models/uiability-usage.md#获取uiability的上下文信息)。
14
15   ```ts
16   import fs from '@ohos.file.fs';
17   import common from '@ohos.app.ability.common';
18   import { BusinessError } from '@ohos.base';
19
20   let context = getContext(this) as common.UIAbilityContext; // 获取设备A的UIAbilityContext信息
21   let pathDir: string = context.distributedFilesDir;
22   // 获取分布式目录的文件路径
23   let filePath: string = pathDir + '/test.txt';
24
25   try {
26     // 在分布式目录下创建文件
27     let file = fs.openSync(filePath, fs.OpenMode.READ_WRITE | fs.OpenMode.CREATE);
28     console.info('Succeeded in createing.');
29     // 向文件中写入内容
30     fs.writeSync(file.fd, 'content');
31     // 关闭文件
32     fs.closeSync(file.fd);
33   } catch (error) {
34     let err: BusinessError = error as BusinessError;
35     console.error(`Failed to openSync / writeSync / closeSync. Code: ${err.code}, message: ${err.message}`);
36   }
37   ```
38
39   设备B上在分布式路径下读取测试文件。
40
41   ```ts
42   import fs from '@ohos.file.fs';
43   import common from '@ohos.app.ability.common';
44   import buffer from '@ohos.buffer';
45   import { BusinessError } from '@ohos.base';
46
47   let context = getContext(this) as common.UIAbilityContext; // 获取设备B的UIAbilityContext信息
48   let pathDir: string = context.distributedFilesDir;
49   // 获取分布式目录的文件路径
50   let filePath: string = pathDir + '/test.txt';
51
52   try {
53     // 打开分布式目录下的文件
54     let file = fs.openSync(filePath, fs.OpenMode.READ_WRITE);
55     // 定义接收读取数据的缓存
56     let arrayBuffer = new ArrayBuffer(4096);
57     // 读取文件的内容,返回值是读取到的字节个数
58     class Option {
59        public offset: number = 0;
60        public length: number = 0;
61     }
62     let option = new Option();
63     option.length = arrayBuffer.byteLength;
64     let num = fs.readSync(file.fd, arrayBuffer, option);
65     // 打印读取到的文件数据
66     let buf = buffer.from(arrayBuffer, 0, num);
67     console.info('read result: ' + buf.toString());
68   } catch (error) {
69     let err: BusinessError = error as BusinessError;
70     console.error(`Failed to openSync / readSync. Code: ${err.code}, message: ${err.message}`);
71   }
72   ```
73