Linux开发--进程

经典五问:

1.什么是程序?什么是进程?

从是否运行进行判断: 
gcc xxx -o pro,磁盘中生成的pro文件,就是程序
进程是程序一次运行活动

程序是静态的概念,进程是动态的概念。


2.如何查看系统中的进程:

在linux中

a.使用ps(-aux) 命令查看,使用 grep命令过滤
例如: ps -aux | grep init

b. top 指令,类似window的任务管理器

3.什么是进程标识符:


每一个进程 都有一个非负整数 表示唯一ID,叫 pid
pid=0,称为交换进程(swapper),作用--进程调度
pid=1,init进程,作用 -- 系统初始化

调用getpid() 函数获取自身的进程id

getppid() -- 获取父进程id


#include <sys/types.h>
#include <unistd.h>

int main()
{
 pid_t pid;
 pid = getpid();
 printf("pid == %d\n",pid);
 while(1);
    return 0;
}

4. 什么叫父进程?什么叫子进程?


if 进程A创建了进程B,那么A是B 的父进程,B是A的子进程。

5.C程序存储空间是如何分配?


高地址 ------------------------> 低地址

命令行参数和环境变量-----> 栈(函数里的形参  和 局部变量) -------> 堆(malloc等动态内存函数申请的内存空间) ------------>未初始化的数据(BSS段 int a;) -------->初始化的数据(数据段 int b=10;)----->正文(代码段)

int a = 0; //全局初始化区 
char *p1; //全局未初始化区 
void main() 
{
    int b; //栈 
    char s[] = “abc“;//栈 
    char *p2; //栈 
    char *p3 = “123456“; //123456\0在常量区,p3在栈上;体会与 char s[]="abc"; 的不同
    static int c =0; //全局初始化区 
    p2 = (char *)malloc(20); //堆区
    strcpy(p1, “123456“); //123456\0在常量区,编译器可能将它与p3指向的 “123456 “优化成一块
}

参考自:什么变量存放在栈和堆_什么样的数据进堆 什么样的数据进栈-CSDN博客


===================================================

fork函数


进程函数 fork 使用:


头文件:
       #include <sys/types.h>
       #include <unistd.h>
函数原型:
       pid_t fork(void);
返回值:

 调用成功,调用一次,返回两次:  
0--代表当前进程是子进程
非负数 -- 代表是父进程

调用失败,放回-1

--------------------------------------

fork_case:


case1 : 证明fork() 之后的语句,父子进程都会执行,fork之前的语句只有父进程执行

#include <sys/types.h>
#include <unistd.h>

int main()
{
 pid_t pid1;
 pid_t pid2;
 pid1 = getpid();
 printf("Before fork,pid=%d\n",pid1);
 fork(); //创建一个进程
 pid2 = getpid();
 printf("After fork,pid=%d\n",pid2);
 if(pid1 == getpid()){
 printf("This is father print. fatherPid=%d\n",pid1);
 }
 else {
 printf("This is child print. childPid=%d\n",pid2);
 }

    return 0;
}

--------------------------------


case2:验证: fork 返回值,fork调用一次,返回两次,>0 父进程, ==0子进程


#include <sys/types.h>
#include <unistd.h>

int main()
{
pid_t pid;
pid=getpid();
printf("father pid =%d\n",pid);
pid=fork();
if(pid>0){//父进程
printf("This is father print,pid=%d\n",getpid());

}
else if(pid == 0){ //子进程
printf("This is child print,pid=%d\n",getpid());

}

    return 0;
}

----------------------------


case3:  探索fork 父进程返回大于0的数有什么意义

等于子进程Pid号,子进程返回值就是0


//why给返回0的;理由:pid=0被交换进程所占用,不可能作为他的pid


#include <sys/types.h>
#include <unistd.h>

int main()
{
pid_t pid;
pid_t pid2;
pid_t retpid;
pid=getpid();
printf("father pid =%d\n",pid);
retpid=fork();
pid2=getpid();
if(pid==pid2){//父进程
printf("This is father print,retpid=%d,  pid=%d\n",retpid,pid2);

}
else { //子进程
printf("This is child print,retpid=%d,  pid=%d\n",retpid,pid2);

}

    return 0;
}


=============================================================


fork创建进程发生了什么?

 进程早期设计的时候把,全拷贝--内存-空间所有内容都进行了拷贝
后面写时拷贝(不变的内容放在共享空间,不拷贝)只对copy on write- COW- 子进程 修改的内存进行单独拷贝

执行 fork 以后: fork之后的代码会被直接拷贝下来,给父子进程调度使用,
父子进程的变量独立,子进程改变自己的变量,父进程不受影响(因为子进程实际拷贝了一份单独的内存空间,和父进程独立)


case:父子进程内存空间独立


#include <sys/types.h>
#include <unistd.h>

int main()
{
pid_t pid;
pid_t pid2;
int a=88;
pid=getpid();
printf("father pid =%d\n",pid);
fork();
pid2=getpid();
if(pid==pid2){//父进程
printf("This is father print,  pid=%d\n",pid2);

}
else { //子进程
printf("This is child print, pid=%d\n",pid2);
a+=12;
}
printf("a=%d\n",a);

    return 0;
}


============================


fork 创建子进程的目的:

1)父进程希望复制自己,使父子进程同时执行不同的代码段。 -- 常见于网络服务

2)一个进程要执行一个不同的程序。这在shell中常见,这种情况下,子进程从fork返回后,立即调用exec()


case:模拟网络服务(1)


#include <sys/types.h>
#include <unistd.h>
#include <stdio.h>

int main()
{
    pid_t pid;
    pid_t pid2;
    int data = 0;
    while (1)
    {
        printf("please input a data\n");
        scanf("%d", &data);
        if (data == 1)
        {
            pid = fork(); // 每次近来创建一个子进程

            if (pid > 0)
            { // 父进程
            }
            else
            { // 子进程
                while (1)
                {
                    printf("net request,pid=%d\n", getpid());
                    sleep(10);
                }
            }
        }

        else
        {
            puts("waitting,do noting");
        }
    }

    return 0;
}


 

==========================================


vfork()函数

vfork 和fork的区别:


1.vfork是直接使用父进程的存储空间,不拷贝
2.vfork保证子进程先运行,当子进程调用exit()后,父进程才执行

case 区别验证:

#include <sys/types.h>
#include <unistd.h>
#include<stdio.h>
#include<stdlib.h>
int main()
{
    pid_t pid;
    int cnt=0;
    pid = vfork();
    if (pid > 0)
    {
        while (1)
        {
            printf("cnt = %d\n",cnt);
            printf("this is father pid=%d\n", getpid());
            sleep(1);
        }
    }
    else
    {
        while (1)
        {
            printf("this is child pid=%d\n", getpid());
            sleep(1);
            cnt++;
            if(cnt==5){
            exit(0);
            }
        }
    }

    return 0;
}

=======================================


进程退出:

正常退出:


1.Main 函数return
2.进行调用exit(),标准C库
3.进程调用_exit() 或者_Exit(),属于系统调用

补充:(一个进程包含多个线程,当最后一个线程结束的时候进程就退出了)
1.进程最后一个线程放回
2.最后一个线程调用 pthread_exit


异常退出:


1.调用 abort
2.当进程接收到接收信号,如 ctrl+c
3.最后一个线程对取消(cancellation)请求做出响应

//无论进程如何退出最后都会执行内核的同一段代码,这段代码为所有相关进程关闭所有打开描述符,释放他的所有存储器

子进程调用exit _exit _Exit 的时候父进程可以调用waitpid 查看子进程退出的状态

推荐
exit() 是对_exit() _Exit()的封装,先处理缓冲区,再退出

=====================================


等待子进程退出:wait()


收集退出状态:

why?
创建子进程目的:
子进程退出状态if不被收集会变成僵尸进程


通过ps可以发现他的状态Z+ --僵尸进程,父进程--S+运行中


       #include <sys/types.h>
       #include <sys/wait.h>

       pid_t wait(int *wstatus);

       pid_t waitpid(pid_t pid, int *wstatus, int options);

       int waitid(idtype_t idtype, id_t id, siginfo_t *infop, int options);

status参数:
是一个整形数值指针
非空: 子进程退出状态 放在他所指向的地址中
空: 不关心退出状态

检测wait和waitpid所放回终止状态的宏:


WEXITSTATUS(status); -- 正常退出
WIFSIGNALED(status) --异常退出
WIFSTOPPED(status) -- 暂停子进程的返回状态
WIFCONTINUED(status) -- 暂停好继续 的子进程放回的状态

wait下的父进程:
- 如果所有子进程都还在进行,则阻塞
-一个子进程已经终止,正等待父进程获取其终止状态,则该子进程终止状态立刻返回
-如果父进程没有终止子进程,则出错返回

wait 和 waitpid 区别:


wait使调用者阻塞,waitpid有一个选项,可以使得调用者不阻塞

当option = WBOHANG 的时候  不阻塞

====================================


孤儿进程:

概念
父进程先于子进程退出,使得子进程变成孤儿进程

linux系统为了避免出现过多的孤儿进程,init进程来收留孤儿进程,init进程就是孤儿进程的父进程

验证程序:

#include <sys/types.h>
#include <unistd.h>
#include<stdio.h>
#include <sys/types.h>
#include <sys/wait.h>
#include<stdlib.h>
int main()
{
    pid_t pid;
    int cnt=0;
    int status=10;
    pid = fork();
    if (pid > 0)
    {

            printf("this is father pid=%d\n", getpid());
      
    }
    else if(pid==0)
    {
        while (1)
        {
            printf("this is child pid=%d\t my father ppid=%d\n", getpid(),getppid());
            sleep(1);
            cnt++;
            if(cnt==3){
            exit(3);
            }
        }
    }

    return 0;
}

=====================================================


exec族函数:


但一个进程跑到一半的时候,调用exec族函数去执行另一个程序.

exec函数族:
execl
,execlp, execv,execvp   ,execle ,execvpe(e结尾不常用)

返回值:
exec成功不会放回,失败设置error并返回 -1,然后从原程序调用点往下执行

参数说明:
path:可执行文件路径
arg:可执行程序所带参数,第一个参数是程序名,没有带路径且arg必须以NULL结束
file: 如果参数中包含/,则视为路径,否则就按PATH环境变量,在他所在目录中搜寻可执行文件


perror -- 打印出错误信息;
perror(why);  why: 错误信息

execl例子:


#include<stdio.h>
#include<unistd.h>
#include<stdlib.h>

int main()
{
printf("before execl\n");
if(execl("./echo","echo","abc",NULL)==-1){
puts("execl error!!!");
perror("why");
}
puts("after execl");
    return 0;
}


#include<stdio.h>

int main(int argc,char **argv)
{
int i;
for(i=0;i<argc;++i){
printf("argv[%d]=%s\n",i,argv[i]);

}
    return 0;
}

gcc echoarg.c -o echo


-------------------------------------------

execl("/bin/ls","ls","-l",NULL)  -- 第一个参数直接写绝对路径调用系统的命令

execl("/bin/date","date",NULL)==-1) -- 获取系统时间


execlp -- p 通过系统环境变量找到指令,不用写绝对路径了
such as:  execlp("ps","ps",NULL,NULL)==-1)

v -- 使用指针char * [](字符串数组-二维数组)代替参数


#include<stdio.h>
#include<unistd.h>
#include<stdlib.h>

int main()
{
printf("before execl\n");
char *argv[]={"ps",NULL,NULL};
if(execvp("ps",argv)==-1){
puts("execl error!!!");

}
puts("after execl");
    return 0;
}



exec 配合 fork使用:


case1: 实现功能,当父进程检测到输入为1 的时候,创建子进程吧配置文件的字段修改掉

=============
#include <stdio.h>
#include <sys/types.h>
#include <fcntl.h>
#include <unistd.h>
#include <stdlib.h>
#include <string.h>

int main()
{
    pid_t pid;
    pid_t pid2;
    int data = 0;
    while (1)
    {
        printf("please input a data\n");
        scanf("%d", &data);
        if (data == 1)
        {
            pid = fork(); // 每次近来创建一个子进程

            if (pid == 0)
            { // 子进程
                int fdSrc;

                char *readBuf = NULL;
                fdSrc = open("./config.txt", O_RDWR);
                int size = lseek(fdSrc, 0, SEEK_END);
                lseek(fdSrc, 0, SEEK_SET);

                readBuf = (char *)malloc(sizeof(char) * (size + 8));
                int n_read = read(fdSrc, readBuf, size);
                char *p = strstr(readBuf, "LENG=");
                if (p == NULL)
                {
                    puts("not found");
                    exit(-1);
                }
                p = p + strlen("LENG=");
                *p = '5';
                lseek(fdSrc,0,SEEK_SET);

                write(fdSrc,readBuf,strlen(readBuf));
                close(fdSrc);

            }
        }

        else
        {
            puts("waitting,do noting");
        }
    }

    return 0;
}


----------------------
 

execl进行优化:

#include <stdio.h>
#include <sys/types.h>
#include <fcntl.h>
#include <unistd.h>
#include <stdlib.h>
#include <string.h>
#include <sys/wait.h>

int main()
{
    pid_t pid;
    pid_t pid2;
    int data = 0;
    while (1)
    {
        printf("please input a data\n");
        scanf("%d", &data);
        if (data == 1)
        {
            pid = fork(); // 每次近来创建一个子进程
            if(pid>0){
                wait(NULL);//防止变成】僵尸进程
            }
            else if (pid == 0)
            { // 子进程
               execl("./changedata","changedata",NULL);
              
            }
        }

        else
        {
            puts("waitting,do noting");
        }
    }

    return 0;
}


=================================


system进行优化:


       #include <stdlib.h>

       int system(const char *command);


system -- 封装后的exec

调用/bin/sh失败返回127 其他失败返回-1

与exec 的区别,执行完后还会回去执行原程序的代码
=============================
一句system调用就可以执行之前的整个可执行文件

#include <stdio.h>
#include <sys/types.h>
#include <fcntl.h>
#include <unistd.h>
#include <stdlib.h>
#include <string.h>
#include <sys/wait.h>

int main()
{
    system("./exf");// 前面生成的可执行文件直接调用即可
    return 0;
}


=================================================

popen


      #include <stdio.h>

       FILE *popen(const char *command, const char *type);

       int pclose(FILE *stream);


可以获取内存的输出结果:

#include <stdio.h>
#include <sys/types.h>
#include <fcntl.h>
#include <unistd.h>
#include <stdlib.h>
#include <string.h>
#include <sys/wait.h>

int main()
{
    char ret[1024]={0};
    FILE *fp;
    fp=popen("ps","r");
      //size_t fread(void *ptr, size_t size, size_t nmemb, FILE *stream);
    int nread = fread(ret,1,1024,fp);
    printf("nread=%d\nret = %s\n",nread,ret);
    return 0;
}
 


 

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.mzph.cn/news/808858.shtml

如若内容造成侵权/违法违规/事实不符,请联系多彩编程网进行投诉反馈email:809451989@qq.com,一经查实,立即删除!

相关文章

二叉树练习day.6

654.最大二叉树 链接&#xff1a;. - 力扣&#xff08;LeetCode&#xff09; 题目描述&#xff1a; 给定一个不重复的整数数组 nums 。 最大二叉树 可以用下面的算法从 nums 递归地构建: 创建一个根节点&#xff0c;其值为 nums 中的最大值。递归地在最大值 左边 的 子数组前…

MySQL——全文检索

不是所有的数据表都支持全文检索 MySQL支持多种底层数据库引擎&#xff0c;但是并非所有的引擎支持全文检索 &#xff0c;目前最常用引擎是是MyISAM和InnoDB&#xff1b;前者支持全文检索&#xff0c;后者不支持。 booolean模式操作符 实验&#xff1a; 表productnotes &…

线程池参数如何设置

线程池参数设置 hello丫&#xff0c;各位小伙伴们&#xff0c;好久不见了&#xff01; 下面&#xff0c;我们先来复习一下线程池的参数 1、线程池参数有哪些&#xff1f; corePoolSize&#xff08;核心线程数&#xff09;&#xff1a;线程池中的常驻核心线程数。即使这些线程…

Java与Kotlin语言的特色之处

一、Java特色之处&#xff1a; 1.多异常捕获 一个try块可能捕获到多个异常&#xff0c;可以使用多个catch块分别处理每个异常&#xff0c;也可以使用一个catch块处理多个异常&#xff08;多个异常使用管道符|分隔&#xff09;。 多个catch块代码&#xff1a; try{ }catch(IOExc…

FMEA与各设计工具之间有哪些联系——SunFMEA软件

在设计领域&#xff0c;FMEA与其他设计工具之间存在着紧密的关系&#xff0c;这些工具共同支持设计师在产品开发的各个阶段做出明智的决策&#xff0c;今天SunFMEA软件和大家一起了解FMEA与各设计工具之间的联系。 首先&#xff0c;FMEA与CAD&#xff08;计算机辅助设计&#…

搭建PyTorch神经网络进行气温预测(手写+调包两种方法)(保证学会!)+找到神经网络的最优情况

代码上有注释&#xff01;&#xff01;&#xff01;&#xff01;&#xff01;&#xff01; 本篇主要包括三大部分&#xff1a; 第一部分&#xff1a;导入数据集导入第三方库数据集简单介绍与可视化数据集简单预处理 第二部分&#xff1a;手写神经网络代码实现气温预测&#…

论文学习D2UNet:用于地震图像超分辨率重建的双解码器U-Net

标题&#xff1a;&#xff1a;Dual Decoder U-Net for Seismic Image Super-Resolution Reconstruction ——D2UNet&#xff1a;用于地震图像超分辨率重建的双解码器U-Net 期刊&#xff1a;IEEE Transactions on Geoscience and Remote Sensing 摘要&#xff1a;从U-Net派生…

linux中rpm包与deb包的区别及使用

文章目录 1. rpm与deb的区别2. deb软件包的格式和使用2.1 deb软件包命令遵行如下约定2.2 dpkg命令2.3 apt-命令 3. Unix和Linux的区别Reference 1. rpm与deb的区别 有的系统只支持使用rpm包安装&#xff0c;有的只支持deb包安装&#xff0c;混乱安装会导致系统问题。 关于rpm和…

手拉手安装启动Kafka2.13

启动Kafka本地环境需Java 8以上 Kafka是一种高吞吐量的分布式发布订阅消息系统&#xff0c;它可以处理消费者在网站中的所有动作流数据。 这种动作&#xff08;网页浏览&#xff0c;搜索和其他用户的行动&#xff09;是在现代网络上的许多社会功能的一个关键因素。 Kafka启动…

【ubuntu20.04】安装GeographicLib

下载地址 GeographicLib: Installing GeographicLib 我们是ubuntu20.04 &#xff0c;所以下载第一个 GeographicLib-2.3.tar.gz 接着跟着官方步骤安装&#xff0c;会出错&#xff01;&#xff01;&#xff01;&#xff01;马的 官方错误示例&#xff1a;tar xfpz Geographi…

无重复字符串的最长子串

题目描述&#xff1a;给定一个字符串 s &#xff0c;请你找出其中不含有重复字符的 最长子串的长度。 第一次提交记录 class Solution:def lengthOfLongestSubstring(self, s: str) -> int:if not s:return 0lookup set()left res 0for right in range(len(s)):while s…

基于Springboot的箱包存储系统(有报告)。Javaee项目,springboot项目。

演示视频&#xff1a; 基于Springboot的箱包存储系统&#xff08;有报告&#xff09;。Javaee项目&#xff0c;springboot项目。 项目介绍&#xff1a; 采用M&#xff08;model&#xff09;V&#xff08;view&#xff09;C&#xff08;controller&#xff09;三层体系结构&…

一辆新能源汽车需要多少颗传感器?

随着科技的发展和环保意识的日益提高&#xff0c;新能源汽车&#xff08;包括纯电动汽车、混合动力汽车等&#xff09;在全球范围内越来越受到欢迎。这些汽车不仅减少了碳排放&#xff0c;还推动了汽车产业的创新。然而&#xff0c;这些高科技汽车的背后&#xff0c;隐藏着许多…

9.vector的使用介绍和模拟实现

1.vector的介绍及使用 1.1 vector的介绍 vector的文档介绍 vector是表示可变大小数组的序列容器。 就像数组一样&#xff0c;vector也采用的连续存储空间来存储元素。也就是意味着可以采用下标对vector的元素进行访问&#xff0c;和数组一样高效。但是又不像数组&#xff0c…

Another Redis Desktop Manager下载安装使用

天行健&#xff0c;君子以自强不息&#xff1b;地势坤&#xff0c;君子以厚德载物。 每个人都有惰性&#xff0c;但不断学习是好好生活的根本&#xff0c;共勉&#xff01; 文章均为学习整理笔记&#xff0c;分享记录为主&#xff0c;如有错误请指正&#xff0c;共同学习进步。…

基因组组装:Hifiasm 使用教程

简介 Hifiasm[1] 是一个快速的单倍型解析 de novo 组装软件&#xff0c;最初设计用于 PacBio HiFi 读取。其最新版本可以通过利用超长的 Oxford Nanopore 读取支持端粒到端粒的组装。Hifiasm 可以生成单样本端粒到端粒的组装&#xff0c;结合了 HiFi、超长和 Hi-C 读取&#xf…

【XR806开发板试用】自带mqtt的调试教学

1、下载代码 mkdir xr806_openharmony cd xr806_openharmony repo init -u ssh://gitgitee.com/openharmony-sig/manifest.git -b OpenHarmony_1.0.1_release --no-repo-verify -m devboard_xr806.xml repo sync -c repo forall -c git lfs pull **最近仓库在整合&#xff…

[Classifier-Guided] Diffusion Models Beat GANs on Image Synthesis

1、介绍 针对diffusion models不如GAN的原因进行改进&#xff1a; 1&#xff09;充分探索网络结构 2&#xff09;在diversity和fidelity之间进行trade off 2、改进 1&#xff09;在采样步数更少的情况下&#xff0c;方差设置为固定值并非最优。需要将表示为网络预测的v ​​​…

前端开发攻略---Vue通过自定义指令实现元素平滑上升的动画效果(可以自定义动画时间、动画效果、动画速度等等)。

1、演示 2、介绍 这个指令不是原生自带的&#xff0c;需要手动去书写&#xff0c;但是这辈子只需要编写这一次就好了&#xff0c;后边可以反复利用。 3、关键API IntersectionObserver IntersectionObserver 是一个用于监测元素是否进入或离开视口&#xff08;viewport&#x…

08 - 镜像管理之:镜像仓库harbor介绍

本文参考&#xff1a;原文1 1 Harbor仓库介绍 Docker容器应用的开发和运行离不开可靠的镜像管理&#xff0c;虽然Docker官方也提供了公共的镜像仓库&#xff0c;但是从安全和效率等方面考虑&#xff0c;部署我们私有环境内的Registry 也是非常必要的。 之前介绍了Docker私有仓…