我的问题如下:我有一个名为City的类,其参数为Name,Latitude和Longitude。在我的主班里,我想用一些城市初始化向量。
这是我的城市头文件:
using namespace std;
#define RADIUS 6378.137
#define PI 3.14159265358979323846
class City {
public:
City(string _name, double _latitude, double _longitude) {
name = _name;
longitude = _longitude * PI / 180.0;
latitude = _latitude * PI / 180.0;
}
~City() { };
private:
double longitude;
double latitude;
string name;
double earthRadius = RADIUS;
};
然后是我的主类文件:
#include <iostream>
#include <vector>
#include "Route.h"
using namespace std;
vector<City> initRoute { (("Boston", 42.3601, -71.0589),
("Houston", 29.7604, -95.3698), ("Austin", 30.2672, -97.7431),
("San Francisco", 37.7749, -122.4194), ("Denver", 39.7392, -104.9903),
("Los Angeles", 34.0522, -118.2437), ("Chicago", 41.8781, -87.6298)) };
int main() {
//for each(City city in initRoute)
//city.printCity;
system("pause");
return 0;
}
当我尝试编译时,它会显示错误C2398:
Error C2398 Element "1": Die Conversion from "double" to "unsigned int"
requires a restrictive conversion.
我觉得我的向量初始化错误,但是我不知道要更改什么。
感谢您的帮助:)
答案 0 :(得分:3)
将对象添加到vector
时必须指定对象的类型。
即
vector<City> initRoute { City("Boston", 42.3601, -71.0589),
City("Houston", 29.7604, -95.3698), ... };
或
您可以使用{}
来表示对象,而无需明确提及类,因为您的矢量保存着City
个对象(就像您对struct
s一样)。
即
vector<City> initRoute { {"Boston", 42.3601, -71.0589},
{"Houston", 29.7604, -95.3698}, ... };