• Home
  • Line#
  • Scopes#
  • Navigate#
  • Raw
  • Download
1# AVSession Provider
2
3An audio and video application needs to access the AVSession service as a provider in order to display media information in the controller (for example, Media Controller) and respond to playback control commands delivered by the controller.
4
5## Basic Concepts
6
7- AVMetadata: media data related attributes, including the IDs of the current media asset (assetId), previous media asset (previousAssetId), and next media asset (nextAssetId), title, author, album, writer, and duration.
8
9- AVPlaybackState: playback state attributes, including the playback state, position, speed, buffered time, loop mode, media item being played (activeItemId), custom media data (extras), and whether the media asset is favorited (isFavorite).
10
11## Available APIs
12
13The table below lists the key APIs used by the provider. The APIs use either a callback or promise to return the result. The APIs listed below use a callback. They provide the same functions as their counterparts that use a promise.
14
15For details, see [AVSession Management](../reference/apis/js-apis-avsession.md).
16
17| API| Description|
18| -------- | -------- |
19| createAVSession(context: Context, tag: string, type: AVSessionType, callback: AsyncCallback&lt;AVSession&gt;): void<sup>10+<sup> | Creates an AVSession.<br>Only one AVSession can be created for a UIAbility.|
20| setAVMetadata(data: AVMetadata, callback: AsyncCallback&lt;void&gt;): void<sup>10+<sup> | Sets AVSession metadata.|
21| setAVPlaybackState(state: AVPlaybackState, callback: AsyncCallback&lt;void&gt;): void<sup>10+<sup> | Sets the AVSession playback state.|
22| setLaunchAbility(ability: WantAgent, callback: AsyncCallback&lt;void&gt;): void<sup>10+<sup> | Starts a UIAbility.|
23| getController(callback: AsyncCallback&lt;AVSessionController&gt;): void<sup>10+<sup> | Obtains the controller of the AVSession.|
24| getOutputDevice(callback: AsyncCallback&lt;OutputDeviceInfo&gt;): void<sup>10+<sup> | Obtains the output device information.|
25| activate(callback: AsyncCallback&lt;void&gt;): void<sup>10+<sup> | Activates the AVSession.|
26| deactivate(callback: AsyncCallback&lt;void&gt;): void<sup>10+<sup> | Deactivates this session.|
27| destroy(callback: AsyncCallback&lt;void&gt;): void<sup>10+<sup> | Destroys the AVSession.|
28| setAVQueueItems(items: Array&lt;AVQueueItem&gt;, callback: AsyncCallback&lt;void&gt;): void <sup>10+<sup> | Sets a playlist.|
29| setAVQueueTitle(title: string, callback: AsyncCallback&lt;void&gt;): void<sup>10+<sup> | Sets a name for the playlist.|
30| dispatchSessionEvent(event: string, args: {[key: string]: Object}, callback: AsyncCallback&lt;void&gt;): void<sup>10+<sup> | Dispatches a custom session event.|
31| setExtras(extras: {[key: string]: Object}, callback: AsyncCallback&lt;void&gt;): void<sup>10+<sup> | Sets a custom media packet in the form of a key-value pair.|
32
33## How to Develop
34
35To enable an audio and video application to access the AVSession service as a provider, proceed as follows:
36
371. Call an API in the **AVSessionManager** class to create and activate an **AVSession** object.
38
39   ```ts
40   import AVSessionManager from '@ohos.multimedia.avsession';
41
42   // Start to create and activate an AVSession object.
43   // Create an AVSession object.
44   let context: Context = getContext(this);
45   async function createSession() {
46     let type: AVSessionManager.AVSessionType = 'audio';
47     let session = await AVSessionManager.createAVSession(context, 'SESSION_NAME', type);
48     await session.activate();
49     console.info(`session create done : sessionId : ${session.sessionId}`);
50   }
51   ```
52
532. Set AVSession information, which includes:
54   - AVMetadata
55   - AVPlaybackState
56
57   The controller will call an API in the **AVSessionController** class to obtain the information and display or process the information.
58
59   ```ts
60   import AVSessionManager from '@ohos.multimedia.avsession';
61   import { BusinessError } from '@ohos.base';
62
63   let context: Context = getContext(this);
64   async function setSessionInfo() {
65     // It is assumed that an AVSession object has been created. For details about how to create an AVSession object, see the node snippet in step 1.
66     let session = await AVSessionManager.createAVSession(context, 'SESSION_NAME', 'audio');
67     // The player logic that triggers changes in the session metadata and playback state is omitted here.
68     // Set necessary session metadata.
69     let metadata: AVSessionManager.AVMetadata = {
70       assetId: '0', // Specified by the application, used to identify the media asset in the application media library.
71       title: 'TITLE',
72       artist: 'ARTIST'
73     };
74     session.setAVMetadata(metadata).then(() => {
75       console.info(`SetAVMetadata successfully`);
76     }).catch((err: BusinessError) => {
77       console.error(`Failed to set AVMetadata. Code: ${err.code}, message: ${err.message}`);
78     });
79     // Set the playback state to paused and set isFavorite to false.
80     let playbackState: AVSessionManager.AVPlaybackState = {
81       state:AVSessionManager.PlaybackState.PLAYBACK_STATE_PAUSE,
82       isFavorite:false
83     };
84     session.setAVPlaybackState(playbackState, (err) => {
85       if (err) {
86         console.error(`Failed to set AVPlaybackState. Code: ${err.code}, message: ${err.message}`);
87       } else {
88         console.info(`SetAVPlaybackState successfully`);
89       }
90     });
91     // Set a playlist.
92     let queueItemDescription_1: AVSessionManager.AVMediaDescription = {
93       assetId: '001',
94       title: 'music_name',
95       subtitle: 'music_sub_name',
96       description: 'music_description',
97       mediaImage: "PIXELMAP_OBJECT",
98       extras: {'extras':'any'}
99     };
100     let queueItem_1: AVSessionManager.AVQueueItem = {
101       itemId: 1,
102       description: queueItemDescription_1
103     };
104     let queueItemDescription_2: AVSessionManager.AVMediaDescription = {
105       assetId: '002',
106       title: 'music_name',
107       subtitle: 'music_sub_name',
108       description: 'music_description',
109       mediaImage: "PIXELMAP_OBJECT",
110       extras: {'extras':'any'}
111     };
112     let queueItem_2: AVSessionManager.AVQueueItem = {
113       itemId: 2,
114       description: queueItemDescription_2
115     };
116     let queueItemsArray = [queueItem_1, queueItem_2];
117     session.setAVQueueItems(queueItemsArray).then(() => {
118       console.info(`SetAVQueueItems successfully`);
119     }).catch((err: BusinessError) => {
120       console.error(`Failed to set AVQueueItem, error code: ${err.code}, error message: ${err.message}`);
121     });
122     // Set a name for the playlist.
123     let queueTitle = 'QUEUE_TITLE';
124     session.setAVQueueTitle(queueTitle).then(() => {
125       console.info(`SetAVQueueTitle successfully`);
126     }).catch((err: BusinessError) => {
127       console.info(`Failed to set AVQueueTitle, error code: ${err.code}, error message: ${err.message}`);
128     });
129   }
130   ```
131
1323. Set the UIAbility to be started by the controller. The UIAbility configured here is started when a user operates the UI of the controller, for example, clicking a widget in Media Controller.
133
134   The UIAbility is set through the **WantAgent** API. For details, see [WantAgent](../reference/apis/js-apis-app-ability-wantAgent.md).
135
136   ```ts
137   import wantAgent from "@ohos.app.ability.wantAgent";
138   ```
139
140   ```ts
141   import AVSessionManager from '@ohos.multimedia.avsession';
142   import wantAgent from '@ohos.app.ability.wantAgent';
143
144   let context: Context = getContext(this);
145   async function getWantAgent() {
146     let type: AVSessionManager.AVSessionType = 'audio';
147     // It is assumed that an AVSession object has been created. For details about how to create an AVSession object, see the node snippet in step 1.
148     let session = await AVSessionManager.createAVSession(context, 'SESSION_NAME', type);
149     let wantAgentInfo: wantAgent.WantAgentInfo = {
150       wants: [
151         {
152           bundleName: 'com.example.musicdemo',
153           abilityName: 'com.example.musicdemo.MainAbility'
154         }
155       ],
156       operationType: wantAgent.OperationType.START_ABILITIES,
157       requestCode: 0,
158       wantAgentFlags: [wantAgent.WantAgentFlags.UPDATE_PRESENT_FLAG]
159     }
160     wantAgent.getWantAgent(wantAgentInfo).then((agent) => {
161       session.setLaunchAbility(agent);
162     })
163   }
164   ```
165
1664. Set a custom session event. The controller performs an operation after receiving the event.
167
168   > **NOTE**
169   >
170   > The data set through **dispatchSessionEvent** is not saved in the **AVSession** object or AVSession service.
171
172   ```ts
173
174   import AVSessionManager from '@ohos.multimedia.avsession';
175   import { BusinessError } from '@ohos.base';
176
177   let context: Context = getContext(this);
178   async function dispatchSessionEvent() {
179     // It is assumed that an AVSession object has been created. For details about how to create an AVSession object, see the node snippet in step 1.
180     let type: AVSessionManager.AVSessionType = 'audio';
181     let session = await AVSessionManager.createAVSession(context, 'SESSION_NAME', type);
182     let eventName = 'dynamic_lyric';
183     await session.dispatchSessionEvent(eventName, {lyric : 'This is my lyric'}).then(() => {
184       console.info(`Dispatch session event successfully`);
185     }).catch((err: BusinessError) => {
186       console.error(`Failed to dispatch session event. Code: ${err.code}, message: ${err.message}`);
187     })
188   }
189
190   ```
191
1925. Set a custom media packet. The controller performs an operation after receiving the event.
193
194   > **NOTE**
195   >
196   > The data set by using **setExtras** is stored in the AVSession service. The data lifecycle is the same as that of the **AVSession** object, and the controller corresponding to the object can use **getExtras** to obtain the data.
197
198   ```ts
199   import AVSessionManager from '@ohos.multimedia.avsession';
200   import { BusinessError } from '@ohos.base';
201
202   let context: Context = getContext(this);
203   async function setExtras() {
204     // It is assumed that an AVSession object has been created. For details about how to create an AVSession object, see the node snippet in step 1.
205     let type: AVSessionManager.AVSessionType = 'audio';
206     let session = await AVSessionManager.createAVSession(context, 'SESSION_NAME', type);
207     await session.setExtras({extra : 'This is my custom meida packet'}).then(() => {
208       console.info(`Set extras successfully`);
209     }).catch((err: BusinessError) => {
210       console.error(`Failed to set extras. Code: ${err.code}, message: ${err.message}`);
211     })
212   }
213   ```
214
2156. Listen for playback control commands or events delivered by the controller, for example, Media Controller.
216
217   Both fixed playback control commands and advanced playback control events can be listened for.
218
219   Listening for Fixed Playback Control Commands
220
221   > **NOTE**
222   >
223   > After the provider registers a listener for fixed playback control commands, the commands will be reflected in **getValidCommands()** of the controller. In other words, the controller determines that the command is valid and triggers the corresponding event as required. To ensure that the playback control commands delivered by the controller can be executed normally, the provider should not use a null implementation for listening.
224
225   Fixed playback control commands on the session side include basic operation commands such as play, pause, previous, and next. For details, see [AVControlCommand](../reference/apis/js-apis-avsession.md).
226
227   ```ts
228   import AVSessionManager from '@ohos.multimedia.avsession';
229
230   let context: Context = getContext(this);
231   async function setListenerForMesFromController() {
232     // It is assumed that an AVSession object has been created. For details about how to create an AVSession object, see the node snippet in step 1.
233     let type: AVSessionManager.AVSessionType = 'audio';
234     let session = await AVSessionManager.createAVSession(context, 'SESSION_NAME', type);
235     // Generally, logic processing on the player is implemented in the listener.
236     // After the processing is complete, use the setter to synchronize the playback information. For details, see the code snippet above.
237     session.on('play', () => {
238       console.info(`on play , do play task`);
239       // do some tasks ···
240     });
241     session.on('pause', () => {
242       console.info(`on pause , do pause task`);
243       // do some tasks ···
244     });
245     session.on('stop', () => {
246       console.info(`on stop , do stop task`);
247       // do some tasks ···
248     });
249     session.on('playNext', () => {
250       console.info(`on playNext , do playNext task`);
251       // do some tasks ···
252     });
253     session.on('playPrevious', () => {
254       console.info(`on playPrevious , do playPrevious task`);
255       // do some tasks ···
256     });
257     session.on('fastForward', () => {
258       console.info(`on fastForward , do fastForward task`);
259       // do some tasks ···
260     });
261     session.on('rewind', () => {
262       console.info(`on rewind , do rewind task`);
263       // do some tasks ···
264     });
265
266     session.on('seek', (time) => {
267       console.info(`on seek , the seek time is ${time}`);
268       // do some tasks ···
269     });
270     session.on('setSpeed', (speed) => {
271       console.info(`on setSpeed , the speed is ${speed}`);
272       // do some tasks ···
273     });
274     session.on('setLoopMode', (mode) => {
275       console.info(`on setLoopMode , the loop mode is ${mode}`);
276       // do some tasks ···
277     });
278     session.on('toggleFavorite', (assetId) => {
279       console.info(`on toggleFavorite , the target asset Id is ${assetId}`);
280       // do some tasks ···
281     });
282   }
283   ```
284
285   Listening for Advanced Playback Control Events
286
287   The following advanced playback control events can be listened for:
288
289   - **skipToQueueItem**: triggered when an item in the playlist is selected.
290   - **handleKeyEvent**: triggered when a key is pressed.
291   - **outputDeviceChange**: triggered when the output device changes.
292   - **commonCommand**: triggered when a custom playback control command changes.
293
294   ```ts
295   import AVSessionManager from '@ohos.multimedia.avsession';
296
297   let context: Context = getContext(this);
298   async function setListenerForMesFromController() {
299     // It is assumed that an AVSession object has been created. For details about how to create an AVSession object, see the node snippet in step 1.
300     let type: AVSessionManager.AVSessionType = 'audio';
301     let session = await AVSessionManager.createAVSession(context, 'SESSION_NAME', type);
302     // Generally, logic processing on the player is implemented in the listener.
303     // After the processing is complete, use the setter to synchronize the playback information. For details, see the code snippet above.
304     session.on('skipToQueueItem', (itemId) => {
305       console.info(`on skipToQueueItem , do skip task`);
306       // do some tasks ···
307     });
308     session.on('handleKeyEvent', (event) => {
309       console.info(`on handleKeyEvent , the event is ${JSON.stringify(event)}`);
310       // do some tasks ···
311     });
312     session.on('outputDeviceChange', (device) => {
313       console.info(`on outputDeviceChange , the device info is ${JSON.stringify(device)}`);
314       // do some tasks ···
315     });
316     session.on('commonCommand', (commandString, args) => {
317       console.info(`on commonCommand , command is ${commandString}, args are ${JSON.stringify(args)}`);
318       // do some tasks ···
319     });
320   }
321   ```
322
3237. Obtain an **AVSessionController** object for this **AVSession** object for interaction.
324
325   ```ts
326   import AVSessionManager from '@ohos.multimedia.avsession';
327
328   let context: Context = getContext(this);
329   async function createControllerFromSession() {
330     // It is assumed that an AVSession object has been created. For details about how to create an AVSession object, see the node snippet in step 1.
331     let type: AVSessionManager.AVSessionType = 'audio';
332     let session = await AVSessionManager.createAVSession(context, 'SESSION_NAME', type);
333
334     // Obtain an AVSessionController object for this AVSession object.
335     let controller = await session.getController();
336
337     // The AVSessionController object can interact with the AVSession object, for example, by delivering a playback control command.
338     let avCommand: AVSessionManager.AVControlCommand = {command:'play'};
339     controller.sendControlCommand(avCommand);
340
341     // Alternatively, listen for state changes.
342     controller.on('playbackStateChange', 'all', (state) => {
343
344       // do some things
345     });
346
347     // The AVSessionController object can perform many operations. For details, see the description of the controller.
348   }
349   ```
350
3518. When the audio and video application exits and does not need to continue playback, cancel the listener and destroy the **AVSession** object.
352
353   The code snippet below is used for canceling the listener for playback control commands:
354
355   ```ts
356   import AVSessionManager from '@ohos.multimedia.avsession';
357
358   let context: Context = getContext(this);
359   async function unregisterSessionListener() {
360     // It is assumed that an AVSession object has been created. For details about how to create an AVSession object, see the node snippet in step 1.
361     let type: AVSessionManager.AVSessionType = 'audio';
362     let session = await AVSessionManager.createAVSession(context, 'SESSION_NAME', type);
363
364     // Cancel the listener of the AVSession object.
365     session.off('play');
366     session.off('pause');
367     session.off('stop');
368     session.off('playNext');
369     session.off('playPrevious');
370     session.off('skipToQueueItem');
371     session.off('handleKeyEvent');
372     session.off('outputDeviceChange');
373     session.off('commonCommand');
374   }
375   ```
376
377   The code snippet below is used for destroying the AVSession object:
378
379   ```ts
380   import AVSessionManager from '@ohos.multimedia.avsession';
381
382   let context: Context = getContext(this);
383   async function destroySession() {
384     // It is assumed that an AVSession object has been created. For details about how to create an AVSession object, see the node snippet in step 1.
385     let type: AVSessionManager.AVSessionType = 'audio';
386     let session = await AVSessionManager.createAVSession(context, 'SESSION_NAME', type);
387     // Destroy the AVSession object.
388     session.destroy((err) => {
389       if (err) {
390         console.error(`Failed to destroy session. Code: ${err.code}, message: ${err.message}`);
391       } else {
392         console.info(`Destroy : SUCCESS `);
393       }
394     });
395   }
396   ```
397