iOS 开发lame进行音频格式转换——wav格式转MP3

需求

项目里有录音机相关的代码,最近产品发现我们的录音文件生成默认是wav格式的,想加一个wav转mp3的功能,百度了一下,可以用lame的第三方框架实现。

一开始选择的pod导入lame库,后来发现不支持pod库不支持armv7架构,那么只能自己编译,编译过程在iOS 编译 lame 库,步骤及遇到的问题 总结讲的很详细,多谢前辈大神总结分享,这里不在赘述。编译之后会有几个架构分着的.a文件和.h文件,也有综合起来的.a文件和.h文件,看自己的需要放到工程里即可。

lame编译之后的文件

使用

把libmp3lame.a文件和lame.h放到工程里

#import  //把lame库导入到文件内
- (BOOL) convertMp3from:(NSString *)wavpath topath:(NSString *)mp3path
{
    NSString *filePath =wavpath ; //wav格式的文件路径
    
    NSString *mp3FilePath = mp3path; // 生成mp3的路径
    
    BOOL isSuccess = NO;
    if (filePath == nil  || mp3FilePath == nil){
        return isSuccess;
    }
    
    NSFileManager* fileManager=[NSFileManager defaultManager];
    if([fileManager removeItemAtPath:mp3path error:nil])
    {
        NSLog(@"删除");
    }
    
    @try {
        int read, write;
        
        FILE *pcm = fopen([filePath cStringUsingEncoding:1], "rb");  //source 被转换的音频文件位置
        if (pcm) {
            fseek(pcm, 4*1024, SEEK_CUR);
            FILE *mp3 = fopen([mp3FilePath cStringUsingEncoding:1], "wb");  //output 输出生成的Mp3文件位置
            
            const int PCM_SIZE = 8192;
            const int MP3_SIZE = 8192;
            short int pcm_buffer[PCM_SIZE*2];
            unsigned char mp3_buffer[MP3_SIZE];
            
            lame_t lame = lame_init();
            lame_set_in_samplerate(lame, 16000.0);
            lame_set_num_channels(lame, 1);//通道 默认是2
            lame_set_quality(lame, 1);//质量
            lame_set_VBR(lame, vbr_default);
            lame_set_brate(lame, 16);
            lame_set_mode(lame, 3);
            lame_init_params(lame);
//            lame_set_VBR_mean_bitrate_kbps(lame, 256);
            do {
                read = (int)fread(pcm_buffer, sizeof(short int), PCM_SIZE, pcm);
                if (read == 0)
                    write = lame_encode_flush(lame, mp3_buffer, MP3_SIZE);
                else {
                    write = lame_encode_buffer(lame, pcm_buffer, NULL, read, mp3_buffer, MP3_SIZE);//声道=1,这里和上边 lame_set_num_channels(lame, 1)对应,如果是双声道,用下边注掉的那行代码

//                    write = lame_encode_buffer_interleaved(lame, pcm_buffer, read, mp3_buffer, MP3_SIZE); 声道=2

                }
                
                fwrite(mp3_buffer, write, 1, mp3);
                
            } while (read != 0);
            
            lame_close(lame);
            fclose(mp3);
            fclose(pcm);
            isSuccess = YES;
        }
        //skip file header
    }
    @catch (NSException *exception) {
        NSLog(@"error");
    }
    @finally {
        if ([[NSFileManager defaultManager] fileExistsAtPath:filePath]) {
            [[NSFileManager defaultManager] removeItemAtPath:filePath error:nil];
        }
        return isSuccess;
    }
    
}

需要一定注意的事,音频的声道,lame_set_num_channels(lame, 1) 要与下边的write = lame_encode_buffer...相对应。

你可能感兴趣的:(iOS 开发lame进行音频格式转换——wav格式转MP3)