Game Programming Final Exam Notes Video Game Invasion Section

Total Page:16

File Type:pdf, Size:1020Kb

Game Programming Final Exam Notes Video Game Invasion Section Game Programming Final Exam Notes Video Game Invasion Section Although NOT the very first video game, it was the first video game that lots of people played Pong What made pong really fun? Ball speedup and sound What did Atari do to prevent people from replicating their arcade game technology? They mismarked some chips on the circuit boards Where did Steve Jobs work before founding Apple Computer Co. with co-founder Steve Wosniak? Atari Nolan Bushnell founded Atari and what other very famous company? Chuck E Cheese’s What was the first arcade game to display a high score? Space Invaders What was the first video game to have a story support the game action? Donkey Kong Shigeru Miyamoto from Nintendo in Japan thought Donkey Kong meant what? Stubborn Gorilla What was Pac Man’s original name that was changed due to the fear that vandalism would create profanity? Puckman 10. The guys who started _____ worked at Atari and left to make games without making consoles. One of their first games was pitfall. One of their most famous games is the Call of Duty franchise. Activision A horrible game made from Steven Spielberg’s movie ET, basically killed what company? Atari In 1985, what company stood up and saved the video game industry with their console named the NES? Nintendo What was one of the things that made Super Mario Brothers such an awesome game? Side scrolling. Trip Hawkins founded Electronic Arts after he left _______ just like his boss, Steve Jobs, had left Atari. Apple Madden wouldn’t put his name on a 7-on-7 football game. Instead he wanted real football with how many players on each team? 11 Roberta and Ken Williams from Sierra Online got graphics, better color and sound into video games thus creating the need for __________ and video cards. Sound Cards What did Leisure Suit Larry have to lose in Las Vegas? His virginity. Tetris came from Russia and the guy who invented it, Alexey Pajitnov, made no money because of what? Communism Which portable Nintendo system did Tetris help launch? Gameboy What was Sega’s answer to Mario? Sonic the Hedgehog Wolfenstein 3D helped create the video game genre _________. First Person Shooter (FPS) Wolfenstein 3D was the first game to be released in portions so that playing the ____________ portion of the game would hook players into buying the other portions. Free Demo What new type of game play started with Doom? Death Match Multiplayer. Doom spawned the whole culture of ______________ games Modding Nintendo came up with the name ______________ but chose not to work with Sony so Sony made it on their own. Playstation What company makes Xbox? Microsoft. Will Wright developed Sim City which started the _______ genre. Simulator What does MMORPG stand for? Massively multiplayer online role playing game Video games got blamed for the __________________ Columbine Massacre Where does Mr. Guarino take his Tech Club to experience a retro 80’s arcade? Yestercades Game Programming Final Exam Notes Flash/ActionScript Section In ActionScript, a function is used to group and organize a few lines of code into a procedure or routine. In ActionScript, if you want to display something to the output panel, you use the trace command. Words reserved by ActionScript such as IF cannot be used as a name for a variable. When a programmer uses a variable name that is two words together it is customary to use camelCase which means to capitalize the first letter of the second word (myNumber). The ActionScript code count ++ is the short form that adds one to the value of the variable count. Using the variable monstermaker in ActionScript causes an error when the variable was declared as monsterMaker because the case does not match. In the ActionScript code, var monster:MovieClip; the data type of the variable monster is MovieClip. The following ActionScript statement, this_animator.addEventListener(MotionEvent.MOTION_END, hurtPlayer); runs the hurtPlayer function when the motion of the animation ends. ActionScript is the programming language we used to make our pong game. In ActionScript, String is the proper way to declare a text variable. In ActionScript, Number is the proper way to declare a number variable. If we want a number variable in ActionScript to not have any decimal or fraction component, we declare it as an int. The following ActionScript code would align the movie clip, boarder_mc, to the center of the stage: import flash.display.MovieClip; function align(obj:MovieClip):void { obj.x = stage.stageWidth / 2 - obj.width / 2; obj.y = stage.stageHeight / 2 - obj.height / 2; } align(boarder_mc); To use files in a zipped file folder correctly, they must first be extracted. Keywords like function and stage in the training videos showed up in blue. In ActionScript code, we can position objects on the stage using their x and y position. If the name of the object is boarder_mc and we want it 200 pixels from the left edge of the stage the code would be boarder_mc.x = 200; We used Adobe Flash to make our pong game. In ActionScript code, we can position objects on the stage using their x and y position. If the name of the object is boarder_mc and we want it 200 pixels from the top edge of the stage the code would be boarder_mc.y = 200; Decreasing the value of the variable easing in the ActionScript code below will cause the object paddle_mc to move faster. function movePaddle(event:Event):void { if(this.mouseX <= paddle_mc.width/2) { targetX = 0; } else if(this.mouseX >= stage.stageWidth - paddle_mc.width/2) { targetX = stage.stageWidth - paddle_mc.width; } else { targetX = this.mouseX - paddle_mc.width/2; } paddle_mc.x += (targetX - paddle_mc.x) / easing; } The problem with the following Actionscript code is that you cannot declare a variable twice. var tail:Number; var foot:Number; var bunny:Number; stage.addEventListener(MouseEvent.CLICK, hop); tail = 3; foot = 2; var bunny = tail + foot; A program one could use to edit graphics for import into Adobe Flash for use in a video game is Adobe Photoshop. Graphic elements imported into Adobe Flash that are not rectangular need to be a file type that supports transparency to prevent having a white rectangle visible around it. A file type that does not support transparency is a jpg. To be able to control something in Adobe Flash it must be a symbol. A symbol must have an instance name in order to control it with Actionscript code in Adobe Flash. In the figure above, to create an AS linkage by exporting for ActionScript, choose the properties link. In the figure above, to use the Monster symbol as an ActionScript class, the box export for ActionScript needs to be checked off. The following ActionScript statement, this_animator.addEventListener(MotionEvent.MOTION_END, hurtPlayer); runs the hurtPlayer function when the motion of the animation ends. When you make a simple Flash animation, you choose properties like the position of the object on the first frame and then set different properties at the last frame. You then create a tween causing flash to generate all the properties in between the first and last frames to allow the object to gradually change. For example, move from left to right, get bigger, spin, disappear, etc. The ActionScript code flash.media.SoundMixer.stopAll; will NOT stop a song from playing because there is no open/close parenthesis after stopAll and before the semicolon. The programming language we used to make our shooter game was ActionScript. In the code below from our shooter game, to create a monster every 2 seconds we could use the timer code below but we must use 2000 milliseconds. monsterMaker = new Timer(2000, monstersInGame); The following code has a problem because you cannot declare a variable twice (bunny). var bunny:Number var tail = 3; var foot = 2; stage.addEventListener(MouseEvent.CLICK, hop) var bunny = tail + foot; Words reserved by ActionScript such as IF cannot be used as a name for a variable. When a programmer uses a variable name that is two words together it is customary to use camel case which means to capitalize the first letter of the second word (myNumber). In ActionScript, a function is used to group and organize a few lines of code into a procedure or routine. In ActionScript, if you want to display something to the output panel, you use the trace command. The ActionScript code, count ++ is the short form that adds one to the value of the variable count. Using the variable monstermaker in ActionScript causes an error when the variable was declared as monsterMaker because the case does not match. In the ActionScript code, var monster:MovieClip; the data type of the variable monster is MovieClip. If we downloaded a song from youtube to use in a flash game we would first need to import it to the library. If we imported a song to the library of our flash game, the following code would only work if we linked the song file by exporting it for ActionScript with a class name of Music. var song:Sound = new Music(); If we want to use the graphic below in our flash game but do not want to see the black outline or the yellow background we can use PhotoShop to make them transparent. If we want an object to have an animation occur when it appears on the stage we can create the animation on a scrap layer on the timeline and then Copy Motion as ActionScript 3.0. We can then paste the code into our object. When we finish our code we need to remember to delete the scrap layer.
Recommended publications
  • Video Games and the Mobilization of Anxiety and Desire
    PLAYING THE CRISIS: VIDEO GAMES AND THE MOBILIZATION OF ANXIETY AND DESIRE BY ROBERT MEJIA DISSERTATION Submitted in partial fulfillment of the requirements for the degree of Doctor of Philosophy in Communications in the Graduate College of the University of Illinois at Urbana-Champaign, 2012 Urbana, Illinois Doctoral Committee: Professor Kent A. Ono, Chair Professor John Nerone Professor Clifford Christians Professor Robert A. Brookey, Northern Illinois University ABSTRACT This is a critical cultural and political economic analysis of the video game as an engine of global anxiety and desire. Attempting to move beyond conventional studies of the video game as a thing-in-itself, relatively self-contained as a textual, ludic, or even technological (in the narrow sense of the word) phenomenon, I propose that gaming has come to operate as an epistemological imperative that extends beyond the site of gaming in itself. Play and pleasure have come to affect sites of culture and the structural formation of various populations beyond those conceived of as belonging to conventional gaming populations: the workplace, consumer experiences, education, warfare, and even the practice of politics itself, amongst other domains. Indeed, the central claim of this dissertation is that the video game operates with the same political and cultural gravity as that ascribed to the prison by Michel Foucault. That is, just as the prison operated as the discursive site wherein the disciplinary imaginary was honed, so too does digital play operate as that discursive site wherein the ludic imperative has emerged. To make this claim, I have had to move beyond the conventional theoretical frameworks utilized in the analysis of video games.
    [Show full text]
  • "/Title/Tt3702160/": {"Director": [["Kimberly Jessy"]], "Plot": ["\Nbeautiful D Anger Is an Animated 3D Made for TV/Short Film
    {"/title/tt3702160/": {"director": [["Kimberly Jessy"]], "plot": ["\nBeautiful D anger is an Animated 3D Made for TV/Short Film. It's a Thriller that combines, M TV's Teen Wolf, Pretty Little Liars, Gossip Girl, Sorcery, Twilight, in one film , Epic fight scenes, No-one is who you think they are, Alternate Universes, Teen Young Adult Action Good Verses Evil, flick with tons of Cliff Hangers! It takes place In Dark Oak, CA were the typical mean girl with magical powers tries to t ake over the school with her mean girl clique. Brooke Charles Takes on Kimberly Jesika and her good girl team. Death Becomes Brook cause she keeps coming back, Think Katherine Vampire Diaries. Kimberly has magical powers and so does her cla n. It's a match to the death. No one is who they seem or who they appear to be! Excitement and sitting on the edge of your seat. Written by\nKimb erly Jessy "], "imdb_rating": [], "mpaa_rating": [], "poster_link": [], "stars": [["Kimberly Jessy"], ["Helena Evans"], ["Chloe Benoit"]], "title": "Beautiful D anger 3D Animated Teen Thriller", "genre": [[" Animation"]], "release_date": [], "writer": [["Kimberly Jesika"], ["Doll Face Animated Films"]]}, "/title/tt25692 02/": {"director": [["Emily Gossett"]], "plot": ["\nThe last year of high school has been barely tolerable for Maggie Masters. After being dumped by her three y ear relationship with Chad, to be traded in for a football dream at UF, she has to succumb to her mother leaving for a better life. Maggie is left to pick up th e remains of her fragmented life. When fate intervenes by the touch from the mys terious and handsome Caleb Jacobson, whom she saves, leaves Maggie breathless, s tartled and captivated.
    [Show full text]
  • Trigger Happy: Videogames and the Entertainment Revolution
    Free your purchased eBook form adhesion DRM*! * DRM = Digtal Rights Management Trigger Happy VIDEOGAMES AND THE ENTERTAINMENT REVOLUTION by Steven Poole Contents ACKNOWLEDGMENTS............................................ 8 1 RESISTANCE IS FUTILE ......................................10 Our virtual history....................................................10 Pixel generation .......................................................13 Meme machines .......................................................18 The shock of the new ...............................................28 2 THE ORIGIN OF SPECIES ....................................35 Beginnings ...............................................................35 Art types...................................................................45 Happiness is a warm gun .........................................46 In my mind and in my car ........................................51 Might as well jump ..................................................56 Sometimes you kick.................................................61 Heaven in here .........................................................66 Two tribes ................................................................69 Running up that hill .................................................72 It’s a kind of magic ..................................................75 We can work it out...................................................79 Family fortunes ........................................................82 3 UNREAL CITIES ....................................................85
    [Show full text]
  • Virtual Reality, Goggles and All, Attempts Return 29 March 2013, by Derrik J
    Virtual reality, goggles and all, attempts return 29 March 2013, by Derrik J. Lang are going to be able to do cool things," said Oculus VR founder Palmer Luckey. "This is the first time when the technology, software, community and rendering power is all really there." While VR technology has successfully been employed in recent years for military and medical training purposes, it's been too expensive, clunky or just plain bad for most at-home gamers. Oculus VR's headset is armed with stereoscopic 3-D, low- latency head tracking and a 110-degree field of view, and the company expects it to cost just a few hundred bucks. This publicity image provided by Oculus VR shows a virtual reality headset. The virtual reality headset, the doodad that was supposed to seamlessly transport wearers to three-dimensional virtual worlds, has made a remarkable return at this year's Game Developers Conference. After banking $2.4 million from crowd funding and drumming up hype over the past year, Oculus VR captured the conference's attention this week with a virtual reality headset that's more like a pair of ski goggles than those bulky gaming helmets of the 1990s. (AP Photo/Oculus VR) It's back. The virtual reality headset, the gizmo that was supposed to seamlessly transport wearers to three-dimensional virtual worlds, has made a remarkable return at this year's Game Developers Conference, an annual gathering of video game makers in San Francisco. After drumming up hype over the past year and banking $2.4 million from crowdfunding, the Irvine, Calif.-based company Oculus VR captured the conference's attention this week with the Oculus Rift, its VR headset that's more like a pair of ski goggles than those bulky gaming helmets of the 1990s that usually left users with headaches.
    [Show full text]
  • Reality Is Broken. Game Designers Can Fix It.”
    GAME INDUSTRY VETERANS REVEAL 67 TFORIPS INDIE GAME DEVELOPMENT, LAUNCH, & MARKETING CONTENTS INTRODUCTION ..................................................................................................................................4 DESIGN ..............................................................................................................................................6 #1 ..................................................................................................................................................7 #2 ..................................................................................................................................................8 #3 ..................................................................................................................................................9 #4 ................................................................................................................................................ 10 #5 ................................................................................................................................................ 11 #6 ................................................................................................................................................ 12 #7 ................................................................................................................................................ 13 #8 ...............................................................................................................................................
    [Show full text]
  • Music Games Rock: Rhythm Gaming's Greatest Hits of All Time
    “Cementing gaming’s role in music’s evolution, Steinberg has done pop culture a laudable service.” – Nick Catucci, Rolling Stone RHYTHM GAMING’S GREATEST HITS OF ALL TIME By SCOTT STEINBERG Author of Get Rich Playing Games Feat. Martin Mathers and Nadia Oxford Foreword By ALEX RIGOPULOS Co-Creator, Guitar Hero and Rock Band Praise for Music Games Rock “Hits all the right notes—and some you don’t expect. A great account of the music game story so far!” – Mike Snider, Entertainment Reporter, USA Today “An exhaustive compendia. Chocked full of fascinating detail...” – Alex Pham, Technology Reporter, Los Angeles Times “It’ll make you want to celebrate by trashing a gaming unit the way Pete Townshend destroys a guitar.” –Jason Pettigrew, Editor-in-Chief, ALTERNATIVE PRESS “I’ve never seen such a well-collected reference... it serves an important role in letting readers consider all sides of the music and rhythm game debate.” –Masaya Matsuura, Creator, PaRappa the Rapper “A must read for the game-obsessed...” –Jermaine Hall, Editor-in-Chief, VIBE MUSIC GAMES ROCK RHYTHM GAMING’S GREATEST HITS OF ALL TIME SCOTT STEINBERG DEDICATION MUSIC GAMES ROCK: RHYTHM GAMING’S GREATEST HITS OF ALL TIME All Rights Reserved © 2011 by Scott Steinberg “Behind the Music: The Making of Sex ‘N Drugs ‘N Rock ‘N Roll” © 2009 Jon Hare No part of this book may be reproduced or transmitted in any form or by any means – graphic, electronic or mechanical – including photocopying, recording, taping or by any information storage retrieval system, without the written permission of the publisher.
    [Show full text]
  • Mario Luis Ramirez STS 145—The History of Computer Game Design
    Mario Luis Ramirez STS 145—The History of Computer Game Design Prof. Henry Lowood March 15, 2002 Galaga and Vintage Gaming: A Look at Galaga’s Place in the Classic Gaming Industry Because he was speaking in the early videogame days of the 1980’s, it is likely that even Steven Spielberg did not fully recognized the weight of his statement when he said that “The aliens have landed, and the world can never be the same again” (Amis, 7). Commenting on such early games as Missile Command and Space Invaders, Spielberg understood that these early “shooters” had infiltrated American pop culture in such a way that whether directly or not, the lives of most Americans after the 1980’s would be influenced by games such as these. 20 years later, his statement continues to ring true today. However, it not difficult to see that most recent videogames look considerably different than their predecessors of the 80’s—technological advancements have changed the face of gaming. Yet, as the Namco Arcade web page points out in speaking about the classic games, Galaga and Ms. PacMan, “These two games are unquestionably the two longest running hits in the history of videogames! After 20 years, they are still a ‘must have’ for all locations” (www.namcoarcade.com/nai_gamedisplay.asp?gam=mspcglga). One must wonder then, what is it about games such as these that continue to make them popular—why is it that in the face of clearly superior graphics, sound, and interface 1 options that primitive games are not only able to coexist, but continue to bring in profits for manufacturers and arcade operators? After conducting much research, including a variety of interviews with those involved in the classic gaming world, it certainly seems that the answer is rooted in the simplicity and nostalgia of these games.
    [Show full text]
  • Kocurek Dissertation 201221.Pdf
    Copyright by Carly Ann Kocurek 2012 The Dissertation Committee for Carly Ann Kocurek Certifies that this is the approved version of the following dissertation: Masculinity at the Video Game Arcade: 1972-1983 Committee: Elizabeth S.D. Engelhardt, Supervisor Janet M. Davis John Hartigan Mark C. Smith Sharon Strover Masculinity at the Video Game Arcade: 1972-1983 by Carly Ann Kocurek, B.A.; M.A. Dissertation Presented to the Faculty of the Graduate School of The University of Texas at Austin in Partial Fulfillment of the Requirements for the Degree of Doctor of Philosophy The University of Texas at Austin May 2012 Acknowledgements Completing a dissertation is a task that takes the proverbial village. I have been fortunate to have found guidance, encouragement, and support from a diversity of sources. First among these, of course, I must count the members of my committee. Thanks in particular to Elizabeth S. D. Engelhardt who, as chair, served as both critic and cheerleader in equal measure and who has guided this project from its infancy. Janet M. Davis’s interest in the sinews that connect popular culture to broader political concerns has shaped my own approach. Mark C. Smith has been a source of support for the duration of my graduate studies; his investment in students, including graduate and undergraduate, is truly admirable. Were it not for a conversation with Sharon Strover in which she suggested I might consider completing some oral histories of video gaming, I might have pursued another project entirely. John Hartigan, through his incisive questions about the politics of race and gender at play in the arcade, shaped my research concerns.
    [Show full text]
  • Unity Playground
    Unity Playground Instructor: Prof Pisan [email protected] Overview Game Engine Architecture Unity's approach to creating a game engine Defining a game - components, criticism Role of Game Designer Unity Playground https://unity3d.com/learn/tutorials/s/unity-playground 2 HW1: Unity Basics Review answers Grading: #2 2pts #5 2pts #8 2pts Rest 4pts 3 Game Designer Advocate for the player See the world through the player's eyes Player experience Playtesters - providing feedback Game design as hosting a party - an interactive experience Communication - sell your game, good listener and compromiser Teamwork - personalities Process - games are fragile, prioritize goals Inspiration - world as challenges, structures and play. Money to relationships Beyond existing games Will Wright - ant colonies to SimAnt What parts of your life can be turned into games? 4 Fail and Fail Again https://officechai.com/startups/51-failed-games-rovio-created- angry-birds-now-going-public-1-billion-valuation/ Playcentric Design Process Keeping the player experience in mind and testing the gameplay with target players through every phase of development. Setting player experience goals Players have to cooperate to win, but structured so cannot trust each other Players will feel a sense of happiness and playfulness Prototyping and Playtesting Paper is easy to modify, software decisions harder to reverse Iteration Design → Test → Evaluate → Design → Test → …. 6 Game Development 1. Brainstorming 2. Physical prototype 3. Presentation (if you need $$s) 4. Software prototype 5. Design documentation - putting the notes together 6. Production 7. Quality assurance Approaches: Jump from concept to writing up design to coding. Works OK when the game is a variation of an existing game Game Jams: Tapping into community for ideas and prototypes Innovation: unique play mechniques, beyond existing genres, integrating into daily lives, taking on new business models, emotionally rich gameplay, ….
    [Show full text]
  • Reporting from a Video Game Industry in Transition, 2003 – 2011
    Save Point Reporting from a video game industry in transition, 2003 – 2011 Kyle Orland Carnegie Mellon University: ETC Press Pittsburgh, PA Save Point: Reporting from a video game industry in transition, 2003— 2011 by Carnegie Mellon University: ETC Press is licensed under a Creative Commons Attribution-NonCommercial-NoDerivatives 4.0 International License, except where otherwise noted. Copyright by ETC Press 2021 http://press.etc.cmu.edu/ ISBN: 9-781304-268426 (eBook) TEXT: The text of this work is licensed under a Creative Commons Attribution-NonCommercial-NonDerivative 2.5 License (http://creativecommons.org/licenses/by-nc-nd/2.5/) IMAGES: The images of this work is licensed under a Creative Commons Attribution-NonCommercial-NonDerivative 2.5 License (http://creativecommons.org/licenses/by-nc-nd/2.5/) Table of Contents Introduction COMMUNITY Infinite Princesses WebGame 2.0 @TopHatProfessor Layton and the Curious Twitter Accounts Madden in the Mist Pinball Wizards: A Visual Tour of the Pinball World Championships A Zombie of a Chance: LooKing BacK at the Left 4 Dead 2 Boycott The MaKing (and UnmaKing) of a Nintendo Fanboy Alone in the StreetPass Crowd CRAFT Steel Battalion and the Future of Direct-InVolVement Games A Horse of a Different Color Sympathy for the DeVil The Slow Death of the Game OVer The Game at the End of the Bar The World in a Chain Chomp Retro-Colored Glasses Do ArKham City’s Language Critics HaVe A Right To 'Bitch'? COMMERCE Hard DriVin’, Hard Bargainin’: InVestigating Midway’s ‘Ghost Racer’ Patent Indie Game Store Holiday Rush What If? MaKing a “Bundle” off of Indie Gaming Portal Goes Potato: How ValVe And Indie DeVs Built a Meta-Game Around Portal 2’s Launch Introduction As I write this introduction in 2021, we’re just about a year away from the 50th anniVersary of Pong, the first commercially successful video game and probably the simplest point to mark the start of what we now consider “the video game industry.” That makes video games one of the newest distinct artistic mediums out there, but not exactly new anymore.
    [Show full text]
  • Table of Contents
    Table of Contents FOREWORD BY STEVE RUSSEL ............................................................................................... 9 CHAPTER 0: INTRODUCTION AND A LITTLE HISTORY ABOUT GAME DEVELOPMENT...............................11 PART I: THE HYDRA HARDWARE .......................................................................25 CHAPTER 1: HYDRA SYSTEM OVERVIEW AND QUICK START ........................................................27 CHAPTER 2: 5V & 3.3V POWER SUPPLIES...............................................................................77 CHAPTER 3: RESET CIRCUIT ................................................................................................81 CHAPTER 4: USB-SERIAL PROGRAMMING PORT ........................................................................83 CHAPTER 5: DEBUG INDICATOR HARDWARE.............................................................................91 CHAPTER 6: GAME CONTROLLER HARDWARE............................................................................95 CHAPTER 7: COMPOSITE NTSC / PAL VIDEO HARDWARE..........................................................103 CHAPTER 8: VGA HARDWARE............................................................................................115 CHAPTER 9: AUDIO HARDWARE..........................................................................................125 CHAPTER 10: KEYBOARD & MOUSE HARDWARE ......................................................................141 CHAPTER 11: GAME CARTRIDGE, EEPROM & EXPANSION PORT HARDWARE ..................................159
    [Show full text]
  • MULTIPLE CHOICE Read Each Question and Choose the Best Answer
    ENTREPRENEUR SCAVENGER HUNT DIRECTIONS The following one hundred questions are about entrepreneurs. Mark the letter of the correct answer on your scantron. Each correct answer is worth 1 point. This assignment counts as a TEST grade and is due FRIDAY, FEBRUARY 3rd. You only need to turn in your scantron. 1. Pierre Omidyar founded what internet company? A. Amazon B. eBay C. Netflix D. Overstock 2. I am an immigrant from Scotland. My first job was in a bobbin factory. I later founded a steel company in Pittsburgh. Who am I? A. Andrew Carnegie B. John D. Rockefeller C. JP Morgan D. PT Barnum 3. Who is the co-founder and chairman of NIKE? A. Dave Thomas B. Mike Ilitch C. Paul Orfaleo D. Philip H. Knight 4. I dropped out of school to work in my family’s restaurant in Fort Wayne, Indiana. Who am I? A. Dave Thomas B. Mike Ilitch C. Paul Orfaleo D. Philip H. Knight 5. What fast-food entrepreneur also owned the San Diego Padres? A. Harland Sanders B. Philip R. Knight C. Ray Kroc D. William Rosenberg 6. My first job was as a ball girl for the Oakland A’s baseball team. I used the money to buy ingredients to make cookies, which I later turned into my own cookie company. Who am I? A. Debbi Fields B. Martha Stewart C. Paula Dean D. Rachael Ray 7. Who founded the printing company Kinko’s? A. Mike Ilitch B. Paul Orfaleo C. Pierre Omidyar D. William Rosenberg 8. What entertainment entrepreneur is known for producing “The Greatest Show on Earth”? A.
    [Show full text]