MapReduce矩陣;及快排單連結串列之解答

謝工在GitChat發表於2013-07-17

今日面試題:

一個很大的2D矩陣,如果某點的值,由它周圍某些點的值決定,例如下一時刻(i,j) 的值取當前時刻它的8鄰點的平均,那麼怎麼用MapReduce來實現。

快排單連結串列分析

題目:

快排(QuickSort)單向連結串列(Singly Linked List)。

分析:

思路和資料的快速排序一樣,都需要找到一個pivot元素、或者節點。然後將陣列或者單向連結串列劃分為兩個部分,然後遞迴分別快排。

針對陣列進行快排的時候,交換交換不同位置的數值,在分而治之完成之後,資料就是排序好的。那麼單向連結串列是什麼樣的情況呢?除了交換節點值之外,是否有其他更好的方法呢?可以修改指標,不進行數值交換。這可以獲取更高的效率。

在修改指標的過程中,會產生新的頭指標以及尾指標,要記錄下來。在partition之後,要將小於pivot的的部分、pivot、以及大於pivot的部分重新串起來成為一個singly linked list。

在partition時,我們用最後的節點作為pivot。當我們掃描連結串列時,如果節點值大於pivot,將節點移到尾部之後;如果節點小於,保持不變。

在遞迴排序時,我們先呼叫partition將pivot放到正確的為止並返回pivot,然後,遞迴左邊,遞迴右邊,最後在合成一個單連結串列。

C++實現:

struct node *partition(struct node *head, struct node *end,  
                      struct node **newHead, struct node **newEnd)
{
   struct node *pivot = end;
   struct node *prev = NULL, *cur = head, *tail = pivot;

   while(cur != pivot)
   {
       if(cur->data < pivot->data)
       {
          if((*newHead) == NULL)
               (*newHead) = cur;
           prev = cur;  
           cur = cur->next;
       }
       else
       {
           if(prev)
               prev->next = cur->next;
           structnode *tmp = cur->next;
           cur->next = NULL;
           tail->next = cur;
           tail = cur;
           cur = tmp;
       }
   }
   if((*newHead) == NULL)
       (*newHead) = pivot;
   (*newEnd) = tail;
  return pivot;
}
struct node *quickSortRecur(struct node *head, struct node *end)
{
   if(!head || head == end)
       return head;
   node *newHead = NULL, *newEnd = NULL;
  struct node *pivot = partition(head, end, &newHead, &newEnd);
   if(newHead != pivot)
   {
      struct node *tmp = newHead;
       while(tmp->next != pivot)
           tmp = tmp->next;
       tmp->next = NULL;
       newHead = quickSortRecur(newHead, tmp);
       tmp = getTail(newHead);
       tmp->next =  pivot;
   }
   pivot->next = quickSortRecur(pivot->next, newEnd);
   returnn ewHead;
}
void quickSort(struct node **headRef)
{
   (*headRef) = quickSortRecur(*headRef, getTail(*headRef));
   return;
}

本文來自微信:待字閨中,2013-07-09釋出,原創@陳利人 ,歡迎大家繼續關注微信公眾賬號“待字閨中”。

相關文章