原文: https://www.programiz.com/kotlin-programming/examples/lcm

在此程序中,您将学习使用 GCD 而不是 GCD 查找两个数字的 lcm。 这是通过 Kotlin 中的while循环完成的。

两个整数的 LCM 是可以被两个数字完全除(没有余数)的最小正整数。

示例 1:使用while循环和if语句计算 LCM

  1. fun main(args: Array<String>) {
  2. val n1 = 72
  3. val n2 = 120
  4. var lcm: Int
  5. // maximum number between n1 and n2 is stored in lcm
  6. lcm = if (n1 > n2) n1 else n2
  7. // Always true
  8. while (true) {
  9. if (lcm % n1 == 0 && lcm % n2 == 0) {
  10. println("The LCM of $n1 and $n2 is $lcm.")
  11. break
  12. }
  13. ++lcm
  14. }
  15. }

运行该程序时,输出为:

  1. The LCM of 72 and 120 is 360.

在此程序中,将找到其 LCM 的两个数字分别存储在变量n1n2中。

然后,我们最初将lcm设置为两个数字中的最大值。 这是因为 LCM 不能小于最大数量。

与 Java 类似,在无限while循环(while(true))中,我们检查lcm是否完美地划分了n1n2

如果是这样,我们已经找到 LCM。 我们打印 LCM 并使用break语句退出while循环。

否则,我们将lcm加 1,然后重新测试除数条件。

这是等效的 Java 代码:查找两个数字的 LCM 的 Java 程序


我们还可以使用 GCD 通过以下公式查找两个数字的 LCM:

  1. LCM = (n1 * n2) / GCD

如果您不知道如何用 Java 计算 GCD,请检查 Kotlin 程序以找到两个数字的 GCD。

示例 2:使用 GCD 计算 LCM

  1. fun main(args: Array<String>) {
  2. val n1 = 72
  3. val n2 = 120
  4. var gcd = 1
  5. var i = 1
  6. while (i <= n1 && i <= n2) {
  7. // Checks if i is factor of both integers
  8. if (n1 % i == 0 && n2 % i == 0)
  9. gcd = i
  10. ++i
  11. }
  12. val lcm = n1 * n2 / gcd
  13. println("The LCM of $n1 and $n2 is $lcm.")
  14. }

该程序的输出与示例 1 相同。

在这里,在while循环内,我们计算了两个数字的 GCD - n1n2。 计算后,我们使用上面的公式来计算 LCM。