欢迎您访问程序员文章站本站旨在为大家提供分享程序员计算机编程知识!
您现在的位置是: 首页  >  IT编程

Micro2440/Mini2440 linux下蜂鸣(Beep)c程序

程序员文章站 2022-05-11 17:49:18
关键字: micro2440, mini2440, beep, 蜂鸣 micro2440/mini2440 linux缺省内核中已加入了蜂鸣器支持(见<

关键字: micro2440, mini2440, beep, 蜂鸣

micro2440/mini2440 linux缺省内核中已加入了蜂鸣器支持(见<<micro2440用户手册 -2010-6-9.pdf>>p346),因此可以直接通过文件ioctl的方式操作蜂鸣器。

(ls /dev/pwm 存在,则表明你的micro2440/mini2440已经有蜂鸣器功能。)

下面的代码参考了<<micro2440用户手册 -2010-6-9.pdf>>

#include <stdio.h> 
#include <termios.h> 
#include <unistd.h> 
#include <stdlib.h> 
 
#define pwm_ioctl_set_freq 1 
#define pwm_ioctl_stop 0          // 注意:<<micro2440用户手册 -2010-6-9.pdf>>中, 
                                  //       pwm_ioctl_stop定义为2,有误; 
                                  //       应该与蜂鸣器的内核代码一致,为0 
 
static int fd = -1; /**< 保存蜂鸣器文件句柄 */ 
 
/** 关闭蜂鸣器 */ 
static void close_buzzer(void) 

    if (fd >= 0)  
    { 
        ioctl(fd, pwm_ioctl_stop); 
        close(fd); 
        fd = -1; 
    } 

 
/** 打开蜂鸣器 */ 
static void open_buzzer(void) 

    fd = open("/dev/pwm", 0); 
    if (fd < 0)  
    { 
        perror("open pwm_buzzer device"); 
        exit(1); 
    } 
 
    // any function exit call will stop the buzzer 
    atexit(close_buzzer); 

 
/** 以freq蜂鸣 */ 
static void set_buzzer_freq(int freq) 

    // this ioctl command is the key to set frequency 
    int ret = ioctl(fd, pwm_ioctl_set_freq, freq); 
    if(ret < 0) 
    { 
        perror("set the frequency of the buzzer"); 
        exit(1); 
    } 

 
/** 停止蜂鸣 */ 
static void stop_buzzer(void) 

    int ret = ioctl(fd, pwm_ioctl_stop); 
    if(ret < 0) 
    { 
        perror("stop the buzzer error.\n"); 
        exit(-1); 
    } 

 
/** 
 * 蜂鸣函数。
 * \param freq 蜂鸣的频率
 * \param t1 每次蜂鸣持续的时间长度。单位毫秒
 * \param t2 蜂鸣的次数
 * \remark 经测试,./testbeep 3000 2000 3 作为正常情况的蜂鸣效果较好(3k频率蜂鸣3次,每次2秒)
 *                ./testbeep 3000 500 20 作为失败告警的蜂鸣效果较好(3k频率蜂鸣20次,每次0.5秒)
 */ 
static void beep(int freq, int t1, int t2) 

    printf("freq=%d,each_ms=%d,ntimes=%d\n", freq, t1, t2); 
    open_buzzer(); 
    int i=0; 
    for(i=0; i<t2;++i) 
    { 
        set_buzzer_freq(freq); 
        usleep(t1*100);    //  *100 是经验值,没有为啥~ 
        stop_buzzer(); 
        usleep(t1*100);    //  *100 是经验值,没有为啥~ 
    } 
    close_buzzer(); 

 
/** 测试程序main */ 
int main(int argc, char **argv) 

    int freq; 
    if(argc >=2) 
    { 
        freq = atoi(argv[1]); 
        if ( freq < 1000 || freq > 20000 ) 
        { 
            freq = 10000; 
        } 
    } 
 
    int each_ms = 500; 
    if(argc >=3) 
    { 
        each_ms = atoi(argv[2]); 
        if ( each_ms < 100 || each_ms > 5000 ) 
        { 
            each_ms = 500; 
        } 
    } 
 
    int times = 0; 
    if(argc >=4) 
    { 
        times = atoi(argv[3]); 
        if ( times < 1 || times > 30 ) 
        { 
            times = 5; 
        } 
    } 
 
    beep(freq, each_ms, times); 
 
    return 0; 

 
// easyvcr@csdn, 2012.01.04 

编译:arm-linux-gcc testbeep.c -o testbeep

摘自 easyvcr的专栏