3

我目前正在解决列表和函数的总和问题,我遇到了这个问题,即逆时针旋转链表 k。这是相同的代码

void rotate_k(struct list *node,int k)
{
   int count=0;
   struct list *knode,*ptr=node;
   while(ptr!=NULL && count < k)
    {
      ptr=ptr->next;
      count++; 
     }
    knode=ptr;
    while(ptr->next!=NULL)
     {
      ptr=ptr->next;
      }
    ptr->next =node;
    node=knode->next;
    knode->next=NULL;
  }

假设输入是 1->2->3->4->5->6 并且 k=4。

输出应该是 5->6->1->2->3->4 但代码给出输出 1->2->3->4->5 。需要帮助 :)

4

3 回答 3

3

SJuan 的方法是正确的,但如果你想在不使用返回值的情况下按照自己的方式进行操作,那么你需要为节点使用双指针。请记住,C 会复制您传递给函数的变量。如果原始根节点是一个指针(我假设它是),那么您需要创建一个指向指针的指针,否则您只是更改根节点指针的副本,而不是实际的根节点指针。

void rotate_k(struct list **node, int k)
{
   int count = 0;
   struct list *knode, *ptr = *node;
   while(ptr != NULL && count < k)
   {
      ptr = ptr->next;
      count++; 
   }
   knode = ptr;
   while(ptr->next != NULL)
   {
      ptr = ptr->next;
   }
   ptr->next = *node;
   *node = knode->next;     
   knode->next = NULL;
}
于 2013-09-27T19:09:54.767 回答
3

您没有修改原始列表(node参数)

struct list *rotate_k(struct list *node,int k)
{
   int count=0;
   struct list *knode,*ptr=node;
   while(ptr!=NULL && count < k)
   {
      ptr=ptr->next;
      count++; 
   }
   knode=ptr;
   while(ptr->next!=NULL)
   {
      ptr=ptr->next;
   }
   ptr->next =node;
   node=knode->next;     
   knode->next=NULL;

   return knode; //<-- THIS IS THE NEW LIST
}

还有,knode->next=NULL很奇怪;您应该在(之前)之前的节点处执行knode(这就是从结果中删除 6 的原因)。

于 2013-09-27T18:32:00.020 回答
0
void rotate_list_right(listnode** head, int k)
    {
    if( !head || !*head )
        {
        printf( "\nrotate_list_right: empty list = so return \n" );
        return;
        }
    if( k < 1 )
        {
        printf( "\nrotate_list_right:invalid input: k must be >= 1 \n" );
        return;
        }

    listnode* post = *head;
    listnode* curr = *head;

    /* move post by k nodes */
    while(k--)
        {
        post = post->next;
        if( !post ) /* k is bigger than length of the list */
            {
            printf( "\nrotate_list_right:invalid input: k must be smaller than list size \n" );
            return;
            }
        }

    /* move curr to kth-last node */
    while(post->next)
        {
        curr = curr->next;
        post = post->next;
        }

    /* currs' next is new header */
    listnode* tmp = *head;
    *head = curr->next;
    curr->next = 0;

    //join post
    post->next = tmp;
    }
于 2014-07-09T19:47:01.557 回答