Research
Security News
Threat Actor Exposes Playbook for Exploiting npm to Build Blockchain-Powered Botnets
A threat actor's playbook for exploiting the npm ecosystem was exposed on the dark web, detailing how to build a blockchain-powered botnet.
web-speech-cognitive-services
Advanced tools
Polyfill Web Speech API with Cognitive Services Speech-to-Text service
Web Speech API adapter to use Cognitive Services Speech Services for both speech-to-text and text-to-speech service.
This scaffold is provided by
react-component-template
.
Speech technologies enables a lot of interesting scenarios, including Intelligent Personal Assistant and provide alternative inputs for assistive technologies.
Although W3C standardized speech technologies in browser, speech-to-text and text-to-speech support are still scarce. However, cloud-based speech technologies are very mature.
This polyfill provides W3C Speech Recognition and Speech Synthesis API in browser by using Azure Cognitive Services Speech Services. This will bring speech technologies to all modern first-party browsers available on both PC and mobile platforms.
Before getting started, please obtain a Cognitive Services subscription key from your Azure subscription.
Try out our demo at https://compulim.github.io/web-speech-cognitive-services. If you don't have a subscription key, you can still try out our demo in a speech-supported browser.
We use react-dictate-button
and react-say
to quickly setup the playground.
Speech recognition requires WebRTC API and the page must hosted thru HTTPS or localhost
. Although iOS 12 support WebRTC, native apps using WKWebView
do not support WebRTC.
Speech synthesis requires Web Audio API. For Safari, user gesture (click or tap) is required to play audio clips using Web Audio API. To ready the Web Audio API to use without user gesture, you can synthesize an empty string, which will not trigger any network calls but playing an empty hardcoded short audio clip. If you already have a "primed" AudioContext
object, you can also pass it as an option.
There are two ways to use this package:
<script>
to load the bundleTo use the ponyfill directly in HTML, you can use our published bundle from unpkg.
In the sample below, we use the bundle to perform text-to-speech with a voice named "JessaRUS".
<!DOCTYPE html>
<html lang="en-US">
<head>
<script src="https://unpkg.com/web-speech-cognitive-services/umd/web-speech-cognitive-services.production.min.js"></script>
</head>
<body>
<script>
const { speechSynthesis, SpeechSynthesisUtterance } = window.WebSpeechCognitiveServices.create({
region: 'westus',
subscriptionKey: 'YOUR_SUBSCRIPTION_KEY'
});
speechSynthesis.addEventListener('voiceschanged', () => {
const voices = speechSynthesis.getVoices();
const utterance = new SpeechSynthesisUtterance('Hello, World!');
utterance.voice = voices.find(voice => /JessaRUS/u.test(voice.name));
speechSynthesis.speak(utterance);
});
</script>
</body>
</html>
We do not host the bundle. You should always use Subresource Integrity to protect bundle integrity when loading from a third-party CDN.
The voiceschanged
event come shortly after you created the ponyfill. You will need to wait until the event arrived before able to choose a voice for your utterance.
For production build, run npm install web-speech-cognitive-services
.
For development build, run npm install web-speech-cognitive-services@master
.
Since Speech Services SDK is not on NPM yet, we will bundle the SDK inside this package for now. When Speech Services SDK release on NPM, we will define it as a peer dependency.
In JavaScript, polyfill is a technique to bring newer features to older environment. Ponyfill is very similar, but instead polluting the environment by default, we prefer to let the developer to choose what they want. This article talks about polyfill vs. ponyfill.
In this package, we prefer ponyfill because it do not pollute the hosting environment. You are also free to mix-and-match multiple speech recognition engines under a single environment.
The following list all options supported by the adapter.
Name and type | Default value | Description |
---|---|---|
audioConfig: AudioConfig | fromDefaultMicrophoneInput() |
AudioConfig object to use with speech recognition. Please refer to this article for details on selecting different audio devices.
|
audioContext: AudioContext
| undefined |
The audio context is synthesizing speech on. If this is undefined , the AudioContext object will be created on first synthesis.
|
authorizationToken: ( string || Promise<string> || () => string || () => Promise<string> )
| (Requires eitherauthorizationToken orsubscriptionKey ) | Authorization token from Cognitive Services. Please refer to this article to obtain an authorization token. |
enableTelemetry | undefined | Pass-through option to enable or disable telemetry for Speech SDK recognizer as outlined in Speech SDK. This adapter does not collect any telemetry. By default, Speech SDK will collect telemetry unless this is set to false . |
ponyfill.AudioContext: AudioContext | window.AudioContext || window.webkitAudioContext |
Ponyfill for Web Audio API. Currently, only Web Audio API can be ponyfilled. We may expand to WebRTC for audio recording in the future. |
referenceGrammars: string[] | undefined | Reference grammar IDs to send for speech recognition. |
region: string | "westus" | Azure region of Cognitive Services to use. |
speechRecognitionEndpointId: string | undefined | Endpoint ID for Custom Speech service. |
speechSynthesisDeploymentId: string | undefined |
Deployment ID for Custom Voice service. When you are using Custom Voice, you will need to specify your voice model name through SpeechSynthesisVoice.voiceURI . Please refer to the "Custom Voice support" section for details.
|
speechSynthesisOutputFormat: string | audio-24khz-160kbitrate-mono-mp3 | Audio format for speech synthesis. Please refer to this article for list of supported formats. |
subscriptionKey: string | (Requires eitherauthorizationToken orsubscriptionKey ) | Subscription key to use. This is not recommended for production use as the subscription key will be leaked in the browser. |
textNormalization: string | "display" |
Supported text normalization options:
|
For readability, we omitted the async function in all code snippets. To run the code, you will need to wrap the code using an async function.
import { createSpeechRecognitionPonyfill } from 'web-speech-cognitive-services/lib/SpeechServices/SpeechToText';
const {
SpeechRecognition
} = await createSpeechRecognitionPonyfill({
region: 'westus',
subscriptionKey: 'YOUR_SUBSCRIPTION_KEY'
});
const recognition = new SpeechRecognition();
recognition.interimResults = true;
recognition.lang = 'en-US';
recognition.onresult = ({ results }) => {
console.log(results);
};
recognition.start();
Note: most browsers requires HTTPS or
localhost
for WebRTC.
You can use react-dictate-button
to integrate speech recognition functionality to your React app.
import createPonyfill from 'web-speech-cognitive-services/lib/SpeechServices';
import DictateButton from 'react-dictate-button';
const {
SpeechGrammarList,
SpeechRecognition
} = await createPonyfill({
region: 'westus',
subscriptionKey: 'YOUR_SUBSCRIPTION_KEY'
});
export default props =>
<DictateButton
onDictate={ ({ result }) => alert(result.transcript) }
speechGrammarList={ SpeechGrammarList }
speechRecognition={ SpeechRecognition }
>
Start dictation
</DictateButton>
import { createSpeechSynthesisPonyfill } from 'web-speech-cognitive-services/lib/SpeechServices/TextToSpeech';
const {
speechSynthesis,
SpeechSynthesisUtterance
} = await createSpeechSynthesisPonyfill({
region: 'westus',
subscriptionKey: 'YOUR_SUBSCRIPTION_KEY'
});
speechSynthesis.addEventListener('voiceschanged', () => {
const voices = speechSynthesis.getVoices();
const utterance = new SpeechSynthesisUtterance('Hello, World!');
utterance.voice = voices.find(voice => /JessaRUS/u.test(voice.name));
speechSynthesis.speak(utterance);
});
Note:
speechSynthesis
is camel-casing because it is an instance.
List of supported regions can be found in this article.
pitch
, rate
, voice
, and volume
are supported. Only onstart
, onerror
, and onend
events are supported.
You can use react-say
to integrate speech synthesis functionality to your React app.
import createPonyfill from 'web-speech-cognitive-services/lib/SpeechServices';
import React from 'react';
import Say from 'react-say';
export default class extends React.Component {
constructor(props) {
super(props);
this.state = {};
}
async componentDidMount() {
const ponyfill = await createPonyfill({
region: 'westus',
subscriptionKey: 'YOUR_SUBSCRIPTION_KEY'
});
this.setState(() => ({ ponyfill }));
}
render() {
const {
state: { ponyfill }
} = this;
return (
ponyfill &&
<Say
speechSynthesis={ ponyfill.speechSynthesis }
speechSynthesisUtterance={ ponyfill.SpeechSynthesisUtterance }
text="Hello, World!"
/>
);
}
}
Instead of exposing subscription key on the browser, we strongly recommend using authorization token.
import createPonyfill from 'web-speech-cognitive-services/lib/SpeechServices';
const ponyfill = await createPonyfill({
authorizationToken: 'YOUR_AUTHORIZATION_TOKEN',
region: 'westus',
});
You can also provide an async function that will fetch the authorization token on-demand. You should cache the authorization token for subsequent request. For simplicity of this code snippets, we are not caching the result.
import createPonyfill from 'web-speech-cognitive-services/lib/SpeechServices';
const ponyfill = await createPonyfill({
authorizationToken: () => fetch('https://example.com/your-token').then(res => res.text()),
region: 'westus',
});
Note: if you do not specify
region
, we will default to"westus"
.
List of supported regions can be found in this article.
If you prefer to use the deprecating Bing Speech, import from
'web-speech-cognitive-services/lib/BingSpeech'
instead.
Lexical and ITN support is unique in Cognitive Services Speech Services. Our adapter added additional properties transcriptITN
, transcriptLexical
, and transcriptMaskedITN
to surface the result, in addition to transcript
and confidence
.
In some cases, you may want the speech recognition engine to be biased towards "Bellevue" because it is not trivial for the engine to recognize between "Bellevue", "Bellview" and "Bellvue" (without "e"). By giving a list of words, teh speech recognition engine will be more biased to your choice of words.
Since Cognitive Services does not works with weighted grammars, we built another SpeechGrammarList
to better fit the scenario.
import createPonyfill from 'web-speech-cognitive-services/lib/SpeechServices';
const {
SpeechGrammarList,
SpeechRecognition
} = await createPonyfill({
region: 'westus',
subscriptionKey: 'YOUR_SUBSCRIPTION_KEY'
});
const recognition = new SpeechRecognition();
recognition.grammars = new SpeechGrammarList();
recognition.grammars.phrases = ['Tuen Mun', 'Yuen Long'];
recognition.onresult = ({ results }) => {
console.log(results);
};
recognition.start();
Please refer to "What is Custom Speech?" for tutorial on creating your first Custom Speech model.
To use custom speech for speech recognition, you need to pass the endpoint ID while creating the ponyfill.
import createPonyfill from 'web-speech-cognitive-services/lib/SpeechServices';
const ponyfill = await createPonyfill({
region: 'westus',
speechRecognitionEndpointId: '12345678-1234-5678-abcd-12345678abcd',
subscriptionKey: 'YOUR_SUBSCRIPTION_KEY'
});
Please refer to "Get started with Custom Voice" for tutorial on creating your first Custom Voice model.
To use Custom Voice for speech synthesis, you need to pass the deployment ID while creating the ponyfill, and pass the voice model name as voice URI.
import createPonyfill from 'web-speech-cognitive-services/lib/SpeechServices';
const ponyfill = await createPonyfill({
region: 'westus',
speechSynthesisDeploymentId: '12345678-1234-5678-abcd-12345678abcd',
subscriptionKey: 'YOUR_SUBSCRIPTION_KEY'
});
const { speechSynthesis, SpeechSynthesisUtterance } = ponyfill;
const utterance = new SpeechSynthesisUtterance('Hello, World!');
utterance.voice = { voiceURI: 'your-model-name' };
await speechSynthesis.speak(utterance);
For detailed test matrix, please refer to SPEC-RECOGNITION.md
or SPEC-SYNTHESIS.md
.
0.5
for interim resultsonboundary
, onmark
, onpause
, and onresume
are not supported/firedpause
will pause immediately and do not pause on word breaks due to lack of boundarystop()
and abort()
functionmicrosoft-speech-browser-sdk@0.0.12
, tracking on this issuepause
/resume
supportpaused
/pending
/speaking
supportLike us? Star us.
Want to make it better? File us an issue.
Don't like something you see? Submit a pull request.
FAQs
Polyfill Web Speech API with Cognitive Services Speech-to-Text service
We found that web-speech-cognitive-services demonstrated a not healthy version release cadence and project activity because the last version was released a year ago. It has 1 open source maintainer collaborating on the project.
Did you know?
Socket for GitHub automatically highlights issues in each pull request and monitors the health of all your open source dependencies. Discover the contents of your packages and block harmful activity before you install or update your dependencies.
Research
Security News
A threat actor's playbook for exploiting the npm ecosystem was exposed on the dark web, detailing how to build a blockchain-powered botnet.
Security News
NVD’s backlog surpasses 20,000 CVEs as analysis slows and NIST announces new system updates to address ongoing delays.
Security News
Research
A malicious npm package disguised as a WhatsApp client is exploiting authentication flows with a remote kill switch to exfiltrate data and destroy files.