1. 程式人生 > >讀檔案,判斷單詞出現個數(c++實現)

讀檔案,判斷單詞出現個數(c++實現)

這個版本為區分大小寫的實現(程式碼可直接通過編譯):

#include <iostream>
#include <fstream>
#include <map>
#include <string.h>
#ifndef foreach
#define foreach(container,it) \
    for(typeof((container).begin()) it = (container).begin();it != (container).end();++it)
#endif //foreach
using namespace std;
int main(int argc,char* argv[])
{
    if(argc < 2){
        cerr << "usage" << argv[0] << "   filename " << endl;
        return -1;
    }
    ifstream ifs(argv[1]);
    if(!ifs){
        perror("open file failed\n");
        return -1;
    }
    map<string,int> msi;
    string word;
    while(ifs >> word)
        ++msi[word];
    ifs.close();
    foreach(msi,it){
        cout << it->first << " " << it->second << endl;
    }
    return 0;
}

此版本為第二個版本,不區分大小寫,此版本主要是使用了map的第三個引數,使程式碼很簡潔:

#include <iostream>
#include <fstream>
#include <map>
#include <cstring>
#ifndef foreach
#define foreach(container,it) \
    for(typeof((container).begin()) it = (container).begin();it != (container).end();++it)
#endif //foreach
using namespace std;
class Cmpstr{
public:
    bool operator()(const string& a,const string& b) const{
        return strcasecmp(a.c_str(),b.c_str()) < 0;
    }
};
int main(int argc,char* argv[])
{
    if(argc < 2){
        cerr << "usage" << argv[0] << "   filename " << endl;
        return -1;
    }
    ifstream ifs(argv[1]);
    if(!ifs){
        perror("open file failed\n");
        return -1;
    }
    map<string,int,Cmpstr> msi;
    string word;
    while(ifs >> word)
        ++msi[word];
    ifs.close();
    foreach(msi,it){
        cout << it->first << " " << it->second << endl;
    }
    return 0;
}

注:這裡面有兩個知識點,
1:map的第三個引數可以是仿函式,仿函式也就是比較器
2:c++實現比較器的方法如下:
如果為一個類定義了形如:
返回型別 operator()(形參表){}的操作符函式,那麼這個類
所例項化的物件就可以被當做函式使用
#include <iostream>
using namespace std;
class Point  
{  
public:  
    Point() { _x = _y = 0; }  
    Point &operator()( int dx, int dy )  
        { _x += dx; _y += dy; return *this; }  
    friend ostream& operator<<(ostream& os,const Point& p){
        os << "x: " << p._x << " y: " << p._y << endl;
        return os;
    }
private:  
    int _x, _y;  
};  
 
int main()  
{  
   Point pt;  
   cout << pt( 3, 2 );  
}