C++에서 부울 함수 만들기
이 기사에서는 C++에서 부울 함수를 만드는 방법을 소개합니다.
부울 함수로 문자열 크기 비교 구현
부울 함수는 bool
유형의 값을 반환하는 함수를 나타냅니다. 부울 함수의 구조는 다른 함수와 동일 할 수 있습니다. 아래 예에서는 두 문자열의 크기를 비교하는 함수isLessString
을 구현합니다. 함수는 첫 번째 문자열의 길이가 두 번째 문자열보다 작 으면 true
를 반환합니다. 그렇지 않으면 false
를 반환합니다.
결과 값을 호출자 함수로 다시 전달하기 위해 return
키워드 뒤에 비교 표현식을 넣습니다.
#include <algorithm>
#include <iostream>
#include <iterator>
#include <map>
using std::cout;
using std::endl;
using std::map;
using std::string;
bool isLessString(string &s1, string &s2) { return s1.size() < s2.size(); }
int main() {
string str1 = "This string shall be arbitrary";
string str2 = "Let this string be compared compared";
if (isLessString(str1, str2)) cout << "str1 is shorter than str2";
cout << endl;
return EXIT_SUCCESS;
}
출력:
str1 is shorter than str2
특정 키가있는 요소가 맵에있는 경우 반환하는 부울 함수 구현
이 예에서는 std::map
컨테이너에 특정 키가있는 요소가 있는지 확인하는 부울 함수를 구현합니다. 주요 주제는 함수 반환 유형bool
에 관한 것이므로 자체 검색 루틴을 구현하는 대신std::map
의 내장 메소드find
를 사용합니다.
find
메소드는 하나의 인수 인key
를 취하고 해당 요소에 대한 반복자를 반환합니다. 지정된 키를 가진 요소가 없으면end
(past-the-end) 반복기가 반환됩니다.
우리의keyExistsInMap
함수는map
과string
인수를 취하고 주어진map
에서find
메소드를 호출합니다. 호출의 반환 값이end
와 같지 않으면 반복자true
가 호출자 함수로 다시 전달됩니다. 그렇지 않으면 false
를 반환합니다.
#include <algorithm>
#include <iostream>
#include <iterator>
#include <map>
using std::cout;
using std::endl;
using std::map;
using std::string;
bool keyExistsInMap(map<string, string>& m, const string& key) {
if (m.find(key) != m.end()) {
return true;
} else {
return false;
}
}
int main() {
map<string, string> veggy_map = {{
"a",
"Asparagus",
},
{
"b",
"Beetroot",
},
{
"b",
"Bedsetroot",
},
{
"g",
"Ginger",
},
{
"m",
"Melon",
},
{
"p",
"Pumpkin",
},
{
"s",
"Spinach",
}};
keyExistsInMap(veggy_map, "a") ? cout << "Key exists" << endl
: cout << "Key does not exist\n"
<< endl;
keyExistsInMap(veggy_map, "z") ? cout << "Key exists" << endl
: cout << "Key does not exist\n"
<< endl;
return EXIT_SUCCESS;
}
출력:
Key exists
Key does not exist
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