]> git.immae.eu Git - github/Chocobozzz/PeerTube.git/blob - support/doc/plugins/guide.md
Fix: missing peertube version in documentation
[github/Chocobozzz/PeerTube.git] / support / doc / plugins / guide.md
1 # Plugins & Themes
2
3 <!-- START doctoc generated TOC please keep comment here to allow auto update -->
4 <!-- DON'T EDIT THIS SECTION, INSTEAD RE-RUN doctoc TO UPDATE -->
5
6 - [Concepts](#concepts)
7 - [Hooks](#hooks)
8 - [Static files](#static-files)
9 - [CSS](#css)
10 - [Server API (only for plugins)](#server-api-only-for-plugins)
11 - [Settings](#settings)
12 - [Storage](#storage)
13 - [Update video constants](#update-video-constants)
14 - [Add custom routes](#add-custom-routes)
15 - [Add custom WebSocket handlers](#add-custom-websocket-handlers)
16 - [Add external auth methods](#add-external-auth-methods)
17 - [Add new transcoding profiles](#add-new-transcoding-profiles)
18 - [Server helpers](#server-helpers)
19 - [Client API (themes & plugins)](#client-api-themes--plugins)
20 - [Get plugin static and router routes](#get-plugin-static-and-router-routes)
21 - [Notifier](#notifier)
22 - [Markdown Renderer](#markdown-renderer)
23 - [Auth header](#auth-header)
24 - [Custom Modal](#custom-modal)
25 - [Translate](#translate)
26 - [Get public settings](#get-public-settings)
27 - [Get server config](#get-server-config)
28 - [Add custom fields to video form](#add-custom-fields-to-video-form)
29 - [Register settings script](#register-settings-script)
30 - [Plugin selector on HTML elements](#plugin-selector-on-html-elements)
31 - [HTML placeholder elements](#html-placeholder-elements)
32 - [Add/remove left menu links](#addremove-left-menu-links)
33 - [Create client page](#create-client-page)
34 - [Publishing](#publishing)
35 - [Write a plugin/theme](#write-a-plugintheme)
36 - [Clone the quickstart repository](#clone-the-quickstart-repository)
37 - [Configure your repository](#configure-your-repository)
38 - [Update README](#update-readme)
39 - [Update package.json](#update-packagejson)
40 - [Write code](#write-code)
41 - [Add translations](#add-translations)
42 - [Build your plugin](#build-your-plugin)
43 - [Test your plugin/theme](#test-your-plugintheme)
44 - [Publish](#publish)
45 - [Unpublish](#unpublish)
46 - [Plugin & Theme hooks/helpers API](#plugin--theme-hookshelpers-api)
47 - [Tips](#tips)
48 - [Compatibility with PeerTube](#compatibility-with-peertube)
49 - [Spam/moderation plugin](#spammoderation-plugin)
50 - [Other plugin examples](#other-plugin-examples)
51
52 <!-- END doctoc generated TOC please keep comment here to allow auto update -->
53
54 ## Concepts
55
56 Themes are exactly the same as plugins, except that:
57 * Their name starts with `peertube-theme-` instead of `peertube-plugin-`
58 * They cannot declare server code (so they cannot register server hooks or settings)
59 * CSS files are loaded by client only if the theme is chosen by the administrator or the user
60
61 ### Hooks
62
63 A plugin registers functions in JavaScript to execute when PeerTube (server and client) fires events. There are 3 types of hooks:
64 * `filter`: used to filter functions parameters or return values.
65 For example to replace words in video comments, or change the videos list behaviour
66 * `action`: used to do something after a certain trigger. For example to send a hook every time a video is published
67 * `static`: same than `action` but PeerTube waits their execution
68
69 On server side, these hooks are registered by the `library` file defined in `package.json`.
70
71 ```json
72 {
73 ...,
74 "library": "./main.js",
75 ...,
76 }
77 ```
78
79 And `main.js` defines a `register` function:
80
81 Example:
82
83 ```js
84 async function register ({
85 registerHook,
86
87 registerSetting,
88 settingsManager,
89
90 storageManager,
91
92 videoCategoryManager,
93 videoLicenceManager,
94 videoLanguageManager,
95
96 peertubeHelpers,
97
98 getRouter,
99
100 registerExternalAuth,
101 unregisterExternalAuth,
102 registerIdAndPassAuth,
103 unregisterIdAndPassAuth
104 }) {
105 registerHook({
106 target: 'action:application.listening',
107 handler: () => displayHelloWorld()
108 })
109 }
110 ```
111
112 Hooks prefixed by `action:api` also give access the original **express** [Request](http://expressjs.com/en/api.html#req) and [Response](http://expressjs.com/en/api.html#res):
113
114 ```js
115 async function register ({
116 registerHook,
117 peertubeHelpers: { logger }
118 }) {
119 registerHook({
120 target: 'action:api.video.updated',
121 handler: ({ req, res }) => logger.debug('original request parameters', { params: req.params })
122 })
123 }
124 ```
125
126
127 On client side, these hooks are registered by the `clientScripts` files defined in `package.json`.
128 All client scripts have scopes so PeerTube client only loads scripts it needs:
129
130 ```json
131 {
132 ...,
133 "clientScripts": [
134 {
135 "script": "client/common-client-plugin.js",
136 "scopes": [ "common" ]
137 },
138 {
139 "script": "client/video-watch-client-plugin.js",
140 "scopes": [ "video-watch" ]
141 }
142 ],
143 ...
144 }
145 ```
146
147 And these scripts also define a `register` function:
148
149 ```js
150 function register ({ registerHook, peertubeHelpers }) {
151 registerHook({
152 target: 'action:application.init',
153 handler: () => onApplicationInit(peertubeHelpers)
154 })
155 }
156 ```
157
158 ### Static files
159
160 Plugins can declare static directories that PeerTube will serve (images for example)
161 from `/plugins/{plugin-name}/{plugin-version}/static/`
162 or `/themes/{theme-name}/{theme-version}/static/` routes.
163
164 ### CSS
165
166 Plugins can declare CSS files that PeerTube will automatically inject in the client.
167 If you need to override existing style, you can use the `#custom-css` selector:
168
169 ```
170 body#custom-css {
171 color: red;
172 }
173
174 #custom-css .header {
175 background-color: red;
176 }
177 ```
178
179 ### Server API (only for plugins)
180
181 #### Settings
182
183 Plugins can register settings, that PeerTube will inject in the administration interface.
184 The following fields will be automatically translated using the plugin translation files: `label`, `html`, `descriptionHTML`, `options.label`.
185 **These fields are injected in the plugin settings page as HTML, so pay attention to your translation files.**
186
187 Example:
188
189 ```js
190 function register (...) {
191 registerSetting({
192 name: 'admin-name',
193 label: 'Admin name',
194
195 type: 'input',
196 // type: 'input' | 'input-checkbox' | 'input-password' | 'input-textarea' | 'markdown-text' | 'markdown-enhanced' | 'select' | 'html'
197
198 // If type: 'select', give the select available options
199 options: [
200 { label: 'Label 1', value: 'value1' },
201 { label: 'Label 2', value: 'value2' }
202 ],
203
204 // If type: 'html', set the HTML that will be injected in the page
205 html: '<strong class="...">Hello</strong><br /><br />'
206
207 // Optional
208 descriptionHTML: 'The purpose of this field is...',
209
210 default: 'my super name',
211
212 // If the setting is not private, anyone can view its value (client code included)
213 // If the setting is private, only server-side hooks can access it
214 private: false
215 })
216
217 const adminName = await settingsManager.getSetting('admin-name')
218
219 const result = await settingsManager.getSettings([ 'admin-name', 'admin-password' ])
220 result['admin-name]
221
222 settingsManager.onSettingsChange(settings => {
223 settings['admin-name']
224 })
225 }
226 ```
227
228 #### Storage
229
230 Plugins can store/load JSON data, that PeerTube will store in its database (so don't put files in there).
231
232 Example:
233
234 ```js
235 function register ({
236 storageManager
237 }) {
238 const value = await storageManager.getData('mykey')
239 await storageManager.storeData('mykey', { subkey: 'value' })
240 }
241 ```
242
243 You can also store files in the plugin data directory (`/{plugins-directory}/data/{npm-plugin-name}`) **in PeerTube >= 3.2**.
244 This directory and its content won't be deleted when your plugin is uninstalled/upgraded.
245
246 ```js
247 function register ({
248 storageManager,
249 peertubeHelpers
250 }) {
251 const basePath = peertubeHelpers.plugin.getDataDirectoryPath()
252
253 fs.writeFile(path.join(basePath, 'filename.txt'), 'content of my file', function (err) {
254 ...
255 })
256 }
257 ```
258
259 #### Update video constants
260
261 You can add/delete video categories, licences or languages using the appropriate constant managers:
262
263 ```js
264 function register ({
265 videoLanguageManager,
266 videoCategoryManager,
267 videoLicenceManager,
268 videoPrivacyManager,
269 playlistPrivacyManager
270 }) {
271 videoLanguageManager.addConstant('al_bhed', 'Al Bhed')
272 videoLanguageManager.deleteConstant('fr')
273
274 videoCategoryManager.addConstant(42, 'Best category')
275 videoCategoryManager.deleteConstant(1) // Music
276 videoCategoryManager.resetConstants() // Reset to initial categories
277 videoCategoryManager.getConstants() // Retrieve all category constants
278
279 videoLicenceManager.addConstant(42, 'Best licence')
280 videoLicenceManager.deleteConstant(7) // Public domain
281
282 videoPrivacyManager.deleteConstant(2) // Remove Unlisted video privacy
283 playlistPrivacyManager.deleteConstant(3) // Remove Private video playlist privacy
284 }
285 ```
286
287 #### Add custom routes
288
289 You can create custom routes using an [express Router](https://expressjs.com/en/4x/api.html#router) for your plugin:
290
291 ```js
292 function register ({
293 router
294 }) {
295 const router = getRouter()
296 router.get('/ping', (req, res) => res.json({ message: 'pong' }))
297
298 // Users are automatically authenticated
299 router.get('/auth', async (res, res) => {
300 const user = await peertubeHelpers.user.getAuthUser(res)
301
302 const isAdmin = user.role === 0
303 const isModerator = user.role === 1
304 const isUser = user.role === 2
305
306 res.json({
307 username: user.username,
308 isAdmin,
309 isModerator,
310 isUser
311 })
312 })
313 }
314 ```
315
316 The `ping` route can be accessed using:
317 * `/plugins/:pluginName/:pluginVersion/router/ping`
318 * Or `/plugins/:pluginName/router/ping`
319
320
321 #### Add custom WebSocket handlers
322
323 **PeerTube >= 5.0**
324
325 You can create custom WebSocket servers (like [ws](https://github.com/websockets/ws) for example) using `registerWebSocketRoute`:
326
327 ```js
328 function register ({
329 registerWebSocketRoute,
330 peertubeHelpers
331 }) {
332 const wss = new WebSocketServer({ noServer: true })
333
334 wss.on('connection', function connection(ws) {
335 peertubeHelpers.logger.info('WebSocket connected!')
336
337 setInterval(() => {
338 ws.send('WebSocket message sent by server');
339 }, 1000)
340 })
341
342 registerWebSocketRoute({
343 route: '/my-websocket-route',
344
345 handler: (request, socket, head) => {
346 wss.handleUpgrade(request, socket, head, ws => {
347 wss.emit('connection', ws, request)
348 })
349 }
350 })
351 }
352 ```
353
354 The `my-websocket-route` route can be accessed using:
355 * `/plugins/:pluginName/:pluginVersion/ws/my-websocket-route`
356 * Or `/plugins/:pluginName/ws/my-websocket-route`
357
358 #### Add external auth methods
359
360 If you want to add a classic username/email and password auth method (like [LDAP](https://framagit.org/framasoft/peertube/official-plugins/-/tree/master/peertube-plugin-auth-ldap) for example):
361
362 ```js
363 function register (...) {
364
365 registerIdAndPassAuth({
366 authName: 'my-auth-method',
367
368 // PeerTube will try all id and pass plugins in the weight DESC order
369 // Exposing this value in the plugin settings could be interesting
370 getWeight: () => 60,
371
372 // Optional function called by PeerTube when the user clicked on the logout button
373 onLogout: user => {
374 console.log('User %s logged out.', user.username')
375 },
376
377 // Optional function called by PeerTube when the access token or refresh token are generated/refreshed
378 hookTokenValidity: ({ token, type }) => {
379 if (type === 'access') return { valid: true }
380 if (type === 'refresh') return { valid: false }
381 },
382
383 // Used by PeerTube when the user tries to authenticate
384 login: ({ id, password }) => {
385 if (id === 'user' && password === 'super password') {
386 return {
387 username: 'user'
388 email: 'user@example.com'
389 role: 2
390 displayName: 'User display name'
391 }
392 }
393
394 // Auth failed
395 return null
396 }
397 })
398
399 // Unregister this auth method
400 unregisterIdAndPassAuth('my-auth-method')
401 }
402 ```
403
404 You can also add an external auth method (like [OpenID](https://framagit.org/framasoft/peertube/official-plugins/-/tree/master/peertube-plugin-auth-openid-connect), [SAML2](https://framagit.org/framasoft/peertube/official-plugins/-/tree/master/peertube-plugin-auth-saml2) etc):
405
406 ```js
407 function register (...) {
408
409 // result contains the userAuthenticated auth method you can call to authenticate a user
410 const result = registerExternalAuth({
411 authName: 'my-auth-method',
412
413 // Will be displayed in a button next to the login form
414 authDisplayName: () => 'Auth method'
415
416 // If the user click on the auth button, PeerTube will forward the request in this function
417 onAuthRequest: (req, res) => {
418 res.redirect('https://external-auth.example.com/auth')
419 },
420
421 // Same than registerIdAndPassAuth option
422 // onLogout: ...
423
424 // Same than registerIdAndPassAuth option
425 // hookTokenValidity: ...
426 })
427
428 router.use('/external-auth-callback', (req, res) => {
429 // Forward the request to PeerTube
430 result.userAuthenticated({
431 req,
432 res,
433 username: 'user'
434 email: 'user@example.com'
435 role: 2
436 displayName: 'User display name'
437 })
438 })
439
440 // Unregister this external auth method
441 unregisterExternalAuth('my-auth-method)
442 }
443 ```
444
445 #### Add new transcoding profiles
446
447 Adding transcoding profiles allow admins to change ffmpeg encoding parameters and/or encoders.
448 A transcoding profile has to be chosen by the admin of the instance using the admin configuration.
449
450 ```js
451 async function register ({
452 transcodingManager
453 }) {
454
455 // Adapt bitrate when using libx264 encoder
456 {
457 const builder = (options) => {
458 const { input, resolution, fps, streamNum } = options
459
460 const streamString = streamNum ? ':' + streamNum : ''
461
462 // You can also return a promise
463 // All these options are optional
464 return {
465 scaleFilter: {
466 // Used to define an alternative scale filter, needed by some encoders
467 // Default to 'scale'
468 name: 'scale_vaapi'
469 },
470 // Default to []
471 inputOptions: [],
472 // Default to []
473 outputOptions: [
474 // Use a custom bitrate
475 '-b' + streamString + ' 10K'
476 ]
477 }
478 }
479
480 const encoder = 'libx264'
481 const profileName = 'low-quality'
482
483 // Support this profile for VOD transcoding
484 transcodingManager.addVODProfile(encoder, profileName, builder)
485
486 // And/Or support this profile for live transcoding
487 transcodingManager.addLiveProfile(encoder, profileName, builder)
488 }
489
490 {
491 const builder = (options) => {
492 const { streamNum } = options
493
494 const streamString = streamNum ? ':' + streamNum : ''
495
496 // Always copy stream when PeerTube use libfdk_aac or aac encoders
497 return {
498 copy: true
499 }
500 }
501
502 const profileName = 'copy-audio'
503
504 for (const encoder of [ 'libfdk_aac', 'aac' ]) {
505 transcodingManager.addVODProfile(encoder, profileName, builder)
506 }
507 }
508 ```
509
510 PeerTube will try different encoders depending on their priority.
511 If the encoder is not available in the current transcoding profile or in ffmpeg, it tries the next one.
512 Plugins can change the order of these encoders and add their custom encoders:
513
514 ```js
515 async function register ({
516 transcodingManager
517 }) {
518
519 // Adapt bitrate when using libx264 encoder
520 {
521 const builder = () => {
522 return {
523 inputOptions: [],
524 outputOptions: []
525 }
526 }
527
528 // Support libopus and libvpx-vp9 encoders (these codecs could be incompatible with the player)
529 transcodingManager.addVODProfile('libopus', 'test-vod-profile', builder)
530
531 // Default priorities are ~100
532 // Lowest priority = 1
533 transcodingManager.addVODEncoderPriority('audio', 'libopus', 1000)
534
535 transcodingManager.addVODProfile('libvpx-vp9', 'test-vod-profile', builder)
536 transcodingManager.addVODEncoderPriority('video', 'libvpx-vp9', 1000)
537
538 transcodingManager.addLiveProfile('libopus', 'test-live-profile', builder)
539 transcodingManager.addLiveEncoderPriority('audio', 'libopus', 1000)
540 }
541 ```
542
543 During live transcode input options are applied once for each target resolution.
544 Plugins are responsible for detecting such situation and applying input options only once if necessary.
545
546 #### Server helpers
547
548 PeerTube provides your plugin some helpers. For example:
549
550 ```js
551 async function register ({
552 peertubeHelpers
553 }) {
554 // Block a server
555 {
556 const serverActor = await peertubeHelpers.server.getServerActor()
557
558 await peertubeHelpers.moderation.blockServer({ byAccountId: serverActor.Account.id, hostToBlock: '...' })
559 }
560
561 // Load a video
562 {
563 const video = await peertubeHelpers.videos.loadByUrl('...')
564 }
565 }
566 ```
567
568 See the [plugin API reference](https://docs.joinpeertube.org/api-plugins) to see the complete helpers list.
569
570 ### Client API (themes & plugins)
571
572 #### Get plugin static and router routes
573
574 To get your plugin static route:
575
576 ```js
577 function register (...) {
578 const baseStaticUrl = peertubeHelpers.getBaseStaticRoute()
579 const imageUrl = baseStaticUrl + '/images/chocobo.png'
580 }
581 ```
582
583 And to get your plugin router route, use `peertubeHelpers.getBaseRouterRoute()`:
584
585 ```js
586 function register (...) {
587 registerHook({
588 target: 'action:video-watch.video.loaded',
589 handler: ({ video }) => {
590 fetch(peertubeHelpers.getBaseRouterRoute() + '/my/plugin/api', {
591 method: 'GET',
592 headers: peertubeHelpers.getAuthHeader()
593 }).then(res => res.json())
594 .then(data => console.log('Hi %s.', data))
595 }
596 })
597 }
598 ```
599
600
601 #### Notifier
602
603 To notify the user with the PeerTube ToastModule:
604
605 ```js
606 function register (...) {
607 const { notifier } = peertubeHelpers
608 notifier.success('Success message content.')
609 notifier.error('Error message content.')
610 }
611 ```
612
613 #### Markdown Renderer
614
615 To render a formatted markdown text to HTML:
616
617 ```js
618 function register (...) {
619 const { markdownRenderer } = peertubeHelpers
620
621 await markdownRenderer.textMarkdownToHTML('**My Bold Text**')
622 // return <strong>My Bold Text</strong>
623
624 await markdownRenderer.enhancedMarkdownToHTML('![alt-img](http://.../my-image.jpg)')
625 // return <img alt=alt-img src=http://.../my-image.jpg />
626 }
627 ```
628
629 #### Auth header
630
631 **PeerTube >= 3.2**
632
633 To make your own HTTP requests using the current authenticated user, use an helper to automatically set appropriate headers:
634
635 ```js
636 function register (...) {
637 registerHook({
638 target: 'action:auth-user.information-loaded',
639 handler: ({ user }) => {
640
641 // Useless because we have the same info in the ({ user }) parameter
642 // It's just an example
643 fetch('/api/v1/users/me', {
644 method: 'GET',
645 headers: peertubeHelpers.getAuthHeader()
646 }).then(res => res.json())
647 .then(data => console.log('Hi %s.', data.username))
648 }
649 })
650 }
651 ```
652
653 #### Custom Modal
654
655 To show a custom modal:
656
657 ```js
658 function register (...) {
659 peertubeHelpers.showModal({
660 title: 'My custom modal title',
661 content: '<p>My custom modal content</p>',
662 // Optionals parameters :
663 // show close icon
664 close: true,
665 // show cancel button and call action() after hiding modal
666 cancel: { value: 'cancel', action: () => {} },
667 // show confirm button and call action() after hiding modal
668 confirm: { value: 'confirm', action: () => {} },
669 })
670 }
671 ```
672
673 #### Translate
674
675 You can translate some strings of your plugin (PeerTube will use your `translations` object of your `package.json` file):
676
677 ```js
678 function register (...) {
679 peertubeHelpers.translate('User name')
680 .then(translation => console.log('Translated User name by ' + translation))
681 }
682 ```
683
684 #### Get public settings
685
686 To get your public plugin settings:
687
688 ```js
689 function register (...) {
690 peertubeHelpers.getSettings()
691 .then(s => {
692 if (!s || !s['site-id'] || !s['url']) {
693 console.error('Matomo settings are not set.')
694 return
695 }
696
697 // ...
698 })
699 }
700 ```
701
702 #### Get server config
703
704 ```js
705 function register (...) {
706 peertubeHelpers.getServerConfig()
707 .then(config => {
708 console.log('Fetched server config.', config)
709 })
710 }
711 ```
712
713 #### Add custom fields to video form
714
715 To add custom fields in the video form (in *Plugin settings* tab):
716
717 ```js
718 async function register ({ registerVideoField, peertubeHelpers }) {
719 const descriptionHTML = await peertubeHelpers.translate(descriptionSource)
720 const commonOptions = {
721 name: 'my-field-name,
722 label: 'My added field',
723 descriptionHTML: 'Optional description',
724
725 // type: 'input' | 'input-checkbox' | 'input-password' | 'input-textarea' | 'markdown-text' | 'markdown-enhanced' | 'select' | 'html'
726 // /!\ 'input-checkbox' could send "false" and "true" strings instead of boolean
727 type: 'input-textarea',
728
729 default: '',
730
731 // Optional, to hide a field depending on the current form state
732 // liveVideo is in the options object when the user is creating/updating a live
733 // videoToUpdate is in the options object when the user is updating a video
734 hidden: ({ formValues, videoToUpdate, liveVideo }) => {
735 return formValues.pluginData['other-field'] === 'toto'
736 },
737
738 // Optional, to display an error depending on the form state
739 error: ({ formValues, value }) => {
740 if (formValues['privacy'] !== 1 && formValues['privacy'] !== 2) return { error: false }
741 if (value === true) return { error: false }
742
743 return { error: true, text: 'Should be enabled' }
744 }
745 }
746
747 const videoFormOptions = {
748 // Optional, to choose to put your setting in a specific tab in video form
749 // type: 'main' | 'plugin-settings'
750 tab: 'main'
751 }
752
753 for (const type of [ 'upload', 'import-url', 'import-torrent', 'update', 'go-live' ]) {
754 registerVideoField(commonOptions, { type, ...videoFormOptions })
755 }
756 }
757 ```
758
759 PeerTube will send this field value in `body.pluginData['my-field-name']` and fetch it from `video.pluginData['my-field-name']`.
760
761 So for example, if you want to store an additional metadata for videos, register the following hooks in **server**:
762
763 ```js
764 async function register ({
765 registerHook,
766 storageManager
767 }) {
768 const fieldName = 'my-field-name'
769
770 // Store data associated to this video
771 registerHook({
772 target: 'action:api.video.updated',
773 handler: ({ video, body }) => {
774 if (!body.pluginData) return
775
776 const value = body.pluginData[fieldName]
777 if (!value) return
778
779 storageManager.storeData(fieldName + '-' + video.id, value)
780 }
781 })
782
783 // Add your custom value to the video, so the client autofill your field using the previously stored value
784 registerHook({
785 target: 'filter:api.video.get.result',
786 handler: async (video) => {
787 if (!video) return video
788 if (!video.pluginData) video.pluginData = {}
789
790 const result = await storageManager.getData(fieldName + '-' + video.id)
791 video.pluginData[fieldName] = result
792
793 return video
794 }
795 })
796 }
797 ```
798
799 #### Register settings script
800
801 To hide some fields in your settings plugin page depending on the form state:
802
803 ```js
804 async function register ({ registerSettingsScript }) {
805 registerSettingsScript({
806 isSettingHidden: options => {
807 if (options.setting.name === 'my-setting' && options.formValues['field45'] === '2') {
808 return true
809 }
810
811 return false
812 }
813 })
814 }
815 ```
816 #### Plugin selector on HTML elements
817
818 PeerTube provides some selectors (using `id` HTML attribute) on important blocks so plugins can easily change their style.
819
820 For example `#plugin-selector-login-form` could be used to hide the login form.
821
822 See the complete list on https://docs.joinpeertube.org/api-plugins
823
824 #### HTML placeholder elements
825
826 PeerTube provides some HTML id so plugins can easily insert their own element:
827
828 ```js
829 async function register (...) {
830 const elem = document.createElement('div')
831 elem.className = 'hello-world-h4'
832 elem.innerHTML = '<h4>Hello everybody! This is an element next to the player</h4>'
833
834 document.getElementById('plugin-placeholder-player-next').appendChild(elem)
835 }
836 ```
837
838 See the complete list on https://docs.joinpeertube.org/api-plugins
839
840 #### Add/remove left menu links
841
842 Left menu links can be filtered (add/remove a section or add/remove links) using the `filter:left-menu.links.create.result` client hook.
843
844 #### Create client page
845
846 To create a client page, register a new client route:
847
848 ```js
849 function register ({ registerClientRoute }) {
850 registerClientRoute({
851 route: 'my-super/route',
852 onMount: ({ rootEl }) => {
853 rootEl.innerHTML = 'hello'
854 }
855 })
856 }
857 ```
858
859
860 ### Publishing
861
862 PeerTube plugins and themes should be published on [NPM](https://www.npmjs.com/) so that PeerTube indexes take into account your plugin (after ~ 1 day). An official plugin index is available on [packages.joinpeertube.org](https://packages.joinpeertube.org/api/v1/plugins), with no interface to present packages.
863
864 > The official plugin index source code is available at https://framagit.org/framasoft/peertube/plugin-index
865
866 ## Write a plugin/theme
867
868 Steps:
869 * Find a name for your plugin or your theme (must not have spaces, it can only contain lowercase letters and `-`)
870 * Add the appropriate prefix:
871 * If you develop a plugin, add `peertube-plugin-` prefix to your plugin name (for example: `peertube-plugin-mysupername`)
872 * If you develop a theme, add `peertube-theme-` prefix to your theme name (for example: `peertube-theme-mysupertheme`)
873 * Clone the quickstart repository
874 * Configure your repository
875 * Update `README.md`
876 * Update `package.json`
877 * Register hooks, add CSS and static files
878 * Test your plugin/theme with a local PeerTube installation
879 * Publish your plugin/theme on NPM
880
881 ### Clone the quickstart repository
882
883 If you develop a plugin, clone the `peertube-plugin-quickstart` repository:
884
885 ```
886 $ git clone https://framagit.org/framasoft/peertube/peertube-plugin-quickstart.git peertube-plugin-mysupername
887 ```
888
889 If you develop a theme, clone the `peertube-theme-quickstart` repository:
890
891 ```
892 $ git clone https://framagit.org/framasoft/peertube/peertube-theme-quickstart.git peertube-theme-mysupername
893 ```
894
895 ### Configure your repository
896
897 Set your repository URL:
898
899 ```
900 $ cd peertube-plugin-mysupername # or cd peertube-theme-mysupername
901 $ git remote set-url origin https://your-git-repo
902 ```
903
904 ### Update README
905
906 Update `README.md` file:
907
908 ```
909 $ $EDITOR README.md
910 ```
911
912 ### Update package.json
913
914 Update the `package.json` fields:
915 * `name` (should start with `peertube-plugin-` or `peertube-theme-`)
916 * `description`
917 * `homepage`
918 * `author`
919 * `bugs`
920 * `engine.peertube` (the PeerTube version compatibility, must be `>=x.y.z` and nothing else)
921
922 **Caution:** Don't update or remove other keys, or PeerTube will not be able to index/install your plugin.
923 If you don't need static directories, use an empty `object`:
924
925 ```json
926 {
927 ...,
928 "staticDirs": {},
929 ...
930 }
931 ```
932
933 And if you don't need CSS or client script files, use an empty `array`:
934
935 ```json
936 {
937 ...,
938 "css": [],
939 "clientScripts": [],
940 ...
941 }
942 ```
943
944 ### Write code
945
946 Now you can register hooks or settings, write CSS and add static directories to your plugin or your theme :)
947 It's up to you to check the code you write will be compatible with the PeerTube NodeJS version, and will be supported by web browsers.
948
949 **JavaScript**
950
951 If you want to write modern JavaScript, please use a transpiler like [Babel](https://babeljs.io/).
952
953 **Typescript**
954
955 The easiest way to use __Typescript__ for both front-end and backend code is to clone [peertube-plugin-quickstart-typescript](https://github.com/JohnXLivingston/peertube-plugin-quickstart-typescript/) (also available on [framagit](https://framagit.org/Livingston/peertube-plugin-quickstart-typescript/)) instead of `peertube-plugin-quickstart`.
956 Please read carefully the [README file](https://github.com/JohnXLivingston/peertube-plugin-quickstart-typescript/blob/main/README.md), as there are some other differences with `peertube-plugin-quickstart` (using SCSS instead of CSS, linting rules, ...).
957
958 If you don't want to use `peertube-plugin-quickstart-typescript`, you can also manually add a dev dependency to __Peertube__ types:
959
960 ```
961 npm install --save-dev @peertube/peertube-types
962 ```
963
964 This package exposes *server* definition files by default:
965 ```ts
966 import { RegisterServerOptions } from '@peertube/peertube-types'
967
968 export async function register ({ registerHook }: RegisterServerOptions) {
969 registerHook({
970 target: 'action:application.listening',
971 handler: () => displayHelloWorld()
972 })
973 }
974 ```
975
976 But it also exposes client types and various models used in __PeerTube__:
977 ```ts
978 import { Video } from '@peertube/peertube-types';
979 import { RegisterClientOptions } from '@peertube/peertube-types/client';
980
981 function register({ registerHook, peertubeHelpers }: RegisterClientOptions) {
982 registerHook({
983 target: 'action:admin-plugin-settings.init',
984 handler: ({ npmName }: { npmName: string }) => {
985 if ('peertube-plugin-transcription' !== npmName) {
986 return;
987 }
988 },
989 });
990
991 registerHook({
992 target: 'action:video-watch.video.loaded',
993 handler: ({ video }: { video: Video }) => {
994 fetch(`${peertubeHelpers.getBaseRouterRoute()}/videos/${video.uuid}/captions`, {
995 method: 'PUT',
996 headers: peertubeHelpers.getAuthHeader(),
997 }).then((res) => res.json())
998 .then((data) => console.log('Hi %s.', data));
999 },
1000 });
1001 }
1002
1003 export { register };
1004 ```
1005
1006 ### Add translations
1007
1008 If you want to translate strings of your plugin (like labels of your registered settings), create a file and add it to `package.json`:
1009
1010 ```json
1011 {
1012 ...,
1013 "translations": {
1014 "fr": "./languages/fr.json",
1015 "pt-BR": "./languages/pt-BR.json"
1016 },
1017 ...
1018 }
1019 ```
1020
1021 The key should be one of the locales defined in [i18n.ts](https://github.com/Chocobozzz/PeerTube/blob/develop/shared/models/i18n/i18n.ts).
1022
1023 Translation files are just objects, with the english sentence as the key and the translation as the value.
1024 `fr.json` could contain for example:
1025
1026 ```json
1027 {
1028 "Hello world": "Hello le monde"
1029 }
1030 ```
1031
1032 ### Build your plugin
1033
1034 If you added client scripts, you'll need to build them using webpack.
1035
1036 Install webpack:
1037
1038 ```
1039 $ npm install
1040 ```
1041
1042 Add/update your files in the `clientFiles` array of `webpack.config.js`:
1043
1044 ```
1045 $ $EDITOR ./webpack.config.js
1046 ```
1047
1048 Build your client files:
1049
1050 ```
1051 $ npm run build
1052 ```
1053
1054 You built files are in the `dist/` directory. Check `package.json` to correctly point to them.
1055
1056
1057 ### Test your plugin/theme
1058
1059 PeerTube dev server (ran with `npm run dev` on `localhost:3000`) can't inject plugin CSS.
1060 It's the reason why we don't use the dev mode but build PeerTube instead.
1061
1062 You'll need to have a local PeerTube instance:
1063 * Follow the [dev prerequisites](https://github.com/Chocobozzz/PeerTube/blob/develop/.github/CONTRIBUTING.md#prerequisites)
1064 (to clone the repository, install dependencies and prepare the database)
1065 * Build PeerTube:
1066
1067 ```
1068 $ npm run build
1069 ```
1070
1071 * Build the CLI:
1072
1073 ```
1074 $ npm run setup:cli
1075 ```
1076
1077 * Run PeerTube (you can access to your instance on http://localhost:9000):
1078
1079 ```
1080 $ NODE_ENV=dev npm start
1081 ```
1082
1083 * Register the instance via the CLI:
1084
1085 ```
1086 $ node ./dist/server/tools/peertube.js auth add -u 'http://localhost:9000' -U 'root' --password 'test'
1087 ```
1088
1089 Then, you can install or reinstall your local plugin/theme by running:
1090
1091 ```
1092 $ node ./dist/server/tools/peertube.js plugins install --path /your/absolute/plugin-or-theme/path
1093 ```
1094
1095 ### Publish
1096
1097 Go in your plugin/theme directory, and run:
1098
1099 ```
1100 $ npm publish
1101 ```
1102
1103 Every time you want to publish another version of your plugin/theme, just update the `version` key from the `package.json`
1104 and republish it on NPM. Remember that the PeerTube index will take into account your new plugin/theme version after ~24 hours.
1105
1106 > If you need to force your plugin update on a specific __PeerTube__ instance, you may update the latest available version manually:
1107 > ```sql
1108 > UPDATE "plugin" SET "latestVersion" = 'X.X.X' WHERE "plugin"."name" = 'plugin-shortname';
1109 > ```
1110 > You'll then be able to click the __Update plugin__ button on the plugin list.
1111
1112 ### Unpublish
1113
1114 If for a particular reason you don't want to maintain your plugin/theme anymore
1115 you can deprecate it. The plugin index will automatically remove it preventing users to find/install it from the PeerTube admin interface:
1116
1117 ```bash
1118 $ npm deprecate peertube-plugin-xxx@"> 0.0.0" "explain here why you deprecate your plugin/theme"
1119 ```
1120
1121 ## Plugin & Theme hooks/helpers API
1122
1123 See the dedicated documentation: https://docs.joinpeertube.org/api-plugins
1124
1125
1126 ## Tips
1127
1128 ### Compatibility with PeerTube
1129
1130 Unfortunately, we don't have enough resources to provide hook compatibility between minor releases of PeerTube (for example between `1.2.x` and `1.3.x`).
1131 So please:
1132 * Don't make assumptions and check every parameter you want to use. For example:
1133
1134 ```js
1135 registerHook({
1136 target: 'filter:api.video.get.result',
1137 handler: video => {
1138 // We check the parameter exists and the name field exists too, to avoid exceptions
1139 if (video && video.name) video.name += ' <3'
1140
1141 return video
1142 }
1143 })
1144 ```
1145 * Don't try to require parent PeerTube modules, only use `peertubeHelpers`. If you need another helper or a specific hook, please [create an issue](https://github.com/Chocobozzz/PeerTube/issues/new/choose)
1146 * Don't use PeerTube dependencies. Use your own :)
1147
1148 If your plugin is broken with a new PeerTube release, update your code and the `peertubeEngine` field of your `package.json` field.
1149 This way, older PeerTube versions will still use your old plugin, and new PeerTube versions will use your updated plugin.
1150
1151 ### Spam/moderation plugin
1152
1153 If you want to create an antispam/moderation plugin, you could use the following hooks:
1154 * `filter:api.video.upload.accept.result`: to accept or not local uploads
1155 * `filter:api.video-thread.create.accept.result`: to accept or not local thread
1156 * `filter:api.video-comment-reply.create.accept.result`: to accept or not local replies
1157 * `filter:api.video-threads.list.result`: to change/hide the text of threads
1158 * `filter:api.video-thread-comments.list.result`: to change/hide the text of replies
1159 * `filter:video.auto-blacklist.result`: to automatically blacklist local or remote videos
1160
1161 ### Other plugin examples
1162
1163 You can take a look to "official" PeerTube plugins if you want to take inspiration from them: https://framagit.org/framasoft/peertube/official-plugins