3D Graphics and Cameras
|
|
|
- Curtis Harrell
- 10 years ago
- Views:
Transcription
1 3D Graphics and Cameras Kari Pulli Senior Director
2 Overview OpenGL ES 1.x OpenGL ES 2.0 WebGL OpenCV FCam All examples on this session on Android
3 OpenGL: Project vertices to camera
4 connect them to triangles
5 shade them based on lights
6 add texture maps, shadows,
7 What is OpenGL ES? OpenGL was too big for Embedded Systems memory footprint, floating point HW OpenGL ES: a more compact API mostly a subset of OpenGL that can still do almost all OpenGL can standardized at Khronos Nokia prototyped such a subset in 2002
8 OpenGL ES 1.0 Simplify OpenGL 1.3 remove old complex functionality glbegin(gl_polygon); glcolor3f (1, 0, 0); glvertex3f(-.5,.5,.5); glvertex3f(.5,.5,.5); glcolor3f (0, 1, 0); glvertex3f(.5,-.5,.5); glvertex3f(-.5,-.5,.5); glend(); glbegin glend (OUT); vertex arrays (IN) keep almost all the functionality lights, projections, 2D textures, Shipped in 2004 (mostly SW engines) static const GLbyte verts[4 * 3] = { -1, 1, 1, 1, 1, 1, 1, -1, 1, -1, -1, 1 }; static const GLubyte colors[4 * 3] = { 255, 0, 0, 255, 0, 0, 0,255, 0, 0,255, 0 }; glvertexpointer( 3,GL_BYTE,0, verts ); glcolorpointerf( 3,GL_UNSIGNED_BYTE, 0, colors ); gldrawarrays( GL_TRIANGLE_STRIP, 0, 4 );
9 OpenGL ES 1.1 Add features such as bump maps and skinning (deformable animation) Shipped in 2005 begin of HW accelerated mobile 3D graphics Symbian, ios, Android, Meego,
10 Android SDK The main Android SDK is based on Java the language is very similar to Sun s original Java UI libraries are different from Java SE a different VM (called Dalvik) one-stop-shop for Android tools and documentation The easiest way to install all the needed tools is JDK, SDK, NDK, Eclipse, plus Tegra tools you can ignore if you don t have a Tegra
11 Many Android versions (1 June 2011) Android Version Honeycomb (3.0, 3.1) Gingerbread ( ) Froyo (2.2) Eclair (2.0/2.1) Donut (1.6) Cupcake (1.5) Market Share 0.6% 9.2% 64.6% 21.2% 2.5% 1.9% Donut, 2.50% Eclair, 21.20% Cupcake, 1.90% Honeycomb, 0.60% Gingerbread, 9.20% Froyo, 64.60% ^ "Platform Versions". Android Developers. "based on the number of Android devices that have accessed Android Market within a 14-day period ending on the data collection date noted below"
12 Quickly evolving platform (5 July 2011) Android Version Honeycomb (3.0, 3.1) Gingerbread ( ) Froyo (2.2) Eclair (2.0/2.1) Donut (1.6) Cupcake (1.5) Market Share 0.9% 18.6% 59.4% 17.5% 2.2% 1.4% Donut, 2.20% Eclair, 17.50% Cupcake, 1.40% Froyo, 59.40% Honeycomb, 0.90% Gingerbread, 18.60% ^ "Platform Versions". Android Developers. "based on the number of Android devices that have accessed Android Market within a 14-day period ending on the data collection date noted below"
13 Hello OpenGL ES 1.0 on Android SDK The following OpenGL ES tutorial is available at pengl-es10.html
14 Create a project (on Eclipse)
15 Default *.java file modify it to
16 A couple of new headers Create a GLSurfaceView and set it as the main content view Handle Android framework application state changes Create a renderer for your surface view (in another *.java file we need to create)
17 Create the file / class Called once, to set things up Called for each redraw event Called whenever surface changes (e.g., rotate device from portrait to landscape)
18 Now we can run the app in emulator!
19 Let s draw a triangle: initialization Set background clear color Define coordinates for an equilateral triangle Pass the data to a FloatBuffer for passing to GPU
20 (Re)Draw (-0.5, -0.25)
21 Projection matrix for camera type
22 Modelview matrix for placing things Z Up Tgt y Eye x z Y X xyz camera coords XYZ world coords
23 No more stretching and squeezing based on orientation change
24 On OpenGL transformations
25 OpenGL ES 1.x Fixed Function pipe Triangles/Lines/Points API Primitive Processing Vertices Transform and Lighting Primitive Assembly Rasterizer Vertex Buffer Objects Texture Environment Color Sum Fog Alpha Test Depth Stencil Color Buffer Blend Dither Frame Buffer
26 Fixed-function graphics in games
27 OpenGL ES 2.0 Programmable pipe(introduced in 2007) Triangles/Lines/Points API Primitive Processing Vertices Vertex Shader Primitive Assembly Rasterizer Vertex Buffer Objects Fragment Shader Depth Stencil Color Buffer Blend Dither Frame Buffer
28 Shaders in games
29 The difference? Fixed-function graphics simple illumination models evaluate at vertices, interpolate in between Shaders vertex shader smooth deformations and morphing fragment shader per-pixel illumination effects arbitrary illumination models
30 Not backwards compatible ES 2.0 is a very bare-bones API Setup Input of per-object constants (uniforms) no matrix calculation support in the API do it on CPU with other utility APIs Input of per-vertex data (attributes) no special property types normals, texture coordinates, it s up to the shaders to interpret what the numbers mean And the shaders of course sources as strings, compiled and linked on the fly connect CPU variables with shader variables
31 Programmer s model Attributes (8 * vec4) Vertex Uniforms (128 * vec4) Vertex Shader Primitive Assembly & Rasterize Varyings (8 * vec4) Fragment Uniforms (16 * vec4) Textures Fragment Shader Per-Sample Operations
32 The Vertex Shader can do: Modify any of the attributes of a vertex Examples (old stuff, ES 1.1 could do): Transformation of position and normals using model-view and projection matrices Texture coordinate generation and transformation Per-vertex lighting Examples (new stuff): Arbitrary vertex morphing and skinning Advanced lighting per-vertex more complex lighting models calculation of values used later for per-pixel lighting Other per vertex data (density for physics, )
33 The Vertex Shader cannot do: Anything that requires information from more than one vertex for example any triangle operations (e.g., clipping, culling) tessellation of meshes to denser meshes accesses color buffer That is: One comes in, one goes out
34 The Fragment Shader can do: Calculate new colors per pixel texture blending fog Dependent textures Pixel discard alpha testing Bump and environment mapping Render to multiple render targets (MTR) at once think of running the vertex part only once, but for the same geometry, producing different intermediate results to different textures at once
35 The Fragment Shader cannot do: Read from any buffer including the previous color Write to any buffer except provide the new color which is blended by the later stages of fixed-function pipe Why the limitations? Now the implementation can rasterize different elements in parallel hide the latency of frame buffer access for blending
36 Android and Native Code Native code adds some complexity but unlocks peak performance (games, image processing) makes porting existing (C/C++) code easier reduces portability A set of cross-compiler toolchains gcc for ARM hosted on Windows, Linux, or Mac JNI, the Java/Native Interface connecting native code to Java Gingerbread (Android 2.3) introduced NativeActivity avoids the need for any Java code
37 OpenGL ES 2.0 on Android NDK Android 2.2 (Froyo) introduced ES 2.0 on Java but still not on emulators, only on device We show a C example using NDK The following example comes from using its app_create.sh script
38 Tegra pack examples Import all sample projects to Eclipse workspace set up environment variables, etc., following instructions on the pdf file build all, try on a device here is es2_globe Create your own sample app Build and try it
39 The project Also need a library project for various utilities
40 Java side: extend NvGLES2Activity
41 Matching part from C side Match the C functions, with their types, to Java functions
42 Initialize shaders and attributes Vertex position and color data NV utilities help in getting started
43 Really simple shaders Per object consts Per vertex data Outputs from vertex to fragment shader
44 Rendering callback function
45 Cleanup, and touch input processing
46
47 WebGL: OpenGL ES 2.0 in JavaScript The only truly cross-platform way to create applications is to use web technologies WebGL provides OpenGL ES 2.0 in a browser Supported by many desktop browsers Chrome, Firefox, Safari, Opera Coming to also on smartphones Firefox on Android runs WebGL
48 WebGL tutorial: <html> <head> <title>learning WebGL lesson 1</title> <meta http-equiv="content-type" content="text/html; charset=iso "> // shaders, mini matrix library <script type="text/javascript"> // more functions function webglstart() { var canvas = document.getelementbyid("lesson01-canvas"); initgl(canvas); initshaders(); initbuffers(); gl.clearcolor(0.0, 0.0, 0.0, 1.0); gl.enable(gl.depth_test); drawscene(); } </script> </head> <body onload="webglstart();"> <canvas id="lesson01-canvas" style="border: none;" width="500" height="500"> </canvas> </body> </html>
49 Initialize gl context var gl; function initgl(canvas) { try { gl = canvas.getcontext("experimental-webgl"); gl.w = canvas.width; gl.h = canvas.height; } catch (e) { } if (!gl) { alert("could not initialise WebGL, sorry :-("); } }
50 Shaders: vertex, fragment <script id="shader-vs" type="x-shader/x-vertex"> attribute vec3 avertexposition; uniform mat4 umvmatrix; uniform mat4 upmatrix; void main(void) { gl_position = upmatrix * umvmatrix * vec4(avertexposition, 1.0); } </script> <script id="shader-fs" type="x-shader/x-fragment"> #ifdef GL_ES precision highp float; #endif void main(void) { gl_fragcolor = vec4(1.0, 1.0, 1.0, 1.0); } </script>
51 Compile a shader function getshader(gl, id) { var shaderscript = document.getelementbyid(id); if (!shaderscript) { return null; } var shader; if (shaderscript.type == "x-shader/x-fragment") { shader = gl.createshader(gl.fragment_shader); } else if (shaderscript.type == "x-shader/x-vertex") { shader = gl.createshader(gl.vertex_shader); } else { return null; } var range = document.createrange(); range.selectnodecontents(shaderscript); gl.shadersource(shader, range.tostring()); range.detach(); gl.compileshader(shader); } if (!gl.getshaderparameter(shader, gl.compile_status)) { alert(gl.getshaderinfolog(shader)); return null; } return shader;
52 Compile and link GL program; get attribute & uniform locations var prg; // shader program function initshaders() { prg = gl.createprogram(); gl.attachshader(prg, getshader(gl, "shader-vs")); gl.attachshader(prg, getshader(gl, "shader-fs")); gl.linkprogram(prg); if (!gl.getprogramparameter(prg, gl.link_status)) { alert("could not initialise shaders"); } gl.useprogram(prg); prg.vtxpos = gl.getattriblocation(prg, "avertexposition"); gl.enablevertexattribarray(prg.vtxpos); } prg.pmatrixuniform = gl.getuniformlocation(prg, "upmatrix"); prg.mvmatrixuniform = gl.getuniformlocation(prg, "umvmatrix");
53 Initialize vertex position buffers var tri; // trianglevertexpositionbuffer var sqr; // squarevertexpositionbuffer function initbuffers() { tri = gl.createbuffer(); gl.bindbuffer(gl.array_buffer, tri); var vertices = [ 0.0, 1.0, 0.0, -1.0, -1.0, 0.0, 1.0, -1.0, 0.0 ]; gl.bufferdata(gl.array_buffer, new Float32Array(vertices), gl.static_draw); tri.itemsize = 3; tri.numitems = 3; } sqr = gl.createbuffer(); gl.bindbuffer(gl.array_buffer, sqr); vertices = [ 1.0, 1.0, -1.0, -1.0, 1.0, -1.0, 1.0, -1.0, -1.0, -1.0, -1.0, -1.0 ]; gl.bufferdata(gl.array_buffer, new Float32Array(vertices), gl.static_draw); sqr.itemsize = 3; sqr.numitems = 4;
54 Include a simple matrix utility library OpenGL ES 2.0 does not include any matrix utilities idea is that matrix math happens on CPU OpenGL ES 2.0 concentrates on things running on GPU it s easy to write such utility libraries Include such a library from a file in the same folder < s c r i p t t y p e = " t e x t / j a v a s c r i p t " src="g l M a t r i x m i n. j s "> < / s c r i p t >
55 Finally, draw the scene function drawscene() { gl.viewport(0, 0, gl.w, gl.h); gl.clear(gl.color_buffer_bit gl.depth_buffer_bit); var pmatrix = mat4.create(); mat4.perspective(45, gl.w / gl.h, 0.1, 100.0, pmatrix); gl.uniformmatrix4fv(prg.pmatrixuniform, false, pmatrix); var mvmatrix = mat4.create(); mat4.identity(mvmatrix); mat4.translate(mvmatrix, [-1.5, 0.0, -7.0]); gl.uniformmatrix4fv(prg.mvmatrixuniform, false, mvmatrix); gl.bindbuffer(gl.array_buffer, tri); gl.vertexattribpointer(prg.vtxpos, tri.itemsize, gl.float, false, 0, 0); gl.drawarrays(gl.triangles, 0, tri.numitems); } mat4.translate(mvmatrix, [3.0, 0.0, 0.0]); gl.uniformmatrix4fv(prg.mvmatrixuniform, false, mvmatrix); gl.bindbuffer(gl.array_buffer, sqr); gl.vertexattribpointer(prg.vtxpos, sqr.itemsize, gl.float, false, 0, 0); gl.drawarrays(gl.triangle_strip, 0, sqr.numitems);
56
57 Camera: the I of visual I/O Graphics is one half of the visual I/O the output Camera provides the input capture textures affect the application New Tegra board supports cameras Back: Stereo 5 MP Front: 2 MP SW: OpenCV & FCam
58 OpenCV Thousands of Developers, Cross Platform API Open standard for Computer Vision 12 years old, professionally developed Over 3 Million Downloads! > 500 Algorithms Common API for Server, Workstation, Desktop and now Mobile Platforms!
59 Computer Vision = New Applications Augmented Reality Gesture interfaces Augmented Reality Ghost Hunter (Argh) Wordlens Google Goggles
60 OpenCV functionality overview General Image Processing Segmentation Machine Learning, Detection Image Pyramids Transforms Fitting Camera Calibration Features Depth Maps Optical Flow Inpainting Tracking
61 OpenCV for Android Optimized for ARM, Tegra, & Android Install from _binary_package/android_binary_package.html
62 Tutorial: Android Camera Part of the Android OpenCV distribution Get camera image Display it
63 Tutorial: Add OpenCV The second part of the tutorial adds OpenCV functionality real-time Canny edge detector from the input image
64 OpenCV supports Java and Native
65 Basic Android camera is limited Android provides an easy-to-use camera API most low-level functionality is automated and hidden Not sufficient if you need accurate camera control computational photography quickly taking images with different settings, combine to better pictures many computer vision tasks the system tries to optimize the image overall, without understanding the task e.g., task: recognize a register plate of a car the parameters should be set so that the plate looks good, other parts of the image can look arbitrarily bad
66 The FCam Architecture A software architecture for programmable cameras that attempts to expose the maximum device capabilities while remaining easy to program (C++) modeling sensor as a pipeline allows rapid state changes
67 Applications
68 FCam: Open Source Project
69 FCam tutorial on Wed afternoon!
70 3D Graphics and Cameras Kari Pulli Senior Director
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
Image Processing and Computer Graphics. Rendering Pipeline. Matthias Teschner. Computer Science Department University of Freiburg
Image Processing and Computer Graphics Rendering Pipeline Matthias Teschner Computer Science Department University of Freiburg Outline introduction rendering pipeline vertex processing primitive processing
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)
Android and OpenGL. Android Smartphone Programming. Matthias Keil. University of Freiburg
Android and OpenGL Android Smartphone Programming Matthias Keil Institute for Computer Science Faculty of Engineering 16. Dezember 2013 Outline 1 OpenGL Introduction 2 Displaying Graphics 3 Interaction
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,
A Pipeline From COLLADA to WebGL for Skeletal Animation
A Pipeline From COLLADA to WebGL for Skeletal Animation Jeffery McRiffey, Ralph M. Butler, and Chrisila C. Pettey Computer Science Department, Middle Tennessee State University, Murfreesboro, TN, USA Abstract
Shader Model 3.0. Ashu Rege. NVIDIA Developer Technology Group
Shader Model 3.0 Ashu Rege NVIDIA Developer Technology Group Talk Outline Quick Intro GeForce 6 Series (NV4X family) New Vertex Shader Features Vertex Texture Fetch Longer Programs and Dynamic Flow Control
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
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/
Introduction to OpenCV for Tegra. Shalini Gupta, Nvidia
Introduction to OpenCV for Tegra Shalini Gupta, Nvidia Computer Vision = Mobile differentiator Applications Smart photography Augmented reality, gesture recognition, visual search Vehicle safety Lucky
2: Introducing image synthesis. Some orientation how did we get here? Graphics system architecture Overview of OpenGL / GLU / GLUT
COMP27112 Computer Graphics and Image Processing 2: Introducing image synthesis [email protected] 1 Introduction In these notes we ll cover: Some orientation how did we get here? Graphics system
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
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
Introduction to Computer Graphics
Introduction to Computer Graphics Torsten Möller TASC 8021 778-782-2215 [email protected] www.cs.sfu.ca/~torsten Today What is computer graphics? Contents of this course Syllabus Overview of course topics
01. Introduction of Android
01. Introduction of Android Goal Understand the concepts and features of the Android Install the complete Android development environment Find out the one-click install Android development environment
Game Development in Android Disgruntled Rats LLC. Sean Godinez Brian Morgan Michael Boldischar
Game Development in Android Disgruntled Rats LLC Sean Godinez Brian Morgan Michael Boldischar Overview Introduction Android Tools Game Development OpenGL ES Marketing Summary Questions Introduction Disgruntled
Computer Graphics Hardware An Overview
Computer Graphics Hardware An Overview Graphics System Monitor Input devices CPU/Memory GPU Raster Graphics System Raster: An array of picture elements Based on raster-scan TV technology The screen (and
Optimizing Unity Games for Mobile Platforms. Angelo Theodorou Software Engineer Unite 2013, 28 th -30 th August
Optimizing Unity Games for Mobile Platforms Angelo Theodorou Software Engineer Unite 2013, 28 th -30 th August Agenda Introduction The author and ARM Preliminary knowledge Unity Pro, OpenGL ES 3.0 Identify
CSE 564: Visualization. GPU Programming (First Steps) GPU Generations. Klaus Mueller. Computer Science Department Stony Brook University
GPU Generations CSE 564: Visualization GPU Programming (First Steps) Klaus Mueller Computer Science Department Stony Brook University For the labs, 4th generation is desirable Graphics Hardware Pipeline
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
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
Monash University Clayton s School of Information Technology CSE3313 Computer Graphics Sample Exam Questions 2007
Monash University Clayton s School of Information Technology CSE3313 Computer Graphics Questions 2007 INSTRUCTIONS: Answer all questions. Spend approximately 1 minute per mark. Question 1 30 Marks Total
Optimizing AAA Games for Mobile Platforms
Optimizing AAA Games for Mobile Platforms Niklas Smedberg Senior Engine Programmer, Epic Games Who Am I A.k.a. Smedis Epic Games, Unreal Engine 15 years in the industry 30 years of programming C64 demo
OpenCV on Android Platforms
OpenCV on Android Platforms Marco Moltisanti Image Processing Lab http://iplab.dmi.unict.it [email protected] http://www.dmi.unict.it/~moltisanti Outline Intro System setup Write and build an Android
Introduction to Computer Graphics with WebGL
Introduction to Computer Graphics with WebGL Ed Angel Professor Emeritus of Computer Science Founding Director, Arts, Research, Technology and Science Laboratory University of New Mexico 1 Programming
CS378 -Mobile Computing. Android Overview and Android Development Environment
CS378 -Mobile Computing Android Overview and Android Development Environment What is Android? A software stack for mobile devices that includes An operating system Middleware Key Applications Uses Linux
How To Understand The Power Of Unity 3D (Pro) And The Power Behind It (Pro/Pro)
Optimizing Unity Games for Mobile Platforms Angelo Theodorou Software Engineer Brains Eden, 28 th June 2013 Agenda Introduction The author ARM Ltd. What do you need to have What do you need to know Identify
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
Methodology for Lecture. Review of Last Demo
Basic Geometry Setup Methodology for Lecture Make mytest1 more ambitious Sequence of steps Demo Review of Last Demo Changed floor to all white, added global for teapot and teapotloc, moved geometry to
GPU(Graphics Processing Unit) with a Focus on Nvidia GeForce 6 Series. By: Binesh Tuladhar Clay Smith
GPU(Graphics Processing Unit) with a Focus on Nvidia GeForce 6 Series By: Binesh Tuladhar Clay Smith Overview History of GPU s GPU Definition Classical Graphics Pipeline Geforce 6 Series Architecture Vertex
Recent Advances and Future Trends in Graphics Hardware. Michael Doggett Architect November 23, 2005
Recent Advances and Future Trends in Graphics Hardware Michael Doggett Architect November 23, 2005 Overview XBOX360 GPU : Xenos Rendering performance GPU architecture Unified shader Memory Export Texture/Vertex
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
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
Cross-Platform Game Development Best practices learned from Marmalade, Unreal, Unity, etc.
Cross-Platform Game Development Best practices learned from Marmalade, Unreal, Unity, etc. Orion Granatir & Omar Rodriguez GDC 2013 www.intel.com/software/gdc Be Bold. Define the Future of Software. Agenda
The Evolution of Computer Graphics. SVP, Content & Technology, NVIDIA
The Evolution of Computer Graphics Tony Tamasi SVP, Content & Technology, NVIDIA Graphics Make great images intricate shapes complex optical effects seamless motion Make them fast invent clever techniques
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
Introduction to Computer Graphics
Introduction to Computer Graphics Version 1.1, January 2016 David J. Eck Hobart and William Smith Colleges This is a PDF version of a free, on-line book that is available at http://math.hws.edu/graphicsbook/.
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
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
Android and OpenCV Tutorial
Android and OpenCV Tutorial Computer Vision Lab Tutorial 26 September 2013 Lorenz Meier, Amaël Delaunoy, Kalin Kolev Institute of Visual Computing Tutorial Content Strengths / Weaknesses of Android Java
Silverlight for Windows Embedded Graphics and Rendering Pipeline 1
Silverlight for Windows Embedded Graphics and Rendering Pipeline 1 Silverlight for Windows Embedded Graphics and Rendering Pipeline Windows Embedded Compact 7 Technical Article Writers: David Franklin,
How To Develop For A Powergen 2.2 (Tegra) With Nsight) And Gbd (Gbd) On A Quadriplegic (Powergen) Powergen 4.2.2 Powergen 3
Profiling and Debugging Tools for High-performance Android Applications Stephen Jones, Product Line Manager, NVIDIA ([email protected]) Android By The Numbers 1.3M Android activations per day Android activations
Title: Appium Automation for Mac OS X. Created By: Prithivirajan M. Abstract. Introduction
Title: Appium Automation for Mac OS X Created By: Prithivirajan M Abstract This document aims at providing the necessary information required for setting up mobile testing environment in Mac OS X for testing
Beginning Android 4. Games Development. Mario Zechner. Robert Green
Beginning Android 4 Games Development Mario Zechner Robert Green Contents Contents at a Glance About the Authors Acknowledgments Introduction iv xii xiii xiv Chapter 1: Android, the New Kid on the Block...
GPU Architecture. Michael Doggett ATI
GPU Architecture Michael Doggett ATI GPU Architecture RADEON X1800/X1900 Microsoft s XBOX360 Xenos GPU GPU research areas ATI - Driving the Visual Experience Everywhere Products from cell phones to super
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
Chapter 2 - Graphics Programming with JOGL
Chapter 2 - Graphics Programming with JOGL Graphics Software: Classification and History JOGL Hello World Program 2D Coordinate Systems in JOGL Dealing with Window Reshaping 3D Coordinate Systems in JOGL
Android Development: Part One
Android Development: Part One This workshop will introduce you to the nature of the Android development platform. We begin with an overview of the platform s development history and some discussion of
ANDROID DEVELOPER TOOLS TRAINING GTC 2014. Sébastien Dominé, NVIDIA
ANDROID DEVELOPER TOOLS TRAINING GTC 2014 Sébastien Dominé, NVIDIA AGENDA NVIDIA Developer Tools Introduction Multi-core CPU tools Graphics Developer Tools Compute Developer Tools NVIDIA Developer Tools
Introduction to Game Programming. Steven Osman [email protected]
Introduction to Game Programming Steven Osman [email protected] Introduction to Game Programming Introductory stuff Look at a game console: PS2 Some Techniques (Cheats?) What is a Game? Half-Life 2, Valve
How to Choose Right Mobile Development Platform BROWSER, HYBRID, OR NATIVE
How to Choose Right Mobile Development Platform BROWSER, HYBRID, OR NATIVE Solutions Introduction: Enterprises around the globe are mobilizing mission-critical services. Businesses get streamlined due
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
Low power GPUs a view from the industry. Edvard Sørgård
Low power GPUs a view from the industry Edvard Sørgård 1 ARM in Trondheim Graphics technology design centre From 2006 acquisition of Falanx Microsystems AS Origin of the ARM Mali GPUs Main activities today
Graphics Pipeline in a Nutshell
Graphics Pipeline in a Nutshell How do we create a rendering such as this? CS334 Spring 2008 Design the scene (technical drawing in wireframe ) Apply perspective transformations to the scene geometry for
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
Color correction in 3D environments Nicholas Blackhawk
Color correction in 3D environments Nicholas Blackhawk Abstract In 3D display technologies, as reviewers will say, color quality is often a factor. Depending on the type of display, either professional
Graphics Input Primitives. 5. Input Devices Introduction to OpenGL. String Choice/Selection Valuator
4ICT10 Computer Graphics and Virtual Reality 5. Input Devices Introduction to OpenGL Dr Ann McNamara String Choice/Selection Valuator Graphics Input Primitives Locator coordinate pair x,y Pick required
An Introduction to Android Application Development. Serdar Akın, Haluk Tüfekçi
An Introduction to Android Application Serdar Akın, Haluk Tüfekçi ARDIC ARGE http://www.ardictech.com April 2011 Environment Programming Languages Java (Officially supported) C (Android NDK Needed) C++
A Short Introduction to Computer Graphics
A Short Introduction to Computer Graphics Frédo Durand MIT Laboratory for Computer Science 1 Introduction Chapter I: Basics Although computer graphics is a vast field that encompasses almost any graphical
GearVRf Developer Guide
GearVRf Developer Guide Welcome to GearVRf development! The Gear VR Framework (GearVRf) allows you, the Android developer, to write your own stereoscopic 3D virtual reality Java applications for the Samsung
Mobile Development with Qt
Mobile Development with Qt Developing for Symbian and Maemo Daniel Molkentin Nokia, Qt Development Frameworks 1 Yours Truly Developer and Promoter for the KDE Project since 2000 Author of The Book of Qt
What else can you do with Android? Inside Android. Chris Simmonds. Embedded Linux Conference Europe 2010. Copyright 2010, 2net Limited.
What else can you do with Android? Chris Simmonds Embedded Linux Conference Europe 2010 Copyright 2010, 2net Limited 1 Overview Some background on Android Quick start Getting the SDK Running and emulated
Plug-in Software Developer Kit (SDK)
Updated February 2, 2012 2 modo 601 Plug-in Development Kit for PC and Mac The modo 601 Plug-in Software Development Kit provides a set of Application Programming Interfaces (APIs) and numerous source
Mobility Introduction Android. Duration 16 Working days Start Date 1 st Oct 2013
Mobility Introduction Android Duration 16 Working days Start Date 1 st Oct 2013 Day 1 1. Introduction to Mobility 1.1. Mobility Paradigm 1.2. Desktop to Mobile 1.3. Evolution of the Mobile 1.4. Smart phone
Tutorial on OpenCV for Android Setup
Tutorial on OpenCV for Android Setup EE368/CS232 Digital Image Processing, Spring 2015 Macintosh Version For personal Android devices (advised: Android 3.0 or higher) Introduction In this tutorial, we
Generate Android App
Generate Android App This paper describes how someone with no programming experience can generate an Android application in minutes without writing any code. The application, also called an APK file can
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
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
Introduction to GPGPU. Tiziano Diamanti [email protected]
[email protected] Agenda From GPUs to GPGPUs GPGPU architecture CUDA programming model Perspective projection Vectors that connect the vanishing point to every point of the 3D model will intersecate
Android Basics. Xin Yang 2016-05-06
Android Basics Xin Yang 2016-05-06 1 Outline of Lectures Lecture 1 (45mins) Android Basics Programming environment Components of an Android app Activity, lifecycle, intent Android anatomy Lecture 2 (45mins)
Smartphone market share
Smartphone market share Gartner predicts that Apple s ios will remain the second biggest platform worldwide through 2014 despite its share deceasing slightly after 2011. Android will become the most popular
Radeon HD 2900 and Geometry Generation. Michael Doggett
Radeon HD 2900 and Geometry Generation Michael Doggett September 11, 2007 Overview Introduction to 3D Graphics Radeon 2900 Starting Point Requirements Top level Pipeline Blocks from top to bottom Command
Android 5.0: Lollipop OS
IJISET - International Journal of Innovative Science, Engineering & Technology, Vol. 2 Issue 6, June 2015. www.ijiset.com Android 5.0: Lollipop OS ISSN 2348 7968 Meenakshi M.Tech Student, Department of
OpenGL Shading Language Course. Chapter 5 Appendix. By Jacobo Rodriguez Villar [email protected]
OpenGL Shading Language Course Chapter 5 Appendix By Jacobo Rodriguez Villar [email protected] TyphoonLabs GLSL Course 1/1 APPENDIX INDEX Using GLSL Shaders Within OpenGL Applications 2
GUI GRAPHICS AND USER INTERFACES. Welcome to GUI! Mechanics. Mihail Gaianu 26/02/2014 1
Welcome to GUI! Mechanics 26/02/2014 1 Requirements Info If you don t know C++, you CAN take this class additional time investment required early on GUI Java to C++ transition tutorial on course website
OpenGL Performance Tuning
OpenGL Performance Tuning Evan Hart ATI Pipeline slides courtesy John Spitzer - NVIDIA Overview What to look for in tuning How it relates to the graphics pipeline Modern areas of interest Vertex Buffer
Android NDK Native Development Kit
Contents 1. What you can do with NDK 2. When to use native code 3. Stable APIs to use / available libraries 4. Build native applications with NDK 5. NDK contents and structure 6. NDK cross-compiler suite
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
Choosing a Mobile Application Development Approach
ASEAN Journal of Management & Innovation Vol. 1 No. 1, 69 74 by Stamford International University DOI: 10.14456/ajmi..4 ajmi.stamford.edu Choosing a Mobile Application Development Approach Phyo Min Tun
Computer Graphics. Anders Hast
Computer Graphics Anders Hast Who am I?! 5 years in Industry after graduation, 2 years as high school teacher.! 1996 Teacher, University of Gävle! 2004 PhD, Computerised Image Processing " Computer Graphics!
Developer Tools. Tim Purcell NVIDIA
Developer Tools Tim Purcell NVIDIA Programming Soap Box Successful programming systems require at least three tools High level language compiler Cg, HLSL, GLSL, RTSL, Brook Debugger Profiler Debugging
Bridging the Gap: from a Web App to a Mobile Device App
Bridging the Gap: from a Web App to a Mobile Device App or, so how does this PhoneGap* stuff work? *Other names and brands may be claimed as the property of others. 1 Users Want Mobile Apps, Not Mobile
QCD as a Video Game?
QCD as a Video Game? Sándor D. Katz Eötvös University Budapest in collaboration with Győző Egri, Zoltán Fodor, Christian Hoelbling Dániel Nógrádi, Kálmán Szabó Outline 1. Introduction 2. GPU architecture
DATA VISUALIZATION OF THE GRAPHICS PIPELINE: TRACKING STATE WITH THE STATEVIEWER
DATA VISUALIZATION OF THE GRAPHICS PIPELINE: TRACKING STATE WITH THE STATEVIEWER RAMA HOETZLEIN, DEVELOPER TECHNOLOGY, NVIDIA Data Visualizations assist humans with data analysis by representing information
Table of Contents. Adding Build Targets to the SDK 8 The Android Developer Tools (ADT) Plug-in for Eclipse 9
SECOND EDITION Programming Android kjj *J} Zigurd Mednieks, Laird Dornin, G. Blake Meike, and Masumi Nakamura O'REILLY Beijing Cambridge Farnham Koln Sebastopol Tokyo Table of Contents Preface xiii Parti.
Tutorial on Basic Android Setup
Tutorial on Basic Android Setup EE368/CS232 Digital Image Processing, Spring 2015 Windows Version Introduction In this tutorial, we will learn how to set up the Android software development environment
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
GPGPU Computing. Yong Cao
GPGPU Computing Yong Cao Why Graphics Card? It s powerful! A quiet trend Copyright 2009 by Yong Cao Why Graphics Card? It s powerful! Processor Processing Units FLOPs per Unit Clock Speed Processing Power
Example Connection between USB Host and Android
Example connection between USB Host and Android Example Connection between USB Host and Android This example illustrates the connection between Board ETMEGA2560-ADK and Android through Port USB Host. In
CLOUD GAMING WITH NVIDIA GRID TECHNOLOGIES Franck DIARD, Ph.D., SW Chief Software Architect GDC 2014
CLOUD GAMING WITH NVIDIA GRID TECHNOLOGIES Franck DIARD, Ph.D., SW Chief Software Architect GDC 2014 Introduction Cloud ification < 2013 2014+ Music, Movies, Books Games GPU Flops GPUs vs. Consoles 10,000
TEGRA X1 DEVELOPER TOOLS SEBASTIEN DOMINE, SR. DIRECTOR SW ENGINEERING
TEGRA X1 DEVELOPER TOOLS SEBASTIEN DOMINE, SR. DIRECTOR SW ENGINEERING NVIDIA DEVELOPER TOOLS BUILD. DEBUG. PROFILE. C/C++ IDE INTEGRATION STANDALONE TOOLS HARDWARE SUPPORT CPU AND GPU DEBUGGING & PROFILING
ipad, a revolutionary device - Apple
Flash vs HTML5 ipad, a revolutionary device Apple Lightweight and portable Sufficient battery life Completely Wireless Convenient multitouch interface Huge number of apps (some of them are useful) No Flash
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
How To Train A Face Recognition In Python And Opencv
TRAINING DETECTORS AND RECOGNIZERS IN PYTHON AND OPENCV Sept. 9, 2014 ISMAR 2014 Joseph Howse GOALS Build apps that learn from p h o to s & f r o m real-time camera input. D e te c t & recognize the faces
Midgard GPU Architecture. October 2014
Midgard GPU Architecture October 2014 1 The Midgard Architecture HARDWARE EVOLUTION 2 3 Mali GPU Roadmap Mali-T760 High-Level Architecture Distributes tasks to shader cores Efficient mapping of geometry
