什么时候会:std :: abs(x -y)<std :: numeric_limits <double> :: min()

时间:2019-03-04 23:21:49

标签: c++

在此link中,有一个用于检查2个浮点值是否相等的函数:

template<class T>
typename std::enable_if<!std::numeric_limits<T>::is_integer, bool>::type
    almost_equal(T x, T y, int ulp)
{
    // the machine epsilon has to be scaled to the magnitude of the values used
    // and multiplied by the desired precision in ULPs (units in the last place)
    return std::abs(x-y) <= std::numeric_limits<T>::epsilon() * std::abs(x+y) * ulp
        // unless the result is subnormal
        || std::abs(x-y) < std::numeric_limits<T>::min();
}

但是我不太清楚std::abs(x-y) < std::numeric_limits<T>::min()何时会真正发生?有什么例子吗?谢谢。

1 个答案:

答案 0 :(得分:3)

std::numeric_limits<T>::min()返回可以表示的最小“正常”浮点值。 IEEE754可以将0到std::numeric_limits<T>::min()之间的值表示为“次普通”数字。看看this question,它有几个答案可以解释这一点。

您可以轻松生成一个低于标准的值:

// Example program
#include <iostream>
#include <limits>
#include <cmath>

int main()
{
    std::cout << "double min: " << std::numeric_limits<double>::min() << " subnormal min: ";
    std::cout << std::numeric_limits<double>::denorm_min() << '\n';
    double superSmall = std::numeric_limits<double>::min();
    std::cout << std::boolalpha << "superSmall is normal: " << std::isnormal(superSmall)  << '\n';
    double evenSmaller = superSmall/2.0;
    std::cout << "evenSmaller = " << evenSmaller << '\n';
    std::cout << std::boolalpha << "evenSmaller is normal: " << std::isnormal(evenSmaller);

    std::cout << std::boolalpha << "std::abs(superSmall - evenSmaller) < std::numeric_limits<double>::min(): " << (std::abs(superSmall - evenSmaller) < std::numeric_limits<double>::min());
}

这会在我的计算机上生成以下内容:

double min: 2.22507e-308 subnormal min: 4.94066e-324
superSmall is normal: true
evenSmaller = 1.11254e-308
evenSmaller is normal: false 
std::abs(superSmall - evenSmaller) < std::numeric_limits<double>::min(): true 
相关问题