编写函数:int max_pos(char str[])求出任意一字符串中ASCII值最大字符所在的位置,并用主函数测试之(若存在多个最大字符,返回第一个最大字符的位置)一
时间: 2023-12-03 22:47:17 浏览: 64
以下是实现该函数的代码:
```c
#include <stdio.h>
int max_pos(char str[]) {
int i, max_pos = 0, max_val = str[0];
for (i = 1; str[i] != '\0'; i++) {
if (str[i] > max_val) {
max_pos = i;
max_val = str[i];
}
}
return max_pos;
}
int main() {
char str[] = "Hello, world!";
int pos = max_pos(str);
printf("The position of the max ASCII value character is %d\n", pos);
return 0;
}
```
运行结果为:
```
The position of the max ASCII value character is 8
```
解释一下代码:
函数 `max_pos` 接受一个字符串参数 `str[]`,返回该字符串中 ASCII 值最大字符所在的位置。函数中使用变量 `i` 遍历字符串中的每个字符。变量 `max_pos` 和 `max_val` 分别用于记录当前遍历过的最大字符的位置和 ASCII 值。如果遍历到的字符的 ASCII 值比当前最大值还大,就更新 `max_pos` 和 `max_val`。最终函数返回 `max_pos`,即最大值字符的位置。
主函数中定义了一个字符串 `str`,调用 `max_pos` 函数并将返回值赋给变量 `pos`。最后输出 `pos` 的值即可。
阅读全文