Click here to Skip to main content
15,880,725 members
Articles / Desktop Programming / WPF

Stream Player Control

Rate me:
Please Sign up or sign in to vote.
4.95/5 (85 votes)
25 Dec 2019CPOL5 min read 655.6K   103   313
In this article you will find an implementation of a stream player control.

Image 1

Introduction

This article is a sort of continuation of my previous article, which shows an implementation of a web camera control. Recently, I created another control and would like to share my experience with the community. It is a FFmpeg-based stream player control, which can do the following:

  1. Play a RTSP/RTMP video stream or local video file
  2. Retrieve the current frame being displayed by the control

The control has no additional dependencies and a minimalistic interface.

Requirements

  1. The WinForms version of the control is implemented using .NET Framework 2.0.
  2. The WPF version of the control is implemented using .NET Framework 4 Client Profile.

The control supports both x86 and x64 platform targets.

Background

Streaming audio, video and data over the Internet is a very usual thing these days. However, when I tried to find a .NET control to play a video stream sent over the network, I found almost nothing. This project tries to fill up that gap.

Implementation Details

If you are not interested in implementation details, then you can skip this section.

The implementation is divided into three layers.

  1. The bottom layer is implemented as a native DLL module, which forwards our calls to the FFmpeg framework.
  2. For distribution convenience, the native DLL module is embedded into the control’s assembly as a resource. On the runtime stage, the DLL module will be extracted to a temporary file on disk and used via late binding technique. Once the control is disposed, the temporary file will be deleted. In other words, the control is distributed as a single file. All those operations are implemented by the middle layer.
  3. The top layer implements the control class itself.

The following diagram shows a logical structure of the implementation.

Image 2

Only the top layer is supposed to be used by clients.

The Bottom Layer

The bottom layer uses the facade pattern to provide a simplified interface to the FFmpeg framework. The facade consists of three classes: the StreamPlayer class, which implements a stream playback functionality.

C#
/// <summary>
/// The StreamPlayer class implements a stream playback functionality.
/// </summary>
class StreamPlayer : private boost::noncopyable
{
public:

    /// <summary>
    /// Initializes a new instance of the StreamPlayer class.
    /// </summary>
    StreamPlayer();

    /// <summary>
    /// Initializes the player.
    /// </summary>
    /// <param name="playerParams">The StreamPlayerParams object 
    /// that contains the information that is used to initialize the player.</param>
    void Initialize(StreamPlayerParams playerParams);

    /// <summary>
    /// Asynchronously plays a stream.
    /// </summary>
    /// <param name="streamUrl">The url of a stream to play.</param>
    void StartPlay(std::string const& streamUrl);
    
    /// <summary>
    /// Retrieves the current frame being displayed by the player.
    /// </summary>
    /// <param name="bmpPtr">Address of a pointer to a byte that will receive the DIB.</param>
    void GetCurrentFrame(uint8_t **bmpPtr);

    /// <summary>
    /// Retrieves the unstretched frame size, in pixels.
    /// </summary>
    /// <param name="widthPtr">A pointer to an int that will receive the width.</param>
    /// <param name="heightPtr">A pointer to an int that will receive the height.</param>
    void GetFrameSize(uint32_t *widthPtr, uint32_t *heightPtr);

    /// <summary>
    /// Uninitializes the player.
    /// </summary>
    void Uninitialize();
};

the Stream class, which converts a video stream into a series of frames:

C#
/// <summary>
/// A Stream class converts a stream into series of frames. 
/// </summary>
class Stream : private boost::noncopyable
{
public:
    /// <summary>
    /// Initializes a new instance of the Stream class.
    /// </summary>
    /// <param name="streamUrl">The url of a stream to decode.</param>
    Stream(std::string const& streamUrl);

    /// <summary>
    /// Gets the next frame in the stream.
    /// </summary>
    /// <returns>The next frame in the stream.</returns>
    std::unique_ptr<Frame> GetNextFrame();

    /// <summary>
    /// Gets an interframe delay, in milliseconds.
    /// </summary>
    int32_t InterframeDelayInMilliseconds() const;

    /// <summary>
    /// Releases all resources used by the stream.
    /// </summary>
    ~Stream();
};

and the Frame class, which is a set of frame related utilities.

C#
/// <summary>
/// The Frame class implements a set of frame-related utilities. 
/// </summary>
class Frame : private boost::noncopyable
{
public:
    /// <summary>
    /// Initializes a new instance of the Frame class.
    /// </summary>
    Frame(uint32_t width, uint32_t height, AVPicture &avPicture);

    /// <summary>
    /// Gets the width, in pixels, of the frame.
    /// </summary>
    uint32_t Width() const { return width_; }

    /// <summary>
    /// Gets the height, in pixels, of the frame.
    /// </summary>
    uint32_t Height() const { return height_; }

    /// <summary>
    /// Draws the frame.
    /// </summary>
    /// <param name="window">A container window that frame should be drawn on.</param>
    void Draw(HWND window);

    /// <summary>
    /// Converts the frame to a bitmap.
    /// </summary>
    /// <param name="bmpPtr">Address of a pointer to a byte that will receive the DIB.</param>
    void ToBmp(uint8_t **bmpPtr);

    /// <summary>
    /// Releases all resources used by the frame.
    /// </summary>
    ~Frame();
};

These three classes form the heart of the FFmpeg Facade DLL module.

The Middle Layer

The middle layer is implemented by the StreamPlayerProxy class, which serves as a proxy to the FFmpeg Facade DLL module.

First, what we should do is extract the FFmpeg Facade DLL module from the resources and save it to a temporary file.

C#
_dllFile = Path.GetTempFileName();
using (FileStream stream = new FileStream(_dllFile, FileMode.Create, FileAccess.Write))
{
    using (BinaryWriter writer = new BinaryWriter(stream))
    {
        writer.Write(Resources.StreamPlayer);
    }
}

Then, we load our DLL module into the address space of the calling process.

C#
_hDll = LoadLibrary(_dllFile);
if (_hDll == IntPtr.Zero)
{
    throw new Win32Exception(Marshal.GetLastWin32Error());
}

And bind the DLL module functions to the class instance methods.

C#
private delegate Int32 StopDelegate();
private StopDelegate _stop;

// ...

IntPtr procPtr = GetProcAddress(_hDll, "Stop");
_stop =
    (StopDelegate)Marshal.GetDelegateForFunctionPointer(procPtr, 
     typeof(StopDelegate));

When the control is being disposed, we unload the DLL module and delete it.

C#
private void Dispose()
{    
    if (_hDll != IntPtr.Zero)
    {
        FreeLibrary(_hDll);
        _hDll = IntPtr.Zero;
    }

    if (File.Exists(_dllFile))
    {
        File.Delete(_dllFile);
    }    
}

The Top Layer

The top layer is implemented by the StreamPlayerControl class with the following interface:

C#
/// <summary>
/// Asynchronously plays a stream.
/// </summary>
/// <param name="uri">The url of a stream to play.</param>
/// <exception cref="ArgumentException">
/// An invalid string is passed as an argument.</exception>
/// <exception cref="Win32Exception">Failed to load the FFmpeg facade dll.</exception>
/// <exception cref="StreamPlayerException">Failed to play the stream.</exception>
public void StartPlay(Uri uri)

/// <summary>
/// Retrieves the image being played.
/// </summary>
/// <returns>The current image.</returns>
/// <exception cref="InvalidOperationException">
/// The control is not playing a video stream.</exception>
/// <exception cref="StreamPlayerException">Failed to get the current image.</exception>
public Bitmap GetCurrentFrame();

/// <summary>
/// Stops a stream.
/// </summary>
/// <exception cref="InvalidOperationException">
/// The control is not playing a stream.</exception>
/// <exception cref="StreamPlayerException">Failed to stop a stream.</exception>
public void Stop();

/// <summary>
/// Gets a value indicating whether the control is playing a video stream.
/// </summary>
public Boolean IsPlaying { get; }

/// <summary>
/// Gets the unstretched frame size, in pixels.
/// </summary>
public Size VideoSize  { get; }

/// <summary>
/// Occurs when the first frame is read from a stream.
/// </summary>
public event EventHandler StreamStarted;

/// <summary>
/// Occurs when there are no more frames to read from a stream.
/// </summary>
public event EventHandler StreamStopped;

/// <summary>
/// Occurs when the player fails to play a stream.
/// </summary>
public event EventHandler StreamFailed;

Threads

The control creates two threads: one for reading of the stream and another for decoding.

Image 3

The stream is a series of packets stored in a queue, which is shared between the threads.

Usage

Open the Package Manager Console and add a nuget package to your project:

PowerShell
Install-Package WebEye.Controls.WinForms.StreamPlayerControl

First, we need to add the control to the Visual Studio Designer Toolbox, using a right-click and then the "Choose Items..." menu item. Then we place the control on a form at the desired location and with the desired size. The default name of the control instance variable will be streamPlayerControl1.

The following code asynchronously plays a stream using the supplied address.

C#
streamPlayerControl1.StartPlay
(new Uri("rtsp://184.72.239.149/vod/mp4:BigBuckBunny_115k.mov"));

There is also an option to specify a connection and stream timeouts and underlying transport protocol.

C#
streamPlayerControl1.StartPlay(new Uri("rtsp://184.72.239.149/vod/mp4:BigBuckBunny_115k.mov"),
    TimeSpan.FromSeconds(10), TimeSpan.FromSeconds(5), 
    RtspTransport.UdpMulticast, RtspFlags.None);

To get a frame being played, just call the GetCurrentFrame() method. The resolution and quality of the frame depend on the stream quality.

C#
using (Bitmap image = streamPlayerControl1.GetCurrentFrame())
{
    // image processing...
}

To stop the stream, the Stop() method is used.

C#
streamPlayerControl1.Stop();

You can always check the playing state using the following code:

C#
if (streamPlayerControl1.IsPlaying)
{
    streamPlayerControl1.Stop();
}

Also, the StreamStarted, StreamStopped and StreamFailed events can be used to monitor the playback state.

To report errors, exceptions are used, so do not forget to wrap your code in a try/catch block. That is all about using it. To see a complete example, please check the demo application sources.

WPF Version

The FFmpeg facade expects a WinAPI window handle (HWND) in order to use it as a render target. The issue is that in the WPF world, windows do not have handles anymore. The VideoWindow class workarounds this issue.

XML
<UserControl x:Class="WebEye.StreamPlayerControl"
             xmlns="http://schemas.microsoft.com/winfx/2006/xaml/presentation"
             xmlns:x="http://schemas.microsoft.com/winfx/2006/xaml"
             xmlns:mc="http://schemas.openxmlformats.org/markup-compatibility/2006" 
             xmlns:d="http://schemas.microsoft.com/expression/blend/2008" 
             mc:Ignorable="d" 
             d:DesignHeight="300" d:DesignWidth="300"
             xmlns:local="clr-namespace:WebEye">
    <local:VideoWindow x:Name="_videoWindow"
                       HorizontalAlignment="Stretch" VerticalAlignment="Stretch"/>
</UserControl>

To add a WPF version of the control to your project, use the following nuget command:

PowerShell
Install-Package WebEye.Controls.Wpf.StreamPlayerControl

GitHub

The project has a GitHub repository available on the following page:

Any questions, remarks, and comments are welcome.

Licensing

  1. The FFmpeg facade sources, the same as the FFmpeg framework, are licensed under The LGPL license.
  2. The .NET controls' sources and demos' sources are licensed under The Code Project Open License (CPOL).

You can use the control in your commercial product, the only thing is that you should mention that your product uses the FFmpeg library, here are the details.

History

  • March 19th, 2015 - Initial version
  • August 22nd, 2015 - Added the x64 platform support
  • October 25th, 2015 - Added asyncronous stream start and stream status events
  • November 8th, 2015 - Added support for local files playback
  • November 30th, 2015 - Added stream connection timeout
  • October 17th, 2017 - Use new FFmpeg decoding API
  • August 31st, 2019 - Added stream timeout parameter

License

This article, along with any associated source code and files, is licensed under The Code Project Open License (CPOL)


Written By
Software Developer
Russian Federation Russian Federation
Niko Bellic (Serbian: Niko Belić) is the main protagonist and playable character in the video game Grand Theft Auto IV. He is a 30 year old former soldier who moved to Liberty City to escape his troubled past and pursue the American Dream.

Comments and Discussions

 
QuestionDrawing Rectangle Over Stream Player Controller Pin
Vikrant Kelkar 20226-Jul-22 4:58
Vikrant Kelkar 20226-Jul-22 4:58 
AnswerRe: Drawing Rectangle Over Stream Player Controller Pin
Namith Krishnan E25-Jul-23 22:28
professionalNamith Krishnan E25-Jul-23 22:28 
QuestionRTSP stream Pin
Member 141355871-Dec-21 22:06
Member 141355871-Dec-21 22:06 
AnswerRe: RTSP stream Pin
Namith Krishnan E25-Jul-23 22:24
professionalNamith Krishnan E25-Jul-23 22:24 
QuestionLink do not work Pin
С В Jul202126-Jul-21 4:15
С В Jul202126-Jul-21 4:15 
AnswerRe: Link do not work Pin
Member 146430167-Apr-23 9:07
Member 146430167-Apr-23 9:07 
Questionlinks not working? Pin
dommy1A28-Apr-21 7:23
dommy1A28-Apr-21 7:23 
QuestionPlaying multiple-streams at the same time. Pin
Trần Ngọc Văn25-Nov-20 20:53
Trần Ngọc Văn25-Nov-20 20:53 
QuestionPreserveStreamAspectRatio Property Pin
iankb25-Nov-20 18:04
iankb25-Nov-20 18:04 
QuestionFiles Pin
DARA ALAVI12-Jul-20 9:00
DARA ALAVI12-Jul-20 9:00 
QuestionThe download link in broken Pin
mariosharp12-Jun-20 0:02
mariosharp12-Jun-20 0:02 
AnswerRe: The download link in broken Pin
CHill6012-Jun-20 0:06
mveCHill6012-Jun-20 0:06 
QuestionCannot download Pin
Bach Huynh Son (Call me HB)31-May-20 4:35
Bach Huynh Son (Call me HB)31-May-20 4:35 
AnswerRe: Cannot download Pin
CHill6012-Jun-20 0:06
mveCHill6012-Jun-20 0:06 
QuestionError getting failed to get current image Pin
Member 148267839-May-20 2:37
Member 148267839-May-20 2:37 
Questionif i want make this . how :) Pin
layarfilm215-May-20 2:59
layarfilm215-May-20 2:59 
QuestionDownload Page - Error 404 Pin
Ethos Unknown7-Apr-20 3:17
Ethos Unknown7-Apr-20 3:17 
QuestionDownload page cannot be found Pin
MGM de Wit1-Feb-20 5:11
MGM de Wit1-Feb-20 5:11 
QuestionProblems in Windows 7 Pin
Brady8222-Jan-20 19:48
Brady8222-Jan-20 19:48 
QuestionRTSP 40 Cameras / Screen change.... Pin
Member 1469046318-Jan-20 22:23
Member 1469046318-Jan-20 22:23 
QuestionAdding support for pause/resume/seek/position Pin
Member 110650942-Jan-20 5:41
Member 110650942-Jan-20 5:41 
Questiongood Pin
Member 1469989825-Dec-19 19:15
Member 1469989825-Dec-19 19:15 
GeneralDownload link not working Pin
G4 Infosys25-Dec-19 19:37
G4 Infosys25-Dec-19 19:37 
QuestionRTSP Pin
Member 1466142419-Nov-19 23:45
Member 1466142419-Nov-19 23:45 
AnswerRe: RTSP Pin
Sasha Yakobchuk27-Nov-19 13:49
Sasha Yakobchuk27-Nov-19 13:49 

General General    News News    Suggestion Suggestion    Question Question    Bug Bug    Answer Answer    Joke Joke    Praise Praise    Rant Rant    Admin Admin   

Use Ctrl+Left/Right to switch messages, Ctrl+Up/Down to switch threads, Ctrl+Shift+Left/Right to switch pages.