map容器练习:使用map容器识别统计单词个数

题目链接:单词识别_牛客题霸_牛客网

对map的使用不太熟悉的同学可以参考:超详细介绍map(multimap)的使用-CSDN博客

题目解析

输入一个英文句子,把句子中的单词(不区分大小写)按出现次数按从多到少把单词和次数在屏幕上输出来,次数一样的按照单词小写的字典序排序输出,要求能识别英文单词和句号

得到单词与其个数,我们会用到map容器。输出要求:个数多的先输出,个数相同按照字典序排序输出

算法分析

其实具体思路很简单,主要是对于map容器使用的练习

1.输入一个句子,依次得到单词,并使用map容器记录单词及其个数。

2.因为map是按照字典序排序的,所以我们需要按照单词个数重新排序,map本身是不支持sort,所以我们将map的数据放入vector中进行排序(pair本身是支持排序的,但是它支持的排序,并不是我们所需要的排序,所以我们要传入仿函数实现自己定义的排序)

3.排序完成我们输出结果即可

代码实现

cpp 复制代码
#include<iostream>
#include<vector>
#include<string>
#include<map>
#include<algorithm>
using namespace std;

struct compare
{
    bool operator()(const pair<string, int>& a, const pair<string, int>& b)
    {
        //当个数相同时,按照字典序排序
        if (a.second == b.second)
            return a.first < b.first;
        return a.second > b.second;
    }
};

int main()
{
    string in;
    getline(cin, in);
    //将单词存入数组
    vector<string> word;
    string tmp;
    for (auto& e : in)
    {
        if (e == ' ' || e == '.')
        {
            word.push_back(tmp);
            tmp.resize(0);
        }
        else
            tmp += e;
    }
    //使用map容器得到单词以及其个数
    map<string, int> ret;
    int num = 'a' - 'A';
    for (auto& r : word)
    {
        string e = r;
        if (r[0] >= 'A' && r[0] <= 'Z')
        {
            e[0] += num;
        }
        ret[e]++;
    }
    //放入vector进行排序
    vector<pair<string, int>> amd;
    for (auto& e : ret)
    {
        amd.push_back(e);
    }

    sort(amd.begin(), amd.end(), compare());

    for (auto& e : amd)
    {
        cout << e.first << ":" << e.second << endl;
    }
}

优化:可以直接将单词放入map,没必要多先放入vector再放入map

cpp 复制代码
#include<iostream>
#include<map>
#include<string>
#include<algorithm>
#include<vector>
using namespace std;

// operator()
struct compare
{
	bool operator()(const pair<string, int>& a, const pair<string, int>& b)
	{
		if (a.second == b.second)
            return a.first < b.first;
        return a.second > b.second;
	}
};

int main()
{
	string in;
	getline(cin,in);
	string tmp;
	map<string, int> ret;
	for (auto& e : in)
	{
		if (e == '.' || e == ' ')
		{
			ret[tmp]++;
			tmp.resize(0);
		}
		else
		{
			tmp += tolower(e);//大写转小写函数。小写转大写:toupper
		}
	}

	vector<pair<string, int>> n;
	for (auto& e : ret)
	{
		n.push_back(e);
	}
	sort(n.begin(), n.end(), compare());
	for (auto& e : n)
	{
		cout << e.first << ":" << e.second<<endl;
	}
}
相关推荐
三毛的二哥20 小时前
BEV:典型BEV算法总结
人工智能·算法·计算机视觉·3d
2401_8734794020 小时前
如何利用IP查询定位识别电商刷单?4个关键指标+工具配置方案
开发语言·tcp/ip·php
我爱cope21 小时前
【从0开始学设计模式-10| 装饰模式】
java·开发语言·设计模式
菜鸟学Python21 小时前
Python生态在悄悄改变:FastAPI全面反超,Django和Flask还行吗?
开发语言·python·django·flask·fastapi
南宫萧幕21 小时前
自控PID+MATLAB仿真+混动P0/P1/P2/P3/P4构型
算法·机器学习·matlab·simulink·控制·pid
浪浪小洋1 天前
c++ qt课设定制
开发语言·c++
charlie1145141911 天前
嵌入式C++工程实践第16篇:第四次重构 —— LED模板,从通用GPIO到专用抽象
c语言·开发语言·c++·驱动开发·嵌入式硬件·重构
handler011 天前
Linux: 基本指令知识点(2)
linux·服务器·c语言·c++·笔记·学习
故事和你911 天前
洛谷-数据结构1-4-图的基本应用1
开发语言·数据结构·算法·深度优先·动态规划·图论
我叫黑大帅1 天前
为什么map查找时间复杂度是O(1)?
后端·算法·面试