题目 拍集体照时队形很重要,这里对给定的N个人K排的队形设计排队规则如下:
每排人数为N/K(向下取整),多出来的人全部站在最后一排; 后排所有人的个子都不比前排任何人矮; 每排中最高者站中间(中间位置为m/2+1,其中m为该排人数,除法向下取整); 每排其他人以中间人为轴,按身高非增序,先右后左交替入队站在中间人的两侧(例如5人身高为190、188、186、175、170,则队形为175、188、190、186、170。这里假设你面对拍照者,所以你的左边是中间人的右边); 若多人身高相同,则按名字的字典序升序排列。这里保证无重名。 现给定一组拍照人,请编写程序输出他们的队形。
输入格式:
每个输入包含1个测试用例。每个测试用例第1行给出两个正整数N(<=10000,总人数)和K(<=10,总排数)。随后N行,每行给出一个人的名字(不包含空格、长度不超过8个英文字母)和身高([30, 300]区间内的整数)。
输出格式:
输出拍照的队形。即K排人名,其间以空格分隔,行末不得有多余空格。注意:假设你面对拍照者,后排的人输出在上方,前排输出在下方。
输入样例:
10 3 Tom 188 Mike 170 Eva 168 Tim 160 Joe 190 Ann 168 Bob 175 Nick 186 Amy 160 John 159
输出样例:
Bob Tom Joe Nick Ann Mike Eva Tim Amy John
我的解决方案 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 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 #include <stdio.h> #include <string.h> #include <stdlib.h> #define SIZE 10010 typedef struct { char name[10 ]; int height; } People; void inputPeople (People *people) { scanf ("%s%d" , people->name, &people->height); }int cmp (const void *left, const void *right) { if (((People *)right)->height != ((People *)left)->height) { return ((People *)right)->height - ((People *)left)->height; } else { return strcmp (((People *)left)->name, ((People *)right)->name); } } int main (void ) { People people[SIZE]; char *result[12 ][SIZE]; int n, k; int count, lastCount; int cur = 0 ; int mid; int diff; scanf ("%d%d" , &n, &k); count = n / k; lastCount = count + n % k; for (int i = 0 ; i < n; ++i) { inputPeople(people + i); } qsort(people, n, sizeof (People), cmp); for (int i = 0 ; i < k; ++i) { int rCount = (i ? count : lastCount); diff = 1 ; mid = (i ? count : lastCount) / 2 ; result[i][mid] = people[cur++].name; while ((cur - lastCount) % rCount != 0 ) { result[i][mid - diff] = people[cur++].name; if ((cur - lastCount) % rCount == 0 ) { break ; } result[i][mid + diff] = people[cur++].name; ++diff; } } for (int i = 0 ; i < k; ++i) { for (int j = 0 ; j < (i ? count : lastCount); ++j) { if (j) { printf (" " ); } printf ("%s" , result[i][j]); } printf ("\n" ); } return 0 ; }