time = Time.now
fvalue = time.to_f
return time == Time.at(fvalue)
有人可以在这里解释为什么上面的表达式返回 false。如何从与原始时间变量匹配的浮点数创建一个新的时间对象?
谢谢
time = Time.now
fvalue = time.to_f
return time == Time.at(fvalue)
有人可以在这里解释为什么上面的表达式返回 false。如何从与原始时间变量匹配的浮点数创建一个新的时间对象?
谢谢
IEEE 754 双精度(由 返回to_f
)不足以表示准确的时间。
t1 = Time.now
f1 = t1.to_f
t2 = Time.at(f1)
# they look the same
t1.inspect #=> '2013-09-09 23:46:08 +0200'
t2.inspect #=> '2013-09-09 23:46:08 +0200'
# but double does not have enough precision to be accurate to the nanosecond
t1.nsec #=> 827938306
t2.nsec #=> 827938318
# ^^
# so they are different
t1 == t2 #=> false
执行以下操作以保留准确时间:
t1 = Time.now
r1 = t1.to_r # value of time as a rational number
t2 = Time.at(r1)
t1 == t2 #=> true
引自Time.to_r
:
此方法旨在用于获取表示自 Epoch 以来的纳秒的准确值。您可以使用此方法将时间转换为另一个 Epoch。