Study/Algorithms
[Algorithm] 확장 유클리드 알고리즘 Extended Euclid Algorithm
개발자인생
2017. 8. 31. 18:45
http://codepractice.tistory.com/79
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 | #include<iostream> #include<vector> #include<queue> #include<stack> #include<algorithm> using namespace std; int RecursiveEuclid(int a, int b) { if (a < b) swap(a, b); if (a%b == 0) return b; else return RecursiveEuclid(b, a%b); } template<typename T> T LoopEuclid(T a, T b) { if (a < b) swap(a, b); while (a%b != 0) { T tmp = a; a = b; b = tmp%b; } return b; } template<typename T> pair<T, T> ExtendedEuclid(T a, T b) { T q = (a / b); T r = a%b; T s1, s2, t1, t2; s1 = 0; t1 = 1; s2 = 1; t2 = 0; while (r!=0) { T temps = s2; s2 = s1; s1 = temps - s1*q; T tempt = t2; t2 = t1; t1 = tempt - t1*q; a = b; b = r; q = (a / b); r = a%b; } return pair<T, T>(s1, t1); } int main() { int a = 69; int b = 23; pair<int, int> sol = ExtendedEuclid(a,b); cout << sol.first << "*" << a << "+" << b << "*" << sol.second << "=" << LoopEuclid(a, b) << endl; a = 67; b = 23; sol = ExtendedEuclid(a, b); cout << sol.first << "*" << a << "+" << b << "*" << sol.second << "=" << LoopEuclid(a, b) << endl; } | cs |