1

我遇到了一些我似乎无法理解的行为。假设我有一个定义如下的类(一个简单的示例):

class some_class
{
   public:
        some_class()
        {
            x_["0"] = "0";
            x_["1"] = "1";

            y_[0] = x_.find("0");
            y_[1] = x_.find("1");
        }

        int some_function(int i)
        {
            if(std::find(y_.begin(), y_.end(), x_.find("1")) != y_.end())
            {
                std::cout << "Found!" << std::endl;

                return 1001;
            }

            return -1001;
        }

   private:
       std::unordered_map<string, string> x_;
       std::array<unordered_map<string, string>::iterator, 2> y_;
};

代码在调试模式下使用 Visual Studio 2012 RC 编译(其他模式未测试),但在调用some_function期间程序失败并显示以下断言消息

... 微软视觉工作室 11.0\vc\include\list 行:289

表达式:列表迭代器不兼容...

调用代码如下所示

auto vector<int> as;
as.push_back(1);   

auto vector<int> bs;   
auto some = some_class();

std::transform(as.begin(), as.end(), std::inserter(bs, bs.begin()), [=](int i) { return  some.some_function(i); });

问题:

这种安排会有什么问题?如果我在some_function中声明x_y_而不是作为成员变量,我可以让代码运行良好。该类在std::transform之类的情况下被调用/使用,如果这应该考虑到这种情况的话。

顺便说一句,看起来下面的声明将被编译器拒绝,它应该被拒绝吗?

std::unordered_map<string, string> x_;
std::array<decltype(x_.begin()), 2> y_;

错误信息是

错误 C2228:'.begin' 左侧必须有类/结构/联合

4

1 回答 1

2

你的情况。

#include <unordered_map>
#include <array>
#include <iostream>
#include <string>

class some_class
{
   public:
        some_class()
        {
            x_["0"] = "0";
            x_["1"] = "1";

            y_[0] = x_.find("0");
            y_[1] = x_.find("1");
        }

        int some_function()
        {
            if(std::find(y_.begin(), y_.end(), x_.find("1")) != y_.end())
            {
                std::cout << "Found!" << std::endl;

                return 1001;
            }

            return -1001;
        }

   private:
       std::unordered_map<std::string, std::string> x_;
       std::array<std::unordered_map<std::string, std::string>::iterator, 2> y_;
};

void function(some_class cl)
{
    cl.some_function();
}

int main()
{
    some_class c;
    function(c);
}

iterators对 another 元素的积分map,存储在thisaftercopy-ctor中,并且在find里面进行比较。

    bool operator==(const _Myiter& _Right) const
        {   // test for iterator equality
 #if _ITERATOR_DEBUG_LEVEL == 2
        if (this->_Getcont() == 0
            || this->_Getcont() != _Right._Getcont())
            {   // report error
            _DEBUG_ERROR("list iterators incompatible");
            _SCL_SECURE_INVALID_ARGUMENT;
            }

对于 decltype -

std::unordered_map<string, string> x_;
std::array<decltype(x_.begin()), 2> y_;

中不正确class-block,因为没有对象。如果x_会,这将有效static

于 2012-07-28T22:56:27.060 回答