1

我试图弄清楚为什么我的 Tag 类的析构函数被调用

map<string, Tag>* TestLoader::loadCompoundTag()
{
    map<string, Tag>* compound = new map<string, Tag>();
    //Create locally scoped variable
    Tag tag;
    string tagName;
    do 
    {
        loadTag(tag, tagName);
            //Copies variable into map
        compound->insert(std::pair<string, Tag>(tagName, tag));
    //Tag destructor is called before debugger breaks on this line
    } while (tag.type != TAG_End);

    return compound;
}

void TestLoader::loadTag( Tag& tag, string& name )
{
    tag.i = 0;
    name = string("Test");
}

谁能给我任何关于为什么在那里调用析构函数的想法?在循环的范围内没有定义任何变量,一个是在循环外创建的,另一个是在函数内创建的。谢谢!

4

2 回答 2

2

Tag tag返回时超出范围loadCompoundTag(),当这种情况发生时,它的析构函数被调用。

于 2012-09-22T02:14:03.973 回答
2

为了插入你正在创建一个临时的地图,

std::pair<string, Tag>(tagName, tag)

在完整表达结束时,它被破坏了。

你不应该担心那个。如有必要,可以使用 来避免emplace,但不要担心。相反,请担心函数的结果类型:

为什么需要动态分配的地图

我很确定您不会,即那是邪恶的过早优化。

因此,我强烈建议,专注于正确性,让编译器完成它的优化工作,然后写……

map<string, Tag> TestLoader::loadCompoundTag() const
{
    map<string, Tag> result;
    do 
    {
        Tag tag;
        string tagName;
        loadTag(tag, tagName);
        result->emplace( std::pair<string, Tag>( tagName, tag) );
    } while (tag.type != Tag::end);
    return result;
}

很可能您甚至不需要让您的编译器进行优化,以便在此处获得返回值优化,这意味着显然本地result是在调用者提供的内存区域中构造的,因此不会为函数结果。

于 2012-09-22T02:25:26.537 回答