当前位置: 首页>>代码示例 >>用法及示例精选 >>正文


C++ std::replace_if()用法及代码示例


C++ STL std::replace_if() 函数

replace_if() 函数是算法头的库函数,用于根据给定的一元函数替换给定范围内的值,该函数应接受范围内的元素作为参数并返回应可转换为 bool 的值(如0 或 1),它返回的值表示给定的元素是否可以被替换?

注意:使用 replace_if() 函数 - 包括<algorithm>标题或者您可以简单使用<bits/stdc++.h>头文件。

std::replace_if() 函数的语法

    std::replace_if(
        iterator start, 
        iterator end, 
        unary_function, 
        const T& new_value);

参数:

  • iterator start, iterator end- 这些是指向容器中开始和结束位置的迭代器,我们必须在那里运行替换操作。
  • unary_function- 是一个一元函数,将对给定范围内的所有元素执行条件检查,通过条件的元素将被替换。
  • new_value- 要分配的值而不是 old_value。

返回值: void- 它返回注意。

例:(替换偶数)

    //function to check EVEN value
    bool isEVEN(int x)
    {
        if (x % 2 == 0)
            return 1;
        else
            return 0;
    }

    Input:
    vector<int> v{ 10, 20, 33, 23, 11, 40, 50 };
    
    //replacing all EVEN elements with -1
    replace_if(v.begin(), v.end(), isEVEN, -1);
    
    Output:
    -1 -1 33 23 11 -1 -1

用于演示 std::replace_if() 函数使用的 C++ STL 程序

在这个程序中,我们有一个向量并用 -1 替换所有偶数。

//C++ STL program to demonstrate use of
//std::replace_if() function
#include <iostream>
#include <algorithm>
#include <vector>
using namespace std;

//function to check EVEN value
bool isEVEN(int x)
{
    if (x % 2 == 0)
        return 1;
    else
        return 0;
}

int main()
{
    //vector
    vector<int> v{ 10, 20, 33, 23, 11, 40, 50 };

    //printing vector elements
    cout << "before replacing, v:";
    for (int x:v)
        cout << x << " ";
    cout << endl;

    //replacing all EVEN elements with -1
    replace_if(v.begin(), v.end(), isEVEN, -1);

    //printing vector elements
    cout << "after replacing, v:";
    for (int x:v)
        cout << x << " ";
    cout << endl;

    return 0;
}

输出

before replacing, v:10 20 33 23 11 40 50
after replacing, v:-1 -1 33 23 11 -1 -1

参考:C++ std::replace_if()



相关用法


注:本文由纯净天空筛选整理自 std::replace_if() function with example in C++ STL。非经特殊声明,原始代码版权归原作者所有,本译文未经允许或授权,请勿转载或复制。