[Linux 进程] 进程优先级,进程间切换,main函数参数,环境变量
在Linux系统中,进程有优先级,高优先级的进程可能会获得更多的CPU时间。进程可以通过nice
值来设置其优先级,renice
命令可以用来在运行时调整已存在进程的nice
值。
进程间切换通常由内核自动进行,但是可以使用特定的命令来强制调度器进行进程间切换,例如sched_setscheduler
函数和renice
命令。
在C语言中,main
函数可以带有三个参数:argc
(整数,表示传递给程序的参数个数),argv
(字符串数组,存储各个参数),env
(字符串数组,存储环境变量)。
环境变量可以通过getenv
函数获取,通过setenv
函数设置,使用unsetenv
删除,通过environ
变量可以访问全局环境变量表。
以下是一些示例代码:
#include <stdio.h>
#include <stdlib.h>
int main(int argc, char *argv[], char *env[]) {
printf("Argument count: %d\n", argc);
for (int i = 0; i < argc; i++) {
printf("Argument %d: %s\n", i, argv[i]);
}
printf("Environment variables:\n");
for (int i = 0; env[i] != NULL; i++) {
printf("%s\n", env[i]);
}
return 0;
}
设置和获取环境变量:
#include <stdlib.h>
int main() {
char* var = getenv("MY_VAR");
if (var != NULL) {
printf("The value of MY_VAR is: %s\n", var);
} else {
printf("MY_VAR is not set.\n");
}
int result = setenv("MY_VAR", "123", 1);
if (result == 0) {
printf("MY_VAR is set to 123.\n");
} else {
printf("Failed to set MY_VAR.\n");
}
return 0;
}
调整进程优先级和进程间切换:
#include <sys/types.h>
#include <sys/time.h>
#include <sys/resource.h>
#include <stdio.h>
#include <unistd.h>
int main() {
// 设置进程的nice值
int niceValue = 10; // 范围从-20到19
nice(niceValue);
// 获取和设置实时优先级
struct sched_param param;
param.sched_priority = 50; // 范围依赖于策略,通常是1到99
sched_setscheduler(0, SCHED_RR, ¶m);
// 在控制台打印当前进程的nice值和优先级
int currNice = getpriority(PRIO_PROCESS, 0);
printf("Current nice value: %d\n", currNice);
// 切换到另一个进程运行,这里的代码将暂停执行
pid_t pid = fork();
if (pid == 0) {
// 在子进程中
while (1) {
printf("Child process is running...\n");
sleep(1);
}
} else {
// 在父进程中
while (1) {
printf("Parent process is running...\n");
sleep(1);
}
}
return 0;
}
请注意,在使用进程调度相关函数时,你可能需
评论已关闭