「STL练习」丑数
题目描述
丑数是指不能被2,3,5以外的其他素数整除的数。把丑数从小到大排列起来,结果如下:
1,2,3,4,5,6,8,9,10,12,15,……
请编写一个程序,求第k个丑数。
输入
一个整数k(k<=1500)。
输出
仅有一个整数为第k大丑数。
样例输入
1 |
<span class="sampledata">9</span> |
样例输出
1 |
<span class="sampledata">10</span> |
题解
STL练习,每次从数据结构中取出最小值x,加入2x,3x,5x
priority_queue
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 |
#include<map> #include<set> #include<cmath> #include<stack> #include<queue> #include<cstdio> #include<vector> #include<cstring> #include<cstdlib> #include<iostream> #include<algorithm> #define mod 1000000 #define pi acos(-1) #define inf 0x7fffffff #define ll long long using namespace std; ll read() { ll x=0,f=1;char ch=getchar(); while(ch<'0'||ch>'9'){if(ch=='-')f=-1;ch=getchar();} while(ch>='0'&&ch<='9'){x=x*10+ch-'0';ch=getchar();} return x*f; } ll n; priority_queue<ll,vector<ll>,greater<ll> >q; int main() { n=read(); q.push(1); for(int i=1;i<n;i++) { ll t=q.top(); while(!q.empty()&&q.top()==t)q.pop(); q.push(2*t); q.push(3*t); q.push(5*t); } cout<<q.top()<<endl; return 0; } |
priority_queue+map
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 |
#include<map> #include<set> #include<cmath> #include<stack> #include<queue> #include<cstdio> #include<vector> #include<cstring> #include<cstdlib> #include<iostream> #include<algorithm> #define mod 1000000 #define pi acos(-1) #define inf 0x7fffffff #define ll long long using namespace std; ll read() { ll x=0,f=1;char ch=getchar(); while(ch<'0'||ch>'9'){if(ch=='-')f=-1;ch=getchar();} while(ch>='0'&&ch<='9'){x=x*10+ch-'0';ch=getchar();} return x*f; } ll n; map<ll,int>mp; priority_queue<ll,vector<ll>,greater<ll> >q; void push(ll x) { if(mp[x])return; q.push(x); mp[x]=1; } int main() { n=read(); q.push(1); for(int i=1;i<n;i++) { ll t=q.top();q.pop(); push(2*t); push(3*t); push(5*t); } cout<<q.top()<<endl; return 0; } |
还可以用set来记录每个丑数