uni-app小程序实现录音功能,uniapp实现录音功能并上传java,uniapp简单实现录音功能

Posted 慕云枫

tags:

篇首语:本文由小常识网(cha138.com)小编为大家整理,主要介绍了uni-app小程序实现录音功能,uniapp实现录音功能并上传java,uniapp简单实现录音功能相关的知识,希望对你有一定的参考价值。

前言

【简单的录音例子,复制过去就可用】
使用了uni组件和uView组件;
uniapp小程序授权录音并录制后保存到java后端。

效果图

uniapp实现

直接复制过去粘贴到.vue文件即可测试;官方的回调有时候无效,所以有些地方注释了。

<template>
	<view class="container">
		<!-- 表单 -->
		<u-popup :show="showForm" mode="bottom" closeable="true" @close="closeForm" @open="openForm"
			:customStyle="'border-radius': '20px 20px 0px 0px'">
			<view style="padding: 50px 20px 40px 20px;height: 600rpx;overflow: auto;">
				<uni-section title="录音并上传" type="line" padding>
					<view style="margin-bottom: 100px;">
						<view style="margin-bottom: 20px;">
							<view>
								<text>剩余时间:tempCount</text><!-- 倒计时 -->
								<text style="margin-left: 10px;">已录时间:voiceCount</text><!-- 已录制 -->
							</view>
						</view>
						<u-button v-if="startState == 0" :text="btn_start_text" type="success" size="normal"
							@click="startRecord()"></u-button>
						<u-button v-if="startState == 1" :text="btn_pr_text" type="success" size="normal"
							@click="pauseResumeRecord()"></u-button>
						<u-button v-if="startState == 1" text="停止录音" type="warning" size="normal" @click="stopRecord()">
						</u-button>
					</view>
					<u-button text="提交" type="primary" size="normal" @click="submitFile()"></u-button>
				</uni-section>
			</view>
		</u-popup>
	</view>
</template>

<script>
	const recorderManager = uni.getRecorderManager(); // 录音实例对象

	export default 
		data() 
			return 
				btn_start_text: '开始录音', // 开始录制/重新录制按钮
				btn_pr_text: '暂停录音', // 暂停/继续按钮
				showForm: true, // 显示弹框表单
				voicePath: '', // 录音文件临时地址
				tempInter: null, // 计时器
				tempCount: '00:00', // 倒计时
				tempVoice: false, // 是否暂停或者结束
				startState: 0, // 0未开始录音 1开始录音
				voiceNum: 120, // 录制倒计时,2分钟
				voiceCount: '00:00', // 已录制时间
			
		,
		onLoad() 
			//this.creatRecorder();
		,
		methods: 
			/**
			 * 录音实例-初始化
			 */
			creatRecorder() 
				let self = this;
				self.countInter(self.voiceNum); // 2分钟
				self.tempVoice = true;
				self.startState = 1;
				self.voicePath = '';
				// 录音开始(有时候失效)
				recorderManager.onStart(function() 
					// console.log('开始录音');
					// self.countInter(120); // 2分钟
					// self.tempVoice = true;
					// self.startState = 1;
					// self.voicePath = '';
				);
				// 录音暂停(有时候失效)
				recorderManager.onPause(function() 
					// console.log('暂停录音');
					// self.tempVoice = false;
					// self.btn_pr_text = '继续录音';
				);
				// 录音继续(有时候失效)
				recorderManager.onResume(function() 
					// console.log('继续录音');
					// self.tempVoice = true;
					// self.btn_pr_text = '暂停录音';
				);
				// 录音停止
				recorderManager.onStop(function(res) 
					console.log('停止录音', res);
					self.voicePath = res.tempFilePath;
					self.tempVoice = false;
					self.btn_pr_text = '暂停录音';
					self.btn_start_text = '重新录制';
					self.startState = 0;
					clearInterval(self.tempInter);
				);
				// 录音错误
				recorderManager.onError(function(errMsg) 
					console.log('录音错误', errMsg);
				);
			,
			/**
			 * 开始录音
			 */
			startRecord() 
				let self = this;
				uni.authorize(
					scope: 'scope.record',
					success() 
						recorderManager.start(
							duration: 60000 * 2 // 2分钟
						);
						self.creatRecorder();
					,
					fail() 
						uni.showModal(
							content: '检测到您没打开录音功能权限,是否去设置打开?',
							confirmText: "确认",
							cancelText: '取消',
							success(res) 
								uni.openSetting(
									success(res) 
										console.log(res);
									,
									fail(res) 
										uni.showToast(
											title: '打开授权设置失败',
											icon: 'none'
										)
									
								);
							
						)
					
				)
			,
			/**
			 * 暂停/继续
			 */
			pauseResumeRecord() 
				let self = this;
				if (this.btn_pr_text == '暂停录音') 
					recorderManager.pause();
					console.log('暂停录音');
					self.tempVoice = false;
					self.btn_pr_text = '继续录音';
				 else 
					recorderManager.resume();
					console.log('继续录音');
					self.tempVoice = true;
					self.btn_pr_text = '暂停录音';
				
			,
			/**
			 * 停止录音
			 */
			stopRecord() 
				let self = this;
				recorderManager.stop();
				self.tempVoice = false;
				self.btn_pr_text = '暂停录音';
				self.btn_start_text = '重新录制';
				self.startState = 0;
				clearInterval(self.tempInter);
			,
			/**
			 * 录音倒计时
			 * @param Object val
			 */
			countInter(val) 
				let self = this;
				let count = Number(val);
				self.formatTime(count);
				self.tempInter = setInterval(() => 
					if (self.tempVoice && count > 0) 
						count--;
						self.tempCount = self.formatTime(count);
						self.voiceCount = self.formatTime(self.voiceNum - count);
					 else if (self.tempVoice) 
						clearInterval(self.tempInter);
					
				, 1000)
			,
			/**
			 * 格式化时间格式
			 * @param Object num
			 */
			formatTime(num) 
				num = num.toFixed(0);
				let second = num % 60;
				second = (second < 10) ? '0' + second : second;
				let min = Math.floor(num / 60);
				min = (min < 10) ? '0' + min : min;
				return min + ":" + second;
			,
			// 表单-打开(回调)
			openForm() ,
			// 表单-关闭(回调)
			closeForm() 
				this.showForm = false;
				clearInterval(this.tempInter);
				this.tempVoice = false;
			,
			// 表单-提交
			submitFile() 
				let self = this;
				if (!this.voicePath) 
					uni.showToast(
						title: '请录制后再提交',
						icon: 'none'
					)
					return;
				
				uni.showLoading(
					title: '提交中'
				);
				uni.uploadFile(
					url: this.jsAjax.api + '/upload/applet/voice', // 自己后台接收的接口
					filePath: this.voicePath,
					name: 'file',
					formData: ,
					success: (res) => 
						uni.hideLoading();
						uni.showToast(
							title: '上传成功',
							icon: 'none'
						)
						//self.showForm = false;
						// 重置清空数据
						self.voicePath = '';
						self.tempVoice = false;
						self.btn_pr_text = '暂停录音';
						self.btn_start_text = '开始录音';
						self.startState = 0;
						self.tempCount = self.formatTime(0);
						var obj = JSON.parse(res.data);
						console.log(obj);
					,
					fail: (err) => 
						uni.hideLoading();
						uni.showToast(
							title: '上传失败',
							icon: 'none'
						)
					
				);
			,
		,
	
</script>

<style>
	page 
		background-color: #fff !important;
	

	.container 
		padding: 10px 15px;
	

	button 
		margin-bottom: 10px;
	
</style>

小程序授权

在startRecord()方法中已经体现,如果检测到没有授权麦克风,就弹到设置中需要用户手动开启
参考官网:https://uniapp.dcloud.net.cn/api/other/setting.html#opensetting

java端接收

    /**
     * 临时文件存储(小程序)
     *
     * @param request
     * @return
     */
    @RequestMapping(value = "/applet/voice")
    @ResponseBody
    public Result voiceSave(@RequestParam("file") MultipartFile multipartFile, HttpServletRequest request) 
        try 
            // 是本地存储,或指定目录存储
            String path = (serverType == 1) ? nginxPATH : request.getServletContext().getRealPath("");
            String yName = multipartFile.getOriginalFilename();
            String hz = yName.substring(yName.lastIndexOf("."));//获取文件后缀
            String fileName = System.currentTimeMillis() + hz;
            String filepath = "upload/tem/"+ fileName;
            File file = new File(path + filepath);
            if (!file.exists()) 
                file.mkdirs();
            
            multipartFile.transferTo(file);
            return Result.success(filepath, "上传成功");
        catch (Exception e)
            return Result.error("文件上传异常");
        
    

存储文件


参考官网:https://uniapp.dcloud.net.cn/api/media/record-manager.html

音频播放https://blog.csdn.net/weixin_43992507/article/details/129861379

uni-app技术分享| uni-app转小程序-实时消息

微信小程序 实现实时消息与 uniapp 转码成微信小程序 实现实时消息两者是一样的,区别仅仅是一个是原生小程序一个是 uniapp 转码成小程序。
本文主要简单实现点对点消息与呼叫邀请等相关功能实现。
uniapp转码成小程序逻辑与小程序逻辑基本一致。

引入 RTM SDK

使用 web RTM-SDK 即可,小程序的实时消息与 WEB 的实时消息共用 SDK。

// 主叫邀请实例
localInvitation: null,
// 被叫收到的邀请实例
remoteInvitation: null,

### 回调封装
本文仅进行简单封装,如需更复杂逻辑请自行更改。
```javascript
// RTM 监听事件
const rtmEvent = 
    // 主叫:被叫已收到呼叫邀请
    localInvitationReceivedByPeer: () => 
        uni.hideToast();
        uni.showToast(
            title: 被叫已收到呼叫邀请,
            icon: none,
            duration: 2000,
            mask: true,
        );

    ,
    // 主叫:被叫已接受呼叫邀请
    localInvitationAccepted: async (response) => 
        console.log("主叫:被叫已接受呼叫邀请", response);
        uni.hideToast();
        uni.showToast(
            title: 被叫接受呼叫邀请,
            icon: none,
            duration: 2000,
            mask: true,
        );

    ,
    // 主叫:被叫拒绝了你的呼叫邀请
    localInvitationRefused: (response) => 
        console.log("主叫:被叫拒绝了你的呼叫邀请", response);
        uni.hideToast();
        uni.showToast(
            title: 被叫拒绝呼叫邀请,
            icon: none,
            duration: 2000,
            mask: true,
        );
    ,
    // 主叫:呼叫邀请进程失败
    localInvitationFailure: (response) => 
        console.log("主叫:呼叫邀请进程失败", response);
        uni.hideToast();
        uni.showToast(
            title: 呼叫邀请失败,
            icon: error,
            duration: 2000,
            mask: true,
        );
    ,
    // 主叫:呼叫邀请已被成功取消 (主动挂断)
    localInvitationCanceled: () => 
        console.log("主叫:呼叫邀请已被成功取消 (主动挂断)");
    ,

    // 被叫:监听收到来自主叫的呼叫邀请
    RemoteInvitationReceived: async (remoteInvitation) => 
        console.log("监听收到来自主叫的呼叫邀请", remoteInvitation);
        // 监听回调
        rtmInternal.inviteProcessing(remoteInvitation)
        // 显示模态弹窗
        uni.showModal(
            title: 提示,
            content: 收到来自主叫的呼叫邀请,
            cancelText: 拒绝,
            confirmText: 接听,
            success: function(res) 
                if (res.confirm) 
                    console.log(用户点击确定);
                    remoteInvitation.accept();
                 else if (res.cancel) 
                    console.log(用户点击取消);
                    remoteInvitation.refuse();
                
            
        );
    ,
    // 被叫:监听接受呼叫邀请
    RemoteInvitationAccepted: async () => 
        console.log("被叫 接受呼叫邀请");
        uni.hideToast();
        uni.showToast(
            title: 接受呼叫邀请,
            icon: success,
            duration: 2000,
            mask: true,
        );
    ,
    // 被叫:监听拒绝呼叫邀请
    RemoteInvitationRefused: () => 
        console.log("被叫 拒绝呼叫邀请");
        uni.hideToast();
        uni.showToast(
            title: 拒绝呼叫邀请,
            icon: success,
            duration: 2000,
            mask: true,
        );
    ,
    // 被叫:监听主叫取消呼叫邀请
    RemoteInvitationCanceled: () => 
        console.log("主叫 取消呼叫邀请");
        uni.hideToast();
        uni.showToast(
            title: 主叫取消呼叫,
            icon: success,
            duration: 2000,
            mask: true,
        );
    ,
    // 被叫:监听呼叫邀请进程失败
    RemoteInvitationFailure: () => 
        console.log("被叫 呼叫邀请进程失败");
        uni.hideToast();
        uni.showToast(
            title: 呼叫邀请失败,
            icon: error,
            duration: 2000,
            mask: true,
        );
    ,

    // 收到来自对端的点对点消息
    MessageFromPeer: (message, peerId) => 
        console.log("收到来自对端的点对点消息", message, peerId);
        uni.showToast(
            title: 收到 + peerId + 的点对点消息: + message.text,
            icon: none,
            duration: 1000 * 5
        )

    ,
    // 通知 SDK 与 RTM 系统的连接状态发生了改变
    ConnectionStateChanged: (newState, reason) => 
        console.log("系统的连接状态发生了改变", newState);

        switch (newState) 
            case "CONNECTED":
                uni.hideLoading();
                //  SDK 已登录 RTM 系统
                uni.showToast(
                    title: RTM 连接成功,
                    icon: success,
                    mask: true,
                )
                break;
            case "ABORTED":
                uni.showToast(
                    title: RTM 停止登录,
                    icon: error,
                    mask: true,
                );
                console.log("RTM 停止登录,重新登录");

                break;
            default:
                wx.showLoading(
                    title: RTM 连接中,
                    mask: true,
                )
                break;
        
    

登录 RTM 系统

// RTM 版本
console.log("RTM 版本", ArRTM.VERSION);

uni.showLoading(
    title: 登录中,
    mask: true
)

// 登录 RTM
await Store.rtmClient.login(
    token: "",
    uid: Config.userId
).then(() => 
    uni.hideLoading();
    uni.showToast(
        title: 登录成功,
        icon: success,
        duration: 2000
    )
    console.log("登录成功");

    // 监听收到来自主叫的呼叫邀请
    Store.rtmClient.on(
        "RemoteInvitationReceived",
        rtmEvent.RemoteInvitationReceived
    );
    // 监听收到来自对端的点对点消息
    Store.rtmClient.on("MessageFromPeer", rtmEvent.MessageFromPeer);
    // 通知 SDK 与 RTM 系统的连接状态发生了改变
    Store.rtmClient.on(
        "ConnectionStateChanged",
        rtmEvent.ConnectionStateChanged
    );

).catch((err) => 
    Store.userId = "";
    uni.hideLoading();
    uni.showToast(
        icon: error,
        title: RTM 登录失败,
        mask: true,
        duration: 2000
    );
    console.log("RTM 登录失败", err);
);

### 逻辑方法封装

```javascript
// RTM 内部逻辑
export const rtmInternal = 
...

查询呼叫用户是否在线

// 查询呼叫用户是否在线
    peerUserQuery: async (uid) => 
        const oUserStatus = await Store.rtmClient.queryPeersOnlineStatus([uid]);
        if (!oUserStatus[uid]) 
            uni.showToast(
                title: 用户不在线,
                icon: error,
                duration: 2000,
                mask: true,
            );
            return false;
        
        return true;
    ,

发起呼叫

// 主叫发起呼叫
    inviteSend: async (peerUserId) => 

        Store.localInvitation = await Store.rtmClient.createLocalInvitation(
            peerUserId
        )
        // 设置邀请内容
        // Store.localInvitation.content = JSON.stringify();

        // 事件监听
        // 监听被叫已收到呼叫邀请
        Store.localInvitation.on(
            "LocalInvitationReceivedByPeer",
            rtmEvent.localInvitationReceivedByPeer
        );
        // 监听被叫已接受呼叫邀请
        Store.localInvitation.on(
            "LocalInvitationAccepted",
            rtmEvent.localInvitationAccepted
        );
        // 监听被叫拒绝了你的呼叫邀请
        Store.localInvitation.on(
            "LocalInvitationRefused",
            rtmEvent.localInvitationRefused
        );
        // 监听呼叫邀请进程失败
        Store.localInvitation.on(
            "LocalInvitationFailure",
            rtmEvent.localInvitationFailure
        );
        // 监听呼叫邀请已被成功取消
        Store.localInvitation.on(
            "LocalInvitationCanceled",
            rtmEvent.localInvitationCanceled
        );

        // 发送邀请
        Store.localInvitation.send();
    ,

取消呼叫

发起者主动取消呼叫邀请

callCancel: () => 
        if (Store.localInvitation) 
            Store.localInvitation.cancel()
        
    ,

被叫邀请回调绑定

// 被叫收到呼叫邀请处理(给收到的邀请实例绑定事件)
    inviteProcessing: async (remoteInvitation) => 
        // 监听接受呼叫邀请
        remoteInvitation.on(
            "RemoteInvitationAccepted",
            rtmEvent.RemoteInvitationAccepted
        );
        // 监听拒绝呼叫邀请
        remoteInvitation.on(
            "RemoteInvitationRefused",
            rtmEvent.RemoteInvitationRefused
        );
        // 监听主叫取消呼叫邀请
        remoteInvitation.on(
            "RemoteInvitationCanceled",
            rtmEvent.RemoteInvitationCanceled
        );
        // 监听呼叫邀请进程失败
        remoteInvitation.on(
            "RemoteInvitationFailure",
            rtmEvent.RemoteInvitationFailure
        );
    ,

点对点消息发送

// 发送消息
    sendMessage: (uid, message) => 
        console.log("发送消息", uid, message);
        Store.rtmClient && Store.rtmClient.sendMessageToPeer(
            text: JSON.stringify(message)
        , uid).catch(err => 
            console.log("发送消息失败", err);
        );
    ,

简单页面

html

<view class="content">
        <view class="">
            <text>用户 ID:userId</text>
        </view>
        <view class="">
            <!-- 登录 RTM 系统 -->
            <button v-if="page === 0" type="primary" @click="loginRTM">登录 RTM 系统</button>
            <!--  -->
            <view v-else-if="page === 1" class="">
                <button type="primary" @click="page=2">呼叫邀请</button>
                <button type="primary" @click="page=3">发送消息</button>
            </view>
            <!-- 呼叫邀请 -->
            <view v-else-if="page === 2" class="">
                <!-- 远端用户 -->
                <input class="input_automatic" v-model="peerId" type="text" placeholder="请输入远端用户" />
                <button type="primary" @click="invitationCall">发起呼叫</button>
                <button type="primary" @click="invitationCallOff">取消呼叫</button>
            </view>
            <!-- 发送消息 -->
            <view v-else class="">
                <input type="text" class="input_automatic" v-model="peerId" placeholder="请输入远端用户" />
                <input type="text" class="input_automatic" v-model="sendText" placeholder="请输入消息" />
                <button type="primary" @click="sendMessage">发送</button>
            </view>
        </view>
    </view>

js

    import 
        generateNumber
     from "../../until/until.js"; // 生成随机数
    import 
        InItRtm,
        rtmInternal
     from "../../until/rtm.js"
    export default 
        data() 
            return 
                page: 0,
                // 本地用户
                userId: ,
                // 远端用户
                peerId: ,
                // 发送的信息
                sendText: 
            
        ,
        created() 
            // 用户 UID
            this.userId = generateNumber(4) + 
        ,
        methods: 
            /** 登录 RTM 系统 */
            async loginRTM() 
                const info = 
                    /** 
                     * 必填 anyRTC 为 App 开发者签发的 App ID。每个项目都应该有一个独一无二的 App ID。
                     * 如果你的开发包里没有 App ID,请从anyRTC官网(https://www.anyrtc.io)申请一个新的 App ID
                     */
                    AppID: ,
                    userId: this.userId
                
                await InItRtm(info);
                this.page = 1
            ,

            /** 呼叫邀请 */
            async invitationCall() 
                if (this.peerId === ) return uni.showToast(
                    title: 请输入远端用户,
                    icon: error,
                );
                if (this.peerId === this.userId) return uni.showToast(
                    title: 禁止远端用户与本地用户一致,
                    icon: none,
                );

                // 查询用户是否在线
                const state = await rtmInternal.peerUserQuery(this.peerId);
                if (state) 
                    rtmInternal.inviteSend(this.peerId)
                 else 
                    return uni.showToast(
                        title: 用户不在线,
                        icon: error,
                    );
                
            ,
            invitationCallOff() 
                rtmInternal.callCancel()
            ,

            /** 发送消息 */
            async sendMessage() 
                if (this.peerId === ) return uni.showToast(
                    title: 请输入远端用户,
                    icon: error,
                );
                if (this.peerId === this.userId) return uni.showToast(
                    title: 禁止远端用户与本地用户一致,
                    icon: none,
                );
                if (this.sendText === ) return uni.showToast(
                    title: 请输入发送信息,
                    icon: error,
                );
                // 查询用户是否在线
                const state = await rtmInternal.peerUserQuery(this.peerId);
                if (state) 
                    rtmInternal.sendMessage(this.peerId, this.sendText)
                 else 
                    return uni.showToast(
                        title: 用户不在线,
                        icon: error,
                    );
                
            
        
    

style

.input_automatic 
        border: 1px solid;
        height: 40px;
        border-radius: 4px;
        padding: 0 12px;

    

以上是关于uni-app小程序实现录音功能,uniapp实现录音功能并上传java,uniapp简单实现录音功能的主要内容,如果未能解决你的问题,请参考以下文章

uni-app技术分享| uni-app转小程序-实时消息

uni-app技术分享| uni-app转小程序-实时消息

uniapp微信小程序实现连接低功耗蓝牙打印功能

图形框架clunch如何实现跨端开发(uniapp+微信小程序)

uni-app技术分享| uni-app转小程序_实时音视频

使用mpvue和uni-app开发小程序分别有啥优点跟缺点