给你两个整数数组 nums 和 index。你需要按照以下规则创建目标数组:
目标数组 target 最初为空。
按从左到右的顺序依次读取 nums[i] 和 index[i],在 target 数组中的下标 index[i] 处插入值 nums[i] 。
重复上一步,直到在 nums 和 index 中都没有要读取的元素。
请你返回目标数组。
示例 1:
输入:nums = [0,1,2,3,4], index = [0,1,2,2,1]
输出:[0,4,1,3,2]
解释:
nums index target
0 0 [0]
1 1 [0,1]
2 2 [0,1,2]
3 2 [0,1,3,2]
4 1 [0,4,1,3,2]
示例 2:
输入:nums = [1,2,3,4,0], index = [0,1,2,3,0]
输出:[0,1,2,3,4]
解释:
nums index target
1 0 [1]
2 1 [1,2]
3 2 [1,2,3]
4 3 [1,2,3,4]
0 0 [0,1,2,3,4]
示例 3:
输入:nums = [1], index = [0]
输出:[1]
提示:
1 <= nums.length, index.length <= 100
nums.length == index.length
0 <= nums[i] <= 100
0 <= index[i] <= i
通过次数4,087提交次数4,983
来源:力扣(LeetCode)
链接:https://leetcode-cn.com/problems/create-target-array-in-the-given-order
解题思路:
当一个数组创建出来之后所有位置均为0,当一个目标值不为0时则将其目标位置后面的所有元素都向后移动一个位置,然后将目标值插入指定位置就行了。如果为0直接插入元素就好。开始没有看到提示上说所有元素 >0 所以考虑了负数的情况。
class Solution {
public int[] createTargetArray(int[] nums, int[] index) {
int[] target = new int[nums.length];
for ( int i = 0; i < nums.length;i++){
if (target[index[i]] != 0) {
target = this.move(target,index[i],nums[i]);
} else {
target[index[i]] = nums[i];
}
}
return target;
}
private int[] move(int[] array,int index,int value) {
int num = index;
while(array[++index] > 0);
while(index > num) {
array[index--] = array[index];
}
array[num] = value;
return array;
}
}
执行用时:1ms 内存消耗:38.5 MB
很侥幸的在用时和消耗都干掉了100%的人,可能是大佬们都没空看这么简单的题,不过我也没有特意找简单题去看,而是从推送消息最新那条周赛里选的。