如何在C ++中将原始指针转换为唯一指针

时间:2013-10-07 07:11:18

标签: c++ pointers unique

所以,我认为通过从原始指针转换为唯一指针并不难。然而,当我试图为自己做一个时,我遇到了许多我甚至不知道的问题。下面这个例子将解释我的意思。我从Visual Studio得到了很多错误,我不知道如何修复它。我可以告诉我我做错了什么吗?谢谢

Contact.h

#pragma once
#include<iostream>
#include<string>
#include<memory>

class Contact
{
    friend std::ostream& operator<<(std::ostream& os, const Contact& c);
    friend class ContactList;

public:
    Contact(std::string name = "none");

private:
    std::string name;
    //Contact* next;    
    std::unique_ptr<Contact> next;
};

Contact.cpp

#include"Contact.h"

using namespace std;

Contact::Contact(string n):name(n), next(new Contact())
{
}

ostream& operator<<(ostream& os, const Contact& c)
{
    return os << "Name: " << c.name;
}

ContactList.h

#pragma once
#include"Contact.h"
#include<memory>

using namespace std;

class ContactList
{
public:
    ContactList();
    ~ContactList();
    void addToHead(const std::string&);
    void PrintList();

private:
    //Contact* head;
    unique_ptr<Contact> head;
    int size;
};

ContactList.cpp

#include"ContactList.h"
#include<memory>

using namespace std;

ContactList::ContactList(): head(new Contact()), size(0)
{
}

void ContactList::addToHead(const string& name)
{
    //Contact* newOne = new Contact(name);
    unique_ptr<Contact> newOne(new Contact(name));

    if(head == 0)
    {
        head.swap(newOne);
        //head = move(newOne);
    }
    else
    {
        newOne->next.swap(head);
        head.swap(newOne);
        //newOne->next = move(head);
        //head = move(newOne);
    }
    size++;
}

void ContactList::PrintList()
{
    //Contact* tp = head;
    unique_ptr<Contact> tp(new Contact());
    tp.swap(head);
    //tp = move(head);

    while(tp != 0)
    {
        cout << *tp << endl;
        tp.swap(tp->next);
        //tp = move(tp->next);
    }
}

我通过使用交换函数来更新指针间的内容。

以下是我得到的所有错误

Error   2   error LNK1120: 1 unresolved externals   E:\Fall 2013\CPSC 131\Practice\Practice\Debug\Practice.exe  1

错误1错误LNK2019:未解析的外部符号&#34; public:__ thishisall ContactList ::〜ContactList(void)&#34;函数&#34; public:void * __thiscall ContactList ::`scalar deletion destructor&#39;(unsigned int)&#34;(?? 1ContactList @@ QAE @ XZ) (?? _ GContactList @@ QAEPAXI @ Z)E:\ 2013年秋季\ CPSC 131 \ Practice \ Practice \ Practice \ ContactListApp.obj

1 个答案:

答案 0 :(得分:3)

unique_ptr有空构造函数和nullptr构造函数,它没有提到0。

constexpr unique_ptr();
constexpr unique_ptr( nullptr_t );
explicit unique_ptr( pointer p );
unique_ptr( pointer p, /* see below */ d1 );
unique_ptr( pointer p, /* see below */ d2 );
unique_ptr( unique_ptr&& u );
template< class U, class E >
unique_ptr( unique_ptr<U, E>&& u );
template< class U >
unique_ptr( auto_ptr<U>&& u );

另外,您将要使用void swap(unique_ptr& other)来交换unique_ptrs之间的指针,而不会像operator=那样解构它们。请仔细考虑所有这些,您应该仔细查看cppreference.com unique_ptr页面,了解其工作原理。

如果我是你,请使用链接列表的第二个注释我使用原始指针。