[백준 15995] 잉여역수 구하기 (C#, C++) - soo:bak
작성일 :
문제 링크
설명
서로소인 두 수 a, m이 주어질 때 a의 법 m에서의 잉여역수를 구하는 문제입니다.
접근법
확장 유클리드 알고리즘으로 a x + m y = 1을 만족하는 x를 구합니다.
이때 x가 a의 잉여역수이므로, x mod m을 양수 범위로 맞춰 출력합니다.
Code
C#
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
using System;
class Program {
static int Egcd(int a, int b, out int x, out int y) {
if (b == 0) {
x = 1;
y = 0;
return a;
}
int x1, y1;
int g = Egcd(b, a % b, out x1, out y1);
x = y1;
y = x1 - (a / b) * y1;
return g;
}
static void Main() {
var parts = Console.ReadLine()!.Split();
var a = int.Parse(parts[0]);
var m = int.Parse(parts[1]);
int x, y;
Egcd(a, m, out x, out y);
var ans = x % m;
if (ans < 0) ans += m;
Console.WriteLine(ans);
}
}
C++
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
#include <bits/stdc++.h>
using namespace std;
int egcd(int a, int b, int& x, int& y) {
if (b == 0) {
x = 1;
y = 0;
return a;
}
int x1, y1;
int g = egcd(b, a % b, x1, y1);
x = y1;
y = x1 - (a / b) * y1;
return g;
}
int main() {
ios::sync_with_stdio(false);
cin.tie(nullptr);
int a, m; cin >> a >> m;
int x, y;
egcd(a, m, x, y);
int ans = x % m;
if (ans < 0) ans += m;
cout << ans << "\n";
return 0;
}