0

目前,我的任务是将与这些国家/地区包含的地区相关的所有国家/地区添加到 mysql 表中...

目前,我打算用 C++ 编写一个程序,它解析两个文件,一个包含国家代码和国家名称,另一个文件包含国家代码和地区相对于他们的国家代码。

因此,在 mysql 表中,我需要在该国家/地区添加国家名称和区域...

所以这是国家代码中的一行 - 国家名称文件:

AD  Andorra

这是国家代码 - 地区名称文件中的一行:

ad,aixas,Aix‡s,06,,42.4833333,1.4666667

国家代码区域名称文件是巨大的!!!所以我首先遍历该文件...在国家代码地区名称文件中的每一行中,我访问另一个文件并将国家代码 - 地区名称文件的前两个字符与国家代码 - 国家名称文件进行比较. 我这样做是因为在公司网页中,下拉表应该显示国家名称而不是其缩写。

所以这是我对如何做的尝试......

std::vector<std::string> countryRegionArray;
std::vector<std::string> countryCode;
std::string aline;
std::string bline;
std::ifstream myfile ("/Users/settingj/Documents/Country-State Parse/worldcitiespop.txt"); // country code to region
std::ifstream countryCodes ("/Users/settingj/Documents/Country-State Parse/countries.txt"); //country code to country

while (getline (myfile,aline))
{
    std::string countryCode; // the country code string
    for (int i = 0; i < 2; i++) // loop through the first two characters of the text file to retrieve the Country code
        countryCode.push_back(toupper(aline[i])); // push the characters into a vector and convert them to uppercase to compare later

    while (getline(countryCodes, bline)) // if the file is readable
    {
        std::string country; // declare a string variable to store the comparing country code
        for (int i = 0; i < 2; i++) // loop through the first two characters of the country code text file
            country.push_back(bline[i]); // push the first two characters into the string variable declared in the previous scope

        if (countryCode == country) // if string and country code are equal, change countrycode to the last characters of the string in the country-code ->country text file
        {
            std::string countryName;
            for (int i = 4; i < bline.length(); i++)
                countryName.push_back(bline[i]);
            countryCode = countryName;
        }
        break;
    }

    std::string regionName;
    int count = 0;
    for (int i = 0; i < aline.length(); i++)
    {
        if (aline[i] == ',')
            count++;
        if (count == 2) {
            regionName.push_back(aline[i+1]);
            if (aline[i+2] == ',')
                break;
        }
    }
    countryRegionArray.push_back("Country: " + countryCode + " - Region: " + regionName);
}

现在这个 SORTA 可以工作了,我现在真的不担心效率,因为我所做的只是制作一个脚本,一旦制作好这个程序可能会被废弃......

这是输出...

Country: Andorra - Region: Aix\340s
Country: AD - Region: Aixirivali
Country: AD - Region: Aixirivall
Country: AD - Region: Aixirvall

如您所见,只有第一行正在修改...我很难说为什么会发生这种情况...这也不是家庭作业,我公司的网页允许注册设备的用户能够从世界上任何国家和地区挑选...

如果有人能看到我做错了什么,请给我一些见解:)...我将不胜感激!!!

或者,如果有人可以将我链接到同时包含国家名称和区域的文件,那将是非常棒的......我只能找到一个国家代码 - 区域文件...... :(

4

1 回答 1

2

第一次通过循环读取整个文件:

while (getline(countryCodes, bline)) // if the file is readable

下一次读取什么都没有,因为你已经在文件的末尾了。这意味着countryCode不会更新countryName并保持设置为代码。

您应该一次读取文件,将数据存储在内存中,然后在内存副本中搜索国家代码,而不是尝试多次循环遍历整个文件。考虑合理的数据结构来表示文件中的行。

您还应该查看如何使用std::string::substr()成员函数。

于 2013-07-30T00:35:13.947 回答