正如Boost Multiprecision library文档中所明确的那样,将boost::multiprecision::cpp_int
转换为boost::multiprecision::cpp_dec_float
非常简单:
// Some interconversions between number types are completely generic,
// and are always available, albeit the conversions are always explicit:
cpp_int cppi(2);
cpp_dec_float_50 df(cppi); // OK, int to float // <-- But fails with cpp_dec_float<0>!
从cpp_int
转换为固定宽度浮点类型(即cpp_dec_float_50
)的能力让人希望可以从cpp_int
进行转换到库中的任意宽度浮点类型 - 即cpp_dec_float<0>
。但是,这不起作用;我在Visual Studio 2013中转换失败,如下面的简单示例程序所示:
#include <boost/multiprecision/number.hpp>
#include <boost/multiprecision/cpp_int.hpp>
#include <boost/multiprecision/cpp_dec_float.hpp>
int main()
{
boost::multiprecision::cpp_int n{ 0 };
boost::multiprecision::cpp_dec_float<0> f{ n }; // Compile error in MSVC 2013
}
按预期成功转换为cpp_dec_float_50
,但如上所述,我希望转换为任意精度浮点类型:cpp_dec_float<0>
。
错误出现在文件<boost/multiprecision/detail/default_ops.hpp>
中内部Boost Multiprecision代码的以下代码段中:
template <class R, class T>
inline bool check_in_range(const T& t)
{
// Can t fit in an R?
if(std::numeric_limits<R>::is_specialized && std::numeric_limits<R>::is_bounded
&& (t > (std::numeric_limits<R>::max)()))
return true;
return false;
}
错误消息是:
错误C2784: “enable_if :: result_type的,细节::表达:: result_type的&GT;,&布尔GT; ::类型 boost :: multiprecision :: operator&gt;(const 升压::多倍::详细::表达 &安培;,const的 boost :: multiprecision :: detail :: expression&amp;)': 无法推断'const的模板参数 boost :: multiprecision :: detail :: expression&amp;' 来自'const next_type'
是否可以将boost::multiprecision::cpp_int
转换为boost::multiprecision::cpp_dec_float<0>
(而不是转换为具有固定小数精度的浮点类型,如cpp_dec_float_50
)?
(请注意,在我的程序中,只有一个浮点数实例在任何时候被实例化,并且它不经常更新,所以我很好用这个实例占用大量内存并花费很长时间支持真正庞大的数字。)
谢谢!
答案 0 :(得分:5)
我对Boost Multiprecision没有多少经验,但在我看来,模板类cpp_dec_float<>
就是他们所谓的后端,你需要将它包装好在number<>
适配器中,以便将其用作算术类型。
以下是我对此的看法: Live On Coliru
#include <boost/multiprecision/number.hpp>
#include <boost/multiprecision/cpp_int.hpp>
#include <boost/multiprecision/cpp_dec_float.hpp>
#include <iostream>
namespace mp = boost::multiprecision;
int main()
{
using Int = mp::cpp_int;
// let's think of a nice large number
Int n = 1;
for (Int f = 42; f>0; --f)
n *= f;
std::cout << n << "\n\n"; // print it for vanity
// let's convert it to cpp_dec_float
// and... do something with it
using Dec = mp::number<mp::cpp_dec_float<0> >;
std::cout << n.convert_to<Dec>();
}
输出:
1405006117752879898543142606244511569936384000000000
1.40501e+51
如果允许convert_to<>
,那么显式转化构造函数也会起作用,我希望:
Dec decfloat(n);