录制wav格式的音频

项目中有面部认证、声纹认证,服务器端要求上传wav格式的音频,所以写了这样一个小demo。

刚刚开始写博客还不知道怎么上传代码,就复制了,嘻嘻

DotimeManage.h


@class DotimeManage;

@protocol DotimeManageDelegate <NSObject>


- (void)TimerActionValueChange:(int)time; //时间改变


@end

#import <Foundation/Foundation.h>


@interface DotimeManage : NSObject

{

    NSTimer *BBtimer;

}

@property (nonatomic)int timeValue;

@property (nonatomic,assign)id<DotimeManageDelegate> delegate;

+ (DotimeManage *)DefaultManage;


//开始计时

- (void)startTime;


//停止计时

- (void)stopTimer;

@end




DotimeManage.m


#import "DotimeManage.h"


@implementation DotimeManage

static DotimeManage *timeManage = nil;

+ (DotimeManage *)DefaultManage{

    static dispatch_once_t onceToken;

    dispatch_once(&onceToken, ^{

        timeManage = [[DotimeManage alloc] init];

    });

    return timeManage;

}

- (id)init {

    self = [super init];

    if (self) {


    }

    return self;

}


//开始计时

- (void)startTime {

    //停止上次计时器

    [self stopTimer];

    

    if (BBtimer == nil) {

        self.timeValue = 0;

        BBtimer = [NSTimer scheduledTimerWithTimeInterval:1 target:self selector:@selector(TimerAction) userInfo:nil repeats:YES];

        NSRunLoop *main=[NSRunLoop currentRunLoop];

        [main addTimer:BBtimer forMode:NSRunLoopCommonModes];

    }

}


//停止计时

- (void)stopTimer {

    if (BBtimer != nil) {

        [BBtimer invalidate];

        BBtimer = nil;

    }

}


//倒计时

- (void)TimerAction {

    self.timeValue ++;

    if ([self.delegate respondsToSelector:@selector(TimerActionValueChange:)]) {

        [self.delegate TimerActionValueChange:self.timeValue];

    }

}

@end




Recorder.h


#import <Foundation/Foundation.h>

#import <AVFoundation/AVFoundation.h>

#import <AudioToolbox/AudioToolbox.h>

#import <UIKit/UIKit.h>


#define DefaultSubPath @"Voice" //默认 二级目录 可以修改自己想要的 例如 "文件夹1/文件夹2/文件夹3"


#define SampleRateKey 44100.0 //采样率8000.0

#define LinearPCMBitDepth 16 //采样位数 默认 16

#define NumberOfChannels 1  //通道的数目


@protocol RecorderDelegate <NSObject>

/**

 * 录音进行中

 * currentTime 录音时长

 **/

-(void)recorderCurrentTime:(NSTimeInterval)currentTime;


/**

 * 录音完成

 * filePath 录音文件保存路径

 * fileName 录音文件名

 * duration 录音时长

 **/

-(void)recorderStop:(NSString *)filePath voiceName:(NSString *)fileName duration:(NSTimeInterval)duration;


/**

 * 开始录音

 **/

-(void)recorderStart;

@end


@interface Recorder : NSObject<AVAudioRecorderDelegate>


@property (assign, nonatomic) id<RecorderDelegate> recorderDelegate;

@property(strong, nonatomic) NSString *filename,*filePath;

/**

 * 录音控件 单例对象

 **/

+(Recorder *)shareRecorder;



/**

 * 开始录音

 * //默认的录音存储的文件夹在 "Document/Voice/文件名(文件名示例: 2015-01-06_12:41).wav"

 * 录音的文件名 "2015-01-06_12:41"

 **/

-(void)startRecord;

/**

 * 停止录音

 **/

-(void)stopRecord;


/**

 * 获得峰值

 **/

-(float)getPeakPower;


/**

 * 是否可以录音

 **/

- (BOOL)canRecord;



@end


Recorder.m

#import "Recorder.h"



#ifdef DEBUG

#define VSLog(log, ...) NSLog(log, ## __VA_ARGS__)

#else

#define VSLog(log, ...)

#endif

#define IOS7   ( [[[UIDevice currentDevice] systemVersion] compare:@"7.0"] != NSOrderedAscending )



@interface Recorder ()

{

    NSMutableArray *cacheDelegates;

    NSMutableArray *cacheURLs;

    NSTimer     *countDownTimer_;//定时器,每秒调用一次

}


@property(strong, nonatomic) AVAudioRecorder *audioRecorder;


@property(strong, nonatomic) NSMutableDictionary *cacheDic;


@end


@implementation Recorder

+(Recorder *)shareRecorder

{

    static Recorder *sharedRecorderInstance = nil;

    static dispatch_once_t predicate;

    dispatch_once(&predicate, ^{

        sharedRecorderInstance = [[self alloc] init];

    });

    return sharedRecorderInstance;

}


-(BOOL)canRecord

{

    __block BOOL bCanRecord = YES;

    if (IOS7)

    {

        AVAudioSession *audioSession = [AVAudioSession sharedInstance];

        if ([audioSession respondsToSelector:@selector(requestRecordPermission:)]) {

            [audioSession performSelector:@selector(requestRecordPermission:) withObject:^(BOOL granted) {

                if (granted) {

                    bCanRecord = YES;

                } else {

                    bCanRecord = NO;

                }

            }];

        }

    }

    

    return bCanRecord;

}



-(id)init

{

    self = [super init];

    if (self) {

        self.cacheDic = [NSMutableDictionary dictionaryWithCapacity:1];

        cacheDelegates = [[NSMutableArray alloc] init];

        cacheURLs = [[NSMutableArray alloc] init];

        [self resetTimerCount];

    }

    return self;

}


-(void)stopTimerCountRun

{

    if (countDownTimer_) {

        [countDownTimer_ invalidate];

        countDownTimer_ = nil;

    }

}

-(void)resetTimerCount

{

    [self stopTimerCountRun];

    countDownTimer_ = [NSTimer scheduledTimerWithTimeInterval:1 target:self selector:@selector(timeCountDown) userInfo:nil repeats:YES];

    [[NSRunLoop currentRunLoop] addTimer:countDownTimer_ forMode:NSRunLoopCommonModes];

}

- (void)timeCountDown

{

    if (self.audioRecorder.isRecording) {

        //当前时间

        if ([self.recorderDelegate respondsToSelector:@selector(recorderCurrentTime:)]) {

            [self.recorderDelegate recorderCurrentTime:self.audioRecorder.currentTime];

        }

    }

}

#pragma mark - 广播停止录音

//停止录音

-(void)stopAVAudioRecord

{

    

}

-(void)startRecordWithFilePath:(NSString *)filePath

{

    

    AVAudioSession *session = [AVAudioSession sharedInstance];

    

    [session setCategory:AVAudioSessionCategoryPlayAndRecord error:nil];

    [session setActive:YES error:nil];

    

    NSDictionary *recordSetting = [NSDictionary dictionaryWithObjectsAndKeys:

                                   [NSNumber numberWithFloat: SampleRateKey],AVSampleRateKey, //采样率

                                   [NSNumber numberWithInt: kAudioFormatLinearPCM],AVFormatIDKey,

                                   [NSNumber numberWithInt:LinearPCMBitDepth],AVLinearPCMBitDepthKey,//采样位数 默认 16

                                   [NSNumber numberWithInt: NumberOfChannels], AVNumberOfChannelsKey,//通道的数目,

                                   nil];

    

    

    NSURL *url = [NSURL fileURLWithPath:filePath];

    self.filePath = filePath;

    

    NSError *error = nil;

    if (self.audioRecorder) {

        if (self.audioRecorder.isRecording) {

            [self.audioRecorder stop];

        }

        self.audioRecorder = nil;

    }

    

    AVAudioRecorder *tmpRecord = [[ AVAudioRecorder alloc] initWithURL:url settings:recordSetting error:&error];

    self.audioRecorder = tmpRecord;

    self.audioRecorder.meteringEnabled = YES;

    self.audioRecorder.delegate = self;

    if ([self.audioRecorder prepareToRecord] == YES){

        self.audioRecorder.meteringEnabled = YES;

        [self.audioRecorder record];

        if ([self.recorderDelegate respondsToSelector:@selector(recorderStart)]) {

            [self.recorderDelegate recorderStart];

        }

        [[UIApplication sharedApplication] setIdleTimerDisabled: YES];//保持屏幕长亮

        [[UIDevice currentDevice] setProximityMonitoringEnabled:NO]; //建议在播放之前设置yes,播放结束设置NO,这个功能是开启红外感应

        

    }else {

        int errorCode = CFSwapInt32HostToBig ([error code]);

        VSLog(@"Error: %@ [%4.4s])" , [error localizedDescription], (char*)&errorCode);

        

    }

}

-(void)startRecord

{

    NSArray *dirPaths = NSSearchPathForDirectoriesInDomains(

                                                            NSDocumentDirectory, NSUserDomainMask, YES);

    NSString *docsDir = [dirPaths objectAtIndex:0];

    //录音文件名采用时间标记 例如"2015-01-06_12:41"

//    self.filename = [self createFilename];

    self.filename = @"RecordingFile";

    NSString *soundFilePath = [docsDir

                               stringByAppendingPathComponent:[NSString stringWithFormat:@"%@/%@.wav",DefaultSubPath,self.filename]];

    

    [self createFilePath];

    [self startRecordWithFilePath:soundFilePath];

}


//创建录音文件名字

- (NSString *)createFilename {

    NSDate *date_ = [NSDate date];

    NSDateFormatter *dateformater = [[NSDateFormatter alloc] init];

    [dateformater setDateFormat:@"yyyy-MM-dd_HH-mm-ss"];

    NSString *timeFileName = [dateformater stringFromDate:date_];

    return timeFileName;

}

//创建存储路径

-(void)createFilePath

{

    NSArray *dirPaths = NSSearchPathForDirectoriesInDomains(

                                                            NSDocumentDirectory, NSUserDomainMask, YES);

    NSString *docsDir = [dirPaths objectAtIndex:0];

    NSString *savedImagePath = [docsDir

                                stringByAppendingPathComponent:DefaultSubPath];

    BOOL isDir = NO;

    NSFileManager *fileManager = [NSFileManager defaultManager];

    BOOL existed = [fileManager fileExistsAtPath:savedImagePath isDirectory:&isDir];

    if ( !(isDir == YES && existed == YES) )

    {

        [fileManager createDirectoryAtPath:savedImagePath withIntermediateDirectories:YES attributes:nil error:nil];

    }

}



-(void)stopRecord

{

    if (self.audioRecorder) {

        if ([self.recorderDelegate respondsToSelector:@selector(recorderStop:voiceName:duration:)]) {

            [self.recorderDelegate recorderStop:self.filePath voiceName:self.filename duration:self.audioRecorder.currentTime];

        }

        self.recorderDelegate = nil;

        [self.audioRecorder stop];

        

        AVAudioSession *session = [AVAudioSession sharedInstance];

        [session setActive:NO error:nil];

        [session setCategory:AVAudioSessionCategoryAmbient error:nil];

    }

}

-(float)getPeakPower

{

    [self.audioRecorder updateMeters];

    float linear = pow (10, [self.audioRecorder peakPowerForChannel:0] / 20);

    float linear1 = pow (10, [self.audioRecorder averagePowerForChannel:0] / 20);

    float Pitch = 0;

    if (linear1>0.03) {

        

        Pitch = linear1+.20;//pow (10, [audioRecorder averagePowerForChannel:0] / 20);//[audioRecorder peakPowerForChannel:0];

    }

    else {

        

        Pitch = 0.0;

    }

    float peakPowerForChannel = (linear + 160)/160;

    return peakPowerForChannel;

}


//-(void)dealloc

//{

//    self.audioRecorder = nil;

//    [[NSNotificationCenter defaultCenter] removeObserver:self];

//    [super dealloc];

//}

//

#pragma mark -

#pragma mark AVAudioRecorderDelegate Methods

-(void)audioRecorderDidFinishRecording:(AVAudioRecorder *)recorder successfully:(BOOL)flag

{

    [[UIApplication sharedApplication] setIdleTimerDisabled: NO];

    if (flag) {

        if ([self.recorderDelegate respondsToSelector:@selector(recorderStop:voiceName:duration:)]) {

            [self.recorderDelegate recorderStop:self.filePath voiceName:self.filename duration:self.audioRecorder.currentTime];

        }

        self.recorderDelegate = nil;

    }else{

        if ([self.recorderDelegate respondsToSelector:@selector(recorderStop:voiceName:duration:)]) {

            [self.recorderDelegate recorderStop:self.filePath voiceName:self.filename duration:self.audioRecorder.currentTime];

        }

        self.recorderDelegate = nil;

    }

    AVAudioSession *session = [AVAudioSession sharedInstance];

    [session setActive:NO error:nil];

    [session setCategory:AVAudioSessionCategoryAmbient error:nil];

}

-(void)audioRecorderEncodeErrorDidOccur:(AVAudioRecorder *)recorder error:(NSError *)error

{

    [[UIApplication sharedApplication] setIdleTimerDisabled: NO];

    

    if ([self.recorderDelegate respondsToSelector:@selector(recorderStop:voiceName:duration:)]) {

        [self.recorderDelegate recorderStop:self.filePath voiceName:self.filename duration:self.audioRecorder.currentTime];

    }

    self.recorderDelegate = nil;

    AVAudioSession *session = [AVAudioSession sharedInstance];

    [session setActive:NO error:nil];

    [session setCategory:AVAudioSessionCategoryAmbient error:nil];

}


@end



在需要录制音频的界面调用这两个文件

录制音频的按钮有两个响应事件,代码如下

[recordingBtn addTarget:self action:@selector(buttonSayBegin) forControlEvents:UIControlEventTouchDown];

    [recordingBtn addTarget:self action:@selector(buttonSayEnd) forControlEvents:UIControlEventTouchUpInside];


- (void)buttonSayBegin

{

    [self stopAudio];

    

    [[Recorder shareRecorder]startRecord];

  

}


- (void)buttonSayEnd

{    

    [[Recorder shareRecorder]stopRecord];

    

    [self stopAudio];

    

    //    [StateLable setText:@"播放录音文件中。。"];

    NSString * string = [Recorder shareRecorder].filePath;

    [self playAudio:string];


}


//播放

- (void)playAudio:(NSString *)path {

    NSURL *url = [NSURL URLWithString:path];

    NSError *err = nil;

    audioPalyer = [[AVAudioPlayer alloc] initWithContentsOfURL:url error:&err];

    audioPalyer.delegate = self;

    [audioPalyer prepareToPlay];

    [audioPalyer play];

}



//停止播放

- (void)stopAudio {

    if (audioPalyer) {

        [audioPalyer stop];

        audioPalyer = nil;

    }


}

- (void)playing

{

    if([audioPalyer isPlaying])

    {

        [audioPalyer pause];

    }

    

    else

    {

        [audioPalyer play];

    }


}

#pragma mark -AVAudio 代理方法-

- (void)audioPlayerDidFinishPlaying:(AVAudioPlayer *)player successfully:(BOOL)flag

{

 

}


OK  问题解决

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

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

相关文章

iOS开发网络篇—Reachability检测网络状态

前言&#xff1a;当应用程序需要访问网络的时候&#xff0c;它首先应该检查设备的网络状态&#xff0c;确认设备的网络环境及连接情况&#xff0c;并针对这些情况提醒用户做出相应的处理。最好能监听设备的网络状态的改变&#xff0c;当设备网络状态连接、断开时&#xff0c;程…

网络七层协议 五层模型 TCP连接 HTTP连接 socket套接字

socket&#xff08;套接字&#xff09;是通信的基石&#xff0c;是支持TCP/IP协议的网络通信的基本操作单元&#xff0c;包含进行网络通信必须的五种信息&#xff1a;连接使用的协议&#xff0c;本地主机的IP地址&#xff0c;本地进程的协议端口&#xff0c;远地主机的IP地址&a…

[vs2010 project] CppUnit快速入门

简介 测试是软件开发过程中极其重要的一环&#xff0c;详尽周密的测试能够减少软件BUG&#xff0c;提高软件品质。测试包括单元测试、系统测试等。其中单元测试是指针对软件功能单元所作的测试&#xff0c;这里的功能单元可以是一个类的属性或者方法&#xff0c;测试的目的是看…

[javascript|基本概念|Number]学习笔记

Number类型的值&#xff1a;整数/浮点数值 整数 十进制 e.g.: var intNum 50; 八进制 (严格模式下无效,解析错误)字面值首位必须是0,之后的数字序列为0&#xff5e;7 e.g.: var intNum 070; //解析为十进制56 (如果字面值数值超出了范围&#xff0c;前导0将被忽略&#xf…

[转]深入理解linux内核list_head

http://blog.chinaunix.net/uid-27122224-id-3277511.html 深入理解linux内核list_head的实现 2012-07-17 17:37:01 分类&#xff1a; LINUX 前言&#xff1a;在linux源代码中有个头文件为list.h。很多linux下的源代码都会使用这个头文件&#xff0c;它里面定义 了一个结构,以及…

xcode左侧不显示工程文件目录,提示NO Filter Results

解决办法&#xff1a; What solved was to go to Navigate > Reveal in Project Navigator . After this, the structure appeared again.

【VC++技术杂谈005】如何与程控仪器通过GPIB接口进行通信

在工控测试系统中&#xff0c;经常需要使用到各类程控仪器&#xff0c;这些程控仪器通常具有GPIB、LAN、USB等硬件接口&#xff0c;计算机通过这些接口能够与其通信&#xff0c;从而实现自动测量、数据采集、数据分析和数据处理等操作。本文主要介绍如何与程控仪器通过GPIB接口…

标题在上边框中的html(fieldset标签)

<fieldset> <legend>标题</legend> 内容 </fieldset> 转载于:https://www.cnblogs.com/lswbk/p/4952820.html

移除项目中的CocoaPods

在项目中移除CocoaPods cocoaPods虽然很方便&#xff0c;但是我是真心的不喜欢用它&#xff0c;总是出错如果你觉得CocoaPods让你的项目出现了问题&#xff0c;不好用甚至是恶心&#xff0c;想将其从项目中彻底移除&#xff0c;也有方法&#xff1a; 1.删除工程文件夹下的Podf…

ShellExecute使用详解

有三个API函数可以运行可执行文件WinExec、ShellExecute和CreateProcess。 1.CreateProcess因为使用复杂&#xff0c;比较少用。 2.WinExec主要运行EXE文件。如&#xff1a;WinExec(Notepad.exe Readme.txt, SW_SHOW); 3.ShellExecute不仅可以运行EXE文件&#xff0c;也可以运行…

javascript笔记整理(对象基础)

一、名词解释 1.基于对象&#xff08;一切皆对象&#xff0c;以对象的概念来编程&#xff09; 2.面向对象编程(Object Oriented Programming&#xff0c;OOP) A.对象(JavaScript 中的所有事物都是对象) B.对象的属性和行为 属性:用数据值来描述他的状态 行为:用来改变对象行为的…

java的安装和配置

JRE (JAVA Runtime Enviroment java运行环境),包括JVM(java虚拟机)和java程序所需的核心功能类库&#xff0c;如果只是运行java程序&#xff0c;只需安装JRE。 JDK &#xff08;Java Development Kit 开发工具包&#xff09;包括开发JAVA程序时所需的工具&#xff0c;包括JRE…

#if, #ifdef, #ifndef, #else, #elif, #endif的用法

#ifdef的用法 灵活使用#ifdef指示符&#xff0c;我们可以区隔一些与特定头文件、程序库和其他文件版本有关的代码。 代码举例&#xff1a;新建define.cpp文件 &#xff03;include "iostream.h" int main() { #ifdef DEBUG cout<< "Beginning ex…

redhat 6.6 安装 (LVM)

http://www.cnblogs.com/kerrycode/p/4341960.html转载于:https://www.cnblogs.com/zengkefu/p/4954955.html

MFC对话框最小化到托盘

1、在资源中的Icon中导入一个自己喜欢的图标&#xff0c;ID命名为IDR_MAINFRAME&#xff0c;将先前的IDR_MAINFRAME的图标删除掉&#xff1b; 2、在自己的Dialog头文件中定义一个变量 NOTIFYICONDATA m_nid&#xff0c;关于该结构体的具体信息可以查阅MSDN&#xff1b; 3、添加…

Android acache读后感

今天了解到了一个android轻量级的开源缓存框架,(github&#xff1a;https://github.com/yangfuhai/ASimpleCache),花了一点时间研究了一下源代码&#xff0c;大概的思路就是每个缓存目录对应一个Acache类&#xff0c;通过mInstanceMap关联&#xff08;个人觉得这个主要是减少对…

continue break

块作用域 一个块或复合语句是用一对花括号&#xff08;"{}"&#xff09;括起来的任意数量的简单的java语句。块定义了变量的作用范围。 1、嵌套块是方法内的嵌套&#xff0c;不包括类的花括号。在嵌套块内的 变量是不可以重复定义的。 2、不允许重复定义的是局部变…

GetVersionEx 获取系统版本信息

转自&#xff1a;http://blog.csdn.net/yyingwei/article/details/8286658 最近在windows 8上获取系统版本信息需要调用系统API&#xff0c;于是用到了GetVersionEx。 首先看一看函数原型&#xff1a; [cpp] view plaincopy BOOL GetVersionEx(POSVERSIONINFO pVersionInformat…

popoverController(iPad)

一、设置尺寸 提示&#xff1a;不建议&#xff0c;像下面这样吧popover的宽度和高度写死。 1 //1.新建一个内容控制器2 YYMenuViewController *menuVc[[YYMenuViewController alloc]init];3 4 //2.新建一个popoverController&#xff0c;并设置其内容控制器5 s…

静态成员变量和非静态成员变量的对比

静态成员变量和非静态成员变量的对比 1、存储的数据 静态成员变量存储的是所有对象共享的数据 非静态成员变量存储的是每个对象特有的数据 2、存储位置 静态成员变量是随着类的加载在方法区的静态区开辟内存了 非静态成员变量是随着对象的创建再堆中开辟内存 3、调用方式 静态成…