Here is my post. I got 5 upvotes. Good job! well done!
C# optimal solution using dequeue
It is a hard level algorithm. I did write an optimal solution in August, 2015, more than three years ago. I like to share my C# code here.
This June I was asked to work on the algorithm but I did not come out the optimal solution using dequeue, where ascending numbers are kept only.
This June I was asked to work on the algorithm but I did not come out the optimal solution using dequeue, where ascending numbers are kept only.
It is much better for me to constantly review what I have practiced and learn from my own experience.
using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using System.Threading.Tasks;
namespace _239_Sliding_window_maximum
{
class Program
{
static void Main(string[] args)
{
var result = MaxSlidingWindow(new int[] { 1, 3, -1, -3, 5, 3, 6, 7 }, 3);
}
/// <summary>
/// code was submitted by Jianmin Chen August 2015
/// Time complexity: O(N), N is is the length of the array
/// </summary>
/// <param name="nums"></param>
/// <param name="k"></param>
/// <returns></returns>
public static int[] MaxSlidingWindow(int[] nums, int k)
{
if (k == 0) return nums;
int len = nums.Length;
int maxArrayLen = len - k + 1;
int[] ans = new int[maxArrayLen];
LinkedList<int> q = new LinkedList<int>();
// Queue stores indices of array, and
// values are in decreasing order.
// So, the first node in queue is the max in window
for (int i = 0; i < len; i++)
{
// 1. remove element from head until first number within window
if (q.Count > 0 && q.First.Value + k <= i)
{
q.RemoveFirst();
}
// 2. before inserting i into queue, remove from the tail of the
// queue indices with smaller value they array[i]
while (q.Count > 0 && nums[q.Last.Value] <= nums[i])
{
q.RemoveLast();
}
q.AddLast(i);
// 3. set the max value in the window (always the top number in
// queue)
int index = i + 1 - k;
if (index >= 0)
{
ans[index] = nums[q.First.Value];
}
}
return ans;
}
}
}
If you like my analysis and sharing, please give me an upvote. I also put all my C# algorithm together, the link is
https://github.com/jianminchen/Leetcode_Julia/tree/master/Leetcode discussion.
https://github.com/jianminchen/Leetcode_Julia/tree/master/Leetcode discussion.
Actionable Items
I like to practice one more time using in C# in short future.
No comments:
Post a Comment