|
95樓 巨大八爪鱼
2016-1-17 16:36
【7-3】 #include <stdio.h> #include <stdlib.h>
void main() { int n, *a, j, i, dcount = 0; scanf("%d", &n); a = (int *)calloc(n, sizeof(int)); j = 0; for (i = 0; i < n; i++) a[i] = 0; for (i = 1; dcount < n - 1; i++) { if (i > n) i = 1; // 人的編號(1~n) if (a[i - 1] == 1) continue; // 跳過被劃掉的人 j++; // 叫的數(1~3) if (j == 4) j = 1; if (j == 3) // 如果叫到了3 { a[i - 1] = 1; // 如果叫到了3,踢掉該人 dcount++; } } for (i = 0; i < n; i++) { if (a[i] == 0) printf("%d\n", i + 1); } free(a); }
|
|
96樓 巨大八爪鱼
2016-1-17 16:37
從上一個例子可以看出,寫的時候最好不要用i,j這樣的變量(除非是明確的矩形的行和列),不然很容易犯低級錯誤
|
|
97樓 巨大八爪鱼
2016-1-17 16:46
【9-4】 #include <stdio.h>
char *strcat(char *str1, char *str2) { char *s = str1; while (*str1 != '\0') str1++; while (*str2 != '\0') *str1++ = *str2++; *str1 = '\0'; return s; }
void main() { char s1[30] = "abc"; char s2[] = "de"; strcat(s1, s2); printf("%s\n", s1); }
|
|
98樓 巨大八爪鱼
2016-1-17 16:46
【9-4】 #include <stdio.h> char *strcat(char *str1, char *str2) {...
這個應該是【7-4】
|
|
99樓 巨大八爪鱼
2016-1-17 16:49
【7-5】 #include <stdio.h>
void swap(int *a, int *b) { int temp = *a; *a = *b; *b = temp; }
void main() { int a, b; scanf("%d%d", &a, &b); swap(&a, &b); // 注意這裡也必須要加上&,別忘了 printf("%d %d\n", a, b); }
|
|
100樓 巨大八爪鱼
2016-1-17 17:03
【試題1】 #include <stdio.h> #include <string.h>
void main() { char str[100]; int an, nn, on, i; an = nn = on = 0; gets(str); for (i = 0; str[i] != '\0'; i++) { if (str[i] >= '0' && str[i] <= '9') nn++; else if ((str[i] >= 'A' && str[i] <= 'Z') || (str[i] >= 'a' && str[i] <= 'z')) an++; else on++; } printf("Numbers:%d\nLetters:%d\nOthers:%d\n", nn, an, on); }
|
|
101樓 巨大八爪鱼
2016-1-17 22:13
【試題8】 #include <stdio.h>
void fun(int a[], int m, int n) { int i; int temp; for (i = 0; i < n / 2; i++) { // 一定要用temp交換兩邊的值,不要只賦值半邊 // 編寫程序的時候一定要明確是複製值,還是要交換 // 如果是交換的話,一定要用temp變量 temp = *(a + m - 1 + i); *(a + m - 1 + i) = *(a + n + m - 2 - i); *(a + n + m - 2 - i) = temp; } }
void main() { int a[10]; int i, m, n; printf("Input 10 numbers:\n"); for (i = 0; i < 10; i++) scanf("%d", a + i); printf("Specify m and n:\n"); scanf("%d%d", &m, &n); fun(a, m, n); // 不要忘記調用函數 for (i = 0; i < 10; i++) printf("%d ", a[i]); }
|