libfreenect2  0.1
API Reference

Introduction

libfreenect2 is an open source cross-platform driver for Kinect for Windows v2 devices. For information on installation and troubleshooting, see the GitHub repository.

This documentation is designed for application developers who want to extract and use depth and color images from Kinect v2 for further processing. Additional questions and comments not covered by this documentation can be posted to GitHub issues.

This documentation may require some understanding on camera calibration and 3-D geometry.

Features

Issues and Future Work

Getting Started

To read the API documentation, start with the Modules page which nicely organizes classes according to their functionalities.

Example programs can be found in the source distribution under the examples directory. There also includes an example CMake build system for a standalone application that uses libfreenect2 binary installation.

Many internal details are hidden from this public API. For details on Kinect v2's USB protocols, depth decoding algorithms, calibration algorithms, and how to implement performance optimizers, you are encouraged to read the source code. The source code is the updated and authoritative reference for any functionalities.

You can also see the following walkthrough for the most basic usage.

Walkthrough

Here is an example to walk you through the API. See examples/Protonect.cpp for the full source.

Headers

First, include necessary headers. registration.h and logger.h are optional if you don't use them.

Logging

This shows how to set up the logger and logging level.

Though libfreenect2 will have an initial global logger created with createConsoleLoggerWithDefaultLevel(). You do not have to explicitly call this if the default is already what you want.

You can implement a custom Logger and redirect libfreenect2's log messages to desired places.

Here is an example to save log messages to a file.

#include <fstream>
#include <cstdlib>
class MyFileLogger: public libfreenect2::Logger
{
private:
std::ofstream logfile_;
public:
MyFileLogger(const char *filename)
{
if (filename)
logfile_.open(filename);
level_ = Debug;
}
bool good()
{
return logfile_.is_open() && logfile_.good();
}
virtual void log(Level level, const std::string &message)
{
logfile_ << "[" << libfreenect2::Logger::level2str(level) << "] " << message << std::endl;
}
};

And use it

MyFileLogger *filelogger = new MyFileLogger(getenv("LOGFILE"));
if (filelogger->good())
else
delete filelogger;

libfreenect2 uses a single global logger regardless of number of contexts and devices. You may have to implement thread safety measure in log(), which is called from multiple threads. Console loggers are thread safe because std::cout and std::cerr are thread safe.

Initialize and Discover Devices

You need these structures for all operations. Here it uses only one device.

You must enumerate all Kinect v2 devices before doing anything else related to devices.

if(freenect2.enumerateDevices() == 0)
{
std::cout << "no device connected!" << std::endl;
return -1;
}
std::string serial = freenect2.getDefaultDeviceSerialNumber();

Also, you can create a specific PacketPipeline instead using the default one for opening the device. Alternatives include OpenGLPacketPipeline, OpenCLPacketPipeline, etc.

Open and Configure the Device

Now you can open the device by its serial number, and using the specific pipeline.

dev = freenect2.openDevice(serial, pipeline);

You can also open the device without providing a pipeline, then a default is used. There are a few alternative ways to openDevice().

After opening, you need to attach Framelisteners to the device to receive images frames.

This SyncMultiFrameListener will wait until all specified types of frames are received once. Like loggers, you may also implement your own frame listeners using the same interface.

You cannot configure the device after starting it.

Start the Device

After finishing configuring the device, you can start the device. You must start the device before querying any information of the device.

dev->start();
std::cout << "device serial: " << dev->getSerialNumber() << std::endl;
std::cout << "device firmware: " << dev->getFirmwareVersion() << std::endl;

You can setIrCameraParams() after start if you have your own depth calibration parameters.

Otherwise you can also use the factory preset parameters for Registration. You can also provide your own depth calibration parameterss (though not color camera calibration parameters right now). Registration is optional.

libfreenect2::Frame undistorted(512, 424, 4), registered(512, 424, 4);

At this time, the processing has begun, and the data flows through the pipeline towards your frame listeners.

Receive Image Frames

This example uses a loop to receive image frames.

while(!protonect_shutdown)
{
listener.waitForNewFrame(frames);

waitForNewFrame() here will block until required frames are all received, and then you can extract Frame according to the type.

See libfreenect2::Frame for details about pixel format, dimensions, and metadata.

You can do your own things using the frame data. You can feed it to OpenCV, PCL, etc. Here, you can perform registration:

registration->apply(rgb, depth, &undistorted, &registered);

After you are done with this frame, you must release it.

listener.release(frames);
}

Stop the Device

If you are finished and no longer need to receive more frames, you can stop the device and exit.

dev->stop();
dev->close();

Pause the Device

You can also temporarily pause the device with stop() and start().

if (protonect_paused)
devtopause->start();
else
devtopause->stop();
protonect_paused = !protonect_paused;

Doing this during waitForNewFrame() should be thread safe, and tests also show well. But a guarantee of thread safety has not been checked yet.

THE END.