Partilhar via


Tutorial do MFPlay: reprodução de vídeo

[O recurso associado a esta página, MFPlay, é um recurso herdado. Foi substituído pelo MediaPlayer e IMFMediaEngine. Esses recursos foram otimizados para Windows 10 e Windows 11. A Microsoft recomenda enfaticamente que o novo código use o MediaPlayer and IMFMediaEngine em vez de DirectShow quando possível. A Microsoft sugere que o código existente que usa as APIs herdadas seja reescrito, se possível, para usar as novas APIs.

Este tutorial apresenta um aplicativo completo que reproduz vídeo usando o MFPlay. Ele é baseado no exemplo do SDK do SimplePlay.

Este tutorial contém as seguintes seções:

Para obter uma discussão mais detalhada sobre a API do MFPlay, consulte Introdução ao MFPlay.

Requisitos

A MFPlay requer o Windows 7.

Arquivos de biblioteca e cabeçalho

Inclua os seguintes arquivos de cabeçalho em seu projeto:

#define WINVER _WIN32_WINNT_WIN7

#include <new>
#include <windows.h>
#include <windowsx.h>
#include <mfplay.h>
#include <mferror.h>
#include <shobjidl.h>   // defines IFileOpenDialog
#include <strsafe.h>
#include <Shlwapi.h>

Link para as seguintes bibliotecas de código:

  • mfplay.lib
  • shlwapi.lib

Variáveis globais

Declare estas variáveis globais:

IMFPMediaPlayer         *g_pPlayer = NULL;      // The MFPlay player object.
MediaPlayerCallback     *g_pPlayerCB = NULL;    // Application callback object.

BOOL                    g_bHasVideo = FALSE;

Essas variáveis serão usadas da seguinte forma:

g_hwnd

Um identificador para a janela do aplicativo.

g_bVideo

Um valor booliano que controla se o vídeo está sendo reproduzido.

g_pPlayer

Um ponteiro para a interface IMFPMediaPlayer. Essa interface é usada para controlar a reprodução.

g_pCallback

Um ponteiro para a interface IMFPMediaPlayerCallback. O aplicativo implementa essa interface de retorno de chamada para obter notificações do objeto player.

Declarar a classe de retorno de chamada

Para obter notificações de eventos do objeto player, o aplicativo deve implementar a interface IMFPMediaPlayerCallback. O código a seguir declara uma classe que implementa a interface. A única variável de membro é m_cRef, que armazena a contagem de referência.

Os métodos IUnknown são implementados em linha. A implementação do método IMFPMediaPlayerCallback::OnMediaPlayerEvent é mostrada posteriormente. Confira Implementar o método de retorno de chamada.

// Implements the callback interface for MFPlay events.

class MediaPlayerCallback : public IMFPMediaPlayerCallback
{
    long m_cRef; // Reference count

public:

    MediaPlayerCallback() : m_cRef(1)
    {
    }

    IFACEMETHODIMP QueryInterface(REFIID riid, void** ppv)
    {
        static const QITAB qit[] =
        {
            QITABENT(MediaPlayerCallback, IMFPMediaPlayerCallback),
            { 0 },
        };
        return QISearch(this, qit, riid, ppv);
    }

    IFACEMETHODIMP_(ULONG) AddRef()
    {
        return InterlockedIncrement(&m_cRef);
    }

    IFACEMETHODIMP_(ULONG) Release()
    {
        ULONG count = InterlockedDecrement(&m_cRef);
        if (count == 0)
        {
            delete this;
            return 0;
        }
        return count;
    }

    // IMFPMediaPlayerCallback methods
    IFACEMETHODIMP_(void) OnMediaPlayerEvent(MFP_EVENT_HEADER *pEventHeader);
};

Declarar a função SafeRelease

Ao longo deste tutorial, a função SafeRelease é usada para liberar ponteiros de interface:

template <class T> void SafeRelease(T **ppT)
{
    if (*ppT)
    {
        (*ppT)->Release();
        *ppT = NULL;
    }
}

Abrir um arquivo de mídia

A função PlayMediaFile abre um arquivo de mídia da seguinte maneira:

  1. Se g_pPlayer for NULL, a função chamará MFPCreateMediaPlayer para criar uma nova instância do objeto media player. Os parâmetros de entrada para MFPCreateMediaPlayer incluem um ponteiro para a interface de retorno de chamada e um identificador para a janela de vídeo.
  2. Para abrir o arquivo de mídia, a função chama IMFPMediaPlayer::CreateMediaItemFromURL, passando a URL do arquivo. Esse método é concluído de forma assíncrona. Quando concluído, o método IMFPMediaPlayerCallback::OnMediaPlayerEvent do aplicativo é chamado.
HRESULT PlayMediaFile(HWND hwnd, PCWSTR pszURL)
{
    HRESULT hr = S_OK;

    // Create the MFPlayer object.
    if (g_pPlayer == NULL)
    {
        g_pPlayerCB = new (std::nothrow) MediaPlayerCallback();

        if (g_pPlayerCB == NULL)
        {
            return E_OUTOFMEMORY;
        }

        hr = MFPCreateMediaPlayer(
            NULL,
            FALSE,          // Start playback automatically?
            0,              // Flags
            g_pPlayerCB,    // Callback pointer
            hwnd,           // Video window
            &g_pPlayer
            );
    }

    // Create a new media item for this URL.

    if (SUCCEEDED(hr))
    {
        hr = g_pPlayer->CreateMediaItemFromURL(pszURL, FALSE, 0, NULL);
    }

    // The CreateMediaItemFromURL method completes asynchronously.
    // The application will receive an MFP_EVENT_TYPE_MEDIAITEM_CREATED
    // event. See MediaPlayerCallback::OnMediaPlayerEvent().

    return hr;
}

A função OnFileOpen exibe a caixa de diálogo de arquivo comum, que permite ao usuário selecionar um arquivo para reprodução. A interface IFileOpenDialog é usada para exibir a caixa de diálogo de arquivo comum. Essa interface faz parte das APIs do Shell do Windows; ele foi introduzido no Windows Vista como um substituto para a função GetOpenFileName mais antiga. Depois que o usuário seleciona um arquivo, OnFileOpen chama PlayMediaFile para iniciar a reprodução.

void OnFileOpen(HWND hwnd)
{
    IFileOpenDialog *pFileOpen = NULL;
    IShellItem *pItem = NULL;
    PWSTR pwszFilePath = NULL;

    // Create the FileOpenDialog object.
    HRESULT hr = CoCreateInstance(__uuidof(FileOpenDialog), NULL,
        CLSCTX_INPROC_SERVER, IID_PPV_ARGS(&pFileOpen));
    if (SUCCEEDED(hr))
    {
        hr = pFileOpen->SetTitle(L"Select a File to Play");
    }

    // Show the file-open dialog.
    if (SUCCEEDED(hr))
    {
        hr = pFileOpen->Show(hwnd);
    }

    if (hr == HRESULT_FROM_WIN32(ERROR_CANCELLED))
    {
        // User canceled.
        SafeRelease(&pFileOpen);
        return;
    }

    // Get the file name from the dialog.
    if (SUCCEEDED(hr))
    {
        hr = pFileOpen->GetResult(&pItem);
    }

    if (SUCCEEDED(hr))
    {
       hr = pItem->GetDisplayName(SIGDN_URL, &pwszFilePath);
    }

    // Open the media file.
    if (SUCCEEDED(hr))
    {
        hr = PlayMediaFile(hwnd, pwszFilePath);
    }

    if (FAILED(hr))
    {
        ShowErrorMessage(L"Could not open file.", hr);
    }

    CoTaskMemFree(pwszFilePath);

    SafeRelease(&pItem);
    SafeRelease(&pFileOpen);
}

Manipuladores de mensagens do Windows

Em seguida, declare manipuladores de mensagens para as seguintes mensagens do Windows:

  • WM_PAINT
  • WM_SIZE
  • WM_CLOSE

Para a mensagem WM_PAINT, você deve acompanhar se o vídeo está sendo reproduzido no momento. Nesse caso, chame o método IMFPMediaPlayer::UpdateVideo. Esse método faz com que o objeto player redesenhe o quadro de vídeo mais recente.

Se não houver vídeo, o aplicativo será responsável por pintar a janela. Para este tutorial, o aplicativo simplesmente chama a função GDI FillRect para preencher toda a área do cliente.

void OnPaint(HWND hwnd)
{
    PAINTSTRUCT ps;
    HDC hdc = BeginPaint(hwnd, &ps);

    if (g_pPlayer && g_bHasVideo)
    {
        // Playback has started and there is video.

        // Do not draw the window background, because the video
        // frame fills the entire client area.

        g_pPlayer->UpdateVideo();
    }
    else
    {
        // There is no video stream, or playback has not started.
        // Paint the entire client area.

        FillRect(hdc, &ps.rcPaint, (HBRUSH) (COLOR_WINDOW+1));
    }

    EndPaint(hwnd, &ps);
}

Para a mensagem WM_SIZE, chame IMFPMediaPlayer::UpdateVideo. Esse método faz com que o objeto player reajuste o vídeo para corresponder ao tamanho atual da janela. Observe que UpdateVideo é usado para WM_PAINT e WM_SIZE.

void OnSize(HWND /*hwnd*/, UINT state, int /*cx*/, int /*cy*/)
{
    if (state == SIZE_RESTORED)
    {
        if (g_pPlayer)
        {
            // Resize the video.
            g_pPlayer->UpdateVideo();
        }
    }
}

Para a mensagem WM_CLOSE, libere os ponteiros IMFPMediaPlayer e IMFPMediaPlayerCallback.

void OnClose(HWND /*hwnd*/)
{
    SafeRelease(&g_pPlayer);
    SafeRelease(&g_pPlayerCB);
    PostQuitMessage(0);
}

Implementar o método de retorno de chamada

A interface IMFPMediaPlayerCallback define um único método, OnMediaPlayerEvent. Esse método notifica o aplicativo sempre que ocorre um evento durante a reprodução. O método usa um parâmetro, um ponteiro para uma estrutura MFP_EVENT_HEADER. O membro eEventType da estrutura especifica o evento que ocorreu.

A estrutura MFP_EVENT_HEADER ode ser seguida por dados adicionais. Para cada tipo de evento, é definida uma macro que converte o ponteiro MFP_EVENT_HEADER em uma estrutura específica do evento. (Confira MFP_EVENT_TYPE.)

Para este tutorial, dois eventos são significativos:

Evento Descrição
MFP_EVENT_TYPE_MEDIAITEM_CREATED Enviado quando o CreateMediaItemFromURL é concluído.
MFP_EVENT_TYPE_MEDIAITEM_SET Enviado quando SetMediaItem é concluído.

 

O código a seguir mostra como converter o ponteiro MFP_EVENT_HEADER para a estrutura específica do evento.

void MediaPlayerCallback::OnMediaPlayerEvent(MFP_EVENT_HEADER * pEventHeader)
{
    if (FAILED(pEventHeader->hrEvent))
    {
        ShowErrorMessage(L"Playback error", pEventHeader->hrEvent);
        return;
    }

    switch (pEventHeader->eEventType)
    {
    case MFP_EVENT_TYPE_MEDIAITEM_CREATED:
        OnMediaItemCreated(MFP_GET_MEDIAITEM_CREATED_EVENT(pEventHeader));
        break;

    case MFP_EVENT_TYPE_MEDIAITEM_SET:
        OnMediaItemSet(MFP_GET_MEDIAITEM_SET_EVENT(pEventHeader));
        break;
    }
}

O evento MFP_EVENT_TYPE_MEDIAITEM_CREATED notifica o aplicativo de que o método IMFPMediaPlayer::CreateMediaItemFromURL foi concluído. A estrutura de eventos contém um ponteiro para a interface IMFPMediaItem, que representa o item de mídia criado a partir da URL. Para incluir o item na fila para reprodução, passe esse ponteiro para o método IMFPMediaPlayer::SetMediaItem:

void OnMediaItemCreated(MFP_MEDIAITEM_CREATED_EVENT *pEvent)
{
    // The media item was created successfully.

    if (g_pPlayer)
    {
        BOOL    bHasVideo = FALSE;
        BOOL    bIsSelected = FALSE;

        // Check if the media item contains video.
        HRESULT hr = pEvent->pMediaItem->HasVideo(&bHasVideo, &bIsSelected);
        if (SUCCEEDED(hr))
        {
            g_bHasVideo = bHasVideo && bIsSelected;

            // Set the media item on the player. This method completes
            // asynchronously.
            hr = g_pPlayer->SetMediaItem(pEvent->pMediaItem);
        }

        if (FAILED(hr))
        {
            ShowErrorMessage(L"Error playing this file.", hr);
        }
   }
}

O evento MFP_EVENT_TYPE_MEDIAITEM_SET notifica o aplicativo de que SetMediaItem foi concluído. Chame IMFPMediaPlayer::Play para iniciar a reprodução:

void OnMediaItemSet(MFP_MEDIAITEM_SET_EVENT * /*pEvent*/)
{
    HRESULT hr = g_pPlayer->Play();
    if (FAILED(hr))
    {
        ShowErrorMessage(L"IMFPMediaPlayer::Play failed.", hr);
    }
}

Implementar o WinMain

No restante do tutorial, não há chamadas para APIs do Media Foundation. O código a seguir mostra o procedimento da janela:

LRESULT CALLBACK WindowProc(HWND hwnd, UINT uMsg, WPARAM wParam, LPARAM lParam)
{
    switch (uMsg)
    {
        HANDLE_MSG(hwnd, WM_CLOSE,   OnClose);
        HANDLE_MSG(hwnd, WM_PAINT,   OnPaint);
        HANDLE_MSG(hwnd, WM_COMMAND, OnCommand);
        HANDLE_MSG(hwnd, WM_SIZE,    OnSize);

    case WM_ERASEBKGND:
        return 1;

    default:
        return DefWindowProc(hwnd, uMsg, wParam, lParam);
    }
}

A função InitializeWindow registra a classe de janela do aplicativo e cria a janela.

BOOL InitializeWindow(HWND *pHwnd)
{
    const wchar_t CLASS_NAME[]  = L"MFPlay Window Class";
    const wchar_t WINDOW_NAME[] = L"MFPlay Sample Application";

    WNDCLASS wc = {};

    wc.lpfnWndProc   = WindowProc;
    wc.hInstance     = GetModuleHandle(NULL);
    wc.hCursor       = LoadCursor(NULL, IDC_ARROW);
    wc.lpszClassName = CLASS_NAME;
    wc.lpszMenuName  = MAKEINTRESOURCE(IDR_MENU1);

    RegisterClass(&wc);

    HWND hwnd = CreateWindow(
        CLASS_NAME, WINDOW_NAME, WS_OVERLAPPEDWINDOW,
        CW_USEDEFAULT, CW_USEDEFAULT, CW_USEDEFAULT, CW_USEDEFAULT,
        NULL, NULL, GetModuleHandle(NULL), NULL);

    if (!hwnd)
    {
        return FALSE;
    }

    ShowWindow(hwnd, SW_SHOWDEFAULT);
    UpdateWindow(hwnd);

    *pHwnd = hwnd;

    return TRUE;
}

Por fim, implemente o ponto de entrada do aplicativo:

int WINAPI wWinMain(HINSTANCE, HINSTANCE, PWSTR, int)
{
    HeapSetInformation(NULL, HeapEnableTerminationOnCorruption, NULL, 0);

    HRESULT hr = CoInitializeEx(NULL,
        COINIT_APARTMENTTHREADED | COINIT_DISABLE_OLE1DDE);

    if (FAILED(hr))
    {
        return 0;
    }

    HWND hwnd = NULL;
    if (InitializeWindow(&hwnd))
    {
        // Message loop
        MSG msg = {};
        while (GetMessage(&msg, NULL, 0, 0))
        {
            TranslateMessage(&msg);
            DispatchMessage(&msg);
        }

        DestroyWindow(hwnd);
    }
    CoUninitialize();

    return 0;
}

Usar a MFPlay para reprodução de áudio/vídeo