给定的等级列表



这是我编写的代码,但显示的内容不正确。请教我该修什么。

#include <iostream>
#include <list>
using namespace std;
bool check(int passing){
int g;
if(g<=passing){
return false;
}else{
return true;
}
}
int main()
{
int pg;
cout<<"What is the passing grade?"<<endl;
cin>>pg;
list<int> grades = {100,90,93,95,92,98,97,99,96,94};
grades.remove_if(check);
for(int x : grades){
cout<<x<<'t';
}
return 0;
}

使用lambda作为remove_if谓词,如下所示:

#include <iostream>
#include <list>

int main( )
{
std::cout << "What is the passing grade?n";
int passingGrade { };
std::cin >> passingGrade;
std::list<int> grades { 100, 90, 93, 95, 92, 49, 50, 98, 97, 99, 11, 94 };
/*grades.remove_if( [ &passingGrade ]( const int grade ) // lambda approach
{
return ( grade < passingGrade ) ? true : false;
}
);*/
for ( auto it = grades.begin( ); it != grades.end( ); ) // for-loop approach
{
if ( *it < passingGrade )
{
it = grades.erase( it );
}
else
{
++it;
}
}
for ( const int grade : grades )
{
std::cout << grade << 't';
}
}

样本I/O

What is the passing grade?
50
100     90      93      95      92      50      98      97      99      94

另一个示例:

What is the passing grade?
95
100     95      98      97      99

这里是:

#include <iostream>
#include <list>
#include <functional>
bool check(int const lhs, int const rhs) {
return lhs < rhs;
}
int main() {
int pg;
std::cout << "What is the passing grade?n";
std::cin >> pg;
std::list<int> grades{
70, 90, 79, 85, 96, 73, 99, 91, 81, 83,
99, 94, 80, 79, 85, 83, 82, 90, 84, 82,
72, 83, 76, 93, 90, 77, 82, 76, 100, 94
};
grades.remove_if(std::bind(check, std::placeholders::_1, pg));
for (auto const g : grades) {
std::cout << g << 't';
}
return 0;
}

当被问及是否删除调用时使用的特定元素时,函数检查必须返回true。由于remove_if需要一元谓词(只能用1个参数调用的函数(,我使用std::bind生成新的可调用函数,当被调用时,它会传递参数std::占位符::_1和pg来检查哪里使用了grades中元素的副本,而不是std::placeholder::_1。

让我们用pg=90来玩这个。

检查(70,90(->是70<90->是->删除

检查(90,90(->是90<90->否->保留

检查(79,90(->是79<90->是->删除

检查(85,90(->是85<90->是->删除

检查(96,90(->是96<90->否->保留

我想你说得对。

相关内容

  • 没有找到相关文章

最新更新