0

我有一张这样的桌子

CREATE TABLE `air_video` (
`id` INT(10) UNSIGNED NOT NULL AUTO_INCREMENT,
`date` DATE NOT NULL,
`time` TIME NOT NULL,
`asset_id` INT(10) UNSIGNED NOT NULL,
`duration` TIME NOT NULL,
`name` VARCHAR(100) NOT NULL,
PRIMARY KEY (`id`),
)
COLLATE='utf8_general_ci'
ENGINE=InnoDB;

有些条目具有相同的asset_id,durationname,但不同的datetime。这些是在一段时间内多次播放的相同视频。

我需要计算duration每个月分组的不同视频的总数。请给一些想法?

4

1 回答 1

0

因此,您需要每月每个不同视频的持续时间总和:

select
  year,
  month,
  sec_to_time(sum(time_to_sec(duration))) as totaltime
from
  (select distinct
    av.asset_id,
    av.duration,
    year(av.date) as year,  
    month(av.date) as month
  from
    air_video av)
group by
  year,
  month

因此,您需要每月每个视频sum的持续时间...grouped

正如 RobertHarvey 在评论中建议的那样巧妙地使用分组(谢谢)。 time_to_sec用于将时间值转换为秒,以便对其求和。

select
  av.asset_id,
  year(av.date) as year,  
  month(av.date) as month,
  sec_to_time(sum(time_to_sec(av.duration))) as totaltime
from
  air_video av
group by
  av.asset_id,
  year(av.date), 
  month(av.date)

于 2012-10-23T15:17:56.027 回答