UVA133 救济金发放 The Dole Queue

UVA133 救济金发放 The Dole Queue_第1张图片

题目大意

题目描述 n(n<20)个人站成一圈,逆时针编号为 1~n。有两个官员,A从1开始逆时针数,B从n开始顺时针数。在每一轮中,官员A数k个就停下来,官员B数m个就停下来(两个官员有可能能停在同一个人上)。接下来被官员选中的1个或2个人离开队伍。

输入格式 输入n ,k ,m ,可能有多组数据,以 0 0 0结尾。

输出格式 输出每轮里被选中的人的编号(如果有两个人,先输出被A选中的)。输出的每个数应正好占3列。样例中的“ ␣ ”代表一个空格。

算法思路

模拟就行了 具体看代码

AC代码

#include 
#include 
#include 
using namespace std;

const int N = 25;
int n, k, m;
int st[N];//判断当前有没有被访问过

int f(int t, int d, int cnt)//t代表当前位置,d代表遍历方向,cnt代表遍历个数
{
     
    while(cnt)
    {
     
        t = (t + d + n) % n;//每次+n然后%n防止对负数取余
        if(st[t]) cnt--;//当遍历到未被访问过的点时cnt--
    }
    return t;//返回位置
}

int main(void)
{
     
    while(cin >> n >> k >> m && (n || m || k))
    {
     
        for(int i = 0; i < n; i++) st[i] = i + 1;//从0 ~ n-1代表1 ~ n的位置
        int step = n;//step代表当前未被访问的个数
        int t1 = -1, t2 = n;//t1初始化为-1因为0代表第一个点如果初始化为0则1为第一个点,会把0号点跳过,同理t2初始化为n而不是n - 1
        while(step)//step不为0
        {
     
            t1 = f(t1, 1, k);//移动t1
            t2 = f(t2, -1, m);//移动t2
            st[t1] = 0, st[t2] = 0;//把新到的点标记一下
            //输出
            if(step) printf("%3d", t1 + 1), step--;
            if(step && t1 != t2) printf("%3d", t2 + 1), step--;
            if(!step) puts("");
            else printf(",");
        }
    }
    return 0;
}

你可能感兴趣的:(算法竞赛入门经典,算法,c++)