c++ 如何让我的圆周率生成代码在300处截止?

x33g5p2x  于 2022-11-27  发布在  其他
关注(0)|答案(1)|浏览(106)

我正试图写一个程序,允许圆周率生长到第300位,但我似乎不能想出如何在第300位切断它。
截至目前,代码是永远运行和任何其他方法,我已经尝试过没有像切断在一个特定的时间工作,但这不是我需要发生的。

  1. #include <iostream>
  2. #include <boost/multiprecision/cpp_int.hpp>
  3. using namespace boost::multiprecision;
  4. class Gospers
  5. {
  6. cpp_int q, r, t, i, n;
  7. public:
  8. // use Gibbons spigot algorith based on the Gospers series
  9. Gospers() : q{1}, r{0}, t{1}, i{1}
  10. {
  11. ++*this; // move to the first digit
  12. }
  13. // the ++ prefix operator will move to the next digit
  14. Gospers& operator++()
  15. {
  16. n = (q*(27*i-12)+5*r) / (5*t);
  17. while(n != (q*(675*i-216)+125*r)/(125*t))
  18. {
  19. r = 3*(3*i+1)*(3*i+2)*((5*i-2)*q+r);
  20. q = i*(2*i-1)*q;
  21. t = 3*(3*i+1)*(3*i+2)*t;
  22. i++;
  23. n = (q*(27*i-12)+5*r) / (5*t);
  24. }
  25. q = 10*q;
  26. r = 10*r-10*n*t;
  27. return *this;
  28. }
  29. // the dereference operator will give the current digit
  30. int operator*()
  31. {
  32. return (int)n;
  33. }
  34. };
  35. int main()
  36. {
  37. Gospers g;
  38. std::cout << *g << "."; // print the first digit and the decimal point
  39. for(300;) // run forever
  40. {
  41. std::cout << *++g; // increment to the next digit and print
  42. }
  43. }
djmepvbi

djmepvbi1#

你说你生成了300个数字,但是这个for循环被破坏了:

  1. for(300;)

它不是有效的C++代码,因为for-loop的结构如下所示:

  1. for ( declaration ; expression ; increment)

虽然所有3个段都是可选的,但您至少需要两个分号(;)才能获得有效的语法。
要实现一个将序列重复300次的for循环,您需要一个for循环,如下所示:

  1. for (int i = 0; i < 300; ++i)

相关问题