Programming 2 Introduction

Total Page:16

File Type:pdf, Size:1020Kb

Programming 2 Introduction XNA for Fun and Profit St Bede’s College Rob Miles Department of Computer Science University of Hull Agenda • Computer Games – How Computer Games work • XNA – What is XNA? – The XNA Framework – Very Silly Games – Making a game in sixty minutes • Why everyone should be writing games! 2 The Video Game Business • Bigger than the movies? – GTA4 sales topped half a billion dollars in its first week of release, 5 times the earnings of the Iron Man movie • Set to grow even more? – It is now easy (and cheap) to write a game in your bedroom and make it available to every Xbox Live subscriber in the world – The games industry is looking for new kind of games 3 • Games that are very silly and sociable • Easy to create and understand • Mainly for multiple players • Some games are “Zero Graphics” • Based on examples in: Learn Programming Now! with Microsoft® XNA™ Game Studio 3.0 by Rob Miles 4 “Hide the Gamepad” Sample XNA 2D game “Bread and Cheese” • We are going to make a simple “casual” game • The player guides the cheese around with the bread, hitting the tomatoes but avoiding the peppers and tangerines • This is a simple, 2D, sprite based game 6 “Bread and Cheese” Computer Game Construction • Every game that has ever been written does these things: 1. Initialise all the resources at the start • This is where the “Loading” screen comes from 2. Repeatedly runs the game loop: a) Update the game world • read the controllers, update the state and position of the things in the game b) Draw the game word for the player to see • Display the game elements on the screen 8 Starting with our Cheese Texture2D cheeseTexture; Rectangle cheeseRectangle; • To begin writing our game we can make some cheese bounce around the screen • To draw some cheese the game needs to remember two things – The picture to draw – The position on the screen to draw it • In programs these are called variables 9 Games and Resources • Modern games contain thousands of content items: – Pictures – Sounds – 3D models – Scripts • A game has to manage all these items so that the program can find and use them cheeseTexture = Content.Load<Texture2D>("Cheese"); 10 Loading the Cheese Texture protected override void LoadContent() { cheeseTexture = Content.Load<Texture2D>("Cheese"); cheeseRectangle = new Rectangle (0, 0, 100,100); } • A game is made up of things that hold information (the variables) and things that do stuff (the methods) • LoadContent is a method that is called when our game starts running • It loads our cheese texture and makes it available for use in the game 11 Games and Rectangles x,y height width • The Rectangle tells us where on the screen the texture is to be drawn • It gives the position and the size of the draw operation 12 Creating a Bank Class Positioning the Cheese Texture protected override void LoadContent() { cheeseTexture = Content.Load<Texture2D>("Cheese"); cheeseRectangle = new Rectangle (0, 0, 100,100); } • This will draw our cheese image at the top left hand corner and the cheese will be 100 pixels wide and 100 pixels high • Unlike graph paper, with computer graphics the position of (0,0) is the top left hand corner of the screen – Increasing the value of Y moves the rectangle down – Increasing the value of X moves the rectangle across 13 Drawing the Game World • Now we have our cheese we want to draw it for the player to see • The game contains a Draw method that is called draw the game display on the screen • We need to add some program code to tell draw to put our cheese on the screen • This code will send commands to the Graphics Card in the computer to make it draw the texture 14 Creating a Bank Class XNA Game Drawing protected override void Draw(GameTime gameTime) { graphics.GraphicsDevice.Clear(Color.CornflowerBlue); spriteBatch.Begin(); spriteBatch.Draw(cheeseTexture, cheeseRectangle, Color.White ); spriteBatch.End(); base.Draw(gameTime); } • This version of the Draw method clears the screen to blue and then draws the cheese 15 “Cheese Drawing” Making things move with the Update method • At the moment the cheese is always drawn at the same place • We need to make it move about the screen • Games do this by having an Update behaviour that makes the game world work – In a racing game this means moving all the cars on the track, checking for collisions etc – In a shooting game this means moving all the players, checking to see if any bullets have hit anything etc • At the moment we are just going to make our cheese move Stupid XNA Game Update int cheeseXSpeed = 3; int cheeseYSpeed = 3; protected override void Update() { cheeseRectangle.X = cheeseRectangle.X + cheeseXSpeed; cheeseRectangle.Y = cheeseRectangle.Y + cheeseYSpeed; } • We have two integer variables that hold the speed of our cheese • They are used to update the position of the cheese rectangle when Update is called 18 “Cheese Moving” Adding some Bounce to the Cheese protected override void Update() { cheeseRectangle.X = cheeseRectangle.X + cheeseXSpeed; if (cheeseRectangle.X < 0 || cheeseRectangle.Right > GraphicsDevice.Viewport.Width) { cheeseXSpeed = cheeseXSpeed * -1; } // Repeat for Y } • We want the cheese to bounce off the edge of the screen • We can do this by changing the sign of the speed value 20 “Cheese Bouncing” Creating a bread bat • Now we need to create a bat texture and then allow the player to control it • XNA provides support for keyboard and XBOX 360 gamepad – You can plug a wired gamepad into an PC and it will just work – You can also get a USB adapter so you can use wireless gamepads • The gamepad buttons can be tested during the update method 22 XNA Digital Gamepad Input GamePadState padState = GamePad.GetState(PlayerIndex.One); if (padState.IsConnected) { if (padState.DPad.Left == ButtonState.Pressed) { breadRectangle.X = breadRectangle.X - breadSpeed; } if (padState.DPad.Right == ButtonState.Pressed) { breadRectangle.X = breadRectangle.X + breadSpeed; } /// repeat for bread Y position } 23 XNA Analogue Gamepad Input int padXSpeed = 10; int padYSpeed = 10; if (pad.IsConnected) { breadRectangle.X += (int) (pad.ThumbSticks.Left.X * padXSpeed); breadRectangle.Y -= (int) (pad.ThumbSticks.Left.Y * padYSpeed); } • This code uses the analogue input of the left thumbstick to update the position of the bread rectangle 24 Hitting the Cheese if ( breadRectangle.Intersects(cheeseRectangle)) { cheeseYSpeed = cheeseYSpeed * -1; } • This code reverses the vertical direction of the cheese when it hits the bread • It works by detecting when the cheese and bread rectangles intersect • This is a very simple kind of collision detection 25 Adding Sound // Sound effect variable SoundEffect ding; // Load the sound effect content in LoadContent ding = Content.Load<SoundEffect>("Ding"); // Play the sound effect when the bread hits the cheese if ( breadRectangle.Intersects(cheeseRectangle)) { cheeseYSpeed *= -1; ding.Play(); } • The sound effect is a WAV file 26 Playing Music // Song variable Song music; // Load the song content in LoadContent music = Content.Load<Song>("Music"); // Play the song using the Media Player MediaPlayer.Play(music); • The Music resource is an MP3 file • Can also play WMA files and music from the media on the device 27 “Bread and Cheese” Rob Miles Getting Started with XNA • All the software is free: – Visual Studio 2008 Express Edition – XNA Game Studio 3.1 • Games can be run on the XBOX 360 – You need to join the "Creators Club" in order to do this – Students can get free membership through DreamSpark • Visit robmiles.com for details on how to get started 29 Selling your Games • You can put your XNA games onto Xbox Live • All Xbox Live subscribers are able to download and play XNA games you have written • You can even charge money for them 30 Summary • The XNA Framework provides a very powerful environment for game creation – Write games for your Xbox or PC in C# using Visual Studio • You should all be writing games – It is easy to do – It is fun! – You might make some money! 31 Resources • XNA Creators Club: http://creators.xna.com/ • DreamSpark https://downloads.channel8.msdn.com/ • Microsoft XNA blogs http://blogs.msdn.com/xna/ • All the sample code and resource links: http://www.robmiles.com • Very Silly Games and book links: http://verysillygames.com 32.
Recommended publications
  • Albere Albe 1
    a b 1 ALBERE ALBERE ALBERE ALBERE ELECTRONICS GmbH ALBERE ELECTRONICS GmbH ALBERE ELECTRONICS GmbH PRODUCT-LIST 2020 All Products Excluding Shipping Fees TM Price per Unit (or otherwise explained) 2 In Euro albere TM albere TM albereGamepads ALBERE ELECTRONICS GmbH ALBERE ELECTRONICS GmbH ALBERE ELECTRONICS GmbH a b 1 ALBERE ALBERE ALBERE ALBERE ELECTRONICS GmbH ALBERE ELECTRONICS GmbH ALBERE ELECTRONICS GmbH ID CATEGORY TITLE TM 2 albere TM albere TM albere ALBERE ELECTRONICS GmbH GAMEPADS Lanjue USB GamePad 13001-S (PC) ALBERE ELECTRONICS GmbH ALBERE ELECTRONICS GmbH GAMEPADS Tracer Gamepad Warrior PC GAMEPADS VR Bluetooth Gamepad White GAMEPADS Esperanza Vibration Gamepad USB Warrior PC/PS3 GAMEPADS Gembird JPD-UDV-01 GAMEPADS Competition PRO Powershock Controller (PS3/PC) GAMEPADS PDP Rock Candy Red GAMEPADS PC Joystick USB U-706 GAMEPADS Konix Drakkar Blood Axe GAMEPADS Gembird USB Gamepad JPD-UB-01 GAMEPADS Element GM-300 Gamepad GAMEPADS Intex DM-0216 GAMEPADS Esperanza Corsair Red GAMEPADS Havit HV-G69 GAMEPADS Nunchuck Controller Wii/Wii U White GAMEPADS Esperanza Fighter Black GAMEPADS Esperanza Fighter Red GAMEPADS VR Bluetooth Gamepad 383346582 GAMEPADS 744 GAMEPADS CO-100 GAMEPADS Shinecon SC-B01 GAMEPADS Gamepad T066 GAMEPADS Media-Tech MT1506 AdVenturer II GAMEPADS Scene It? Buzzers XBOX 360 Red GAMEPADS Media-Tech MT1507 Corsair II Black GAMEPADS Esperanza EGG107R Black/Red GAMEPADS Esperanza Wireless Gladiator Black GAMEPADS 239 GAMEPADS PowerWay USB GAMEPADS Nunchuck Controller Wii/Wii U Red GAMEPADS Powertech BO-23
    [Show full text]
  • Play Any PC Game with a Gamepad Using Joytokey for Those Who Prefer Controllers to Keyboards
    Play Any PC Game with a Gamepad Using JoyToKey For those who prefer controllers to keyboards There was a time when “hardcore” PC gamers would look down on the idea of using a gamepad to play PC games. The mouse and keyboard reigned supreme, especially in the golden age of first person shooters. The truth is that joysticks and gamepads have a rich and storied history on the PC, with genres such as racing and flight simulation virtually requiring it to be playable. The problem is that, for a very long time, gamepads on PC were not really standardized. Without a solid idea of what players would be using, many developers simply didn’t bother developing gamepad support for their titles. Now, largely thanks to console ports, the Xbox controller has become the de facto standard for PC gaming too. Better yet, since so many games are also developed for the Xbox, it’s easy for developers to simply include the control scheme. The end result is that if you hook up an Xbox controller to a modern Windows PC, modern games will seamlessly switch over, even changing the in-game UI to reflect gamepad controls. This is the best of time for those of us who love to game with a gamepad on PC, especially from a couch. However, there are thousands of older PC games that only support a keyboard and mouse. Which leaves us with a bit of an issue. Luckily JoyToKey provides an affordable solution. How To Use JoyToKey JoyToKey is a small application sold for a few dollars that takes gamepad input and converts it to mouse and keyboard output.
    [Show full text]
  • The Ergonomic Development of Video Game Controllers Raghav Bhardwaj* Department of Design and Technology, United World College of South East Asia, Singapore
    of Ergo al no rn m u ic o s J Bhardwaj, J Ergonomics 2017, 7:4 Journal of Ergonomics DOI: 10.4172/2165-7556.1000209 ISSN: 2165-7556 Research Article Article Open Access The Ergonomic Development of Video Game Controllers Raghav Bhardwaj* Department of Design and Technology, United World College of South East Asia, Singapore Abstract Video game controllers are often the primary input devices when playing video games on a myriad of consoles and systems. Many games are sometimes entirely shaped around a controller which makes the controllers paramount to a user’s gameplay experience. Due to the growth of the gaming industry and, by consequence, an increase in the variety of consumers, there has been an increased emphasis on the development of the ergonomics of modern video game controllers. These controllers now have to cater to a wider range of user anthropometrics and therefore manufacturers have to design their controllers in a manner that meets the anthropometric requirements for most of their potential users. This study aimed to analyse the evolution of video game controller ergonomics due to increased focus on user anthropometric data and to validate the hypothesis that these ergonomics have improved with successive generations of video game hardware. It has analysed and compared the key ergonomic features of the SEGA Genesis, Xbox, Xbox 360, and PS4 controllers to observe trends in their development, covering a range of 25 years of controller development. This study compared the dimensions of the key ergonomic features of the four controllers to ideal anthropometric values that have been standardised for use in other handheld devices such as TV remotes or machinery controls.
    [Show full text]
  • Download the User Manual and Keymander PC Software from Package Contents 1
    TM Quick Start Guide KeyMander - Keyboard & Mouse Adapter for Game Consoles GE1337P PART NO. Q1257-d This Quick Start Guide is intended to cover basic setup and key functions to get you up and running quickly. For a complete explanation of features and full access to all KeyMander functions, please download the User Manual and KeyMander PC Software from www.IOGEAR.com/product/GE1337P Package Contents 1 1 x GE1337P KeyMander Controller Emulator 2 x USB A to USB Mini B Cables 1 x 3.5mm Data Cable (reserved for future use) 1 x Quick Start Guide 1 x Warranty Card System Requirements Hardware Game Consoles: • PlayStation® 4 • PlayStation® 3 • Xbox® One S • Xbox® One • Xbox® 360 Console Controller: • PlayStation® 4 Controller • PlayStation® 3 Dual Shock 3 Controller (REQUIRED)* • Xbox® 360 Wired Controller (REQUIRED)* • Xbox® One Controller with Micro USB cable (REQUIRED)* • USB keyboard & USB mouse** Computer with available USB 2.0 port OS • Windows Vista®, Windows® 7 and Windows® 8, Windows® 8.1 *Some aftermarket wired controllers do not function correctly with KeyMander. It is strongly recommended to use official PlayStation/Xbox wired controllers. **Compatible with select wireless keyboard/mouse devices. Overview 2 1. Gamepad port 1 2 3 2. Keyboard port 3. Mouse port 4. Turbo/Keyboard Mode LED Gamepad Keyboard Mouse Indicator: a. Lights solid ORANGE when Turbo Mode is ON b. Flashes ORANGE when Keyboard Mode is ON 5. Setting LED indicator: a. Lights solid BLUE when PC port is connected to a computer. b. Flashes (Fast) BLUE when uploading a profile from a computer to the KeyMander.
    [Show full text]
  • About Your SHIELD Controller SHIELD Controller Overview
    About Your SHIELD controller Your NVIDIA® SHIELD™ controller works with your SHIELD tablet and SHIELD portable for exceptional responsiveness and immersion in today’s hottest games. It is the first-ever precision controller designed for both Android™ and PC gaming. Your controller includes the following features: Console-grade controls Ultra-responsive Wi-Fi performance Stereo headset jack with chat support Microphone for voice search Touch pad for easy navigation Rechargeable battery and USB charging cable Your controller is compatible with the SHIELD portable and the SHIELD tablet. It can also be used as a wired controller for a Windows 7 or Windows 8 PC running GeForce Experience. Learn more about wired PC support here. Your controller cannot be used with other Android devices at this time. SHIELD controller Overview The SHIELD controller box includes one SHIELD controller, one USB charging cable, one Support Guide, and one Quick Start Guide. Shield controller D-pad NVIDIA button Android navigation and Start buttons A B X Y buttons Left thumbstick Right thumbstick Touchpad Volume control Turn on or Turn Off your controller How to Turn On the Controller Tap the NVIDIA button. How to Turn Off the Controller Hold the NVIDIA button for 6 seconds. The controller automatically turns off when you turn off the SHIELD device the controller is connected to. The controller also automatically turns off after 10 minutes of idle time. NOTE The controller stays on during video and music playback on the SHIELD device. This allows the controller to be active to control media playback. How to Connect Your Controller to a SHIELD Device Your controller is compatible with the SHIELD portable and the SHIELD tablet.
    [Show full text]
  • 2 - Player Input Handling Csc 165 Computer Game Architecture Overview
    CSc 165 Lecture Notes 2 - Player Input Handling CSc 165 Computer Game Architecture Overview • Device Types • Device Abstractions 2 - Input Handling • Controllers • Input Handling Packages • Event Queues • Input Action Commands (making the inputs do things) 2 CSc 165 Lecture Notes CSc 165 Lecture Notes 2 - Player Input Handling 2 - Player Input Handling Types of Input Devices Input Handling Goals • Keyboard • Steering Wheel Keep games device-independent o Game shouldn’t contain hard-coded device details • Mouse • Dance Pad o Game shouldn’t fail when a particular device is absent • Joystick (“POV”) • Guitar (allow substitution) • “POV Hat Switch” • WiiMote Keep engine device-independent o Engine components should not contain hard-coded • Gamepad • Kinect device details • Paddle • others? … isolate details in an Input Manager 3 4 CSc 165 Lecture Notes CSc 165 Lecture Notes 2 - Player Input Handling 2 - Player Input Handling Device Abstractions “D-pad” (Directional-pad) Axes Two fundamental device types: Discrete axis devices D-pad o Can have either one or two axes . Button – returns pressed or not pressed Frequently represented as 1.0 or 0.0 Single-axis form: one component; U returns one value: L R . Axis – returns a float .25 D Two types of Axis: .125 .375 Dual axis form: two components; each returns a value: . Continuous: returns a value in a range 1.0 0 .5 e.g. { -1 … 1 } or { 0 … 1 } L N R X: . Discrete: returns a value from a set .875 .625 -1 0 +1 e.g. [ 0, 1 ] or [ -1, 0, 1 ] .75 D N U Can be absolute or relative N UL U UR R DR D DL L Y: -1 0 +1 0 .125 .25 .375 .5 .625 .75 .875 1.0 5 6 CSc 165 Lecture Notes CSc 165 Lecture Notes 2 - Player Input Handling 2 - Player Input Handling Controllers Controller Example: GamePad Most “devices” are really collections : o Keyboard: collection of (e.g.
    [Show full text]
  • Virtual Reality Controllers
    Evaluation of Low Cost Controllers for Mobile Based Virtual Reality Headsets By Summer Lindsey Bachelor of Arts Psychology Florida Institute of Technology May 2015 A thesis Submitted to the College of Aeronautics at Florida Institute of Technology in partial fulfillment of the requirements for the degree of Master of Science In Aviation Human Factors Melbourne, Florida April 2017 © Copyright 2017 Summer Lindsey All Rights Reserved The author grants permission to make single copies. _________________________________ The undersigned committee, having examined the attached thesis " Evaluation of Low Cost Controllers for Mobile Based Virtual Reality Headsets," by Summer Lindsey hereby indicates its unanimous approval. _________________________________ Deborah Carstens, Ph.D. Professor and Graduate Program Chair College of Aeronautics Major Advisor _________________________________ Meredith Carroll, Ph.D. Associate Professor College of Aeronautics Committee Member _________________________________ Neil Ganey, Ph.D. Human Factors Engineer Northrop Grumman Committee Member _________________________________ Christian Sonnenberg, Ph.D. Assistant Professor and Assistant Dean College of Business Committee Member _________________________________ Korhan Oyman, Ph.D. Dean and Professor College of Aeronautics Abstract Title: Evaluation of Low Cost Controllers for Mobile Based Virtual Reality Headsets Author: Summer Lindsey Major Advisor: Dr. Deborah Carstens Virtual Reality (VR) is no longer just for training purposes. The consumer VR market has become a large part of the VR world and is growing at a rapid pace. In spite of this growth, there is no standard controller for VR. This study evaluated three different controllers: a gamepad, the Leap Motion, and a touchpad as means of interacting with a virtual environment (VE). There were 23 participants that performed a matching task while wearing a Samsung Gear VR mobile based VR headset.
    [Show full text]
  • The Trackball Controller: Improving the Analog Stick
    The Trackball Controller: Improving the Analog Stick Daniel Natapov I. Scott MacKenzie Department of Computer Science and Engineering York University, Toronto, Canada {dnatapov, mack}@cse.yorku.ca ABSTRACT number of inputs was sufficient. Despite many future additions Two groups of participants (novice and advanced) completed a and improvements, the D-Pad persists on all standard controllers study comparing a prototype game controller to a standard game for all consoles introduced after the NES. controller for point-select tasks. The prototype game controller Shortcomings of the D-Pad became apparent with the introduction replaces the right analog stick of a standard game controller (used of 3D games. The Sony PlayStation and the Sega Saturn, for pointing and camera control) with a trackball. We used Fitts’ introduced in 1995, supported 3D environments and third-person law as per ISO 9241-9 to evaluate the pointing performance of perspectives. The controllers for those consoles, which used D- both controllers. In the novice group, the trackball controller’s Pads, were not well suited for 3D, since navigation was difficult. throughput was 2.69 bps – 60.1% higher than the 1.68 bps The main issue was that game characters could only move in eight observed for the standard controller. In the advanced group the directions using the D-Pad. To overcome this, some games, such trackball controller’s throughput was 3.19 bps – 58.7% higher than the 2.01 bps observed for the standard controller. Although as Resident Evil, used the forward and back directions of the D- the trackball controller performed better in terms of throughput, Pad to move the character, and the left and right directions for pointer path was more direct with the standard controller.
    [Show full text]
  • Virtual and Mixed Reality Support for Activities of Daily Living
    Virtual and Mixed Reality Support for Activities of Daily Living Item Type Thesis or dissertation Authors Day, Thomas W. Citation Day, T.W. (2019). Virtual and Mixed Reality Support for Activities of Daily Living. (Doctoral dissertation). University of Chester, United Kingdom. Publisher University of Chester Rights Attribution-NonCommercial-NoDerivatives 4.0 International Download date 07/10/2021 01:06:17 Item License http://creativecommons.org/licenses/by-nc-nd/4.0/ Link to Item http://hdl.handle.net/10034/622175 School of Computer Science Faculty of Science & Engineering Virtual and Mixed Reality Support for Activities of Daily Living Thesis submitted in accordance with the requirements of the University of Chester for the Degree of Doctor of Philosophy by Thomas W. Day Supervisor Prof. N. W. John 28th March 2019 Statement of Originality The material being presented for examination is my own work and has not been submitted for an award of this or another HEI except in minor particulars which are explicitly noted in the body of the thesis. Where research pertaining to the thesis was undertaken collaboratively, the nature and extent of my individual contribution has been made explicit. Student: Thomas W. Day Abstract Virtual and Mixed Reality Support for Activities of Daily Living Thomas W. Day Rehabilitation and training are extremely important process that help people who have suffered some form of trauma to regain their ability to live independently and successfully complete activities of daily living. VR and MR have been used in rehabilitation and training, with examples in a range of areas such as physical and cognitive rehabilitation, and medical training.
    [Show full text]
  • World of Joysticks Keyboard & Mouse Emulator Extreme Edition
    World of Joysticks Keyboard & Mouse Emulator Extreme Edition - User Guide The Xbox 360 standard gamepad from Speedlink was taken as example in this manual. All the gamepad and application controls are numbered and this numbering will be used in the following description. Top View Front View User Interface of WoJ Emulator application 1. Connecting to Joystick . a) Connect one or more joysticks to PC before starting WoJ Emulator. b) It is recommended to install the drivers of your joysticks from the CDs of web-sites of manufacturers. For many joysticks Windows installs its own standard driver by default, but you have to take in account that device name in the standard driver and driver from manufacturer can be different, therefore WoJ Emulator probably won’t be able to apply configuration created with a different driver. However you always will be able to create the separate configurations for different drivers. c) Start WoJ Emulator. Choose an interface by [C25] selector. DirectInput – it is universal interface for any gaming controllers but it does not support vibration for Xbox 360 devices. XInput – it is special interface from Microsoft for Xbox 360 devices, in this mode they support vibration and their triggers control independent axes. If you are going to use a Xbox 360 controller – choose XInput, for all other cases choose DirectInput. Different interfaces cannot be mixed in the common configuration. For playing with different devices simultaneously always choose DirectInput. XInput mode supports up to four Xbox 360 controllers simultaneously. After choosing interface application will find all the relevant devices and will display them in the [C3] label and [C20] selector.
    [Show full text]
  • Evolution of Game Controllers: Toward the Support of Gamers with Physical Disabilities
    Evolution of Game Controllers: Toward the Support of Gamers with Physical Disabilities Dario Maggiorini(&), Marco Granato, Laura Anna Ripamonti, Matteo Marras, and Davide Gadia University of Milan, 20135 Milan, Italy {dariomaggiorini,marcogranato,lauraripamonti, davidegadia}@unimi.it, [email protected] Abstract. Video games, as an entertaining media, dates back to the ‘50s and their hardware device underwent a long evolution starting from hand-made devices such as the “cathode-ray tube amusement device” up to the modern mass-produced consoles. This evolution has, of course, been accompanied by increasingly spe- cialized interaction mechanisms. As of today, interaction with games is usually performed through industry-standard devices. These devices can be either general purpose (e.g., mouse and keyboard) or specific for gaming (e.g., a gamepad). Unfortunately, for marketing reasons, gaming interaction devices are not usually designed taking into consideration the requirements of gamers with physical disabilities. In this paper, we will offer a review of the evolution of gaming control devices with a specific attention to their use by players with physical disabilities in the upper limbs. After discussing the functionalities introduced by controllers designed for disabled players we will also propose an innovative game controller device. The proposed game controller is built around a touch screen interface which can be configured based on the user needs and will be accessible by gamers which are missing fingers or are lacking control in hands movement. Keywords: Video game Á Gaming devices Á Input device Á Game controller Á Physical disability 1 Introduction Video games, as an entertaining media, appeared around 1950.
    [Show full text]
  • Steelseries Free Mobile Wireless Controller Was Designed with Cross-Platform Play in Mind
    STEELSERIES FREE MOBILE WIRELESS CONTROLLER USER GUIDE INTRODUCTION Thank you for choosing the SteelSeries Free Mobile Controller! This controller is designed by SteelSeries, a dedicated manufacturer of innovative professional gaming gear and mobile gaming accessories. This user guide is designed to familiarize you with all aspects of our controller, its setup, and its usage. We hope that it will be of use to you. If there are any questions that are not answered or clarified in this user guide, please refer to our website: http://faq.steelseries.com CHARGING THE CONTROLLER Prior to using your SteelSeries Free for the first time, it is recommended that you charge the controller for 2 hours by plugging in the USB cable (provided in the box) – plug one end of the cable in your Free and plug the other end into a powered USB port. Remember, you can use your Free while it’s charging. Your FREE controller is built with a Lithium ION rechargeable battery. During charging, a red and white LED will give you the charging status: • While the FREE Controller is charging, the red light will stay on • When the FREE Controller is fully charged, the red light will turn off • Low battery Indicator – The white light will flash very quickly and repeatedly GENERAL INFORMATION Modes The SteelSeries Free Mobile Wireless Controller was designed with cross-platform play in mind. The Free Controller ships with two “modes”. Gamepad Mode (default): Lets you play games on Android TM devices, PC’s and Mac OSX® Arcade Mode: Lets you play games on iOS® that support iCade controls.
    [Show full text]