盧恩演算法

盧恩演算法可用於驗證信用卡號碼。這個演算法會將字串做為輸入內容,並執行下列操作來驗證信用卡號碼:

  • 忽略所有空格。拒絕少於兩位數的號碼。

  • 右到左,將偶數位的數字乘二。以數字 1234 為例,請將 31 乘二;若為數字 98765,請將 68 乘二。

  • 將數字乘二後,如果結果大於 9,請將每位數字相加。所以,7 乘二等於 14,那麼也就是 1 + 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() {}