コード例 #1
0
ファイル: Solution.cs プロジェクト: and85/leetcode
        public void PrintLinkedListInReverse_SimplestImplementation(ImmutableListNode head)
        {
            // O(n) time, O(n) space
            if (head == null)
            {
                return;
            }

            ImmutableListNode curr = head;
            var stack = new Stack <ImmutableListNode>();

            while (curr != null)
            {
                stack.Push(curr);
                curr = curr.GetNext();
            }

            while (stack.Count > 0)
            {
                stack.Pop().PrintValue();
            }
        }
コード例 #2
0
ファイル: Solution.cs プロジェクト: and85/leetcode
        public void PrintLinkedListInReverse(ImmutableListNode head)
        {
            // O(n) time, O(1) space
            if (head == null)
            {
                return;
            }

            const int         MaxSize = 1000;
            ImmutableListNode curr    = head;
            var arr    = new ImmutableListNode[MaxSize];
            int lenght = 0;

            while (curr != null)
            {
                arr[lenght++] = curr;
                curr          = curr.GetNext();
            }

            for (int i = lenght - 1; i >= 0; i--)
            {
                arr[i].PrintValue();
            }
        }