让 AI 写了个多线程计算 π 的程序,非常适合跑分(((
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101
| #define _USE_MATH_DEFINES #include <iostream> #include <random> #include <thread> #include <vector> #include <chrono> #include <atomic> #include <mutex> #include <cmath>
std::atomic<unsigned long long> total_in_circle(0); unsigned long long total_points = 0; std::mutex cout_mutex;
void monte_carlo_pi(unsigned long long points_per_thread, int thread_id) { std::random_device rd; std::mt19937 gen(rd()); std::uniform_real_distribution<> dis(-1.0, 1.0); unsigned long long in_circle = 0; auto start = std::chrono::high_resolution_clock::now(); for (unsigned long long i = 0; i < points_per_thread; ++i) { double x = dis(gen); double y = dis(gen); if (x * x + y * y <= 1.0) { ++in_circle; } } auto end = std::chrono::high_resolution_clock::now(); std::chrono::duration<double> elapsed = end - start; total_in_circle += in_circle; std::lock_guard<std::mutex> lock(cout_mutex); std::cout << "Thread " << thread_id << " completed in " << elapsed.count() << " seconds (" << points_per_thread << " points)" << std::endl; }
int main(int argc, char* argv[]) { if (argc != 3) { std::cerr << "Usage: " << argv[0] << " <total_points> <num_threads>" << std::endl; return 1; } total_points = std::stoull(argv[1]); unsigned int num_threads = std::stoi(argv[2]); if (num_threads == 0) { num_threads = std::thread::hardware_concurrency(); std::cout << "Using " << num_threads << " threads (auto-detected)" << std::endl; } unsigned long long points_per_thread = total_points / num_threads; unsigned long long remainder = total_points % num_threads; std::vector<std::thread> threads; threads.reserve(num_threads); auto program_start = std::chrono::high_resolution_clock::now(); for (unsigned int i = 0; i < num_threads; ++i) { unsigned long long points = points_per_thread; if (i < remainder) { points += 1; } threads.emplace_back(monte_carlo_pi, points, i); } for (auto& thread : threads) { thread.join(); } auto program_end = std::chrono::high_resolution_clock::now(); std::chrono::duration<double> program_elapsed = program_end - program_start; double pi_estimate = 4.0 * total_in_circle.load() / total_points; double error = std::abs(pi_estimate - M_PI); std::cout << "\nResults:" << std::endl; std::cout << "Total points: " << total_points << std::endl; std::cout << "Points in circle: " << total_in_circle << std::endl; std::cout << "Estimated π: " << pi_estimate << std::endl; std::cout << "Actual π: " << M_PI << std::endl; std::cout << "Error: " << error << std::endl; std::cout << "Total time: " << program_elapsed.count() << " seconds" << std::endl; std::cout << "Points per second: " << total_points / program_elapsed.count() << std::endl; return 0; }
|