C에서 벡터의 최대값 또는 최소값을 검색하는 방법
C에서 벡터 내 최대값 또는 최소값을 찾는 것은 일반적인 작업. 배열과 벡터는 유사점을 공유하지만 이러한 값을 얻는 방법은 두 데이터 구조에서 약간 다릅니다.
벡터
벡터에서 최대값 또는 최소값을 검색하려면 다음을 수행하세요.
<code class="cpp">#include <vector> #include <algorithm> int main() { std::vector<int> vector = {1, 2, 3, 4, 5}; // Getting the maximum value int max = *std::max_element(vector.begin(), vector.end()); std::cout << "Maximum: " << max << std::endl; // Getting the minimum value int min = *std::min_element(vector.begin(), vector.end()); std::cout << "Minimum: " << min << std::endl; // Using iterators std::vector<int>::iterator it_max = std::max_element(vector.begin(), vector.end()); std::cout << "Element with maximum value: " << *it_max << std::endl; }
배열
배열의 경우 std::max_element() 또는 std::min_element()에는 반복자가 필요하므로 직접 사용할 수 없습니다. 대신 루프를 사용하여 배열을 반복하고 최대값 또는 최소값을 수동으로 찾을 수 있습니다.
<code class="cpp">int main() { int array[5] = {1, 2, 3, 4, 5}; // Getting the maximum value int max = array[0]; for (int i = 1; i < 5; i++) { if (array[i] > max) { max = array[i]; } } std::cout << "Maximum: " << max << std::endl; }</code>
위 내용은 C 벡터 내에서 최대값 또는 최소값을 효율적으로 찾는 방법은 무엇입니까?의 상세 내용입니다. 자세한 내용은 PHP 중국어 웹사이트의 기타 관련 기사를 참조하세요!