std:map iterator在find上返回badptr

时间:2011-04-01 22:58:07

标签: c++ visual-c++-2008

我将std::map定义为

typedef std::map<string,ImageData*> ImageDataMap;
typedef std::pair<string,ImageData*> ImageDataPair;
typedef std::map<string,ImageData*>::iterator ImageDataIterator;

上面的地图存储了作为图像文件名的字符串和作为图像元数据的ImageData。当我使用find如下所示

ImageDataIterator iter =  imageMap->find("Fader.tga");
if(iter == imageMap->end()){...}

iter->first是一个badptr,因此它失败了下面的if条件。这有什么不对?在xp64上运行vc9 express edition(程序是32位)

2 个答案:

答案 0 :(得分:3)

map::end返回map::find()的迭代器意味着在容器中找不到指定的密钥。您不能取消引用它来访问其元素。它会使你的应用程序崩溃。

修改

我们要清楚。问题是你正在反转逻辑,好吗?如果迭代器有效,则只能使用它,因此iter必须与map::end不同。这意味着map::find()成功并找到了您正在寻找的元素:

if (iter != imageMap->end())
{
  // element FOUND! Use it!
  cout << iter->first << endl;
}
else
{
  // Not found! Can't use it.
}

你的错误是你正在做的 if 比较:if (iter == imageMap->end())这意味着如果我搜索的元素不在地图中,执行以下代码块< / em>的。这就是执行iter->first时应用程序中断的原因。

#include <iostream>
#include <map>
#include <string>

typedef int ImageData;
typedef std::map<std::string,ImageData*> ImageDataMap;
typedef std::map<std::string,ImageData*>::iterator ImageDataIterator;


using namespace std;


int main()
{
  ImageDataMap mymap;

  int value_1 = 10;
  int value_2 = 20;
  int value_3 = 30;

  mymap["a"] = &value_1;
  mymap["b"] = &value_2;
  mymap["c"] = &value_3;

  // Search/print valid element
  ImageDataIterator it = mymap.find("a");
  if (it != mymap.end()) // will execute the block if it finds "a"
  {          
      cout << it->first << " ==> " << *(it->second) << endl;
  }

  // Searching for invalid element
  it = mymap.find("d"); // // will only execute the block if it doesn't find "d"
  if (it == mymap.end())
  {
    cout << "!!! Not found !!!" << endl;
    cout << "This statement will crash the app" << it->first << endl;;
  }

  cout << "Bye bye" << endl;

  return 0;
}

答案 1 :(得分:0)

Perhapes您应该将if(iter == imageMap->end()){...}更改为if(iter != imageMap->end()){...}