Add ability to set start/end date to timeserie
This commit is contained in:
parent
ac907dc7c1
commit
901bcf5c18
|
@ -1,6 +1,6 @@
|
||||||
import express from 'express'
|
import express from 'express'
|
||||||
import { LocalVideoViewerModel } from '@server/models/view/local-video-viewer'
|
import { LocalVideoViewerModel } from '@server/models/view/local-video-viewer'
|
||||||
import { VideoStatsTimeserieMetric } from '@shared/models'
|
import { VideoStatsTimeserieMetric, VideoStatsTimeserieQuery } from '@shared/models'
|
||||||
import {
|
import {
|
||||||
asyncMiddleware,
|
asyncMiddleware,
|
||||||
authenticate,
|
authenticate,
|
||||||
|
@ -57,10 +57,23 @@ async function getTimeserieStats (req: express.Request, res: express.Response) {
|
||||||
const video = res.locals.videoAll
|
const video = res.locals.videoAll
|
||||||
const metric = req.params.metric as VideoStatsTimeserieMetric
|
const metric = req.params.metric as VideoStatsTimeserieMetric
|
||||||
|
|
||||||
|
const query = req.query as VideoStatsTimeserieQuery
|
||||||
|
|
||||||
const stats = await LocalVideoViewerModel.getTimeserieStats({
|
const stats = await LocalVideoViewerModel.getTimeserieStats({
|
||||||
video,
|
video,
|
||||||
metric
|
metric,
|
||||||
|
startDate: query.startDate ?? buildOneMonthAgo().toISOString(),
|
||||||
|
endDate: query.endDate ?? new Date().toISOString()
|
||||||
})
|
})
|
||||||
|
|
||||||
return res.json(stats)
|
return res.json(stats)
|
||||||
}
|
}
|
||||||
|
|
||||||
|
function buildOneMonthAgo () {
|
||||||
|
const monthAgo = new Date()
|
||||||
|
monthAgo.setHours(0, 0, 0, 0)
|
||||||
|
|
||||||
|
monthAgo.setDate(monthAgo.getDate() - 29)
|
||||||
|
|
||||||
|
return monthAgo
|
||||||
|
}
|
||||||
|
|
55
server/lib/timeserie.ts
Normal file
55
server/lib/timeserie.ts
Normal file
|
@ -0,0 +1,55 @@
|
||||||
|
import { logger } from '@server/helpers/logger'
|
||||||
|
import { VideoStatsTimeserieGroupInterval } from '@shared/models'
|
||||||
|
|
||||||
|
function buildGroupByAndBoundaries (startDateString: string, endDateString: string) {
|
||||||
|
const startDate = new Date(startDateString)
|
||||||
|
const endDate = new Date(endDateString)
|
||||||
|
|
||||||
|
const groupByMatrix: { [ id in VideoStatsTimeserieGroupInterval ]: string } = {
|
||||||
|
one_day: '1 day',
|
||||||
|
one_hour: '1 hour',
|
||||||
|
ten_minutes: '10 minutes',
|
||||||
|
one_minute: '1 minute'
|
||||||
|
}
|
||||||
|
const groupInterval = buildGroupInterval(startDate, endDate)
|
||||||
|
|
||||||
|
logger.debug('Found "%s" group interval.', groupInterval, { startDate, endDate })
|
||||||
|
|
||||||
|
// Remove parts of the date we don't need
|
||||||
|
if (groupInterval === 'one_day') {
|
||||||
|
startDate.setHours(0, 0, 0, 0)
|
||||||
|
} else if (groupInterval === 'one_hour') {
|
||||||
|
startDate.setMinutes(0, 0, 0)
|
||||||
|
} else {
|
||||||
|
startDate.setSeconds(0, 0)
|
||||||
|
}
|
||||||
|
|
||||||
|
return {
|
||||||
|
groupInterval,
|
||||||
|
sqlInterval: groupByMatrix[groupInterval],
|
||||||
|
startDate,
|
||||||
|
endDate
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
// ---------------------------------------------------------------------------
|
||||||
|
|
||||||
|
export {
|
||||||
|
buildGroupByAndBoundaries
|
||||||
|
}
|
||||||
|
|
||||||
|
// ---------------------------------------------------------------------------
|
||||||
|
|
||||||
|
function buildGroupInterval (startDate: Date, endDate: Date): VideoStatsTimeserieGroupInterval {
|
||||||
|
const aDay = 86400
|
||||||
|
const anHour = 3600
|
||||||
|
const aMinute = 60
|
||||||
|
|
||||||
|
const diffSeconds = (endDate.getTime() - startDate.getTime()) / 1000
|
||||||
|
|
||||||
|
if (diffSeconds >= 6 * aDay) return 'one_day'
|
||||||
|
if (diffSeconds >= 6 * anHour) return 'one_hour'
|
||||||
|
if (diffSeconds >= 60 * aMinute) return 'ten_minutes'
|
||||||
|
|
||||||
|
return 'one_minute'
|
||||||
|
}
|
|
@ -1,7 +1,9 @@
|
||||||
import express from 'express'
|
import express from 'express'
|
||||||
import { param } from 'express-validator'
|
import { param, query } from 'express-validator'
|
||||||
|
import { isDateValid } from '@server/helpers/custom-validators/misc'
|
||||||
import { isValidStatTimeserieMetric } from '@server/helpers/custom-validators/video-stats'
|
import { isValidStatTimeserieMetric } from '@server/helpers/custom-validators/video-stats'
|
||||||
import { HttpStatusCode, UserRight } from '@shared/models'
|
import { STATS_TIMESERIE } from '@server/initializers/constants'
|
||||||
|
import { HttpStatusCode, UserRight, VideoStatsTimeserieQuery } from '@shared/models'
|
||||||
import { logger } from '../../../helpers/logger'
|
import { logger } from '../../../helpers/logger'
|
||||||
import { areValidationErrors, checkUserCanManageVideo, doesVideoExist, isValidVideoIdParam } from '../shared'
|
import { areValidationErrors, checkUserCanManageVideo, doesVideoExist, isValidVideoIdParam } from '../shared'
|
||||||
|
|
||||||
|
@ -45,12 +47,40 @@ const videoTimeserieStatsValidator = [
|
||||||
.custom(isValidStatTimeserieMetric)
|
.custom(isValidStatTimeserieMetric)
|
||||||
.withMessage('Should have a valid timeserie metric'),
|
.withMessage('Should have a valid timeserie metric'),
|
||||||
|
|
||||||
|
query('startDate')
|
||||||
|
.optional()
|
||||||
|
.custom(isDateValid)
|
||||||
|
.withMessage('Should have a valid start date'),
|
||||||
|
|
||||||
|
query('endDate')
|
||||||
|
.optional()
|
||||||
|
.custom(isDateValid)
|
||||||
|
.withMessage('Should have a valid end date'),
|
||||||
|
|
||||||
async (req: express.Request, res: express.Response, next: express.NextFunction) => {
|
async (req: express.Request, res: express.Response, next: express.NextFunction) => {
|
||||||
logger.debug('Checking videoTimeserieStatsValidator parameters', { parameters: req.body })
|
logger.debug('Checking videoTimeserieStatsValidator parameters', { parameters: req.body })
|
||||||
|
|
||||||
if (areValidationErrors(req, res)) return
|
if (areValidationErrors(req, res)) return
|
||||||
if (!await commonStatsCheck(req, res)) return
|
if (!await commonStatsCheck(req, res)) return
|
||||||
|
|
||||||
|
const query: VideoStatsTimeserieQuery = req.query
|
||||||
|
if (
|
||||||
|
(query.startDate && !query.endDate) ||
|
||||||
|
(!query.startDate && query.endDate)
|
||||||
|
) {
|
||||||
|
return res.fail({
|
||||||
|
status: HttpStatusCode.BAD_REQUEST_400,
|
||||||
|
message: 'Both start date and end date should be defined if one of them is specified'
|
||||||
|
})
|
||||||
|
}
|
||||||
|
|
||||||
|
if (query.startDate && getIntervalByDays(query.startDate, query.endDate) > STATS_TIMESERIE.MAX_DAYS) {
|
||||||
|
return res.fail({
|
||||||
|
status: HttpStatusCode.BAD_REQUEST_400,
|
||||||
|
message: 'Star date and end date interval is too big'
|
||||||
|
})
|
||||||
|
}
|
||||||
|
|
||||||
return next()
|
return next()
|
||||||
}
|
}
|
||||||
]
|
]
|
||||||
|
@ -71,3 +101,10 @@ async function commonStatsCheck (req: express.Request, res: express.Response) {
|
||||||
|
|
||||||
return true
|
return true
|
||||||
}
|
}
|
||||||
|
|
||||||
|
function getIntervalByDays (startDateString: string, endDateString: string) {
|
||||||
|
const startDate = new Date(startDateString)
|
||||||
|
const endDate = new Date(endDateString)
|
||||||
|
|
||||||
|
return (endDate.getTime() - startDate.getTime()) / 1000 / 86400
|
||||||
|
}
|
||||||
|
|
|
@ -1,7 +1,7 @@
|
||||||
import { QueryTypes } from 'sequelize'
|
import { QueryTypes } from 'sequelize'
|
||||||
import { AllowNull, BelongsTo, Column, CreatedAt, DataType, Default, ForeignKey, HasMany, IsUUID, Model, Table } from 'sequelize-typescript'
|
import { AllowNull, BelongsTo, Column, CreatedAt, DataType, Default, ForeignKey, HasMany, IsUUID, Model, Table } from 'sequelize-typescript'
|
||||||
import { STATS_TIMESERIE } from '@server/initializers/constants'
|
|
||||||
import { getActivityStreamDuration } from '@server/lib/activitypub/activity'
|
import { getActivityStreamDuration } from '@server/lib/activitypub/activity'
|
||||||
|
import { buildGroupByAndBoundaries } from '@server/lib/timeserie'
|
||||||
import { MLocalVideoViewer, MLocalVideoViewerWithWatchSections, MVideo } from '@server/types/models'
|
import { MLocalVideoViewer, MLocalVideoViewerWithWatchSections, MVideo } from '@server/types/models'
|
||||||
import { VideoStatsOverall, VideoStatsRetention, VideoStatsTimeserie, VideoStatsTimeserieMetric, WatchActionObject } from '@shared/models'
|
import { VideoStatsOverall, VideoStatsRetention, VideoStatsTimeserie, VideoStatsTimeserieMetric, WatchActionObject } from '@shared/models'
|
||||||
import { AttributesOnly } from '@shared/typescript-utils'
|
import { AttributesOnly } from '@shared/typescript-utils'
|
||||||
|
@ -216,33 +216,48 @@ export class LocalVideoViewerModel extends Model<Partial<AttributesOnly<LocalVid
|
||||||
static async getTimeserieStats (options: {
|
static async getTimeserieStats (options: {
|
||||||
video: MVideo
|
video: MVideo
|
||||||
metric: VideoStatsTimeserieMetric
|
metric: VideoStatsTimeserieMetric
|
||||||
|
startDate: string
|
||||||
|
endDate: string
|
||||||
}): Promise<VideoStatsTimeserie> {
|
}): Promise<VideoStatsTimeserie> {
|
||||||
const { video, metric } = options
|
const { video, metric } = options
|
||||||
|
|
||||||
|
const { groupInterval, sqlInterval, startDate, endDate } = buildGroupByAndBoundaries(options.startDate, options.endDate)
|
||||||
|
|
||||||
const selectMetrics: { [ id in VideoStatsTimeserieMetric ]: string } = {
|
const selectMetrics: { [ id in VideoStatsTimeserieMetric ]: string } = {
|
||||||
viewers: 'COUNT("localVideoViewer"."id")',
|
viewers: 'COUNT("localVideoViewer"."id")',
|
||||||
aggregateWatchTime: 'SUM("localVideoViewer"."watchTime")'
|
aggregateWatchTime: 'SUM("localVideoViewer"."watchTime")'
|
||||||
}
|
}
|
||||||
|
|
||||||
const query = `WITH days AS ( ` +
|
const query = `WITH "intervals" AS (
|
||||||
`SELECT (current_date::timestamp - (serie || ' days')::interval)::timestamptz AS day
|
SELECT
|
||||||
FROM generate_series(0, ${STATS_TIMESERIE.MAX_DAYS - 1}) serie` +
|
"time" AS "startDate", "time" + :sqlInterval::interval as "endDate"
|
||||||
`) ` +
|
FROM
|
||||||
`SELECT days.day AS date, COALESCE(${selectMetrics[metric]}, 0) AS value ` +
|
generate_series(:startDate::timestamptz, :endDate::timestamptz, :sqlInterval::interval) serie("time")
|
||||||
`FROM days ` +
|
)
|
||||||
`LEFT JOIN "localVideoViewer" ON "localVideoViewer"."videoId" = :videoId ` +
|
SELECT "intervals"."startDate" as "date", COALESCE(${selectMetrics[metric]}, 0) AS value
|
||||||
`AND date_trunc('day', "localVideoViewer"."startDate") = date_trunc('day', days.day) ` +
|
FROM
|
||||||
`GROUP BY day ` +
|
intervals
|
||||||
`ORDER BY day `
|
LEFT JOIN "localVideoViewer" ON "localVideoViewer"."videoId" = :videoId
|
||||||
|
AND "localVideoViewer"."startDate" >= "intervals"."startDate" AND "localVideoViewer"."startDate" <= "intervals"."endDate"
|
||||||
|
GROUP BY
|
||||||
|
"intervals"."startDate"
|
||||||
|
ORDER BY
|
||||||
|
"intervals"."startDate"`
|
||||||
|
|
||||||
const queryOptions = {
|
const queryOptions = {
|
||||||
type: QueryTypes.SELECT as QueryTypes.SELECT,
|
type: QueryTypes.SELECT as QueryTypes.SELECT,
|
||||||
replacements: { videoId: video.id }
|
replacements: {
|
||||||
|
startDate,
|
||||||
|
endDate,
|
||||||
|
sqlInterval,
|
||||||
|
videoId: video.id
|
||||||
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
const rows = await LocalVideoViewerModel.sequelize.query<any>(query, queryOptions)
|
const rows = await LocalVideoViewerModel.sequelize.query<any>(query, queryOptions)
|
||||||
|
|
||||||
return {
|
return {
|
||||||
|
groupInterval,
|
||||||
data: rows.map(r => ({
|
data: rows.map(r => ({
|
||||||
date: r.date,
|
date: r.date,
|
||||||
value: parseInt(r.value)
|
value: parseInt(r.value)
|
||||||
|
|
|
@ -112,6 +112,54 @@ describe('Test videos views', function () {
|
||||||
await servers[0].videoStats.getTimeserieStats({ videoId, metric: 'hello' as any, expectedStatus: HttpStatusCode.BAD_REQUEST_400 })
|
await servers[0].videoStats.getTimeserieStats({ videoId, metric: 'hello' as any, expectedStatus: HttpStatusCode.BAD_REQUEST_400 })
|
||||||
})
|
})
|
||||||
|
|
||||||
|
it('Should fail with an invalid start date', async function () {
|
||||||
|
await servers[0].videoStats.getTimeserieStats({
|
||||||
|
videoId,
|
||||||
|
metric: 'viewers',
|
||||||
|
startDate: 'fake' as any,
|
||||||
|
endDate: new Date(),
|
||||||
|
expectedStatus: HttpStatusCode.BAD_REQUEST_400
|
||||||
|
})
|
||||||
|
})
|
||||||
|
|
||||||
|
it('Should fail with an invalid end date', async function () {
|
||||||
|
await servers[0].videoStats.getTimeserieStats({
|
||||||
|
videoId,
|
||||||
|
metric: 'viewers',
|
||||||
|
startDate: new Date(),
|
||||||
|
endDate: 'fake' as any,
|
||||||
|
expectedStatus: HttpStatusCode.BAD_REQUEST_400
|
||||||
|
})
|
||||||
|
})
|
||||||
|
|
||||||
|
it('Should fail if start date is specified but not end date', async function () {
|
||||||
|
await servers[0].videoStats.getTimeserieStats({
|
||||||
|
videoId,
|
||||||
|
metric: 'viewers',
|
||||||
|
startDate: new Date(),
|
||||||
|
expectedStatus: HttpStatusCode.BAD_REQUEST_400
|
||||||
|
})
|
||||||
|
})
|
||||||
|
|
||||||
|
it('Should fail if end date is specified but not start date', async function () {
|
||||||
|
await servers[0].videoStats.getTimeserieStats({
|
||||||
|
videoId,
|
||||||
|
metric: 'viewers',
|
||||||
|
endDate: new Date(),
|
||||||
|
expectedStatus: HttpStatusCode.BAD_REQUEST_400
|
||||||
|
})
|
||||||
|
})
|
||||||
|
|
||||||
|
it('Should fail with a too big interval', async function () {
|
||||||
|
await servers[0].videoStats.getTimeserieStats({
|
||||||
|
videoId,
|
||||||
|
metric: 'viewers',
|
||||||
|
startDate: new Date('2021-04-07T08:31:57.126Z'),
|
||||||
|
endDate: new Date(),
|
||||||
|
expectedStatus: HttpStatusCode.BAD_REQUEST_400
|
||||||
|
})
|
||||||
|
})
|
||||||
|
|
||||||
it('Should succeed with the correct parameters', async function () {
|
it('Should succeed with the correct parameters', async function () {
|
||||||
await servers[0].videoStats.getTimeserieStats({ videoId, metric: 'viewers' })
|
await servers[0].videoStats.getTimeserieStats({ videoId, metric: 'viewers' })
|
||||||
})
|
})
|
||||||
|
|
|
@ -47,21 +47,31 @@ describe('Test views timeserie stats', function () {
|
||||||
let liveVideoId: string
|
let liveVideoId: string
|
||||||
let command: FfmpegCommand
|
let command: FfmpegCommand
|
||||||
|
|
||||||
|
function expectTodayLastValue (result: VideoStatsTimeserie, lastValue: number) {
|
||||||
|
const { data } = result
|
||||||
|
|
||||||
|
const last = data[data.length - 1]
|
||||||
|
const today = new Date().getDate()
|
||||||
|
expect(new Date(last.date).getDate()).to.equal(today)
|
||||||
|
}
|
||||||
|
|
||||||
function expectTimeserieData (result: VideoStatsTimeserie, lastValue: number) {
|
function expectTimeserieData (result: VideoStatsTimeserie, lastValue: number) {
|
||||||
const { data } = result
|
const { data } = result
|
||||||
expect(data).to.have.lengthOf(30)
|
expect(data).to.have.lengthOf(30)
|
||||||
|
|
||||||
const last = data[data.length - 1]
|
expectTodayLastValue(result, lastValue)
|
||||||
|
|
||||||
const today = new Date().getDate()
|
|
||||||
expect(new Date(last.date).getDate()).to.equal(today)
|
|
||||||
expect(last.value).to.equal(lastValue)
|
|
||||||
|
|
||||||
for (let i = 0; i < data.length - 2; i++) {
|
for (let i = 0; i < data.length - 2; i++) {
|
||||||
expect(data[i].value).to.equal(0)
|
expect(data[i].value).to.equal(0)
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
|
function expectInterval (result: VideoStatsTimeserie, intervalMs: number) {
|
||||||
|
const first = result.data[0]
|
||||||
|
const second = result.data[1]
|
||||||
|
expect(new Date(second.date).getTime() - new Date(first.date).getTime()).to.equal(intervalMs)
|
||||||
|
}
|
||||||
|
|
||||||
before(async function () {
|
before(async function () {
|
||||||
this.timeout(120000);
|
this.timeout(120000);
|
||||||
|
|
||||||
|
@ -98,6 +108,85 @@ describe('Test views timeserie stats', function () {
|
||||||
}
|
}
|
||||||
})
|
})
|
||||||
|
|
||||||
|
it('Should use a custom start/end date', async function () {
|
||||||
|
const now = new Date()
|
||||||
|
const tenDaysAgo = new Date()
|
||||||
|
tenDaysAgo.setDate(tenDaysAgo.getDate() - 9)
|
||||||
|
|
||||||
|
const result = await servers[0].videoStats.getTimeserieStats({
|
||||||
|
videoId: vodVideoId,
|
||||||
|
metric: 'aggregateWatchTime',
|
||||||
|
startDate: tenDaysAgo,
|
||||||
|
endDate: now
|
||||||
|
})
|
||||||
|
|
||||||
|
expect(result.groupInterval).to.equal('one_day')
|
||||||
|
expect(result.data).to.have.lengthOf(10)
|
||||||
|
|
||||||
|
const first = result.data[0]
|
||||||
|
expect(new Date(first.date).toLocaleDateString()).to.equal(tenDaysAgo.toLocaleDateString())
|
||||||
|
|
||||||
|
expectInterval(result, 24 * 3600 * 1000)
|
||||||
|
expectTodayLastValue(result, 9)
|
||||||
|
})
|
||||||
|
|
||||||
|
it('Should automatically group by hours', async function () {
|
||||||
|
const now = new Date()
|
||||||
|
const twoDaysAgo = new Date()
|
||||||
|
twoDaysAgo.setDate(twoDaysAgo.getDate() - 1)
|
||||||
|
|
||||||
|
const result = await servers[0].videoStats.getTimeserieStats({
|
||||||
|
videoId: vodVideoId,
|
||||||
|
metric: 'aggregateWatchTime',
|
||||||
|
startDate: twoDaysAgo,
|
||||||
|
endDate: now
|
||||||
|
})
|
||||||
|
|
||||||
|
expect(result.groupInterval).to.equal('one_hour')
|
||||||
|
expect(result.data).to.have.length.above(24).and.below(50)
|
||||||
|
|
||||||
|
expectInterval(result, 3600 * 1000)
|
||||||
|
expectTodayLastValue(result, 9)
|
||||||
|
})
|
||||||
|
|
||||||
|
it('Should automatically group by ten minutes', async function () {
|
||||||
|
const now = new Date()
|
||||||
|
const twoHoursAgo = new Date()
|
||||||
|
twoHoursAgo.setHours(twoHoursAgo.getHours() - 1)
|
||||||
|
|
||||||
|
const result = await servers[0].videoStats.getTimeserieStats({
|
||||||
|
videoId: vodVideoId,
|
||||||
|
metric: 'aggregateWatchTime',
|
||||||
|
startDate: twoHoursAgo,
|
||||||
|
endDate: now
|
||||||
|
})
|
||||||
|
|
||||||
|
expect(result.groupInterval).to.equal('ten_minutes')
|
||||||
|
expect(result.data).to.have.length.above(6).and.below(18)
|
||||||
|
|
||||||
|
expectInterval(result, 60 * 10 * 1000)
|
||||||
|
expectTodayLastValue(result, 9)
|
||||||
|
})
|
||||||
|
|
||||||
|
it('Should automatically group by one minute', async function () {
|
||||||
|
const now = new Date()
|
||||||
|
const thirtyAgo = new Date()
|
||||||
|
thirtyAgo.setMinutes(thirtyAgo.getMinutes() - 30)
|
||||||
|
|
||||||
|
const result = await servers[0].videoStats.getTimeserieStats({
|
||||||
|
videoId: vodVideoId,
|
||||||
|
metric: 'aggregateWatchTime',
|
||||||
|
startDate: thirtyAgo,
|
||||||
|
endDate: now
|
||||||
|
})
|
||||||
|
|
||||||
|
expect(result.groupInterval).to.equal('one_minute')
|
||||||
|
expect(result.data).to.have.length.above(20).and.below(40)
|
||||||
|
|
||||||
|
expectInterval(result, 60 * 1000)
|
||||||
|
expectTodayLastValue(result, 9)
|
||||||
|
})
|
||||||
|
|
||||||
after(async function () {
|
after(async function () {
|
||||||
await stopFfmpeg(command)
|
await stopFfmpeg(command)
|
||||||
})
|
})
|
||||||
|
|
|
@ -43,6 +43,8 @@ function isLastWeek (d: Date) {
|
||||||
return getDaysDifferences(now, d) <= 7
|
return getDaysDifferences(now, d) <= 7
|
||||||
}
|
}
|
||||||
|
|
||||||
|
// ---------------------------------------------------------------------------
|
||||||
|
|
||||||
function timeToInt (time: number | string) {
|
function timeToInt (time: number | string) {
|
||||||
if (!time) return 0
|
if (!time) return 0
|
||||||
if (typeof time === 'number') return time
|
if (typeof time === 'number') return time
|
||||||
|
|
|
@ -1,4 +1,6 @@
|
||||||
export * from './video-stats-overall.model'
|
export * from './video-stats-overall.model'
|
||||||
export * from './video-stats-retention.model'
|
export * from './video-stats-retention.model'
|
||||||
export * from './video-stats-timeserie.model'
|
export * from './video-stats-timeserie-group-interval.type'
|
||||||
|
export * from './video-stats-timeserie-query.model'
|
||||||
export * from './video-stats-timeserie-metric.type'
|
export * from './video-stats-timeserie-metric.type'
|
||||||
|
export * from './video-stats-timeserie.model'
|
||||||
|
|
|
@ -0,0 +1 @@
|
||||||
|
export type VideoStatsTimeserieGroupInterval = 'one_day' | 'one_hour' | 'ten_minutes' | 'one_minute'
|
|
@ -0,0 +1,4 @@
|
||||||
|
export interface VideoStatsTimeserieQuery {
|
||||||
|
startDate?: string
|
||||||
|
endDate?: string
|
||||||
|
}
|
|
@ -1,4 +1,8 @@
|
||||||
|
import { VideoStatsTimeserieGroupInterval } from './video-stats-timeserie-group-interval.type'
|
||||||
|
|
||||||
export interface VideoStatsTimeserie {
|
export interface VideoStatsTimeserie {
|
||||||
|
groupInterval: VideoStatsTimeserieGroupInterval
|
||||||
|
|
||||||
data: {
|
data: {
|
||||||
date: string
|
date: string
|
||||||
value: number
|
value: number
|
||||||
|
|
|
@ -1,3 +1,4 @@
|
||||||
|
import { pick } from '@shared/core-utils'
|
||||||
import { HttpStatusCode, VideoStatsOverall, VideoStatsRetention, VideoStatsTimeserie, VideoStatsTimeserieMetric } from '@shared/models'
|
import { HttpStatusCode, VideoStatsOverall, VideoStatsRetention, VideoStatsTimeserie, VideoStatsTimeserieMetric } from '@shared/models'
|
||||||
import { AbstractCommand, OverrideCommandOptions } from '../shared'
|
import { AbstractCommand, OverrideCommandOptions } from '../shared'
|
||||||
|
|
||||||
|
@ -20,6 +21,8 @@ export class VideoStatsCommand extends AbstractCommand {
|
||||||
getTimeserieStats (options: OverrideCommandOptions & {
|
getTimeserieStats (options: OverrideCommandOptions & {
|
||||||
videoId: number | string
|
videoId: number | string
|
||||||
metric: VideoStatsTimeserieMetric
|
metric: VideoStatsTimeserieMetric
|
||||||
|
startDate?: Date
|
||||||
|
endDate?: Date
|
||||||
}) {
|
}) {
|
||||||
const path = '/api/v1/videos/' + options.videoId + '/stats/timeseries/' + options.metric
|
const path = '/api/v1/videos/' + options.videoId + '/stats/timeseries/' + options.metric
|
||||||
|
|
||||||
|
@ -27,6 +30,7 @@ export class VideoStatsCommand extends AbstractCommand {
|
||||||
...options,
|
...options,
|
||||||
path,
|
path,
|
||||||
|
|
||||||
|
query: pick(options, [ 'startDate', 'endDate' ]),
|
||||||
implicitToken: true,
|
implicitToken: true,
|
||||||
defaultExpectedStatus: HttpStatusCode.OK_200
|
defaultExpectedStatus: HttpStatusCode.OK_200
|
||||||
})
|
})
|
||||||
|
|
Loading…
Reference in New Issue
Block a user