977. Squares of a Sorted Array
Problem 977
https://leetcode.com/problems/squares-of-a-sorted-array/
Given an array of integers A
sorted in non-decreasing order, return an array of the squares of each number, also in sorted non-decreasing order.
Example 1:
Input: [-4,-1,0,3,10]
Output: [0,1,9,16,100]
Solution
Sort
Time Complexity: O(NlogN), where NN is the length of
A
.Space Complexity: O(N).
Tow pointer
Time Complexity: O(N), where N is the length of
A
.Space Complexity: O(N).
note: 1 <= A.length <= 10000
class Solution:
def sortedSquares(self, A: List[int]) -> List[int]:
Ans = collections.deque()
r,l = len(A)-1, 0
while( l <= r ):
left, right = A[l]**2, A[r]**2
if left > right:
Ans.appendleft( left )
l += 1
else:
Ans.appendleft( right )
r -= 1
return list(Ans)
Last updated