Code refactoring:
Cleaning some backend code, for a better readability.
This commit is contained in:
parent
d33795f7a1
commit
f7a32e95d4
343
server/lib/conversejs/params.ts
Normal file
343
server/lib/conversejs/params.ts
Normal file
@ -0,0 +1,343 @@
|
|||||||
|
import type { RegisterServerOptions, MVideoThumbnail, SettingEntries } from '@peertube/peertube-types'
|
||||||
|
import type { ConverseJSTheme, InitConverseJSParams } from '../../../shared/lib/types'
|
||||||
|
import type { RegisterServerOptionsV5 } from '../helpers'
|
||||||
|
import type { LiveChatJSONLDAttributeV1 } from '../federation/types'
|
||||||
|
import { getChannelInfosById, getChannelNameById } from '../database/channel'
|
||||||
|
import {
|
||||||
|
anonymousConnectionInfos, compatibleRemoteAuthenticatedConnectionEnabled
|
||||||
|
} from '../federation/connection-infos'
|
||||||
|
import { getVideoLiveChatInfos } from '../federation/storage'
|
||||||
|
import { getBaseRouterRoute, getBaseStaticRoute } from '../helpers'
|
||||||
|
import { getProsodyDomain } from '../prosody/config/domain'
|
||||||
|
import { getBoshUri, getWSUri } from '../uri/webchat'
|
||||||
|
|
||||||
|
interface InitConverseJSParamsError {
|
||||||
|
isError: true
|
||||||
|
code: 404 | 403 | 500
|
||||||
|
message: string
|
||||||
|
}
|
||||||
|
|
||||||
|
interface GetConverseJSParamsParams {
|
||||||
|
readonly?: boolean | 'noscroll'
|
||||||
|
transparent?: boolean
|
||||||
|
forcetype?: boolean
|
||||||
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Returns ConverseJS options for a given chat room.
|
||||||
|
* Returns an object describing the error if access can not be granted.
|
||||||
|
* @param options server options
|
||||||
|
* @param roomKey chat room key: video UUID (or channel id when forcetype is true)
|
||||||
|
*/
|
||||||
|
async function getConverseJSParams (
|
||||||
|
options: RegisterServerOptionsV5,
|
||||||
|
roomKey: string,
|
||||||
|
params: GetConverseJSParamsParams
|
||||||
|
): Promise<InitConverseJSParams | InitConverseJSParamsError> {
|
||||||
|
const settings = await options.settingsManager.getSettings([
|
||||||
|
'prosody-room-type',
|
||||||
|
'disable-websocket',
|
||||||
|
'converse-theme',
|
||||||
|
'federation-no-remote-chat',
|
||||||
|
'prosody-room-allow-s2s'
|
||||||
|
])
|
||||||
|
|
||||||
|
const {
|
||||||
|
autoViewerMode, forceReadonly, transparent, converseJSTheme
|
||||||
|
} = _interfaceParams(options, settings, params)
|
||||||
|
|
||||||
|
const staticBaseUrl = getBaseStaticRoute(options)
|
||||||
|
|
||||||
|
const authenticationUrl = options.peertubeHelpers.config.getWebserverUrl() +
|
||||||
|
getBaseRouterRoute(options) +
|
||||||
|
'api/auth'
|
||||||
|
|
||||||
|
const roomInfos = await _readRoomKey(options, settings, roomKey)
|
||||||
|
if ('isError' in roomInfos) {
|
||||||
|
return roomInfos // is an InitConverseJSParamsError
|
||||||
|
}
|
||||||
|
|
||||||
|
const connectionInfos = await _connectionInfos(options, settings, params, roomInfos)
|
||||||
|
if ('isError' in connectionInfos) {
|
||||||
|
return connectionInfos // is an InitConverseJSParamsError
|
||||||
|
}
|
||||||
|
const {
|
||||||
|
localAnonymousJID,
|
||||||
|
localBoshUri,
|
||||||
|
localWsUri,
|
||||||
|
remoteConnectionInfos,
|
||||||
|
roomJID
|
||||||
|
} = connectionInfos
|
||||||
|
|
||||||
|
return {
|
||||||
|
staticBaseUrl,
|
||||||
|
assetsPath: staticBaseUrl + 'conversejs/',
|
||||||
|
isRemoteChat: !!(roomInfos.video?.remote),
|
||||||
|
localAnonymousJID: localAnonymousJID,
|
||||||
|
remoteAnonymousJID: remoteConnectionInfos?.anonymous?.userJID ?? null,
|
||||||
|
remoteAnonymousXMPPServer: !!(remoteConnectionInfos?.anonymous),
|
||||||
|
remoteAuthenticatedXMPPServer: !!(remoteConnectionInfos?.authenticated),
|
||||||
|
room: roomJID,
|
||||||
|
localBoshServiceUrl: localBoshUri,
|
||||||
|
localWebsocketServiceUrl: localWsUri,
|
||||||
|
remoteBoshServiceUrl: remoteConnectionInfos?.anonymous?.boshUri ?? null,
|
||||||
|
remoteWebsocketServiceUrl: remoteConnectionInfos?.anonymous?.wsUri ?? null,
|
||||||
|
authenticationUrl: authenticationUrl,
|
||||||
|
autoViewerMode,
|
||||||
|
theme: converseJSTheme,
|
||||||
|
forceReadonly,
|
||||||
|
transparent
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
function _interfaceParams (
|
||||||
|
options: RegisterServerOptions,
|
||||||
|
settings: SettingEntries,
|
||||||
|
params: GetConverseJSParamsParams
|
||||||
|
): {
|
||||||
|
autoViewerMode: InitConverseJSParams['autoViewerMode']
|
||||||
|
forceReadonly: InitConverseJSParams['forceReadonly']
|
||||||
|
transparent: InitConverseJSParams['transparent']
|
||||||
|
converseJSTheme: InitConverseJSParams['theme']
|
||||||
|
} {
|
||||||
|
let autoViewerMode: boolean = false
|
||||||
|
const forceReadonly: boolean | 'noscroll' = params.readonly ?? false
|
||||||
|
if (!forceReadonly) {
|
||||||
|
autoViewerMode = true // auto join the chat in viewer mode, if not logged in
|
||||||
|
}
|
||||||
|
let converseJSTheme: ConverseJSTheme = settings['converse-theme'] as ConverseJSTheme
|
||||||
|
const transparent: boolean = params.transparent ?? false
|
||||||
|
if (!/^\w+$/.test(converseJSTheme)) {
|
||||||
|
converseJSTheme = 'peertube'
|
||||||
|
}
|
||||||
|
|
||||||
|
return {
|
||||||
|
autoViewerMode,
|
||||||
|
forceReadonly,
|
||||||
|
transparent,
|
||||||
|
converseJSTheme
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
interface RoomInfos {
|
||||||
|
video: MVideoThumbnail | undefined
|
||||||
|
channelId: number
|
||||||
|
remoteChatInfos: LiveChatJSONLDAttributeV1 | undefined
|
||||||
|
roomKey: string
|
||||||
|
}
|
||||||
|
|
||||||
|
async function _readRoomKey (
|
||||||
|
options: RegisterServerOptions,
|
||||||
|
settings: SettingEntries,
|
||||||
|
roomKey: string
|
||||||
|
): Promise<RoomInfos | InitConverseJSParamsError> {
|
||||||
|
let video: MVideoThumbnail | undefined
|
||||||
|
let channelId: number
|
||||||
|
let remoteChatInfos: LiveChatJSONLDAttributeV1 | undefined
|
||||||
|
const channelMatches = roomKey.match(/^channel\.(\d+)$/)
|
||||||
|
if (channelMatches?.[1]) {
|
||||||
|
channelId = parseInt(channelMatches[1])
|
||||||
|
// Here we are on a channel room...
|
||||||
|
const channelInfos = await getChannelInfosById(options, channelId)
|
||||||
|
if (!channelInfos) {
|
||||||
|
return {
|
||||||
|
isError: true,
|
||||||
|
code: 404,
|
||||||
|
message: 'Channel Not Found'
|
||||||
|
}
|
||||||
|
}
|
||||||
|
channelId = channelInfos.id
|
||||||
|
} else {
|
||||||
|
const uuid = roomKey // must be a video UUID.
|
||||||
|
video = await options.peertubeHelpers.videos.loadByIdOrUUID(uuid)
|
||||||
|
if (!video) {
|
||||||
|
return {
|
||||||
|
isError: true,
|
||||||
|
code: 404,
|
||||||
|
message: 'Not Found'
|
||||||
|
}
|
||||||
|
}
|
||||||
|
if (video.remote) {
|
||||||
|
remoteChatInfos = settings['federation-no-remote-chat'] ? false : await getVideoLiveChatInfos(options, video)
|
||||||
|
if (!remoteChatInfos) {
|
||||||
|
return {
|
||||||
|
isError: true,
|
||||||
|
code: 404,
|
||||||
|
message: 'Not Found'
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
channelId = video.channelId
|
||||||
|
}
|
||||||
|
|
||||||
|
return {
|
||||||
|
video,
|
||||||
|
channelId,
|
||||||
|
remoteChatInfos,
|
||||||
|
roomKey
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
async function _connectionInfos (
|
||||||
|
options: RegisterServerOptions,
|
||||||
|
settings: SettingEntries,
|
||||||
|
params: GetConverseJSParamsParams,
|
||||||
|
roomInfos: RoomInfos
|
||||||
|
): Promise<{
|
||||||
|
prosodyDomain: string
|
||||||
|
localAnonymousJID: string
|
||||||
|
localBoshUri: string
|
||||||
|
localWsUri: string | null
|
||||||
|
remoteConnectionInfos: WCRemoteConnectionInfos | undefined
|
||||||
|
roomJID: string
|
||||||
|
} | InitConverseJSParamsError> {
|
||||||
|
const { video, remoteChatInfos, channelId, roomKey } = roomInfos
|
||||||
|
|
||||||
|
const prosodyDomain = await getProsodyDomain(options)
|
||||||
|
const localAnonymousJID = 'anon.' + prosodyDomain
|
||||||
|
const localBoshUri = getBoshUri(options)
|
||||||
|
const localWsUri = settings['disable-websocket']
|
||||||
|
? null
|
||||||
|
: (getWSUri(options) ?? null)
|
||||||
|
|
||||||
|
let remoteConnectionInfos: WCRemoteConnectionInfos | undefined
|
||||||
|
let roomJID: string
|
||||||
|
if (video?.remote) {
|
||||||
|
const canWebsocketS2S = !settings['federation-no-remote-chat'] && !settings['disable-websocket']
|
||||||
|
const canDirectS2S = !settings['federation-no-remote-chat'] && !!settings['prosody-room-allow-s2s']
|
||||||
|
try {
|
||||||
|
remoteConnectionInfos = await _remoteConnectionInfos(remoteChatInfos ?? false, canWebsocketS2S, canDirectS2S)
|
||||||
|
} catch (err) {
|
||||||
|
options.peertubeHelpers.logger.error(err)
|
||||||
|
remoteConnectionInfos = undefined
|
||||||
|
}
|
||||||
|
if (!remoteConnectionInfos) {
|
||||||
|
return {
|
||||||
|
isError: true,
|
||||||
|
code: 404,
|
||||||
|
message: 'No compatible way to connect to remote chat'
|
||||||
|
}
|
||||||
|
}
|
||||||
|
roomJID = remoteConnectionInfos.roomJID
|
||||||
|
} else {
|
||||||
|
try {
|
||||||
|
roomJID = await _localRoomJID(
|
||||||
|
options,
|
||||||
|
settings,
|
||||||
|
prosodyDomain,
|
||||||
|
roomKey,
|
||||||
|
video,
|
||||||
|
channelId,
|
||||||
|
params.forcetype ?? false
|
||||||
|
)
|
||||||
|
} catch (err) {
|
||||||
|
options.peertubeHelpers.logger.error(err)
|
||||||
|
return {
|
||||||
|
isError: true,
|
||||||
|
code: 500,
|
||||||
|
message: 'An error occured'
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
return {
|
||||||
|
prosodyDomain,
|
||||||
|
localAnonymousJID,
|
||||||
|
localBoshUri,
|
||||||
|
localWsUri,
|
||||||
|
remoteConnectionInfos,
|
||||||
|
roomJID
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
interface WCRemoteConnectionInfos {
|
||||||
|
roomJID: string
|
||||||
|
anonymous?: {
|
||||||
|
userJID: string
|
||||||
|
boshUri: string
|
||||||
|
wsUri?: string
|
||||||
|
}
|
||||||
|
authenticated?: boolean
|
||||||
|
}
|
||||||
|
|
||||||
|
async function _remoteConnectionInfos (
|
||||||
|
remoteChatInfos: LiveChatJSONLDAttributeV1,
|
||||||
|
canWebsocketS2S: boolean,
|
||||||
|
canDirectS2S: boolean
|
||||||
|
): Promise<WCRemoteConnectionInfos> {
|
||||||
|
if (!remoteChatInfos) { throw new Error('Should have remote chat infos for remote videos') }
|
||||||
|
if (remoteChatInfos.type !== 'xmpp') { throw new Error('Should have remote xmpp chat infos for remote videos') }
|
||||||
|
const connectionInfos: WCRemoteConnectionInfos = {
|
||||||
|
roomJID: remoteChatInfos.jid
|
||||||
|
}
|
||||||
|
if (compatibleRemoteAuthenticatedConnectionEnabled(remoteChatInfos, canWebsocketS2S, canDirectS2S)) {
|
||||||
|
connectionInfos.authenticated = true
|
||||||
|
}
|
||||||
|
const anonymousCI = anonymousConnectionInfos(remoteChatInfos ?? false)
|
||||||
|
if (anonymousCI?.boshUri) {
|
||||||
|
connectionInfos.anonymous = {
|
||||||
|
userJID: anonymousCI.userJID,
|
||||||
|
boshUri: anonymousCI.boshUri,
|
||||||
|
wsUri: anonymousCI.wsUri
|
||||||
|
}
|
||||||
|
}
|
||||||
|
return connectionInfos
|
||||||
|
}
|
||||||
|
|
||||||
|
async function _localRoomJID (
|
||||||
|
options: RegisterServerOptions,
|
||||||
|
settings: SettingEntries,
|
||||||
|
prosodyDomain: string,
|
||||||
|
roomKey: string,
|
||||||
|
video: MVideoThumbnail | undefined,
|
||||||
|
channelId: number,
|
||||||
|
forceType: boolean
|
||||||
|
): Promise<string> {
|
||||||
|
// Computing the room name...
|
||||||
|
let room: string
|
||||||
|
if (forceType) {
|
||||||
|
// We come from the room list in the settings page.
|
||||||
|
// Here we don't read the prosody-room-type settings,
|
||||||
|
// but use the roomKey format.
|
||||||
|
// NB: there is no extra security. Any user can add this parameter.
|
||||||
|
// This is not an issue: the setting will be tested at the room creation.
|
||||||
|
// No room can be created in the wrong mode.
|
||||||
|
if (/^channel\.\d+$/.test(roomKey)) {
|
||||||
|
room = 'channel.{{CHANNEL_ID}}@room.' + prosodyDomain
|
||||||
|
} else {
|
||||||
|
room = '{{VIDEO_UUID}}@room.' + prosodyDomain
|
||||||
|
}
|
||||||
|
} else {
|
||||||
|
if (settings['prosody-room-type'] === 'channel') {
|
||||||
|
room = 'channel.{{CHANNEL_ID}}@room.' + prosodyDomain
|
||||||
|
} else {
|
||||||
|
room = '{{VIDEO_UUID}}@room.' + prosodyDomain
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
if (room.includes('{{VIDEO_UUID}}')) {
|
||||||
|
if (!video) {
|
||||||
|
throw new Error('Missing video')
|
||||||
|
}
|
||||||
|
room = room.replace(/{{VIDEO_UUID}}/g, video.uuid)
|
||||||
|
}
|
||||||
|
room = room.replace(/{{CHANNEL_ID}}/g, `${channelId}`)
|
||||||
|
if (room.includes('{{CHANNEL_NAME}}')) {
|
||||||
|
const channelName = await getChannelNameById(options, channelId)
|
||||||
|
if (channelName === null) {
|
||||||
|
throw new Error('Channel not found')
|
||||||
|
}
|
||||||
|
if (!/^[a-zA-Z0-9_.]+$/.test(channelName)) {
|
||||||
|
// FIXME: see if there is a response here https://github.com/Chocobozzz/PeerTube/issues/4301 for allowed chars
|
||||||
|
options.peertubeHelpers.logger.error(`Invalid channel name, contains unauthorized chars: '${channelName}'`)
|
||||||
|
throw new Error('Invalid channel name, contains unauthorized chars')
|
||||||
|
}
|
||||||
|
room = room.replace(/{{CHANNEL_NAME}}/g, channelName)
|
||||||
|
}
|
||||||
|
|
||||||
|
return room
|
||||||
|
}
|
||||||
|
|
||||||
|
export {
|
||||||
|
getConverseJSParams
|
||||||
|
}
|
@ -1,25 +1,14 @@
|
|||||||
import type { RegisterServerOptions, MVideoThumbnail, SettingEntries } from '@peertube/peertube-types'
|
import type { RegisterServerOptions } from '@peertube/peertube-types'
|
||||||
import type { Router, Request, Response, NextFunction } from 'express'
|
import type { Router, Request, Response, NextFunction } from 'express'
|
||||||
import type {
|
import type { ProsodyListRoomsResult, ProsodyListRoomsResultRoom } from '../../../shared/lib/types'
|
||||||
ProsodyListRoomsResult, ProsodyListRoomsResultRoom,
|
|
||||||
InitConverseJSParams, ConverseJSTheme
|
|
||||||
} from '../../../shared/lib/types'
|
|
||||||
import { createProxyServer } from 'http-proxy'
|
import { createProxyServer } from 'http-proxy'
|
||||||
import {
|
import { RegisterServerOptionsV5, isUserAdmin } from '../helpers'
|
||||||
RegisterServerOptionsV5, getBaseRouterRoute, getBaseStaticRoute, isUserAdmin
|
|
||||||
} from '../helpers'
|
|
||||||
import { asyncMiddleware } from '../middlewares/async'
|
import { asyncMiddleware } from '../middlewares/async'
|
||||||
import { getProsodyDomain } from '../prosody/config/domain'
|
|
||||||
import { getAPIKey } from '../apikey'
|
import { getAPIKey } from '../apikey'
|
||||||
import { getChannelInfosById, getChannelNameById } from '../database/channel'
|
import { getChannelInfosById } from '../database/channel'
|
||||||
import { isAutoColorsAvailable, areAutoColorsValid, AutoColors } from '../../../shared/lib/autocolors'
|
import { isAutoColorsAvailable, areAutoColorsValid, AutoColors } from '../../../shared/lib/autocolors'
|
||||||
import { getBoshUri, getWSUri } from '../uri/webchat'
|
|
||||||
import { getVideoLiveChatInfos } from '../federation/storage'
|
|
||||||
import { LiveChatJSONLDAttributeV1 } from '../federation/types'
|
|
||||||
import {
|
|
||||||
anonymousConnectionInfos, compatibleRemoteAuthenticatedConnectionEnabled
|
|
||||||
} from '../federation/connection-infos'
|
|
||||||
import { fetchMissingRemoteServerInfos } from '../federation/fetch-infos'
|
import { fetchMissingRemoteServerInfos } from '../federation/fetch-infos'
|
||||||
|
import { getConverseJSParams } from '../conversejs/params'
|
||||||
import * as path from 'path'
|
import * as path from 'path'
|
||||||
const got = require('got')
|
const got = require('got')
|
||||||
|
|
||||||
@ -38,8 +27,7 @@ async function initWebchatRouter (options: RegisterServerOptionsV5): Promise<Rou
|
|||||||
const {
|
const {
|
||||||
getRouter,
|
getRouter,
|
||||||
registerWebSocketRoute,
|
registerWebSocketRoute,
|
||||||
peertubeHelpers,
|
peertubeHelpers
|
||||||
settingsManager
|
|
||||||
} = options
|
} = options
|
||||||
|
|
||||||
const converseJSIndex = await fs.readFile(path.resolve(__dirname, '../../conversejs/index.html'))
|
const converseJSIndex = await fs.readFile(path.resolve(__dirname, '../../conversejs/index.html'))
|
||||||
@ -51,102 +39,33 @@ async function initWebchatRouter (options: RegisterServerOptionsV5): Promise<Rou
|
|||||||
res.removeHeader('X-Frame-Options') // this route can be opened in an iframe
|
res.removeHeader('X-Frame-Options') // this route can be opened in an iframe
|
||||||
|
|
||||||
const roomKey = req.params.roomKey
|
const roomKey = req.params.roomKey
|
||||||
const settings = await settingsManager.getSettings([
|
let readonly: boolean | 'noscroll' = false
|
||||||
'prosody-room-type',
|
|
||||||
'disable-websocket',
|
|
||||||
'converse-theme', 'converse-autocolors',
|
|
||||||
'federation-no-remote-chat',
|
|
||||||
'prosody-room-allow-s2s'
|
|
||||||
])
|
|
||||||
|
|
||||||
let autoViewerMode: boolean = false
|
|
||||||
let forceReadonly: boolean | 'noscroll' = false
|
|
||||||
let converseJSTheme: ConverseJSTheme = settings['converse-theme'] as ConverseJSTheme
|
|
||||||
let transparent: boolean = false
|
|
||||||
if (!/^\w+$/.test(converseJSTheme)) {
|
|
||||||
converseJSTheme = 'peertube'
|
|
||||||
}
|
|
||||||
|
|
||||||
const authenticationUrl = options.peertubeHelpers.config.getWebserverUrl() +
|
|
||||||
getBaseRouterRoute(options) +
|
|
||||||
'api/auth'
|
|
||||||
if (req.query._readonly === 'true') {
|
if (req.query._readonly === 'true') {
|
||||||
forceReadonly = true
|
readonly = true
|
||||||
} else if (req.query._readonly === 'noscroll') {
|
} else if (req.query._readonly === 'noscroll') {
|
||||||
forceReadonly = 'noscroll'
|
readonly = 'noscroll'
|
||||||
} else {
|
|
||||||
autoViewerMode = true // auto join the chat in viewer mode, if not logged in
|
|
||||||
}
|
|
||||||
if (req.query._transparent === 'true') {
|
|
||||||
transparent = true
|
|
||||||
}
|
}
|
||||||
|
|
||||||
let video: MVideoThumbnail | undefined
|
const initConverseJSParam = await getConverseJSParams(options, roomKey, {
|
||||||
let channelId: number
|
readonly,
|
||||||
let remoteChatInfos: LiveChatJSONLDAttributeV1 | undefined
|
transparent: req.query._transparent === 'true',
|
||||||
const channelMatches = roomKey.match(/^channel\.(\d+)$/)
|
forcetype: req.query.forcetype === '1'
|
||||||
if (channelMatches?.[1]) {
|
})
|
||||||
channelId = parseInt(channelMatches[1])
|
|
||||||
// Here we are on a channel room...
|
if (('isError' in initConverseJSParam)) {
|
||||||
const channelInfos = await getChannelInfosById(options, channelId)
|
res.status(initConverseJSParam.code)
|
||||||
if (!channelInfos) {
|
res.send(initConverseJSParam.message)
|
||||||
throw new Error('Channel not found')
|
return
|
||||||
}
|
|
||||||
channelId = channelInfos.id
|
|
||||||
} else {
|
|
||||||
const uuid = roomKey // must be a video UUID.
|
|
||||||
video = await peertubeHelpers.videos.loadByIdOrUUID(uuid)
|
|
||||||
if (!video) {
|
|
||||||
res.status(404)
|
|
||||||
res.send('Not found')
|
|
||||||
return
|
|
||||||
}
|
|
||||||
if (video.remote) {
|
|
||||||
remoteChatInfos = settings['federation-no-remote-chat'] ? false : await getVideoLiveChatInfos(options, video)
|
|
||||||
if (!remoteChatInfos) {
|
|
||||||
res.status(404)
|
|
||||||
res.send('Not found')
|
|
||||||
return
|
|
||||||
}
|
|
||||||
}
|
|
||||||
channelId = video.channelId
|
|
||||||
}
|
}
|
||||||
|
|
||||||
let page = '' + (converseJSIndex as string)
|
let page = '' + (converseJSIndex as string)
|
||||||
const baseStaticUrl = getBaseStaticRoute(options)
|
page = page.replace(/{{BASE_STATIC_URL}}/g, initConverseJSParam.staticBaseUrl)
|
||||||
page = page.replace(/{{BASE_STATIC_URL}}/g, baseStaticUrl)
|
|
||||||
|
|
||||||
const prosodyDomain = await getProsodyDomain(options)
|
const settings = await options.settingsManager.getSettings([
|
||||||
const localAnonymousJID = 'anon.' + prosodyDomain
|
'converse-theme', 'converse-autocolors'
|
||||||
const localBoshUri = getBoshUri(options)
|
])
|
||||||
const localWsUri = settings['disable-websocket']
|
|
||||||
? null
|
|
||||||
: (getWSUri(options) ?? null)
|
|
||||||
|
|
||||||
let remoteConnectionInfos: WCRemoteConnectionInfos | undefined
|
|
||||||
let roomJID: string
|
|
||||||
if (video?.remote) {
|
|
||||||
const canWebsocketS2S = !settings['federation-no-remote-chat'] && !settings['disable-websocket']
|
|
||||||
const canDirectS2S = !settings['federation-no-remote-chat'] && !!settings['prosody-room-allow-s2s']
|
|
||||||
remoteConnectionInfos = await _remoteConnectionInfos(remoteChatInfos ?? false, canWebsocketS2S, canDirectS2S)
|
|
||||||
if (!remoteConnectionInfos) {
|
|
||||||
res.status(404)
|
|
||||||
res.send('No compatible way to connect to remote chat')
|
|
||||||
return
|
|
||||||
}
|
|
||||||
roomJID = remoteConnectionInfos.roomJID
|
|
||||||
} else {
|
|
||||||
roomJID = await _localRoomJID(
|
|
||||||
options,
|
|
||||||
settings,
|
|
||||||
prosodyDomain,
|
|
||||||
roomKey,
|
|
||||||
video,
|
|
||||||
channelId,
|
|
||||||
req.query.forcetype === '1'
|
|
||||||
)
|
|
||||||
}
|
|
||||||
|
|
||||||
|
// Adding some custom CSS if relevant...
|
||||||
let autocolorsStyles = ''
|
let autocolorsStyles = ''
|
||||||
if (
|
if (
|
||||||
settings['converse-autocolors'] &&
|
settings['converse-autocolors'] &&
|
||||||
@ -198,28 +117,10 @@ async function initWebchatRouter (options: RegisterServerOptionsV5): Promise<Rou
|
|||||||
peertubeHelpers.logger.debug('No AutoColors.')
|
peertubeHelpers.logger.debug('No AutoColors.')
|
||||||
}
|
}
|
||||||
|
|
||||||
// ... then some CSS in the page.
|
// ... then insert CSS in the page.
|
||||||
page = page.replace(/{{CONVERSEJS_AUTOCOLORS}}/g, autocolorsStyles)
|
page = page.replace(/{{CONVERSEJS_AUTOCOLORS}}/g, autocolorsStyles)
|
||||||
|
|
||||||
// ... and finaly inject all other parameters
|
// ... and finaly inject all other parameters
|
||||||
const initConverseJSParam: InitConverseJSParams = {
|
|
||||||
assetsPath: baseStaticUrl + 'conversejs/',
|
|
||||||
isRemoteChat: !!(video?.remote),
|
|
||||||
localAnonymousJID: localAnonymousJID,
|
|
||||||
remoteAnonymousJID: remoteConnectionInfos?.anonymous?.userJID ?? null,
|
|
||||||
remoteAnonymousXMPPServer: !!(remoteConnectionInfos?.anonymous),
|
|
||||||
remoteAuthenticatedXMPPServer: !!(remoteConnectionInfos?.authenticated),
|
|
||||||
room: roomJID,
|
|
||||||
localBoshServiceUrl: localBoshUri,
|
|
||||||
localWebsocketServiceUrl: localWsUri,
|
|
||||||
remoteBoshServiceUrl: remoteConnectionInfos?.anonymous?.boshUri ?? null,
|
|
||||||
remoteWebsocketServiceUrl: remoteConnectionInfos?.anonymous?.wsUri ?? null,
|
|
||||||
authenticationUrl: authenticationUrl,
|
|
||||||
autoViewerMode,
|
|
||||||
theme: converseJSTheme,
|
|
||||||
forceReadonly,
|
|
||||||
transparent
|
|
||||||
}
|
|
||||||
page = page.replace('{INIT_CONVERSE_PARAMS}', JSON.stringify(initConverseJSParam))
|
page = page.replace('{INIT_CONVERSE_PARAMS}', JSON.stringify(initConverseJSParam))
|
||||||
res.status(200)
|
res.status(200)
|
||||||
res.type('html')
|
res.type('html')
|
||||||
@ -466,94 +367,6 @@ async function enableProxyRoute (
|
|||||||
})
|
})
|
||||||
}
|
}
|
||||||
|
|
||||||
interface WCRemoteConnectionInfos {
|
|
||||||
roomJID: string
|
|
||||||
anonymous?: {
|
|
||||||
userJID: string
|
|
||||||
boshUri: string
|
|
||||||
wsUri?: string
|
|
||||||
}
|
|
||||||
authenticated?: boolean
|
|
||||||
}
|
|
||||||
|
|
||||||
async function _remoteConnectionInfos (
|
|
||||||
remoteChatInfos: LiveChatJSONLDAttributeV1,
|
|
||||||
canWebsocketS2S: boolean,
|
|
||||||
canDirectS2S: boolean
|
|
||||||
): Promise<WCRemoteConnectionInfos> {
|
|
||||||
if (!remoteChatInfos) { throw new Error('Should have remote chat infos for remote videos') }
|
|
||||||
if (remoteChatInfos.type !== 'xmpp') { throw new Error('Should have remote xmpp chat infos for remote videos') }
|
|
||||||
const connectionInfos: WCRemoteConnectionInfos = {
|
|
||||||
roomJID: remoteChatInfos.jid
|
|
||||||
}
|
|
||||||
if (compatibleRemoteAuthenticatedConnectionEnabled(remoteChatInfos, canWebsocketS2S, canDirectS2S)) {
|
|
||||||
connectionInfos.authenticated = true
|
|
||||||
}
|
|
||||||
const anonymousCI = anonymousConnectionInfos(remoteChatInfos ?? false)
|
|
||||||
if (anonymousCI?.boshUri) {
|
|
||||||
connectionInfos.anonymous = {
|
|
||||||
userJID: anonymousCI.userJID,
|
|
||||||
boshUri: anonymousCI.boshUri,
|
|
||||||
wsUri: anonymousCI.wsUri
|
|
||||||
}
|
|
||||||
}
|
|
||||||
return connectionInfos
|
|
||||||
}
|
|
||||||
|
|
||||||
async function _localRoomJID (
|
|
||||||
options: RegisterServerOptions,
|
|
||||||
settings: SettingEntries,
|
|
||||||
prosodyDomain: string,
|
|
||||||
roomKey: string,
|
|
||||||
video: MVideoThumbnail | undefined,
|
|
||||||
channelId: number,
|
|
||||||
forceType: boolean
|
|
||||||
): Promise<string> {
|
|
||||||
// Computing the room name...
|
|
||||||
let room: string
|
|
||||||
if (forceType) {
|
|
||||||
// We come from the room list in the settings page.
|
|
||||||
// Here we don't read the prosody-room-type settings,
|
|
||||||
// but use the roomKey format.
|
|
||||||
// NB: there is no extra security. Any user can add this parameter.
|
|
||||||
// This is not an issue: the setting will be tested at the room creation.
|
|
||||||
// No room can be created in the wrong mode.
|
|
||||||
if (/^channel\.\d+$/.test(roomKey)) {
|
|
||||||
room = 'channel.{{CHANNEL_ID}}@room.' + prosodyDomain
|
|
||||||
} else {
|
|
||||||
room = '{{VIDEO_UUID}}@room.' + prosodyDomain
|
|
||||||
}
|
|
||||||
} else {
|
|
||||||
if (settings['prosody-room-type'] === 'channel') {
|
|
||||||
room = 'channel.{{CHANNEL_ID}}@room.' + prosodyDomain
|
|
||||||
} else {
|
|
||||||
room = '{{VIDEO_UUID}}@room.' + prosodyDomain
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
if (room.includes('{{VIDEO_UUID}}')) {
|
|
||||||
if (!video) {
|
|
||||||
throw new Error('Missing video')
|
|
||||||
}
|
|
||||||
room = room.replace(/{{VIDEO_UUID}}/g, video.uuid)
|
|
||||||
}
|
|
||||||
room = room.replace(/{{CHANNEL_ID}}/g, `${channelId}`)
|
|
||||||
if (room.includes('{{CHANNEL_NAME}}')) {
|
|
||||||
const channelName = await getChannelNameById(options, channelId)
|
|
||||||
if (channelName === null) {
|
|
||||||
throw new Error('Channel not found')
|
|
||||||
}
|
|
||||||
if (!/^[a-zA-Z0-9_.]+$/.test(channelName)) {
|
|
||||||
// FIXME: see if there is a response here https://github.com/Chocobozzz/PeerTube/issues/4301 for allowed chars
|
|
||||||
options.peertubeHelpers.logger.error(`Invalid channel name, contains unauthorized chars: '${channelName}'`)
|
|
||||||
throw new Error('Invalid channel name, contains unauthorized chars')
|
|
||||||
}
|
|
||||||
room = room.replace(/{{CHANNEL_NAME}}/g, channelName)
|
|
||||||
}
|
|
||||||
|
|
||||||
return room
|
|
||||||
}
|
|
||||||
|
|
||||||
export {
|
export {
|
||||||
initWebchatRouter,
|
initWebchatRouter,
|
||||||
disableProxyRoute,
|
disableProxyRoute,
|
||||||
|
@ -6,6 +6,7 @@ interface InitConverseJSParams {
|
|||||||
remoteAnonymousJID: string | null
|
remoteAnonymousJID: string | null
|
||||||
remoteAnonymousXMPPServer: boolean
|
remoteAnonymousXMPPServer: boolean
|
||||||
remoteAuthenticatedXMPPServer: boolean
|
remoteAuthenticatedXMPPServer: boolean
|
||||||
|
staticBaseUrl: string
|
||||||
assetsPath: string
|
assetsPath: string
|
||||||
room: string
|
room: string
|
||||||
localBoshServiceUrl: string | null
|
localBoshServiceUrl: string | null
|
||||||
|
Loading…
x
Reference in New Issue
Block a user