1 / 35

Game Programming Algorithms and Techniques

Game Programming Algorithms and Techniques. Chapter 11 Scripting Languages and Data Formats. Chapter 11 Objectives. Scripting Languages Learn the tradeoffs of using scripts Look at different types of scripting languages, including Lua, UnrealScript, and visual scripting languages

oliveros
Download Presentation

Game Programming Algorithms and Techniques

An Image/Link below is provided (as is) to download presentation Download Policy: Content on the Website is provided to you AS IS for your information and personal use and may not be sold / licensed / shared on other websites without getting consent from its author. Content is provided to you AS IS for your information and personal use only. Download presentation by click this link. While downloading, if for some reason you are not able to download a presentation, the publisher may have deleted the file from their server. During download, if you can't get a presentation, the file might be deleted by the publisher.

E N D

Presentation Transcript


  1. Game Programming Algorithms and Techniques Chapter 11 Scripting Languages and Data Formats

  2. Chapter 11Objectives • Scripting Languages • Learn the tradeoffs of using scripts • Look at different types of scripting languages, including Lua, UnrealScript, and visual scripting languages • Implementing a Scripting Language • Learn about the different phases to compiling/interpreting a scripting language: tokenization, syntax analysis, and code generation/execution • Data Formats • Tradeoffs between binary or text-based formats • Look at some sample text formats: INI, XML, and JSON

  3. Evolution of Programming Languages Early games were written 100% in assembly for performance reasons. As computers became more powerful, high-level languages such as C/C++ became practical to use. In modern games, it has become viable to use even higher-level scripting languages for gameplay logic.

  4. Scripting Language Tradeoffs Advantages Disadvantages Runtime performance is typically substantially slower than C/C++. • Iteration is typically faster than with C/C++. • Unlike in C/C++, bad code is unlikely to crash the entire game. • It's typically much easier to test and deploy changes in script.

  5. When to Use Script? If performance of the system is critical, do not use script. Otherwise, the benefits outweigh the negatives. Sample breakdown:

  6. Types of Scripting Languages Existing Languages Custom Languages Proprietary languages created for a specific game/engine Examples: UnrealScript QuakeC SCUMM • Scripting languages that already exist • Examples: • Lua • Python • JavaScript

  7. Tradeoffs b/w Existing and Custom Scripting Languages Existing Languages Custom Languages Can be designed and optimized specifically for game use • Can leverage already-existing virtual machines, parsers, and so on • Much greater chance a new team member will know the language • Typically much more rigorously tested

  8. Lua • General-purpose scripting language • Used in many games, including: • Company of Heroes • Grim Fandango • World of Warcraft • Has a relatively lightweight reference implementation in C

  9. Lua, Cont'd • Only one complex data type, the table: • Can be used to implement objects. • Lua functions can have native bindings to C/C++ code. • Sample code: -- Comments use -- -- As an array -- Arrays are 1-index based t = { 1, 2, 3, 4, 5 } -- Outputs 4 print( t[4] )

  10. UnrealScript Object-oriented language designed specifically for Unreal engine. Language is compiled into byte code. Syntax is pretty similar to C++/Java. Has game-specific constructs, such as support for states.

  11. UnrealScript, Cont'd UnrealScript native bindings of a Ship class Can have functions declared in script but implemented in native code:

  12. UnrealScript: Sample Code // Auto means this state is entered by default auto state Idle { function Tick(float DeltaTime) { // Update in Idle state ... // If I see an enemy, go to Alert state GotoState('Alert'); } Begin: `log("Entering Idle State") } state Alert { function Tick(float DeltaTime) { // Update in Alert state ... } Begin: `log("Entering Alert State") }

  13. Visual Scripting System Flowchart-like scripting system Generally used for level scripting Makes it simple to hook up events, such as having enemies spawn when the player opens a door

  14. Visual Scripting System: Kismet Kismet visual scripting system

  15. Implementing a Scripting Language • Language creation/compiler theory is a huge sub-field of computer science. • Important to understand at least the basics of how a compiler/language works. • Three main stages: • Tokenization • Syntax analysis • Code generation

  16. Tokenization • Take the input stream of text and break it down into tokens such as identifiers, keywords, operators, and symbols. • Also called lexical analysis. • Writing a custom tokenizer is error-prone: • Should use a tool such as flex, which generates a tokenizer based on matching rules

  17. Tokenization Example Simple C file tokenized:

  18. Regular Expressions Parser-generators such as flex use regular expressions to define the matching rules. Regular expressions (regex) have many uses beyond tokenization. Poorly standardized; different environments may have different rules for regular expressions.

  19. Regular Expressions, Cont'd • To directly match a keyword, the regex is just the keyword with or without quotes: // Matches new keyword new // Also matches new keyword "new"

  20. Regular Expressions, Cont'd [] operator means “any character within the brackets.” Use a hyphen to specify any characters within a range: // Matches aac, abc, or acc a[abc]c // Matches aac, abc, acc, ..., azc a[a-z]c // You can combine multiple ranges... // Matches above as well as aAc, ..., aZc a[a-zA-Z]c

  21. Regular Expressions, Cont'd • + means "one or more of a particular character." • * means "zero or more of a particular character." • Both can be combined with the [] operator: // Matches one or more number (integer // token) [0-9]+ // Matches a single letter or underscore, // followed by zero or moreletters, // numbers, and underscores (identifier in // C++) [a-zA-Z_][a-zA-Z0-9_]*

  22. Syntax Analysis Go through the stream of tokens and ensure they conform to the grammar rules of the language. For example, an "if" statement must have parenthesis and a condition, followed by one or more statements in a block. Syntax analysis generates an abstract syntax tree (AST).

  23. AST Sample AST for 5 + 6 * 10

  24. Defining the Grammar • Before you can generate an AST, you must define the grammar. • Common approach is to use Backus-Naur Form (BNF). • Sample grammar: <integer> ::== [0-9]+ <expression> ::== <expression> "+" <expression> | <expression> "-" <expression> | <integer>

  25. BNF Syntax <integer> ::== [0-9]+ <expression> ::== <expression> "+" <expression> | <expression> "-" <expression> | <integer> • ::== operator means "is defined as." • | operator means "or." • <> used to denote grammar rules. • The above means that an expression can be: • An expression plus an expression • An expression minus an expression • An integer

  26. Bison Allows you to execute C/C++ code whenever a grammar rule is matched. This can be leveraged to generate the appropriate AST node upon match. Bison is "bottom-up," meaning it starts with the simplest matches before matching the larger rules.

  27. Sample AST Class Hierarchy Class hierarchy for basic addition/subtraction expressions

  28. Code Execution/Generation • Traverse the AST with a post-order traversal. • Then either: • Run the code (approach used for interpreted language). • Generate assembly/byte code for execution at a later time.

  29. Code Execution: Addition/Subtraction abstractclassExpression function Execute() end classIntegerinheritsExpression // Stores the integral value intvalue // Constructor ... function Execute() // Push value onto calculator's stack ... end end classAdditioninheritsExpression // LHS/RHS operands Expressionlhs, rhs // Constructor ... function Execute() // Post-order means execute left child, then right child, // then myself. lhs.Execute() rhs.Execute() // Add top two values on calculator's stack, push result back on ... end end

  30. Data Formats • How data, such as level information, game objects in the world, and so on, is stored • Can use a binary format • Contains data that's mostly unreadable by a human • Example: PNG • Or can use a text-based file that contains standard characters • Example: XML

  31. Data Format Tradeoffs Text-Based Binary Difficult to tell what changed between versions, especially if used for something such as level data Efficient to load • Easy to tell what changed between versions • Much more “source control friendly” • Slow to parse/load

  32. Using Both Text-Based and Binary Many modern engines support both. During development, many files are saved as text-based. There is a baking process that converts this text-based data to binary. The shipped/released version of the game reads in binary data.

  33. Text-Based Format: INI • Useful for basic settings • Has no sense of hierarchy, so not great for things such as the layout of a level • Sample: [Graphics] Width=1680 Height=1050 FullScreen=true Vsync=false

  34. Text-Based Format: XML • Looks like HTML, but has custom tags • Can have a schema that specifies what tags are required/hierarchy information • Sample (from The Witcher 2): <ability name="Forgotten Sword of Vrans _Stats"> <damage_min mult="false" always_random="false" min="50" max="50"/> <damage_max mult="false" always_random="false" min="55" max="55"/> <endurance mult="false" always_random="false" min="1" max="1"/> <crt_freeze display_perc="true" mult="false" always_random="false" min="0.2" max="0.2" type="critical"/> <instant_kill_chance display_perc="true" mult="false" always_random="false" min="0.02" max="0.02" type="bonus"/> <vitality_regen mult="false" always_random="false" min="2" max="2"/> </ability>

  35. Text-Based Format: JSON JavaScript Object Notation is popular for web applications, but can be used in others as well. JSON easily allows nesting and is faster to parse (usually) than XML. Sample: { "name": "explosion", "falloff": 150, "priority": 10, "sources": [ "explosion1.wav", "explosion2.wav", "explosion3.wav" ] }

More Related