Enabling OpenCL Acceleration of Web Applications
|
|
|
- Rodger Barker
- 10 years ago
- Views:
Transcription
1 Enabling OpenCL Acceleration of Web Applications Tasneem Brutch Samsung Electronics Khronos WebCL Working Group Chair LinuxCon Sept. 17, 2013, New Orleans, LA
2 Outline WebCL tutorial, demos and coding examples WebCL use case: Big Data Visualization (presentation and demo) WebCL open API standardization: Status and roadmap Security requirements and provisions & WebCL Kernel Validator OpenCL to WebCL translator utility Questions and Answers
3 WebCL Overview High performance: - Enables acceleration of compute-intensive web applications, through high performance parallel processing. Platform independent: - Portable and efficient access, to heterogeneous multicore devices. - Provides single and coherent standard across desktop and mobile devices. WebCL (Web Computing Language) is a JavaScript binding to OpenCL Being standardized by the Khronos standards organization
4 Motivation Enable new mobile apps with high compute demands: - Big Data Visualization - Augmented Reality - Video Processing - Computational Photography - 3D Games Popularity of web-centric platforms
5 OpenCL Features Overview C-based cross-platform programming interface Kernels: Subset of ISO C99 with language extensions Run-time or build-time compilation of kernels Well-defined numerical accuracy: IEEE 754 rounding with specified max. error Rich set of built-in functions: cross, dot, sin, cos, pow, log, Accelerated mathematical operations (fast-math)
6 OpenCL Platform Model A host is connected to one or more OpenCL devices OpenCL device: - A collection of one or more compute units - (~ cores) - A compute unit is composed of one or more processing elements - (~ threads) - Processing element code execution: - As SIMD or SPMD Host Compute Device Compute Unit Processing Element
7 OpenCL Execution Model Kernel: - Basic unit of executable code, similar to a C function - Data-parallel or task-parallel Work-group Example Program: - Collection of kernels, and functions called by OpenCL kernels - Analogous to a dynamic library (run-time linking) Command Queue: - Applications queue kernels and data transfers - Performed in-order or out-of-order Work-item: - An execution of kernel by a processing element (~ thread) Work-group: - Collection of related work-items executing on a single compute unit (~ core) # work-items = # pixels # work-groups = # tiles work-group size = tile width * tile height
8 OpenCL Memory Model Memory types: - Private memory (blue) - Per work-item - Local memory (green) - At least 32KB split into blocks - Available to a work-item in a given work-group - Global/Constant memory (orange) - Not synchronized - Host memory (red) - On the CPU Memory management is explicit: - Application must move data from host à global à local and back
9 OpenCL Kernels OpenCL kernel - Defined on an N-dimensional computation domain - Executes a kernel at each point of the computation domain Traditional Loop void vectormult( const float* a, const float* b, float* c, const unsigned int count) { for(int i=0; i<count; i++) c[i] = a[i] * b[i]; } Data Parallel OpenCL kernel void vectormult( global const float* a, global const float* b, global float* c) { int id = get_global_id(0); c[id] = a[id] * b[id]; }
10 Executing OpenCL Programs 1. Query host for OpenCL devices 2. Create a context to associate OpenCL devices Context 3. Create programs for execution on one or more associated devices Programs Kernels Memory Objects Command Queue 4. Select kernels to execute from the programs 5. Create memory objects accessible from the host and/or the device 6. Copy memory data to the device as needed Programs Kernel0 Kernel1 Kernel2 Images Buffers In order & out of order 7. Provide kernels to command queue for execution Compile Create data & arguments Send for execution 8. Copy results from the device to the host 10
11 Programming WebCL Initialization Creating kernel Running kernel WebCL image object creation - From Uint8Array - From <img>, <canvas>, or <video> - From WebGL vertex buffer - From WebGL texture WebGL vertex animation WebGL texture animation 11
12 Nbody Simulation Calculates the positions and velocities of N particles and animates them Two simulation modes: - JavaScript and WebCL Two drawing modes: - JavaScript and WebGL with 2D/3D rendering option For 1024 particles, WebCL gets 20~40x faster simulation time on Mac.
13 Deform Calculates and renders transparent and reflective deformed spheres in skybox scene. Performance comparison on Mac: - JS: ~1 FPS - WebCL: FPS
14 WebCL Initialization <script> var platforms = webcl.getplatforms(); var devices = platforms[0].getdevices(webcl.device_type_gpu); var context = webcl.createcontext({ WebCLDevice: devices[0]}); var queue = context.createcommandqueue(); </script> 14
15 Creating WebCL Kernel <script id="squareprogram" type="x-kernel"> kernel square( global float* input, global float* output, const unsigned int count) { int i = get_global_id(0); if(i < count) output[i] = input[i] * input[i]; } </script> <script> var programsource = getprogramsource("squareprogram");//javascript function using DOM APIs var program = context.createprogram(programsource); program.build(); var kernel = program.createkernel("square"); </script> OpenCL C (based on C99)
16 Running WebCL Kernels <script> var numbytes = Float32Array.BYTES_PER_ELEMENT * count; var inputbuf = context.createbuffer(webcl.mem_read_only, numbytes); var outputbuf = context.createbuffer(webcl.mem_write_only, numbytes); var data = new Float32Array(count); // populate data //Second arg indicates blocking API queue.enqueuewritebuffer(inputbuf, true, bufferoffset = 0, numbytes, data); kernel.setkernelarg(0, inputbuf); kernel.setkernelarg(1, outputbuf); kernel.setkernelarg(2, count, WebCL.KERNEL_ARG_INT); var workgroupsize = kernel.getworkgroupinfo(devices[0], WebCL.KERNEL_WORK_GROUP_SIZE); var localworkgroupsize = NULL;//automatically determine how to breakup global-work-items queue.enqueuendrangekernel(kernel, [count], [workgroupsize], localworkgroupsize); queue.finish(); //This API blocks queue.enqueuereadbuffer(outputbuf, true, offset=0, numbytes, data);//second arg indicates blocking API </script>
17 WebCL Image Object Creation From Uint8Array () <script> var bpp = 4; // bytes per pixel var pixels = new Uint8Array(width * height * bpp); var pitch = width * bpp; var climage = context.createimage(webcl.mem_read_only, {channelorder:webcl.rgba, channeltype:webcl.unorm_int8, width:width, height:height, pitch:pitch } ); </script> From <img> or <canvas> or <video> <script> var canvas = document.getelementbyid("acanvas"); var climage = context.createimage(webcl.mem_read_only, canvas); // format, size from element </script>
18 WebCL: Vertex Animation Vertex Buffer Initialization: <script> var points = new Float32Array(NPOINTS * 3); Web GL Web CL var glvertexbuffer = gl.createbuffer(); gl.bindbuffer(gl.array_buffer, glvertexbuffer); gl.bufferdata(gl.array_buffer, points, gl.dynamic_draw); var clvertexbuffer = context.createfromglbuffer(webcl.mem_read_write, glvertexbuffer); kernel.setkernelarg(0, NPOINTS, WebCL.KERNEL_ARG_INT); kernel.setkernelarg(1, clvertexbuffer); </script> Vertex Buffer Update and Draw: <script> function DrawLoop() { Web CL Web GL } </script> queue.enqueueacquireglobjects([clvertexbuffer]); queue.enqueuendrangekernel(kernel, [NPOINTS], [workgroupsize], null); queue.enqueuereleaseglobjects([clvertexbuffer]); gl.bindbuffer(gl.array_buffer, glvertexbuffer); gl.clear(gl.color_buffer_bit); gl.drawarrays(gl.points, 0, NPOINTS); gl.flush();
19 WebCL: Texture Animation Texture Initialization: <script> var gltexture = gl.createtexture(); gl.bindtexture(gl.texture_2d, gltexture); gl.teximage2d(gl.texture_2d, 0, gl.rgba, gl.rgba, gl.unsigned_byte, image); var cltexture = context.createfromgltexture2d(webcl.mem_read_write, gl.texture_2d, gltexture); kernel.setkernelarg(0, NWIDTH, WebCL.KERNEL_ARG_INT); kernel.setkernelarg(1, NHEIGHT, WebCL.KERNEL_ARG_INT); kernel.setkernelarg(2, cltexture); </script> Texture Update and Draw: <script> function DrawLoop() { queue.enqueueacquireglobjects([cltexture]); queue.enqueuendrangekernel(kernel, [NWIDTH*NHEIGHT], [workgroupsize], null); queue.enqueuereleaseglobjects([cltexture]); gl.clear(gl.color_buffer_bit); gl.activetexture(gl.texture0); gl.bindtexture(gl.texture_2d, gltexture); gl.flush(); } </script>
20 Interactive Big Data Visualization Powered by WebCL To enable interactive exploration of big data! Leo Meyerovich, Matthew Torok, Eric Atkinson, Rastislav Bodik UC Berkeley Parallel Computing Lab
21 Interactive Big Data Visualization BIG DATA INTERACTIVE Efficient Productive VISUALIZATIONS
22 DEMO: D3.js
23 DEMO: Superconductor
24 Demos Automatic parallelization Superconductor on three data sets: - 10,000 nodes: 71 fps - 100,000 nodes: 61 fps - 1,000,000 nodes: 11 fps JavaScript: 1,000 nodes at 27 fps - 100x difference
25 Four Tasks of Visualization Layout Render Data Focus of WebCL use case development Stylize Challenge: Scalable language support for each one? 25 25
26 Web Programming for Big Data Visualization Data => JSON (JavaScript Object Notation) Custom styling => CSS selectors Simple scripting => JavaScript Layout: - HTML (paragraph, table, ) with JavaScript (calendar, ): too slow - New Domain Specific Language (DSL) for custom layouts - Simple but optimizable
27 Opportunity: Deploy Parallel JS Libraries shared memory JavaScript VM Web Workers Parsing Styling Layout Rendering 27
28 Parallel Runtime Architecture data, styling, widgets, scripts, multithreaded Parser.js Selectors (CL) Layout (CL) JavaScript VM Renderer (GL) GPU superconductor.js
29 Layout DSL: Offline Compiler custom layouts Compiler Parser.js Selectors (CL) Layout (CL) Renderer (GL) superconductor.js JavaScript VM Custom layout widget definition 10px 5px class HBox: w := left.w + right.w 1. Local, single-assignment 2. Compiler automatically parallelizes
30 Layout Compiler: Scheduling + Code Generation COMPILER custom layouts 1. stajc scheduler traversals over data Parser.js Selectors (CL) Layout (CL) Renderer (GL) JavaScript VM 2. FlaMening superconductor.js
31 Layout Scheduler Finds Parallel Breadth-First Traversals Breadth- first, bomom- up w,h w,h w,h w,h w,h w,h Breadth- first, top- down x,y data tree Traversal sequence valid for any data set: Output as WebCL
32 Code Generated Tree Traversal for WebCL level n w h x y Array per attribute level n + m Tree Data Nodes in arrays Parallel for loop Compiler handles these low-level optimizations.
33 WebCL Big Data Vis. Use Case: Summary Big data visualization language Orders-of-magnitude speedup over plain JavaScript Approach: - GPU compiler - GPU rendering library Parallel Schedule Synthesis for Attribute Grammers, ACM Principles and Practice of Parallel Programming, L. Meyerovich, M. Torok, E. Atkinson, R. Bodik, Feb. 2013, Shenzen, China.
34 WebCL Standardization, Implementation & Conformance Testing
35 WebCL API Standardization Standardized, portable and efficient access to heterogeneous multicore devices from web content Define ECMAScript API for interaction with OpenCL Designed for security and robustness WebCL 1.0 based on OpenCL 1.1 Embedded Profile: - Implementations may utilize OpenCL 1.1 or 1.2 Interoperability between WebCL and WebGL through a WebCL extension Initialization simplified for portability WebCL kernel validation
36 WebCL 1.0 Kernels Kernels do not support structures as arguments Kernels name must be less than 256 characters Mapping of CL memory objects into host memory space is not supported Binary kernels are not supported in WebCL 1.0 Support for OpenCL extensions: - OpenCL Extension dependent functions may not be supported, or may require translation to WebCL specific extension. No 3D image support in WebCL 1.0: - May change in future WebCL versions Enhanced portability and simplified initialization: - Some device attributes may not be visible. - Code strongly bound to these attributes may not be translated Parameter mapping: - Certain OpenCL parameters may not directly carry over to WebCL, or a subset of OpenCL parameters may be available in WebCL.
37 WebCL API WebCLExtension Window and WorkerUtils implements Platform layer WebCLEnvironment WebCLPlatform WebCLDevice - Declares WebCL webcl HTMLWindow or WorkerUtils + webcl WebCL WebCLContext object (if not there, then WebCL is not supported) * * * * * 3 Layers: Platform, Compiler, Runtime WebCLProgram WebCLMemoryObject {abstract} WebCLCommandQueue WebCLEvent WebCLSampler WebCLKernel WebCLBuffer WebCLImage Compiler layer Runtime layer
38 WebCL API API mimic object-oriented nature of OpenCL 1.1 in JavaScript WebCL object defines all WebCL constants WebCL may support the following extensions - GL_SHARING interoperability with WebGL - KHR_FP16 16-bit float support in kernels - KHR_FP64 64-bit float support in kernels HTML data interoperability - <canvas>, <image>, and ImageData sources can be bound to WebCLBuffer and WebCLImage - <video> tag can be bound to a WebCLImage
39 WebCL 1.0 API: Current Status WebCL 1.0 API definition: - Working Draft released since Apr Working Draft Publicly available at - Expected WebCL1.0 specification release: 1H, 2014 Strong interest in WebCL API: - Participation by Browser vendors, OpenCL hardware/driver vendors, application developers - Non-Khronos members engaged through public mailing list: [email protected]
40 WebCL Conformance Testing WebCL Conformance Framework and Test Suite (WiP) Scope - Full API coverage - Input/output validation - Error handling checks for all methods in the API - Security and robustness related tests - Two OpenCL 1.2 robustness and security extensions ratified in Context termination: clcreatecontext() with CL_CONTEXT_MEMORY_INITIALIZE_KHR - Memory initialization: clabortcontextkhr (cl_context) - Conformance tests related to WebCL Validator completed - Kernel validator enforces prevention against out of bounds memory accesses - WebCL requires a conformant underlying OpenCL on the host system - Tests will not re-run OpenCL conformance test suite in JavaScript Conformance tests for OpenCL 1.2 security and robustness extensions - Contributed by Samsung and reviewed by WebCL members
41 WebCL Conformance Testing: Status Clean up of existing tests - Defined and deployed coding style guide - Removed code duplication - Consolidated redundant tests - Shared kernel sources between tests where appropriate possible - Compiled common routines into helper files (e.g. webcl-utils.js) Improved conformance framework structure - Aligned test framework with WebGL conformance test suite Completion of API unit tests/conformance tests - ~80% WebCL APIs are covered today (WiP) Redesigned start page - Support for running the test suite on any OpenCL platforms/devices available on the host machine Available on GitHub: Tracked by a meta bug on Khronos public bugzilla: -
42 WebCL API Security and Robustness
43 Security and Robustness Security threats addressed: Prevention of information leakage from out of bounds memory access Prevent denial of service from long running kernels Security requirements: Prevent out of range memory accesses - Prevent out of bounds memory accesses - Prevent out of bounds (OOB) memory writes - Return a pre-defined value for out of bound reads - Implementation of WebCL Kernel Validator Memory initialization to prevent information leakage - Initialization of private and local memory objects Prevent potential Denial of Service from long running kernels - Ability to terminate contexts with long running kernels Prevent security vulnerabilities from undefined behavior - Undefined OpenCL behavior to be defined by WebCL - Robustness through comprehensive conformance testing
44 WebCL API Security: Current Status Cross-working group security initiative - Engaged with OpenCL, WebGL, OpenGL, and OpenGL-ES WGs Ratification of OpenCL 1.2 robustness/security extensions - Announced in Siggraph Asia, Dec OpenCL Context Termination extension - OpenCL Memory Initialization extension WebCL Kernel Validator - Open source WebCL kernel validator development Phase-I completed: - Accessible from - Tracked by a meta bug on Khronos public bugzilla: -
45 WebCL Kernel Validator Protection against out of bounds memory accesses: - The memory allocated in the program has to be initialized (prevent access to data from other programs) - Untrusted code must not access invalid memory Memory initialization: - Initializes local and private memory (in case underlying OpenCL implementation does not implement memory initialization extension) Validator implementation: - Keeps track of memory allocations (also in runtime if platform supports dynamic allocation) - Traces valid ranges for reads and writes - Validates them efficiently while compiling or at run-time
46 OpenCL to WebCL Translator Utility
47 OpenCL to WebCL Translator Utility OpenCL to WebCL Kernel Translator - Input: An OpenCL kernel - Output: WebCL kernel, and a log file, that details the translation process. - Tracked by a meta bug on Khronos public bugzilla: - Host API translation (WiP) - Accepts an OpenCL host API calls and produces the WebCL host API calls that will eventually be wrapped in JS. - Provides verbose translation log file, detailing the process and any constraints. - Tracked by a meta bug on Khronos public bugzilla:
48 WebCL Prototypes & Experimental Integration into Browser Engines
49 WebCL Prototype Implementations Nokia s prototype: - Firefox extension, open sourced May 2011 (Mozilla Public License 2.0) - Samsung s prototype: - Uses WebKit, open sourced June 2011 (BSD) - Motorola Mobility s prototype: - Uses Node.js, open sourced April 2012 (BSD) -
50 WebCL on Firefox Firefox add-on - Binaries for Windows, Linux, Mac: - Android should be doable with reasonable effort any volunteers? - Source code: - Main limitation: Cannot share textures/buffers with WebGL Special Firefox build with integrated WebCL - Browser internal APIs allow WebGL resource sharing - Currently Work-in-progress
51 Samsung s WebCL Implementation Samsung provided an open-source version of their first prototype WebCL implementation for WebKit in July 2011 (BSD license). Since Q4 of 2012 the prototype has been through a major refinement effort, including: - Addition of a general purpose abstraction layer for Compute languages, called ComputeContext. - Class redesign and clean up - Layout tests support - Kept in sync with the latest spec Project currently being hosted on GitHub ( is obsolete)
52 WebCL API Summary WebCL is a JavaScript binding to OpenCL, allowing web applications to leverage heterogeneous computing resources. WebCL enables significant acceleration of compute-intensive web applications. WebCL API is designed for security.
53 Resources and Contacts WebCL Resources: - WebCL working draft: - WebCL distribution lists: [email protected], [email protected] - Nokia WebCL prototype: - Samsung WebCL prototype: - Motorola WebCL prototype: Contacts: - Tasneem Brutch ([email protected]), WebCL Working Group Chair - Tomi Aarnio ([email protected]), WebCL Specification Editor - Mikael Bourges-Sevenier ([email protected]), WebCL Specification Editor
54 Questions and Answers Thank You!
WebCL for Hardware-Accelerated Web Applications. Won Jeon, Tasneem Brutch, and Simon Gibbs
WebCL for Hardware-Accelerated Web Applications Won Jeon, Tasneem Brutch, and Simon Gibbs What is WebCL? WebCL is a JavaScript binding to OpenCL. WebCL enables significant acceleration of compute-intensive
Parallel Web Programming
Parallel Web Programming Tobias Groß, Björn Meier Hardware/Software Co-Design, University of Erlangen-Nuremberg May 23, 2013 Outline WebGL OpenGL Rendering Pipeline Shader WebCL Motivation Development
Crosswalk: build world class hybrid mobile apps
Crosswalk: build world class hybrid mobile apps Ningxin Hu Intel Today s Hybrid Mobile Apps Application HTML CSS JS Extensions WebView of Operating System (Tizen, Android, etc.,) 2 State of Art HTML5 performance
Course materials. In addition to these slides, C++ API header files, a set of exercises, and solutions, the following are useful:
Course materials In addition to these slides, C++ API header files, a set of exercises, and solutions, the following are useful: OpenCL C 1.2 Reference Card OpenCL C++ 1.2 Reference Card These cards will
Press Briefing. GDC, March 2014. Neil Trevett Vice President Mobile Ecosystem, NVIDIA President Khronos. Copyright Khronos Group 2014 - Page 1
Copyright Khronos Group 2014 - Page 1 Press Briefing GDC, March 2014 Neil Trevett Vice President Mobile Ecosystem, NVIDIA President Khronos Copyright Khronos Group 2014 - Page 2 Lots of Khronos News at
Introducing PgOpenCL A New PostgreSQL Procedural Language Unlocking the Power of the GPU! By Tim Child
Introducing A New PostgreSQL Procedural Language Unlocking the Power of the GPU! By Tim Child Bio Tim Child 35 years experience of software development Formerly VP Oracle Corporation VP BEA Systems Inc.
Performance Optimization and Debug Tools for mobile games with PlayCanvas
Performance Optimization and Debug Tools for mobile games with PlayCanvas Jonathan Kirkham, Senior Software Engineer, ARM Will Eastcott, CEO, PlayCanvas 1 Introduction Jonathan Kirkham, ARM Worked with
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
Introduction to WebGL
Introduction to WebGL Alain Chesnais Chief Scientist, TrendSpottr ACM Past President [email protected] http://www.linkedin.com/in/alainchesnais http://facebook.com/alain.chesnais Housekeeping If you are
USING RUST TO BUILD THE NEXT GENERATION WEB BROWSER
USING RUST TO BUILD THE NEXT GENERATION WEB BROWSER Lars Bergstrom Mozilla Research Mike Blumenkrantz Samsung R&D America Why a new web engine? Support new types of applications and new devices All modern
PARALLEL JAVASCRIPT. Norm Rubin (NVIDIA) Jin Wang (Georgia School of Technology)
PARALLEL JAVASCRIPT Norm Rubin (NVIDIA) Jin Wang (Georgia School of Technology) JAVASCRIPT Not connected with Java Scheme and self (dressed in c clothing) Lots of design errors (like automatic semicolon
Cross-Platform GP with Organic Vectory BV Project Services Consultancy Services Expertise Markets 3D Visualization Architecture/Design Computing Embedded Software GIS Finance George van Venrooij Organic
Geo-Scale Data Visualization in a Web Browser. Patrick Cozzi [email protected]
Geo-Scale Data Visualization in a Web Browser Patrick Cozzi [email protected] About Me Developer Lecturer Author Editor http://www.seas.upenn.edu/~pcozzi/ About Cesium A WebGL virtual globe and map engine
Web Based 3D Visualization for COMSOL Multiphysics
Web Based 3D Visualization for COMSOL Multiphysics M. Jüttner* 1, S. Grabmaier 1, W. M. Rucker 1 1 University of Stuttgart Institute for Theory of Electrical Engineering *Corresponding author: Pfaffenwaldring
Outline. 1.! Development Platforms for Multimedia Programming!
Outline 1.! Development Platforms for Multimedia Programming! 1.1.! Classification of Development Platforms! 1.2.! A Quick Tour of Various Development Platforms! 2.! Multimedia Programming with Python
OpenGL Insights. Edited by. Patrick Cozzi and Christophe Riccio
OpenGL Insights Edited by Patrick Cozzi and Christophe Riccio Browser Graphics Analysis and Optimizations 36 Chris Dirks and Omar A. Rodriguez 36.1 Introduction Understanding performance bottlenecks in
Mobile App Infrastructure for Cross-Platform Deployment (N11-38)
Mobile App Infrastructure for Cross-Platform Deployment (N11-38) Contents Introduction... 2 Background... 2 Goals and objectives... 3 Technical approaches and frameworks... 4 Key outcomes... 5 Project
Dashboard Skin Tutorial. For ETS2 HTML5 Mobile Dashboard v3.0.2
Dashboard Skin Tutorial For ETS2 HTML5 Mobile Dashboard v3.0.2 Dashboard engine overview Dashboard menu Skin file structure config.json Available telemetry properties dashboard.html dashboard.css Telemetry
Making the Most of Existing Public Web Development Frameworks WEB04
Making the Most of Existing Public Web Development Frameworks WEB04 jquery Mobile Write less, do more 2 The jquery Suite UI Overhaul Look and Feel Transitions Interactions Touch, Mouse, Keyboard Don t
SYCL for OpenCL. Andrew Richards, CEO Codeplay & Chair SYCL Working group GDC, March 2014. Copyright Khronos Group 2014 - Page 1
SYCL for OpenCL Andrew Richards, CEO Codeplay & Chair SYCL Working group GDC, March 2014 Copyright Khronos Group 2014 - Page 1 Where is OpenCL today? OpenCL: supported by a very wide range of platforms
Mobile Web Design with HTML5, CSS3, JavaScript and JQuery Mobile Training BSP-2256 Length: 5 days Price: $ 2,895.00
Course Page - Page 1 of 12 Mobile Web Design with HTML5, CSS3, JavaScript and JQuery Mobile Training BSP-2256 Length: 5 days Price: $ 2,895.00 Course Description Responsive Mobile Web Development is more
Lecture 3. Optimising OpenCL performance
Lecture 3 Optimising OpenCL performance Based on material by Benedict Gaster and Lee Howes (AMD), Tim Mattson (Intel) and several others. - Page 1 Agenda Heterogeneous computing and the origins of OpenCL
Unlocking the Java EE Platform with HTML 5
1 2 Unlocking the Java EE Platform with HTML 5 Unlocking the Java EE Platform with HTML 5 Overview HTML5 has suddenly become a hot item, even in the Java ecosystem. How do the 'old' technologies of HTML,
Introduction to OpenCL Programming. Training Guide
Introduction to OpenCL Programming Training Guide Publication #: 137-41768-10 Rev: A Issue Date: May, 2010 Introduction to OpenCL Programming PID: 137-41768-10 Rev: A May, 2010 2010 Advanced Micro Devices
Firefox for Android. Reviewer s Guide. Contact us: [email protected]
Reviewer s Guide Contact us: [email protected] Table of Contents About Mozilla Firefox 1 Move at the Speed of the Web 2 Get Started 3 Mobile Browsing Upgrade 4 Get Up and Go 6 Customize On the Go 7 Privacy
Lecture 1 Introduction to Android
These slides are by Dr. Jaerock Kwon at. The original URL is http://kettering.jrkwon.com/sites/default/files/2011-2/ce-491/lecture/alecture-01.pdf so please use that instead of pointing to this local copy
GPU Profiling with AMD CodeXL
GPU Profiling with AMD CodeXL Software Profiling Course Hannes Würfel OUTLINE 1. Motivation 2. GPU Recap 3. OpenCL 4. CodeXL Overview 5. CodeXL Internals 6. CodeXL Profiling 7. CodeXL Debugging 8. Sources
Visualizing Data: Scalable Interactivity
Visualizing Data: Scalable Interactivity The best data visualizations illustrate hidden information and structure contained in a data set. As access to large data sets has grown, so has the need for interactive
Trends in HTML5. Matt Spencer UI & Browser Marketing Manager
Trends in HTML5 Matt Spencer UI & Browser Marketing Manager 6 Where to focus? Chrome is the worlds leading browser - by a large margin 7 Chrome or Chromium, what s the difference Chromium is an open source
The Most Popular UI/Apps Framework For IVI on Linux
The Most Popular UI/Apps Framework For IVI on Linux About me Tasuku Suzuki Qt Engineer Qt, Developer Experience and Marketing, Nokia Have been using Qt since 2002 Joined Trolltech in 2006 Nokia since 2008
Writing Applications for the GPU Using the RapidMind Development Platform
Writing Applications for the GPU Using the RapidMind Development Platform Contents Introduction... 1 Graphics Processing Units... 1 RapidMind Development Platform... 2 Writing RapidMind Enabled Applications...
Maximize Application Performance On the Go and In the Cloud with OpenCL* on Intel Architecture
Maximize Application Performance On the Go and In the Cloud with OpenCL* on Intel Architecture Arnon Peleg (Intel) Ben Ashbaugh (Intel) Dave Helmly (Adobe) Legal INFORMATION IN THIS DOCUMENT IS PROVIDED
A little code goes a long way Cross-platform game development with Lua. Ivan Beliy, Software Engineer
A little code goes a long way Cross-platform game development with Lua Ivan Beliy, Software Engineer 9/25/14 Marmalade. Trademarks belong to their respective owners. All rights reserved. 1 A bit of History!
Firefox, Opera, Safari for Windows BMP file handling information leak. September 2008. Discovered by: Mateusz j00ru Jurczyk, Hispasec Labs
Firefox, Opera, Safari for Windows BMP file handling information leak September 2008 Discovered by: Mateusz j00ru Jurczyk, Hispasec Labs 1. Introduction The bitmap format implementations in Mozilla Firefox
How To Teach Computer Graphics
Computer Graphics Thilo Kielmann Lecture 1: 1 Introduction (basic administrative information) Course Overview + Examples (a.o. Pixar, Blender, ) Graphics Systems Hands-on Session General Introduction http://www.cs.vu.nl/~graphics/
MASTERTAG DEVELOPER GUIDE
MASTERTAG DEVELOPER GUIDE TABLE OF CONTENTS 1 Introduction... 4 1.1 What is the zanox MasterTag?... 4 1.2 What is the zanox page type?... 4 2 Create a MasterTag application in the zanox Application Store...
Experiences on using GPU accelerators for data analysis in ROOT/RooFit
Experiences on using GPU accelerators for data analysis in ROOT/RooFit Sverre Jarp, Alfio Lazzaro, Julien Leduc, Yngve Sneen Lindal, Andrzej Nowak European Organization for Nuclear Research (CERN), Geneva,
Development Techniques for Native/Hybrid Tizen Apps. Presented by Kirill Kruchinkin
Development Techniques for Native/Hybrid Tizen Apps Presented by Kirill Kruchinkin Agenda Introduction and Definitions Practices Case Studies 2 Introduction & Definitions 2 App Types Browser Apps Installable
Why HTML5 Tests the Limits of Automated Testing Solutions
Why HTML5 Tests the Limits of Automated Testing Solutions Why HTML5 Tests the Limits of Automated Testing Solutions Contents Chapter 1 Chapter 2 Chapter 3 Chapter 4 As Testing Complexity Increases, So
An Introduction to Android
An Introduction to Android Michalis Katsarakis M.Sc. Student [email protected] Tutorial: hy439 & hy539 16 October 2012 http://www.csd.uoc.gr/~hy439/ Outline Background What is Android Android as a
Binary search tree with SIMD bandwidth optimization using SSE
Binary search tree with SIMD bandwidth optimization using SSE Bowen Zhang, Xinwei Li 1.ABSTRACT In-memory tree structured index search is a fundamental database operation. Modern processors provide tremendous
AUTOMATED CONFERENCE CD-ROM BUILDER AN OPEN SOURCE APPROACH Stefan Karastanev
International Journal "Information Technologies & Knowledge" Vol.5 / 2011 319 AUTOMATED CONFERENCE CD-ROM BUILDER AN OPEN SOURCE APPROACH Stefan Karastanev Abstract: This paper presents a new approach
Designing for Mobile. Jonathan Wallace [email protected]
Designing for Mobile Jonathan Wallace [email protected] Recommended Further Reading Recommended Reading http://www.worklight.com/assets/files/native Web Hybrid Mobile App Dev Webinar.pdf http://techcrunch.com/2012/02/05/designing
OpenACC 2.0 and the PGI Accelerator Compilers
OpenACC 2.0 and the PGI Accelerator Compilers Michael Wolfe The Portland Group [email protected] This presentation discusses the additions made to the OpenACC API in Version 2.0. I will also present
AMD GPU Architecture. OpenCL Tutorial, PPAM 2009. Dominik Behr September 13th, 2009
AMD GPU Architecture OpenCL Tutorial, PPAM 2009 Dominik Behr September 13th, 2009 Overview AMD GPU architecture How OpenCL maps on GPU and CPU How to optimize for AMD GPUs and CPUs in OpenCL 2 AMD GPU
Extending Tizen Native Framework with Node.js
Extending Tizen Native Framework with Node.js Nishant Deshpande Hyunju Shin Ph.D. Samsung Electronics Contents Native or Web? Why JavaScript, Node.js? Proposed Architecture Sample Applications Going Forward
POSIX : Certified by IEEE and The Open Group a briefing.
POSIX : Certified by IEEE and The Open Group a briefing. The Source for POSIX Certification http://posixcertified.ieee.org January 2006. Acknowledgements: Thanks to Michael Gonzalez for several of the
Java 7 Recipes. Freddy Guime. vk» (,\['«** g!p#« Carl Dea. Josh Juneau. John O'Conner
1 vk» Java 7 Recipes (,\['«** - < g!p#«josh Juneau Carl Dea Freddy Guime John O'Conner Contents J Contents at a Glance About the Authors About the Technical Reviewers Acknowledgments Introduction iv xvi
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
Experiences with 2-D and 3-D Mathematical Plots on the Java Platform
Experiences with 2-D and 3-D Mathematical Plots on the Java Platform David Clayworth Maplesoft What you will learn > Techniques for writing software that plots mathematical and scientific data > How to
GPU Architectures. A CPU Perspective. Data Parallelism: What is it, and how to exploit it? Workload characteristics
GPU Architectures A CPU Perspective Derek Hower AMD Research 5/21/2013 Goals Data Parallelism: What is it, and how to exploit it? Workload characteristics Execution Models / GPU Architectures MIMD (SPMD),
Issues of Hybrid Mobile Application Development with PhoneGap: a Case Study of Insurance Mobile Application
DATABASES AND INFORMATION SYSTEMS H.-M. Haav, A. Kalja and T. Robal (Eds.) Proc. of the 11th International Baltic Conference, Baltic DB&IS 2014 TUT Press, 2014 215 Issues of Hybrid Mobile Application Development
GPU Parallel Computing Architecture and CUDA Programming Model
GPU Parallel Computing Architecture and CUDA Programming Model John Nickolls Outline Why GPU Computing? GPU Computing Architecture Multithreading and Arrays Data Parallel Problem Decomposition Parallel
<Insert Picture Here> Java, the language for the future
1 Java, the language for the future Adam Messinger Vice President of Development The following is intended to outline our general product direction. It is intended for information
RIA DEVELOPMENT OPTIONS - AIR VS. SILVERLIGHT
RIA DEVELOPMENT OPTIONS - AIR VS. SILVERLIGHT Oxagile 2010 www.oxagile.com TABLE OF CONTENTS 1 ATTRIBUTION... 3 2 ABOUT OXAGILE... 4 3 QUESTIONNAIRE... 5 3.1 DO YOU THINK AIR AND SILVERLIGHT ARE COMPARABLE
Responsive Web Design Creative License
Responsive Web Design Creative License Level: Introduction - Advanced Duration: 16 Days Time: 9:30 AM - 4:30 PM Cost: 2197 Overview Web design today is no longer just about cross-browser compatibility.
Manjrasoft Market Oriented Cloud Computing Platform
Manjrasoft Market Oriented Cloud Computing Platform Innovative Solutions for 3D Rendering Aneka is a market oriented Cloud development and management platform with rapid application development and workload
AN INTRODUCTION TO MAPBOX TOOLS AND SOFTWARE. Matt Gregory 24 July 2013
AN INTRODUCTION TO MAPBOX TOOLS AND SOFTWARE Matt Gregory 24 July 2013 BACKGROUND AND MOTIVATION Research involves regionalscale vegetation modeling (mapping) where every pixel is associated with a treelist
Programming 3D Applications with HTML5 and WebGL
Programming 3D Applications with HTML5 and WebGL Tony Parisi Beijing Cambridge Farnham Köln Sebastopol Tokyo Table of Contents Preface ix Part I. Foundations 1. Introduction 3 HTML5: A New Visual Medium
Vector Web Mapping Past, Present and Future. Jing Wang MRF Geosystems Corporation
Vector Web Mapping Past, Present and Future Jing Wang MRF Geosystems Corporation Oct 27, 2014 Terms Raster and Vector [1] Cells and Pixel Geometrical primitives 2 Early 2000s From static to interactive
APPLICATIONS OF LINUX-BASED QT-CUDA PARALLEL ARCHITECTURE
APPLICATIONS OF LINUX-BASED QT-CUDA PARALLEL ARCHITECTURE Tuyou Peng 1, Jun Peng 2 1 Electronics and information Technology Department Jiangmen Polytechnic, Jiangmen, Guangdong, China, [email protected]
Introduction to TIZEN SDK
Introduction to TIZEN SDK Hyungoo Kang, Kangho Kim S-Core, Samsung April, 2012 2012 SAMSUNG Electronics Co. Contents Overview Tizen SDK (selected features) Demo (10 minutes) Conclusion 2/20 2012 SAMSUNG
IBM Tivoli Composite Application Manager for Microsoft Applications: Microsoft Internet Information Services Agent Version 6.3.1 Fix Pack 2.
IBM Tivoli Composite Application Manager for Microsoft Applications: Microsoft Internet Information Services Agent Version 6.3.1 Fix Pack 2 Reference IBM Tivoli Composite Application Manager for Microsoft
HTML5 / NATIVE / HYBRID
HTML5 / NATIVE / HYBRID Ryan Paul Developer Evangelist @ Xamarin NATIVE VERSUS HTML5? REFRAMING THE DEBATE It s not a battle to the death. It s a choice: what solution will work best for your application?
Dynamic Web Programming BUILDING WEB APPLICATIONS USING ASP.NET, AJAX AND JAVASCRIPT
Dynamic Web Programming BUILDING WEB APPLICATIONS USING ASP.NET, AJAX AND JAVASCRIPT AGENDA 1. Introduction to Web Applications and ASP.net 1.1 History of Web Development 1.2 Basic ASP.net processing (ASP
Sisense. Product Highlights. www.sisense.com
Sisense Product Highlights Introduction Sisense is a business intelligence solution that simplifies analytics for complex data by offering an end-to-end platform that lets users easily prepare and analyze
IE Class Web Design Curriculum
Course Outline Web Technologies 130.279 IE Class Web Design Curriculum Unit 1: Foundations s The Foundation lessons will provide students with a general understanding of computers, how the internet works,
A Hybrid Visualization System for Molecular Models
A Hybrid Visualization System for Molecular Models Charles Marion, Joachim Pouderoux, Julien Jomier Kitware SAS, France Sébastien Jourdain, Marcus Hanwell & Utkarsh Ayachit Kitware Inc, USA Web3D Conference
OpenGL & Delphi. Max Kleiner. http://max.kleiner.com/download/openssl_opengl.pdf 1/22
OpenGL & Delphi Max Kleiner http://max.kleiner.com/download/openssl_opengl.pdf 1/22 OpenGL http://www.opengl.org Evolution of Graphics Assembler (demo pascalspeed.exe) 2D 3D Animation, Simulation (Terrain_delphi.exe)
Introduction GPU Hardware GPU Computing Today GPU Computing Example Outlook Summary. GPU Computing. Numerical Simulation - from Models to Software
GPU Computing Numerical Simulation - from Models to Software Andreas Barthels JASS 2009, Course 2, St. Petersburg, Russia Prof. Dr. Sergey Y. Slavyanov St. Petersburg State University Prof. Dr. Thomas
CIS 467/602-01: Data Visualization
CIS 467/602-01: Data Visualization HTML, CSS, SVG, (& JavaScript) Dr. David Koop Assignment 1 Posted on the course web site Due Friday, Feb. 13 Get started soon! Submission information will be posted Useful
ORACLE ADF MOBILE DATA SHEET
ORACLE ADF MOBILE DATA SHEET PRODUCTIVE ENTERPRISE MOBILE APPLICATIONS DEVELOPMENT KEY FEATURES Visual and declarative development Java technology enables cross-platform business logic Mobile optimized
ELEC 377. Operating Systems. Week 1 Class 3
Operating Systems Week 1 Class 3 Last Class! Computer System Structure, Controllers! Interrupts & Traps! I/O structure and device queues.! Storage Structure & Caching! Hardware Protection! Dual Mode Operation
Getting Started with Telerik Data Access. Contents
Contents Overview... 3 Product Installation... 3 Building a Domain Model... 5 Database-First (Reverse) Mapping... 5 Creating the Project... 6 Creating Entities From the Database Schema... 7 Model-First
Mobile Operating Systems. Week I
Mobile Operating Systems Week I Overview Introduction Mobile Operating System Structure Mobile Operating System Platforms Java ME Platform Palm OS Symbian OS Linux OS Windows Mobile OS BlackBerry OS iphone
Art of Code Front-end Web Development Training Program
Art of Code Front-end Web Development Training Program Pre-work (5 weeks) Codecademy HTML5/CSS3 and JavaScript tracks HTML/CSS (7 hours): http://www.codecademy.com/en/tracks/web JavaScript (10 hours):
4/25/2016 C. M. Boyd, [email protected] Practical Data Visualization with JavaScript Talk Handout
Practical Data Visualization with JavaScript Talk Handout Use the Workflow Methodology to Compare Options Name Type Data sources End to end Workflow Support Data transformers Data visualizers General Data
SAP BusinessObjects Design Studio Deep Dive. Ian Mayor and David Stocker SAP Session 0112
SAP BusinessObjects Design Studio Deep Dive Ian Mayor and David Stocker SAP Session 0112 Legal Disclaimer 2013 SAP AG. All rights reserved. 2 SAP BusinessObjects Client Tools Build Custom Experiences Dashboards
Texture Cache Approximation on GPUs
Texture Cache Approximation on GPUs Mark Sutherland Joshua San Miguel Natalie Enright Jerger {suther68,enright}@ece.utoronto.ca, [email protected] 1 Our Contribution GPU Core Cache Cache
Research on HTML5 in Web Development
Research on HTML5 in Web Development 1 Ch Rajesh, 2 K S V Krishna Srikanth 1 Department of IT, ANITS, Visakhapatnam 2 Department of IT, ANITS, Visakhapatnam Abstract HTML5 is everywhere these days. HTML5
Web Browser. Fetches/displays documents from web servers. Mosaic 1993
HTML5 and CSS3 Web Browser Fetches/displays documents from web servers Mosaic 1993 Firefox,IE,Chrome,Safari,Opera,Lynx,Mosaic,Konqueror There are standards, but wide variation in features Desktop Browser
Accelerating Business Value by
Accelerating Business Value by Mobilizing Backend Enterprise Applications To find out how GAVS can be engaged as your dedicated co-sourcing partner to improve business outcomes, please write to us at [email protected].
Mitglied der Helmholtz-Gemeinschaft. OpenCL Basics. Parallel Computing on GPU and CPU. Willi Homberg. 23. März 2011
Mitglied der Helmholtz-Gemeinschaft OpenCL Basics Parallel Computing on GPU and CPU Willi Homberg Agenda Introduction OpenCL architecture Platform model Execution model Memory model Programming model Platform
maximizing IT productivity
HTML5 jquery.net SharePoint Silverlight ASP.NET Consulting & Training Time is money and productive software developers save time. The Wahlin Group specializes in helping software developers learn development
Finger Paint: Cross-platform Augmented Reality
Finger Paint: Cross-platform Augmented Reality Samuel Grant Dawson Williams October 15, 2010 Abstract Finger Paint is a cross-platform augmented reality application built using Dream+ARToolKit. A set of
Topics. Introduction. Java History CS 146. Introduction to Programming and Algorithms Module 1. Module Objectives
Introduction to Programming and Algorithms Module 1 CS 146 Sam Houston State University Dr. Tim McGuire Module Objectives To understand: the necessity of programming, differences between hardware and software,
An evaluation of JavaFX as 2D game creation tool
An evaluation of JavaFX as 2D game creation tool Abstract With the current growth in the user experience,and the existence of multiple publishing platforms, the investigation of new game creation tools
ns-3 development overview ns-3 GENI Eng. Conf., Nov. 2010 1
ns-3 development overview ns-3 GENI Eng. Conf., Nov. 2010 1 ns-3 tutorial agenda 3:00-4:30: ns-3 current capabilities Project overview Walkthrough of basic simulation scenario Parallel simulations and
NVPRO-PIPELINE A RESEARCH RENDERING PIPELINE MARKUS TAVENRATH [email protected] SENIOR DEVELOPER TECHNOLOGY ENGINEER, NVIDIA
NVPRO-PIPELINE A RESEARCH RENDERING PIPELINE MARKUS TAVENRATH [email protected] SENIOR DEVELOPER TECHNOLOGY ENGINEER, NVIDIA GFLOPS 3500 3000 NVPRO-PIPELINE Peak Double Precision FLOPS GPU perf improved
Front-End Performance Testing and Optimization
Front-End Performance Testing and Optimization Abstract Today, web user turnaround starts from more than 3 seconds of response time. This demands performance optimization on all application levels. Client
Business Application Development Platform
Business Application Development Platform Author Copyright Last update Version Document type Sclable Business Solutions GmbH Attribution-NonCommercial-NoDerivatives 4.0 International 01/28/2014 1.0 Technical
HYBRID APPLICATION DEVELOPMENT IN PHONEGAP USING UI TOOLKITS
HYBRID APPLICATION DEVELOPMENT IN PHONEGAP USING UI TOOLKITS RAJESH KUMAR Technical Lead, Aricent PUNEET INDER KAUR Senior Software Engineer, Aricent HYBRID APPLICATION DEVELOPMENT IN PHONEGAP USING UI
OpenGL ES Safety-Critical Profile Philosophy
OpenGL ES Safety-Critical Profile Philosophy Claude Knaus July 5th, 2004 OpenGL is a registered trademark, and OpenGL ES is a trademark, of Silicon Graphics, Inc. 1 1 Overview The Safety-Critical profile
Enterprise Mobile Solutions
Enterprise Mobile Solutions Sanjay Mamani Director Mobile Applications & Web Development Bridgetree BRIDGETREE, Inc. USA [email protected] www.bridgetreeresearch.com Enterprise Mobile Solutions Mobile
Computer Graphics on Mobile Devices VL SS2010 3.0 ECTS
Computer Graphics on Mobile Devices VL SS2010 3.0 ECTS Peter Rautek Rückblick Motivation Vorbesprechung Spiel VL Framework Ablauf Android Basics Android Specifics Activity, Layouts, Service, Intent, Permission,
Sandy. The Malicious Exploit Analysis. http://exploit-analysis.com/ Static Analysis and Dynamic exploit analysis. Garage4Hackers
Sandy The Malicious Exploit Analysis. http://exploit-analysis.com/ Static Analysis and Dynamic exploit analysis About Me! I work as a Researcher for a Global Threat Research firm.! Spoke at the few security
