fork download
  1. #include <iostream>
  2. #include <vector>
  3. #include <cmath>
  4. using namespace std;
  5.  
  6. // Prints a complete factorization in the form:
  7. // if factors is empty: "1x<n>"
  8. // else: "<factors[0]>x<factors[1]>x...x<n>"
  9. void printFactorization(const vector<int>& factors, int lastFactor) {
  10. if (factors.empty()) {
  11. cout << "1x" << lastFactor << "\n";
  12. } else {
  13. for (size_t i = 0; i < factors.size(); ++i) {
  14. cout << factors[i] << "x";
  15. }
  16. cout << lastFactor << "\n";
  17. }
  18. }
  19.  
  20. // Recursive helper function.
  21. // n : the remaining product to factorize.
  22. // start : the minimum factor to try (to enforce non-decreasing order)
  23. // factors: the current factors chosen (by reference)
  24. void printFactorizationsHelper(int n, int start, vector<int>& factors) {
  25. // Print the current factorization (factors followed by the remaining factor n).
  26. printFactorization(factors, n);
  27.  
  28. // Try all factors i from 'start' up to √n.
  29. // If i divides n, then push i into factors and recurse with n/i.
  30. // (Because factors are chosen in non-decreasing order, each factorization is unique.)
  31. for (int i = start; i <= static_cast<int>(sqrt(n)); ++i) {
  32. if (n % i == 0) {
  33. factors.push_back(i);
  34. printFactorizationsHelper(n / i, i, factors);
  35. factors.pop_back();
  36. }
  37. }
  38. }
  39.  
  40. int main() {
  41. int n = 24;
  42. vector<int> factors;
  43. // We start with factor 2 since 1 is handled specially in printFactorization.
  44. printFactorizationsHelper(n, 2, factors);
  45. return 0;
  46. }
  47.  
Success #stdin #stdout 0.01s 5288KB
stdin
Standard input is empty
stdout
1x24
2x12
2x2x6
2x2x2x3
2x3x4
3x8
4x6