3 Multimedia Programming with C++ and Multimedia Frameworks
|
|
|
- Anna McDowell
- 9 years ago
- Views:
Transcription
1 3 Multimedia Programming with C++ and Multimedia Frameworks 3.1 Multimedia Support by Languages and Frameworks 3.2 Introduction to C SFML: Low-Level Multimedia/Game Framework for C Cocos2d-x: High Level Game Engine for C++ Literature: cocos2d-x.org R. Engelbert: Cocos2d-x Beginner's Guide, 2nd ed., Packt Publishing 2015 LMU München, Sommer 2016 Prof. Hußmann: Multimedia-Programmierung Kapitel 3 Teil b, Folie 1
2 History and Status of Cocos2d(-x) February 2008, in "Los Cocos" (Argentina): Meeting of Python(!) game developers Ricardo Quesada and others create 2D game engine called "Cocos2d" Juli 2008: Apple AppStore for iphone, ios SDK Cocos2d rewritten in Objective-C ("cocos2d-iphone") Successful game apps for iphone based on Cocos2d (e.g. StickWars) Various ports and branches of the framework November 2010: Cocos2d-x by Zhe Wang (Xiamen, China) Based on C++ One codebase for many platforms Cocos2d-x is maintained by Chukong Technologies Inc. (Beijing) Latest version 3.10 (Jan 11, 2016) Claimed to be used by more than developers worldwide LMU München, Sommer 2016 Prof. Hußmann: Multimedia-Programmierung Kapitel 3 Teil b, Folie 2
3 Basic Concepts: Layer, Scene, Node, Sprite Layer Layer, Sprite, DrawNode, Scene, : Subclasses of Node Vector Graphics (DrawNode) Sprite LMU München, Sommer 2016 Prof. Hußmann: Multimedia-Programmierung Kapitel 3 Teil b, Folie 3
4 Basic Concepts: Scene Graph scene layer drawnode sprite Scene is a special type of node which is used as root LMU München, Sommer 2016 Prof. Hußmann: Multimedia-Programmierung Kapitel 3 Teil b, Folie 4
5 QUIZ! What are the necessary statements (assignments) to create the tree structure indicated on the last slide? LMU München, Sommer 2016 Prof. Hußmann: Multimedia-Programmierung Kapitel 3 Teil b, Folie 5
6 Steps to Create a Basic Window Create a subclass of Layer (here: SlideShowScene) Define an initialization method init() Create a new Scene object scene Create a new object of the subclass of layer (SlideShowScene) Add it as a child to the scene object Hand it over to the engine for running Engine calls init() method for new object Initialization code Schedule functions and actions to be run LMU München, Sommer 2016 Prof. Hußmann: Multimedia-Programmierung Kapitel 3 Teil b, Folie 6
7 Creating a Standard Code Skeleton Using a Python(!)-implemented command for the terminal command line cocos new -l cpp -p slideshow0 -d /Users/hussmann/cocostest SlideShow0 Creates two classes (four files) with a standard structure Following code follows this given structure! LMU München, Sommer 2016 Prof. Hußmann: Multimedia-Programmierung Kapitel 3 Teil b, Folie 7
8 Code Skeleton for Slide Show class SlideShowScene : public cocos2d::layer { public: static Scene* createscene(); virtual bool init(); CREATE_FUNC(SlideShowScene); // implement "static create()" method }; void update(float dt); also calls "init()" Scene* SlideShowScene::createScene() { auto scene = Scene::create(); auto layer = SlideShowScene::create(); scene->addchild(layer); return scene; } bool SlideShowScene::init() { } SlideShowScene.hpp SlideShowScene.cpp LMU München, Sommer 2016 Prof. Hußmann: Multimedia-Programmierung Kapitel 3 Teil b, Folie 8
9 Concepts: AppDelegate, Director Class AppDelegate is home of the framework No need to change much in it! Contains the code: auto scene = SlideShowScene::createScene(); director->runwithscene(scene); Director object Keeps track of basic properties of application (e.g. size, view) Provides access to management of control flow: e.g. scheduler, event dispatcher, action manager AppDelegate.hpp AppDelegate.cpp LMU München, Sommer 2016 Prof. Hußmann: Multimedia-Programmierung Kapitel 3 Teil b, Folie 9
10 SlideShowScene: Prelude #include "SlideShowScene.hpp" #include <array> using namespace cocos2d; const int NUM_PICS = 4; //number of available slides const int INTERVAL = 4; //interval for slide change, in seconds const int BORDER = 30; //size of framing border in design pixels const Color4F bkgcolor = Color4F(255/255.0, 228/255.0, 95/255.0, 1); // Background color (yellowish) std::array<std::string, NUM_PICS> picfiles = {"frog.jpg","cows.jpg","elephant.jpg","tiger.jpg"}; // Traditional C style would be // std::string gpicfiles[num_pics{"frog.jpg","cows.jpg", "elephant.jpg","tiger.jpg"}; Size visiblesize; Size imagespritesize; float originximg; float originyimg; LMU München, Sommer 2016 Prof. Hußmann: Multimedia-Programmierung Kapitel 3 Teil b, Folie10
11 QUIZ! What is Color4F? What is the meaning of a value of 1.0 on fourth position? LMU München, Sommer 2016 Prof. Hußmann: Multimedia-Programmierung Kapitel 3 Teil b, Folie 11
12 SlideShowScene: Initialization (1) bool SlideShowScene::init() { // super init first if (!Layer::init() ) { return false; } // Initialize variables visiblesize = Director::getInstance()->getVisibleSize(); Vec2 origin = Director::getInstance()->getVisibleOrigin(); picindex = 0; // Create DrawNode for image frame rectangle imageframe = DrawNode::create(); this->addchild(imageframe); // Create sprite for images imagesprite = Sprite::create(); this->addchild(imagesprite); // Preload first image and determine image size imagesprite->settexture(picfiles[picindex]); imagespritesize = imagesprite->getcontentsize(); LMU München, Sommer 2016 Prof. Hußmann: Multimedia-Programmierung Kapitel 3 Teil b, Folie12
13 SlideShowScene: Initialization (2) // Position the sprite at the center of the screen originximg = origin.x + visiblesize.width/2; originyimg = origin.y + visiblesize.height/2; imagesprite->setposition(vec2(originximg, originyimg)); } // Draw the border, based on the coordinates and sizes we have computed imageframe->drawsolidrect( Vec2(originXImg-imageSpriteSize.width/2-BORDER, originyimg-imagespritesize.height/2-border), Vec2(originXImg+imageSpriteSize.width/2+BORDER, originyimg+imagespritesize.height/2+border),bkgcolor); // schedule the update function to be called every INTERVAL seconds this->schedule(schedule_selector(slideshowscene::update), INTERVAL); return true; Inversion of control! void SlideShowScene::update (float dt) { CCLOG("update called, dt = %f, picindex = %i", dt, picindex); // Increase picindex and set image according to picindex picindex = (picindex+1) % NUM_PICS; imagesprite->settexture(picfiles[picindex]); } LMU München, Sommer 2016 Prof. Hußmann: Multimedia-Programmierung Kapitel 3 Teil b, Folie13
3 Multimedia Programming with C++ and Multimedia Frameworks
3 Multimedia Programming with C++ and Multimedia Frameworks 3.1 Multimedia Support by Languages and Frameworks 3.2 Introduction to C++ 3.3 SFML: Low-Level Multimedia/Game Framework for C++ 3.4 Cocos2d-x:
6 Images, Vector Graphics, and Scenes
6 Images, Vector Graphics, and Scenes 6.1 Image Buffers 6.2 Structured Graphics: Scene Graphs 6.3 Sprites Literature: R. Nystrom: Game Programming Patterns, genever banning 2014, Chapter 8, see also http://gameprogrammingpatterns.com/double-buffer.html
2! Multimedia Programming with! Python and SDL
2 Multimedia Programming with Python and SDL 2.1 Introduction to Python 2.2 SDL/Pygame: Multimedia/Game Frameworks for Python Literature: G. van Rossum and F. L. Drake, Jr., An Introduction to Python -
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
Write Your Angry Bird Game on Tizen for Fun and Profit. Lu Guanqun Intel Corporation
Write Your Angry Bird Game on Tizen for Fun and Profit Lu Guanqun Intel Corporation Why? 3 The market is big! 4 Famous games apps Playing games is fun. Developing a game is more fun. 5 How? Native app
Rapid Game Development Using Cocos2D-JS
Rapid Game Development Using Cocos2D-JS An End-To-End Guide to 2D Game Development using Javascript Hemanthkumar and Abdul Rahman This book is for sale at http://leanpub.com/cocos2d This version was published
Project 2: Character Animation Due Date: Friday, March 10th, 11:59 PM
1 Introduction Project 2: Character Animation Due Date: Friday, March 10th, 11:59 PM The technique of motion capture, or using the recorded movements of a live actor to drive a virtual character, has recently
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
Sprite Kit Programming Guide
Sprite Kit Programming Guide Contents About Sprite Kit 9 At a Glance 10 Sprite Content is Drawn by Presenting Scenes Inside a Sprite View 11 A Node Tree Defines What Appears in a Scene 11 Textures Hold
the gamedesigninitiative at cornell university Lecture 1 Course Overview
Lecture 1 Course CS/INFO 4152: Advanced Topics Sequel to CS/INFO 3152 Prereq unless you a non-cornell Meng (or exempt) Similar format and structure as Intro Game Design Covers topics not touched in Intro
U.Rahamathunnisa 1, S. Pragadeeswaran 2 *Assistant Professor, SITE, VIT University, Vellore. **MS(SE) Student, SITE, VIT University, Vellore.
COLLISION DETECTION GAME USING COCOS2DX-A CROSS PLATFORM U.Rahamathunnisa 1, S. Pragadeeswaran 2 *Assistant Professor, SITE, VIT University, Vellore. **MS(SE) Student, SITE, VIT University, Vellore. Abstract
KIVY - A Framework for Natural User Interfaces
KIVY - A Framework for Natural User Interfaces Faculty of Computer Sciences Source of all Slides adopted from http://www.kivy.org Kivy - Open Source Library Kivy is an Open Source Python library for rapid
CROSS-PLATFORM MOBILE APPLICATION DEVELOPMENT. Roman Khandozhenko
CROSS-PLATFORM MOBILE APPLICATION DEVELOPMENT Roman Khandozhenko CROSS-PLATFORM MOBILE APPLICATION DEVELOPMENT Roman Khandozhenko Bachelor s thesis Autumn 2014 Business Information Technology Oulu University
Mobile Application Development
Mobile Application Development Introduction Fermion is an outsourced product development company. Our competencies lie in setting up dedicated offshore software development teams for outsourced product
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!
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,
History OOP languages Year Language 1967 Simula-67 1983 Smalltalk
History OOP languages Intro 1 Year Language reported dates vary for some languages... design Vs delievered 1957 Fortran High level programming language 1958 Lisp 1959 Cobol 1960 Algol Structured Programming
sqlpp11 - An SQL Library Worthy of Modern C++
2014-09-11 Code samples Prefer compile-time and link-time errors to runtime errors Scott Meyers, Effective C++ (2nd Edition) Code samples Let s look at some code String based In the talk, we looked at
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
X-GSD: Cross-Platform Game Skeleton (Data-Driven)
End-of-Degree Project Bachelor s Degree in Informatics Engineering 014/015 X-GSD: Cross-Platform Game Skeleton (Data-Driven) A basic data-driven C++ game engine built upon SFML Official name (Spanish):
MEAP Edition Manning Early Access Program Hello! ios Development version 14
MEAP Edition Manning Early Access Program Hello! ios Development version 14 Copyright 2013 Manning Publications For more information on this and other Manning titles go to www.manning.com brief contents
ios Audio Programming Guide
ios Audio Programming Guide A Guide to Developing Applications for Real-time Audio Processing and Playback izotope, Inc. izotope ios Audio Programming Guide This document is meant as a guide to developing
Teaching App Development with Swift Course Materials Overview
Teaching App Development with Swift Teaching Programming with ios and Swift ios, Swift and the Apple toolset provide an excellent platform for teaching students how to program. With this collection of
Reading and Writing PCD Files The PCD File Format The Grabber Interface Writing a Custom Grabber PCL :: I/O. Suat Gedikli, Nico Blodow
PCL :: I/O Suat Gedikli, Nico Blodow July 1, 2011 Outline 1. Reading and Writing PCD Files 2. The PCD File Format 3. The Grabber Interface 4. Writing a Custom Grabber global functions in the namespace
ios Design Patterns Jackie Myrose CSCI 5448 Fall 2012
ios Design Patterns Jackie Myrose CSCI 5448 Fall 2012 Design Patterns A design pattern is a common solution to a software problem They are helpful for speeding up problem solving, ensuring that a developer
6waves Limited. Internship
Internship Assists in the documentation or processes of game production Coordinate, and/or support special projects as needed Degree in any discipline Creative mind Passionate in video games, social games
How To Use Ios 5
Chapter 1 The Brand New Stuff In 2007, the late Steve Jobs took the stage at Macworld and proclaimed that software running on iphone was at least five years ahead of the competition. Since its initial
INTRODUCTION TO OBJECTIVE-C CSCI 4448/5448: OBJECT-ORIENTED ANALYSIS & DESIGN LECTURE 12 09/29/2011
INTRODUCTION TO OBJECTIVE-C CSCI 4448/5448: OBJECT-ORIENTED ANALYSIS & DESIGN LECTURE 12 09/29/2011 1 Goals of the Lecture Present an introduction to Objective-C 2.0 Coverage of the language will be INCOMPLETE
The Darwin Game 2.0 Programming Guide
The Darwin Game 2.0 Programming Guide In The Darwin Game creatures compete to control maps and race through mazes. You play by programming your own species of creature in Java, which then acts autonomously
2. About iphone ios 5 Development Essentials. 5. Joining the Apple ios Developer Program
Table of Contents 1. Preface 2. About iphone ios 5 Development Essentials Example Source Code Feedback 3. The Anatomy of an iphone 4S ios 5 Display Wireless Connectivity Wired Connectivity Memory Cameras
Star Micronics Cloud Services ios SDK User's Manual
Star Micronics Cloud Services ios SDK User's Manual General Outline This document provides information about the Star Micronics Cloud Services ios SDK, showing guidelines for our customers to build the
Computer Science. 232 Computer Science. Degrees and Certificates Awarded. A.S. Degree Requirements. Program Student Outcomes. Department Offices
232 Computer Science Computer Science (See Computer Information Systems section for additional computer courses.) We are in the Computer Age. Virtually every occupation in the world today has an interface
How To Develop An App For Ios (Windows)
Mobile Application Development Lecture 14 ios SDK 2013/2014 Parma Università degli Studi di Parma Lecture Summary ios operating system ios SDK Tools of the trade ModelViewController MVC interaction patterns
Java game programming. Game engines. Fayolle Pierre-Alain
Java game programming Game engines 2010 Fayolle Pierre-Alain Plan Some definitions List of (Java) game engines Examples of game engines and their use A first and simple definition A game engine is a (complex)
www.virtualians.pk CS506 Web Design and Development Solved Online Quiz No. 01 www.virtualians.pk
CS506 Web Design and Development Solved Online Quiz No. 01 Which of the following is a general purpose container? JFrame Dialog JPanel JApplet Which of the following package needs to be import while handling
Creating Animated Apps
Chapter 17 Creating Animated Apps This chapter discusses methods for creating apps with simple animations objects that move. You ll learn the basics of creating two-dimensional games with App Inventor
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
Outline Basic concepts of Python language
Data structures: lists, tuples, sets, dictionaries Basic data types Examples: int: 12, 0, -2 float: 1.02, -2.4e2, 1.5e-3 complex: 3+4j bool: True, False string: "Test string" Conversion between types int(-2.8)
The 8 th International Scientific Conference elearning and software for Education Bucharest, April 26-27, 2012 10.5682/2066-026X-12-115
The 8 th International Scientific Conference elearning and software for Education Bucharest, April 26-27, 2012 10.5682/2066-026X-12-115 TRADE-OFFS IN DEVELOPING HIGHLY INTERACTIVE MLEARNING CONTENT USING
Help Software Design of NDT Instrument Based on FLASH Cartoon
17th World Conference on Nondestructive Testing, 25-28 Oct 2008, Shanghai, China Help Software Design of NDT Instrument Based on FLASH Cartoon Jun-ming LIN 1, Han-lin LI 2, Zhen-xiong CAI 2, Jin-biao LIN
FLASH. Mac versus PC. Pixels versus Vectors Two kinds of images are in the digital world: bitmaps and vectors:
FLASH Macromedia Flash is a multimedia graphics program especially for creating moving images for use on the Web. Flash has opened up a whole new world for digital animators. You can rotoscope with it,
WEB DESIGN COURSE CONTENT
WEB DESIGN COURSE CONTENT INTRODUCTION OF WEB TECHNOLOGIES Careers in Web Technologies How Websites are working Domain Types and Server About Static and Dynamic Websites Web 2.0 Standards PLANNING A BASIC
Chapter 1. Introduction to ios Development. Objectives: Touch on the history of ios and the devices that support this operating system.
Chapter 1 Introduction to ios Development Objectives: Touch on the history of ios and the devices that support this operating system. Understand the different types of Apple Developer accounts. Introduce
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
Additional details >>> HERE <<<
Additional details >>> HERE http://dbvir.com/androider/pdx/broa1442/ Tags:
Creating a Custom Class in Xcode
Creating a Custom Class in Xcode By Mark Mudri March 28, 2014 Executive Summary: Making an ios application requires the use of Xcode, an integrated development environment (IDE) developed by Apple. Within
Tutorial 9: Skeletal Animation
Tutorial 9: Skeletal Animation Summary In the last couple of tutorials, you ve seen how to create a scene graph, and implemented a simple animating cube robot using them. You re probably wondering how
ios 9 Accessibility Switch Control - The Missing User Guide Updated 09/15/15
ios 9 Accessibility Switch Control - The Missing User Guide Updated 09/15/15 Apple, ipad, iphone, and ipod touch are trademarks of Apple Inc., registered in the U.S. and other countries. ios is a trademark
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
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
DESKTOP COMPUTER SKILLS
1 Desktop Computer Skills Price List DESKTOP COMPUTER SKILLS Microsoft Office 2010 Microsoft Office 2010: New Features Please note all prices exclude VAT Approx. Learning Hours: 3 Price: 45 Office 2010
Getting Started with the Internet Communications Engine
Getting Started with the Internet Communications Engine David Vriezen April 7, 2014 Contents 1 Introduction 2 2 About Ice 2 2.1 Proxies................................. 2 3 Setting Up ICE 2 4 Slices 2
Game Programming with DXFramework
Game Programming with DXFramework Jonathan Voigt [email protected] University of Michigan Fall 2006 The Big Picture DirectX is a general hardware interface API Goal: Unified interface for different hardware
Logging. Working with the POCO logging framework.
Logging Working with the POCO logging framework. Overview > Messages, Loggers and Channels > Formatting > Performance Considerations Logging Architecture Message Logger Channel Log File Logging Architecture
Portability Study of Android and ios
Portability Study of Android and ios Brandon Stewart Problem Report submitted to the Benjamin M. Statler College of Engineering and Mineral Resources at West Virginia University in partial fulfillment
Programming Languages & Tools
4 Programming Languages & Tools Almost any programming language one is familiar with can be used for computational work (despite the fact that some people believe strongly that their own favorite programming
USE OF HYPERVIDEO FOR TEACHING C/C++ Luiz-Alberto Vieira-Dias Andre Catoto-Dias
USE OF HYPERVIDEO FOR TEACHING C/C++ Luiz-Alberto Vieira-Dias Andre Catoto-Dias UNIVAP-Paraiba Valley University School of Computer Science São Jose dos Campos, SP, Brazil [email protected] ABSTRACT This
Features List Contents
Features List Contents Map Creation... 2 Map Formatting & Building... 3 Analysis... 4 Task and Project management... 5 Presentation... 7 Communication, Import & Export... 7 Mobile Integration... 8 Windows
User Recognition and Preference of App Icon Stylization Design on the Smartphone
User Recognition and Preference of App Icon Stylization Design on the Smartphone Chun-Ching Chen (&) Department of Interaction Design, National Taipei University of Technology, Taipei, Taiwan [email protected]
Chapter 6 - The Scene Graph
Chapter 6 - The Scene Graph Why a scene graph? What is stored in the scene graph? objects appearance camera lights Rendering with a scene graph Practical example 1 The 3D Rendering Pipeline (our version
CSET 3100 Advanced Website Design (3 semester credit hours) IT Required
CSET 3100 Advanced Website Design (3 semester credit hours) CSET Elective IT Required Current Catalog Description: This course covers the creation of HTML forms, creation of static and animated web graphics,
Creating a 2D Game Engine for Android OS. Introduction
Creating a 2D Game Engine for Android OS Introduction This tutorial will lead you through the foundations of creating a 2D animated game for the Android Operating System. The goal here is not to create
SBS ONLINE ADVERTISING GUIDELINES
SBS ONLINE ADVERTISING GUIDELINES To ensure a seamless delivery of online advertising for our clients, this document contains all the information required to advertise SBS s digital platforms: Online Mobile
COSC 111: Computer Programming I. Dr. Bowen Hui University of Bri>sh Columbia Okanagan
COSC 111: Computer Programming I Dr. Bowen Hui University of Bri>sh Columbia Okanagan 1 Today Review slides from week 2 Review another example with classes and objects Review classes in A1 2 Discussion
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
6.088 Intro to C/C++ Day 4: Object-oriented programming in C++ Eunsuk Kang and Jean Yang
6.088 Intro to C/C++ Day 4: Object-oriented programming in C++ Eunsuk Kang and Jean Yang Today s topics Why objects? Object-oriented programming (OOP) in C++ classes fields & methods objects representation
Freescale Semiconductor, I
nc. Application Note 6/2002 8-Bit Software Development Kit By Jiri Ryba Introduction 8-Bit SDK Overview This application note describes the features and advantages of the 8-bit SDK (software development
AMPIFY YOUR BRAND ON SNAP MOBILE S MOBILE WEB NETWORK. May 2014
AMPIFY YOUR BRAND ON SNAP MOBILE S MOBILE WEB NETWORK May 2014 FLYDAY Monthly Page Views: 200,000+ Monthly Unique Visitors: 130,000+ URL: Flyday,.hk Flyday.hk is a leading online travel deals distribution
Research and Design of Universal and Open Software Development Platform for Digital Home
Research and Design of Universal and Open Software Development Platform for Digital Home CaiFeng Cao School of Computer Wuyi University, Jiangmen 529020, China [email protected] Abstract. With the development
Optimization for DirectX9 Graphics. Ashu Rege
Optimization for DirectX9 Graphics Ashu Rege Last Year: Batch, Batch, Batch Moral of the story: Small batches BAD What is a batch Every DrawIndexedPrimitive call is a batch All render, texture, shader,...
Developing Applications for ios
Developing Applications for ios Lecture 1: Mobile Applications Development Radu Ionescu [email protected] Faculty of Mathematics and Computer Science University of Bucharest Content Key concepts
iphone Objective-C Exercises
iphone Objective-C Exercises About These Exercises The only prerequisite for these exercises is an eagerness to learn. While it helps to have a background in object-oriented programming, that is not a
Note: This App is under development and available for testing on request. Note: This App is under development and available for testing on request. Note: This App is under development and available for
ANIMATION a system for animation scene and contents creation, retrieval and display
ANIMATION a system for animation scene and contents creation, retrieval and display Peter L. Stanchev Kettering University ABSTRACT There is an increasing interest in the computer animation. The most of
Reach 4 million Unity developers
Reach 4 million Unity developers with your Android library Vitaliy Zasadnyy Senior Unity Dev @ GetSocial Manager @ GDG Lviv Ankara Android Dev Days May 11-12, 2015 Why Unity? Daily Users 0 225 M 450 M
Equalizer. Parallel OpenGL Application Framework. Stefan Eilemann, Eyescale Software GmbH
Equalizer Parallel OpenGL Application Framework Stefan Eilemann, Eyescale Software GmbH Outline Overview High-Performance Visualization Equalizer Competitive Environment Equalizer Features Scalability
MA-WA1920: Enterprise iphone and ipad Programming
MA-WA1920: Enterprise iphone and ipad Programming Description This 5 day iphone training course teaches application development for the ios platform. It covers iphone, ipad and ipod Touch devices. This
SBS ONLINE ADVERTISING SPECS SBS JANUARY 2015
SBS ONLINE ADVERTISING SPECS SBS JANUARY 2015 SBS ONLINE ADVERTISING GUIDLINES To ensure a seamless delivery of online advertising for our clients, this document contains all the information required to
