룬 알고리즘
룬(Luhn) 알고리즘은 신용카드 번호 검증에 사용되는 알고리즘 입니다. 이 알고리즘은 신용카드 번호를 문자열
로 입력받고, 아래의 순서에 따라 신용카드 번호의 유효성을 확인합니다:
-
모든 공백을 무시합니다. 2자리 미만 숫자는 무시합니다.
-
오른쪽에서 왼쪽으로 이동하며 2번째 자리마다 숫자를 2배 증가시킵니다. 예를 들어
1234
에서3
과1
에 각각 2를 곱합니다. -
After doubling a digit, sum the digits if the result is greater than 9. So doubling
7
becomes14
which becomes1 + 4 = 5
. -
모든 자리의 숫자를 더합니다.
-
합계의 끝자리가
0
인 경우 유효한 신용카드 번호입니다.
아래 코드를 https://play.rust-lang.org/에 복사해서 구현하시면 됩니다.
for
반복문과 인덱스를 이용하는 “쉬운“방법으로 먼저 풀어 보세요. 그런 다음 반복자를 이용해서 다시 풀어 보세요.
// TODO: remove this when you're done with your implementation. #![allow(unused_variables, dead_code)] pub fn luhn(cc_number: &str) -> bool { unimplemented!() } #[test] fn test_non_digit_cc_number() { assert!(!luhn("foo")); assert!(!luhn("foo 0 0")); } #[test] fn test_empty_cc_number() { assert!(!luhn("")); assert!(!luhn(" ")); assert!(!luhn(" ")); assert!(!luhn(" ")); } #[test] fn test_single_digit_cc_number() { assert!(!luhn("0")); } #[test] fn test_two_digit_cc_number() { assert!(luhn(" 0 0 ")); } #[test] fn test_valid_cc_number() { assert!(luhn("4263 9826 4026 9299")); assert!(luhn("4539 3195 0343 6467")); assert!(luhn("7992 7398 713")); } #[test] fn test_invalid_cc_number() { assert!(!luhn("4223 9826 4026 9299")); assert!(!luhn("4539 3195 0343 6476")); assert!(!luhn("8273 1232 7352 0569")); } #[allow(dead_code)] fn main() {}