data:image/s3,"s3://crabby-images/2523c/2523ce4b8b64bade795ffc89574cfc29f35428d3" alt="Deno 2.2 Improves Dependency Management and Expands Node.js Compatibility"
Security News
Deno 2.2 Improves Dependency Management and Expands Node.js Compatibility
Deno 2.2 enhances Node.js compatibility, improves dependency management, adds OpenTelemetry support, and expands linting and task automation for developers.
The Houndify JavaScript SDK allows you to make voice and text queries to the Houndify API from your browser or Node.js script.
The Houndify JavaScript SDK allows you to make voice and text queries to the Houndify API from a web browser or NodeJS. It comes in two forms:
Both parts contain functions for sending text and voice requests to the Houndify API. Additionally the in-browser library has an AudioRecorder
for capturing audio from microphone, and the Node.js module has authentication and proxy middleware creators for Express servers.
We'll go through the following:
The easiest way to install the SDK is via npm:
npm install houndify
You can also download the SDK from the Client SDKs section of the Houndify website.
Below, we'll explain how to use this package. However, for folks who prefer reading code, we've prepared an official example repository with a simple site using the SDK.
You'll find installation instructions for the example in the example repo's README.
If you wish to use the JS SDK to send Voice or Text Requests from the browser, follow one of these two methods.
Your browser needs to have access to the microphone: To accept voice requests, your browser must have the getUserMedia API available.
SSL is required for deployment: The latest versions of web browsers require secure connection for giving access to microphone. While you can test JavaScript SDK on
localhost
with a HTTP server, you'll need to set up a HTTPS server when you actually deploy it. To do this, set "https" flag in config file to true, and pointsslCrtFile
to ssl certificate andsslKeyFile
to ssl key file. This is only required if you are terminating SSL on the application layer. If deploying with services like Heroku, this will be taken care for you and you don't have to mess with SSL Certificates.
You'll need to download the SDK from here. Put it somewhere in the /public
directory of the server hosting your site.
<script src="/path/to/houndify.js"></script>
This exposes a global Houndify
object. Somewhere else in your site, you can have something like this: (we'll cover the details of the actual request later)
<script>
const voiceRequest = new Houndify.VoiceRequest({ /* options */ });
</script>
If you are using something like browserify, you can also require Houndify
as a CommonJS module.
const Houndify = require('houndify');
Whichever of these methods you use, you still need to add some server-side logic.
Our servers need your CLIENT_ID and CLIENT_KEY to authenticate and process your request. However, the key is private and shouldn't be put directly in your website, which is accessible to anyone.
So, you must create a server-side endpoint which will add this information to your site's requests.
We've already done the heavy lifting here--you just need to install the Houndify SDK on your server to add a single route.
We recommend using a NodeJS server with Express.
Assuming your server is using Express, this houndify module contains a HoundifyExpress
object that provides methods to authenticate and proxy voice and text search requests. For the rest of this tutorial, we'll assume you are familiar with Express (or at least Node).
The houndify.HoundifyExpress
object should only be used on the server. It won't work in the browser. It lets you easily create routes to help with:
First, run this in the root directory of your server application.
npm install --save houndify
Then, import Houndify by adding this to your server.
const houndifyExpress = require('houndify').HoundifyExpress;
Finally, add the following route handlers.
//authenticates requests
app.get('/houndifyAuth', houndifyExpress.createAuthenticationHandler({
clientId: "YOUR_CLIENT_ID",
clientKey: "YOUR_CLIENT_KEY"
}));
//proxies text requests
app.post('/textSearchProxy', houndifyExpress.createTextProxyHandler());
If your web server is not written in JavaScript, refer to the Not Using NodeJS section on how to reimplement these route handlers in other languages.
Now you are set up to use Houndify in your browser app. You can also make requests directly from your server rather than using a browser app.
Since both of these methods (browser and server) use the same SDK from here out, we'll explain how to set up a server-only environment before diving into the SDK itself.
If you don't want to run a server-only version of houndify, feel free to jump directly to the SDK here.
You can also use the Houndify JS SDK in a NodeJS environment with no browser at all. To set it up, just run
npm i --save houndify
and import Houndify using:
const Houndify = require('houndify')
If you did this in a file called index.js
, you could of course run it with node index.js
. We have a few example of this in the example repo we mentioned above.
Houndify enables your app to make text and voice requests. We'll go through how to do just that.
The Houndify
object has the following constructors and utility methods.
VoiceRequest(options)
- constructor for initializing voice requests
TextRequest(options)
- constructor for initializing text requests
AudioRecorder(options)
- constructor for initializing audio recorder for browsers (Chrome, Firefox)
decodeAudioData
- utility for decoding audio data uploaded with FileReader
HoundifyExpress.createAuthenticationHandler
- Express Route handler for authenticating all Houndify requests through an Express server
HoundifyExpress.createTextProxyHandler
- Express Route handler for proxying text requests through an Express server
HoundifyExpress.createReactNativeProxy
- Express Route handler for supporting React Native applications.
setDebug(isDebugging)
- utility function to turn on debugging mode
We'll start with text requests, since they're a bit simpler. This lets your user type in commands and queries to get a response. This response can be shown directly to the user, or processed by your application.
In the setup section, you would have exposed a Houndify
object.
To make a text request, you simply call
Houndify.TextRequest({...});
and receive results through callbacks. In place of "..." you must pass in some options. These are,
clientId: 'CLIENT_ID'
//... }
#### clientKey
<div class="notice">(required if not in browser)</div>
Your client Key from the Houndify application dashboard. This should never be shared publicly. However, *while developing internally*, feel to add this in a browser app if you are sure it will not be seen outside your team.
```javascript
{
//...
clientKey: 'CLIENT_KEY'
//...
}
method: 'POST'
//... }
#### endpoint
<div class="notice">(optional)</div>
If you are hitting a specific endpoint, you can pass the URL in here. If omitted, the default Houndify API endpoint will be hit (https://api.houndify.com/v1/text).
```javascript
{
// ...
endpoint: "https://my-custom-houndify-api.com/v1/text"
// ...
}
query: "What's the weather like in Santa Clara?"
//... }
#### authUrl
<div class="notice">(optional, recommended)</div>
The route on your server where your app can sign it's request. **If you are developing internally** and have added a `clientKey`, feel free to omit this. Either this property *or* the `clientKey` property must be provided.
```javascript
{
//...
authUrl: '/houndifyAuth'
//...
}
A valid ConversationState Object. These will be returned from Houndify with each request. Storing and returning this object with each request you make will let Houndify continue conversations.
{
//...
conversationState: [...]
//...
}
All together, a simple text request from the browser might look like this.
var textRequest = new Houndify.TextRequest({
// Text query
query: "What is the weather like?",
// Your Houndify Client ID
clientId: "YOUR_CLIENT_ID",
authURL: "/houndifyAuth",
requestInfo: {
UserID: "test_user",
Latitude: 37.388309,
Longitude: -121.973968
},
conversationState: conversationState,
proxy: {
method: 'POST',
url: "/textSearchProxy",
},
// Response and error handlers
onResponse: function(response, info) {
console.log(response);
},
onError: function(err, info) {
console.log(err);
}
});
We recommend creating new TextRequest
objects everytime a new voice request is triggered by the user. There's no need to reuse a single TextRequest object.
However, you probably want to keep track of things like the requestInfo
and conversationState
objects separately and pass them into each new TextRequest
object that you create.
Voice requests allow you to stream audio to houndify. While streaming, you will receive transcriptions of what has been said. After the request, you will receive a HoundifyResponse
object just like a text query would.
Note! Every property for TextRequest
except proxy
and query
are the same as above. Those two properties are not needed for voice requests. We'll explain only the new properties then provide an example.
{
// ...
endpoint: "wss://apiws.houndify.com:443"
// ...
}
default: true. If true, you must pass in 16-bit little-endian PCM audio. If false, you must pass in raw WAV, Opus, or Speex data. It will then be sent to Houndify without conversion.
{
//...
convertAudioToSpeex: true,
},
//...
}
default: true. If true, Houndify will automatically turn off the mic when the user is finished speaking.
{
//...
enableVAD: true,
},
//...
}
A VoiceRequest
object has write()
, end()
and abort()
methods for streaming audio and ending the request.
By default, VoiceRequest.write() accepts 8/16 kHz mono 16-bit little-endian PCM samples in Int16Array chunks,
which are converted to Speex format. If you want to send raw bytes of WAV, Opus or Speex audio file make sure you set the convertAudioToSpeex
option to false.
const voiceRequest = Houndify.VoiceRequest({...});
//...
voiceRequest.write(audioChunk);
Ends streaming voice search requests, expects the final response from backend
const voiceRequest = Houndify.VoiceRequest({...});
//...
voiceRequest.end();
Aborts voice search request, does not expect final response from backend
const voiceRequest = Houndify.VoiceRequest({...});
//...
voiceRequest.abort();
var voiceRequest = new Houndify.VoiceRequest({
// Your Houndify Client ID
clientId: "YOUR_CLIENT_ID",
// For testing environment you might want to authenticate on frontend without Node.js server.
// In that case you may pass in your Houndify Client Key instead of "authURL".
// clientKey: "YOUR_CLIENT_KEY",
authURL: "/houndifyAuth",
requestInfo: {
UserID: "test_user",
Latitude: 37.388309,
Longitude: -121.973968
},
// Pass the current ConversationState stored from previous queries
// See https://www.houndify.com/docs#conversation-state
conversationState: conversationState,
// Sample rate of input audio
sampleRate: 16000,
// convertAudioToSpeex: true,
// Enable Voice Activity Detection, default: true
enableVAD: true,
// Partial transcript, response and error handlers
onTranscriptionUpdate: (transcript) => {
console.log("Partial Transcript:", transcript.PartialTranscript);
},
onResponse: (response, info) =>{
console.log(response);
},
onError: (err, info) => {
console.log(err);
}
});
Recording audio data to stream it to a server usually takes a bit of boilerplate. To make it easier, we've created the Houndify.AudioRecorder
object to take care of all that.
You can use a Houndify.AudioRecorder()
object to record audio in Chrome and Firefox and feed it into VoiceRequest
object. It has start(), stop(), and isRecording() methods and accepts handlers for "start", "data", "end" and "error" events.
const recorder = new Houndify.AudioRecorder();
let voiceRequest;
recorder.on('start', () => {
voiceRequest = new Houndify.VoiceRequest({ ... });
});
recorder.on('data', (data) =>{
voiceRequest.write(data);
});
recorder.on('end', () => { /* recording stopped, voiceRequest.onResponse() will be called. */ });
recorder.on('error', (err) => { /* recorder error, voiceRequest.onError() will be called. */ });
// Start capturing the audio
recorder.start();
// Stop capturing the audio
recorder.stop();
// Check if recorder is currently capturing the audio
recorder.isRecording();
For a better example on how the AudioRecorder
integrates with the VoiceRequest
object, view the example in the example respository.
Similar to TextRequests, you should create a new VoiceRequest
object for each text request that the user sends. However, you should keep track of the requestInfo and conversationState objects separately.
Note! For voice search to work in production the frontend should be served through a secure connection. See example repository for HTTPS Express server setup. You do not need HTTPS for localhost.
When testing, (or at say a hackathon), you can use Voice Search in the browser without setting up a Node.js server. You can pass in the authentication information (Houndify Client ID and Client Key) directly to HoundifyClient
object and use the server of your choice without the server-side houndify module.
Important! Your Client Key is private and should not be exposed in the browser in production. Use VoiceRequest
without server-side authentication only for testing, internal applications or Node.js scripts.
Conversation State is a feature that allows the Houndify backend to know about prior requests made by the user and use that to understand context. For example:
This is supported in the SDK via the conversationState
property that should be set for Houndify.VoiceRequest
and Houndify.TextRequest
.
If you want to support Conversation State in your app (you usually will want to), do the following:
let userConversationState = {};
conversationState
property.let voiceRequest = new Houndify.VoiceRequest({
...
conversationState: userConversationState
})
onReponse()
the Houndify backend will return a new conversation state object, which you should set as the new value of userConversationState
.let voiceRequest = new Houndify.VoiceRequest({
...
conversationState: userConversationState,
onResponse: (response, info) => {
userConversationState = response.AllResults[0].ConversationState;
}
})
Now, the conversation state has the prior request in it, and the backend will be able to interpret it on the next VoiceRequest
.
If you ever want to get rid of the conversation state, you can reset it to an empty object.
We've developed a custom package for React Native apps to take work with the advantages and limitations of that platform.
You can use our houndify-react-native library in your React Native app to add Houndify features. However to make it work, you must also add a server-side route using this library (minimum version 3.0.0).
Similarly to how browser based requests must bounce through a server, the same goes for React Native applications. Your app will send requests to your server, which will then forward them to houndify.
This isn't hard to do, and is explained in detail here.
To summarize though, you must make sure your server contains the following:
const houndifyExpress = require('houndify').HoundifyExpress;
const express = require('express');
const app = express();
require('express-ws')(app);
app.use(
'/houndifyReactNativeProxy',
houndifyExpress.createReactNativeProxy(express, 'CLIENT_ID', 'CLIENT_KEY')
)
This is very similar to the server-side setup from above, except for the addition of the express-ws
package and another route.
Remember to make sure express-ws
is in your package.json. This allows your server to recieve websocket requests (fast two way communication). The houndify-react-native library is configured to send requests to the route we've initialized here.
Since you need to add express-ws in your app, rather than our library, you'll need to explicitly install it with
npm i --save express-ws
A NodeJS backend is required if you want to use the JavaScript SDK. If your web server is not written in JavaScript, you can still use the SDK but you will need to re-implement the route handlers for authenticating requests and proxying text requests.
Below, we've added some code to help you do this.
createAuthenticationHandler({ clientId, clientKey }) accepts an object with Houndify Client Id and secret Houndify Client Key and returns an Express handler for authentication requests from client-side HoundifyClient
. These requests will send a token as a query parameter and expect the signature back as a plain text.
var crypto = require('crypto');
/**
* Given Houndify Client Id and Client Key in options objects
* returns an Express request handler for authenticating Voice Requests.
* Signs a token/message with Houndify Client Key using the HMAC scheme.
* The request for authentications will contain "token" query parameter
* that needs to be signed with secret Client Key.
*
* @param {Object} opts - Options
* @return {Function} An Express request handler
*/
function createAuthenticationHandler(opts) {
return function (req, res) {
var clientKey = opts.clientKey.replace(/-/g, "+").replace(/_/g, "/");
var clientKeyBin = new Buffer(clientKey, "base64");
var hash = crypto.createHmac("sha256", clientKeyBin).update(req.query.token).digest("base64");
var signature = hash.replace(/\+/g, "-").replace(/\//g, "_");
res.send(signature);
}
}
createTextProxyHandler() returns a simple Express handler for proxying Text Requests from client-side HoundifyClient
to Houndify backend. Query parameters of the incoming request should be reused for the request to backend (GET https://api.houndify.com/v1/text). Pick all "hound-*" headers from the incoming request, and send them to the backend with the same names.
var request = require('request');
/**
* Returns a simple Express handler for proxying Text Requests.
* The handler takes query parameters and Houndify headers,
* and sends them in the request to backend (GET https://api.houndify.com/v1/text).
*
* @return {Function} An Express request handler
*/
function createTextProxyHandler() {
return function (req, res) {
var houndifyHeaders = {};
for (var key in req.headers) {
var splitKey = key.toLowerCase().split("-");
if (splitKey[0] == "hound") {
var houndHeader = splitKey.map(function(pt) {
return pt.charAt(0).toUpperCase() + pt.slice(1);
}).join("-");
houndifyHeaders[houndHeader] = req.headers[key];
}
}
//GET requests contain Request Info JSON in header.
//POST requests contain Request Info JSON in body.
//Use POST proxy if Request Info JSON is expected to be bigger than header size limit of server
houndifyHeaders['Hound-Request-Info'] = houndifyHeaders['Hound-Request-Info'] || req.body;
request({
url: "https://api.houndify.com/v1/text",
qs: req.query,
headers: houndifyHeaders
}, function (err, resp, body) {
//if there's an request error respond with 500 and err object
if (err) return res.status(500).send(err.toString());
//else send the response body from backend as it is
res.status(resp.statusCode).send(body);
});
}
}
.important, .warn, .notice {
color: white;
padding: 6px;
border-radius:6px;
}
.important {
background: crimson;
}
.notice {
background: deepskyblue;
width: max-content;
}
.warn {
background: darkgoldenrod;
}
FAQs
The Houndify JavaScript SDK allows you to make voice and text queries to the Houndify API from your browser or Node.js script.
The npm package houndify receives a total of 260 weekly downloads. As such, houndify popularity was classified as not popular.
We found that houndify demonstrated a not healthy version release cadence and project activity because the last version was released a year ago. It has 3 open source maintainers 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.
Security News
Deno 2.2 enhances Node.js compatibility, improves dependency management, adds OpenTelemetry support, and expands linting and task automation for developers.
Security News
React's CRA deprecation announcement sparked community criticism over framework recommendations, leading to quick updates acknowledging build tools like Vite as valid alternatives.
Security News
Ransomware payment rates hit an all-time low in 2024 as law enforcement crackdowns, stronger defenses, and shifting policies make attacks riskier and less profitable.