Calculating timespan with t-sql

前端 未结 7 1792
时光取名叫无心
时光取名叫无心 2020-11-30 07:32

Given two date/times:

@start_date = \'2009-04-15 10:24:00.000\'
@end_date = \'2009-04-16 19:43:01.000\'

Is it possible to calculate the tim

7条回答
  •  不知归路
    2020-11-30 07:39

    I know this thread is older and the original participants are likely no longer watching, but I stumbled upon it, and had already written some code fairly recently to do something very close to what jdiaz is requesting. The result is rendered as a string in D:H:M:S format.

    Step one would be to get the time span in seconds:

    DECLARE @ElapsedS INT
    SET @ElapsedS = DATEDIFF(second, @start_date, @end_date)
    

    Now create the following scalar function:

    CREATE FUNCTION [dbo].[udfTimeSpanFromSeconds]
    (
        @Seconds int
    )
    RETURNS varchar(15)
    AS
    BEGIN
    DECLARE 
        --Variable to hold our result
          @DHMS varchar(15)
        --Integers for doing the math
        , @Days int --Integer days
        , @Hours int --Integer hours
        , @Minutes int --Integer minutes
        --Strings for providing the display
        , @sDays varchar(5) --String days
        , @sHours varchar(2) --String hours
        , @sMinutes varchar(2) --String minutes
        , @sSeconds varchar(2) --String seconds
    
    --Get the values using modulos where appropriate
    SET @Hours = @Seconds/3600
    SET @Minutes = (@Seconds % 3600) /60
    SET @Seconds = (@Seconds % 3600) % 60
    
    --If we have 24 or more hours, split the @Hours value into days and hours
    IF @Hours > 23 
    BEGIN
        SET @Days = @Hours/24
        SET @Hours = (@Hours % 24)
    END
    ELSE
    BEGIN
        SET @Days = 0
    END
    
    --Now render the whole thing as string values for display
    SET @sDays = convert(varchar, @Days)
    SET @sHours = RIGHT('0' + convert(varchar, @Hours), 2)
    SET @sMinutes = RIGHT('0' + convert(varchar, @Minutes), 2)
    SET @sSeconds = RIGHT('0' + convert(varchar, @Seconds), 2)
    
    --Concatenate, concatenate, concatenate
    SET @DHMS =  @sDays + ':' + @sHours + ':' + @sMinutes + ':' + @sSeconds
    
    RETURN @DHMS
    
    END
    

    Now feed your timespan into the newly created function:

    SELECT TimeSpan = dbo.udfTimeSpanFromSeconds(@ElapsedS)
    

    Should produce '1:09:19:01'

提交回复
热议问题