其他分享
首页 > 其他分享> > HJ10 字符个数统计

HJ10 字符个数统计

作者:互联网

HJ10 字符个数统计(C++、C、Python)

描述
编写一个函数,计算字符串中含有的不同字符的个数。字符在ASCII码范围内(0~127,包括0和127),换行表示结束符,不算在字符里。不在范围内的不作统计。多个相同的字符只计算一次
例如,对于字符串abaca而言,有a、b、c三种不同的字符,因此输出3。
输入描述:
输入一行没有空格的字符串。

输出描述:
输出 输入字符串 中范围在(0~127,包括0和127)字符的种数。

示例1
输入:
abc

输出:
3

解题思路

用一个循环,遍历所输入的字符串,然后一个一个字符输入到新建的空集合中,最后总计集合里面元素的个数,就是结果。

C++代码:

#include<bits/stdc++.h>
using namespace std;
int main(){
    string str;
    cin >> str;
    unordered_set<char> set1;
    for (char c: str){
        if(c >= 0 && c <= 127) set1.insert(c);
    }
    cout << set1.size() << endl;
    return 0;
}

C代码:

#include <stdio.h>
(737)#include <string.h>

int main()
{
char str[128] = {0};
char s;
int count = 0;
while(scanf("%c", &s) != EOF)
{
if(!str[s] && s > 32)
{
count++;
str[s] = 1;
}
}
printf("%d\n", count);
return 0;
}

Python代码:

str1 = input().strip()
str2 = set()
for i in range(len(str1)):
    str2.add(str1[i])
print(len(str2))

标签:HJ10,字符,个数,str,127,字符串,include,输入
来源: https://blog.csdn.net/qq_36439087/article/details/120572599