]> git.immae.eu Git - github/Chocobozzz/PeerTube.git/blame - support/doc/plugins/guide.md
Allow plugins to set short translation locale
[github/Chocobozzz/PeerTube.git] / support / doc / plugins / guide.md
CommitLineData
662e5d4f
C
1# Plugins & Themes
2
d8e9a42c
C
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
7- [Concepts](#concepts)
8 - [Hooks](#hooks)
9 - [Static files](#static-files)
10 - [CSS](#css)
d2466f0a 11 - [Server API (only for plugins)](#server-api-only-for-plugins)
d8e9a42c
C
12 - [Settings](#settings)
13 - [Storage](#storage)
7545a094 14 - [Update video constants](#update-video-constants)
5e2b2e27 15 - [Add custom routes](#add-custom-routes)
1a2820e6 16 - [Add external auth methods](#add-external-auth-methods)
7aca6b24 17 - [Add new transcoding profiles](#add-new-transcoding-profiles)
62bc0352 18 - [Server helpers](#server-helpers)
d2466f0a 19 - [Client API (themes & plugins)](#client-api-themes--plugins)
b3af2601
C
20 - [Plugin static route](#plugin-static-route)
21 - [Notifier](#notifier)
22 - [Markdown Renderer](#markdown-renderer)
23 - [Custom Modal](#custom-modal)
7545a094
C
24 - [Translate](#translate)
25 - [Get public settings](#get-public-settings)
ec99e848 26 - [Get server config](#get-server-config)
8546fe87 27 - [Add custom fields to video form](#add-custom-fields-to-video-form)
d2466f0a 28 - [Register settings script](#register-settings-script)
62bc0352 29 - [HTML placeholder elements](#html-placeholder-elements)
d8e9a42c
C
30 - [Publishing](#publishing)
31- [Write a plugin/theme](#write-a-plugintheme)
32 - [Clone the quickstart repository](#clone-the-quickstart-repository)
33 - [Configure your repository](#configure-your-repository)
34 - [Update README](#update-readme)
35 - [Update package.json](#update-packagejson)
36 - [Write code](#write-code)
7545a094 37 - [Add translations](#add-translations)
8546fe87 38 - [Build your plugin](#build-your-plugin)
d8e9a42c
C
39 - [Test your plugin/theme](#test-your-plugintheme)
40 - [Publish](#publish)
7545a094 41- [Plugin & Theme hooks/helpers API](#plugin--theme-hookshelpers-api)
d8e9a42c
C
42- [Tips](#tips)
43 - [Compatibility with PeerTube](#compatibility-with-peertube)
44 - [Spam/moderation plugin](#spammoderation-plugin)
112be80e 45 - [Other plugin examples](#other-plugin-examples)
d8e9a42c
C
46
47<!-- END doctoc generated TOC please keep comment here to allow auto update -->
48
662e5d4f
C
49## Concepts
50
32d7f2b7 51Themes are exactly the same as plugins, except that:
662e5d4f
C
52 * Their name starts with `peertube-theme-` instead of `peertube-plugin-`
53 * They cannot declare server code (so they cannot register server hooks or settings)
54 * CSS files are loaded by client only if the theme is chosen by the administrator or the user
55
56### Hooks
57
58A plugin registers functions in JavaScript to execute when PeerTube (server and client) fires events. There are 3 types of hooks:
5831dbcb 59 * `filter`: used to filter functions parameters or return values.
662e5d4f
C
60 For example to replace words in video comments, or change the videos list behaviour
61 * `action`: used to do something after a certain trigger. For example to send a hook every time a video is published
62 * `static`: same than `action` but PeerTube waits their execution
662e5d4f
C
63
64On server side, these hooks are registered by the `library` file defined in `package.json`.
65
66```json
67{
68 ...,
69 "library": "./main.js",
70 ...,
71}
72```
73
7545a094
C
74And `main.js` defines a `register` function:
75
76Example:
77
78```js
79async function register ({
80 registerHook,
5831dbcb 81
7545a094
C
82 registerSetting,
83 settingsManager,
5831dbcb 84
7545a094 85 storageManager,
5831dbcb 86
7545a094
C
87 videoCategoryManager,
88 videoLicenceManager,
5e2b2e27 89 videoLanguageManager,
5831dbcb 90
5e2b2e27 91 peertubeHelpers,
5831dbcb
C
92
93 getRouter,
94
95 registerExternalAuth,
96 unregisterExternalAuth,
97 registerIdAndPassAuth,
98 unregisterIdAndPassAuth
7545a094
C
99}) {
100 registerHook({
101 target: 'action:application.listening',
102 handler: () => displayHelloWorld()
103 })
104}
105```
106
662e5d4f
C
107
108On client side, these hooks are registered by the `clientScripts` files defined in `package.json`.
109All client scripts have scopes so PeerTube client only loads scripts it needs:
110
111```json
112{
113 ...,
114 "clientScripts": [
115 {
116 "script": "client/common-client-plugin.js",
117 "scopes": [ "common" ]
118 },
119 {
120 "script": "client/video-watch-client-plugin.js",
121 "scopes": [ "video-watch" ]
122 }
123 ],
124 ...
125}
126```
127
7545a094
C
128And these scripts also define a `register` function:
129
130```js
131function register ({ registerHook, peertubeHelpers }) {
132 registerHook({
133 target: 'action:application.init',
134 handler: () => onApplicationInit(peertubeHelpers)
135 })
136}
137```
138
662e5d4f
C
139### Static files
140
5831dbcb
C
141Plugins can declare static directories that PeerTube will serve (images for example)
142from `/plugins/{plugin-name}/{plugin-version}/static/`
662e5d4f
C
143or `/themes/{theme-name}/{theme-version}/static/` routes.
144
145### CSS
146
147Plugins can declare CSS files that PeerTube will automatically inject in the client.
7545a094
C
148If you need to override existing style, you can use the `#custom-css` selector:
149
150```
151body#custom-css {
152 color: red;
153}
154
155#custom-css .header {
156 background-color: red;
157}
158```
662e5d4f 159
d2466f0a 160### Server API (only for plugins)
662e5d4f
C
161
162#### Settings
163
164Plugins can register settings, that PeerTube will inject in the administration interface.
d2466f0a
C
165The following fields will be automatically translated using the plugin translation files: `label`, `html`, `descriptionHTML`, `options.label`.
166**These fields are injected in the plugin settings page as HTML, so pay attention to your translation files.**
662e5d4f
C
167
168Example:
169
170```js
d2466f0a
C
171function register (...) {
172 registerSetting({
173 name: 'admin-name',
174 label: 'Admin name',
175 type: 'input',
176 // type: input | input-checkbox | input-password | input-textarea | markdown-text | markdown-enhanced | 'select' | 'html'
177 default: 'my super name'
178 })
179
180 const adminName = await settingsManager.getSetting('admin-name')
181
182 const result = await settingsManager.getSettings([ 'admin-name', 'admin-password' ])
183 result['admin-name]
184
185 settingsManager.onSettingsChange(settings => {
186 settings['admin-name])
187 })
188}
662e5d4f
C
189```
190
d8e9a42c 191#### Storage
662e5d4f
C
192
193Plugins can store/load JSON data, that PeerTube will store in its database (so don't put files in there).
194
195Example:
196
197```js
d2466f0a
C
198function register (...) {
199 const value = await storageManager.getData('mykey')
200 await storageManager.storeData('mykey', { subkey: 'value' })
201}
662e5d4f
C
202```
203
7545a094
C
204#### Update video constants
205
206You can add/delete video categories, licences or languages using the appropriate managers:
207
208```js
d2466f0a
C
209function register (...) {
210 videoLanguageManager.addLanguage('al_bhed', 'Al Bhed')
211 videoLanguageManager.deleteLanguage('fr')
7545a094 212
d2466f0a
C
213 videoCategoryManager.addCategory(42, 'Best category')
214 videoCategoryManager.deleteCategory(1) // Music
7545a094 215
d2466f0a
C
216 videoLicenceManager.addLicence(42, 'Best licence')
217 videoLicenceManager.deleteLicence(7) // Public domain
b3af2601 218
d2466f0a
C
219 videoPrivacyManager.deletePrivacy(2) // Remove Unlisted video privacy
220 playlistPrivacyManager.deletePlaylistPrivacy(3) // Remove Private video playlist privacy
221}
7545a094
C
222```
223
5e2b2e27
C
224#### Add custom routes
225
226You can create custom routes using an [express Router](https://expressjs.com/en/4x/api.html#router) for your plugin:
227
228```js
d2466f0a
C
229function register (...) {
230 const router = getRouter()
231 router.get('/ping', (req, res) => res.json({ message: 'pong' }))
232}
5e2b2e27
C
233```
234
235The `ping` route can be accessed using:
236 * `/plugins/:pluginName/:pluginVersion/router/ping`
237 * Or `/plugins/:pluginName/router/ping`
238
239
5831dbcb
C
240#### Add external auth methods
241
242If 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):
243
244```js
d2466f0a
C
245function register (...) {
246
247 registerIdAndPassAuth({
248 authName: 'my-auth-method',
249
250 // PeerTube will try all id and pass plugins in the weight DESC order
251 // Exposing this value in the plugin settings could be interesting
252 getWeight: () => 60,
253
254 // Optional function called by PeerTube when the user clicked on the logout button
255 onLogout: user => {
256 console.log('User %s logged out.', user.username')
257 },
258
259 // Optional function called by PeerTube when the access token or refresh token are generated/refreshed
260 hookTokenValidity: ({ token, type }) => {
261 if (type === 'access') return { valid: true }
262 if (type === 'refresh') return { valid: false }
263 },
264
265 // Used by PeerTube when the user tries to authenticate
266 login: ({ id, password }) => {
267 if (id === 'user' && password === 'super password') {
268 return {
269 username: 'user'
270 email: 'user@example.com'
271 role: 2
272 displayName: 'User display name'
273 }
5831dbcb 274 }
5831dbcb 275
d2466f0a
C
276 // Auth failed
277 return null
278 }
279 })
5831dbcb 280
d2466f0a
C
281 // Unregister this auth method
282 unregisterIdAndPassAuth('my-auth-method')
283}
5831dbcb
C
284```
285
286You 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):
287
288```js
d2466f0a
C
289function register (...) {
290
291 // result contains the userAuthenticated auth method you can call to authenticate a user
292 const result = registerExternalAuth({
293 authName: 'my-auth-method',
294
295 // Will be displayed in a button next to the login form
296 authDisplayName: () => 'Auth method'
297
298 // If the user click on the auth button, PeerTube will forward the request in this function
299 onAuthRequest: (req, res) => {
300 res.redirect('https://external-auth.example.com/auth')
301 },
302
303 // Same than registerIdAndPassAuth option
304 // onLogout: ...
305
306 // Same than registerIdAndPassAuth option
307 // hookTokenValidity: ...
308 })
309
310 router.use('/external-auth-callback', (req, res) => {
311 // Forward the request to PeerTube
312 result.userAuthenticated({
313 req,
314 res,
315 username: 'user'
316 email: 'user@example.com'
317 role: 2
318 displayName: 'User display name'
319 })
5831dbcb 320 })
5831dbcb 321
d2466f0a
C
322 // Unregister this external auth method
323 unregisterExternalAuth('my-auth-method)
324}
5831dbcb
C
325```
326
7aca6b24
C
327#### Add new transcoding profiles
328
329Adding transcoding profiles allow admins to change ffmpeg encoding parameters and/or encoders.
330A transcoding profile has to be chosen by the admin of the instance using the admin configuration.
331
332```js
333async function register ({
334 transcodingManager
335}) {
336
337 // Adapt bitrate when using libx264 encoder
338 {
339 const builder = (options) => {
340 const { input, resolution, fps, streamNum } = options
341
342 const streamString = streamNum ? ':' + streamNum : ''
343
344 // You can also return a promise
a60696ab 345 // All these options are optional
7aca6b24 346 return {
a60696ab
C
347 scaleFilter: {
348 // Used to define an alternative scale filter, needed by some encoders
349 // Default to 'scale'
350 name: 'scale_vaapi'
351 },
352 // Default to []
5fb7cfba 353 inputOptions: [],
a60696ab 354 // Default to []
7aca6b24
C
355 outputOptions: [
356 // Use a custom bitrate
357 '-b' + streamString + ' 10K'
358 ]
359 }
360 }
361
362 const encoder = 'libx264'
363 const profileName = 'low-quality'
364
365 // Support this profile for VOD transcoding
366 transcodingManager.addVODProfile(encoder, profileName, builder)
367
368 // And/Or support this profile for live transcoding
369 transcodingManager.addLiveProfile(encoder, profileName, builder)
370 }
371
372 {
373 const builder = (options) => {
374 const { streamNum } = options
375
376 const streamString = streamNum ? ':' + streamNum : ''
377
378 // Always copy stream when PeerTube use libfdk_aac or aac encoders
379 return {
380 copy: true
381 }
382 }
383
384 const profileName = 'copy-audio'
385
386 for (const encoder of [ 'libfdk_aac', 'aac' ]) {
387 transcodingManager.addVODProfile(encoder, profileName, builder)
388 }
389 }
390```
391
392PeerTube will try different encoders depending on their priority.
393If the encoder is not available in the current transcoding profile or in ffmpeg, it tries the next one.
394Plugins can change the order of these encoders and add their custom encoders:
395
396```js
397async function register ({
398 transcodingManager
399}) {
400
401 // Adapt bitrate when using libx264 encoder
402 {
403 const builder = () => {
404 return {
5fb7cfba 405 inputOptions: [],
7aca6b24
C
406 outputOptions: []
407 }
408 }
409
410 // Support libopus and libvpx-vp9 encoders (these codecs could be incompatible with the player)
411 transcodingManager.addVODProfile('libopus', 'test-vod-profile', builder)
412
413 // Default priorities are ~100
414 // Lowest priority = 1
415 transcodingManager.addVODEncoderPriority('audio', 'libopus', 1000)
416
417 transcodingManager.addVODProfile('libvpx-vp9', 'test-vod-profile', builder)
418 transcodingManager.addVODEncoderPriority('video', 'libvpx-vp9', 1000)
419
420 transcodingManager.addLiveProfile('libopus', 'test-live-profile', builder)
421 transcodingManager.addLiveEncoderPriority('audio', 'libopus', 1000)
422 }
423```
424
d5fc35c2
TLC
425During live transcode input options are applied once for each target resolution.
426Plugins are responsible for detecting such situation and applying input options only once if necessary.
427
62bc0352 428#### Server helpers
d2466f0a
C
429
430PeerTube provides your plugin some helpers. For example:
431
432```js
433async function register ({
434 peertubeHelpers
435}) {
436 // Block a server
437 {
438 const serverActor = await peertubeHelpers.server.getServerActor()
439
440 await peertubeHelpers.moderation.blockServer({ byAccountId: serverActor.Account.id, hostToBlock: '...' })
441 }
442
443 // Load a video
444 {
445 const video = await peertubeHelpers.videos.loadByUrl('...')
446 }
447}
448```
449
450See the [plugin API reference](https://docs.joinpeertube.org/api-plugins) to see the complete helpers list.
451
452### Client API (themes & plugins)
7545a094 453
74c2dece 454#### Plugin static route
7545a094
C
455
456To get your plugin static route:
457
458```js
d2466f0a
C
459function register (...) {
460 const baseStaticUrl = peertubeHelpers.getBaseStaticRoute()
461 const imageUrl = baseStaticUrl + '/images/chocobo.png'
462}
7545a094
C
463```
464
74c2dece
K
465#### Notifier
466
467To notify the user with the PeerTube ToastModule:
468
469```js
d2466f0a
C
470function register (...) {
471 const { notifier } = peertubeHelpers
472 notifier.success('Success message content.')
473 notifier.error('Error message content.')
474}
74c2dece
K
475```
476
8c7725dc
K
477#### Markdown Renderer
478
479To render a formatted markdown text to HTML:
480
481```js
d2466f0a
C
482function register (...) {
483 const { markdownRenderer } = peertubeHelpers
8c7725dc 484
d2466f0a
C
485 await markdownRenderer.textMarkdownToHTML('**My Bold Text**')
486 // return <strong>My Bold Text</strong>
8c7725dc 487
d2466f0a
C
488 await markdownRenderer.enhancedMarkdownToHTML('![alt-img](http://.../my-image.jpg)')
489 // return <img alt=alt-img src=http://.../my-image.jpg />
490}
8c7725dc
K
491```
492
437e8e06
K
493#### Custom Modal
494
495To show a custom modal:
496
497```js
d2466f0a
C
498function register (...) {
499 peertubeHelpers.showModal({
500 title: 'My custom modal title',
501 content: '<p>My custom modal content</p>',
502 // Optionals parameters :
503 // show close icon
504 close: true,
505 // show cancel button and call action() after hiding modal
506 cancel: { value: 'cancel', action: () => {} },
507 // show confirm button and call action() after hiding modal
508 confirm: { value: 'confirm', action: () => {} },
509 })
510}
437e8e06
K
511```
512
7545a094
C
513#### Translate
514
515You can translate some strings of your plugin (PeerTube will use your `translations` object of your `package.json` file):
516
517```js
d2466f0a
C
518function register (...) {
519 peertubeHelpers.translate('User name')
520 .then(translation => console.log('Translated User name by ' + translation))
521}
7545a094
C
522```
523
524#### Get public settings
525
526To get your public plugin settings:
527
528```js
d2466f0a
C
529function register (...) {
530 peertubeHelpers.getSettings()
531 .then(s => {
532 if (!s || !s['site-id'] || !s['url']) {
533 console.error('Matomo settings are not set.')
534 return
535 }
5831dbcb 536
d2466f0a
C
537 // ...
538 })
539}
5831dbcb 540```
7545a094 541
ec99e848
C
542#### Get server config
543
544```js
d2466f0a
C
545function register (...) {
546 peertubeHelpers.getServerConfig()
547 .then(config => {
548 console.log('Fetched server config.', config)
549 })
550}
ec99e848
C
551```
552
8546fe87 553#### Add custom fields to video form
e08a26e2
C
554
555To add custom fields in the video form (in *Plugin settings* tab):
556
8546fe87 557```js
e08a26e2
C
558async function register ({ registerVideoField, peertubeHelpers }) {
559 const descriptionHTML = await peertubeHelpers.translate(descriptionSource)
560 const commonOptions = {
561 name: 'my-field-name,
562 label: 'My added field',
563 descriptionHTML: 'Optional description',
564 type: 'input-textarea',
565 default: ''
566 }
567
568 for (const type of [ 'upload', 'import-url', 'import-torrent', 'update' ]) {
569 registerVideoField(commonOptions, { type })
570 }
571}
572```
573
574PeerTube will send this field value in `body.pluginData['my-field-name']` and fetch it from `video.pluginData['my-field-name']`.
575
576So for example, if you want to store an additional metadata for videos, register the following hooks in **server**:
577
8546fe87 578```js
e08a26e2
C
579async function register ({
580 registerHook,
581 storageManager
582}) {
583 const fieldName = 'my-field-name'
584
585 // Store data associated to this video
586 registerHook({
587 target: 'action:api.video.updated',
588 handler: ({ video, body }) => {
589 if (!body.pluginData) return
590
591 const value = body.pluginData[fieldName]
592 if (!value) return
593
594 storageManager.storeData(fieldName + '-' + video.id, value)
595 }
596 })
597
598 // Add your custom value to the video, so the client autofill your field using the previously stored value
599 registerHook({
600 target: 'filter:api.video.get.result',
601 handler: async (video) => {
602 if (!video) return video
603 if (!video.pluginData) video.pluginData = {}
604
605 const result = await storageManager.getData(fieldName + '-' + video.id)
606 video.pluginData[fieldName] = result
607
608 return video
609 }
610 })
611}
2498aaea 612```
d2466f0a
C
613
614#### Register settings script
615
616To hide some fields in your settings plugin page depending on the form state:
617
618```js
619async function register ({ registerSettingsScript }) {
620 registerSettingsScript({
621 isSettingHidden: options => {
622 if (options.setting.name === 'my-setting' && options.formValues['field45'] === '2') {
623 return true
624 }
625
626 return false
627 }
628 })
629}
630```
631
62bc0352
C
632#### HTML placeholder elements
633
634PeerTube provides some HTML id so plugins can easily insert their own element:
635
b044cb18 636```js
62bc0352
C
637async function register (...) {
638 const elem = document.createElement('div')
639 elem.className = 'hello-world-h4'
640 elem.innerHTML = '<h4>Hello everybody! This is an element next to the player</h4>'
641
642 document.getElementById('plugin-placeholder-player-next').appendChild(elem)
643}
644```
645
646See the complete list on https://docs.joinpeertube.org/api-plugins
d2466f0a 647
662e5d4f
C
648### Publishing
649
650PeerTube plugins and themes should be published on [NPM](https://www.npmjs.com/) so that PeerTube indexes
651take into account your plugin (after ~ 1 day). An official PeerTube index is available on https://packages.joinpeertube.org/ (it's just a REST API, so don't expect a beautiful website).
652
653## Write a plugin/theme
654
655Steps:
656 * Find a name for your plugin or your theme (must not have spaces, it can only contain lowercase letters and `-`)
657 * Add the appropriate prefix:
658 * If you develop a plugin, add `peertube-plugin-` prefix to your plugin name (for example: `peertube-plugin-mysupername`)
659 * If you develop a theme, add `peertube-theme-` prefix to your theme name (for example: `peertube-theme-mysupertheme`)
660 * Clone the quickstart repository
661 * Configure your repository
662 * Update `README.md`
663 * Update `package.json`
664 * Register hooks, add CSS and static files
665 * Test your plugin/theme with a local PeerTube installation
666 * Publish your plugin/theme on NPM
667
668### Clone the quickstart repository
669
670If you develop a plugin, clone the `peertube-plugin-quickstart` repository:
671
672```
673$ git clone https://framagit.org/framasoft/peertube/peertube-plugin-quickstart.git peertube-plugin-mysupername
674```
675
676If you develop a theme, clone the `peertube-theme-quickstart` repository:
677
678```
679$ git clone https://framagit.org/framasoft/peertube/peertube-theme-quickstart.git peertube-theme-mysupername
680```
681
682### Configure your repository
683
684Set your repository URL:
685
686```
687$ cd peertube-plugin-mysupername # or cd peertube-theme-mysupername
688$ git remote set-url origin https://your-git-repo
689```
690
691### Update README
692
693Update `README.md` file:
694
695```
696$ $EDITOR README.md
697```
698
699### Update package.json
700
701Update the `package.json` fields:
702 * `name` (should start with `peertube-plugin-` or `peertube-theme-`)
703 * `description`
704 * `homepage`
705 * `author`
706 * `bugs`
707 * `engine.peertube` (the PeerTube version compatibility, must be `>=x.y.z` and nothing else)
5831dbcb 708
662e5d4f 709**Caution:** Don't update or remove other keys, or PeerTube will not be able to index/install your plugin.
5831dbcb 710If you don't need static directories, use an empty `object`:
662e5d4f
C
711
712```json
713{
714 ...,
715 "staticDirs": {},
716 ...
717}
718```
719
9fa6ca16 720And if you don't need CSS or client script files, use an empty `array`:
662e5d4f
C
721
722```json
723{
724 ...,
725 "css": [],
9fa6ca16 726 "clientScripts": [],
662e5d4f
C
727 ...
728}
729```
730
731### Write code
732
733Now you can register hooks or settings, write CSS and add static directories to your plugin or your theme :)
734
5831dbcb 735**Caution:** It's up to you to check the code you write will be compatible with the PeerTube NodeJS version,
662e5d4f
C
736and will be supported by web browsers.
737If you want to write modern JavaScript, please use a transpiler like [Babel](https://babeljs.io/).
738
7545a094
C
739### Add translations
740
741If you want to translate strings of your plugin (like labels of your registered settings), create a file and add it to `package.json`:
742
743```json
744{
745 ...,
746 "translations": {
67baf647 747 "fr": "./languages/fr.json",
7545a094
C
748 "pt-BR": "./languages/pt-BR.json"
749 },
750 ...
751}
752```
753
754The key should be one of the locales defined in [i18n.ts](https://github.com/Chocobozzz/PeerTube/blob/develop/shared/models/i18n/i18n.ts).
7545a094 755
112be80e
C
756Translation files are just objects, with the english sentence as the key and the translation as the value.
757`fr.json` could contain for example:
758
759```json
760{
761 "Hello world": "Hello le monde"
762}
763```
764
36578353
C
765### Build your plugin
766
767If you added client scripts, you'll need to build them using webpack.
768
769Install webpack:
770
771```
772$ npm install
773```
774
775Add/update your files in the `clientFiles` array of `webpack.config.js`:
776
777```
778$ $EDITOR ./webpack.config.js
779```
780
781Build your client files:
782
783```
784$ npm run build
785```
786
787You built files are in the `dist/` directory. Check `package.json` to correctly point to them.
788
789
662e5d4f
C
790### Test your plugin/theme
791
792You'll need to have a local PeerTube instance:
5831dbcb 793 * Follow the [dev prerequisites](https://github.com/Chocobozzz/PeerTube/blob/develop/.github/CONTRIBUTING.md#prerequisites)
662e5d4f 794 (to clone the repository, install dependencies and prepare the database)
5831dbcb 795 * Build PeerTube (`--light` to only build the english language):
662e5d4f
C
796
797```
798$ npm run build -- --light
9fa6ca16
C
799```
800
801 * Build the CLI:
5831dbcb 802
9fa6ca16
C
803```
804$ npm run setup:cli
662e5d4f 805```
5831dbcb
C
806
807 * Run PeerTube (you can access to your instance on http://localhost:9000):
662e5d4f
C
808
809```
810$ NODE_ENV=test npm start
811```
812
5831dbcb 813 * Register the instance via the CLI:
662e5d4f
C
814
815```
816$ node ./dist/server/tools/peertube.js auth add -u 'http://localhost:9000' -U 'root' --password 'test'
817```
818
819Then, you can install or reinstall your local plugin/theme by running:
820
821```
822$ node ./dist/server/tools/peertube.js plugins install --path /your/absolute/plugin-or-theme/path
823```
824
825### Publish
826
827Go in your plugin/theme directory, and run:
828
829```
830$ npm publish
831```
832
833Every time you want to publish another version of your plugin/theme, just update the `version` key from the `package.json`
834and republish it on NPM. Remember that the PeerTube index will take into account your new plugin/theme version after ~24 hours.
835
d8e9a42c 836
bfa1a32b
C
837## Plugin & Theme hooks/helpers API
838
7cf88d09 839See the dedicated documentation: https://docs.joinpeertube.org/api-plugins
bfa1a32b
C
840
841
d8e9a42c
C
842## Tips
843
844### Compatibility with PeerTube
845
846Unfortunately, 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`).
847So please:
848 * Don't make assumptions and check every parameter you want to use. For example:
849
850```js
851registerHook({
852 target: 'filter:api.video.get.result',
853 handler: video => {
854 // We check the parameter exists and the name field exists too, to avoid exceptions
855 if (video && video.name) video.name += ' <3'
856
857 return video
858 }
859})
860```
a4879b53 861 * 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)
5831dbcb 862 * Don't use PeerTube dependencies. Use your own :)
d8e9a42c 863
51326912 864If your plugin is broken with a new PeerTube release, update your code and the `peertubeEngine` field of your `package.json` field.
5831dbcb 865This way, older PeerTube versions will still use your old plugin, and new PeerTube versions will use your updated plugin.
d8e9a42c
C
866
867### Spam/moderation plugin
868
869If you want to create an antispam/moderation plugin, you could use the following hooks:
870 * `filter:api.video.upload.accept.result`: to accept or not local uploads
871 * `filter:api.video-thread.create.accept.result`: to accept or not local thread
872 * `filter:api.video-comment-reply.create.accept.result`: to accept or not local replies
873 * `filter:api.video-threads.list.result`: to change/hide the text of threads
874 * `filter:api.video-thread-comments.list.result`: to change/hide the text of replies
875 * `filter:video.auto-blacklist.result`: to automatically blacklist local or remote videos
5831dbcb 876
112be80e
C
877### Other plugin examples
878
879You can take a look to "official" PeerTube plugins if you want to take inspiration from them: https://framagit.org/framasoft/peertube/official-plugins