C++ vector 최대값, 최소값






결과

결과






코드

#include <vector>
#include <algorithm>
#include <iostream>
using namespace std;


int main() {
    
    vector<int> v = {5, 8, 2, 4, 5, -5};

    int max = *max_element(v.begin(), v.end());
    int min = *min_element(v.begin(), v.end());

    cout << "최대 : " << max << "\n";
    cout << "최소 : " << min << "\n";

    // 최대, 최소값의 인덱스 구하기
    int max_index = max_element(v.begin(),v.end()) - v.begin();
    int min_index = min_element(v.begin(),v.end()) - v.begin();

    return 0;
}




 #include <algorithm> 이 필요하다.



C++ string 소문자, 대문자 변환 - tolwer, toupper






결과

결과






코드

#include <string>
#include <vector>
#include <algorithm>
#include <iostream>
using namespace std;


int main() {
    
    vector<string> v = {"abc", "EFG", "zYx"};

    // 소문자
    for(auto it = v.begin(); it != v.end(); it++)
        transform(it->begin(), it->end(), it->begin(), ::tolower);
    for (int i = 0; i < v.size(); i++) cout << v[i] << " ";

    cout << "\n";

    // 대문자
    for (auto it = v.begin(); it != v.end(); it++)
        transform(it->begin(), it->end(), it->begin(), ::toupper);
    for (int i = 0; i < v.size(); i++) cout << v[i] << " ";

    cout << "\n";


    return 0;
}




#include <algorithm> 이 필요하다.






C++ string to int, int to string 형변환 하기 , string 문자열에서 숫자만 선택해 형변환

 

 

 

int stoi (const string& str [, size_t* idx = 0, int base = 10]) : string to int

 

- string을 int로 바꾸어주기 위해서 stoi() 함수를 사용해 준다.

(stoi -> string to integer를 줄인 것이다. 그래서 이를 응용해 생각해보면, stoll은 string to long long으로 long long 형으로 형변환 할 수 있다.)

 

 

- stoi()을 사용하기 위해서는 #include <string> 을 해주어야 한다.

(※ #include <string.h>가 아닌 <string>을 해주어야 한다. )

 

 

- 3번 째 인수를 보면 디폴트 값으로 10이 주어져 있다. 이를 변경해주면 n진수의 문자열을 10진수의 수로 변경할 수 있다.

 

 

 

 

 

 

 

string to_string(int val) : int to string

 

- 함수명 그대로 string 형으로 바꾸어 줄수 있다.

 

- 인수로는 int 뿐만 아니라 double형 long long형 등등... 을 사용할 수 있다.

 

- to_string()을 사용하기 위해서는 #include <string> 을 해주어야 한다.

 

 

 

 

 

 

 

[ 코 드 ]

#include <iostream>
#include <string>
using namespace std;

int main() {
	string a = "1234", b = "1a2b3c";
	int num = 4321;

	// 1. string -> int
	cout << stoi(a) << "\n";
	// 8진수 1234를 -> 10진수로 변환
	cout << stoi(a,nullptr,8) << "\n";


	// 2. string 문자열에서 숫자만 구분하여 출력
	for (int i = 0; i < b.size(); i++) {
		if (b[i] >= '0' && b[i] <= '9') cout << b[i] - '0';
	}
	cout << "\n";


	// 3. int -> string
	string s = to_string(num);
	string r = "결과 = ";

	r += num;
	cout << r << "\n";

	r = "결과 = ";
	r += s;
	cout << r << "\n";

	return 0;
}

 

 

- 10라인 : 문자열의 숫자만 있을 경우 그냥 stoi를 사용해주면 숫자로 변경 할 수 있다.

 

만약 문자열의 숫자와 문자가 섞여 있다면, 앞에서부터 문자가 나올 때까지의 숫자만을 변환해 준다.

 

 

 

- 12라인 : 진수를 지정해주었다. 8진수인 "1234"를 10진수로 변환해준다. 결과는 668.

 

 

 

- 17라인 : string 문자열을 하나씩 접근할 때는 char형이다. 그래서 숫자일 경우 '0'(=48) 와 '9'(=57) 사이의 값을 가지면 숫자이다.

 

만약 숫자일 경우 '0'(=48)을 빼주면 숫자를 구할 수 있다.

 

ex) 문자가 '2'일 경우 아스키 코드 상 50이므로 여기에 '0'(=48)을 빼주면 숫자 2를 얻을 수 있다.

 

 

 

- 23라인 : to_string() 을 사용하여서 숫자를 문자열로 바꾸었다.

 

 

 

 

[ 결 과 ]

 

 

숫자를 문자열로 변경하지 않은 채 문자열과 더해 주었을 때는 아무것도 출력되지 않았다.

 

하지만 to_string으로 문자열로 변환한 후 더해준 문자열을 출력해주었을 때는 잘 출력되는 것으로 보아 무자열로 잘 변환 되었다는 것을 확인할 수 있다.

 

 

 

 

 

참조

http://www.cplusplus.com/reference/string/stoi/

 

stoi - C++ Reference

function template std::stoi int stoi (const string& str, size_t* idx = 0, int base = 10); int stoi (const wstring& str, size_t* idx = 0, int base = 10); Convert string to integer Parses str interpreting its content as an integral number of the spe

www.cplusplus.com

 

 

C++ 제곱근 구하기, n승 값 구하는 방법 : sqrt(), pow()

 

 

 

 

 

 

double sqrt (double x);

 

 

- 사용하기 위해서는 #include <math.h> 혹은 #include <cmath> 를 해주어야 한다.

 

- 리턴형은 double 형으로 인수로 준 값의 양의 제곱근을 리턴한다.

 

 

 

 

 

 

 

double pow (double a, double n);

 

 

- 사용하기 위해서는 #include <math.h> 혹은 #include <cmath> 를 해주어야 한다.

 

- 리턴형은 double으로서 a의 n제곱을 한 값을 리턴한다.

 

 

 

 

 

[ 코 드 ]

#include <iostream>
#include <cmath>
using namespace std;

int main() {
	int a = 3, n = 4, b = 144;

	cout << a << "의 " << n << "승 = " << pow(a, n) << "\n";

	cout << b << "의 " << "양의 제곱근 = " << sqrt(b) << "\n";

	return 0;
}

 

 

 

 

 

[ 결 과 ]

 

 

 

 

참조

http://www.cplusplus.com/reference/cmath/pow/

 

pow - C++ Reference

1234567891011 /* pow example */ #include /* printf */ #include /* pow */ int main () { printf ("7 ^ 3 = %f\n", pow (7.0, 3.0) ); printf ("4.73 ^ 12 = %f\n", pow (4.73, 12.0) ); printf ("32.01 ^ 1.54 = %f\n", pow (32.01, 1.54) ); return 0; }

www.cplusplus.com

 

 

C++ 소수 찾기, 검사하기 [에라토스테네스의 체] 하는 방법

 

 

 

 

소수 찾는 알고리즘 [에라토스테네스의 체]

 

 

- 2부터 지정한 수까지의 소수들을 찾을 수 있다.

 

-  i(=2)부터 ~ 지정한 수의 제곱근까지 수들의 배수들을 제외하는 과정을 반복하면서 소수를 판별한다. 

( 어느 수의 배수라는 것은 소수가 아니라는 의미)

 

 

 

 

 

->  참조

https://ko.wikipedia.org/wiki/%EC%97%90%EB%9D%BC%ED%86%A0%EC%8A%A4%ED%85%8C%EB%84%A4%EC%8A%A4%EC%9D%98_%EC%B2%B4

 

 

 

 

[ 코 드 ]

#include <iostream>
#include <math.h>
#define N 500
#define N2 199
using namespace std;

bool sosu(int n) {
	int k = (int)sqrt(n);
	for (int i = 2; i <= k; i++) {
		if (n % i == 0) return false;
	}
	return true;
}

int main() {
	bool* b = new bool[N + 1];	// 숫자 A을 배열의 A번에 저장하기 위하여 크기 N+1
	for (int i = 2; i < N+1; i++) b[i] = true;
	
	for (int i = 2; i * i < N+1; i++) {
		for (int k = i * i; k < N+1; k += i) {
			b[k] = false;
		}
	}

	// 결과
	cout << N << "까지의 소수들\n";
	for (int i = 2; i < N + 1; i++) if (b[i]) cout << i << ", ";

	cout << "\n\n" << N2 << "는 ";
	if (sosu(N2)) cout << "소수입니다.\n";
	else cout << "소수가 아닙니다.\n";

	return 0;
}

 

 

16~23 라인 : N+1만큼의 크기를 갖는 bool 배열을 선언하고 true로 초기화 해준다. 그리고 N까지 i의 배수들을 false로 바꾸는 과정을 반복한다.

 

 

 

7라인 : sosu함수는 인수로 받은 수가 소수인지 판별하여서 참이면 true를 거짓이면 false를 리턴한다.

 

8라인 : sqrt(n) 함수는 제곱근을 구하는 함수로서 #include <math.h> 를 해주어야 한다.

 

9라인 : for문을 보면 2부터 n의 제곱근인 k까지 검사한다. k까지만 검사해도 되는 이유는

 

ex) n = 16 일 때, k= 4

그러면  "4이전 i=2일 때 검사한 것 "  =  "4이후 i=8일 때 검사한 것"

즉, 2 x 8 = 8 x 2 이므로 제곱근인 k까지만 검사해주면 된다.

 

 

 

 

 

[ 결 과 ]

 

 

결과를 보면 2부터 500전까지의 소수들을 출력한다.

 

또한, 199가 소수인지 아닌지 판별한다.

 

 

 

 

 

 

 

 

 

C++ #include <bits/stdc++.h> 헤더 사용하기

 

 

 

 

 

 

<bits/stdc++.h> 헤더 파일

 

- #include <bits/stdc++.h> 로 사용한다.

 

- 표준 라이브러리가 아니므로 파일을 따로 추가해 주어야 사용할 수 있다.

 

- 자주 사용하는 라이브러리들(vector, algorithm, string, 등..)을 컴파일하도록 함으로써 라이브러리들을 일일이 추가해야하는 번거로움을 없앨 수 있다.

 

- 단, 자주 사용하는 라이브러리들을 전부 컴파일함으로써, 사용하지 않거나 불필요한 라이브러리들도 컴파일이 되므로 그만큼 시간이나 공간이 낭비된다.

 

 

 

 

 

[ 코 드 ]

#pragma once
#include <cctype>
#include <cerrno>
#include <cfloat>
#include <ciso646>
#include <climits>
#include <clocale>
#include <cmath>
#include <csetjmp>
#include <csignal>
#include <cstdarg>
#include <cstddef>
#include <cstdio>
#include <cstdlib>
#include <cstring>
#include <ctime>

#include <ccomplex>
#include <cfenv>
#include <cinttypes>
#include <cstdalign>
#include <cstdbool>
#include <cstdint>
#include <ctgmath>
#include <cwchar>
#include <cwctype>

// C++
#include <algorithm>
#include <bitset>
#include <complex>
#include <deque>
#include <exception>
#include <fstream>
#include <functional>
#include <iomanip>
#include <ios>
#include <iosfwd>
#include <iostream>
#include <istream>
#include <iterator>
#include <limits>
#include <list>
#include <locale>
#include <map>
#include <memory>
#include <new>
#include <numeric>
#include <ostream>
#include <queue>
#include <set>
#include <sstream>
#include <stack>
#include <stdexcept>
#include <streambuf>
#include <string>
#include <typeinfo>
#include <utility>
#include <valarray>
#include <vector>
#include <array>
#include <atomic>
#include <chrono>
#include <condition_variable>
#include <forward_list>
#include <future>
#include <initializer_list>
#include <mutex>
#include <random>
#include <ratio>
#include <regex>
#include <scoped_allocator>
#include <system_error>
#include <thread>
#include <tuple>
#include <typeindex>
#include <type_traits>
#include <unordered_map>
#include <unordered_set>

 

 코드를 보면 알 수 있듯이 그냥 헤더들을 이것저것 선언해 놓은 것이다.

 

 

 

 

 

 

 

헤더 파일 다운로드

stdc++.h
0.00MB

 

 

이 파일을

 

C:\Program Files (x86)\Microsoft Visual Studio\2019\Community\VC\Tools\MSVC\14.24.28314\include

 

경로에서 bits 폴더를 생성한다. ( 해당 경로는 Visual studio가 설치된 기본적인 곳으로 없다면 본인이 찾아야 한다.)

 

 

그리고 생성한 bits 폴더 안에 다운 받은 stdc++.h 헤더 파일을 넣어주면 된다.

 

 

이제 #include <bits/stdc++.h> 를 선언하면 사용할 수 있다.

 

 

 

C++ 유클리드 호제법을 이용하여 최대공약수/최소공배수 구하기.

 

 

 

[ 코 드 ]


#include <iostream>

using namespace std;

int gcd(int a, int b) {
	return b ? gcd(b, a % b) : a;
}

int main() {

	cout << gcd(25, 45) << "\n";
	cout << 15*45/gcd(15, 45) << "\n";

	return 0;
}

12라인 > gcd 함수는 회귀 함수로서 두 인수 a와 b를 주면 a와 b의 최대공약수를 리턴한다.

 

+) "b ? ㄱ : ㄴ" 은 삼항 연산자로 b가 참이면 ㄱ을 실행하고 거짓이면 ㄴ을 실행한다.

 

13라인 > 최소 공배수 = a*b / 최대공약수; 이다.

 

 

 

 

 

[ 결 과 ]

 

 

 

 

 

 

 

 

 

C++ 회귀를 이용하여서 조합(Combination) 구현.

 

 

[코 드]


#include <string>
#include <vector>
#include <iostream>

using namespace std;

vector<vector<int>> result;
vector<int> v = { 1,2,3,4,5 };
int len = v.size();
vector<int> sub;

void ser(int k) {

    if (k == len  ) {
        result.push_back(sub);
    }
    else {
        sub.push_back(v[k]);
        ser( k + 1);
        sub.pop_back();
        ser( k + 1);
    }
}

int main()
{
    ser(0);

    for (int i = 0; i < result.size(); i++) {
        for (int k = 0; k < result[i].size(); k++) {
            cout << result[i][k];
        }
        cout << "\n";
    }

    return 0;
}



8라인 > 결과를 저장할 2차원 vector

9라인 > vector<int> v : 조합을 실행할 값의 집합

10라인 > int len : 조합을 실행할 값의 개수

 

 

 

 

 

 

[ 결 과 ]

 

 

 

 

 

 

 

+ Recent posts