扩展tinyplay使其自适应不同声道数量的媒体

android原来的tinyplay代码,如果遇到播放媒体的 声道数量与打开pcm的声道数量不匹配的情况,会没法继续播放。

本例扩展了tinyplay的代码,将不同声道的音频数据展开/压缩到pcm设备支持的数据,再写入pcm设备。

 

bplay.c

#include <tinyalsa/asoundlib.h>#include <stdio.h>
#include <stdlib.h>
#include <stdint.h>
#include <string.h>
#include <signal.h>
#include <endian.h>
#include <unistd.h>
#include <pthread.h>#define ID_RIFF 0x46464952
#define ID_WAVE 0x45564157
#define ID_FMT  0x20746d66
#define ID_DATA 0x61746164typedef enum {false = 0, true = 1} bool;struct riff_wave_header {uint32_t riff_id;uint32_t riff_sz;uint32_t wave_id;
};struct chunk_header {uint32_t id;uint32_t sz;
};struct chunk_fmt {uint16_t audio_format;uint16_t num_channels;uint32_t sample_rate;uint32_t byte_rate;uint16_t block_align;uint16_t bits_per_sample;
};#undef TAG
#define TAG "BPLAY"
#if 0      // def 0__ANDROID__
#include <android/log.h>
#define LOGI(...) __android_log_print(ANDROID_LOG_INFO, TAG, __VA_ARGS__)
#define LOGD(...) __android_log_print(ANDROID_LOG_DEBUG, TAG, __VA_ARGS__)
#define LOGW(...) __android_log_print(ANDROID_LOG_WARN, TAG, __VA_ARGS__)
#define LOGE(...) __android_log_print(ANDROID_LOG_ERROR, TAG, __VA_ARGS__)
#else
#define LOGI(str, ...) do{printf("BPLAY ");printf(str,##__VA_ARGS__);printf("\n");}while(0)
#define LOGD(str, ...) do{printf("BPLAY ");printf(str,##__VA_ARGS__);printf("\n");}while(0)
#define LOGW(str, ...) do{printf("BPLAY ");printf(str,##__VA_ARGS__);printf("\n");}while(0)
#define LOGE(str, ...) do{printf("BPLAY ");printf(str,##__VA_ARGS__);printf("\n");}while(0)
#endifstatic int isClosing = 0;void play_sample(FILE *file, unsigned int card, unsigned int device, unsigned int channels,unsigned int rate, unsigned int bits, unsigned int period_size,unsigned int period_count, uint32_t data_sz);void stream_close(int sig) {/* allow the stream to be closed gracefully */signal(sig, SIG_IGN);isClosing = 1;
}void* play_thread(void* arg) {FILE *file = NULL;struct chunk_header chunk_header;struct riff_wave_header riff_wave_header;struct chunk_fmt chunk_fmt;unsigned int device = 0;unsigned int card = 0;unsigned int period_size = 1024;unsigned int period_count = 4;const char *filename;int more_chunks = 1;char ** argv = (char **) arg;filename = argv[1];file = fopen(filename, "rb");if (!file) {LOGE("Unable to open file '%s'\n", filename);return (void*)(long)1;}fread(&riff_wave_header, sizeof(riff_wave_header), 1, file);if ((riff_wave_header.riff_id != ID_RIFF) ||(riff_wave_header.wave_id != ID_WAVE)) {LOGI("Error: '%s' is not a riff/wave file\n", filename);fclose(file);return (void*)(long)1;}do {fread(&chunk_header, sizeof(chunk_header), 1, file);switch (chunk_header.id) {case ID_FMT:fread(&chunk_fmt, sizeof(chunk_fmt), 1, file);/* If the format header is larger, skip the rest */if (chunk_header.sz > sizeof(chunk_fmt))fseek(file, chunk_header.sz - sizeof(chunk_fmt), SEEK_CUR);break;case ID_DATA:/* Stop looking for chunks */more_chunks = 0;chunk_header.sz = le32toh(chunk_header.sz);break;default:/* Unknown chunk, skip bytes */fseek(file, chunk_header.sz, SEEK_CUR);}} while (more_chunks);/* parse command line arguments */argv += 2;while (*argv) {if (strcmp(*argv, "-d") == 0) {argv++;if (*argv)device = atoi(*argv);}if (strcmp(*argv, "-p") == 0) {argv++;if (*argv)period_size = atoi(*argv);}if (strcmp(*argv, "-n") == 0) {argv++;if (*argv)period_count = atoi(*argv);}if (strcmp(*argv, "-D") == 0) {argv++;if (*argv)card = atoi(*argv);}if (*argv)argv++;}play_sample(file, card, device, chunk_fmt.num_channels, chunk_fmt.sample_rate,chunk_fmt.bits_per_sample, period_size, period_count, chunk_header.sz);fclose(file);return (void*)(long)0;
}int main(int argc, char* argv[]) {pthread_t tid;void* status;if (argc < 2) {LOGI("Usage: %s file.wav [-D card] [-d device] [-p period_size]"" [-n n_periods] \n", argv[0]);return 1;}if (pthread_create(&tid, NULL, play_thread, (void*)argv)) {return 1;}pthread_join(tid, &status);return 0;
}int check_param(struct pcm_params *params, unsigned int param, unsigned int value,char *param_name, char *param_unit) {unsigned int min;unsigned int max;int is_within_bounds = 1;min = pcm_params_get_min(params, param);if (value < min) {//LOGW("%s is %u%s, device supports >= %u%s\n", param_name, value, param_unit, min, param_unit);//is_within_bounds = 0;}max = pcm_params_get_max(params, param);if (value > max) {LOGE("%s is %u%s, device only supports <= %u%s\n", param_name, value,param_unit, max, param_unit);is_within_bounds = 0;}return is_within_bounds;
}int sample_is_playable(unsigned int card, unsigned int device, unsigned int channels,unsigned int rate, unsigned int bits, unsigned int period_size,unsigned int period_count) {struct pcm_params *params;int can_play;params = pcm_params_get(card, device, PCM_OUT);if (params == NULL) {LOGE("Unable to open PCM device %u.\n", device);return 0;}can_play = check_param(params, PCM_PARAM_RATE, rate, "Sample rate", "Hz");can_play &= check_param(params, PCM_PARAM_CHANNELS, channels, "Sample", " channels");can_play &= check_param(params, PCM_PARAM_SAMPLE_BITS, bits, "Bitrate", " bits");can_play &= check_param(params, PCM_PARAM_PERIOD_SIZE, period_size, "Period size", " frames");can_play &= check_param(params, PCM_PARAM_PERIODS, period_count, "Period count", " periods");pcm_params_free(params);return can_play;
}static int merge_data_to_channel(char* out_buffer, const char* in_buffer, int src_size,int src_channels, int dest_channels, int bit_width) {int i = 0;int copy_channels = src_channels;if (src_channels > dest_channels) copy_channels = dest_channels;int loop_count = src_size / bit_width / src_channels;for(; i < loop_count; i ++) {memcpy(out_buffer + i * dest_channels * bit_width,in_buffer + i * bit_width * src_channels,bit_width * copy_channels);}return src_size * dest_channels / src_channels;
}void play_sample(FILE *file, unsigned int card, unsigned int device, const unsigned int channels,unsigned int rate, unsigned int bits, unsigned int period_size,unsigned int period_count, uint32_t data_sz) {struct pcm_config config;struct pcm *pcm = NULL;char *write_buffer = NULL;char *read_buffer = NULL;unsigned int buffer_size = 0, read_sz;int num_read;uint32_t frame_count = 0; //bose adduint32_t loop_times = 0;uint32_t byte_rate = 1;uint32_t total_seconds = 0;uint32_t current_seconds = 0;uint32_t min_channel = 0;struct pcm_params *params;int bit_width = 1;bit_width = bits / 8;memset(&config, 0, sizeof(config));params = pcm_params_get(card, device, PCM_OUT);min_channel = pcm_params_get_min(params, PCM_PARAM_CHANNELS);if (channels < min_channel) {LOGW("convert config.channels to %d instead of %d", min_channel, channels);config.channels = min_channel;} else {config.channels = channels;}config.rate = rate;config.period_size = period_size;config.period_count = period_count;if (bits == 32)config.format = PCM_FORMAT_S32_LE;else if (bits == 24)config.format = PCM_FORMAT_S24_3LE;else if (bits == 16)config.format = PCM_FORMAT_S16_LE;config.start_threshold = 0;config.stop_threshold = 0;config.silence_threshold = 0;do {if (!sample_is_playable(card, device, channels, rate, bits, period_size, period_count)) {LOGE("sample is not playable");break;}pcm = pcm_open(card, device, PCM_OUT, &config);if (!pcm || !pcm_is_ready(pcm)) {LOGE("Unable to open PCM device %u (%s)\n",device, pcm_get_error(pcm));break;}buffer_size = pcm_frames_to_bytes(pcm, pcm_get_buffer_size(pcm));write_buffer = (char*)malloc(buffer_size);memset(write_buffer, 0, buffer_size);read_buffer = (char*)malloc(buffer_size);if (!write_buffer || !read_buffer) {LOGE("Unable to allocate %d bytes\n", buffer_size * 2);free(write_buffer);free(read_buffer);pcm_close(pcm);break;}} while(0);byte_rate = (uint32_t) ((channels * rate * bits) / 8);total_seconds = (uint32_t)(data_sz / byte_rate);LOGD(">>> %u ch, %u hz, %u bit byte_rate=%u. Total %u bytes, %u seconds.",channels, rate, bits, byte_rate, data_sz, total_seconds);LOGD(">>> pcm_get_buffer_size(): %d, write_size: %d, read size:%d",pcm_get_buffer_size(pcm), buffer_size, buffer_size * channels / min_channel);/* catch ctrl-c to shutdown cleanly */signal(SIGINT, stream_close);do {float t = total_seconds - data_sz / byte_rate;if ((t - current_seconds) >= 1.000f) {current_seconds = (uint32_t)t;printf("\rPlayed %d seconds, [%d]bytes remain.", current_seconds, data_sz);fflush(stdout);}memset(read_buffer, 0, buffer_size);memset(write_buffer, 0, buffer_size);read_sz = buffer_size * channels / min_channel < data_sz ? buffer_size * channels / min_channel : data_sz;num_read = fread(read_buffer, 1, read_sz, file);if (num_read > 0) {merge_data_to_channel(write_buffer, read_buffer, read_sz, channels, config.channels, bit_width);if (pcm_write(pcm, write_buffer, buffer_size)) {LOGE("Error playing sample, remain bytes=%d, loop=%d", data_sz, loop_times);// receiving signal may interrupt some system call.}frame_count++;data_sz -= num_read;}} while (!isClosing && num_read > 0 && data_sz > 0);printf("\nEnd playing.\n");fflush(stdout);free(write_buffer);free(read_buffer);if(NULL != pcm)pcm_close(pcm);
}

A reference Android.mk

LOCAL_PATH := $(call my-dir)################################### /system/bin/bplay ########################################
include $(CLEAR_VARS)
LOCAL_MODULE := bplay
LOCAL_CFLAGS := -Werror -g -o0
LOCAL_LDFLAGS += -Wl
LOCAL_CPPFLAGS := -Werror -Wfloat-equal -Wformat=2LOCAL_MODULE_TAGS := optional
LOCAL_SRC_FILES += bplay.c
LOCAL_C_INCLUDES := $(LOCAL_PATH)LOCAL_SHARED_LIBRARIES :=liblog libutils libcutils \libtinyalsaLOCAL_STATIC_LIBRARIES +=include $(BUILD_EXECUTABLE)

 

 

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

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

相关文章

光控资本:锂电排产上行 AI手机有望快速渗透

AI手机有望快速渗透 据赛迪参谋猜想&#xff0c;2024年AI手机的出货量估量将会抵达1.5亿部&#xff0c;占全球智能手机总出货量13%&#xff0c;到2027年&#xff0c;全球AI手机销售量有望跨过5.9亿部&#xff0c;占全球智能手机总出货量的比重跨过50%。 跟着硬件根底夯实、端侧…

el-table 动态计算合并行

原始表格及代码 <el-table:data"tableData"class"myTable"header-row-class-name"tableHead" ><el-table-column prop"date" label"日期"> </el-table-column><el-table-column prop"name" …

druid.properties图标是齿轮

一、问题 在IDEA中&#xff0c; druid.properties图标是齿轮 二、原因 2023版本开始&#xff0c;IDEA新的UI的问题 三、解决方法 1、点击右上角的齿轮图标 2、点击Settings 3、Appearance & Behavior---->New UI---->取消勾选“Enable new UI”---->右下角OK 4…

龙海家园地面停车场探寻2

在南山前海上班2年多了&#xff0c;到现在最喜欢的小区还是龙海家园小区。龙海家园小区是深圳目前最大的公共保障性租赁住房小区,目前居住有约2.6万人。而小区的停车位是远远不够的。之前一直很好奇车子可以停哪里。 后面加班之余经常去小区吃饭和转转。发现龙海家园小区与对面…

群控系统服务端开发模式-应用开发-操作记录功能开发

一、开放路由 在根目录下route文件夹下修改app.php文件&#xff0c;代码如下&#xff1a; // 操作日志Route::get(token/get_list,permission.Token/getList);// 获取操作日志列表Route::post(token/get_all,permission.Token/getAll);// 获取操作日志所有数据Route::post(toke…

SQLite Update 语句

SQLite Update 语句 SQLite 的 UPDATE 语句用于更新数据库表中的现有记录。使用 UPDATE 语句&#xff0c;您可以修改一个或多个列的值。本教程将详细介绍如何使用 SQLite UPDATE 语句&#xff0c;包括语法、示例以及一些最佳实践。 语法 SQLite UPDATE 语句的基本语法如下&a…

SQL 单表查询练习题(一)

在 SQL 的学习过程中&#xff0c;单表查询是非常重要的基础部分&#xff0c;下面为大家分享一些单表查询的练习题以及对应的正确答案&#xff0c;希望能帮助大家更好地掌握相关知识。 一、题目及答案详情 1. 查询课程表中&#xff0c;没有前序课程的课程信息&#xff0c;查询…

评估一套呼叫中心大模型呼出机器人的投入回报比?

评估一套呼叫中心大模型呼出机器人的投入回报比&#xff1f; 原作者&#xff1a;开源呼叫中心FreeIPCC&#xff0c;其Github&#xff1a;https://github.com/lihaiya/freeipcc 评估一套呼叫中心大模型呼出机器人的投入回报比&#xff08;ROI&#xff09;&#xff0c;是一个涉…

探索 HTTP 请求头中的 “Host” 字段及其安全风险

探索 HTTP 请求头中的 “Host” 字段及其安全风险 大家好&#xff0c;今天我们来聊聊 HTTP 请求头中的“Host”字段&#xff0c;以及它的使用方法和安全风险。 什么是Host字段 在 HTTP 请求头中&#xff0c;“Host”字段是一个至关重要的部分。它告诉服务器&#xff0c;我们…

Type-C接口电热毯的创新之旅

在科技日新月异的今天&#xff0c;智能家居产品正逐步渗透到我们生活的每一个角落&#xff0c;从智能灯光到温控系统&#xff0c;无一不展现着科技带来的便捷与舒适。而在这个追求高效与智能化的浪潮中&#xff0c;一款结合了最新科技元素的电热毯——Type-C接口电热毯&#xf…

计算机网络知识点全梳理(一.TCP/IP网络模型)

目录 TCP/IP网络模型概述 应用层 什么是应用层 应用层功能 应用层协议 传输层 什么是传输层 传输层功能 传输层协议 网络层 什么是网络层 网络层功能 网络层协议 数据链路层 什么是数据链路层 数据链路层功能 物理层 物理层的概念和功能 TCP/IP网络模型概述…

C++ 整型数据范围

类型范围int (-2^31~2^31-1) (-2,147,483,648~2,147,483,647) 大概范围(2e9) unsigned int (0~2^32-1) (0~4,294,967,295) 大概范围(4e9) long long (-2^63~2^63-1) (-9,223,372,036,854,775,808,9,223,372,036,854,775,807) 大概范围(9e18) unsigned long long (0~2^64-1) (0~…

【MySQL 保姆级教学】用户管理和数据库权限(16)

数据库账户管理是指对数据库用户进行创建、修改和删除等操作&#xff0c;以控制用户对数据库的访问权限。通过账户管理&#xff0c;可以设置用户名、密码、主机地址等信息&#xff0c;确保数据库的安全性和可控性。例如&#xff0c;使用 CREATE USER 创建用户&#xff0c;ALTER…

.NET Core 各版本特点、差异及适用场景详解

随着 .NET Core 的不断发展&#xff0c;微软推出了一系列版本来满足不同场景下的开发需求。这些版本随着时间的推移逐渐演变为统一的 .NET 平台&#xff08;从 .NET 5 开始&#xff09;。本文将详细说明每个版本的特点、差异以及适用场景&#xff0c;帮助开发者更好地选择和使用…

【Unity】【VR开发】实现VR屏幕共享应用的几个重要插件和参考资料分享

【背景】 做了一个可以在局域网远程屏幕的VR应用&#xff0c;如果有相同兴趣的朋友也可以参考下我用的几个插件。 【使用或相关的关键插件】 piping server&#xff1a;这个是最基底的插件&#xff0c;基于它实现的信令通信。 https://github.com/nwtgck/piping-server/blob…

SpringSecurity使用教程

一、基本使用 Spring Security 是一个功能强大且高度可定制的身份验证和访问控制框架&#xff0c;专门设计用于保护基于 Spring 的应用程序。它不仅提供了全面的安全服务&#xff0c;还与 Spring 框架及其生态系统&#xff08;如 Spring Boot、Spring MVC 等&#xff09;紧密集…

docker 安装mysql 5.7 详细保姆级教程

1. 安装mysql(5.7) docker pull mysql:5.7 若是拉取不了&#xff0c;可以配置下 docker 源 2. 查看是否安装成功 docker images 下图就是成功了 3.创建mysql专用目录、数据挂载目录、配置文件目录 &#xff0c;演示目录在于/home/下 //命令逐条执行cd /home/ mkdir mysql …

活动预告 | Microsoft 365 在线技术公开课:让组织针对 Microsoft Copilot 做好准备

课程介绍 通过Microsoft Learn免费参加Microsoft 365在线技术公开课&#xff0c;建立您需要的技能&#xff0c;以创造新的机会并加速您对Microsoft云技术的理解。参加我们举办的“让组织针对 Microsoft Copilot for Microsoft 365 做好准备” 在线技术公开课活动&#xff0c;学…

fixture装饰器

普通代码案例&#xff1a; python本身执行 import pytestdef init_new():print("init_new...")return Truedef test_case(init_new):if init_new is True:print("如果init_new返回True&#xff0c;就执行用例test_case")if __name__ __main__:#用python本…

【韩顺平Java JDBC学习笔记】

Java JDBC 文章目录 jdbc概述基本介绍jdbc原理示意图 jdbc快速入门JDBC程序编写步骤获取数据库连接5种方式ResultSet[结果集]SQL注入Statement PreparedStatement预处理好处基本使用 JDBC APIJDBCUtils工具类使用工具类 事务基本介绍应用实例模拟经典的转帐业务 - 未使用事务模…