#include using namespace std; template int pow(int x, T n, int mod = std::numeric_limits::max()) { int res = 1; while (n > 0) { if (n & 1) res = static_cast(res) * static_cast(x) % mod; x = static_cast(x) * static_cast(x) % mod; n >>= 1; } return res; } template int64_t pow(int64_t x, T n, int64_t mod = std::numeric_limits::max()) { int64_t res = 1; while (n > 0) { if (n & 1) res = static_cast<__int128>(res) * static_cast<__int128>(x) % mod; x = static_cast<__int128>(x) * static_cast<__int128>(x) % mod; n >>= 1; } return res; } class MillerRabin { public: template static bool is_prime(T n) { n = abs(n); if (n == 2) return true; if (n == 1 || (n & 1) == 0) return false; T d = n - 1; while ((d & 1) == 0) { d /= 2; } for (T a : {2, 3, 5, 7, 11, 13, 17, 19, 23, 29, 31, 37, 41, 43, 47, 53, 59, 61, 67, 71}) { if (n == a) return true; T t = d, y = pow(a, t, n); while (t != n - 1 && y != 1 && y != n - 1) { y = pow(y, 2, n); t *= 2; } if (y != n - 1 && (t & 1) == 0) return false; } return true; } }; class PollardRho { private: template static T f(T x, T c, T mod) { return (pow(x, 2, mod) + c) % mod; } template static T rho(T n) { if (n == 1 || MillerRabin::is_prime(n)) return n; if ((n & 1) == 0) return 2; T x = 2, y = 2, d = 1, c = 1; while (x == y) { do { x = f(x, c, n); y = f(f(y, c, n), c, n); d = std::gcd(abs(x - y), n); } while (std::gcd(abs(x - y), n) == 1); c++; } return d; } public: template static std::vector factor(T n) { std::vector res; std::queue que; que.push(n); while (!que.empty()) { T x = que.front(); que.pop(); if (x == 0 || x == 1) continue; if (MillerRabin::is_prime(x)) { res.emplace_back(x); } else { T d = rho(x); que.push(d), que.push(x / d); } } sort(res.begin(), res.end()); return res; } }; int main() { ios::sync_with_stdio(false); cin.tie(nullptr); int64_t A, B; cin >> A >> B; auto g = gcd(A, B); auto primes = PollardRho::factor(g); map mp; for (auto p : primes) { mp[p]++; } int64_t x = 1; for (const auto& [key, value] : mp) { x *= value + 1; } if (x % 2 == 0) { cout << "Even" << '\n'; } else { cout << "Odd" << '\n'; } return 0; }