我应该如何使用remove_if删除两个数字范围内的元素

问题描述 投票:0回答:1

我创建了Class并在私有字段中初始化了一个向量,然后使用Class的方法初始化了向量。现在,我需要删除必须在键盘上键入的两个数字范围内的元素

#include <iostream>
#include <vector>
#include <algorithm>

int randomNumber()
{
    return (0 + rand() % 50 - 10);
}

class Array {
vector<int>::iterator p;
public:
    vector<int>array;
    Array(int size)
    {
        array.resize(size);
        generate(array.begin(), array.end(), randomNumber);
    }
    void Print() {
        for (p = array.begin(); p != array.end(); p++) {
            cout << *p << ' ';
        }
        cout << endl;
    }
    void Condense() {
        int a, b;
        cout << "Enter your range: [";  
        cin >> a;
        cin >> b;
        cout << "]" << endl;
        for (p = array.begin(); p != array.end(); p++) {
            if (a < *p < b || a > *p < b) {

            }
        }
    }
};
c++ algorithm vector stl remove-if
1个回答
0
投票

这里是一个演示程序,显示了如何删除( a, b )范围内向量的元素。

#include <iostream>
#include <vector>
#include <tuple>
#include <iterator>
#include <algorithm>

int main() 
{
    std::vector<int> v = { 0, 1, 2, 3, 4, 5, 6, 7, 8, 9 };

    for ( const auto &item : v ) std::cout << item << ' ';
    std::cout << '\n';

    int a = 7, b = 2;

    std::tie( a, b ) = std::minmax( { a, b } );

    auto inside_range = [&]( const auto &item )
    {
        return a < item && item < b;
    };

    v.erase( std::remove_if( std::begin( v ), std::end( v ), inside_range ),
             std::end( v ) );

    for ( const auto &item : v ) std::cout << item << ' ';
    std::cout << '\n';

    return 0;
}

其输出为

0 1 2 3 4 5 6 7 8 9 
0 1 2 7 8 9 

关于您的代码,然后是if语句中的条件

if (a < *p < b || a > *p < b) {

不正确,你是说

if (a < *p && *p < b || b < *p && *p < a ) {
© www.soinside.com 2019 - 2024. All rights reserved.