[Swift]LeetCode1313. 解凍コードリスト|Decompress Run-Length Encoded List
2900 ワード
★★★★★★★★★★★★★★★★★★★★★★★★★★★★★★★★★★★★★★★★★★★★★★微信公衆番号:山青詠芝(let_us_code)➤博主ドメイン名:https://www.zengqiang.org➤GitHubアドレス:https://github.com/strengthen/LeetCode➤原文住所:https://www.cnblogs.com/strengthen/p/12185566.html➤リンクが山青詠芝のブログ園の住所でない場合は、作者の文章を這い出す可能性があります.➤原文は修正され更新されました!原文アドレスをクリックして読むことを強くお勧めします!作者を支持します!オリジナルサポート!★★★★★★★★★★★★★★★★★★★★★★★★★★★★★★★★★★★★★★★★
We are given a list nums of integers representing a list compressed with run-length encoding.
Consider each adjacent pair of elements [a, b] = [nums[2*i], nums[2*i+1]] (with i >= 0). For each such pair, there are a elements with value b in the decompressed list.
Return the decompressed list.
Example 1:
Input: nums = [1,2,3,4]Output: [2,4,4,4]
Constraints:
2 <= nums.length <= 100nums.length % 2 == 01 <= nums[i] <= 100
ストローク長で圧縮された整数リストnumsを符号化します.
各隣接する2つの要素[a,b]=[nums[2*i],nums[2*i+1](i>=0)を考慮すると、各ペアは解凍後にa個の値がbの要素を表す.
解凍後のリストに戻ってください.
例:
入力:nums=[1,2,3,4]出力:[2,4,4,4]
ヒント:
2 <= nums.length <= 100nums.length % 2 == 01 <= nums[i] <= 100
Runtime: 60 ms
Memory Usage: 21.2 MB
We are given a list nums of integers representing a list compressed with run-length encoding.
Consider each adjacent pair of elements [a, b] = [nums[2*i], nums[2*i+1]] (with i >= 0). For each such pair, there are a elements with value b in the decompressed list.
Return the decompressed list.
Example 1:
Input: nums = [1,2,3,4]Output: [2,4,4,4]
Constraints:
2 <= nums.length <= 100nums.length % 2 == 01 <= nums[i] <= 100
ストローク長で圧縮された整数リストnumsを符号化します.
各隣接する2つの要素[a,b]=[nums[2*i],nums[2*i+1](i>=0)を考慮すると、各ペアは解凍後にa個の値がbの要素を表す.
解凍後のリストに戻ってください.
例:
入力:nums=[1,2,3,4]出力:[2,4,4,4]
ヒント:
2 <= nums.length <= 100nums.length % 2 == 01 <= nums[i] <= 100
Runtime: 60 ms
Memory Usage: 21.2 MB
1 class Solution {
2 func decompressRLElist(_ nums: [Int]) -> [Int] {
3 var res:[Int] = [Int]()
4 for i in stride(from:0,to:nums.count,by:2)
5 {
6 for j in 0..<nums[i]
7 {
8 res.append(nums[i + 1])
9 }
10 }
11 return res
12 }
13 }