LeetCode符号化問題2021、07/09—Sheffle String


[質問]


Given a string s and an integer array indices of the same length.
The string s will be shuffled such that the character at the ith position moves to indices[i] in the shuffled string.
Return the shuffled string.
Example 1:

Input: s = "codeleet", indices = [4,5,6,7,0,2,1,3]
Output: "leetcode"
Explanation: As shown, "codeleet"becomes "leetcode"after shuffling.
Example 2:
Input: s = "abc", indices = [0,1,2]
Output: "abc"
Explanation: After shuffling, each character remains in its position.
Example 3:
Input: s = "aiohn", indices = [3,1,4,2,0]
Output: "nihao"
Example 4:
Input: s = "aaiougrt", indices = [4,0,2,6,7,3,1,5]
Output: "arigatou"
Example 5:
Input: s = "art", indices = [1,0,2]
Output: "rat"
(要約)指定した数値配列の位置をインデックスとして、文字列を再配置します.

[回答]

var restoreString = function(s, indices) {
  const arr = indices.map((n, idx) => {
    return { index: n, char: s[idx] };
  });
   
  return arr.sort((a, b) => {
    return a.index - b.index;
  }).map(el => el.char).join('')
};
まず、文字列と配列の数値をオブジェクトに結合します.[{ index: 1, char: 'a' },{ index: 2, char: 'b' },{ index: 0, char: 'c' }]はこのようにしています.
次に、各オブジェクトの数はindexであり、これに基づいて昇順ソートが行われる.
最後に、文字列returnのみが抽出される.
var restoreString = function(s, indices) {
  const length = indices.length;
  const result = new Array(length).fill('');
   
  for(let i = 0; i < length; i++) {
    result[indices[i]] = s[i];
  }
   
  return result.join('');
};
第2の方法は、予め与えられた配列サイズと同じ配列を作成する.
次に、sindicesの長さは同じであり、第1の要素から回転し、resultの対応するインデックスに文字列を加える方法である.
例えば、'abc'[1, 2, 0]が与えられた場合、['', '', '']が最初に作成される.aは、アレイを生成する1번째 인덱스である.bは、アレイを生成する2번째 인덱스であるcは、アレイを生成する0번째 인덱스である
中に入れると['c', 'a', 'b']です.