4

なので、生ポインタからユニークポインタに変換するのは全然難しくないと思いました。しかし、自分でやろうとすると、知らない問題がたくさん出てきます。以下のこの例は、私が何を意味するかをより詳しく説明します。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);
    }
}

swap 関数を使用してポインター間でコンテンツを交換することで更新しました。

ここに私が得るすべてのエラーがあります

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

エラー 1 エラー LNK2019: 未解決の外部シンボル "public: __thiscall ContactList::~ContactList(void)" (??1ContactList@@QAE@XZ) 関数で参照されている "public: void * __thiscall ContactList::`スカラー削除デストラクタ'(unsigned int)" (??_GContactList@@QAEPAXI@Z) E:\Fall 2013\CPSC 131\Practice\Practice\Practice\ContactListApp.obj

4

1 に答える 1

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)operator=. cppreference.com の unique_ptrページをよく見て、その仕組みを理解してください。

リンクされたリストの 2 番目のメモとして、もし私があなただったら、生のポインターを使用します。

于 2013-10-07T07:26:37.763 に答える