search
HomeWeb Front-endH5 TutorialHTML5 realizes the function of recording when the mobile phone is touched and leaving to stop recording and upload (code)

The content of this article is about the HTML5 function (code) of realizing recording when touching a mobile phone and leaving to stop recording and upload. It has certain reference value. Friends in need can refer to it. I hope it will be useful to you. helped.

The following are examples of functional implementation:
html

<!DOCTYPE html><html><head>
    <meta http-equiv="Content-Type" content="text/html; charset=utf-8" />
    <title></title>
    <script type="text/javascript" scr="record.js"></script></head><body>
    <p>
        <input id="microphone" type="button" />
    </p>
    <script>
    <script  type="text/javascript">        
    var microDome=document.getElementById(&#39;microphone&#39;);        
    var recorder;        
    var btnElem=document.getElementById("microphone");//获取ID
        function initEvent() {
            btnElem.addEventListener("touchstart", function(event) {
                //event.preventDefault();//阻止浏览器默认行为
                HZRecorder.get(function (rec) {
                    recorder = rec;
                    recorder.start();
                });
                      });
            btnElem.addEventListener("touchend", function(event) {
                //event.preventDefault();
                HZRecorder.get(function (rec) {
                    recorder = rec;
                    recorder.stop();
                })
                recorder.upload("/upload", function (state, e) {
                    switch (state) {                        
                    case &#39;uploading&#39;:                            
                    //var percentComplete = Math.round(e.loaded * 100 / e.total) + &#39;%&#39;;
                            break;                        
                            case &#39;ok&#39;:                            
                            //alert(e.target.responseText);
                            alert("上传成功");                            
                            break;                        
                            case &#39;error&#39;:
                            alert("上传失败");                            
                            break;                        
                            case &#39;cancel&#39;:
                            alert("上传被取消");                            
                            break;
                    }
                });
                            });
        };
        initEvent();    
        <script/>

The following is js:

//兼容
window.URL = window.URL || window.webkitURL;
//获取计算机的设备:摄像头或者录音设备
navigator.getUserMedia = navigator.getUserMedia || navigator.webkitGetUserMedia || navigator.mozGetUserMedia || navigator.msGetUserMedia;var HZRecorder = function (stream, config) {
    config = config || {};
    config.sampleBits = config.sampleBits || 8;      //采样数位 8, 16
    config.sampleRate = config.sampleRate || (44100 / 6);   //采样率(1/6 44100)

    //创建一个音频环境对象
    var audioContext = window.AudioContext || window.webkitAudioContext;    
    var context = new audioContext();    
    var audioInput = context.createMediaStreamSource(stream);    
    // 第二个和第三个参数指的是输入和输出都是单声道,2是双声道。
    var recorder = context.createScriptProcessor(4096, 1, 1);    
    var audioData = {
        size: 0          //录音文件长度
        , buffer: []     //录音缓存
        , inputSampleRate: context.sampleRate    //输入采样率
        , inputSampleBits: 16       //输入采样数位 8, 16
        , outputSampleRate: config.sampleRate    //输出采样率
        , outputSampleBits: config.sampleBits       //输出采样数位 8, 16
        , input: function (data) {
            this.buffer.push(new Float32Array(data));            
            this.size += data.length;
        }
        , compress: function () { //合并压缩
            //合并
            var data = new Float32Array(this.size);            
            var offset = 0;            
            for (var i = 0; i < this.buffer.length; i++) {
                data.set(this.buffer[i], offset);
                offset += this.buffer[i].length;
            }            
            //压缩
            var compression = parseInt(this.inputSampleRate / this.outputSampleRate);            
            var length = data.length / compression;            
            var result = new Float32Array(length);            
            var index = 0, j = 0;            
            while (index < length) {
                result[index] = data[j];
                j += compression;
                index++;
            }            
            return result;
        }
        , encodeWAV: function () {
            var sampleRate = Math.min(this.inputSampleRate, this.outputSampleRate);            
            、var sampleBits = Math.min(this.inputSampleBits, this.outputSampleBits);            
            var bytes = this.compress();            
            var dataLength = bytes.length * (sampleBits / 8);            
            var buffer = new ArrayBuffer(44 + dataLength);            
            var data = new DataView(buffer);            
            var channelCount = 1;//单声道
            var offset = 0;            
            var writeString = function (str) {
                for (var i = 0; i < str.length; i++) {
                    data.setUint8(offset + i, str.charCodeAt(i));
                }
            }            
            // 资源交换文件标识符
            writeString(&#39;RIFF&#39;); offset += 4;            
            // 下个地址开始到文件尾总字节数,即文件大小-8
            data.setUint32(offset, 36 + dataLength, true); offset += 4;            
            // WAV文件标志
            writeString(&#39;WAVE&#39;); offset += 4;            
            // 波形格式标志
            writeString(&#39;fmt &#39;); offset += 4;            
            // 过滤字节,一般为 0x10 = 16
            data.setUint32(offset, 16, true); offset += 4;            
            // 格式类别 (PCM形式采样数据)
            data.setUint16(offset, 1, true); offset += 2;            
            // 通道数
            data.setUint16(offset, channelCount, true); offset += 2;            
            // 采样率,每秒样本数,表示每个通道的播放速度
            data.setUint32(offset, sampleRate, true); offset += 4;            
            // 波形数据传输率 (每秒平均字节数) 单声道×每秒数据位数×每样本数据位/8
            data.setUint32(offset, channelCount * sampleRate * (sampleBits / 8), true); offset += 4;            
            // 快数据调整数 采样一次占用字节数 单声道×每样本的数据位数/8
            data.setUint16(offset, channelCount * (sampleBits / 8), true); offset += 2;            
            // 每样本数据位数
            data.setUint16(offset, sampleBits, true); offset += 2;            
            // 数据标识符
            writeString(&#39;data&#39;); offset += 4;            
            // 采样数据总数,即数据总大小-44
            data.setUint32(offset, dataLength, true); offset += 4;            
            // 写入采样数据
            if (sampleBits === 8) {                
            for (var i = 0; i < bytes.length; i++, offset++) {                    
            var s = Math.max(-1, Math.min(1, bytes[i]));                    
            var val = s < 0 ? s * 0x8000 : s * 0x7FFF;
                    val = parseInt(255 / (65535 / (val + 32768)));
                    data.setInt8(offset, val, true);
                }
            } else {                
            for (var i = 0; i < bytes.length; i++, offset += 2) {                    
            var s = Math.max(-1, Math.min(1, bytes[i]));
                    
                    data.setInt16(offset, s < 0 ? s * 0x8000 : s * 0x7FFF, true);
                }
            }            return new Blob([data], { type: &#39;audio/mp3&#39; });
        }
    };    
    //开始录音
    this.start = function () {
        audioInput.connect(recorder);
        recorder.connect(context.destination);
    }    
    //停止
    this.stop = function () {
        recorder.disconnect();
    }    
    //获取音频文件
    this.getBlob = function () {
        this.stop();        
        return audioData.encodeWAV();
    }    
    //上传
    this.upload = function (url, callback) {
        var fd = new FormData();
        fd.append("audioData", this.getBlob());        
        var xhr = new XMLHttpRequest();        
        if (callback) {
            xhr.upload.addEventListener("progress", function (e) {
                callback(&#39;uploading&#39;, e);
            }, false);
            xhr.addEventListener("load", function (e) {
                callback(&#39;ok&#39;, e);
            }, false);
            xhr.addEventListener("error", function (e) {
                callback(&#39;error&#39;, e);
            }, false);
            xhr.addEventListener("abort", function (e) {
                callback(&#39;cancel&#39;, e);
            }, false);
        }
        xhr.open("POST", url);
        xhr.send(fd);
    }    //音频采集
    recorder.onaudioprocess = function (e) {
        audioData.input(e.inputBuffer.getChannelData(0));        
        //record(e.inputBuffer.getChannelData(0));
    }

};//抛出异常// HZRecorder.throwError = function (message) {
//     alert(message);
//     throw new function () { this.toString = function () { return message; } }
// }
//是否支持录音HZRecorder.canRecording = (navigator.getUserMedia != null);
//获取录音机
HZRecorder.get = function (callback, config) {
    if (callback) {        
    if (navigator.getUserMedia) {
            navigator.getUserMedia(
                { audio: true } //只启用音频
                , function (stream) {
                    var rec = new HZRecorder(stream, config);
                    callback(rec);
                }
                , function (error) {
                    switch (error.code || error.name) {                        
                    case &#39;PERMISSION_DENIED&#39;:                        
                    case &#39;PermissionDeniedError&#39;:
                            HZRecorder.throwError(&#39;用户拒绝提供信息。&#39;);                            
                            break;                        
                            case &#39;NOT_SUPPORTED_ERROR&#39;:                        
                            case &#39;NotSupportedError&#39;:
                            HZRecorder.throwError(&#39;浏览器不支持硬件设备。&#39;);                            
                            break;                        
                            case &#39;MANDATORY_UNSATISFIED_ERROR&#39;:                        
                            case &#39;MandatoryUnsatisfiedError&#39;:
                            HZRecorder.throwError(&#39;无法发现指定的硬件设备。&#39;);                            
                            break;                        default:
                            HZRecorder.throwError(&#39;无法打开麦克风。异常信息:&#39; + (error.code || error.name));                            
                            break;
                    }
                });
        } else {
            HZRecorder.throwErr(&#39;当前浏览器不支持录音功能。&#39;); 
            return;
        }
    }
};

These are all figured out by myself after integrating through the explanations of the masters. Yes, if you have any questions, please comment and we will solve it together, thank you! ! !

Related recommendations:

How to use the html5 audio tag? HTML5 autoplay implementation code example

#How does the html5 mobile page adapt to the screen? Four ways to adapt html5 pages to mobile phone screens

The above is the detailed content of HTML5 realizes the function of recording when the mobile phone is touched and leaving to stop recording and upload (code). For more information, please follow other related articles on the PHP Chinese website!

Statement
The content of this article is voluntarily contributed by netizens, and the copyright belongs to the original author. This site does not assume corresponding legal responsibility. If you find any content suspected of plagiarism or infringement, please contact admin@php.cn
Mastering Microdata: A Step-by-Step Guide for HTML5Mastering Microdata: A Step-by-Step Guide for HTML5May 14, 2025 am 12:07 AM

MicrodatainHTML5enhancesSEOanduserexperiencebyprovidingstructureddatatosearchengines.1)Useitemscope,itemtype,anditempropattributestomarkupcontentlikeproductsorevents.2)TestmicrodatawithtoolslikeGoogle'sStructuredDataTestingTool.3)ConsiderusingJSON-LD

What's New in HTML5 Forms? Exploring the New Input TypesWhat's New in HTML5 Forms? Exploring the New Input TypesMay 13, 2025 pm 03:45 PM

HTML5introducesnewinputtypesthatenhanceuserexperience,simplifydevelopment,andimproveaccessibility.1)automaticallyvalidatesemailformat.2)optimizesformobilewithanumerickeypad.3)andsimplifydateandtimeinputs,reducingtheneedforcustomsolutions.

Understanding H5: The Meaning and SignificanceUnderstanding H5: The Meaning and SignificanceMay 11, 2025 am 12:19 AM

H5 is HTML5, the fifth version of HTML. HTML5 improves the expressiveness and interactivity of web pages, introduces new features such as semantic tags, multimedia support, offline storage and Canvas drawing, and promotes the development of Web technology.

H5: Accessibility and Web Standards ComplianceH5: Accessibility and Web Standards ComplianceMay 10, 2025 am 12:21 AM

Accessibility and compliance with network standards are essential to the website. 1) Accessibility ensures that all users have equal access to the website, 2) Network standards follow to improve accessibility and consistency of the website, 3) Accessibility requires the use of semantic HTML, keyboard navigation, color contrast and alternative text, 4) Following these principles is not only a moral and legal requirement, but also amplifying user base.

What is the H5 tag in HTML?What is the H5 tag in HTML?May 09, 2025 am 12:11 AM

The H5 tag in HTML is a fifth-level title that is used to tag smaller titles or sub-titles. 1) The H5 tag helps refine content hierarchy and improve readability and SEO. 2) Combined with CSS, you can customize the style to enhance the visual effect. 3) Use H5 tags reasonably to avoid abuse and ensure the logical content structure.

H5 Code: A Beginner's Guide to Web StructureH5 Code: A Beginner's Guide to Web StructureMay 08, 2025 am 12:15 AM

The methods of building a website in HTML5 include: 1. Use semantic tags to define the web page structure, such as, , etc.; 2. Embed multimedia content, use and tags; 3. Apply advanced functions such as form verification and local storage. Through these steps, you can create a modern web page with clear structure and rich features.

H5 Code Structure: Organizing Content for ReadabilityH5 Code Structure: Organizing Content for ReadabilityMay 07, 2025 am 12:06 AM

A reasonable H5 code structure allows the page to stand out among a lot of content. 1) Use semantic labels such as, etc. to organize content to make the structure clear. 2) Control the rendering effect of pages on different devices through CSS layout such as Flexbox or Grid. 3) Implement responsive design to ensure that the page adapts to different screen sizes.

H5 vs. Older HTML Versions: A ComparisonH5 vs. Older HTML Versions: A ComparisonMay 06, 2025 am 12:09 AM

The main differences between HTML5 (H5) and older versions of HTML include: 1) H5 introduces semantic tags, 2) supports multimedia content, and 3) provides offline storage functions. H5 enhances the functionality and expressiveness of web pages through new tags and APIs, such as and tags, improving user experience and SEO effects, but need to pay attention to compatibility issues.

See all articles

Hot AI Tools

Undresser.AI Undress

Undresser.AI Undress

AI-powered app for creating realistic nude photos

AI Clothes Remover

AI Clothes Remover

Online AI tool for removing clothes from photos.

Undress AI Tool

Undress AI Tool

Undress images for free

Clothoff.io

Clothoff.io

AI clothes remover

Video Face Swap

Video Face Swap

Swap faces in any video effortlessly with our completely free AI face swap tool!

Hot Article

Hot Tools

VSCode Windows 64-bit Download

VSCode Windows 64-bit Download

A free and powerful IDE editor launched by Microsoft

Notepad++7.3.1

Notepad++7.3.1

Easy-to-use and free code editor

SAP NetWeaver Server Adapter for Eclipse

SAP NetWeaver Server Adapter for Eclipse

Integrate Eclipse with SAP NetWeaver application server.

SublimeText3 Mac version

SublimeText3 Mac version

God-level code editing software (SublimeText3)

ZendStudio 13.5.1 Mac

ZendStudio 13.5.1 Mac

Powerful PHP integrated development environment