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

How should i use remove_if to delete elements in range of two numbers

我创建了 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) {

            }
        }
    }
};

这是一个演示程序,展示了如何删除 ( 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 

而不是使用 std::minmax 和 std::tie 来订购 a 和 b 你可以只写条件

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

至于你的代码然后是if语句中的条件

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

不正确,您的意思是

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