输入职工信息并按姓名查找

题目

image-20230813183358386

题目来源:桂林理工 - 877-C语言程序设计 - 2022年 - 第四题第3题

我的笨方法

简洁的代码

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
#include <stdio.h>
#include <string.h>
//职工的结构体
typedef struct Employee{
int id; //员工号
char name[100]; //姓名
int age; //年龄
double salary; //基本工资
}Employee;
int main(){
Employee emps[10];
for (int i = 0; i < 10; i++) {
scanf("%d", &emps[i].id);
scanf("%s", emps[i].name);
scanf("%d", &emps[i].age);
scanf("%lf", &emps[i].salary);
}
// 输入要查找的名字
char searchName[100];
scanf("%s", searchName);
// 在数组中查找名字
int found = 0;
for (int i = 0; i < 10; i++) {
if (strcmp(searchName, emps[i].name) == 0) {
found = 1;
printf("员工号为:%d,年龄为:%d\n", emps[i].id, emps[i].age);
break; // 找到后直接跳出循环
}
}
if (found==0) {
printf("not found!");
}
return 0;
}

输入10个职工信息的例子

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
1
Alice
25
50000
2
Bob
30
60000
3
Carol
28
55000
4
David
22
45000
5
Emily
29
58000
6
Frank
35
65000
7
Grace
27
53000
8
Henry
31
62000
9
Ivy
26
51000
10
Jack
23
47000

运行结果

image-20230813183942811

image-20230813184017458

加深理解strcmp函数

image-20230813184631433

方便理解的代码

和简洁版没什么区别,只不过是方便理解

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
#include <stdio.h>
#include <string.h>
//职工的结构体
typedef struct Employee{
int id; //员工号
char name[100]; //姓名
int age; //年龄
double salary; //基本工资
}Employee;
int main(){
Employee emps[10];
for (int i = 0; i < 10; i++) {
printf("Enter id for employee: ");
scanf("%d", &emps[i].id);

printf("Enter name for employee %d: ", emps[i].id);
scanf("%s", emps[i].name);

printf("Enter age for employee %d: ", emps[i].id);
scanf("%d", &emps[i].age);

printf("Enter salary for employee %d: ", emps[i].id);
scanf("%lf", &emps[i].salary);
printf("employee %d enter over: \n\n",emps[i].id);
}

for (int i = 0; i < 10; i++) {
printf("Employee %d:\n", i + 1);
printf("ID: %d\n", emps[i].id);
printf("Name: %s\n", emps[i].name);
printf("Age: %d\n", emps[i].age);
printf("Salary: %.2lf\n", emps[i].salary);
printf("\n");
}

// 输入要查找的名字
char searchName[100];
printf("Enter the name to search: ");
scanf("%s", searchName);

// 在数组中查找名字
int found = 0;
for (int i = 0; i < 10; i++) {
if (strcmp(searchName, emps[i].name) == 0) {
found = 1;
printf("员工号为:%d,年龄为:%d\n", emps[i].id, emps[i].age);
break; // 找到后直接跳出循环
}
}
if (found==0) {
printf("not found!");
}
return 0;
}