案例描述:在set容器中插入自定义类型,并使用仿函数指定排序方式。

#include <iostream>
using namespace std;
#include <set>
#include <string>

class Person
{
public:
	Person(string name, int age)
	{
		this->m_name = name;
		this->m_age = age;
	}
public:
	string m_name;
	int m_age;
};

class MyCompare
{
public:
	bool operator()(const Person& p1, const Person& p2) 
	{
		// 按年龄降序
		return p1.m_age > p2.m_age;
	}
};

void test01()
{
	// 利用仿函数可指定set容器的排序规则
	set<Person,MyCompare> s;
	Person p1("devin", 24);
	Person p2("paul", 36);
	Person p3("ayton", 23);

	s.insert(p1);
	s.insert(p2);
	s.insert(p3);

	for (set<Person,MyCompare>::iterator ps = s.begin(); ps != s.end(); ps++)
	{
		cout << ps->m_name << "  " << ps->m_age << endl;
	}

}

int main()
{
	test01();
	return 0;
}

以上代码报错:

严重性    代码    说明    项目    文件    行    禁止显示状态
错误    C3848    具有类型“const MyCompare”的表达式会丢失一些 const-volatile 限定符以调用“bool MyCompare::operator ()(const Person &,const Person &)”    set容器案例    D:\VS2019Community\VC\Tools\MSVC\14.29.30133\include\xutility    1516  
 
 

报错原因:

在使用MyCompare时存在const属性,但是调用该MyCompare的表达式bool operator()(const Person& p1, const Person& p2)不具有const属性,丢失const,所以无法通过编译。

解决办法:

class MyCompare
{
public:
	bool operator()(const Person& p1, const Person& p2) const //此处添加const修饰
	{
		// 按年龄降序
		return p1.m_age > p2.m_age;
	}
};

Logo

权威|前沿|技术|干货|国内首个API全生命周期开发者社区

更多推荐