CodeForces - 298D Fish Weight 思維
It is known that there are k fish species in the polar ocean, numbered from 1 to k. They are sorted by non-decreasing order of their weight, which is a positive number. Let the weight of the i-th type of fish be wi, then 0 < w1 ≤ w2 ≤ ... ≤ wk holds.
Polar bears Alice and Bob each have caught some fish, and they are guessing who has the larger sum of weight of the fish he/she's caught. Given the type of the fish they've caught, determine whether it is possible that the fish caught by Alice has a strictly larger total weight than Bob's. In other words, does there exist a sequence of weights w
Input
The first line contains three integers n, m, k (1 ≤ n, m ≤ 105, 1 ≤ k ≤ 109) — the number of fish caught by Alice and Bob respectively, and the number of fish species.
The second line contains n
Note that one may have caught more than one fish for a same species.
Output
Output "YES" (without quotes) if it is possible, and "NO" (without quotes) otherwise.
Examples
Input
3 3 3 2 2 2 1 1 3
Output
YES
Input
4 7 9 5 2 7 3 3 5 2 7 3 8 7
Output
NO
Note
In the first sample, if w1 = 1, w2 = 2, w3 = 2.5, then Alice has a total of 2 + 2 + 2 = 6weight units, while Bob only has 1 + 1 + 2.5 = 4.5.
In the second sample, the fish that Alice caught is a subset of Bob's. Therefore, the total weight of Bob’s fish is always not less than the total weight of Alice’s fish.
題意:Alice有n條魚和Bob有m條魚,魚有k個品種,重量按標號不下降的遞增,問A的總重量能否大於B的總重量。
題解:如果A中的每一條魚在B中都能找到編號大於等於他的,則A的總重量不可能大於B。
#include<bits/stdc++.h>
using namespace std;
const int N=1e5+10;
int n,m,k;
int a[N],b[N];
int main()
{
while(~scanf("%d%d%d",&n,&m,&k))
{
for(int i=1;i<=n;i++) cin>>a[i];
for(int i=1;i<=m;i++)cin>>b[i];
sort(a+1,a+1+n);
sort(b+1,b+1+m);
int i=1,j=1;
while(i<=n&&j<=m)
{
if(a[i]<=b[j]) i++,j++;
else j++;
}
if(i<=n) cout<<"YES"<<endl;
else cout<<"NO"<<endl;
}
return 0;
}