EDIT: разрешено смотреть комментарии - Не знаю, как отметить, как решить без ответа.
После просмотра видеоролика Channel 9 в семантике Perfect Forwarding/Move в С++ 0x я понял, что это хороший способ написать новые операторы присваивания.
#include <string>
#include <vector>
#include <iostream>
struct my_type
{
my_type(std::string name_)
: name(name_)
{}
my_type(const my_type&)=default;
my_type(my_type&& other)
{
this->swap(other);
}
my_type &operator=(my_type other)
{
swap(other);
return *this;
}
void swap(my_type &other)
{
name.swap(other.name);
}
private:
std::string name;
void operator=(const my_type&)=delete;
void operator=(my_type&&)=delete;
};
int main()
{
my_type t("hello world");
my_type t1("foo bar");
t=t1;
t=std::move(t1);
}
Это должно допускать как r-значения, так и const & s для присвоения ему. Построив новый объект с соответствующим конструктором, а затем заменив содержимое на * this. Мне кажется, это звучит так, как будто никакие данные не копируются больше, чем нужно. А арифметика указателя дешева.
Однако мой компилятор не согласен. (g++ 4.6) И я получаю эту ошибку.
copyconsttest.cpp: In function ‘int main()’:
copyconsttest.cpp:40:4: error: ambiguous overload for ‘operator=’ in ‘t = t1’
copyconsttest.cpp:40:4: note: candidates are:
copyconsttest.cpp:18:11: note: my_type& my_type::operator=(my_type)
copyconsttest.cpp:30:11: note: my_type& my_type::operator=(const my_type&) <deleted>
copyconsttest.cpp:31:11: note: my_type& my_type::operator=(my_type&&) <near match>
copyconsttest.cpp:31:11: note: no known conversion for argument 1 from ‘my_type’ to ‘my_type&&’
copyconsttest.cpp:41:16: error: ambiguous overload for ‘operator=’ in ‘t = std::move [with _Tp = my_type&, typename std::remove_reference< <template-parameter-1-1> >::type = my_type]((* & t1))’
copyconsttest.cpp:41:16: note: candidates are:
copyconsttest.cpp:18:11: note: my_type& my_type::operator=(my_type)
copyconsttest.cpp:30:11: note: my_type& my_type::operator=(const my_type&) <deleted>
copyconsttest.cpp:31:11: note: my_type& my_type::operator=(my_type&&) <deleted>
Я что-то делаю неправильно? Является ли эта плохая практика (я не думаю, что есть способ проверить, назначаете ли вы себя самостоятельно)? Является ли компилятор еще не готовым?
Спасибо