如何快速將 '*' 重複 9 次?

若是是將 '*' 重複 8 次,一會兒就能夠想到這種快速算法:算法

  1. '*' + '*' => '**'
  2. '**' + '**' => '****'
  3. '****' + '****' => Bingo!

JavaScript 代碼實現:緩存

var n = 8;
var str = '*';
while ((n >>>= 1) > 0) {
  str += str;
}
console.log(str);

一樣的算法可用於 16 次、32 次、64 次、1024 次...函數


可是若是是要求重複 9呢?這就須要調整一下上述的算法。code

先抽象出一個函數 repeat: (str: string, n: number) => string:ip

  • repeat('*', 3) => '***'
  • repeat('ab', 1) => 'ab'
  • repeat('abcd', 0) => ''
  • ...

而後開始分析:string

  1. n 爲偶數時:io

    • repeat(str, n) <= repeat(str, n >>> 1) + repeat(str, n >>> 1)
    • 好比:repeat('abc', 12) <= repeat('abc', 6) + repeat('abc', 6)
  2. n 爲奇數時,即 n - 1 爲偶數:console

    • repeat(str, n) <= str + repeat(str, n - 1)
    • 好比:repeat('*', 21) <= '*' + repeat('*', 20)
  3. n1 時:repeat(str, 1) <= str
  4. n0 時:repeat(str, 0) <= ''

JavaScript 代碼實現:function

function repeat(str/*:string*/, n/*:number*/) {
  if (n === 0) return '';
  if (n === 1) return str;
  // `n` 爲奇數
  if (n % 2) return str + repeat(str, n - 1);

  // `n` 爲偶數,
  // 可是要把 `repeat(str, n >>> 1)` 緩存起來,
  // 以免重複兩次計算
  return (str = repeat(str, n >>> 1)) + str;
}
相關文章
相關標籤/搜索