c语言与shell脚本结合

项目日记:最近做项目是遇到一些C代码与SHELL交互的问题,

现总结如下:

有时候shell脚本可以很好的得到结果,但用C语言代码很难实现。尤其是一些查询系统相关信息时,很多时候可以直接用shell命令得到,但c代码却很难得到。

估可以考虑在c代码中加入与SHELL有关的代码,把一些变量由SHELL来得到。

C语言调用SHELL脚本有三种方法:

1.system() 不用你自己去产生进程,它已经封装了,直接加入自己的命令

 2.exec 需要你自己 fork 进程,然后exec 自己的命令

 3.popen() 也可以实现执行你的命令,比system 开销小

 

1)system(shell命令或shell脚本路径)

system( )会调用fork()产生 子历程,由子历程来调用/bin/sh-c string来履行 参数string字符串所代表的命令,此命令履行 完后随即返回原调用的历程。在调用system()期间SIGCHLD 信号会被暂时搁置,SIGINT和SIGQUIT 信号则会被漠视 。

返回值:如果system()在调用/bin/sh时失败则返回127,其他失败原因返回-1。若参数string为空指针(NULL),则返回非零值。 如果 system()调用成功 则最后会返回履行 shell命令后的返回值,但是此返回值也有可能为system()调用/bin/sh失败所返回的127,因 此最好能再反省 errno 来确认履行 成功 。

system命令以其简略 高效的作用得到很很广泛 的利用 ,下面是我写的一个例子:

get_scsi_id.sh

#!/bin/bash
ls /sys/block/$1/device/scsi_device/ | sed 's/:/ /g' > /tmp/scsi_id.txt

get_block_id.sh

#/bin/bash
ls -l /dev/$1 | awk -F ' ' '{ print $5 $6 }'| sed 's/,/ /g' > /tmp/block_id.txt

test.c

#include <stdio.h>
#include <unistd.h>
#include <string.h>
#define MAX_DISK_COUNT 1024
int get_scsi_id(char *devname){
 char buf[100];
 FILE *sfile;
 int host,channel,lun,id;
 snprintf(buf,100,"%s %s","./get_scsi_id.sh",&devname[5]);
 system(buf);
 sfile=fopen("/tmp/scsi_id.txt","r");
 if(NULL==sfile){
  printf("failed to get scsi_id ! \n");
 return -1;
 }
 if(4!=fscanf(sfile,"%d %d %d %d",&host,&channel,&lun,&id)){
  printf("fialed to get scsi id from scsi_id.txt ! \n");
 }
 printf("scsi id=[ %d %d %d %d] \n",host,channel,lun,id);
 return 0;
}
int get_block_id(char *name){
 char buf[128];
 FILE *bfile;
 int major=0,minor=0;
 snprintf(buf,128,"%s %s","./get_block_id.sh",&name[5]);
 system(buf);
 bfile=fopen("/tmp/block_id.txt","r");
 if(NULL==bfile){
  printf("failed to get block id ! \n");
 }
 if(2!=fscanf(bfile,"%d %d",&major,&minor)){
  printf("failed to get block id form block_id.txt \n");
  return -1;
 }
 printf("block id=[ %d %d] \n",major,minor);
 return 0;

int main()

    int i=0;
    char buf[1024];
    FILE *pfile;
    char dev_name[8];
    get_scsi_id("/dev/sde");
   get_block_id("/dev/sde");
}

2.popen()

popen()会调用fork()产生 子历程,然后从子历程中调用/bin/sh -c来履行 参数command的指令。参数type可应用 “r”代表读取,“w”代表写入。遵循此type值,popen()会建立 管道连到子历程的标准 输出设备 或标准 输入设备 ,然后返回一个文件指针。随后历程便可利用 此文件指针来读取子历程的输出设备 或是写入到子历程的标准 输入设备 中。此外,所有应用 文 件指针(FILE*)操作的函数也都可以应用 ,除了fclose()以外。

返回值:若成功 则返回文件指针,否则返回NULL,差错 原因存于errno中。注意:在编写具SUID/SGID权限的程序时请尽量避免应用 popen(),popen()会继承环境变量,通过环境变量可能会造成系统安全的问题.

例程:

#include<stdio.h>
#include <stdio.h>
#include <string.h>
#include <fcntl.h>
int main()
{
        FILE*p;
        char buf[1024];
        p=popen("ls /sys/block/sda/device/scsi_device | sed 's/:/ /g'","r");
        fgets(buf,sizeof(buf),p);

        printf("%s \n",buf);
        pclose(p);
}

 

 

你可能感兴趣的:(c语言与shell脚本结合)