Oliver Eyton-Williams ee1e8abd87
feat(curriculum): restore seed + solution to Chinese (#40683)
* feat(tools): add seed/solution restore script

* chore(curriculum): remove empty sections' markers

* chore(curriculum): add seed + solution to Chinese

* chore: remove old formatter

* fix: update getChallenges

parse translated challenges separately, without reference to the source

* chore(curriculum): add dashedName to English

* chore(curriculum): add dashedName to Chinese

* refactor: remove unused challenge property 'name'

* fix: relax dashedName requirement

* fix: stray tag

Remove stray `pre` tag from challenge file.

Signed-off-by: nhcarrigan <nhcarrigan@gmail.com>

Co-authored-by: nhcarrigan <nhcarrigan@gmail.com>
2021-01-12 19:31:00 -07:00

2.9 KiB

id, title, challengeType, videoUrl, dashedName
id title challengeType videoUrl dashedName
596fd036dc1ab896c5db98b1 将秒转换为复合持续时间 5 convert-seconds-to-compound-duration

--description--

任务:

实现一个功能:

取一个表示以秒为单位的持续时间的正整数作为输入(例如, 100 ),并返回一个字符串,该字符串显示分解为周,日,小时,分钟和秒的相同持续时间,如下所述(例如,“ 1 min, 40 sec “)。

证明它通过以下三个测试用例:

测试用例

输入号码 输出数量
7259 2 hr, 59 sec
86400 1 d
6000000 9 wk, 6 d, 10 hr, 40 min

细节

应使用以下五个单位:

单元 输出中使用的后缀 转变
wk 1周= 7天
d 1天= 24小时
小时 hr 1小时= 60分钟
分钟 min 1分钟= 60秒
第二 sec

但是,仅包括输出中具有非零值的数量(例如,返回“ 1 d ”而不是“ 0 wk, 1 d, 0 hr, 0 min, 0 sec ”)。更大的单位优先于较小的单位尽可能(例如,返回2 min, 10 sec而不是1 min, 70 sec130 sec )模拟测试用例中显示的格式(从最大单位到最小单位的数量,以逗号+空格分隔;数值和单位每个数量用空格分隔)。


--hints--

convertSeconds是一个函数。

assert(typeof convertSeconds === 'function');

convertSeconds(7259)应该返回2 hr, 59 sec

assert.equal(convertSeconds(testCases[0]), results[0]);

convertSeconds(86400)应返回1 d

assert.equal(convertSeconds(testCases[1]), results[1]);

convertSeconds(6000000)应该返回9 wk, 6 d, 10 hr, 40 min

assert.equal(convertSeconds(testCases[2]), results[2]);

--seed--

--after-user-code--

const testCases = [7259, 86400, 6000000];
const results = ['2 hr, 59 sec', '1 d', '9 wk, 6 d, 10 hr, 40 min'];

--seed-contents--

function convertSeconds(sec) {

  return true;
}

--solutions--

function convertSeconds(sec) {
  const localNames = ['wk', 'd', 'hr', 'min', 'sec'];
  // compoundDuration :: [String] -> Int -> String
  const compoundDuration = (labels, intSeconds) =>
    weekParts(intSeconds)
    .map((v, i) => [v, labels[i]])
    .reduce((a, x) =>
      a.concat(x[0] ? [`${x[0]} ${x[1] || '?'}`] : []), []
    )
    .join(', ');

    // weekParts :: Int -> [Int]
  const weekParts = intSeconds => [0, 7, 24, 60, 60]
    .reduceRight((a, x) => {
      const r = a.rem;
      const mod = x !== 0 ? r % x : r;

      return {
        rem: (r - mod) / (x || 1),
        parts: [mod].concat(a.parts)
      };
    }, {
      rem: intSeconds,
      parts: []
    })
    .parts;

  return compoundDuration(localNames, sec);
}