문자열 C++에서 문자의 발생 횟수 계산
이 기사에서는 문자열 C++에서 문자의 발생 횟수를 계산하는 방법에 대한 몇 가지 방법을 설명합니다.
반복 방법을 사용하여 문자열에서 문자 발생 횟수 계산
C++ 문자열 라이브러리는std::string
클래스를 제공하며, 이는char
와 유사한 객체 시퀀스를 저장하고 조작하는 데 사용할 수 있습니다. 문자열에서 주어진 문자 또는 하위 문자열을 검색하고 찾는 여러 방법을 제공하지만,이 경우 모든 문자를 확인해야count
변수를 증가시키면서 문자열을 반복하는 함수를 구현하는 것이 더 간단합니다. 이 함수는string
오브젝트를 참조로 사용하고char
값을 사용하여 발생 횟수를 계산합니다. 하지만이 버전은 대문자와 소문자를 구분하지 않으므로 카운트에 대문자와 소문자를 모두 포함해야 할 때 사용할 수 없습니다.
#include <iostream>
#include <string>
#include <vector>
using std::cerr;
using std::cout;
using std::endl;
using std::string;
size_t countOccurrences(char c, string &str) {
size_t count = 0;
for (char i : str)
if (i == c) count++;
return count;
}
int main() {
char ch1 = 'e';
char ch2 = 'h';
string str1("hello there, how are you doing?");
string str2("Hello there! How are you doing?");
cout << "number of char - '" << ch1
<< "' occurrences = " << countOccurrences(ch1, str1) << endl;
cout << "number of char - '" << ch2
<< "' occurrences = " << countOccurrences(ch2, str2) << endl;
exit(EXIT_SUCCESS);
}
출력:
number of char - 'e' occurrences = 4
number of char - 'h' occurrences = 1
std::tolower
함수를 사용하여 대소 문자에 관계없이 문자 발생 횟수 계산
이전 예제를 구현하는 또 다른 방법은countOccurrences
함수를 다시 작성하여 각 반복 문자의 변환 된 값을 비교하는 것입니다. std::tolower
는unsigned char
로 표현할 수있는 유일한char
인수가 필요하다는 점에서 사용하기 까다 롭습니다. 그렇지 않으면 동작이 정의되지 않습니다. 따라서 캐스트unsigned char
값을tolower
함수에 전달한 다음char
로 다시 캐스트하여 임시 변수tmp
에 저장합니다. 또한 반복 할 때마다tolower
함수를 호출하여 비교 문을 위해 문자열 문자를 소문자로 변환합니다. 다음 코드 샘플은 대문자와 소문자를 구분하고 모두 계산할 수 있습니다.
#include <iostream>
#include <string>
#include <vector>
using std::cerr;
using std::cout;
using std::endl;
using std::string;
size_t countOccurrences(char c, string &str) {
size_t count = 0;
char tmp = static_cast<char>(tolower(static_cast<unsigned char>(c)));
for (char i : str)
if (tolower(static_cast<unsigned char>(i)) == tmp) count++;
return count;
}
int main() {
char ch1 = 'e';
char ch2 = 'h';
string str1("hello there, how are you doing?");
string str2("Hello there! How are you doing?");
cout << "number of char - '" << ch1
<< "' occurrences = " << countOccurrences(ch1, str1) << endl;
cout << "number of char - '" << ch2
<< "' occurrences = " << countOccurrences(ch2, str2) << endl;
exit(EXIT_SUCCESS);
}
출력:
number of char - 'e' occurrences = 4
number of char - 'h' occurrences = 3
Founder of DelftStack.com. Jinku has worked in the robotics and automotive industries for over 8 years. He sharpened his coding skills when he needed to do the automatic testing, data collection from remote servers and report creation from the endurance test. He is from an electrical/electronics engineering background but has expanded his interest to embedded electronics, embedded programming and front-/back-end programming.
LinkedIn Facebook