0

可能重复:
在 SQL Server 中截断(不是四舍五入)小数位

想不通这个。当 SQL 舍入为整数时,我需要返回 1 个小数位。

我读到整数除以整数在 SQL 中给出整数,但我需要一个截断的小数位作为临时表中的输出值。

我不介意 35.0 是否以 35 的形式返回,但 35.17 应该以 35.1 的形式返回。抱歉刚刚编辑。需要截断最后一个数字,而不是四舍五入。

create table #blah(output decimal(9,1))

DECLARE @a money
DECLARE @b money
DECLARE @intinterval decimal(9,1) 

SET @a = 5
SET @b = 2
SET @intinterval = (@b / 1000.0) * (86400.0 / @a)

INSERT INTO #blah (output) VALUES (@intinterval)

SELECT * from #blah

drop table #blah

上面的等式应该给出 (2 / 1000) * (86400 / 5) = (0.002 * 17280) = 34.56

34.56 应截断为 34.5

4

3 回答 3

1
SET @intinterval = cast(10 * (@b / 1000.0) * (86400.0 / @a) as int) / 10.0

或者

SET @intinterval = cast(@b * 864.0 / @a as int) / 10.0
于 2012-05-17T03:52:28.003 回答
0

怎么样Round((@b / 1000.0) * (86400.0 / @a), 1, 1),最后 1 句话是截断而不是舍入。

于 2012-05-17T05:10:15.213 回答
0

试试这个没有特殊功能...

如果
a = 5 则输出 = 34.5 (34.56)
a = 7 输出 = 24.6 (24.69)
a = 11 输出 = 15.7 (15.71)

create table #blah(output decimal(9,1))
DECLARE @a money
DECLARE @b money
DECLARE @intinterval decimal(9,2) 
declare @rounded decimal(9,1)    
declare @diff decimal(9,2)
declare @finalvalue decimal(9,1)
SET @a = 5
SET @b = 2
SET @intinterval = (@b / 1000.0) * (86400.0 / @a) 
set @rounded  = @intinterval    -- gets the rounded value
set @diff = @intinterval - @rounded  -- gets the difference whether to round off or not
if @diff >= 0           -- if differnce is >= 0 then get the rounded value  .. eg.   34.31 = 34.3
   set @finalvalue = @rounded 
else                     -- else  subtract 0.1 and get the rounded value  e.g.  34.56 - 0.1 = 34.46 -> rounded value of 34.5
   set @finalvalue = @intinterval - 0.1   
INSERT INTO #blah (output) VALUES (@finalvalue )
SELECT * from #blah
drop table #blah  
于 2012-05-17T20:43:47.303 回答