Android builders summit The Android media framework
|
|
|
- Jeremy Clark
- 9 years ago
- Views:
Transcription
1 Android builders summit The Android media framework Author: Bert Van Dam & Poornachandra Kallare Date: 22 April 2014
2 Usage models Use the framework: MediaPlayer android.media.mediaplayer Framework manages Demuxing Decoding AV synchronization AV rendering DIY: the application manages Demuxing: android.media.mediaextractor Decoding: android.media.mediacodec Video rendering: android.media.mediacodec Audio rendering: android.media.audiotrack 2
3 MediaPlayer usage model The easy way: instantiate VideoView Creates the MediaPlayer for you Exports similar API to MediaPlayer The slightly more complicated way Application creates SurfaceView Application creates MediaPlayer MediaPlayer.setSurface(surface) 3
4 Which media players exist Built-in players AwesomePlayer (default player selected) NuPlayer (Apple HLS) SonivoxPlayer (midi files) testplayer Extra player factories can be registered Every player provides same interface frameworks/av/include/media/mediaplayerinterface.h 4
5 Architecture android.media.mediaplayer Native MediaPlayer MediaPlayerService frameworks/base/media/java/android/media/mediaplayer.java JNI frameworks/base/media/jni/android_media_mediaplayer.cpp frameworks/av/media/libmedia/mediaplayer.cpp Binder frameworks/av/media/libmediaplayerservice/mediaplayerservice.cpp JAVA Native Application Media service MediaPlayer Factory creates NuPlayer Driver frameworks/av/media/libmediaplayerservice/mediaplayerfactory.cpp frameworks/av/media/libmediaplayerservice/nuplayer/nuplayerdriver.cpp StageFright Player frameworks/av/media/libmediaplayerservice/stagefrightplayer.cpp instantiates Awesome Player frameworks/av/media/libstagefright/awesomeplayer.cpp 5
6 Player creation (simplified) JAVA Native (1) mp = new MediaPlayer(); native_setup(new WeakReference<MediaPlayer>(this)); sp<mediaplayer> mp = new MediaPlayer(); Application MediaPlayer.java android_media_mediaplayer.cpp Object initialization maudiosessionid = AudioSystem::newAudioSessionId(); AudioSystem::acquireAudioSessionId(mAudioSessionId); mediaplayer.cpp Nothing much happened yet 6
7 Player creation (simplified) JAVA Native binder (2)) mp.setdatasource(url); Application setdatasource(url); mp.setdatasource(url); getmediaplayerservice; Player = Service.create(audiosessionid); MediaPlayer.java android_media_mediaplayer.cpp mediaplayer.cpp new Client(); MediaPlayerService.cpp Player->setDataSource(URL); mediaplayer.cpp Check network permissions MediaPlayerFactory::createPlayer(); MediaPlayerService.cpp Which player handles this URL??? 7
8 Player creation factory Default is StageFright player_type MediaPlayerFactory::getDefaultPlayerType() { char value[property_value_max]; if (property_get("media.stagefright.use-nuplayer", value, NULL) && (!strcmp("1", value)!strcasecmp("true", value))) { return NU_PLAYER; } } return STAGEFRIGHT_PLAYER; class NuPlayerFactory : public MediaPlayerFactory::IFactory { public: virtual float scorefactory(const sp<imediaplayer>& client, const char* url, float curscore) { static const float kourscore = 0.8; if (kourscore <= curscore) return 0.0; Handle these extensions only class SonivoxPlayerFactory : public MediaPlayerFactory::IFactory { public: virtual float scorefactory(const sp<imediaplayer>& client, const char* url, float curscore) { static const float kourscore = 0.4; static const char* const FILE_EXTS[] = { ".mid", ".midi", ".smf", ".xmf", ".mxmf", ".imy", ".rtttl", ".rtx", ".ota" }; Apple HLS And RTSP } if (!strncasecmp(" url, 7)!strncasecmp(" url, 8)) { size_t len = strlen(url); if (len >= 5 &&!strcasecmp(".m3u8", &url[len - 5])) { return kourscore; } } if (strstr(url,"m3u8")) { return kourscore; } if (!strncasecmp("rtsp://", url, 7)) { return kourscore; } return 0.0; 8
9 AwesomePlayer Building blocks OMX-IL Standardized interface for accessing streaming components Google provides set of SW decoders SOC suppliers provide HW accelerated decoders MediaExtractors frameworks/av/media/libstagefright/ Classes capable of demuxing specific container formats (MP3Extractor, MPEG4Extractor, MatroskaExtractor, ) Allow extraction of audio, video, subtitle tracks Audioflinger, surfaceflinger for rendering 9
10 OMX-IL - principles Used by Stagefright players 10
11 OMX-IL Android integration 11
12 OMX-IL example config file media_codecs.xml 12
13 MediaPlayer.prepare Example mconnectingdatasource = HTTPBase::Create; mconnectingdatasource->connect(url); mcachedsource = new NuCachedSource2(); datasource = mcachedsource; creates a ChromiumHttpClient Go through the cache from here onwards AwesomePlayer.cpp Wait for 192 KB of data in the cache Datasource->sniff() ; extractor = MediaExtractor::Create(MIME, datasource); Calculate bitrate of stream through extractor Select first video and audio stream as default initvideodecoder() mvideosource = OMXCodec::Create(); mvideosource->start(); initaudiodecoder(); maudiosource = OMXCodec::Create(); maudiosource->start(); Continue buffering Detect the MIME type of the stream Create the extractor Create and start the video decoder Create and start the audio decoder Notify Prepared state when highwatermark is reached AwesomePlayer.cpp Already registered MediaPlayer is now ready to start playback Decoding is not yet happening at this stage!!! 13
14 Status after prepare AwesomePlayer MediaSource API instances mvideotrack maudiotrack MediaSource API instances mvideosource maudiosource MediaExtractor OMXCodec (video) datasource OMXCodec (audio) buffer NuCachedSoure2 (network files) FileSource (local files) ChromiumHttpClient (fetches data over IP) 14
15 MediaPlayer.start mp.setsurface(); mp.start(); Call needed to have a destination for rendering (VideoView srf) Application maudioplayer = new AudioPlayer(); maudioplayer->setsource(maudiosource); mtimesource = maudioplayer; startaudioplayer_l(); mtextdriver->start(); initrenderer_l(); Start video event generation Render buffers after applying AV sync logic Audio track used as timing reference Starts the audio player Start subtitle player Initialize the rendering path (based on SW/HW codec) loop of video events with A/V sync logic AwesomePlayer.cpp 15
16 Status after start Video data pulled by timed events AV sync happens here AwesomePlayer textdriver AudioPlayer AwesomeRenderer MediaSource API instances mvideotrack maudiotrack audiosink MediaExtractor OMXCodec (video) MediaSource API instances mvideosource maudiosource nativewindow datasource OMXCodec (audio) buffer NuCachedSoure2 (network files) FileSource (local files) AudioFlinger ChromiumHttpClient (fetches data over IP) Audio Video Audio data pulled by sink through callback SurfaceFlinger 16
17 Track selection MediaPlayer. gettrackinfo Returns list of tracks MediaPlayer. selecttrack(idx) Maps to MediaExtractor Select audio, video or subtitle track 17
18 Subtitle handling Limited formats supported SRT, 3GPP Both embedded and external files addtimedtextsource to add external file MediaPlayer.getTrackInfo returns both internal and external subtitle tracks Player takes care of syncing to playback time TimedText notifications raised at correct time 18
19 Subtitle rendering Simple TextView can be used to render 19
20 The DIY model android.media.mediacodeclist Returns supported formats Based on config.xml file explained before android.media.mediacodec Is basically an abstraction of OMX-IL Application juggles buffers to and from component Application acts as the player in this case Responsible for rendering + AV sync 20
21 The DIY model typical setup Create SurfaceView (for rendering video) Create AudioTrack (for rendering audio) Create MediaExtractor (alternatively have your own system for ES retrieval) -> query tracks -> selecttrack(audio track idx) -> selecttrack(video track idx) -> gettrackformat(idx) Create MediaCodec for audio and for video Configure MediaCodecs as per formats detected above, and start them while (1) on thread 1 { extr.readsampledata extr.getsampletrackindex // determine if it s the audio or video // presentation time extr.getsampletime audio/videodec.queueinputbuffer } ~~~ while(1) on thread 2 { audio/videodec.dequeueoutputbuffer audiotrack.write for audio videodec.releaseoutputbuffer for video } MyActivity MediaExtractor SurfaceView MediaCodec audiodec MediaCodec videodec AudioTrack 21
22 Classic DRM Framework 22
23 Classic DRM Framework The Android DRM framework is implemented in two architectural layers A DRM framework API exposed to applications via Dalvik/Java. Application/DRM specific handling for license acquisition, etc. A native code DRM manager Implements the DRM framework Exposes an interface for DRM plugins (agents) to handle rights management and decryption for various DRM schemes. The interface for plugin developers is listed and documented in DrmEngineBase.h. Identical to the Java DRM Framework API (DrmManagerClient). On the device, the DRM plugins are located in /vendor/lib/drm or in /system/lib/drm. DRM Plugins work with media framework for content decryption 23
24 Prepare Redux Classic DRM Example mconnectingdatasource = HTTPBase::Create; mconnectingdatasource->connect(url); mcachedsource = new NuCachedSource2(); datasource = mcachedsource; creates a ChromiumHttpClient Go through the cache from here onwards AwesomePlayer.cpp Wait for 192 KB of data in the cache Datasource->sniff() ; extractor = MediaExtractor::Create(MIME, datasource); Calculate bitrate of stream through extractor Select first video and audio stream as default initvideodecoder() mvideosource = OMXCodec::Create(); mvideosource->start(); initaudiodecoder(); maudiosource = OMXCodec::Create(); maudiosource->start(); Continue buffering Detect the MIME type of the stream Create the extractor Create and start the video decoder Create and start the audio decoder Notify Prepared state when highwatermark is reached AwesomePlayer.cpp Already registered RegisterSniffer(SniffDRM) There is a media extractor instance for DRM called DrmExtractor. DrmExtractor implements SniffDRM 24
25 Status after prepare Classic DRM AwesomePlayer MediaSource API instances mvideotrack maudiotrack DrmPlugins DrmPlugins DrmPlugins DrmExtractor OMXCodec (video) MediaSource API instances mvideosource maudiosource OriginalExtractor OMXCodec (audio) DrmSource buffer NuCachedSoure2 (network files) FileSource (local files) ChromiumHttpClient (fetches data over IP) 25
26 DRM with media codec Applications using mediacodec can also use DRM Example: MPEG DASH CENC Using MediaCrypto and MediaDRM MediaDRM provides application API to Provision DRM clients Generate DRM/content specific challenges Download licenses/keys Generate a session ID that can be used to create media crypto objects MediaCrypto object obtained from MediaDRM can then be used with mediacodec Submit to media codec using public final void queuesecureinputbuffer (int index, int offset, MediaCodec.CryptoInfo info, long presentationtimeus, int flags) Internally uses a plugin framework Not the same plugins as used in classic DRM! Different set of plugins with different API 26
27 DRM with Mediacodec 27
28 28
29 Media framework changes Audio track selection improvements Improve runtime audio track changes Trickmodes Android only supports Seek I-Frame based trickmodes, DLNA compliancy (x1/2, x1/4) Adaptive streaming added (DASH, ) Subtitle gaps Add SAMI, SUB, external TTML, DRM extensions PlayReady, WMDRM, Marlin 29
30 TV inputs Extra player taking care of TV inputs (tuner, extensions) 30
31
Serving Media with NGINX Plus
Serving Media with NGINX Plus Published June 11, 2015 NGINX, Inc. Table of Contents 3 About NGINX Plus 3 Using this Guide 4 Prerequisites and System Requirements 5 Serving Media with NGINX Plus 9 NGINX
An Android Multimedia Framework based on Gstreamer
An Android Multimedia Framework based on Gstreamer Hai Wang 1, Fei Hao 2, Chunsheng Zhu 3, Joel J. P. C. Rodrigues 4, and Laurence T. Yang 3 1 School of Computer Science, Wuhan University, China [email protected]
SECURE IMPLEMENTATIONS OF CONTENT PROTECTION (DRM) SCHEMES ON CONSUMER ELECTRONIC DEVICES
SECURE IMPLEMENTATIONS OF CONTENT PROTECTION (DRM) SCHEMES ON CONSUMER ELECTRONIC DEVICES Contents Introduction... 3 DRM Threat Model... 3 DRM Flow... 4 DRM Assets... 5 Threat Model... 5 Protection of
Android on i.mx Applications Processors
July 2009 Android on i.mx Applications Processors Sridharan Subramanian Senior Product Manager Software and Platforms Abstract Android is a software platform and operating system for mobile devices, based
Multimedia Playback & Streaming
Multimedia Playback & Streaming Shadab Rashid Jam 16 September 28 th, 2012 What are you interested in? Making multimedia apps for Consuming Audio/Video Dealing with content providers, looking for An application/client
Android Virtualization from Sierraware. Simply Secure
Android Virtualization from Sierraware Simply Secure Integration Challenges DRM Mandates TrustZone TEE Hypervisor provides the flexibility and security needed for BYOD Power management, responsibility
Inside Android's UI Embedded Linux Conference Europe 2012 Karim Yaghmour @karimyaghmour
Inside Android's UI Embedded Linux Conference Europe 2012 Karim Yaghmour @karimyaghmour [email protected] 1 These slides are made available to you under a Creative Commons ShareAlike 3.0 license.
High Efficiency Video Coding (HEVC) or H.265 is a next generation video coding standard developed by ITU-T (VCEG) and ISO/IEC (MPEG).
HEVC - Introduction High Efficiency Video Coding (HEVC) or H.265 is a next generation video coding standard developed by ITU-T (VCEG) and ISO/IEC (MPEG). HEVC / H.265 reduces bit-rate requirement by 50%
The MeeGo Multimedia Stack. Dr. Stefan Kost Nokia - The MeeGo Multimedia Stack - CELF Embedded Linux Conference Europe
The MeeGo Multimedia Stack The MeeGo Multimedia Stack MeeGo Intro Architecture Development GStreamer Quick MeeGo Intro MeeGo = Moblin + Maemo Linux distribution for CE devices Netbook, Phone (Handset),
Abstractions from Multimedia Hardware. Libraries. Abstraction Levels
Abstractions from Multimedia Hardware Chapter 2: Basics Chapter 3: Multimedia Systems Communication Aspects and Services Chapter 4: Multimedia Systems Storage Aspects Chapter 5: Multimedia Usage and Applications
Contents. Getting Set Up... 3. Contents 2
Getting Set Up Contents 2 Contents Getting Set Up... 3 Setting up Your Firewall for Video...3 Configuring Video... 3 Exporting videos... 4 Security for Jive Video Communication... 4 Getting Set Up 3 Getting
Developing PlayReady Clients
April 2015 Abstract Microsoft PlayReady is the premier platform for protection and distribution of digital content. This white paper provides an overview of the PlayReady product suite and discusses PlayReady
Fragmented MPEG-4 Technology Overview
Fragmented MPEG-4 Technology Overview www.mobitv.com 6425 Christie Ave., 5 th Floor Emeryville, CA 94607 510.GET.MOBI HIGHLIGHTS Mobile video traffic is increasing exponentially. Video-capable tablets
SmartTV User Interface Development for SmartTV using Web technology and CEA2014. George Sarosi [email protected]
SmartTV User Interface Development for SmartTV using Web technology and CEA2014. George Sarosi [email protected] Abstract Time Warner Cable is the second largest Cable TV operator in North America
DVBLink For IPTV. Installation and configuration manual
DVBLink For IPTV Installation and configuration manual DVBLogic 2010 Table of contents Table of contents... 2 Introduction... 4 Installation types... 4 DVBLink for IPTV local installation... 4 DVBLink
Document OwnCloud Collaboration Server (DOCS) User Manual. How to Access Document Storage
Document OwnCloud Collaboration Server (DOCS) User Manual How to Access Document Storage You can connect to your Document OwnCloud Collaboration Server (DOCS) using any web browser. Server can be accessed
Wowza Media Systems provides all the pieces in the streaming puzzle, from capture to delivery, taking the complexity out of streaming live events.
Deciding what event you want to stream live that s the easy part. Figuring out how to stream it? That s a different question, one with as many answers as there are options. Cameras? Encoders? Origin and
Harmonizing policy management with Murphy in GENIVI, AGL and TIZEN IVI
Harmonizing policy management with Murphy in GENIVI, AGL and TIZEN IVI 1 Long term TIZEN Objectives for harmonization Support in TIZEN for coexistence of GENIVI applications Allow portable business rules
Spring Design ScreenShare Service SDK Instructions
Spring Design ScreenShare Service SDK Instructions V1.0.8 Change logs Date Version Changes 2013/2/28 1.0.0 First draft 2013/3/5 1.0.1 Redefined some interfaces according to issues raised by Richard Li
Adaptive HTTP streaming and HTML5. 1 Introduction. 1.1 Netflix background. 1.2 The need for standards. W3C Web and TV Workshop, 8-9 February 2011
W3C Web and TV Workshop, 8-9 February 2011 Adaptive HTTP streaming and HTML5 Mark Watson, Netflix Inc. 1 Introduction 1.1 Netflix background Netflix is a leading provider of streaming video services in
Streaming Networks with VLC. Jean-Paul Saman [email protected]
Streaming Networks with VLC Jean-Paul Saman [email protected] Jean-Paul Saman 2001 member of VideoLAN team PDA port (familiar linux distro) H3600/3800/3900 VideoLAN server Remote OSDmenu DVB-C/S/T
Windows Embedded Compact 7 Multimedia Features 1
Windows Embedded Compact 7 Multimedia Features 1 Windows Embedded Compact 7 Multimedia Features Windows Embedded Compact 7 Technical Article Writers: Dion Hutchings Published: March 2011 Applies To: Windows
IxLoad TM Adobe HDS Player Emulation
IxLoad TM Adobe HDS Player Emulation HTTP Dynamic Streaming (HDS) is a solution developed by Adobe Systems to playback high quality live and on-demand content. The playback uses HTTP for streaming fragmented
Specialized Android APP Development Program with Java (SAADPJ) Duration 2 months
Specialized Android APP Development Program with Java (SAADPJ) Duration 2 months Our program is a practical knowledge oriented program aimed at making innovative and attractive applications for mobile
Introduction of Fujitsu DRM Solution for Marlin DRM/MPEG-DASH Solutions
Introduction of Fujitsu DRM Solution for Marlin DRM/MPEG-DASH Solutions March, 2013 FUJITSU LIMITED Introduction Fujitsu was dealing with the creating open specification of DRM from about 20 years ago.
Visualizing gem5 via ARM DS-5 Streamline. Dam Sunwoo ([email protected]) ARM R&D December 2012
Visualizing gem5 via ARM DS-5 Streamline Dam Sunwoo ([email protected]) ARM R&D December 2012 1 The Challenge! System-level research and performance analysis becoming ever so complicated! More cores and
Creating and Using Databases for Android Applications
Creating and Using Databases for Android Applications Sunguk Lee * 1 Research Institute of Industrial Science and Technology Pohang, Korea [email protected] *Correspondent Author: Sunguk Lee* ([email protected])
CSE 237A Final Project Final Report
CSE 237A Final Project Final Report Multi-way video conferencing system over 802.11 wireless network Motivation Yanhua Mao and Shan Yan The latest technology trends in personal mobile computing are towards
SA8 T1 Meeting 3 JANUS Basics and Applications
SA8 T1 Meeting 3 JANUS Basics and Applications Rui Ribeiro WebRTC Task Member IP Video Services Manager, FCT FCCN Stockolm, 27 Oct 2015 28/10/2015 Networks Services People www.geant.org Meetecho JANUS
ACTi SDK-10000. C Library Edition v1.2 SP1. API Reference Guide
ACTi SDK-10000 C Library Edition v1.2 SP1 API Reference Guide Table of Contents 1 OVERVIEW 1-1 INTRODUCTION... 1-1 Start Up with Streaming Client Library 1-1 Start Up with Playback Library 1-5 STREAMING
ANDROID PROGRAMMING - INTRODUCTION. Roberto Beraldi
ANDROID PROGRAMMING - INTRODUCTION Roberto Beraldi Introduction Android is built on top of more than 100 open projects, including linux kernel To increase security, each application runs with a distinct
SIP based HD Video Conferencing on OMAP4
SIP based HD Video Conferencing on OMAP4 This document is a case study of SIP based high definition video conferencing on Android Ice cream sandwich running on OMAP4460 based Blaze Tab2 and Blaze mobile
Affdex SDK for Windows!
Affdex SDK for Windows SDK Developer Guide 1 Introduction Affdex SDK is the culmination of years of scientific research into emotion detection, validated across thousands of tests worldwide on PC platforms,
Overview of CS 282 & Android
Overview of CS 282 & Android Douglas C. Schmidt [email protected] www.dre.vanderbilt.edu/~schmidt Institute for Software Integrated Systems Vanderbilt University Nashville, Tennessee, USA CS 282
Creating Content for ipod + itunes
apple Apple Education Creating Content for ipod + itunes This guide provides information about the file formats you can use when creating content compatible with itunes and ipod. This guide also covers
DVBLink TVSource. Installation and configuration manual
DVBLink TVSource Installation and configuration manual DVBLogic 2010 Table of contents Table of contents... 2 Introduction... 4 Installation types... 4 DVBLink TVSource local installation... 4 DVBLink
ImagineWorldClient Client Management Software. User s Manual. (Revision-2)
ImagineWorldClient Client Management Software User s Manual (Revision-2) (888) 379-2666 US Toll Free (905) 336-9665 Phone (905) 336-9662 Fax www.videotransmitters.com 1 Contents 1. CMS SOFTWARE FEATURES...4
GY-HM850 & GY-HM890 camcorders LIVE STREAMING QUICK REFERENCE GUIDE
GY-HM850 & GY-HM890 camcorders LIVE STREAMING QUICK REFERENCE GUIDE UDP/TCP STREAMING (PUSH) These simple instructions show how to stream to a Video Lan Player (VLC) on your laptop from the GY-HM850 and
Android Operating System
Prajakta S.Adsule Student-M.B.A.[I.T.] BharatiVidyapeeth Deemed University,Pune(india) [email protected] Mob. No. 9850685985 Android Operating System Abstract- Android operating system is one
OPTIMIZE DMA CONFIGURATION IN ENCRYPTION USE CASE. Guillène Ribière, CEO, System Architect
OPTIMIZE DMA CONFIGURATION IN ENCRYPTION USE CASE Guillène Ribière, CEO, System Architect Problem Statement Low Performances on Hardware Accelerated Encryption: Max Measured 10MBps Expectations: 90 MBps
ITG Software Engineering
Basic Android Development Course ID: Page 1 Last Updated 12/15/2014 Basic Android Development ITG Software Engineering Course Overview: This 5 day course gives students the fundamental basics of Android
HDMI on OMAP4 PANDA. Design, Challenges and Lessons Learned Mythri P K
HDMI on OMAP4 PANDA Design, Challenges and Lessons Learned Mythri P K 1 Agenda HDMI in a Nutshell OMAP4 HDMI hardware High level software requirements Compliance dependent HDMI features Current software
Office Mix Tutorial: Adding Captions & Subtitles in PowerPoint 2013 & Office 365
Adding Captions & Subtitles in PowerPoint This step-by-step guide will show you how to add closed captions and subtitles to videos in PowerPoint. There are two main methods, depending on what version of
Building an On-Demand Video Service with Microsoft Azure Media Services
Building an On-Demand Video Service with Microsoft Azure Media Services David Britch Martin Cabral Ezequiel Jadib Douglas McMurtry Andrew Oakley Kirpa Singh Hanz Zhang April 2014 2 Copyright This document
Internet Captioning - Implications of the Multi-platform, Multi-Display Ecosystem
Internet Captioning - Implications of the Multi-platform, Multi-Display Ecosystem Welcome Brought to you by the following PDA Sponsors: SMPTE Monthly Webcast Sponsors Thank you to our sponsors for their
Blackboard Mobile Learn: Best Practices for Making Online Courses Mobile-Friendly
Blackboard Mobile Learn: Best Practices for Making Online Courses Mobile-Friendly STAFF GUIDE Contents Introduction 2 Content Considerations 5 Discussions 9 Announcements 10 Mobile Learn Content Compatibility
HbbTV Forum Nederland Specification for use of HbbTV in the Netherlands
HbbTV Forum Nederland Specification for use of HbbTV in the Netherlands Version 1.0 Approved for Publication 2013, HbbTV Forum Nederland Date: 1 May 2013 Contact: Rob Koenen, [email protected] Specification
JavaFX Session Agenda
JavaFX Session Agenda 1 Introduction RIA, JavaFX and why JavaFX 2 JavaFX Architecture and Framework 3 Getting Started with JavaFX 4 Examples for Layout, Control, FXML etc Current day users expect web user
Live and VOD OTT Streaming Practical South African Technology Considerations
Live and VOD OTT Streaming Practical South African Technology Considerations Purpose of Presentation Discuss the state of video streaming technology in South Africa Discuss various architectures and technology
User's Manual. iphone Codec. for SelenioFlex Ingest
iphone Codec for SelenioFlex Ingest August 2015 for SelenioFlex Ingest Publication Information 2015 Imagine Communications Corp. Proprietary and Confidential. Imagine Communications considers this document
PlayReady App Creation Tutorial
Version 0.93 Samsung Smart TV 1 1. OVERVIEW... 4 2. INTRODUCTION... 4 2.1. DEVELOPMENT ENVIRONMENT... 4 2.2. FILES NEEDED FOR A PLAYREADY VIDEO APPLICATION... 5 3. SAMSUNG TV PLAYREADY SPECIFICATION...
AAC-ELD based Audio Communication on Android
F R A U N H O F E R I N S T I T U T E F O R I N T E G R A T E D C I R C U I T S I I S APPLICATION BULLETIN AAC-ELD based Audio Communication on Android V2.8-25.07.2014 ABSTRACT This document is a developer
Getting Started with the Skillsoft Learning App
Getting Started with the Skillsoft Learning App This guide will help you learn about important features and functionality in the Skillsoft Learning App. Install the Learning App You can install the Skillsoft
Using Mobile Processors for Cost Effective Live Video Streaming to the Internet
Using Mobile Processors for Cost Effective Live Video Streaming to the Internet Hans-Joachim Gelke Tobias Kammacher Institute of Embedded Systems Source: Apple Inc. Agenda 1. Typical Application 2. Available
Multimedia Framework Overview. JongHyuk Choi
Multimedia Framework Overview JongHyuk Choi Tizen Architecture Applications Infra Web Applications Native Applications Web Framework W3C/HTML5 Device APIs Web UI Multimedia Web Runtime Native API SDK Core
A Method of Pseudo-Live Streaming for an IP Camera System with
A Method of Pseudo-Live Streaming for an IP Camera System with HTML5 Protocol 1 Paul Vincent S. Contreras, 2 Jong Hun Kim, 3 Byoung Wook Choi 1 Seoul National University of Science and Technology, Korea,
GETTING STARTED WITH ANDROID DEVELOPMENT FOR EMBEDDED SYSTEMS
Embedded Systems White Paper GETTING STARTED WITH ANDROID DEVELOPMENT FOR EMBEDDED SYSTEMS September 2009 ABSTRACT Android is an open source platform built by Google that includes an operating system,
point to point and point to multi point calls over IP
Helsinki University of Technology Department of Electrical and Communications Engineering Jarkko Kneckt point to point and point to multi point calls over IP Helsinki 27.11.2001 Supervisor: Instructor:
In: Proceedings of RECPAD 2002-12th Portuguese Conference on Pattern Recognition June 27th- 28th, 2002 Aveiro, Portugal
Paper Title: Generic Framework for Video Analysis Authors: Luís Filipe Tavares INESC Porto [email protected] Luís Teixeira INESC Porto, Universidade Católica Portuguesa [email protected] Luís Corte-Real
Mobile Application Development
Mobile Application Development Lecture 23 Sensors and Multimedia 2013/2014 Parma Università degli Studi di Parma Lecture Summary Core Motion Camera and Photo Library Working with Audio and Video: Media
Android app development course
Android app development course Unit 7- + Beyond Android Activities. SMS. Audio, video, camera. Sensors 1 SMS We can send an SMS through Android's native client (using an implicit Intent) Intent smsintent
OMX, Android, GStreamer How do I decide what to use? 15 July 2011
OMX, Android, GStreamer How do I decide what to use? 15 July 2011 When to use which framework? Android (easiest) Customer wants a full featured media player with minimal trouble and no prior knowledge
CORD Monitoring Service
CORD Design Notes CORD Monitoring Service Srikanth Vavilapalli, Ericsson Larry Peterson, Open Networking Lab November 17, 2015 Introduction The XOS Monitoring service provides a generic platform to support
Dolby Digital Plus in HbbTV
Dolby Digital Plus in HbbTV November 2013 [email protected] Broadcast Systems Manager HbbTV Overview HbbTV v1.0 and v1.5 Open platform standard to deliver content over broadcast and broadband for
EV-8000S. Features & Technical Specifications. EV-8000S Major Features & Specifications 1
EV-8000S Features & Technical Specifications EV-8000S Major Features & Specifications 1 I. General Description EV-8000S is fully compliant with the international DVB standard and thus transmits digital
Service Providers and WebRTC
Whitepaper Service Providers and WebRTC New Product Opportunities Over- the- Top (OTT) services are those that deliver communications features to customers but are apps running on the data network rather
... Introduction... 17
... Introduction... 17 1... Workbench Tools and Package Hierarchy... 29 1.1... Log on and Explore... 30 1.1.1... Workbench Object Browser... 30 1.1.2... Object Browser List... 31 1.1.3... Workbench Settings...
Mobile Phones Operating Systems
Mobile Phones Operating Systems José Costa Software for Embedded Systems Departamento de Engenharia Informática (DEI) Instituto Superior Técnico 2015-05-28 José Costa (DEI/IST) Mobile Phones Operating
Intel Media Server Studio - Metrics Monitor (v1.1.0) Reference Manual
Intel Media Server Studio - Metrics Monitor (v1.1.0) Reference Manual Overview Metrics Monitor is part of Intel Media Server Studio 2015 for Linux Server. Metrics Monitor is a user space shared library
MEZORY IP-CCTV QUICK PREVIEW
MEZORY IP-CCTV QUICK PREVIEW Current Running Products Ver. 2.4 & Test tool Ver. 13.12 One Push Focusing Motorized Lens Controllable Controlling of motorized lens via network remotely gives maximized convenience
A Short Introduction to Android
A Short Introduction to Android Notes taken from Google s Android SDK and Google s Android Application Fundamentals 1 Plan For Today Lecture on Core Android Three U-Tube Videos: - Architecture Overview
Practical Android Projects Lucas Jordan Pieter Greyling
Practical Android Projects Lucas Jordan Pieter Greyling Apress s w«^* ; i - -i.. ; Contents at a Glance Contents --v About the Authors x About the Technical Reviewer xi PAcknowiedgments xii Preface xiii
Alarms of Stream MultiScreen monitoring system
STREAM LABS Alarms of Stream MultiScreen monitoring system Version 1.0, June 2013. Version history Version Author Comments 1.0 Krupkin V. Initial version of document. Alarms for MPEG2 TS, RTMP, HLS, MMS,
Version 2.8. Released 30 September 2015
Intel Collaboration Suite for WebRTC (Intel CS for WebRTC) Version 2.8 Released 30 September 2015 1. Disclaimer This release note as well as the software described in it is furnished under license and
ITP 342 Mobile App Development. APIs
ITP 342 Mobile App Development APIs API Application Programming Interface (API) A specification intended to be used as an interface by software components to communicate with each other An API is usually
This documentation is made available before final release and is subject to change without notice and comes with no warranty express or implied.
Hyperloop for ios Programming Guide This documentation is made available before final release and is subject to change without notice and comes with no warranty express or implied. Requirements You ll
Microsoft Smooth Streaming
Microsoft Smooth Streaming for SelenioFlex Ingest August 2015 for SelenioFlex Ingest Publication Information 2015 Imagine Communications Corp. Proprietary and Confidential. Imagine Communications considers
N-series Evaluation Guide
N-series HDX Ready Thin Clients N-series Evaluation Guide This guide provides an overview and simple tips to help you get setup and exercise some of the exciting features of the N-series thin client. N-series
Android Architecture. Alexandra Harrison & Jake Saxton
Android Architecture Alexandra Harrison & Jake Saxton Overview History of Android Architecture Five Layers Linux Kernel Android Runtime Libraries Application Framework Applications Summary History 2003
Cisco Videoscape Media Suite
Data Sheet Cisco Videoscape Media Suite Cisco Videoscape Media Suite is a carrier-grade, cloud-based software platform for powering comprehensive multiscreen media services. Cisco Videoscape Media Suite
The full setup includes the server itself, the server control panel, Firebird Database Server, and three sample applications with source code.
Content Introduction... 2 Data Access Server Control Panel... 2 Running the Sample Client Applications... 4 Sample Applications Code... 7 Server Side Objects... 8 Sample Usage of Server Side Objects...
This is DEEPerent: Tracking App behaviors with (Nothing changed) phone for Evasive android malware
This is DEEPerent: Tracking App behaviors with (Nothing changed) phone for Evasive android malware What I will talk about.. Challenges we faced on android malware analysis: Fast code analysis (Reversing)
Managing video content in DAM How digital asset management software can improve your brands use of video assets
1 Managing Video Content in DAM Faster connection speeds and improved hardware have helped to greatly increase the popularity of online video. The result is that video content increasingly accounts for
1. Introduction to Android
1. Introduction to Android Brief history of Android What is Android? Why is Android important? What benefits does Android have? What is OHA? Why to choose Android? Software architecture of Android Advantages
Trends of Interactive TV & Triple Play
Trends of Interactive TV & Triple Play 1 Technology trends 4C s convergence Improvement and standardization of the encoding technology The enhancement and cost effective of IP video streaming network components
Database FAQs - SQL Server
Database FAQs - SQL Server Kony Platform Release 5.0 Copyright 2013 by Kony, Inc. All rights reserved. August, 2013 This document contains information proprietary to Kony, Inc., is bound by the Kony license
Source Live 2.0 User Guide
Source Live 2.0 User Guide 1 Contents 1. Introducing Source Live 2. Installation and network requirements 2.1 System requirements 2.2 Supported hosts and DAWs 2.3 Network configuration and requirements
SnapLogic Salesforce Snap Reference
SnapLogic Salesforce Snap Reference Document Release: October 2012 SnapLogic, Inc. 71 East Third Avenue San Mateo, California 94401 U.S.A. www.snaplogic.com Copyright Information 2012 SnapLogic, Inc. All
Introduction to Android Programming (CS5248 Fall 2015)
Introduction to Android Programming (CS5248 Fall 2015) Aditya Kulkarni ([email protected]) August 26, 2015 *Based on slides from Paresh Mayami (Google Inc.) Contents Introduction Android
MatrixSSL Developer s Guide
MatrixSSL Developer s Guide This document discusses developing with MatrixSSL. It includes instructions on integrating MatrixSSL into an application and a description of the configurable options for modifying
Sophos Mobile Control Technical guide
Sophos Mobile Control Technical guide Product version: 2 Document date: December 2011 Contents 1. About Sophos Mobile Control... 3 2. Integration... 4 3. Architecture... 6 4. Workflow... 12 5. Directory
Accessing Data with ADOBE FLEX 4.6
Accessing Data with ADOBE FLEX 4.6 Legal notices Legal notices For legal notices, see http://help.adobe.com/en_us/legalnotices/index.html. iii Contents Chapter 1: Accessing data services overview Data
Lab 7: Sharing and Syncing Digital Media, Using Windows Media Center,Researching an Error Event
Lab 7: Sharing and Syncing Digital Media, Using Windows Media Center,Researching an Error Event With Permission an d Copyrights The tasks adopted from CNIT 345: Windows 7 Tech Support, Course by Prof.
Novell Filr. Mobile Client
Novell Filr Mobile Client 0 Table of Contents Quick Start 3 Supported Mobile Devices 3 Supported Languages 4 File Viewing Support 4 FILES THAT CANNOT BE VIEWED IN THE FILR APP 4 FILES THAT GIVE A WARNING
Università Degli Studi di Parma. Distributed Systems Group. Android Development. Lecture 1 Android SDK & Development Environment. Marco Picone - 2012
Android Development Lecture 1 Android SDK & Development Environment Università Degli Studi di Parma Lecture Summary - 2 The Android Platform Android Environment Setup SDK Eclipse & ADT SDK Manager Android
New Features for Remote Monitoring & Analysis using the StreamScope (RM-40)
New Features for Remote Monitoring & Analysis using the StreamScope (RM-40) Provided by: Mega Hertz 800-883-8839 [email protected] www.go2mhz.com Copyright 2015 Triveni Digital, Inc. Topics RM-40 Overview
Mobile App Framework For any Website
Mobile App Framework For any Website Presenting the most advanced and affordable way to create a native mobile app for any website The project of developing a Mobile App is structured and the scope of
Tool for Automated Provisioning System (TAPS) Version 1.2 (1027)
Tool for Automated Provisioning System (TAPS) Version 1.2 (1027) 2015 VoIP Integration Rev. July 24, 2015 Table of Contents Product Overview... 3 Application Requirements... 3 Cisco Unified Communications
By Kundan Singh Oct 2010. Communication
Flash Player Audio Video Communication By Kundan Singh Oct 2010 Modern multimedia communication systems have roots in several different technologies: transporting video over phone lines, using multicast
