a4tools 1.2.7

Sign up to get free protection for your applications and to get access to all the features.
Files changed (64) hide show
  1. checksums.yaml +7 -0
  2. data/.bundle/install.log +38 -0
  3. data/.gitignore +2 -0
  4. data/Gemfile +3 -0
  5. data/Gemfile.lock +38 -0
  6. data/a4tools.gemspec +38 -0
  7. data/bin/deploy_latest_clients +32 -0
  8. data/bin/devsite_config_server +48 -0
  9. data/bin/netshell +23 -0
  10. data/bin/update_server +101 -0
  11. data/bin/usher +54 -0
  12. data/lib/a4tools.rb +61 -0
  13. data/lib/a4tools/version.rb +3 -0
  14. data/lib/acres_client.rb +376 -0
  15. data/lib/clients/caching_client.rb +151 -0
  16. data/lib/clients/deployment_client.rb +53 -0
  17. data/lib/clients/kai_config_client.rb +39 -0
  18. data/lib/clients/usher_client.rb +72 -0
  19. data/lib/clients/usher_mgmt_client.rb +201 -0
  20. data/lib/event_manager.rb +24 -0
  21. data/lib/events.json +1 -0
  22. data/lib/net_shell/builtin_command.rb +312 -0
  23. data/lib/net_shell/builtin_commands/build.rb +251 -0
  24. data/lib/net_shell/builtin_commands/cd.rb +12 -0
  25. data/lib/net_shell/builtin_commands/connect.rb +122 -0
  26. data/lib/net_shell/builtin_commands/deploy.rb +280 -0
  27. data/lib/net_shell/builtin_commands/disconnect.rb +15 -0
  28. data/lib/net_shell/builtin_commands/excerpt.rb +97 -0
  29. data/lib/net_shell/builtin_commands/exit.rb +7 -0
  30. data/lib/net_shell/builtin_commands/get.rb +38 -0
  31. data/lib/net_shell/builtin_commands/help.rb +40 -0
  32. data/lib/net_shell/builtin_commands/host.rb +126 -0
  33. data/lib/net_shell/builtin_commands/inject.rb +42 -0
  34. data/lib/net_shell/builtin_commands/jsoncache.rb +80 -0
  35. data/lib/net_shell/builtin_commands/kai_event.rb +151 -0
  36. data/lib/net_shell/builtin_commands/persist.rb +24 -0
  37. data/lib/net_shell/builtin_commands/pwd.rb +6 -0
  38. data/lib/net_shell/builtin_commands/recap.rb +188 -0
  39. data/lib/net_shell/builtin_commands/references.rb +63 -0
  40. data/lib/net_shell/builtin_commands/select.rb +36 -0
  41. data/lib/net_shell/builtin_commands/send.rb +74 -0
  42. data/lib/net_shell/builtin_commands/set.rb +29 -0
  43. data/lib/net_shell/builtin_commands/show.rb +183 -0
  44. data/lib/net_shell/builtin_commands/site.rb +122 -0
  45. data/lib/net_shell/builtin_commands/ssh.rb +62 -0
  46. data/lib/net_shell/builtin_commands/talk.rb +90 -0
  47. data/lib/net_shell/builtin_commands/translate.rb +45 -0
  48. data/lib/net_shell/builtin_commands/unset.rb +14 -0
  49. data/lib/net_shell/builtin_commands/usher.rb +55 -0
  50. data/lib/net_shell/builtin_commands/usher_device.rb +39 -0
  51. data/lib/net_shell/builtin_commands/usher_site.rb +245 -0
  52. data/lib/net_shell/builtin_commands/usherm_connect.rb +21 -0
  53. data/lib/net_shell/colors.rb +149 -0
  54. data/lib/net_shell/command.rb +97 -0
  55. data/lib/net_shell/io.rb +132 -0
  56. data/lib/net_shell/net_shell.rb +396 -0
  57. data/lib/net_shell/prompt.rb +335 -0
  58. data/lib/object_builder/definitions/app_info_for_script.rb +83 -0
  59. data/lib/object_builder/definitions/connection_request.rb +28 -0
  60. data/lib/object_builder/definitions/device_info_for_system.rb +37 -0
  61. data/lib/object_builder/object_builder.rb +145 -0
  62. data/lib/talk.json +1 -0
  63. data/lib/talk_consumer.rb +235 -0
  64. metadata +279 -0
@@ -0,0 +1,145 @@
1
+ module A4Tools
2
+ class ObjectBuilder
3
+ class << self
4
+ attr_reader :is_cached, :generate_block, :description_text
5
+ attr_accessor :id
6
+
7
+ def load_objects
8
+ @definitions = {}
9
+ load_path(File.join(File.dirname(__FILE__), "definitions"))
10
+ end
11
+
12
+ def load_path(path)
13
+ if File.directory?(path) then
14
+ define_with_directory(path).each do |defn|
15
+ @definitions[defn.identifier] = defn
16
+ end
17
+ true
18
+ elsif File.file?(path) then
19
+ defn = define_with_filename(path)
20
+ @definitions[defn.identifier] = defn
21
+ true
22
+ else
23
+ false
24
+ end
25
+ end
26
+
27
+ def load_object(obj, id, description)
28
+ obj = JSON.generate(obj) unless obj.is_a? String
29
+ @definitions[id.to_sym] = define_with_json(obj, id.to_sym, description)
30
+ end
31
+
32
+ def define_with_directory(directory)
33
+ Dir[File.join(directory, "*")].map { |file| define_with_filename(file) }
34
+ end
35
+
36
+ def define_with_filename(filename)
37
+ contents = IO.read(filename)
38
+ id = File.basename(filename).gsub(/\..*$/, "").to_sym
39
+ return define_with_script(contents, id) if filename.end_with? ".rb"
40
+ define_with_json(contents, id)
41
+ end
42
+
43
+ def define_with_script(script, id)
44
+ definition = Class.new(A4Tools::ObjectBuilder) {}
45
+ definition.id = id
46
+ definition.class_eval(script, id.to_s)
47
+ definition.new
48
+ end
49
+
50
+ def define_with_json(string, id=nil, description=nil)
51
+ object = symbolify(JSON.parse(string))
52
+ description ||= object[:___description] || "Supplied from JSON"
53
+ definition = Class.new(A4Tools::ObjectBuilder) do
54
+ generate { self.class.instance_variable_get("@obj") }
55
+ end
56
+
57
+ object.delete(:__description)
58
+ definition.class_eval("description \"#{description}\"")
59
+ definition.instance_variable_set("@obj", object)
60
+ definition.id = id.to_sym
61
+ definition.new
62
+ end
63
+
64
+ def builders
65
+ @definitions.values
66
+ end
67
+
68
+ def builders_for_name(name)
69
+ @definitions.values.select do |defn|
70
+ defn.name_matches?(name)
71
+ end
72
+ end
73
+
74
+ def supported_classes(truncate=true)
75
+ r = {}
76
+ @definitions.each do |id, defn|
77
+ key = truncate ? talk.truncated_name(defn.name) : defn.name
78
+ r[key] = true
79
+ end
80
+ r.keys
81
+ end
82
+
83
+ def [](identifier)
84
+ @definitions[identifier.to_sym]
85
+ end
86
+
87
+ def []=(identifier, defn)
88
+ @definitions[identifier.to_sym] = defn
89
+ end
90
+
91
+ def identifiers_like(id)
92
+ @definitions.keys.select { |key| key.to_s.start_with? id.to_s }
93
+ end
94
+
95
+ ### DSL stuff for defining items
96
+
97
+ def identifier(id)
98
+ @id = id
99
+ end
100
+
101
+ def description(desc)
102
+ @description_text = desc
103
+ end
104
+
105
+ def cache(is_cached)
106
+ @is_cached = is_cached
107
+ end
108
+
109
+ def generate(&block)
110
+ @generate_block = block
111
+ end
112
+ end
113
+
114
+ def block_call(&block)
115
+ self.class.send(:define_method, :__block_call, &block)
116
+ self.class.send(:instance_method, :__block_call).bind(self).call
117
+ end
118
+
119
+ def identifier
120
+ self.class.id
121
+ end
122
+
123
+ def name_matches?(other)
124
+ name.end_with? other.to_s
125
+ end
126
+
127
+ def name
128
+ value if @cached.nil?
129
+ @cached[:__class] || ""
130
+ end
131
+
132
+ def description
133
+ self.class.description_text
134
+ end
135
+
136
+ def value
137
+ return @cached unless @cached.nil? or not self.class.is_cached
138
+ v = block_call(&self.class.generate_block)
139
+ v.delete(:__description)
140
+ @cached = v
141
+ end
142
+
143
+ load_objects
144
+ end
145
+ end
@@ -0,0 +1 @@
1
+ {"glossary":[{"description":"Shared account usernames and passwords assumed to be supported by the server.","term":[{"description":"Username used for automatic update account. This account has no privileges other than requesting an update. It will likely be unused and deprecated in the Java deployment server (January/February 2013).","name":"BuildAccountAutomaticUpdateUsername","value":"autoupdate","__meta":{"file":"classes/build/BuildAccounts.talk","tag":"term","line":4}},{"description":"Password used for automatic update account.","name":"BuildAccountAutomaticUpdatePassword","value":"cooking,mature,province,deerskin,august.","__meta":{"file":"classes/build/BuildAccounts.talk","tag":"term","line":8}},{"description":"Username used to request build histories. Used by the DySymClient to pull archived symbol files for Hoover. This account has no privileges other than requesting build lists.","name":"BuildAccountHistoricBuildInformationUsername","value":"buildsymbolicator","__meta":{"file":"classes/build/BuildAccounts.talk","tag":"term","line":12}},{"description":"Password used for build history requests.","name":"BuildAccountHistoricBuildInformationPassword","value":"this`dude-symbolicates=things.","__meta":{"file":"classes/build/BuildAccounts.talk","tag":"term","line":16}}],"name":"com.acres4.common.info.constants.build.BuildAccounts","__meta":{"file":"classes/build/BuildAccounts.talk","tag":"glossary","line":1}},{"description":"Valid contents of the BuildInfo platform field.","term":[{"description":"Apple iPod Touch","name":"BuildPlatformDeviceIpod","value":"apple-ipod","__meta":{"file":"classes/build/BuildInfo.talk","tag":"term","line":4}},{"description":"Apple iPad","name":"BuildPlatformDeviceIpad","value":"apple-ipad","__meta":{"file":"classes/build/BuildInfo.talk","tag":"term","line":8}}],"name":"com.acres4.common.info.constants.build.BuildInfoPlatforms","__meta":{"file":"classes/build/BuildInfo.talk","tag":"glossary","line":1}},{"description":"Valid contents of the type field of BuildResource","term":[{"description":"Textfile containing description of the system that compiled this build","name":"BuildResourceTypeCompileNotes","value":"compile-notes","__meta":{"file":"classes/build/BuildResource.talk","tag":"term","line":4}},{"description":".xcarchive file containing compiled application and .dSYMs. Since .xcarchives are technically directories, the file is stored and transported as a .zip whose only entry is the .xcarchive.","name":"BuildResourceTypeAppleXcarchive","value":"apple-ios-xcarchive","__meta":{"file":"classes/build/BuildResource.talk","tag":"term","line":8}},{"description":".app file containing an OS X or iOS binary. Since .app files are technically directories, the file is stored and transported as a .zip whose only entry is the .app.","name":"BuildResourceTypeAppleApp","value":"apple-app","__meta":{"file":"classes/build/BuildResource.talk","tag":"term","line":12}},{"description":".ipa file containing an iOS application bundled for installation via iTunes.","name":"BuildResourceTypeAppleIPA","value":"apple-ipa","__meta":{"file":"classes/build/BuildResource.talk","tag":"term","line":16}},{"description":"itms-service URL for the online installer of an iOS application.","name":"BuildResourceTypeAppleIOSInstaller","value":"apple-ios-installer","__meta":{"file":"classes/build/BuildResource.talk","tag":"term","line":20}},{"description":"Graphic file (eg. .png, .jpg) containing a large-scale icon for this application. Large-scale icons are typically used for cover artwork or other special purposes; for example, the 512x512 iTunes artwork of an iOS app.","name":"BuildResourceTypeIconLarge","value":"icon-large","__meta":{"file":"classes/build/BuildResource.talk","tag":"term","line":24}},{"description":"Graphic file (eg. .png, .jpg) containing a display icon for this application.","name":"BuildResourceTypeIcon","value":"icon","__meta":{"file":"classes/build/BuildResource.talk","tag":"term","line":28}},{"description":"A4 Paytable Archive which is gziped sql script to relace paytable row and render_map table","name":"BuildResourceTypeA4PaytableArchive","value":"a4-paytable-archive","__meta":{"file":"classes/build/BuildResource.talk","tag":"term","line":32}},{"description":"Graphic file containing a preview image of an Arcade game for use in the menu/game browser","name":"BuildResourceTypeArcadeGamePreviewImage","value":"game-preview-image","__meta":{"file":"classes/build/BuildResource.talk","tag":"term","line":36}},{"description":"A compiled Flash SWF file","name":"BuildResourceTypeFlashSWF","value":"flash-swf","__meta":{"file":"classes/build/BuildResource.talk","tag":"term","line":40}},{"description":"Generic application bundle for the target operating system. For example, this might be a .app file for OS X, or a .zip file containing an entire Windows program directory.","name":"BuildResourceTypeGeneric","value":"generic","__meta":{"file":"classes/build/BuildResource.talk","tag":"term","line":44}}],"name":"com.acres4.common.info.constants.build.BuildResourceTypes","__meta":{"file":"classes/build/BuildResource.talk","tag":"glossary","line":1}},{"description":"App names/Bundle IDs (eg. com.acres4.Supervisor). Note that these are not authoratative; they instead reflect current settings in iOS application projects.","term":[{"name":"MercuryApplicationBundleIDSupervisor","value":"com.acres4.Supervisor","__meta":{"file":"classes/common/AppInfo.talk","tag":"term","line":4}},{"name":"MercuryApplicationBundleIDFrontLine","value":"com.acres4.Front-Line","__meta":{"file":"classes/common/AppInfo.talk","tag":"term","line":5}},{"name":"MercuryApplicationBundleIDMercuryOffline","value":"com.acres4.Mercury-Offline","__meta":{"file":"classes/common/AppInfo.talk","tag":"term","line":6}},{"name":"ShepherdApplicationBundleId","value":"com.acres4.Shepherd","__meta":{"file":"classes/common/AppInfo.talk","tag":"term","line":7}}],"name":"com.acres4.common.info.constants.build.AppIDs","__meta":{"file":"classes/common/AppInfo.talk","tag":"glossary","line":1}},{"description":"Supported file encodings in EncodedFile","term":[{"name":"EncodedFileEncodingBase64","value":"Base64","__meta":{"file":"classes/common/EncodedFile.talk","tag":"term","line":3}}],"name":"com.acres4.common.info.constants.support.EncodedFileEncodings","__meta":{"file":"classes/common/EncodedFile.talk","tag":"glossary","line":1}},{"description":"Supported algorithms for Password object","term":[{"name":"PasswordAlgorithmAESA4BC","value":"AES/A4BC","__meta":{"file":"classes/common/Password.talk","tag":"term","line":20}},{"name":"PasswordAlgorithmSHA1A4BC","value":"SHA1/A4BC","__meta":{"file":"classes/common/Password.talk","tag":"term","line":21}},{"description":"SHA1-HMAC based on connection token with username salt. The contents field is the SHA1-HMAC containing SHA1-HMAC(ConnectionToken.rand, SHA1-HMAC(username, password)), with SHA1-HMAC being the HMAC function defined in RFC 2104 with SHA1 used as the hashing algorithm. This approach allows a remote service to store the password with a unique salt, and still perform authentication over insecure channels in a manner that both conceals the password and is immune to replay attacks.","name":"PasswordAlgorithmSHA1HMACTokenName","value":"SHA1HMACTokenName","__meta":{"file":"classes/common/Password.talk","tag":"term","line":22}},{"description":"Plaintext password. This should only be used in testing and NEVER NEVER NEVER in production","name":"PasswordAlgorithmPlainText","value":"CLEARTEXT","__meta":{"file":"classes/common/Password.talk","tag":"term","line":25}}],"name":"com.acres4.common.info.constants.PasswordAlgorithms","__meta":{"file":"classes/common/Password.talk","tag":"glossary","line":18}},{"description":"Replication constants","term":[{"name":"REPLICATE","value":"replicate","__meta":{"file":"classes/common/ReplicationObject.talk","tag":"term","line":23}}],"name":"com.acres4.common.info.constants.replication.ReplicationConstants","__meta":{"file":"classes/common/ReplicationObject.talk","tag":"glossary","line":21}},{"description":"Supported server contexts","term":[{"name":"ServerCTX_CENTRAL","value":"/central","__meta":{"file":"classes/common/ServerCTX.talk","tag":"term","line":3}},{"name":"ServerCTX_CONFIG","value":"/config","__meta":{"file":"classes/common/ServerCTX.talk","tag":"term","line":4}},{"name":"ServerCTX_DEPLOYMENT","value":"/deployment","__meta":{"file":"classes/common/ServerCTX.talk","tag":"term","line":5}},{"name":"ServerCTX_KLPROMO","value":"/klpromo","__meta":{"file":"classes/common/ServerCTX.talk","tag":"term","line":6}},{"name":"ServerCTX_KAILITE","value":"/kailite","__meta":{"file":"classes/common/ServerCTX.talk","tag":"term","line":7}},{"name":"ServerCTX_LOGGER","value":"/logger","__meta":{"file":"classes/common/ServerCTX.talk","tag":"term","line":8}},{"name":"ServerCTX_MERCINTF","value":"/mercintf","__meta":{"file":"classes/common/ServerCTX.talk","tag":"term","line":9}},{"name":"ServerCTX_MERCURY","value":"/mercury","__meta":{"file":"classes/common/ServerCTX.talk","tag":"term","line":10}},{"name":"ServerCTX_METIS","value":"/metis","__meta":{"file":"classes/common/ServerCTX.talk","tag":"term","line":11}},{"name":"ServerCTX_MONITOR","value":"/monitor","__meta":{"file":"classes/common/ServerCTX.talk","tag":"term","line":12}},{"name":"ServerCTX_PROMO","value":"/promo","__meta":{"file":"classes/common/ServerCTX.talk","tag":"term","line":13}},{"name":"ServerCTX_SWITCHBOARD","value":"/switchboard","__meta":{"file":"classes/common/ServerCTX.talk","tag":"term","line":14}},{"name":"ServerCTX_UNIVKAI","value":"/univkai","__meta":{"file":"classes/common/ServerCTX.talk","tag":"term","line":15}},{"name":"ServerCTX_USHER2","value":"/usher2","__meta":{"file":"classes/common/ServerCTX.talk","tag":"term","line":16}},{"name":"ServerCTX_WATCHDOG","value":"/watchdog","__meta":{"file":"classes/common/ServerCTX.talk","tag":"term","line":17}},{"name":"ServerCTX_WEBSOCKET","value":"/websocket","__meta":{"file":"classes/common/ServerCTX.talk","tag":"term","line":18}},{"name":"ServerCTX_WINVELOPE","value":"/winvelope","__meta":{"file":"classes/common/ServerCTX.talk","tag":"term","line":19}},{"name":"ServerCTX_JVM","value":"/jvm","__meta":{"file":"classes/common/ServerCTX.talk","tag":"term","line":20}},{"name":"ServerCTX_PICKPROMO","value":"/pickpromo","__meta":{"file":"classes/common/ServerCTX.talk","tag":"term","line":21}}],"name":"com.acres4.common.info.constants.ServerCTX","__meta":{"file":"classes/common/ServerCTX.talk","tag":"glossary","line":1}},{"description":"Supported server interfaces","term":[{"name":"ServerINTF_ACRES4","value":"/acres4","__meta":{"file":"classes/common/ServerINTF.talk","tag":"term","line":3}},{"name":"ServerINTF_CLIENT","value":"/client","__meta":{"file":"classes/common/ServerINTF.talk","tag":"term","line":4}},{"name":"ServerINTF_COMET","value":"/comet","__meta":{"file":"classes/common/ServerINTF.talk","tag":"term","line":5}},{"name":"ServerINTF_CONFIG","value":"/config","__meta":{"file":"classes/common/ServerINTF.talk","tag":"term","line":6}},{"name":"ServerINTF_DEFAULT","value":"/default","__meta":{"file":"classes/common/ServerINTF.talk","tag":"term","line":7}},{"name":"ServerINTF_JSON","value":"/json","__meta":{"file":"classes/common/ServerINTF.talk","tag":"term","line":8}},{"name":"ServerINTF_LOG","value":"/log","__meta":{"file":"classes/common/ServerINTF.talk","tag":"term","line":9}},{"name":"ServerINTF_MERCINTF","value":"/mercintf","__meta":{"file":"classes/common/ServerINTF.talk","tag":"term","line":10}},{"name":"ServerINTF_PROMO","value":"/promo","__meta":{"file":"classes/common/ServerINTF.talk","tag":"term","line":11}},{"name":"ServerINTF_QATEST","value":"/qatest","__meta":{"file":"classes/common/ServerINTF.talk","tag":"term","line":12}},{"name":"ServerINTF_REPLICATE","value":"/replicate","__meta":{"file":"classes/common/ServerINTF.talk","tag":"term","line":13}},{"name":"ServerINTF_ROOT","value":"/","__meta":{"file":"classes/common/ServerINTF.talk","tag":"term","line":14}},{"name":"ServerINTF_SERVER","value":"/server","__meta":{"file":"classes/common/ServerINTF.talk","tag":"term","line":15}},{"name":"ServerINTF_TEST","value":"/test","__meta":{"file":"classes/common/ServerINTF.talk","tag":"term","line":16}},{"name":"ServerINTF_WATCHDOG","value":"/watchdog","__meta":{"file":"classes/common/ServerINTF.talk","tag":"term","line":17}},{"name":"ServerINTF_WINVELOPE","value":"/winvelope","__meta":{"file":"classes/common/ServerINTF.talk","tag":"term","line":18}}],"name":"com.acres4.common.info.constants.ServerINTF","__meta":{"file":"classes/common/ServerINTF.talk","tag":"glossary","line":1}},{"description":"Lists common repositories used in Acres 4.0 projects.","term":[{"description":"acres4 repository featuring iOS code, A4 appliance code, etc.","name":"RepoAcres4","value":"acres4","__meta":{"file":"classes/common/SourceRevision.talk","tag":"term","line":4}},{"description":"talk repository featuring .talk files used in building protocol.","name":"RepoTalk","value":"talk","__meta":{"file":"classes/common/SourceRevision.talk","tag":"term","line":8}},{"description":"JavaBase repository featuring Mercury Java server","name":"RepoJavaBase","value":"JavaBase","__meta":{"file":"classes/common/SourceRevision.talk","tag":"term","line":12}},{"description":"iOS Pulltab fork of acres4 repository for pulltab gaming work.","name":"RepoIOSPulltab","value":"ios-pulltab","__meta":{"file":"classes/common/SourceRevision.talk","tag":"term","line":16}},{"description":"Augustus deployment server","name":"RepoAugustus","value":"augustus","__meta":{"file":"classes/common/SourceRevision.talk","tag":"term","line":20}},{"description":"Acres 4 game math","name":"RepoGamemath","value":"gamemath","__meta":{"file":"classes/common/SourceRevision.talk","tag":"term","line":24}},{"description":"Acres 4 Web Sites","name":"RepoWebSites","value":"websites","__meta":{"file":"classes/common/SourceRevision.talk","tag":"term","line":28}}],"name":"com.acres4.common.info.constants.Repositories","__meta":{"file":"classes/common/SourceRevision.talk","tag":"glossary","line":1}},{"description":"List of timezones queried from MySQL","term":[{"description":"US/Alaska time zone","name":"US_Alaska","value":"US/Alaska","__meta":{"file":"classes/common/Timezones.talk","tag":"term","line":4}},{"description":"US/Aleutian time zone","name":"US_Aleutian","value":"US/Aleutian","__meta":{"file":"classes/common/Timezones.talk","tag":"term","line":7}},{"description":"US/Arizona time zone","name":"US_Arizona","value":"US/Arizona","__meta":{"file":"classes/common/Timezones.talk","tag":"term","line":10}},{"description":"US/Central time zone","name":"US_Central","value":"US/Central","__meta":{"file":"classes/common/Timezones.talk","tag":"term","line":13}},{"description":"US/East-Indiana time zone","name":"US_East_Indiana","value":"US/East-Indiana","__meta":{"file":"classes/common/Timezones.talk","tag":"term","line":16}},{"description":"US/Eastern time zone","name":"US_Eastern","value":"US/Eastern","__meta":{"file":"classes/common/Timezones.talk","tag":"term","line":19}},{"description":"US/Hawaii time zone","name":"US_Hawaii","value":"US/Hawaii","__meta":{"file":"classes/common/Timezones.talk","tag":"term","line":22}},{"description":"US/Indiana-Starke time zone","name":"US_Indiana_Starke","value":"US/Indiana-Starke","__meta":{"file":"classes/common/Timezones.talk","tag":"term","line":25}},{"description":"US/Michigan time zone","name":"US_Michigan","value":"US/Michigan","__meta":{"file":"classes/common/Timezones.talk","tag":"term","line":28}},{"description":"US/Mountain time zone","name":"US_Mountain","value":"US/Mountain","__meta":{"file":"classes/common/Timezones.talk","tag":"term","line":31}},{"description":"US/Pacific time zone","name":"US_Pacific","value":"US/Pacific","__meta":{"file":"classes/common/Timezones.talk","tag":"term","line":34}},{"description":"US/Pacific-New time zone","name":"US_Pacific_New","value":"US/Pacific-New","__meta":{"file":"classes/common/Timezones.talk","tag":"term","line":37}},{"description":"US/Samoa time zone","name":"US_Samoa","value":"US/Samoa","__meta":{"file":"classes/common/Timezones.talk","tag":"term","line":40}}],"name":"com.acres4.common.info.constants.Timezones","__meta":{"file":"classes/common/Timezones.talk","tag":"glossary","line":1}},{"description":"Contains the current version of the config for the website, and the current allowed Client app version (branch) for the server, usually enforced at a project-specific connection handler level by checking the AppInfo supportingRevisions branches array.","term":[{"name":"currentVersion","value":"mike","__meta":{"file":"classes/config/MercuryConfigWebVersions.talk","tag":"term","line":4}},{"name":"currentClientVersion","value":"mike","__meta":{"file":"classes/config/MercuryConfigWebVersions.talk","tag":"term","line":5}}],"name":"com.acres4.common.info.constants.mercury.MercuryConfigWebVersions","__meta":{"file":"classes/config/MercuryConfigWebVersions.talk","tag":"glossary","line":1}},{"description":"Keys to employee preferences","term":[{"name":"VoiceAnnounce","value":"voiceAnnounce","__meta":{"file":"classes/dispatch/EmployeePreferenceKey.talk","tag":"term","line":3}},{"name":"UserPreferenceLockOrientation","value":"userPreferencelockOrientation","__meta":{"file":"classes/dispatch/EmployeePreferenceKey.talk","tag":"term","line":4}},{"name":"UserPreferenceCurrentOrientation","value":"userPreferencecurrentOrientation","__meta":{"file":"classes/dispatch/EmployeePreferenceKey.talk","tag":"term","line":5}},{"name":"DispatchAvailability","value":"dispatchAvailability","__meta":{"file":"classes/dispatch/EmployeePreferenceKey.talk","tag":"term","line":6}}],"name":"com.acres4.common.info.constants.mercury.EmployeePreferenceKey","__meta":{"file":"classes/dispatch/EmployeePreferenceKey.talk","tag":"glossary","line":1}},{"description":"magic prepend string","term":[{"name":"ASSET","value":"asset:","__meta":{"file":"classes/dispatch/LocationDefinition.talk","tag":"term","line":14}}],"name":"com.acres4.common.info.constants.mercury.LocationDefinitionConstants","__meta":{"file":"classes/dispatch/LocationDefinition.talk","tag":"glossary","line":12}},{"description":"Valid recipient types","term":[{"description":"goes to the to address","name":"EmailRecipientTypeTo","value":"TO","__meta":{"file":"classes/email/EmailRecipient.talk","tag":"term","line":16}},{"description":"goes to the cc address","name":"EmailRecipientTypeCC","value":"CC","__meta":{"file":"classes/email/EmailRecipient.talk","tag":"term","line":20}},{"description":"goes to the bcc address","name":"EmailRecipientTypeBCC","value":"BCC","__meta":{"file":"classes/email/EmailRecipient.talk","tag":"term","line":24}}],"name":"com.acres4.common.info.constants.email.EmailRecipientType","__meta":{"file":"classes/email/EmailRecipient.talk","tag":"glossary","line":13}},{"description":"Constants associated with creating JSONRPC Request or parsing Response","term":[{"description":"fieldname for jsonrpc version","name":"JSON_RPC_V2_VERSION_FIELD_NAME","value":"jsonrpc","__meta":{"file":"classes/json/JSONRPC.talk","tag":"term","line":3}},{"description":"Value for jsonrpc field","name":"JSON_RPC_V2_VERSION_FIELD_VALUE","value":"2.0","__meta":{"file":"classes/json/JSONRPC.talk","tag":"term","line":6}},{"description":"field name for identification field","name":"JSON_RPC_V2_ID_FIELD_NAME","value":"id","__meta":{"file":"classes/json/JSONRPC.talk","tag":"term","line":9}},{"description":"field name for intf field","name":"JSON_RPC_A4_INTF_FIELD_NAME","value":"intf","__meta":{"file":"classes/json/JSONRPC.talk","tag":"term","line":12}},{"description":"field name for method field","name":"JSON_RPC_V2_METHOD_FIELD_NAME","value":"method","__meta":{"file":"classes/json/JSONRPC.talk","tag":"term","line":15}},{"description":"field name for params field","name":"JSON_RPC_V2_PARAMS_FIELD_NAME","value":"params","__meta":{"file":"classes/json/JSONRPC.talk","tag":"term","line":18}},{"description":"field name for result field","name":"JSON_RPC_V2_RESULT_FIELD_NAME","value":"result","__meta":{"file":"classes/json/JSONRPC.talk","tag":"term","line":21}},{"description":"field name for error field","name":"JSON_RPC_V2_ERROR_FIELD_NAME","value":"error","__meta":{"file":"classes/json/JSONRPC.talk","tag":"term","line":24}},{"description":"field name for seqno field","name":"JSON_RPC_V2_SEQNO_FIELD_NAME","value":"seqno","__meta":{"file":"classes/json/JSONRPC.talk","tag":"term","line":27}},{"description":"field name for code field within error structure","name":"JSON_RPC_V2_ERROR_STRUCT_CODE_FIELD_NAME","value":"code","__meta":{"file":"classes/json/JSONRPC.talk","tag":"term","line":30}},{"description":"field name for code field within error structure","name":"JSON_RPC_V2_ERROR_STRUCT_MESSAGE_FIELD_NAME","value":"message","__meta":{"file":"classes/json/JSONRPC.talk","tag":"term","line":33}},{"description":"field name for code field within error structure","name":"JSON_RPC_V2_ERROR_STRUCT_ERROR_FIELD_NAME","value":"error","__meta":{"file":"classes/json/JSONRPC.talk","tag":"term","line":36}}],"name":"com.acres4.common.info.constants.JSONRPC","__meta":{"file":"classes/json/JSONRPC.talk","tag":"glossary","line":1}},{"description":"Specify the report file output types to the report servlet.","term":[{"description":"HTML output is desired.","name":"OUTPUT_TYPE_HTML","value":"HTML","__meta":{"file":"classes/reporting/RenderOutputType.talk","tag":"term","line":4}},{"description":"An Excel output file is desired.","name":"OUTPUT_TYPE_EXCEL","value":"XLS","__meta":{"file":"classes/reporting/RenderOutputType.talk","tag":"term","line":8}},{"description":"A PDF output file is desired.","name":"OUTPUT_TYPE_PDF","value":"PDF","__meta":{"file":"classes/reporting/RenderOutputType.talk","tag":"term","line":12}}],"name":"com.acres4.common.info.reporting.RenderOutputType","__meta":{"file":"classes/reporting/RenderOutputType.talk","tag":"glossary","line":1}},{"description":"Specify the report file output types to the report servlet.","term":[{"description":"HTML output is desired.","name":"OUTPUT_TYPE_HTML","value":"HTML","__meta":{"file":"classes/reports/OutputType.talk","tag":"term","line":4}},{"description":"An Excel output file is desired.","name":"OUTPUT_TYPE_EXCEL","value":"XLS","__meta":{"file":"classes/reports/OutputType.talk","tag":"term","line":8}},{"description":"A PDF output file is desired.","name":"OUTPUT_TYPE_PDF","value":"PDF","__meta":{"file":"classes/reports/OutputType.talk","tag":"term","line":12}}],"name":"com.acres4.common.info.constants.reports.OutputType","__meta":{"file":"classes/reports/OutputType.talk","tag":"glossary","line":1}},{"description":"Parameter names used by the report servlet.","term":[{"description":"The ConnectionToken.","name":"PARAM_NAME_TOKEN","value":"tok","__meta":{"file":"classes/reports/ParameterName.talk","tag":"term","line":4}},{"description":"The type of output desired. The value passed with this parameter should be from the OutputType class.","name":"PARAM_NAME_OUTPUT_TYPE","value":"output_type","__meta":{"file":"classes/reports/ParameterName.talk","tag":"term","line":8}},{"description":"The id_call_info.","name":"PARAM_NAME_ID_CALL_INFO","value":"id_call_info","__meta":{"file":"classes/reports/ParameterName.talk","tag":"term","line":12}}],"name":"com.acres4.common.info.constants.reports.ParameterName","__meta":{"file":"classes/reports/ParameterName.talk","tag":"glossary","line":1}},{"description":"Services available for subscription in ServiceSubscribeRequest","term":[{"description":"Outstanding calls in dispatch system","name":"ServiceSubscriptionCallInfoUpdates","value":"callInfoUpdates","__meta":{"file":"classes/service/ServiceSubscribeRequest.talk","tag":"term","line":4}},{"name":"ServiceSubscriptionJackpotHits","value":"jackpotHits","__meta":{"file":"classes/service/ServiceSubscribeRequest.talk","tag":"term","line":8}},{"description":"All employees. Notifications are DispatchEmployeeLists.","name":"ServiceSubscriptionStaff","value":"staff","__meta":{"file":"classes/service/ServiceSubscribeRequest.talk","tag":"term","line":10}},{"description":"Dispatch alerts. Notifications are DispatchAlertList.","name":"ServiceSubscriptionDispatchAlerts","value":"dispatchAlerts","__meta":{"file":"classes/service/ServiceSubscribeRequest.talk","tag":"term","line":14}},{"description":"Early out list updates. Notifications are EarlyOutList objects. Clients cannot selectively listen for individual departments.","name":"ServiceSubscriptionEarlyOut","value":"earlyOut","__meta":{"file":"classes/service/ServiceSubscribeRequest.talk","tag":"term","line":18}},{"description":"A channel to which all Mercury clients will subscribe. Used for casino-wide messages such as emergencies.","name":"ServiceSubscriptionVoiceChannelEmergency","value":"voiceChannelEmergency","__meta":{"file":"classes/service/ServiceSubscribeRequest.talk","tag":"term","line":22}},{"description":"A subscription to a department-specific voice channel. The department ID should be appended, so the resulting subscription name will be something like \"voiceChannel2\".","name":"ServiceSubscriptionVoiceChannelDepartment","value":"voiceChannelDept","__meta":{"file":"classes/service/ServiceSubscribeRequest.talk","tag":"term","line":26}},{"description":"A subscription to an auxiliary voice channel.","name":"ServiceSubscriptionVoiceChannelAuxiliary","value":"voiceChannelAuxiliary","__meta":{"file":"classes/service/ServiceSubscribeRequest.talk","tag":"term","line":30}},{"description":"A subscription to special Slot tech channel","name":"ServiceSubscriptionVoiceChannelSlotTech","value":"voiceChannelSlotTech","__meta":{"file":"classes/service/ServiceSubscribeRequest.talk","tag":"term","line":34}},{"description":"Section association and activation status. Notifications are DispatchSectionList objects.","name":"ServiceSubscriptionSections","value":"sections","__meta":{"file":"classes/service/ServiceSubscribeRequest.talk","tag":"term","line":38}},{"description":"A subscription to updates regarding the floor status such as busy level based on the amount of call activity and available attendants.","name":"ServiceSubscriptionFloorStatus","value":"floorStatus","__meta":{"file":"classes/service/ServiceSubscribeRequest.talk","tag":"term","line":42}},{"description":"A subscription to updates whenever an employee card insert event is received by the Mercury EventHandler.","name":"ServiceSubscriptionEmployeeCardInsert","value":"employeeCardInsert","__meta":{"file":"classes/service/ServiceSubscribeRequest.talk","tag":"term","line":46}},{"description":"A subscription to an update which is sent out when the DailyCalls rolls, which is configurable to be either at midnight or upon new gaming day. Should trigger a dailyCalls request from supervisors.","name":"ServiceSubscriptionDailyCallsRolled","value":"dailyCallsRolled","__meta":{"file":"classes/service/ServiceSubscribeRequest.talk","tag":"term","line":50}},{"description":"A subscription to changes in the status of beverage orders.","name":"ServiceSubscribeBeverageListUpdates","value":"beverageListUpdates","__meta":{"file":"classes/service/ServiceSubscribeRequest.talk","tag":"term","line":54}},{"description":"A subscription to beverage orders, whenever a beverage is marked delivered or undeliverable.","name":"ServiceSubscriptionCompletedBeverageOrders","value":"completedBeverageOrders","__meta":{"file":"classes/service/ServiceSubscribeRequest.talk","tag":"term","line":58}}],"name":"com.acres4.common.info.constants.ServiceSubscribeRequest","__meta":{"file":"classes/service/ServiceSubscribeRequest.talk","tag":"glossary","line":1}},{"description":"Valid product names in usher response","term":[{"description":"Ending UsherHost product if secure interface","name":"UsherResponseProductConnectionSSL","value":"-Secure","__meta":{"file":"classes/usher/system/UsherResponseProducts.talk","tag":"term","line":4}},{"description":"Ending UsherHost product if non secure interface","name":"UsherResponseProductConnectionNonSSL","value":"-Server","__meta":{"file":"classes/usher/system/UsherResponseProducts.talk","tag":"term","line":7}},{"description":"Mercury web interface","name":"UsherResponseProductMercuryServer","value":"Mercury","__meta":{"file":"classes/usher/system/UsherResponseProducts.talk","tag":"term","line":11}},{"description":"Voice server","name":"UsherResponseProductKaiVoip","value":"KaiVoip","__meta":{"file":"classes/usher/system/UsherResponseProducts.talk","tag":"term","line":15}},{"description":"central repository for software builds.","name":"UsherResponseProductBuildServer","value":"Build","__meta":{"file":"classes/usher/system/UsherResponseProducts.talk","tag":"term","line":19}},{"description":"New Java based Deployment Server","name":"UsherResponseProductDeploymentServer","value":"Deployment","__meta":{"file":"classes/usher/system/UsherResponseProducts.talk","tag":"term","line":23}},{"description":"Monetary Exchange Server","name":"UsherResponseProductExchangeServer","value":"Exchange","__meta":{"file":"classes/usher/system/UsherResponseProducts.talk","tag":"term","line":27}},{"description":"Central Database Server","name":"UsherResponseProductCentralServer","value":"Central","__meta":{"file":"classes/usher/system/UsherResponseProducts.talk","tag":"term","line":31}},{"description":"File logging Server","name":"UsherResponseProductLoggingServer","value":"Logging","__meta":{"file":"classes/usher/system/UsherResponseProducts.talk","tag":"term","line":35}},{"description":"Promotional contest server","name":"UsherResponseProductPromoServer","value":"Promo","__meta":{"file":"classes/usher/system/UsherResponseProducts.talk","tag":"term","line":39}},{"description":"Switchboard server","name":"UsherResponseProductSwitchboard","value":"Switchboard","__meta":{"file":"classes/usher/system/UsherResponseProducts.talk","tag":"term","line":43}},{"description":"Kaicheck diagnostic server","name":"UsherResponseProductKaicheck","value":"Kaicheck","__meta":{"file":"classes/usher/system/UsherResponseProducts.talk","tag":"term","line":47}},{"description":"Kailite server","name":"UsherResponseProductKailite","value":"Kailite","__meta":{"file":"classes/usher/system/UsherResponseProducts.talk","tag":"term","line":51}}],"name":"com.acres4.common.info.constants.usher.UsherResponseProducts","__meta":{"file":"classes/usher/system/UsherResponseProducts.talk","tag":"glossary","line":1}},{"description":"Protocols used in the protocol field of WiretapConversation","term":[{"description":"The JSON-RPC-based Info protocol.","name":"WiretapConversationProtocolInfo","value":"WiretapConversationProtocolInfo","__meta":{"file":"classes/wiretap/WiretapConversation.talk","tag":"term","line":45}}],"name":"com.acres4.common.info.constants.wiretap.WiretapConversationProtocols","__meta":{"file":"classes/wiretap/WiretapConversation.talk","tag":"glossary","line":42}},{"description":"Commonly-used values for the source field of WiretapEntry. Clients should use these terms whenever appropriate; however, clients should not feel unnecessarily restricted to the contents of this glossary.","term":[{"description":"Message sent from client to server.","name":"WiretapEntrySourceClient","value":"client","__meta":{"file":"classes/wiretap/WiretapEntry.talk","tag":"term","line":50}},{"description":"Message sent from server to client. If the server has a separate channel for asynchronous messaging, this term should not be used for messages on the asynchronous channel.","name":"WiretapEntrySourceServer","value":"server","__meta":{"file":"classes/wiretap/WiretapEntry.talk","tag":"term","line":54}},{"description":"Message sent from the client to server via a designated asynchronous messaging channel.","name":"WiretapEntrySourceClientAsync","value":"client-async","__meta":{"file":"classes/wiretap/WiretapEntry.talk","tag":"term","line":58}},{"description":"Message sent from the server to client via a designated asynchronous messaging channel.","name":"WiretapEntrySourceServerAsync","value":"server-async","__meta":{"file":"classes/wiretap/WiretapEntry.talk","tag":"term","line":62}},{"description":"Message sent from MercIntf to server.","name":"WiretapEntrySourceMercIntf","value":"mercintf","__meta":{"file":"classes/wiretap/WiretapEntry.talk","tag":"term","line":66}},{"description":"Message contains data from a local file","name":"WiretapEntrySourceFile","value":"file","__meta":{"file":"classes/wiretap/WiretapEntry.talk","tag":"term","line":70}}],"name":"com.acres4.common.info.constants.wiretap.WiretapEntrySources","__meta":{"file":"classes/wiretap/WiretapEntry.talk","tag":"glossary","line":48}},{"description":"Provides common constants for bonjour services. Lives in Wiretap protocol right now for lack of a better home.","term":[{"name":"BonjourServiceWiretap","value":"_awt._tcp","__meta":{"file":"proto/proto-wiretap.talk","tag":"term","line":4}}],"name":"com.acres4.common.info.constants.BonjourServices","__meta":{"file":"proto/proto-wiretap.talk","tag":"glossary","line":1}}],"class":[{"description":"Contains location and description of a particular build.","field":[{"description":"Unique serial number for this build record.","type":["int32"],"name":"buildRecordId","__meta":{"file":"classes/build/BuildInfo.talk","tag":"field","line":16}},{"description":"Links to various resources relevant to this build, such as installers and icons.","type":["BuildResource","[]"],"name":"resources","__meta":{"file":"classes/build/BuildInfo.talk","tag":"field","line":20}},{"description":"Unique identifier for the application, remaining constant across builds. (eg: com.acres4.iSlot-HD)","type":["string"],"name":"appId","__meta":{"file":"classes/build/BuildInfo.talk","tag":"field","line":24}},{"description":"Human-friendly application name (eg: \"iSlot HD\")","type":["string"],"name":"appName","__meta":{"file":"classes/build/BuildInfo.talk","tag":"field","line":28}},{"description":"The product name, such as \"Mercury.\" This is used by the deployment server to link applications to Usher products.","type":["string"],"name":"product","__meta":{"file":"classes/build/BuildInfo.talk","tag":"field","line":32}},{"description":"Notes about this particular build. For example, the commit log entry associated with the build.","type":["string"],"name":"buildNotes","__meta":{"file":"classes/build/BuildInfo.talk","tag":"field","line":36}},{"description":"Formal regulatory checksum (eg: SHA1 sum) of the build.","type":["string"],"name":"regulatoryChecksum","__meta":{"file":"classes/build/BuildInfo.talk","tag":"field","line":40}},{"description":"Formal version number of the build.","type":["string"],"name":"version","__meta":{"file":"classes/build/BuildInfo.talk","tag":"field","line":44}},{"description":"Build ID associated with this build (eg: \"rabidly determined mongoose\")","type":["string"],"name":"buildId","__meta":{"file":"classes/build/BuildInfo.talk","tag":"field","line":48}},{"description":"Full identifier of source control revision used for this build (eg: git commit hash).","type":["string"],"name":"commitId","__meta":{"file":"classes/build/BuildInfo.talk","tag":"field","line":52}},{"description":"Author of the commit used for this build","type":["string"],"name":"author","__meta":{"file":"classes/build/BuildInfo.talk","tag":"field","line":56}},{"description":"Branches which claim this commit in their history at time of build","type":["string","[]"],"name":"branches","__meta":{"file":"classes/build/BuildInfo.talk","tag":"field","line":60}},{"description":"Time that the build was posted, in Unix epoch seconds.","type":["int64"],"name":"postDate","__meta":{"file":"classes/build/BuildInfo.talk","tag":"field","line":64}},{"description":"Platforms that this build can run on","see":[{"type":"glossary","name":"BuildInfoPlatforms","__meta":{"file":"classes/build/BuildInfo.talk","tag":"see","line":70}}],"type":["string","[]"],"name":"platforms","__meta":{"file":"classes/build/BuildInfo.talk","tag":"field","line":68}},{"description":"Minimum OS requirement for this build","type":["string"],"name":"minimumOsVersion","__meta":{"file":"classes/build/BuildInfo.talk","tag":"field","line":73}},{"description":"Indicates if the resources for this build have been intentionally removed to conserve storage.","type":["bool"],"name":"expired","__meta":{"file":"classes/build/BuildInfo.talk","tag":"field","line":77}},{"description":"Indicates that the build may be advertised in a BuildUpdateResponse. Note that setting this field TRUE does not mean that the build WILL be advertised; it may be superseded by newer builds, for example. This field simply provides a master control switch to prevent certain builds from ever being advertised under any circumstances.","type":["bool"],"name":"published","__meta":{"file":"classes/build/BuildInfo.talk","tag":"field","line":81}}],"name":"com.acres4.common.info.build.BuildInfo","version":"0","implement":true,"__meta":{"file":"classes/build/BuildInfo.talk","tag":"class","line":13}},{"description":"Describes a filterset for a list of builds on the server.","field":[{"description":"Current client connection token","type":["ConnectionToken"],"name":"tok","__meta":{"file":"classes/build/BuildListRequest.talk","tag":"field","line":4}},{"description":"Allowable values for the appId field, or null if all appId fields are allowed.","type":["string","[]"],"name":"allowedAppIds","__meta":{"file":"classes/build/BuildListRequest.talk","tag":"field","line":8}},{"description":"Allowable values for the commitId field, or null if all commitIds are allowed.","type":["string","[]"],"name":"allowedCommitIds","__meta":{"file":"classes/build/BuildListRequest.talk","tag":"field","line":12}}],"name":"com.acres4.common.info.build.BuildListRequest","version":"0","implement":true,"__meta":{"file":"classes/build/BuildListRequest.talk","tag":"class","line":1}},{"description":"Response to BuildListRequest","field":[{"description":"Available builds matching BuildListRequest.","type":["com.acres4.common.info.build.BuildInfo","[]"],"name":"builds","__meta":{"file":"classes/build/BuildListResponse.talk","tag":"field","line":4}}],"name":"com.acres4.common.info.build.BuildListResponse","version":"0","implement":true,"__meta":{"file":"classes/build/BuildListResponse.talk","tag":"class","line":1}},{"description":"Requests the publication of a build already uploaded to the server.","field":[{"description":"Active, authenticated connection token held by user.","type":["ConnectionToken"],"name":"tok","__meta":{"file":"classes/build/BuildPublicationListRequest.talk","tag":"field","line":4}},{"description":"Site ID to request publications for.","type":["int32"],"name":"siteId","__meta":{"file":"classes/build/BuildPublicationListRequest.talk","tag":"field","line":8}}],"name":"com.acres4.common.info.build.BuildPublicationListRequest","version":"0","implement":true,"__meta":{"file":"classes/build/BuildPublicationListRequest.talk","tag":"class","line":1}},{"description":"Lists active and future orders for a given site ID.","field":[{"description":"Active and future orders for the given site ID. Orders are listed in a dictionary keyed by app ID, and sorted by publication time from earliest to latest.","caveat":["The orders are sorted in chronological order. Therefore, if a build is available for a given app ID, it is the first order in that app ID's array. However, the first order in an app ID's array may not be available. It may be a future build. This can be determined by comparing the order's publicationTime field to the systemTime field of this object."],"type":["BuildPublicationOrder","[]","{}"],"name":"orders","__meta":{"file":"classes/build/BuildPublicationListResponse.talk","tag":"field","line":4}},{"description":"Current system time, in Unix epoch seconds. This is supplied for the convenience of applications that wish to determine whether an order is available.","type":["int32"],"name":"systemTime","__meta":{"file":"classes/build/BuildPublicationListResponse.talk","tag":"field","line":11}}],"name":"com.acres4.common.info.build.BuildPublicationListResponse","version":"0","implement":true,"__meta":{"file":"classes/build/BuildPublicationListResponse.talk","tag":"class","line":1}},{"description":"Describes a publication order active in the server. One of siteId, systemProviderId, and dataCenterId will be non zero.","field":[{"description":"Unique identifier for this publication order.","type":["int32"],"name":"publicationId","__meta":{"file":"classes/build/BuildPublicationOrder.talk","tag":"field","line":4}},{"description":"Unique identifier of build record in server database.","type":["int32"],"name":"buildRecordId","__meta":{"file":"classes/build/BuildPublicationOrder.talk","tag":"field","line":8}},{"description":"Information regarding build being published.","type":["com.acres4.common.info.build.BuildInfo"],"name":"buildInfo","__meta":{"file":"classes/build/BuildPublicationOrder.talk","tag":"field","line":12}},{"description":"Unique ID of app published by this order.","type":["string"],"name":"appId","__meta":{"file":"classes/build/BuildPublicationOrder.talk","tag":"field","line":16}},{"description":"Unique ID of user who published this build.","type":["int32"],"name":"userId","__meta":{"file":"classes/build/BuildPublicationOrder.talk","tag":"field","line":20}},{"description":"Time this order was inserted into the server, in Unix epoch seconds.","type":["int32"],"name":"insertionTime","__meta":{"file":"classes/build/BuildPublicationOrder.talk","tag":"field","line":24}},{"description":"Time this order will take effect and the described build will become current for the indicated site ID.","type":["int32"],"name":"publicationTime","__meta":{"file":"classes/build/BuildPublicationOrder.talk","tag":"field","line":28}},{"description":"Site ID to which this publication applies. One of siteId, systemProviderId, and dataCenterId will be non zero.","type":["int32"],"name":"siteId","__meta":{"file":"classes/build/BuildPublicationOrder.talk","tag":"field","line":32}},{"description":"System Provider ID to which this publication applies. One of siteId, systemProviderId, and dataCenterId will be non zero.","type":["int32"],"name":"systemProviderId","__meta":{"file":"classes/build/BuildPublicationOrder.talk","tag":"field","line":36}},{"description":"Data Center ID to which this publication applies. One of siteId, systemProviderId, and dataCenterId will be non zero.","type":["int32"],"name":"dataCenterId","__meta":{"file":"classes/build/BuildPublicationOrder.talk","tag":"field","line":40}}],"name":"com.acres4.common.info.build.BuildPublicationOrder","version":"0","implement":true,"__meta":{"file":"classes/build/BuildPublicationOrder.talk","tag":"class","line":1}},{"description":"Requests the publication of a build already uploaded to the server.","field":[{"description":"Active, authenticated connection token held by user.","type":["ConnectionToken"],"name":"tok","__meta":{"file":"classes/build/BuildPublishRequest.talk","tag":"field","line":4}},{"description":"Source control revision for the build to be published","type":["string"],"name":"commitId","__meta":{"file":"classes/build/BuildPublishRequest.talk","tag":"field","line":8}},{"description":"Unique identifier for the applications to be published.","type":["string","[]"],"name":"appIds","__meta":{"file":"classes/build/BuildPublishRequest.talk","tag":"field","line":12}},{"description":"Timestamp that the publication should be made available for download, in Unix epoch seconds. Zero indicates immediate publication.","type":["int32"],"name":"publicationTime","__meta":{"file":"classes/build/BuildPublishRequest.talk","tag":"field","line":16}},{"description":"Site IDs on which the publication should be made. Only one of siteIds, systemProviderIds, and dataCenterIds should contain at least one value.","type":["int32","[]"],"name":"siteIds","__meta":{"file":"classes/build/BuildPublishRequest.talk","tag":"field","line":20}},{"description":"System Provider IDs on which the publication should be made. Only one of siteIds, systemProviderIds, and dataCenterIds should contain at least one value.","type":["int32","[]"],"name":"systemProviderIds","__meta":{"file":"classes/build/BuildPublishRequest.talk","tag":"field","line":24}},{"description":"Data Center IDs on which the publication should be made. Only one of siteIds, systemProviderIds, and dataCenterIds should contain at least one value.","type":["int32","[]"],"name":"dataCenterIds","__meta":{"file":"classes/build/BuildPublishRequest.talk","tag":"field","line":28}}],"name":"com.acres4.common.info.build.BuildPublishRequest","version":"0","implement":true,"__meta":{"file":"classes/build/BuildPublishRequest.talk","tag":"class","line":1}},{"description":"Describes the location of a build resource.","field":[{"description":"URL pointing to the resource.","type":["string"],"name":"url","__meta":{"file":"classes/build/BuildResource.talk","tag":"field","line":52}},{"description":"Description of file contents","type":["BuildResourceDescription"],"name":"metadata","__meta":{"file":"classes/build/BuildResource.talk","tag":"field","line":56}}],"name":"com.acres4.common.info.build.BuildResource","version":"0","implement":true,"__meta":{"file":"classes/build/BuildResource.talk","tag":"class","line":49}},{"description":"File metadata for a particular build resource","field":[{"description":"Filename of resource.","type":["string"],"name":"filename","__meta":{"file":"classes/build/BuildResourceDescription.talk","tag":"field","line":4}},{"description":"File size, in bytes.","type":["int64"],"name":"size","__meta":{"file":"classes/build/BuildResourceDescription.talk","tag":"field","line":8}},{"description":"SHA1 sum of file contents. This SHA1 is the literal SHA1 of exactly the bytes contained by the file; this may differ from the regulatory SHA1 sum for the build.","type":["string"],"name":"sha1","__meta":{"file":"classes/build/BuildResourceDescription.talk","tag":"field","line":12}},{"description":"Resource type.","see":[{"type":"glossary","name":"BuildResourceTypes","__meta":{"file":"classes/build/BuildResourceDescription.talk","tag":"see","line":18}}],"type":["string"],"name":"type","__meta":{"file":"classes/build/BuildResourceDescription.talk","tag":"field","line":16}},{"description":"Creation timestamp of the file, in epoch seconds.","type":["int64"],"name":"created","__meta":{"file":"classes/build/BuildResourceDescription.talk","tag":"field","line":21}},{"description":"Lifespan of file, in seconds. Server may freely delete file after lifespan expires. 0 indicates that the server should never delete this file.","type":["int32"],"name":"lifespan","__meta":{"file":"classes/build/BuildResourceDescription.talk","tag":"field","line":25}}],"name":"com.acres4.common.info.build.BuildResourceDescription","version":"0","implement":true,"__meta":{"file":"classes/build/BuildResourceDescription.talk","tag":"class","line":1}},{"description":"Contains location and description of a particular build.","field":[{"description":"Name of the product built by the script (eg: \"islot\")","type":["string"],"name":"product","__meta":{"file":"classes/build/BuildScriptOutput.talk","tag":"field","line":32}},{"description":"Human-readable name of the product built by the script (eg: \"iSlot HD\").","type":["string"],"name":"productName","__meta":{"file":"classes/build/BuildScriptOutput.talk","tag":"field","line":36}},{"description":"Unique identifier for product (eg: com.acres4.iSlot-HD)","type":["string"],"name":"productId","__meta":{"file":"classes/build/BuildScriptOutput.talk","tag":"field","line":40}},{"description":"Version string for the product","type":["string"],"name":"productVersion","__meta":{"file":"classes/build/BuildScriptOutput.talk","tag":"field","line":44}},{"description":"The regulatory checksum for the product, if any","type":["string"],"name":"regulatoryChecksum","__meta":{"file":"classes/build/BuildScriptOutput.talk","tag":"field","line":48}},{"description":"Full command line invocation of the script, including arguments.","type":["string"],"name":"script","__meta":{"file":"classes/build/BuildScriptOutput.talk","tag":"field","line":52}},{"description":"Source code revisions used in building the product. The first revision listed should correspond to the primary repository for the product.","type":["SourceRevision","[]"],"name":"sourceRevisions","__meta":{"file":"classes/build/BuildScriptOutput.talk","tag":"field","line":56}},{"description":"Product's line in build report.","type":["string"],"name":"buildReportEntry","__meta":{"file":"classes/build/BuildScriptOutput.talk","tag":"field","line":60}},{"description":"Product's line in break report.","type":["string"],"name":"breakReportEntry","__meta":{"file":"classes/build/BuildScriptOutput.talk","tag":"field","line":64}},{"description":"Path to product file for uploading. May be omitted to indicate that no upload is required.","type":["string"],"name":"uploadableFile","__meta":{"file":"classes/build/BuildScriptOutput.talk","tag":"field","line":68}},{"description":"Resource type of uploadable file.","see":[{"type":"glossary","name":"BuildResourceTypes","__meta":{"file":"classes/build/BuildScriptOutput.talk","tag":"see","line":74}}],"type":["string"],"name":"uploadableFileType","__meta":{"file":"classes/build/BuildScriptOutput.talk","tag":"field","line":72}},{"description":"Error message to upload to cloud-based text file storage. The link to the uploaded file will be treated as the failLink for this script.","caveat":["This field is mutually exclusive with failLink. No upload is conducted if the build status is reported as successful."],"type":["string"],"name":"uploadableError","__meta":{"file":"classes/build/BuildScriptOutput.talk","tag":"field","line":77}},{"description":"Link to be included with the upload.","caveat":["This field is mutually exclusive with uploadableError."],"type":["string"],"name":"failLink","__meta":{"file":"classes/build/BuildScriptOutput.talk","tag":"field","line":82}},{"description":"Exit status of script.","see":[{"type":"enumeration","name":"BuildScriptStatus","__meta":{"file":"classes/build/BuildScriptOutput.talk","tag":"see","line":89}}],"type":["uint8"],"name":"status","__meta":{"file":"classes/build/BuildScriptOutput.talk","tag":"field","line":87}},{"description":"Supplementary information to be archived with the build record.","type":["NamedObjectWrapper"],"name":"supplementary","__meta":{"file":"classes/build/BuildScriptOutput.talk","tag":"field","line":92}}],"name":"com.acres4.common.info.build.BuildScriptOutput","version":"0","implement":true,"__meta":{"file":"classes/build/BuildScriptOutput.talk","tag":"class","line":29}},{"description":"Describes various parameters about a build object. Used by autobuild tool.","field":[{"description":"AppInfo object describing basic application data such as name and app ID.","type":["AppInfo"],"name":"app","__meta":{"file":"classes/build/BuildSummary.talk","tag":"field","line":4}},{"description":"DeviceInfo object describing basic data for the system used to build the app.","type":["DeviceInfo"],"name":"buildSystem","__meta":{"file":"classes/build/BuildSummary.talk","tag":"field","line":8}}],"name":"com.acres4.common.info.build.BuildSummary","version":"0","implement":true,"__meta":{"file":"classes/build/BuildSummary.talk","tag":"class","line":1}},{"description":"Requests the publication of a build already uploaded to the server.","field":[{"description":"Active, authenticated connection token held by user.","type":["ConnectionToken"],"name":"tok","__meta":{"file":"classes/build/BuildUnpublishRequest.talk","tag":"field","line":4}},{"description":"Publication to be removed from server.","type":["int32"],"name":"publicationId","__meta":{"file":"classes/build/BuildUnpublishRequest.talk","tag":"field","line":8}}],"name":"com.acres4.common.info.build.BuildUnpublishRequest","version":"0","implement":true,"__meta":{"file":"classes/build/BuildUnpublishRequest.talk","tag":"class","line":1}},{"description":"Requests a reference to the current build appropriate for the requestor.","field":[{"description":"Current client connection token","type":["ConnectionToken"],"name":"tok","__meta":{"file":"classes/build/BuildUpdateRequest.talk","tag":"field","line":4}},{"description":"Description of hardware and OS information for the requesting device","deprecated":"Never used; no longer supported.","type":["DeviceInfo"],"name":"device","__meta":{"file":"classes/build/BuildUpdateRequest.talk","tag":"field","line":8}},{"description":"Description of the current application running on the requesting device","deprecated":"Use appName instead. Set to null as sentinel to server.","type":["AppInfo"],"name":"app","__meta":{"file":"classes/build/BuildUpdateRequest.talk","tag":"field","line":13}},{"description":"Usher response supplied to client","deprecated":"Use siteId instead. Set to null as sentinel to server.","type":["UsherResponse"],"name":"usher","__meta":{"file":"classes/build/BuildUpdateRequest.talk","tag":"field","line":18}},{"description":"Site ID to acquire deployments from.","type":["int32"],"name":"siteId","__meta":{"file":"classes/build/BuildUpdateRequest.talk","tag":"field","line":23}},{"description":"Optional app name. If set to null, server will provide updates for app named in client's AppInfo during connection. Otherwise, server will provide updates for app named here.","type":["string"],"name":"appName","__meta":{"file":"classes/build/BuildUpdateRequest.talk","tag":"field","line":27}}],"name":"com.acres4.common.info.build.BuildUpdateRequest","version":"0","implement":true,"__meta":{"file":"classes/build/BuildUpdateRequest.talk","tag":"class","line":1}},{"description":"Describes the most current available build in response to a BuildUpdateRequest.","field":[{"description":"Info for the most current available build satisfying the BuildUpdateRequest. Null if no build is available.","type":["com.acres4.common.info.build.BuildInfo"],"name":"build","__meta":{"file":"classes/build/BuildUpdateResponse.talk","tag":"field","line":4}}],"name":"com.acres4.common.info.build.BuildUpdateResponse","version":"0","implement":true,"__meta":{"file":"classes/build/BuildUpdateResponse.talk","tag":"class","line":1}},{"description":"Notifies the server that a build has been successfully uploaded.","field":[{"description":"Reference to the resource that was successfully uploaded","type":["com.acres4.common.info.build.BuildResource"],"name":"resource","__meta":{"file":"classes/build/BuildUploadCompleteNotification.talk","tag":"field","line":4}},{"description":"Indicates whether the build was successfully uploaded (TRUE), or the upload was aborted (FALSE).","type":["bool"],"name":"success","__meta":{"file":"classes/build/BuildUploadCompleteNotification.talk","tag":"field","line":8}}],"name":"com.acres4.common.info.build.BuildUploadCompleteNotification","version":"0","implement":true,"__meta":{"file":"classes/build/BuildUploadCompleteNotification.talk","tag":"class","line":1}},{"description":"Requests permission to upload a new build resource to the server.","field":[{"description":"Current client connection token","type":["ConnectionToken"],"name":"tok","__meta":{"file":"classes/build/BuildUploadRequest.talk","tag":"field","line":4}},{"description":"Description of the build to be uploaded. If the server has no build with the same commit ID and app ID, a new record will be created using this BuildInfo (although the resources and buildRecordId fields will be ignored). If a matching build already exists, the server will append the uploaded resources to the existing record.","type":["com.acres4.common.info.build.BuildInfo"],"name":"build","__meta":{"file":"classes/build/BuildUploadRequest.talk","tag":"field","line":8}}],"name":"com.acres4.common.info.build.BuildUploadRequest","version":"0","implement":true,"__meta":{"file":"classes/build/BuildUploadRequest.talk","tag":"class","line":1}},{"description":"Describes location to upload build.","field":[{"description":"BuildInfo object, as stored in the database, for the build these files will be added to. The resources field will contain references to the resources requested for upload, and will include URLs to which the files may be uploaded. Files rejected by the server will be omitted from this list.","caveat":["The resources field, by definition, will vary from the BuildInfo published during list and update operations, since its resource list will contain upload targets instead of download targets."],"type":["com.acres4.common.info.build.BuildInfo"],"name":"buildInfo","__meta":{"file":"classes/build/BuildUploadResponse.talk","tag":"field","line":4}}],"name":"com.acres4.common.info.build.BuildUploadResponse","version":"0","implement":true,"__meta":{"file":"classes/build/BuildUploadResponse.talk","tag":"class","line":1}},{"description":"User account for a build user","field":[{"description":"Unique identifier for user account","type":["int32"],"name":"userId","__meta":{"file":"classes/build/BuildUser.talk","tag":"field","line":36}},{"description":"Username used for authentication","type":["string"],"name":"username","__meta":{"file":"classes/build/BuildUser.talk","tag":"field","line":40}},{"description":"User password. This password is taken as the SHA1-HMAC of the username with the password used as the key. This field may be omitted in instances sent to clients during login response.","type":["string"],"name":"password","__meta":{"file":"classes/build/BuildUser.talk","tag":"field","line":44}},{"description":"Permissions held by the user.","type":["int32","[]"],"name":"permissions","__meta":{"file":"classes/build/BuildUser.talk","tag":"field","line":48}}],"name":"com.acres4.common.info.build.BuildUser","version":"0","implement":true,"__meta":{"file":"classes/build/BuildUser.talk","tag":"class","line":33}},{"description":"<p>Describes a chat conversation, including some or all message history. Used in various contexts.</p> <p><ol> <li>As part of a ChatOverview. The ChatOverview contains all conversations the user participates in. The ChatConversation object contains only the most recent message in this case.</li> <li>In response to a ChatConversationRequest. The ChatConversation contains all messages newer than the lastMessageId indicated in the ChatConversationRequest.</li> <li>As part of an asynchronous notification of new text messages to a client. The ChatConversation object contains all new messages that the server wishes to push to the client. The server may assume that the client has received the message successfully upon delivery of the asynchronous notification.</li> </ol></p>","field":[{"description":"Array of ChatParticipant employee identifiers identifying participants in conversation, including the current user.","type":["int32","[]"],"name":"participantIds","__meta":{"file":"classes/chat/ChatConversation.talk","tag":"field","line":13}},{"description":"<p>Array of ChatMessage objects reflecting a subset of the messages in the conversation.</p> <p>The messages in the set are context-dependent.</p> <p><ul> <li>ChatOverview: The array contains a single message, which is the most recent message in the conversation.</li> <li>Asynchronous message notification: The array contains the new message or messages being pushed to the client.</li> <li>Response to ChatConversationRequest: An array containing all messages whose id is greater than the specified lastMessageId.</li> </ul></p>","type":["ChatMessage","[]"],"name":"messages","__meta":{"file":"classes/chat/ChatConversation.talk","tag":"field","line":16}},{"description":"Total number of messages in this conversation. This must be set correctly, even if the messages array does not contain all messages.","type":["int32"],"name":"totalMessages","__meta":{"file":"classes/chat/ChatConversation.talk","tag":"field","line":25}},{"description":"Unique identifier for this conversation.","type":["int32"],"name":"identifier","__meta":{"file":"classes/chat/ChatConversation.talk","tag":"field","line":29}}],"name":"com.acres4.common.info.chat.ChatConversation","version":"0","implement":true,"__meta":{"file":"classes/chat/ChatConversation.talk","tag":"class","line":1}},{"description":"Request for conversation history. Sent by client to server. Server should respond with a ChatConversation object encapsulating all conversation information and chat messages. The client can specify a last message ID to indicate messages already in its possession; the server can then limit its download to messages newer than this message ID.","field":[{"description":"Current connection token held by client.","type":["ConnectionToken"],"name":"tok","__meta":{"file":"classes/chat/ChatConversationRequest.talk","tag":"field","line":6}},{"description":"Identifier of conversation being requested","type":["int32"],"name":"conversationId","__meta":{"file":"classes/chat/ChatConversationRequest.talk","tag":"field","line":10}},{"description":"Last message ID known to the client. Server should only send messages newer than this message ID. 0 indicates that all messages should be sent.","type":["int32"],"name":"lastMessageId","__meta":{"file":"classes/chat/ChatConversationRequest.talk","tag":"field","line":14}}],"name":"com.acres4.common.info.chat.ChatConversationRequest","version":"0","implement":true,"__meta":{"file":"classes/chat/ChatConversationRequest.talk","tag":"class","line":1}},{"description":"Describes a text message. Not used to describe new, outgoing text messages; see ChatOutgoing.","field":[{"description":"Participant ID of participant who sent message","type":["int32"],"name":"senderId","__meta":{"file":"classes/chat/ChatMessage.talk","tag":"field","line":3}},{"description":"Timestamp of message send date, in milliseconds since January 1, 1970, 00:00:00","type":["int64"],"name":"timestamp","__meta":{"file":"classes/chat/ChatMessage.talk","tag":"field","line":7}},{"description":"Actual message contents","type":["string"],"name":"contents","__meta":{"file":"classes/chat/ChatMessage.talk","tag":"field","line":11}},{"description":"Unique identifier for message","type":["int32"],"name":"identifier","__meta":{"file":"classes/chat/ChatMessage.talk","tag":"field","line":15}},{"description":"Participant IDs of participants who have read this message.","type":["int32","[]"],"name":"readBy","__meta":{"file":"classes/chat/ChatMessage.talk","tag":"field","line":19}}],"name":"com.acres4.common.info.chat.ChatMessage","version":"0","implement":true,"__meta":{"file":"classes/chat/ChatMessage.talk","tag":"class","line":1}},{"description":"Describes outgoing text message. Sent by client to server.","field":[{"description":"Connection token for active session","type":["ConnectionToken"],"name":"tok","__meta":{"file":"classes/chat/ChatOutgoing.talk","tag":"field","line":4}},{"description":"Contents of message to be sent.","type":["string"],"name":"contents","__meta":{"file":"classes/chat/ChatOutgoing.talk","tag":"field","line":8}},{"description":"Array of chat participant IDs to direct message to.","caveat":["This field may disappear. It is at the discretion of the server guys whether it is preferable to have this field or conversationId."],"type":["int32","[]"],"name":"recipients","__meta":{"file":"classes/chat/ChatOutgoing.talk","tag":"field","line":12}},{"description":"Conversation ID to direct message to.","caveat":["This field may disappear. It is at the discretion of the server guys whether it is preferable to have this field or recipients."],"type":["int32"],"name":"conversationId","__meta":{"file":"classes/chat/ChatOutgoing.talk","tag":"field","line":17}}],"name":"com.acres4.common.info.chat.ChatOutgoing","version":"0","implement":true,"__meta":{"file":"classes/chat/ChatOutgoing.talk","tag":"class","line":1}},{"description":"Describes all chat conversations a user participates in.","field":[{"description":"Array of ChatConversation objects. Every conversation the user is a participant in is listed in this array. Each conversation has only the most recent message in the conversation stored inside. The client must make a ChatConversationRequest for each conversation it wants total history for.","type":["com.acres4.common.info.chat.ChatConversation","[]"],"name":"conversations","__meta":{"file":"classes/chat/ChatOverview.talk","tag":"field","line":3}}],"name":"com.acres4.common.info.chat.ChatOverview","version":"0","implement":true,"__meta":{"file":"classes/chat/ChatOverview.talk","tag":"class","line":1}},{"description":"Requests ChatOverview for a particular user. Sent by client to server. The client can request his or her own chat overview, or the overview of another user given sufficient permissions.","field":[{"description":"Identifier for participant to retrieve chat info for. 0 indicates current user. Server should ensure requesting user has permission to download chat for requested participant.","type":["int32"],"name":"participantId","__meta":{"file":"classes/chat/ChatOverviewRequest.talk","tag":"field","line":4}},{"description":"Current connection token.","type":["ConnectionToken"],"name":"tok","__meta":{"file":"classes/chat/ChatOverviewRequest.talk","tag":"field","line":8}}],"name":"com.acres4.common.info.chat.ChatOverviewRequest","version":"0","implement":true,"__meta":{"file":"classes/chat/ChatOverviewRequest.talk","tag":"class","line":1}},{"description":"Message-read notification sent from client to server.","field":[{"description":"Client connection token","type":["ConnectionToken"],"name":"tok","__meta":{"file":"classes/chat/ChatReadNotification.talk","tag":"field","line":4}},{"description":"ID of participant to add to readBy list of ChatMessages","type":["int32"],"name":"participantId","__meta":{"file":"classes/chat/ChatReadNotification.talk","tag":"field","line":8}},{"description":"One or more message IDs indicating chat messages read by recipient. These message IDs are guaranteed to belong to the same conversation.","type":["int32","[]"],"name":"messageId","__meta":{"file":"classes/chat/ChatReadNotification.talk","tag":"field","line":12}}],"name":"com.acres4.common.info.chat.ChatReadNotification","version":"0","implement":true,"__meta":{"file":"classes/chat/ChatReadNotification.talk","tag":"class","line":1}},{"description":"Describes application name and version.","field":[{"description":"Unique application name. e.g. bundle ID.","type":["string"],"name":"appName","__meta":{"file":"classes/common/AppInfo.talk","tag":"field","line":14}},{"description":"The product name, such as \"Mercury.\" This is used by the deployment server to link applications to Usher products.","type":["string"],"name":"product","__meta":{"file":"classes/common/AppInfo.talk","tag":"field","line":18}},{"description":"Major version number. e.g.: \"1\" in \"1.05c\"","deprecated":"Use sourceRevision","type":["int32"],"name":"major","__meta":{"file":"classes/common/AppInfo.talk","tag":"field","line":22}},{"description":"Minor version number. e.g.: \"5\" in \"1.05c\"","deprecated":"Use sourceRevision","type":["int32"],"name":"minor","__meta":{"file":"classes/common/AppInfo.talk","tag":"field","line":27}},{"description":"Revision number, with 0 = '0', 1 = 'b', etc. eg. 2 for \"1.05c\"","deprecated":"Use sourceRevision","type":["int32"],"name":"revision","__meta":{"file":"classes/common/AppInfo.talk","tag":"field","line":32}},{"description":"Source revision (revision number for SVN, SHA1 for git)","type":["string"],"name":"sourceRevision","__meta":{"file":"classes/common/AppInfo.talk","tag":"field","line":37}},{"description":"Revisions of all supporting repositories (including the primary repository reported in sourceRevision).","type":["SourceRevision","[]"],"name":"supportingRevisions","__meta":{"file":"classes/common/AppInfo.talk","tag":"field","line":41}},{"description":"Build ID such as \"irritatedly turned grizzly\". This is distinct from sourceRevision in that it provides human-readable context for the branch of the build.","type":["string"],"name":"buildId","__meta":{"file":"classes/common/AppInfo.talk","tag":"field","line":45}},{"description":"Secure checksum of application data, as it would appear on an approval letter. This field may be null if the sum has not been calculated, or does not apply.","type":["string"],"name":"sha1sum","__meta":{"file":"classes/common/AppInfo.talk","tag":"field","line":49}},{"description":"Current RC branch name the client was built against. This is manually maintained and set by the client. A mismatch between the client and server will cause a failed connection attempt.","type":["string"],"name":"currentTalkVersion","__meta":{"file":"classes/common/AppInfo.talk","tag":"field","line":53}}],"name":"com.acres4.common.info.AppInfo","version":"0","implement":true,"__meta":{"file":"classes/common/AppInfo.talk","tag":"class","line":11}},{"description":"Authentication information sent to server during login.","field":[{"description":"Current connection token","type":["ConnectionToken"],"name":"tok","__meta":{"file":"classes/common/ClientLoginRequest.talk","tag":"field","line":4}},{"description":"Account username","type":["string"],"name":"username","__meta":{"file":"classes/common/ClientLoginRequest.talk","tag":"field","line":8}},{"description":"Account password, possibly hashed or encrypted per rules of Password object","type":["Password"],"name":"password","__meta":{"file":"classes/common/ClientLoginRequest.talk","tag":"field","line":12}},{"description":"This flag indicates that the login request was triggered without user input.","type":["bool"],"name":"automaticReconnect","__meta":{"file":"classes/common/ClientLoginRequest.talk","tag":"field","line":16}}],"name":"com.acres4.common.info.ClientLoginRequest","version":"0","implement":true,"__meta":{"file":"classes/common/ClientLoginRequest.talk","tag":"class","line":1}},{"description":"Server response to successful login.","field":[{"description":"Current timestamp according to server. Specified in Unix epoch milliseconds.","type":["int64"],"name":"systemTime","__meta":{"file":"classes/common/ClientLoginResponse.talk","tag":"field","line":4}},{"description":"User object. For Mercury dispatch, this is a DispatchAttendant.","type":["NamedObjectWrapper"],"name":"user","__meta":{"file":"classes/common/ClientLoginResponse.talk","tag":"field","line":8}},{"description":"Array of NamedObjectWrappers containing application-specific login result.","type":["NamedObjectWrapper","[]"],"name":"configs","__meta":{"file":"classes/common/ClientLoginResponse.talk","tag":"field","line":12}}],"name":"com.acres4.common.info.ClientLoginResponse","version":"0","implement":true,"__meta":{"file":"classes/common/ClientLoginResponse.talk","tag":"class","line":1}},{"description":"Describes details of a compilation, such as the project file, SDK, and output.","field":[{"description":"The target within the origining project, e.g. \"iSlot HD\" vs. \"iSlot HD Solo\"","type":["string"],"name":"target","__meta":{"file":"classes/common/CompileDetails.talk","tag":"field","line":4}},{"description":"SDK used to build the project, e.g. \"iphoneos6.1\"","type":["string"],"name":"sdk","__meta":{"file":"classes/common/CompileDetails.talk","tag":"field","line":8}},{"description":"The project file for this build, often with full path, e.g. \"acres4/ios/Arcade/Arcade.xcworkspace\"","type":["string"],"name":"project","__meta":{"file":"classes/common/CompileDetails.talk","tag":"field","line":12}},{"description":"Output binary of this build","type":["string"],"name":"binary","__meta":{"file":"classes/common/CompileDetails.talk","tag":"field","line":16}},{"description":"Product, such as \"mercury\" or \"arcade\"","type":["string"],"name":"product","__meta":{"file":"classes/common/CompileDetails.talk","tag":"field","line":20}}],"name":"com.acres4.common.info.CompileDetails","version":"0","implement":true,"__meta":{"file":"classes/common/CompileDetails.talk","tag":"class","line":1}},{"description":"Describes a compiled product, and the system which built it.","field":[{"description":"Information about the compiled application","type":["com.acres4.common.info.AppInfo"],"name":"app","__meta":{"file":"classes/common/CompileInfo.talk","tag":"field","line":4}},{"description":"Specific details about this build, including project file, SDK, and product","type":["com.acres4.common.info.CompileDetails"],"name":"autobuild","__meta":{"file":"classes/common/CompileInfo.talk","tag":"field","line":8}},{"description":"Information about the system used to compile the application","type":["DeviceInfo"],"name":"buildSystem","__meta":{"file":"classes/common/CompileInfo.talk","tag":"field","line":12}}],"name":"com.acres4.common.info.CompileInfo","version":"0","implement":true,"__meta":{"file":"classes/common/CompileInfo.talk","tag":"class","line":1}},{"description":"Requests a connection from the server.","field":[{"description":"Description of application requesting connection","type":["com.acres4.common.info.AppInfo"],"name":"appInfo","__meta":{"file":"classes/common/ConnectionRequest.talk","tag":"field","line":4}},{"description":"Description of device requesting connection","type":["DeviceInfo"],"name":"deviceInfo","__meta":{"file":"classes/common/ConnectionRequest.talk","tag":"field","line":8}}],"name":"com.acres4.common.info.ConnectionRequest","version":"0","implement":true,"__meta":{"file":"classes/common/ConnectionRequest.talk","tag":"class","line":1}},{"description":"Server response to a ConnectionRequest.","field":[{"description":"Unique token to identify client session. Must be sent in all messages from client to server for duration of session.","type":["ConnectionToken"],"name":"tok","__meta":{"file":"classes/common/ConnectionResponse.talk","tag":"field","line":4}},{"description":"Information identifying server","type":["com.acres4.common.info.AppInfo"],"name":"serverInfo","__meta":{"file":"classes/common/ConnectionResponse.talk","tag":"field","line":8}}],"name":"com.acres4.common.info.ConnectionResponse","version":"0","implement":true,"__meta":{"file":"classes/common/ConnectionResponse.talk","tag":"class","line":1}},{"description":"A session ID to uniquely and securely identify a client session. Clients are issued ConnectionToken during the connection process; the token is then sent with all messages for the duration of the connection session.","field":[{"description":"Arbitrary number. Chosen randomly to prevent brute-force guessing of connection tokens.","type":["int32"],"name":"rand","__meta":{"file":"classes/common/ConnectionToken.talk","tag":"field","line":3}},{"description":"Connection identifier, for use of server.","type":["int64"],"name":"identifier","__meta":{"file":"classes/common/ConnectionToken.talk","tag":"field","line":7}}],"name":"com.acres4.common.info.ConnectionToken","version":"0","implement":true,"__meta":{"file":"classes/common/ConnectionToken.talk","tag":"class","line":1}},{"description":"Configuration information sent from the server to tell clients how (or if) to send data to Crittercism service.","field":[{"description":"If this flag is set to false, clients will stop sending any information to Crittercism service until this is later set to true. Clients will default to send data unless and until this flag is set to false.","type":["bool"],"name":"enabled","__meta":{"file":"classes/common/CrittercismConfig.talk","tag":"field","line":4}}],"name":"com.acres4.common.info.CrittercismConfig","version":"0","implement":true,"__meta":{"file":"classes/common/CrittercismConfig.talk","tag":"class","line":1}},{"description":"Describes information relating to a device, such as serial number and model.","field":[{"description":"Unique identiier assigned by the system to identify the device.","type":["int32"],"name":"identifier","__meta":{"file":"classes/common/DeviceInfo.talk","tag":"field","line":4}},{"description":"Device serial number. Should be unique and persistent.","type":["string"],"name":"serialNumber","__meta":{"file":"classes/common/DeviceInfo.talk","tag":"field","line":8}},{"description":"Device hardware name, such as a model number; eg. iPad2,1.","type":["string"],"name":"deviceType","__meta":{"file":"classes/common/DeviceInfo.talk","tag":"field","line":12}},{"description":"User-configured device name, such as a hostname; eg. \"Ted's Laptop\".","type":["string"],"name":"deviceName","__meta":{"file":"classes/common/DeviceInfo.talk","tag":"field","line":16}},{"description":"The hostname of the system.","type":["string"],"name":"hostName","__meta":{"file":"classes/common/DeviceInfo.talk","tag":"field","line":20}},{"description":"Operating system name; eg. \"iOS\"","type":["string"],"name":"osName","__meta":{"file":"classes/common/DeviceInfo.talk","tag":"field","line":24}},{"description":"Operating system version number; eg. \"5.0.1\"","type":["string"],"name":"osVersion","__meta":{"file":"classes/common/DeviceInfo.talk","tag":"field","line":28}},{"description":"Operating system build number (if available)","type":["string"],"name":"osBuild","__meta":{"file":"classes/common/DeviceInfo.talk","tag":"field","line":32}},{"description":"Serial number issued by manufacturer. Serial Number is Mac Address","type":["string"],"name":"hardwareSerialNumber","__meta":{"file":"classes/common/DeviceInfo.talk","tag":"field","line":36}},{"description":"Request an idSite override (used for simulation)","type":["int32"],"name":"idSiteOverride","__meta":{"file":"classes/common/DeviceInfo.talk","tag":"field","line":40}}],"name":"com.acres4.common.info.DeviceInfo","version":"0","implement":true,"__meta":{"file":"classes/common/DeviceInfo.talk","tag":"class","line":1}},{"description":"Describes application name and version.","field":[{"description":"primary key of this record","type":["int32"],"name":"idDevSiteInfo","__meta":{"file":"classes/common/DevSiteInfo.talk","tag":"field","line":4}},{"description":"Serial number as seen in DeviceInfo","type":["string"],"name":"serialNumber","__meta":{"file":"classes/common/DevSiteInfo.talk","tag":"field","line":8}},{"description":"site id to map serialNumber to","type":["int32"],"name":"idSite","__meta":{"file":"classes/common/DevSiteInfo.talk","tag":"field","line":12}},{"description":"a description of the purpose of the record","type":["string"],"name":"description","__meta":{"file":"classes/common/DevSiteInfo.talk","tag":"field","line":16}}],"name":"com.acres4.common.info.usher.DevSiteInfo","version":"0","implement":true,"__meta":{"file":"classes/common/DevSiteInfo.talk","tag":"class","line":1}},{"description":"Payload of an echo diagnostic.","field":[{"description":"Sequence number of the echo message","type":["int32"],"name":"seqno","__meta":{"file":"classes/common/EchoMessage.talk","tag":"field","line":4}},{"description":"Payload. May be omitted.","type":["string"],"name":"payload","__meta":{"file":"classes/common/EchoMessage.talk","tag":"field","line":8}},{"description":"Indicates whether message is request or response. When an EchoMessage is received with isResponse=NO, the receipient must echo the message back to the sender on the sender's UDP port, with isResponse=YES. When an EchoMessage is received with isResponse=YES, the recipient must not respond.","type":["bool"],"name":"isResponse","__meta":{"file":"classes/common/EchoMessage.talk","tag":"field","line":12}}],"name":"com.acres4.common.info.support.EchoMessage","version":"0","implement":true,"__meta":{"file":"classes/common/EchoMessage.talk","tag":"class","line":1}},{"description":"Encapsulates an edit request for an object or objects","field":[{"description":"Client's current connection token","type":["com.acres4.common.info.ConnectionToken"],"name":"tok","__meta":{"file":"classes/common/EditRequest.talk","tag":"field","line":4}},{"description":"Class of edit objects","type":["string"],"name":"className","__meta":{"file":"classes/common/EditRequest.talk","tag":"field","line":8}},{"description":"info objects for create/update/delete","type":["talkobject","[]"],"name":"infoObjects","__meta":{"file":"classes/common/EditRequest.talk","tag":"field","line":12}}],"name":"com.acres4.common.info.EditRequest","version":"0","implement":true,"__meta":{"file":"classes/common/EditRequest.talk","tag":"class","line":1}},{"description":"Describes a file encoded for transmission using some encoding scheme.","field":[{"description":"File encoding format.","see":[{"type":"glossary","name":"EncodedFileEncodings","__meta":{"file":"classes/common/EncodedFile.talk","tag":"see","line":11}}],"type":["string"],"name":"encoding","__meta":{"file":"classes/common/EncodedFile.talk","tag":"field","line":9}},{"description":"Name of file","type":["string"],"name":"filename","__meta":{"file":"classes/common/EncodedFile.talk","tag":"field","line":14}},{"description":"Description of file","type":["string"],"name":"description","__meta":{"file":"classes/common/EncodedFile.talk","tag":"field","line":18}},{"description":"File contents, encoded using scheme indicated in encoding field","type":["string"],"name":"encodedContents","__meta":{"file":"classes/common/EncodedFile.talk","tag":"field","line":22}}],"name":"com.acres4.common.info.support.EncodedFile","version":"0","implement":true,"__meta":{"file":"classes/common/EncodedFile.talk","tag":"class","line":6}},{"description":"Describes a file encoded for transmission using some encoding scheme.","field":[{"description":"Client connection token.","type":["com.acres4.common.info.ConnectionToken"],"name":"tok","__meta":{"file":"classes/common/FileUpload.talk","tag":"field","line":4}},{"description":"Name of file","type":["string"],"name":"filename","__meta":{"file":"classes/common/FileUpload.talk","tag":"field","line":8}},{"description":"Base64 encoded file contents","type":["string"],"name":"contents","__meta":{"file":"classes/common/FileUpload.talk","tag":"field","line":12}}],"name":"com.acres4.common.info.FileUpload","version":"0","implement":true,"__meta":{"file":"classes/common/FileUpload.talk","tag":"class","line":1}},{"description":"Generic request object containing no parameters other than required ConnectionToken object.","field":[{"description":"Client connection token.","type":["com.acres4.common.info.ConnectionToken"],"name":"tok","__meta":{"file":"classes/common/GenericRequest.talk","tag":"field","line":4}}],"name":"com.acres4.common.info.GenericRequest","version":"0","implement":true,"__meta":{"file":"classes/common/GenericRequest.talk","tag":"class","line":1}},{"description":"Generic response class for methods which return only a string.","field":[{"description":"String response.","type":["string"],"name":"response","__meta":{"file":"classes/common/GenericResponse.talk","tag":"field","line":4}}],"name":"com.acres4.common.info.GenericResponse","version":"0","implement":true,"__meta":{"file":"classes/common/GenericResponse.talk","tag":"class","line":1}},{"description":"GetRequest & EditRequest response object","field":[{"description":"info objects","type":["talkobject","[]"],"name":"infoObjects","__meta":{"file":"classes/common/GetEditResponse.talk","tag":"field","line":4}}],"name":"com.acres4.common.info.GetEditResponse","version":"0","implement":true,"__meta":{"file":"classes/common/GetEditResponse.talk","tag":"class","line":1}},{"description":"Encapsulates a get request for an object or objects","field":[{"description":"Client's current connection token","type":["com.acres4.common.info.ConnectionToken"],"name":"tok","__meta":{"file":"classes/common/GetRequest.talk","tag":"field","line":4}},{"description":"Class name to lookup records from","type":["string"],"name":"className","__meta":{"file":"classes/common/GetRequest.talk","tag":"field","line":8}},{"description":"if not -1 return specific instance.","type":["int32"],"name":"id","__meta":{"file":"classes/common/GetRequest.talk","tag":"field","line":12}},{"description":"start at or near this ID","type":["int32"],"name":"idStart","__meta":{"file":"classes/common/GetRequest.talk","tag":"field","line":16}},{"description":"set this to non zero to limit number of results","type":["int32"],"name":"numResults","__meta":{"file":"classes/common/GetRequest.talk","tag":"field","line":20}},{"description":"set this to true to go in reverse direction","type":["bool"],"name":"rev","__meta":{"file":"classes/common/GetRequest.talk","tag":"field","line":24}}],"name":"com.acres4.common.info.GetRequest","version":"0","implement":true,"__meta":{"file":"classes/common/GetRequest.talk","tag":"class","line":1}},{"description":"Heartbeat sent from server to client.","field":[{"description":"Current time in Unix epoch milliseconds according to server clock.","type":["int64"],"name":"timestamp","__meta":{"file":"classes/common/Heartbeat.talk","tag":"field","line":4}}],"name":"com.acres4.common.info.Heartbeat","version":"0","implement":true,"__meta":{"file":"classes/common/Heartbeat.talk","tag":"class","line":1}},{"description":"Describes the name of a human being","field":[{"description":"Family name (aka. last name in United States). \"Adams\" in \"John Quincy Adams\".","type":["string"],"name":"family","__meta":{"file":"classes/common/HumanName.talk","tag":"field","line":4}},{"description":"Given name (aka. first name in United States). \"John\" in \"John Quincy Adams\".","type":["string"],"name":"given","__meta":{"file":"classes/common/HumanName.talk","tag":"field","line":8}},{"description":"Middle name (aka. middle name in United States). \"Quincy\" in \"John Quincy Adams\". May contain multiple middle names, separated by space, eg. \"Herbert Walker\" in \"George Herbert Walker Bush.\"","type":["string"],"name":"middle","__meta":{"file":"classes/common/HumanName.talk","tag":"field","line":12}}],"name":"com.acres4.common.info.HumanName","version":"0","implement":true,"__meta":{"file":"classes/common/HumanName.talk","tag":"class","line":1}},{"description":"Foundation class of Info protocol. Has no fields of its own, but all classes derive from it.","implement":false,"name":"com.acres4.common.info.InfoObject","version":"0","__meta":{"file":"classes/common/InfoObject.talk","tag":"class","line":1}},{"description":"Provides automatic serialization and deserialization of arbitrary InfoObject subclasses. See \"Object Wrapping\" section of InfoObject comments.","field":[{"description":"Name of InfoObject subclass referred to in body.","type":["string"],"name":"className","__meta":{"file":"classes/common/NamedObjectWrapper.talk","tag":"field","line":15}},{"description":"Instance of InfoObject wrapped by this NamedObjectWrapper. One of body or serializedEncoding shoudl be null","type":["talkobject"],"name":"body","__meta":{"file":"classes/common/NamedObjectWrapper.talk","tag":"field","line":19}},{"description":"Named object encoding type. Only applicable if serializedEncoding not null","type":["int32"],"name":"namedObjectEncodingType","__meta":{"file":"classes/common/NamedObjectWrapper.talk","tag":"field","line":23}},{"description":"Instance of InfoObject wrapped by this NamedObjectWrapper encoded as a serialize string accoriding to namedObjectEncodingType","type":["string"],"name":"serializedEncoding","__meta":{"file":"classes/common/NamedObjectWrapper.talk","tag":"field","line":27}}],"name":"com.acres4.common.info.NamedObjectWrapper","version":"0","implement":true,"__meta":{"file":"classes/common/NamedObjectWrapper.talk","tag":"class","line":12}},{"description":"Encrypted and/or hashed password","field":[{"description":"Algorithm used to encrypt or hash password","see":[{"type":"glossary","name":"PasswordAlgorithms","__meta":{"file":"classes/common/Password.talk","tag":"see","line":6}}],"type":["string"],"name":"algorithm","__meta":{"file":"classes/common/Password.talk","tag":"field","line":4}},{"description":"Encoded contents. Format dictated by algorithm.","type":["string"],"name":"contents","__meta":{"file":"classes/common/Password.talk","tag":"field","line":9}},{"description":"Parameters supplied to encryption algorithm. Format and order dictated by algorithm.","type":["string","[]"],"name":"parameters","__meta":{"file":"classes/common/Password.talk","tag":"field","line":13}}],"name":"com.acres4.common.info.Password","version":"0","implement":true,"__meta":{"file":"classes/common/Password.talk","tag":"class","line":1}},{"description":"Information for a postal address.","field":[{"description":"First line of street address","type":["string"],"name":"streetLine1","__meta":{"file":"classes/common/PostalAddress.talk","tag":"field","line":4}},{"description":"Second line of street address","type":["string"],"name":"streetLine2","__meta":{"file":"classes/common/PostalAddress.talk","tag":"field","line":8}},{"description":"City","type":["string"],"name":"city","__meta":{"file":"classes/common/PostalAddress.talk","tag":"field","line":12}},{"description":"State, province, prefecture or other region","type":["string"],"name":"region","__meta":{"file":"classes/common/PostalAddress.talk","tag":"field","line":16}},{"description":"ZIP or postal code","type":["string"],"name":"postal","__meta":{"file":"classes/common/PostalAddress.talk","tag":"field","line":20}},{"description":"Country","type":["string"],"name":"country","__meta":{"file":"classes/common/PostalAddress.talk","tag":"field","line":24}}],"name":"com.acres4.common.info.PostalAddress","version":"0","implement":true,"__meta":{"file":"classes/common/PostalAddress.talk","tag":"class","line":1}},{"description":"Autogenerated from com.acres4.db.a4.entities.tables.PropertyDef","field":[{"description":"Autogenerated from com.acres4.db.a4.entities.tables.PropertyDef.idPropertyDef","type":["int32"],"name":"idPropertyDef","__meta":{"file":"classes/common/PropertyDef.talk","tag":"field","line":3}},{"description":"Autogenerated from com.acres4.db.a4.entities.tables.PropertyDef.keyname","type":["string"],"name":"keyname","__meta":{"file":"classes/common/PropertyDef.talk","tag":"field","line":6}},{"description":"Autogenerated from com.acres4.db.a4.entities.tables.PropertyDef.siteOverrideAllowed","type":["bool"],"name":"siteOverrideAllowed","__meta":{"file":"classes/common/PropertyDef.talk","tag":"field","line":9}},{"description":"Autogenerated from com.acres4.db.a4.entities.tables.PropertyDef.defaultValueStr","type":["int32"],"name":"dataType","__meta":{"file":"classes/common/PropertyDef.talk","tag":"field","line":12}},{"description":"Autogenerated from com.acres4.db.a4.entities.tables.PropertyDef.defaultValueStr","type":["string"],"name":"description","__meta":{"file":"classes/common/PropertyDef.talk","tag":"field","line":15}}],"name":"com.acres4.common.info.PropertyDef","version":"0","implement":true,"__meta":{"file":"classes/common/PropertyDef.talk","tag":"class","line":1}},{"description":"Autogenerated from com.acres4.db.a4.entities.tables.PropertyValue","field":[{"description":"Autogenerated from com.acres4.db.a4.entities.tables.PropertyValue.idPropertyValue","type":["int32"],"name":"idPropertyValue","__meta":{"file":"classes/common/PropertyValue.talk","tag":"field","line":3}},{"description":"Autogenerated from com.acres4.db.a4.entities.tables.PropertyValue.idSite","type":["int32"],"name":"idSite","__meta":{"file":"classes/common/PropertyValue.talk","tag":"field","line":6}},{"description":"Autogenerated from com.acres4.db.a4.entities.tables.PropertyValue.keyname","type":["string"],"name":"keyname","__meta":{"file":"classes/common/PropertyValue.talk","tag":"field","line":9}},{"description":"Autogenerated from com.acres4.db.a4.entities.tables.PropertyValue.valueStr","type":["string"],"name":"valueStr","__meta":{"file":"classes/common/PropertyValue.talk","tag":"field","line":12}}],"name":"com.acres4.common.info.PropertyValue","version":"0","implement":true,"__meta":{"file":"classes/common/PropertyValue.talk","tag":"class","line":1}},{"description":"Object that wraps a replication request to A4.","field":[{"description":"Client connection token.","type":["com.acres4.common.info.ConnectionToken"],"name":"tok","__meta":{"file":"classes/common/ReplicationObject.talk","tag":"field","line":4}},{"description":"The array of analytics queue items being replicated.","type":["object"],"name":"analyticsQueueItems","__meta":{"file":"classes/common/ReplicationObject.talk","tag":"field","line":8}},{"description":"Site ID","type":["int32"],"name":"idSite","__meta":{"file":"classes/common/ReplicationObject.talk","tag":"field","line":12}},{"description":"System ID","type":["int32"],"name":"idSystem","__meta":{"file":"classes/common/ReplicationObject.talk","tag":"field","line":16}}],"name":"com.acres4.common.info.replication.ReplicationObject","version":"0","implement":true,"__meta":{"file":"classes/common/ReplicationObject.talk","tag":"class","line":1}},{"description":"A signature and certificate chain used for signing data","field":[{"description":"Hex String of signature over data","type":["string"],"name":"signature","__meta":{"file":"classes/common/SignatureData.talk","tag":"field","line":4}},{"description":"Array of Hex Strings of certificates in chain of trust for signer","type":["string","[]"],"name":"signatureCertChain","__meta":{"file":"classes/common/SignatureData.talk","tag":"field","line":8}}],"name":"com.acres4.common.info.security.SignatureData","version":"0","implement":true,"__meta":{"file":"classes/common/SignatureData.talk","tag":"class","line":1}},{"description":"Describes a repository name and commit info.","field":[{"description":"Repository name.","see":[{"type":"glossary","name":"Repositories","__meta":{"file":"classes/common/SourceRevision.talk","tag":"see","line":38}}],"type":["string"],"name":"repository","__meta":{"file":"classes/common/SourceRevision.talk","tag":"field","line":36}},{"description":"Revision number as reported by source control system (e.g. full SHA1 sum for git)","type":["string"],"name":"revision","__meta":{"file":"classes/common/SourceRevision.talk","tag":"field","line":41}},{"description":"Revision alias (e.g. friendly name as given by Jebediah)","type":["string"],"name":"alias","__meta":{"file":"classes/common/SourceRevision.talk","tag":"field","line":45}},{"description":"Branches known to contain the revision at compile time.","type":["string","[]"],"name":"branches","__meta":{"file":"classes/common/SourceRevision.talk","tag":"field","line":49}},{"description":"Timestamp of commit, in Unix epoch seconds. 0 indicates no timestamp available.","type":["int64"],"name":"timestamp","__meta":{"file":"classes/common/SourceRevision.talk","tag":"field","line":53}},{"description":"Commit author.","type":["string"],"name":"author","__meta":{"file":"classes/common/SourceRevision.talk","tag":"field","line":57}},{"description":"Commit log entry.","type":["string"],"name":"commitNotes","__meta":{"file":"classes/common/SourceRevision.talk","tag":"field","line":61}}],"name":"com.acres4.common.info.SourceRevision","version":"0","implement":true,"__meta":{"file":"classes/common/SourceRevision.talk","tag":"class","line":33}},{"description":"InfoObject wrapper for boolean type.","field":[{"description":"Boolean value.","type":["bool"],"name":"booleanValue","__meta":{"file":"classes/common/TalkBoolean.talk","tag":"field","line":4}}],"name":"com.acres4.common.info.primitive.TalkBoolean","version":"0","implement":true,"__meta":{"file":"classes/common/TalkBoolean.talk","tag":"class","line":1}},{"description":"InfoObject wrapper for int32 type.","field":[{"description":"Integer value.","type":["int32"],"name":"intValue","__meta":{"file":"classes/common/TalkInteger.talk","tag":"field","line":4}}],"name":"com.acres4.common.info.primitive.TalkInteger","version":"0","implement":true,"__meta":{"file":"classes/common/TalkInteger.talk","tag":"class","line":1}},{"description":"InfoObject wrapper for int64 type.","field":[{"description":"Long value.","type":["int64"],"name":"longValue","__meta":{"file":"classes/common/TalkLong.talk","tag":"field","line":4}}],"name":"com.acres4.common.info.primitive.TalkLong","version":"0","implement":true,"__meta":{"file":"classes/common/TalkLong.talk","tag":"class","line":1}},{"description":"InfoObject wrapper for string type.","field":[{"description":"String value.","type":["string"],"name":"stringValue","__meta":{"file":"classes/common/TalkString.talk","tag":"field","line":4}}],"name":"com.acres4.common.info.primitive.TalkString","version":"0","implement":true,"__meta":{"file":"classes/common/TalkString.talk","tag":"class","line":1}},{"description":"Test class to show JsonGenericSerializer screws up byte arrays and maybe other arrays.","field":[{"description":"Array of bytes.","type":["int8","[]"],"name":"byteArray","__meta":{"file":"classes/common/TestArray.talk","tag":"field","line":4}},{"description":"Array of ints.","type":["int32","[]"],"name":"intArray","__meta":{"file":"classes/common/TestArray.talk","tag":"field","line":8}}],"name":"com.acres4.common.info.test.TestArray","version":"0","implement":true,"__meta":{"file":"classes/common/TestArray.talk","tag":"class","line":1}},{"description":"Contains user info for config website login.","field":[{"description":"Name of the logged in employee.","type":["string"],"name":"employeeName","__meta":{"file":"classes/config/ConfigUser.talk","tag":"field","line":4}},{"description":"Name to display on the kai config website. This is the first name for site employees, and for usher users, it is the login name / username.","type":["string"],"name":"displayName","__meta":{"file":"classes/config/ConfigUser.talk","tag":"field","line":8}},{"description":"True if logged in thru usher, or false if logged in thru the site.","type":["bool"],"name":"usherLogin","__meta":{"file":"classes/config/ConfigUser.talk","tag":"field","line":12}},{"description":"Array of system permissions","type":["SystemPermission","[]"],"name":"permissions","__meta":{"file":"classes/config/ConfigUser.talk","tag":"field","line":16}}],"name":"com.acres4.common.info.config.ConfigUser","version":"0","implement":true,"__meta":{"file":"classes/config/ConfigUser.talk","tag":"class","line":1}},{"description":"Request configuration information for a config uniquely identified by a ConfigValue constant ID defined in Talk.","field":[{"description":"Valid ConnectionToken.","type":["com.acres4.common.info.ConnectionToken"],"name":"tok","__meta":{"file":"classes/config/ConfigValueRequest.talk","tag":"field","line":4}},{"description":"Unique ConfigValue ID.","type":["int32"],"name":"idConfig","__meta":{"file":"classes/config/ConfigValueRequest.talk","tag":"field","line":7}}],"name":"com.acres4.common.info.config.ConfigValueRequest","version":"0","implement":true,"__meta":{"file":"classes/config/ConfigValueRequest.talk","tag":"class","line":1}},{"description":"Contains an array of ConfigValueWrappers in response to a ConfigValueRequest.","field":[{"description":"Array of ConfigValueWrappers in response to a given ConfigValueRequest.","type":["ConfigValueWrapper","[]"],"name":"configValueWrappers","__meta":{"file":"classes/config/ConfigValueResponse.talk","tag":"field","line":4}}],"name":"com.acres4.common.info.config.ConfigValueResponse","version":"0","implement":true,"__meta":{"file":"classes/config/ConfigValueResponse.talk","tag":"class","line":1}},{"description":"Request a configuration update for a config uniquely identified by a ConfigValue constant ID defined in Talk.","field":[{"description":"Valid ConnectionToken.","type":["com.acres4.common.info.ConnectionToken"],"name":"tok","__meta":{"file":"classes/config/ConfigValueUpdateRequest.talk","tag":"field","line":4}},{"description":"Configuration values to update.","type":["ConfigValueWrapper"],"name":"configValueWrapper","__meta":{"file":"classes/config/ConfigValueUpdateRequest.talk","tag":"field","line":7}}],"name":"com.acres4.common.info.config.ConfigValueUpdateRequest","version":"0","implement":true,"__meta":{"file":"classes/config/ConfigValueUpdateRequest.talk","tag":"class","line":1}},{"description":"Contains all configuration values for the requested configuration ID.","field":[{"description":"Unique ConfigValue ID requested.","type":["int32"],"name":"idConfigValue","__meta":{"file":"classes/config/ConfigValueWrapper.talk","tag":"field","line":4}},{"description":"Array of configuration values for given idConfigValue request.","type":["com.acres4.common.info.NamedObjectWrapper","[]"],"name":"wrappedConfigValues","__meta":{"file":"classes/config/ConfigValueWrapper.talk","tag":"field","line":7}}],"name":"com.acres4.common.info.config.ConfigValueWrapper","version":"0","implement":true,"__meta":{"file":"classes/config/ConfigValueWrapper.talk","tag":"class","line":1}},{"description":"Autogenerated from com.acres4.db.rt.entities.tables.PropertyDef","field":[{"description":"Autogenerated from com.acres4.db.rt.entities.tables.PropertyDef.idPropertyDef","type":["int32"],"name":"idPropertyDef","__meta":{"file":"classes/config/PropertyDefInfo.talk","tag":"field","line":3}},{"description":"Autogenerated from com.acres4.db.rt.entities.tables.PropertyDef.keyname","type":["string"],"name":"keyname","__meta":{"file":"classes/config/PropertyDefInfo.talk","tag":"field","line":6}},{"description":"Autogenerated from com.acres4.db.rt.entities.tables.PropertyDef.defaultValueStr","type":["string"],"name":"defaultValueStr","__meta":{"file":"classes/config/PropertyDefInfo.talk","tag":"field","line":9}},{"description":"Autogenerated from com.acres4.db.rt.entities.tables.PropertyDef.siteOverrideAllowed","type":["bool"],"name":"siteOverrideAllowed","__meta":{"file":"classes/config/PropertyDefInfo.talk","tag":"field","line":12}}],"name":"com.acres4.common.info.config.PropertyDefInfo","version":"0","implement":true,"__meta":{"file":"classes/config/PropertyDefInfo.talk","tag":"class","line":1}},{"description":"Autogenerated from com.acres4.db.rt.entities.tables.PropertyValue","field":[{"description":"Autogenerated from com.acres4.db.rt.entities.tables.PropertyValue.idPropertyValue","type":["int32"],"name":"idPropertyValue","__meta":{"file":"classes/config/PropertyValInfo.talk","tag":"field","line":3}},{"description":"Autogenerated from com.acres4.db.rt.entities.tables.PropertyValue.idSite","type":["int32"],"name":"idSite","__meta":{"file":"classes/config/PropertyValInfo.talk","tag":"field","line":6}},{"description":"Autogenerated from com.acres4.db.rt.entities.tables.PropertyValue.keyname","type":["string"],"name":"keyname","__meta":{"file":"classes/config/PropertyValInfo.talk","tag":"field","line":9}},{"description":"Autogenerated from com.acres4.db.rt.entities.tables.PropertyValue.valueStr","type":["string"],"name":"valueStr","__meta":{"file":"classes/config/PropertyValInfo.talk","tag":"field","line":12}}],"name":"com.acres4.common.info.config.PropertyValInfo","version":"0","implement":true,"__meta":{"file":"classes/config/PropertyValInfo.talk","tag":"class","line":1}},{"description":"Notifies a client that he or she should go on or off break, or should log out. The server will just pass this through to the recipient","field":[{"description":"Client connection token","type":["com.acres4.common.info.ConnectionToken"],"name":"tok","__meta":{"file":"classes/dispatch/ActionNotification.talk","tag":"field","line":25}},{"description":"ID number of the attendant issuing the request.","type":["int32"],"name":"requestorId","__meta":{"file":"classes/dispatch/ActionNotification.talk","tag":"field","line":29}},{"description":"ID number of the attendant who the request should be delivered to.","type":["int32"],"name":"recipientId","__meta":{"file":"classes/dispatch/ActionNotification.talk","tag":"field","line":33}},{"description":"Command code describing action to be taken by recipient.","see":[{"type":"enumeration","name":"ActionNotificationCommands","__meta":{"file":"classes/dispatch/ActionNotification.talk","tag":"see","line":39}}],"type":["int8"],"name":"command","__meta":{"file":"classes/dispatch/ActionNotification.talk","tag":"field","line":37}},{"description":"Arbitrary string used to send extra packets of information with each command.","type":["string"],"name":"data","__meta":{"file":"classes/dispatch/ActionNotification.talk","tag":"field","line":42}}],"name":"com.acres4.common.info.mercury.client.ActionNotification","version":"0","implement":true,"__meta":{"file":"classes/dispatch/ActionNotification.talk","tag":"class","line":22}},{"description":"Request for all calls in a given employee's section(s) and associated sections. Used for call joining.","field":[{"description":"Unique identifier for the employee in question","type":["int32"],"name":"idEmployee","__meta":{"file":"classes/dispatch/ActiveCallsAccessibleToEmployeeRequest.talk","tag":"field","line":4}},{"description":"Client connection token","type":["com.acres4.common.info.ConnectionToken"],"name":"tok","__meta":{"file":"classes/dispatch/ActiveCallsAccessibleToEmployeeRequest.talk","tag":"field","line":8}}],"name":"com.acres4.common.info.mercury.client.ActiveCallsAccessibleToEmployeeRequest","version":"0","implement":true,"__meta":{"file":"classes/dispatch/ActiveCallsAccessibleToEmployeeRequest.talk","tag":"class","line":1}},{"description":"Contains a list of active calls for the given location. Returned as the result of a GetActiveCallsAtLocation request. Is sent async to an employee in response to a card-insertion at a machine location.","field":[{"description":"List of active calls at the given location. The call slots are filtered to only those the attendant may take-over.","type":["CallInfo","[]"],"name":"activeCallsAtLocation","__meta":{"file":"classes/dispatch/ActiveCallsAtLocation.talk","tag":"field","line":4}},{"description":"The employees currently active calls. Null indicates there are no active calls for this employee at any other locations.","type":["CallInfo","[]"],"name":"employeesCurrentCallInfos","__meta":{"file":"classes/dispatch/ActiveCallsAtLocation.talk","tag":"field","line":8}},{"description":"The asset number of the machine for this location.","type":["string"],"name":"assetNum","__meta":{"file":"classes/dispatch/ActiveCallsAtLocation.talk","tag":"field","line":12}},{"description":"Location where active calls are being reported from.","type":["string"],"name":"location","__meta":{"file":"classes/dispatch/ActiveCallsAtLocation.talk","tag":"field","line":16}}],"name":"com.acres4.common.info.mercury.ActiveCallsAtLocation","version":"0","implement":true,"__meta":{"file":"classes/dispatch/ActiveCallsAtLocation.talk","tag":"class","line":1}},{"description":"Request for a list of all active calls at a location","field":[{"description":"The location we will use to search for active calls","type":["string"],"name":"location","__meta":{"file":"classes/dispatch/ActiveCallsAtLocationRequest.talk","tag":"field","line":4}},{"description":"Client connection token","type":["com.acres4.common.info.ConnectionToken"],"name":"tok","__meta":{"file":"classes/dispatch/ActiveCallsAtLocationRequest.talk","tag":"field","line":8}}],"name":"com.acres4.common.info.mercury.client.ActiveCallsAtLocationRequest","version":"0","implement":true,"__meta":{"file":"classes/dispatch/ActiveCallsAtLocationRequest.talk","tag":"class","line":1}},{"description":"Request to add a specific machine to a specific call.","field":[{"description":"Client connection token","type":["com.acres4.common.info.ConnectionToken"],"name":"tok","__meta":{"file":"classes/dispatch/AddMachineToCallRequest.talk","tag":"field","line":4}},{"description":"The identifier of the call.","type":["int32"],"name":"idCallInfo","__meta":{"file":"classes/dispatch/AddMachineToCallRequest.talk","tag":"field","line":8}},{"description":"The asset number of the machine.","type":["string"],"name":"assetNum","__meta":{"file":"classes/dispatch/AddMachineToCallRequest.talk","tag":"field","line":12}}],"name":"com.acres4.common.info.mercury.client.AddMachineToCallRequest","version":"0","implement":true,"__meta":{"file":"classes/dispatch/AddMachineToCallRequest.talk","tag":"class","line":1}},{"description":"Contains all values for the requested Alert Category.","field":[{"description":"Unique Alert Category ID","type":["int32"],"name":"idAlertCategory","__meta":{"file":"classes/dispatch/AlertCategory.talk","tag":"field","line":4}},{"description":"Alert Category Description","type":["string"],"name":"description","__meta":{"file":"classes/dispatch/AlertCategory.talk","tag":"field","line":8}}],"name":"com.acres4.common.info.mercury.AlertCategory","version":"0","implement":true,"__meta":{"file":"classes/dispatch/AlertCategory.talk","tag":"class","line":1}},{"description":"Contains all values for the requested Alert Configuration.","field":[{"description":"Unique Alert ID","type":["int32"],"name":"idAlertConfig","__meta":{"file":"classes/dispatch/AlertConfig.talk","tag":"field","line":4}},{"description":"Site ID","type":["int32"],"name":"idSite","__meta":{"file":"classes/dispatch/AlertConfig.talk","tag":"field","line":7}},{"description":"The dispatch alert category this AlertConfig is associated with and configuring.","type":["int32"],"name":"idDispatchAlertCategory","__meta":{"file":"classes/dispatch/AlertConfig.talk","tag":"field","line":10}},{"description":"Boolean if this alert category is active","type":["bool"],"name":"active","__meta":{"file":"classes/dispatch/AlertConfig.talk","tag":"field","line":13}},{"description":"Boolean if a machine can trigger multiple alerts","type":["bool"],"name":"allowMultiplePerMachine","__meta":{"file":"classes/dispatch/AlertConfig.talk","tag":"field","line":16}}],"name":"com.acres4.common.info.mercury.AlertConfig","version":"0","implement":true,"__meta":{"file":"classes/dispatch/AlertConfig.talk","tag":"class","line":1}},{"description":"Contains alert configurations and categories","field":[{"description":"Alert categories","type":["DispatchAlertCategory","[]"],"name":"dispatchAlertCategories","__meta":{"file":"classes/dispatch/AlertConfigurations.talk","tag":"field","line":4}},{"description":"Alert configurations","type":["com.acres4.common.info.mercury.AlertConfig","[]"],"name":"alertConfigs","__meta":{"file":"classes/dispatch/AlertConfigurations.talk","tag":"field","line":8}}],"name":"com.acres4.common.info.mercury.AlertConfigurations","version":"0","implement":true,"__meta":{"file":"classes/dispatch/AlertConfigurations.talk","tag":"class","line":1}},{"description":"Contains all values for the requested AntiEvent configuration.","field":[{"description":"Unique AntiEvent ID","type":["int32"],"name":"idAntiEvent","__meta":{"file":"classes/dispatch/AntiEvent.talk","tag":"field","line":4}},{"description":"Site ID","type":["int32"],"name":"idSite","__meta":{"file":"classes/dispatch/AntiEvent.talk","tag":"field","line":7}},{"description":"corresponds to a translated event code from the event_code table","type":["int32"],"name":"idEventCodeA","__meta":{"file":"classes/dispatch/AntiEvent.talk","tag":"field","line":10}},{"description":"corresponds to a translated event code from the event_code table","type":["int32"],"name":"idEventCodeB","__meta":{"file":"classes/dispatch/AntiEvent.talk","tag":"field","line":13}},{"description":"corresponds to Talk-defined constants (also automatically generated in a MySQL table) defining the type of this anti-event relationship (A before B / B after A).","type":["int32"],"name":"antiEventType","__meta":{"file":"classes/dispatch/AntiEvent.talk","tag":"field","line":16}},{"description":"default 30000 - time in milliseconds to hold the event (A or B, depending on anti_event_type) in the anti-event queue before releasing to potentially create a call.","type":["int64"],"name":"holdTime","__meta":{"file":"classes/dispatch/AntiEvent.talk","tag":"field","line":19}},{"description":"boolean, default false - indicates that this rule is active if false, otherwise inactive if true.","type":["bool"],"name":"ignored","__meta":{"file":"classes/dispatch/AntiEvent.talk","tag":"field","line":22}}],"name":"com.acres4.common.info.mercury.AntiEvent","version":"0","implement":true,"__meta":{"file":"classes/dispatch/AntiEvent.talk","tag":"class","line":1}},{"description":"Encapsulates information pertaining to an attendant role.","field":[{"description":"Human-readable role name. Corresponds to the 'description' column of the role table.","type":["string"],"name":"title","__meta":{"file":"classes/dispatch/AttendantRole.talk","tag":"field","line":4}},{"description":"Unique identifier for role. Corresponds to the 'id_role' column of the role table.","type":["int32"],"name":"identifier","__meta":{"file":"classes/dispatch/AttendantRole.talk","tag":"field","line":8}},{"description":"ID of department in which the role is served. Corresponds to the 'id_department' column of the role table.","type":["int32"],"name":"departmentId","__meta":{"file":"classes/dispatch/AttendantRole.talk","tag":"field","line":12}},{"description":"Indicates whether a role is a supervisory role. Supervisor roles make themselves available to supervise sections, as well as receive calls from their section. Corresponds to the 'is_supervisor' column of the role table.","type":["bool"],"name":"isSupervisor","__meta":{"file":"classes/dispatch/AttendantRole.talk","tag":"field","line":16}},{"description":"identifier for role supervising this role","type":["int32"],"name":"supervisorRoleId","__meta":{"file":"classes/dispatch/AttendantRole.talk","tag":"field","line":20}},{"description":"If true, anyone with this role can steal the primary call slot of ANY call. Doing so will also close any other call slots matching their active role (if open).","type":["bool"],"name":"canStealPrimary","__meta":{"file":"classes/dispatch/AttendantRole.talk","tag":"field","line":24}},{"description":"deleted flag","type":["bool"],"name":"isDeleted","__meta":{"file":"classes/dispatch/AttendantRole.talk","tag":"field","line":28}}],"name":"com.acres4.common.info.mercury.client.AttendantRole","version":"0","implement":true,"__meta":{"file":"classes/dispatch/AttendantRole.talk","tag":"class","line":1}},{"description":"Updates an employees status.","field":[{"description":"Identifier of attendant referred to in status update","type":["int32"],"name":"identifier","__meta":{"file":"classes/dispatch/AttendantStatusUpdate.talk","tag":"field","line":4}},{"description":"Forces a user to log out.","type":["bool"],"name":"forceLogOut","__meta":{"file":"classes/dispatch/AttendantStatusUpdate.talk","tag":"field","line":8}},{"description":"Describes a user's new section assignments","type":["int32","[]"],"name":"sections","__meta":{"file":"classes/dispatch/AttendantStatusUpdate.talk","tag":"field","line":12}}],"name":"com.acres4.common.info.mercury.supervisor.AttendantStatusUpdate","version":"0","implement":true,"__meta":{"file":"classes/dispatch/AttendantStatusUpdate.talk","tag":"class","line":1}},{"description":"Request object for attendant status update. Lists one or more status updates to issue.","field":[{"description":"List of status updates to issue.","type":["com.acres4.common.info.mercury.supervisor.AttendantStatusUpdate","[]"],"name":"updates","__meta":{"file":"classes/dispatch/AttendantStatusUpdateRequest.talk","tag":"field","line":4}},{"description":"Client connection token","type":["com.acres4.common.info.ConnectionToken"],"name":"tok","__meta":{"file":"classes/dispatch/AttendantStatusUpdateRequest.talk","tag":"field","line":8}}],"name":"com.acres4.common.info.mercury.supervisor.AttendantStatusUpdateRequest","version":"0","implement":true,"__meta":{"file":"classes/dispatch/AttendantStatusUpdateRequest.talk","tag":"class","line":1}},{"description":"Defines bank information","field":[{"description":"bank identifier","type":["int32"],"name":"idBank","__meta":{"file":"classes/dispatch/Bank.talk","tag":"field","line":3}},{"description":"section identifier","type":["int32"],"name":"idSection","__meta":{"file":"classes/dispatch/Bank.talk","tag":"field","line":6}},{"description":"Description for bank","type":["string"],"name":"bankName","__meta":{"file":"classes/dispatch/Bank.talk","tag":"field","line":9}}],"name":"com.acres4.common.info.mercury.Bank","version":"0","implement":true,"__meta":{"file":"classes/dispatch/Bank.talk","tag":"class","line":1}},{"description":"Information relating to beverage configuration.","field":[{"description":"Array containing a list of all beverage wells in the system","type":["BeverageWells","[]"],"name":"beverageWells","__meta":{"file":"classes/dispatch/BeverageConfig.talk","tag":"field","line":4}},{"description":"Array of all available menu items in the system","type":["MenuItem","[]"],"name":"menuItems","__meta":{"file":"classes/dispatch/BeverageConfig.talk","tag":"field","line":8}},{"description":"Array of all available beverage patron descriptions","type":["BeverageDescriptions","[]"],"name":"beverageDescriptions","__meta":{"file":"classes/dispatch/BeverageConfig.talk","tag":"field","line":12}},{"description":"Array of all available landmarks for describing patron location","type":["BeverageLandmarks","[]"],"name":"beverageLandmarks","__meta":{"file":"classes/dispatch/BeverageConfig.talk","tag":"field","line":16}},{"description":"Array of all available tender types","type":["BeverageTenderTypes","[]"],"name":"beverageTenderTypes","__meta":{"file":"classes/dispatch/BeverageConfig.talk","tag":"field","line":20}}],"name":"com.acres4.common.info.mercury.client.BeverageConfigs","version":"0","implement":true,"__meta":{"file":"classes/dispatch/BeverageConfig.talk","tag":"class","line":1}},{"description":"Information beverage descriptions","field":[{"description":"Unique id of this description","type":["int32"],"name":"idBeverageDescription","__meta":{"file":"classes/dispatch/BeverageDescriptions.talk","tag":"field","line":4}},{"description":"human readable description of this description","type":["string"],"name":"description","__meta":{"file":"classes/dispatch/BeverageDescriptions.talk","tag":"field","line":8}},{"description":"Flag indicating if the description is active or not","type":["bool"],"name":"active","__meta":{"file":"classes/dispatch/BeverageDescriptions.talk","tag":"field","line":12}}],"name":"com.acres4.common.info.mercury.client.BeverageDescriptions","version":"0","implement":true,"__meta":{"file":"classes/dispatch/BeverageDescriptions.talk","tag":"class","line":1}},{"description":"Information beverage landmark","field":[{"description":"identifier of this landmark","type":["int32"],"name":"idBeverageLandmark","__meta":{"file":"classes/dispatch/BeverageLandmarks.talk","tag":"field","line":4}},{"description":"human readable description of this landmark","type":["string"],"name":"description","__meta":{"file":"classes/dispatch/BeverageLandmarks.talk","tag":"field","line":8}},{"description":"Flag indicating if the description is active or not","type":["bool"],"name":"active","__meta":{"file":"classes/dispatch/BeverageLandmarks.talk","tag":"field","line":12}}],"name":"com.acres4.common.info.mercury.client.BeverageLandmarks","version":"0","implement":true,"__meta":{"file":"classes/dispatch/BeverageLandmarks.talk","tag":"class","line":1}},{"description":"Information related to a beverage order.","field":[{"description":"Unique id of this order","type":["int32"],"name":"idOrder","__meta":{"file":"classes/dispatch/BeverageOrder.talk","tag":"field","line":4}},{"description":"Id of the employee who created this order. This will be zero if the order is created from a change light.","type":["int32"],"name":"idEmployee","__meta":{"file":"classes/dispatch/BeverageOrder.talk","tag":"field","line":8}},{"description":"Identifier of the call info that this order originated from. This will only be set if the order was the result of a system generated call.","type":["int32"],"name":"idCallInfo","__meta":{"file":"classes/dispatch/BeverageOrder.talk","tag":"field","line":12}},{"description":"Name of the patron","type":["string"],"name":"patronName","__meta":{"file":"classes/dispatch/BeverageOrder.talk","tag":"field","line":16}},{"description":"Identifier of the players tier level","type":["int32"],"name":"idTierLevel","__meta":{"file":"classes/dispatch/BeverageOrder.talk","tag":"field","line":20}},{"description":"Description of patron","type":["string"],"name":"patronDescription","__meta":{"file":"classes/dispatch/BeverageOrder.talk","tag":"field","line":24}},{"description":"Location of order","type":["string"],"name":"location","__meta":{"file":"classes/dispatch/BeverageOrder.talk","tag":"field","line":28}},{"description":"landmark of order","type":["string"],"name":"landmark","__meta":{"file":"classes/dispatch/BeverageOrder.talk","tag":"field","line":32}},{"description":"Array of drink items on this order","type":["DrinkItem","[]"],"name":"drinks","__meta":{"file":"classes/dispatch/BeverageOrder.talk","tag":"field","line":36}},{"description":"Last action on this order, see BeverageOrderStatus enum.","type":["int32"],"name":"idAction","__meta":{"file":"classes/dispatch/BeverageOrder.talk","tag":"field","line":40}},{"description":"flag indicating that this order has been deleted, should be set when the status is changed to canceled.","type":["bool"],"name":"deleted","__meta":{"file":"classes/dispatch/BeverageOrder.talk","tag":"field","line":44}},{"description":"Well that is or did service this order. Only set once the idAction is BEVERAGE_ORDER_ACTION_FIRED_TO_BAR or greater.","type":["int32"],"name":"idWell","__meta":{"file":"classes/dispatch/BeverageOrder.talk","tag":"field","line":48}},{"description":"Tender type for this order","type":["int32"],"name":"idTenderType","__meta":{"file":"classes/dispatch/BeverageOrder.talk","tag":"field","line":52}},{"description":"Time order was created/ordered","type":["int64"],"name":"timeCreated","__meta":{"file":"classes/dispatch/BeverageOrder.talk","tag":"field","line":56}},{"description":"Time order was fired to the bar","type":["int64"],"name":"timeFired","__meta":{"file":"classes/dispatch/BeverageOrder.talk","tag":"field","line":60}},{"description":"Time order was ready for delivery(completed by the bar)","type":["int64"],"name":"timeReadyForDelivery","__meta":{"file":"classes/dispatch/BeverageOrder.talk","tag":"field","line":64}},{"description":"Comment for this order","type":["string"],"name":"comment","__meta":{"file":"classes/dispatch/BeverageOrder.talk","tag":"field","line":68}}],"name":"com.acres4.common.info.mercury.client.BeverageOrder","version":"0","implement":true,"__meta":{"file":"classes/dispatch/BeverageOrder.talk","tag":"class","line":1}},{"description":"Describes an action done to a BeverageOrder","field":[{"description":"identifier of the BeverageOrder this action entry belongs to","type":["int32"],"name":"idOrder","__meta":{"file":"classes/dispatch/BeverageOrderAction.talk","tag":"field","line":4}},{"description":"Identifier of the employee that did the action","type":["int32"],"name":"idEmployee","__meta":{"file":"classes/dispatch/BeverageOrderAction.talk","tag":"field","line":8}},{"description":"Identifier of the action performed, see BeverageOrderAction enum","type":["int32"],"name":"idAction","__meta":{"file":"classes/dispatch/BeverageOrderAction.talk","tag":"field","line":12}},{"description":"Time of action by employee (epoch milliseconds)","type":["int64"],"name":"actionTime","__meta":{"file":"classes/dispatch/BeverageOrderAction.talk","tag":"field","line":16}}],"name":"com.acres4.common.info.mercury.client.BeverageOrderAction","version":"0","implement":true,"__meta":{"file":"classes/dispatch/BeverageOrderAction.talk","tag":"class","line":1}},{"description":"List of outstanding beverage orders","field":[{"description":"Beverage objects corresponding to outstanding beverage orders","type":["com.acres4.common.info.mercury.client.BeverageOrder","[]"],"name":"beverageOrders","__meta":{"file":"classes/dispatch/BeverageOrderList.talk","tag":"field","line":4}},{"description":"YES => object is an incomplete list containing only changes to the list, rather than the complete list. NO => list is complete, and may be used as basis for further updates.","type":["bool"],"name":"partialUpdate","__meta":{"file":"classes/dispatch/BeverageOrderList.talk","tag":"field","line":8}}],"name":"com.acres4.common.info.mercury.supervisor.BeverageOrderList","version":"0","implement":true,"__meta":{"file":"classes/dispatch/BeverageOrderList.talk","tag":"class","line":1}},{"description":"Information related to a beverage order update.","field":[{"description":"Client's current connection token","type":["com.acres4.common.info.ConnectionToken"],"name":"tok","__meta":{"file":"classes/dispatch/BeverageOrderUpdate.talk","tag":"field","line":4}},{"description":"Beverage","type":["com.acres4.common.info.mercury.client.BeverageOrder"],"name":"beverageOrder","__meta":{"file":"classes/dispatch/BeverageOrderUpdate.talk","tag":"field","line":8}},{"description":"New action for this order, see BeverageOrderAction enum.","type":["int32"],"name":"idAction","__meta":{"file":"classes/dispatch/BeverageOrderUpdate.talk","tag":"field","line":12}}],"name":"com.acres4.common.info.mercury.client.BeverageOrderUpdate","version":"0","implement":true,"__meta":{"file":"classes/dispatch/BeverageOrderUpdate.talk","tag":"class","line":1}},{"description":"Contains an array of BeverageStatsReportItems","field":[{"description":"Array of BeverageStatsReportItems for this report","type":["BeverageStatsReportItem","[]"],"name":"statsReportItems","__meta":{"file":"classes/dispatch/BeverageStatsReport.talk","tag":"field","line":4}}],"name":"com.acres4.common.info.mercury.client.BeverageStatsReport","version":"0","implement":true,"__meta":{"file":"classes/dispatch/BeverageStatsReport.talk","tag":"class","line":1}},{"description":"Contains all information regarding a single call","field":[{"description":"BeverageOrder object for this report item","type":["com.acres4.common.info.mercury.client.BeverageOrder"],"name":"beverageOrder","__meta":{"file":"classes/dispatch/BeverageStatsReportItem.talk","tag":"field","line":4}},{"description":"All beverageOrderAction records for this beverageOrder","type":["com.acres4.common.info.mercury.client.BeverageOrderAction","[]"],"name":"beverageOrderActions","__meta":{"file":"classes/dispatch/BeverageStatsReportItem.talk","tag":"field","line":8}}],"name":"com.acres4.common.info.mercury.supervisor.BeverageStatsReportItem","version":"0","implement":true,"__meta":{"file":"classes/dispatch/BeverageStatsReportItem.talk","tag":"class","line":1}},{"description":"Request for a StatsReport of a given day.","field":[{"description":"Client connection token","type":["com.acres4.common.info.ConnectionToken"],"name":"tok","__meta":{"file":"classes/dispatch/BeverageStatsReportRequest.talk","tag":"field","line":4}},{"description":"UTC timestamp of the day to report on. Depending on configuration of the server, this date is translated into the server local time and then returns either the calls since the beginning of that gaming day, or from midnight.","type":["int64"],"name":"timestamp","__meta":{"file":"classes/dispatch/BeverageStatsReportRequest.talk","tag":"field","line":8}}],"name":"com.acres4.common.info.mercury.supervisor.BeverageStatsReportRequest","version":"0","implement":true,"__meta":{"file":"classes/dispatch/BeverageStatsReportRequest.talk","tag":"class","line":1}},{"description":"Information beverage descriptions","field":[{"description":"Unique id of this tender type","type":["int32"],"name":"idBeverageTenderType","__meta":{"file":"classes/dispatch/BeverageTenderTypes.talk","tag":"field","line":4}},{"description":"human readable description of this tender type","type":["string"],"name":"description","__meta":{"file":"classes/dispatch/BeverageTenderTypes.talk","tag":"field","line":8}},{"description":"Flag indicating that this tender type is a comped type, in other words it is free","type":["bool"],"name":"comped","__meta":{"file":"classes/dispatch/BeverageTenderTypes.talk","tag":"field","line":12}},{"description":"Flag indicating if the description is active or not","type":["bool"],"name":"active","__meta":{"file":"classes/dispatch/BeverageTenderTypes.talk","tag":"field","line":16}}],"name":"com.acres4.common.info.mercury.client.BeverageTenderTypes","version":"0","implement":true,"__meta":{"file":"classes/dispatch/BeverageTenderTypes.talk","tag":"class","line":1}},{"description":"Information related to a beverage order.","field":[{"description":"Unique id of this well","type":["int32"],"name":"idWell","__meta":{"file":"classes/dispatch/BeverageWells.talk","tag":"field","line":4}},{"description":"human readable description of the well name (Floor 1 primary, Floor 1 secondary, Floor 2 primary, etc..)","type":["string"],"name":"description","__meta":{"file":"classes/dispatch/BeverageWells.talk","tag":"field","line":8}},{"description":"Flag indicating if this well is currently active","type":["bool"],"name":"active","__meta":{"file":"classes/dispatch/BeverageWells.talk","tag":"field","line":12}}],"name":"com.acres4.common.info.mercury.client.BeverageWells","version":"0","implement":true,"__meta":{"file":"classes/dispatch/BeverageWells.talk","tag":"class","line":1}},{"description":"Information related to an attendant joining in on a service call.","field":[{"description":"Unique identifier for employee on call. Note an employee is only on call while the call is offered through (but not including) completed","type":["int32"],"name":"identifier","__meta":{"file":"classes/dispatch/CallAttendant.talk","tag":"field","line":4}},{"description":"Unique identifier for the last employee who was on this call","type":["int32"],"name":"lastIdEmployee","__meta":{"file":"classes/dispatch/CallAttendant.talk","tag":"field","line":9}},{"description":"Role ID served by employee on call (eg. Security, Tech)","type":["int32"],"name":"role","__meta":{"file":"classes/dispatch/CallAttendant.talk","tag":"field","line":13}},{"description":"Indicates the number of times the call was auto deferred for this attendant, if this is zero then the attendant has not deferred the call","type":["int32"],"name":"autoDeferredCount","__meta":{"file":"classes/dispatch/CallAttendant.talk","tag":"field","line":17}},{"description":"Indicates the number of times the call was manually deferred for this attendant, if this is zero then the attendant has not deferred the call","type":["int32"],"name":"manualDeferredCount","__meta":{"file":"classes/dispatch/CallAttendant.talk","tag":"field","line":21}},{"description":"Current/last ActionType for the body on the call","see":[{"type":"enumeration","name":"ActionTypes","__meta":{"file":"classes/dispatch/CallAttendant.talk","tag":"see","line":27}}],"type":["int32"],"name":"actionType","__meta":{"file":"classes/dispatch/CallAttendant.talk","tag":"field","line":25}},{"description":"Number of the call slot this CallAttendant serves on the call. AKA body number.","type":["int32"],"name":"callSlot","__meta":{"file":"classes/dispatch/CallAttendant.talk","tag":"field","line":30}},{"description":"This CallAttendant has carded-in at the call (for calls that require cardIn/cardOut). Card-in will automatically arrive the employee at the call on the server.","type":["bool"],"name":"cardInSeen","__meta":{"file":"classes/dispatch/CallAttendant.talk","tag":"field","line":34}},{"description":"This CallAttendant has carded-out at the call. This indicates to the client that the Complete button may be shown. By necessity the cardInSeen field will always be set to true before this field can be set to true.","type":["bool"],"name":"cardOutSeen","__meta":{"file":"classes/dispatch/CallAttendant.talk","tag":"field","line":38}},{"description":"Comment for this call attendant, created in the escalation process","type":["string"],"name":"comment","__meta":{"file":"classes/dispatch/CallAttendant.talk","tag":"field","line":42}},{"description":"If true, this call slot is an escalation.","type":["bool"],"name":"escalation","__meta":{"file":"classes/dispatch/CallAttendant.talk","tag":"field","line":45}}],"name":"com.acres4.common.info.mercury.client.CallAttendant","version":"0","implement":true,"__meta":{"file":"classes/dispatch/CallAttendant.talk","tag":"class","line":1}},{"description":"Represents a call_category entity.","field":[{"description":"Unique identifier of the call_category. As of rc/mike should correspond to CallTypeCategory enum for non-speedcall types.","type":["int32"],"name":"idCallCategory","__meta":{"file":"classes/dispatch/CallCategory.talk","tag":"field","line":4}},{"description":"The DispatchCategory of the CallCategory. Indicates if this is event-type vs speedcall-type etc.","type":["int32"],"name":"dispatchCategory","__meta":{"file":"classes/dispatch/CallCategory.talk","tag":"field","line":8}},{"description":"The CallCategoryType of the CallCategory. Indicates if the type for this call category, such as Admin Duties/Break/Jackpot/etc-- anything with special processing logic which Kai needs to know about to work properly.","type":["int32"],"name":"callCategoryType","__meta":{"file":"classes/dispatch/CallCategory.talk","tag":"field","line":12}},{"description":"The human-readable name of this category.","type":["string"],"name":"categoryName","__meta":{"file":"classes/dispatch/CallCategory.talk","tag":"field","line":16}},{"description":"Sort order for display purposes","type":["int32"],"name":"sortOrder","__meta":{"file":"classes/dispatch/CallCategory.talk","tag":"field","line":20}},{"description":"True if this CallCategory has been marked deleted.","type":["bool"],"name":"deleted","__meta":{"file":"classes/dispatch/CallCategory.talk","tag":"field","line":24}}],"name":"com.acres4.common.info.mercury.CallCategory","version":"0","implement":true,"__meta":{"file":"classes/dispatch/CallCategory.talk","tag":"class","line":1}},{"description":"Represents CallConfig entity with GoalStats information.","field":[{"description":"Unique identifier of the CallConfig (idCallConfig)","type":["int32"],"name":"identifier","__meta":{"file":"classes/dispatch/CallConfig.talk","tag":"field","line":4}},{"description":"Integer representing the default priority of this CallConfig. Lower values are higher priority, with zero being the highest, and nine being the lowest.","type":["int32"],"name":"severity","__meta":{"file":"classes/dispatch/CallConfig.talk","tag":"field","line":8}},{"description":"Human-readable description of the call config","type":["string"],"name":"description","__meta":{"file":"classes/dispatch/CallConfig.talk","tag":"field","line":12}},{"description":"call category ID","type":["int32"],"name":"idCallCategory","__meta":{"file":"classes/dispatch/CallConfig.talk","tag":"field","line":16}},{"description":"If true, this CallConfig is ignored, meaning calls will no be created using its definition.","type":["bool"],"name":"markIgnored","__meta":{"file":"classes/dispatch/CallConfig.talk","tag":"field","line":20}},{"description":"The goal time in seconds for an attendant to arrive at calls of this type","type":["int32"],"name":"goalTimeCommuteSeconds","__meta":{"file":"classes/dispatch/CallConfig.talk","tag":"field","line":24}},{"description":"The goal time in seconds for the calls of this type to be completed.","type":["int32"],"name":"goalTimeTotalSeconds","__meta":{"file":"classes/dispatch/CallConfig.talk","tag":"field","line":28}},{"description":"Indicates that this CallConfig requires a MEAL entry.","type":["bool"],"name":"requiresDoorOpen","__meta":{"file":"classes/dispatch/CallConfig.talk","tag":"field","line":32}},{"description":"Indicates that this CallConfig is escalatable.","type":["bool"],"name":"canEscalate","__meta":{"file":"classes/dispatch/CallConfig.talk","tag":"field","line":36}},{"description":"Value in seconds that this call has from creation time until it hits the deadline and is automatically closed.","type":["int32"],"name":"deadlineSecs","__meta":{"file":"classes/dispatch/CallConfig.talk","tag":"field","line":40}},{"description":"Indicates if the call can be auto completed and a new call made immediately","type":["bool"],"name":"morphable","__meta":{"file":"classes/dispatch/CallConfig.talk","tag":"field","line":44}},{"description":"Indicates a user on this type of call is allowed to logout without completing the call","type":["bool"],"name":"allowsLogout","__meta":{"file":"classes/dispatch/CallConfig.talk","tag":"field","line":48}},{"description":"Indicates that this CallConfig requires card insertion to arrive, and card removal to allow call completion.","type":["bool"],"name":"requiresCardInCardOut","__meta":{"file":"classes/dispatch/CallConfig.talk","tag":"field","line":52}},{"description":"Number of milliseconds to wait till moving on to Level 2.","type":["int32"],"name":"roleDeferralL2Ms","__meta":{"file":"classes/dispatch/CallConfig.talk","tag":"field","line":56}},{"description":"Number of milliseconds to wait till moving on to Level 3.","type":["int32"],"name":"roleDeferralL3Ms","__meta":{"file":"classes/dispatch/CallConfig.talk","tag":"field","line":60}},{"description":"Indicates if this call is sleepable","type":["bool"],"name":"sleepable","__meta":{"file":"classes/dispatch/CallConfig.talk","tag":"field","line":64}}],"name":"com.acres4.common.info.mercury.client.CallConfig","version":"0","implement":true,"__meta":{"file":"classes/dispatch/CallConfig.talk","tag":"class","line":1}},{"description":"Represents a CallConfigEvent entity AND a CallConfigEventOverride entity. Has the PK of the CallConfigEventOverride, so we can update the appropriate record, as well as some necessary information from the CallConfigEvent.","field":[{"description":"The identifier of the CallConfigEvent this override is mapped to.","type":["int32"],"name":"idCallConfigEvent","__meta":{"file":"classes/dispatch/CallConfigEvent.talk","tag":"field","line":4}},{"description":"The event code (after translated to the Acres4 system) that this CallConfigEvent is associated with.","type":["int32"],"name":"idEventCode","__meta":{"file":"classes/dispatch/CallConfigEvent.talk","tag":"field","line":8}},{"description":"The identifier of the CallConfig this event is mapped to.","type":["int32"],"name":"idCallConfig","__meta":{"file":"classes/dispatch/CallConfigEvent.talk","tag":"field","line":12}},{"description":"For configuring jackpots, the min dollar amount for this event.","type":["real"],"name":"minAmount","__meta":{"file":"classes/dispatch/CallConfigEvent.talk","tag":"field","line":16}},{"description":"For configuring jackpots, the max dollar amount for this event.","type":["real"],"name":"maxAmount","__meta":{"file":"classes/dispatch/CallConfigEvent.talk","tag":"field","line":20}}],"name":"com.acres4.common.info.mercury.client.CallConfigEvent","version":"0","implement":true,"__meta":{"file":"classes/dispatch/CallConfigEvent.talk","tag":"class","line":1}},{"description":"Autogenerated from com.acres4.db.a4dispatch.entities.tables.CallConfigIgnore","field":[{"description":"Autogenerated from com.acres4.db.a4dispatch.entities.tables.CallConfigIgnore.idCallConfigIgnore","type":["int32"],"name":"idCallConfigIgnore","__meta":{"file":"classes/dispatch/CallConfigIgnore.talk","tag":"field","line":3}},{"description":"Autogenerated from com.acres4.db.a4dispatch.entities.tables.CallConfigIgnore.idSite","type":["int32"],"name":"idSite","__meta":{"file":"classes/dispatch/CallConfigIgnore.talk","tag":"field","line":6}},{"description":"Autogenerated from com.acres4.db.a4dispatch.entities.tables.CallConfigIgnore.idBank","type":["int32"],"name":"idBank","__meta":{"file":"classes/dispatch/CallConfigIgnore.talk","tag":"field","line":9}},{"description":"Autogenerated from com.acres4.db.a4dispatch.entities.tables.CallConfigIgnore.location","type":["string"],"name":"location","__meta":{"file":"classes/dispatch/CallConfigIgnore.talk","tag":"field","line":12}},{"description":"Autogenerated from com.acres4.db.a4dispatch.entities.tables.CallConfigIgnore.idCallConfig","type":["int32"],"name":"idCallConfig","__meta":{"file":"classes/dispatch/CallConfigIgnore.talk","tag":"field","line":15}}],"name":"com.acres4.common.info.mercury.CallConfigIgnore","version":"0","implement":true,"__meta":{"file":"classes/dispatch/CallConfigIgnore.talk","tag":"class","line":1}},{"description":"Represents a CallConfigPerson entity.","field":[{"description":"Unique identifier of the CallConfigPerson (call_config_peson.id_call_config_person)","type":["int32"],"name":"idCallConfigPerson","__meta":{"file":"classes/dispatch/CallConfigPerson.talk","tag":"field","line":4}},{"description":"The CallConfig identifier that this CallConfigPerson is associated with.","type":["int32"],"name":"idCallConfig","__meta":{"file":"classes/dispatch/CallConfigPerson.talk","tag":"field","line":8}},{"description":"A descriptive text field containing the name of the Role this person has, such as 'Slot Tech' or 'Floor Attendant'. Possibly unnecessary/deprecated.","type":["string"],"name":"person","__meta":{"file":"classes/dispatch/CallConfigPerson.talk","tag":"field","line":12}},{"description":"The sort order starts at 1, and is used to determine the order in which we dispatch/expand the role set of a call based on the CallConfigPersons associated with the CallConfig for that call.","type":["int32"],"name":"sortOrder","__meta":{"file":"classes/dispatch/CallConfigPerson.talk","tag":"field","line":16}},{"description":"Roles attached to person, index matches sort order","type":["int32","[]"],"name":"roles","__meta":{"file":"classes/dispatch/CallConfigPerson.talk","tag":"field","line":20}},{"description":"Marks a CallConfigPerson record as ignored, which means it should not be applied.","type":["bool"],"name":"ignored","__meta":{"file":"classes/dispatch/CallConfigPerson.talk","tag":"field","line":24}}],"name":"com.acres4.common.info.mercury.client.CallConfigPerson","version":"0","implement":true,"__meta":{"file":"classes/dispatch/CallConfigPerson.talk","tag":"class","line":1}},{"description":"Represents a CallConfigPersonRoleLink entity.","field":[{"description":"Unique identifier of the CallConfigPersonRoleLink (call_config_peson_role_link.id_call_config_person_role)","type":["int32"],"name":"idCallConfigPersonRole","__meta":{"file":"classes/dispatch/CallConfigPersonRoleLink.talk","tag":"field","line":4}},{"description":"The CallConfigPerson identifier that this CallConfigPersonRoleLink is associated with.","type":["int32"],"name":"idCallConfigPerson","__meta":{"file":"classes/dispatch/CallConfigPersonRoleLink.talk","tag":"field","line":8}},{"description":"The Role identifier for this role link. Associates a role with the idCallConfigPerson 'slot' on a call.","type":["int32"],"name":"idRole","__meta":{"file":"classes/dispatch/CallConfigPersonRoleLink.talk","tag":"field","line":12}},{"description":"The sort order starts at 1, and is used to determine the order in which we dispatch/expand the role set of a call based on the CallConfigPersonRoleLinks associated with the CallConfig for that call.","type":["int32"],"name":"sortOrder","__meta":{"file":"classes/dispatch/CallConfigPersonRoleLink.talk","tag":"field","line":16}}],"name":"com.acres4.common.info.mercury.client.CallConfigPersonRoleLink","version":"0","implement":true,"__meta":{"file":"classes/dispatch/CallConfigPersonRoleLink.talk","tag":"class","line":1}},{"description":"Represents the total set of current call configurations information.","field":[{"description":"Array of CallConfigs","type":["com.acres4.common.info.mercury.client.CallConfig","[]"],"name":"callConfigs","__meta":{"file":"classes/dispatch/CallConfigurations.talk","tag":"field","line":4}},{"description":"Array of CallConfigEvents","type":["com.acres4.common.info.mercury.client.CallConfigEvent","[]"],"name":"callConfigEvents","__meta":{"file":"classes/dispatch/CallConfigurations.talk","tag":"field","line":8}},{"description":"Array of CallConfigPersons","type":["com.acres4.common.info.mercury.client.CallConfigPerson","[]"],"name":"callConfigPersons","__meta":{"file":"classes/dispatch/CallConfigurations.talk","tag":"field","line":12}},{"description":"Array of CallConfigPersonRoleLinks","type":["com.acres4.common.info.mercury.client.CallConfigPersonRoleLink","[]"],"name":"callConfigPersonRoleLinks","__meta":{"file":"classes/dispatch/CallConfigurations.talk","tag":"field","line":16}},{"description":"Array of EventCodes","type":["EventCode","[]"],"name":"eventCodes","__meta":{"file":"classes/dispatch/CallConfigurations.talk","tag":"field","line":20}},{"description":"Array of HostEventConfigs","type":["HostEventConfig","[]"],"name":"hostEventConfigs","__meta":{"file":"classes/dispatch/CallConfigurations.talk","tag":"field","line":24}},{"description":"Array of CallCategorys","type":["com.acres4.common.info.mercury.CallCategory","[]"],"name":"callCategories","__meta":{"file":"classes/dispatch/CallConfigurations.talk","tag":"field","line":28}}],"name":"com.acres4.common.info.mercury.CallConfigurations","version":"0","implement":true,"__meta":{"file":"classes/dispatch/CallConfigurations.talk","tag":"class","line":1}},{"description":"Information related to a service call.","field":[{"description":"Call config identifier. Translatable to a human-readable description via CallConfigDefinition objects as received in the DispatchConfig.","type":["int32"],"name":"idCallConfig","__meta":{"file":"classes/dispatch/CallInfo.talk","tag":"field","line":4}},{"description":"Unique identifier for the call.","type":["int32"],"name":"identifier","__meta":{"file":"classes/dispatch/CallInfo.talk","tag":"field","line":8}},{"description":"Unique identifier for the machine linked to this call. Will be 0 or omitted if the call is not attached to a machine.","type":["int32"],"name":"deviceId","__meta":{"file":"classes/dispatch/CallInfo.talk","tag":"field","line":12}},{"description":"Description of call, eg. \"Hand Pay Jackpot $2000\"","type":["string"],"name":"description","__meta":{"file":"classes/dispatch/CallInfo.talk","tag":"field","line":16}},{"description":"Call location; eg. a machine number, like 01-12-04. This can also be an arbitrary string for emergencies or tasks.","type":["string"],"name":"location","__meta":{"file":"classes/dispatch/CallInfo.talk","tag":"field","line":20}},{"description":"Section Id that the call is located in.","type":["int32"],"name":"sectionId","__meta":{"file":"classes/dispatch/CallInfo.talk","tag":"field","line":24}},{"description":"Array of CallAttendant objects, each representing an employee on the call.","type":["com.acres4.common.info.mercury.client.CallAttendant","[]"],"name":"coworkers","__meta":{"file":"classes/dispatch/CallInfo.talk","tag":"field","line":28}},{"description":"Severity level of the call. This is actually the PRIORITY level of the call, based on type, tier-level of patron, and defers. This is used to determine severity indicators like chimes and colors.","type":["int32"],"name":"severity","__meta":{"file":"classes/dispatch/CallInfo.talk","tag":"field","line":32}},{"description":"Time that the call was reported to Mercury (epoch milliseconds)","type":["int64"],"name":"time_call_began","__meta":{"file":"classes/dispatch/CallInfo.talk","tag":"field","line":36}},{"description":"Time that the final employee was completed (epoch milliseconds)","type":["int64"],"name":"time_call_completed","__meta":{"file":"classes/dispatch/CallInfo.talk","tag":"field","line":40}},{"description":"Time that the first employee arrived at the call (epoch milliseconds)","type":["int64"],"name":"time_call_first_arrived","__meta":{"file":"classes/dispatch/CallInfo.talk","tag":"field","line":44}},{"description":"Time that the first employee accepted the call (epoch milliseconds)","type":["int64"],"name":"time_call_first_accepted","__meta":{"file":"classes/dispatch/CallInfo.talk","tag":"field","line":48}},{"description":"Flag indicating that the call has been removed from stats.","type":["bool"],"name":"removed","__meta":{"file":"classes/dispatch/CallInfo.talk","tag":"field","line":52}},{"description":"The player ID of the player on the machine","type":["int32"],"name":"idHostPlayer","__meta":{"file":"classes/dispatch/CallInfo.talk","tag":"field","line":56}},{"description":"Name of the player on the machine","type":["string"],"name":"playerName","__meta":{"file":"classes/dispatch/CallInfo.talk","tag":"field","line":60}},{"description":"The ID of the player's tier","type":["int32"],"name":"idPlayerTierLevel","__meta":{"file":"classes/dispatch/CallInfo.talk","tag":"field","line":64}},{"description":"Event code which generated this call. This will be zero if it does not apply (call wasn't created via a system event).","type":["int32"],"name":"eventCode","__meta":{"file":"classes/dispatch/CallInfo.talk","tag":"field","line":68}},{"description":"Meals associated with this call","type":["Meal","[]"],"name":"meals","__meta":{"file":"classes/dispatch/CallInfo.talk","tag":"field","line":72}},{"description":"The idMealReason of this call to lookup a MealReasonListEntry.","type":["int32"],"name":"idMealReason","__meta":{"file":"classes/dispatch/CallInfo.talk","tag":"field","line":76}},{"description":"A verbose description of call. Sometimes used with MEAL calls or entries.","type":["string"],"name":"verboseDescription","__meta":{"file":"classes/dispatch/CallInfo.talk","tag":"field","line":80}},{"description":"Defines call active status. See info/classes/dispatch/CallActiveStatus.talk","type":["int32"],"name":"callActiveStatus","__meta":{"file":"classes/dispatch/CallInfo.talk","tag":"field","line":84}},{"description":"Amount field taken from the EventTableItem which created this call, if applicable.","type":["int32"],"name":"amount","__meta":{"file":"classes/dispatch/CallInfo.talk","tag":"field","line":88}},{"description":"Array of other locations linked to this call. Does NOT contain the location for the original machine of this call by default, but may if it was added by a user.","type":["string","[]"],"name":"additionalLocations","__meta":{"file":"classes/dispatch/CallInfo.talk","tag":"field","line":92}}],"name":"com.acres4.common.info.mercury.client.CallInfo","version":"0","implement":true,"__meta":{"file":"classes/dispatch/CallInfo.talk","tag":"class","line":1}},{"description":"Corresponds to a CallInfoEmployee record from the database, which records information about an employees actions related to a call","field":[{"description":"Unique identifier for the CallInfoEmployee record in the database","type":["int32"],"name":"idCallInfoEmployee","__meta":{"file":"classes/dispatch/CallInfoEmployee.talk","tag":"field","line":4}},{"description":"Identifier of the CallInfo that the action is being completed for","type":["int32"],"name":"idCallInfo","__meta":{"file":"classes/dispatch/CallInfoEmployee.talk","tag":"field","line":8}},{"description":"The identifier of the expected role for this slot","type":["int32"],"name":"idCallConfigPerson","__meta":{"file":"classes/dispatch/CallInfoEmployee.talk","tag":"field","line":12}},{"description":"Identifier of the employee that is completing the action","type":["int32"],"name":"idEmployee","__meta":{"file":"classes/dispatch/CallInfoEmployee.talk","tag":"field","line":16}},{"description":"Identifier of the supervisor employee that applied the action to the call, even if they aren't on it.","type":["int32"],"name":"idSupervisor","__meta":{"file":"classes/dispatch/CallInfoEmployee.talk","tag":"field","line":20}},{"description":"Identifier of the AttendantRole that this employee is fulfilling","type":["int32"],"name":"idRole","__meta":{"file":"classes/dispatch/CallInfoEmployee.talk","tag":"field","line":24}},{"description":"Identifier of the AttendantRole that this employee is logged in as","type":["int32"],"name":"idEmployeeRole","__meta":{"file":"classes/dispatch/CallInfoEmployee.talk","tag":"field","line":28}},{"description":"The body number that this employee is fulfilling","type":["int32"],"name":"body","__meta":{"file":"classes/dispatch/CallInfoEmployee.talk","tag":"field","line":32}},{"description":"Action completed by the employee","type":["int32"],"name":"action","__meta":{"file":"classes/dispatch/CallInfoEmployee.talk","tag":"field","line":36}},{"description":"Time of action by employee (epoch milliseconds)","type":["int64"],"name":"actionTime","__meta":{"file":"classes/dispatch/CallInfoEmployee.talk","tag":"field","line":40}},{"description":"Comment on this action.","type":["string"],"name":"comment","__meta":{"file":"classes/dispatch/CallInfoEmployee.talk","tag":"field","line":44}}],"name":"com.acres4.common.info.mercury.client.CallInfoEmployee","version":"0","implement":true,"__meta":{"file":"classes/dispatch/CallInfoEmployee.talk","tag":"class","line":1}},{"description":"Encapsulates a request to update a call. An update can perform actions such as deferring or arriving at a call, depending on the command specified in the update request.","field":[{"description":"Client's current connection token","type":["com.acres4.common.info.ConnectionToken"],"name":"tok","__meta":{"file":"classes/dispatch/CallUpdate.talk","tag":"field","line":4}},{"description":"Unique identifer indicating call to update; taken from CallInfo's identifier property","type":["int32"],"name":"identifier","__meta":{"file":"classes/dispatch/CallUpdate.talk","tag":"field","line":8}},{"description":"Action type to perform on the call.","see":[{"type":"enumeration","name":"ActionTypes","__meta":{"file":"classes/dispatch/CallUpdate.talk","tag":"see","line":14}}],"type":["int32"],"name":"actionType","__meta":{"file":"classes/dispatch/CallUpdate.talk","tag":"field","line":12}},{"description":"Array of AttendantRole IDs to be considered in the update. Used with ActionTypes: ACTION_TYPE_ESCALATE_COMPLETE, ACTION_TYPE_ESCALATE. This array may contain a single role multiple times, with each instance adding an additional call slot.","type":["int32","[]"],"name":"escalationRoles","__meta":{"file":"classes/dispatch/CallUpdate.talk","tag":"field","line":17}},{"description":"Array of call slots to update on the call. ALL values used with ActionTypes: ACTION_TYPE_DEACTIVATE, ACTION_TYPE_DEESCALATE. Only first entry in array used with ActionTypes: ACTION_TYPE_AUTO_DEFER, ACTION_TYPE_MANUAL_DEFER, ACTION_TYPE_ACCEPT, ACTION_TYPE_ARRIVE, ACTION_TYPE_COMPLETE, ACTION_TYPE_QUIT. The first entry in the array is only used if the idEmployee used for the CallUpdate does not index to an existing slot.","type":["int32","[]"],"name":"callSlots","__meta":{"file":"classes/dispatch/CallUpdate.talk","tag":"field","line":21}},{"description":"Target employee ID to issue the call update. If zero will use the Employee stored in the session data of the connection making this request. Will check permission level of employee making request if set.","type":["int32"],"name":"idEmployee","__meta":{"file":"classes/dispatch/CallUpdate.talk","tag":"field","line":25}},{"description":"A comment for this callUpdate. Used for deescalates (call removal) to provide a comment/reason, and possibly more in the future.","type":["string"],"name":"comment","__meta":{"file":"classes/dispatch/CallUpdate.talk","tag":"field","line":29}}],"name":"com.acres4.common.info.mercury.client.CallUpdate","version":"0","implement":true,"__meta":{"file":"classes/dispatch/CallUpdate.talk","tag":"class","line":1}},{"description":"Information related to completed beverage orders.","field":[{"description":"Array of beverage orders on this tray.","type":["com.acres4.common.info.mercury.client.BeverageOrder","[]"],"name":"beverageOrders","__meta":{"file":"classes/dispatch/CompletedBeverageOrders.talk","tag":"field","line":4}},{"description":"Flag indicating that this is a partial update. If true then the beverageOrders array will have only one order that has been updated. If false then this is a new list and and should replace any existing list.","type":["bool"],"name":"partialUpdate","__meta":{"file":"classes/dispatch/CompletedBeverageOrders.talk","tag":"field","line":8}}],"name":"com.acres4.common.info.mercury.client.CompletedBeverageOrders","version":"0","implement":true,"__meta":{"file":"classes/dispatch/CompletedBeverageOrders.talk","tag":"class","line":1}},{"description":"Information related to a beverage order.","field":[{"description":"Client's current connection token","type":["com.acres4.common.info.ConnectionToken"],"name":"tok","__meta":{"file":"classes/dispatch/CreateBeverageOrder.talk","tag":"field","line":4}},{"description":"New beverage order to create","type":["com.acres4.common.info.mercury.client.BeverageOrder"],"name":"beverageOrder","__meta":{"file":"classes/dispatch/CreateBeverageOrder.talk","tag":"field","line":8}}],"name":"com.acres4.common.info.mercury.client.CreateBeverageOrder","version":"0","implement":true,"__meta":{"file":"classes/dispatch/CreateBeverageOrder.talk","tag":"class","line":1}},{"description":"Request to create a call at a specific location.","field":[{"description":"Identifier for the employee to place on the call. This must be the employee's own ID if a self speed call is being created (eg. going on break)","type":["int32"],"name":"idEmployee","__meta":{"file":"classes/dispatch/CreateCallRequest.talk","tag":"field","line":4}},{"description":"Identifier for the section in which this call will be created. Required if canEscalate is true for this call config.","type":["int32"],"name":"idSection","__meta":{"file":"classes/dispatch/CreateCallRequest.talk","tag":"field","line":8}},{"description":"The location of the machine at which to create the call. Will be the entire machine location, such as \"D088205\" if requiresDoorOpen for this callConfig is true. May be just a string such as \"ATM 5\" if requiresDoorOpen is false for this callConfig.","type":["string"],"name":"location","__meta":{"file":"classes/dispatch/CreateCallRequest.talk","tag":"field","line":12}},{"description":"Identifier for the call config, generally an identifier from a SpeedCallType object","type":["int32"],"name":"idCallConfig","__meta":{"file":"classes/dispatch/CreateCallRequest.talk","tag":"field","line":16}},{"description":"Identifier for the machine entry reason. Required if the CallConfig for idCallConfig has requiresDoorOpen set to true.","type":["int32"],"name":"idMealReason","__meta":{"file":"classes/dispatch/CreateCallRequest.talk","tag":"field","line":20}},{"description":"The additional info for the machine entry reason if present. This will always be present if requireAdditionInfo is true for the idMealReason.","type":["string"],"name":"additionalReason","__meta":{"file":"classes/dispatch/CreateCallRequest.talk","tag":"field","line":24}},{"description":"Client connection token","type":["com.acres4.common.info.ConnectionToken"],"name":"tok","__meta":{"file":"classes/dispatch/CreateCallRequest.talk","tag":"field","line":28}}],"name":"com.acres4.common.info.mercury.client.CreateCallRequest","version":"0","implement":true,"__meta":{"file":"classes/dispatch/CreateCallRequest.talk","tag":"class","line":1}},{"description":"Describes an administrative department, for example \"Beverages.\"","field":[{"description":"short name of department","type":["string"],"name":"name","__meta":{"file":"classes/dispatch/Department.talk","tag":"field","line":4}},{"description":"Human-readable title of department","type":["string"],"name":"description","__meta":{"file":"classes/dispatch/Department.talk","tag":"field","line":8}},{"description":"Unique identifier for department","type":["int32"],"name":"identifier","__meta":{"file":"classes/dispatch/Department.talk","tag":"field","line":12}}],"name":"com.acres4.common.info.mercury.Department","version":"0","implement":true,"__meta":{"file":"classes/dispatch/Department.talk","tag":"class","line":1}},{"description":"Complete LogManager device log.","field":[{"description":"Header file for log.","type":["DeviceLogHeader"],"name":"header","__meta":{"file":"classes/dispatch/DeviceLog.talk","tag":"field","line":4}},{"description":"Entries into device log. Sorted by chronological order, with earliest entry at index 0, and last entry at final index.","type":["DeviceLogEntry","[]"],"name":"entries","__meta":{"file":"classes/dispatch/DeviceLog.talk","tag":"field","line":8}}],"name":"com.acres4.common.info.devicelog.DeviceLog","version":"0","implement":true,"__meta":{"file":"classes/dispatch/DeviceLog.talk","tag":"class","line":1}},{"description":"Device log entry. Describes a single line of output into the device log.","field":[{"description":"File name of source file generating log entry.","type":["string"],"name":"file","__meta":{"file":"classes/dispatch/DeviceLogEntry.talk","tag":"field","line":4}},{"description":"Line number in source file generating log entry.","type":["uint32"],"name":"line","__meta":{"file":"classes/dispatch/DeviceLogEntry.talk","tag":"field","line":8}},{"description":"Timestamp of log entry, in Unix epoch seconds.","type":["int64"],"name":"timestamp","__meta":{"file":"classes/dispatch/DeviceLogEntry.talk","tag":"field","line":12}},{"description":"Text of log file entry.","type":["string"],"name":"summary","__meta":{"file":"classes/dispatch/DeviceLogEntry.talk","tag":"field","line":16}},{"description":"Severity of log file entry.","type":["uint8"],"name":"severity","__meta":{"file":"classes/dispatch/DeviceLogEntry.talk","tag":"field","line":20}}],"name":"com.acres4.common.info.devicelog.DeviceLogEntry","version":"0","implement":true,"__meta":{"file":"classes/dispatch/DeviceLogEntry.talk","tag":"class","line":1}},{"description":"Header file for LogManager log.","field":[{"description":"Generic identifier of device; eg. make and model number","deprecated":"Use deviceInfo field instead.","type":["string"],"name":"deviceType","__meta":{"file":"classes/dispatch/DeviceLogHeader.talk","tag":"field","line":4}},{"description":"Fixed identifier for device; eg. serial number","deprecated":"Use deviceInfo field instead.","type":["string"],"name":"deviceId","__meta":{"file":"classes/dispatch/DeviceLogHeader.talk","tag":"field","line":9}},{"description":"Local identifier for device; eg. hostname","deprecated":"Use deviceInfo field instead.","type":["string"],"name":"deviceName","__meta":{"file":"classes/dispatch/DeviceLogHeader.talk","tag":"field","line":14}},{"description":"Version of operating system","deprecated":"Use deviceInfo field instead.","type":["string"],"name":"osVersion","__meta":{"file":"classes/dispatch/DeviceLogHeader.talk","tag":"field","line":19}},{"description":"Name of application","deprecated":"Use appInfo field instead.","type":["string"],"name":"application","__meta":{"file":"classes/dispatch/DeviceLogHeader.talk","tag":"field","line":24}},{"description":"Version number of application","deprecated":"Use appInfo field instead.","type":["string"],"name":"applicationVersion","__meta":{"file":"classes/dispatch/DeviceLogHeader.talk","tag":"field","line":29}},{"description":"Source revision of applciation","deprecated":"Use appInfo field instead.","type":["int32"],"name":"applicationRevision","__meta":{"file":"classes/dispatch/DeviceLogHeader.talk","tag":"field","line":34}},{"description":"Timestamp of log creation","type":["int64"],"name":"creationTimestamp","__meta":{"file":"classes/dispatch/DeviceLogHeader.talk","tag":"field","line":39}},{"description":"UUID of log","type":["string"],"name":"logId","__meta":{"file":"classes/dispatch/DeviceLogHeader.talk","tag":"field","line":43}},{"description":"Reason for log upload","type":["string"],"name":"uploadReason","__meta":{"file":"classes/dispatch/DeviceLogHeader.talk","tag":"field","line":47}},{"description":"ID number of current entry file","type":["int32"],"name":"numEntryFiles","__meta":{"file":"classes/dispatch/DeviceLogHeader.talk","tag":"field","line":51}},{"description":"Number of entry files compressed into segments","type":["int32"],"name":"numCompressedEntryFiles","__meta":{"file":"classes/dispatch/DeviceLogHeader.talk","tag":"field","line":55}},{"description":"ID number to be issued to next segment","type":["int32"],"name":"numSegments","__meta":{"file":"classes/dispatch/DeviceLogHeader.talk","tag":"field","line":59}},{"description":"Indicates log should be automatically uploaded","type":["bool"],"name":"autoUpload","__meta":{"file":"classes/dispatch/DeviceLogHeader.talk","tag":"field","line":63}},{"description":"Description of device generating log file","type":["com.acres4.common.info.DeviceInfo"],"name":"deviceInfo","__meta":{"file":"classes/dispatch/DeviceLogHeader.talk","tag":"field","line":67}},{"description":"Description of application generating log file","type":["com.acres4.common.info.AppInfo"],"name":"appInfo","__meta":{"file":"classes/dispatch/DeviceLogHeader.talk","tag":"field","line":71}}],"name":"com.acres4.common.info.devicelog.DeviceLogHeader","version":"0","implement":true,"__meta":{"file":"classes/dispatch/DeviceLogHeader.talk","tag":"class","line":1}},{"description":"Alert message sent to supervisor to describe various conditions requiring attention.","field":[{"description":"Unique identifier of alert","type":["int32"],"name":"identifier","__meta":{"file":"classes/dispatch/DispatchAlert.talk","tag":"field","line":52}},{"description":"Indicates that the alert has been deleted. This field is only significant in a delta update of the DispatchUpdateList.","type":["bool"],"name":"isDeleted","__meta":{"file":"classes/dispatch/DispatchAlert.talk","tag":"field","line":56}},{"description":"Human-readable alert description. This may be used as a message to the user.","type":["string"],"name":"description","__meta":{"file":"classes/dispatch/DispatchAlert.talk","tag":"field","line":60}},{"description":"Alert category. This describes how the various fields of the alert are to be interpreted.","see":[{"type":"enumeration","name":"DispatchAlertCategories","__meta":{"file":"classes/dispatch/DispatchAlert.talk","tag":"see","line":66}}],"type":["int32"],"name":"category","__meta":{"file":"classes/dispatch/DispatchAlert.talk","tag":"field","line":64}},{"description":"A floor section ID. The significance of this section depends on the category field.","type":["int32"],"name":"idSection","__meta":{"file":"classes/dispatch/DispatchAlert.talk","tag":"field","line":69}},{"description":"A dispatch attendant. The significance of this attendant depends on the category field.","type":["int32"],"name":"idEmployee","__meta":{"file":"classes/dispatch/DispatchAlert.talk","tag":"field","line":73}},{"description":"An identifier of a call. The significance of this call depends on the category field.","type":["int32"],"name":"idCallInfo","__meta":{"file":"classes/dispatch/DispatchAlert.talk","tag":"field","line":77}},{"description":"An attendant role. The significance of this role depends on the category field.","type":["int32"],"name":"idRole","__meta":{"file":"classes/dispatch/DispatchAlert.talk","tag":"field","line":81}},{"description":"Time the event was recorded in the database, in epoch milliseconds.","type":["int64"],"name":"timeCreated","__meta":{"file":"classes/dispatch/DispatchAlert.talk","tag":"field","line":85}},{"description":"The asset number of the device for this alert, if applicable.","type":["string"],"name":"assetNum","__meta":{"file":"classes/dispatch/DispatchAlert.talk","tag":"field","line":89}}],"name":"com.acres4.common.info.mercury.supervisor.DispatchAlert","version":"0","implement":true,"__meta":{"file":"classes/dispatch/DispatchAlert.talk","tag":"class","line":49}},{"description":"Contains all values for the requested Dispatch Alert Category.","field":[{"description":"Unique Dispatch Alert Category ID","type":["int32"],"name":"idDispatchAlertCategory","__meta":{"file":"classes/dispatch/DispatchAlertCategory.talk","tag":"field","line":4}},{"description":"Alert Category Description","type":["string"],"name":"description","__meta":{"file":"classes/dispatch/DispatchAlertCategory.talk","tag":"field","line":8}}],"name":"com.acres4.common.info.mercury.DispatchAlertCategory","version":"0","implement":true,"__meta":{"file":"classes/dispatch/DispatchAlertCategory.talk","tag":"class","line":1}},{"description":"List of outstanding dispatch alerts.","field":[{"description":"Update contains a partial update.","type":["bool"],"name":"isPartialUpdate","__meta":{"file":"classes/dispatch/DispatchAlertList.talk","tag":"field","line":4}},{"description":"List of outstanding DispatchAlert objects.","type":["com.acres4.common.info.mercury.supervisor.DispatchAlert","[]"],"name":"alerts","__meta":{"file":"classes/dispatch/DispatchAlertList.talk","tag":"field","line":8}}],"name":"com.acres4.common.info.mercury.supervisor.DispatchAlertList","version":"0","implement":true,"__meta":{"file":"classes/dispatch/DispatchAlertList.talk","tag":"class","line":1}},{"description":"Information related to a particular user in the dispatch system.","field":[{"description":"Integer identifier for attendant. Unique and persistent between sessions.","type":["int32"],"name":"identifier","__meta":{"file":"classes/dispatch/DispatchAttendant.talk","tag":"field","line":4}},{"description":"Name of attendant","type":["com.acres4.common.info.HumanName"],"name":"name","__meta":{"file":"classes/dispatch/DispatchAttendant.talk","tag":"field","line":8}},{"description":"Login name of the attendant","type":["string"],"name":"loginName","__meta":{"file":"classes/dispatch/DispatchAttendant.talk","tag":"field","line":12}},{"description":"Array of role IDs that this attendant is allowed to assume.","type":["int32","[]"],"name":"availableRoles","__meta":{"file":"classes/dispatch/DispatchAttendant.talk","tag":"field","line":16}},{"description":"Single role ID that the attendant has currently assumed.","type":["int32"],"name":"activeRole","__meta":{"file":"classes/dispatch/DispatchAttendant.talk","tag":"field","line":20}},{"description":"Integer identifier for this employee's current supervisor. This will *not* be populated if this object is received through a StaffListAll.","type":["int32"],"name":"supervisorId","__meta":{"file":"classes/dispatch/DispatchAttendant.talk","tag":"field","line":24}},{"description":"Employee signed-in status. YES => Attendant signed in. NO => Attendant not signed in.","type":["bool"],"name":"signedIn","__meta":{"file":"classes/dispatch/DispatchAttendant.talk","tag":"field","line":28}},{"description":"Sections the employee is currently supervising.","type":["int32","[]"],"name":"idSections","__meta":{"file":"classes/dispatch/DispatchAttendant.talk","tag":"field","line":32}},{"description":"Well the employee is logged into, 0 if not set, only used for employees in the beverage department","type":["int32"],"name":"idWell","__meta":{"file":"classes/dispatch/DispatchAttendant.talk","tag":"field","line":36}},{"description":"Permissions groups held by this employee.","type":["SystemPermissionGroup","[]"],"name":"permissions","__meta":{"file":"classes/dispatch/DispatchAttendant.talk","tag":"field","line":40}},{"description":"Indicates that the employee has been deleted.","type":["bool"],"name":"deleted","__meta":{"file":"classes/dispatch/DispatchAttendant.talk","tag":"field","line":44}},{"description":"ID of employee's current department","type":["int32"],"name":"departmentId","__meta":{"file":"classes/dispatch/DispatchAttendant.talk","tag":"field","line":48}},{"description":"Array of IDs linked to the employee in the host system (card number(s))","type":["int64","[]"],"name":"idHostEmployee","__meta":{"file":"classes/dispatch/DispatchAttendant.talk","tag":"field","line":52}},{"description":"All cards associated to this employee in the idHostEmployee int array are locked and will need to be unlocked before another user can steal the card number(s)","type":["bool"],"name":"cardsLocked","__meta":{"file":"classes/dispatch/DispatchAttendant.talk","tag":"field","line":56}},{"description":"The MAC address of the users current bluetooth headset","type":["string"],"name":"bluetoothMACAddress","__meta":{"file":"classes/dispatch/DispatchAttendant.talk","tag":"field","line":60}},{"description":"The number of days till pin expired. -1 means never 0 mean expired. Only computed on login","type":["int32"],"name":"daysTillPinExpired","__meta":{"file":"classes/dispatch/DispatchAttendant.talk","tag":"field","line":63}}],"name":"com.acres4.common.info.mercury.client.DispatchAttendant","version":"0","implement":true,"__meta":{"file":"classes/dispatch/DispatchAttendant.talk","tag":"class","line":1}},{"description":"Information relating to dispatch configuration. Supplied by server at connection.","field":[{"description":"Array containing a list of all roles available in the system.","type":["com.acres4.common.info.mercury.client.AttendantRole","[]"],"name":"allRoles","__meta":{"file":"classes/dispatch/DispatchConfig.talk","tag":"field","line":4}},{"description":"Array containing all section names in the casino.","type":["FloorSection","[]"],"name":"allSections","__meta":{"file":"classes/dispatch/DispatchConfig.talk","tag":"field","line":8}},{"description":"Contains call configuration information.","type":["com.acres4.common.info.mercury.CallConfigurations"],"name":"callConfigDefinitions","__meta":{"file":"classes/dispatch/DispatchConfig.talk","tag":"field","line":12}},{"description":"Unique identifiers of all CallConfigs for speed calls.","type":["int32","[]"],"name":"speedCallConfigIds","__meta":{"file":"classes/dispatch/DispatchConfig.talk","tag":"field","line":16}},{"description":"Array containing all permission groups available in the system","type":["SystemPermissionGroup","[]"],"name":"permissionGroups","__meta":{"file":"classes/dispatch/DispatchConfig.talk","tag":"field","line":20}},{"description":"Array containing list of current departments","type":["com.acres4.common.info.mercury.Department","[]"],"name":"departments","__meta":{"file":"classes/dispatch/DispatchConfig.talk","tag":"field","line":24}},{"description":"Start time of the business day, in seconds from midnight. e.g. For 7:00 AM start, 25200 would be returned. -1 will indicate it is not set in the case of a deltaUpdate.","type":["int32"],"name":"beginBusinessDay","__meta":{"file":"classes/dispatch/DispatchConfig.talk","tag":"field","line":28}},{"description":"Array containing list of player tier levels","type":["PlayerTierLevel","[]"],"name":"playerTiers","__meta":{"file":"classes/dispatch/DispatchConfig.talk","tag":"field","line":32}},{"description":"Array containing list of meal reasons to select from","type":["MealReasonListEntry","[]"],"name":"mealReasons","__meta":{"file":"classes/dispatch/DispatchConfig.talk","tag":"field","line":36}},{"description":"Configurable goal times","type":["int32","[]"],"name":"goalTimeConfigs","__meta":{"file":"classes/dispatch/DispatchConfig.talk","tag":"field","line":40}},{"description":"Defines location formatting information","type":["LocationDefinition"],"name":"locationDefinition","__meta":{"file":"classes/dispatch/DispatchConfig.talk","tag":"field","line":44}},{"description":"Defines information about the radio channels and radio channel links","type":["RadioChannelList"],"name":"radioChannelList","__meta":{"file":"classes/dispatch/DispatchConfig.talk","tag":"field","line":48}},{"description":"Array containing section grouping information. Maybe null if property does not use section grouping.","type":["SectionGroup","[]"],"name":"sectionGroups","__meta":{"file":"classes/dispatch/DispatchConfig.talk","tag":"field","line":52}},{"description":"Indicates the maximum calls allowed per employee at any given time. Only one of these calls may be a dispatched call","type":["int32"],"name":"maxCallsPerEmployee","__meta":{"file":"classes/dispatch/DispatchConfig.talk","tag":"field","line":55}}],"name":"com.acres4.common.info.mercury.client.DispatchConfig","version":"0","implement":true,"__meta":{"file":"classes/dispatch/DispatchConfig.talk","tag":"class","line":1}},{"description":"Generic deletion request for task, chore, employee or other items to be deleted.","field":[{"description":"Current client connection token","type":["com.acres4.common.info.ConnectionToken"],"name":"tok","__meta":{"file":"classes/dispatch/DispatchDeleteRequest.talk","tag":"field","line":4}},{"description":"Primary key of chore, task, employee or other item to be deleted.","type":["int32"],"name":"identifier","__meta":{"file":"classes/dispatch/DispatchDeleteRequest.talk","tag":"field","line":8}}],"name":"com.acres4.common.info.mercury.supervisor.DispatchDeleteRequest","version":"0","implement":true,"__meta":{"file":"classes/dispatch/DispatchDeleteRequest.talk","tag":"class","line":1}},{"description":"List of active employees","field":[{"description":"Array of DispatchAttendant objects containing all employees presently signed in or scheduled to be on shift","type":["com.acres4.common.info.mercury.client.DispatchAttendant","[]"],"name":"currentEmployees","__meta":{"file":"classes/dispatch/DispatchEmployeeList.talk","tag":"field","line":4}},{"description":"Client connection token","type":["com.acres4.common.info.ConnectionToken"],"name":"tok","__meta":{"file":"classes/dispatch/DispatchEmployeeList.talk","tag":"field","line":8}}],"name":"com.acres4.common.info.mercury.supervisor.DispatchEmployeeList","version":"0","implement":true,"__meta":{"file":"classes/dispatch/DispatchEmployeeList.talk","tag":"class","line":1}},{"description":"Describes all associations between sections. If section A is associated to section B, then section A is allowed to pull staff from section B if A has no available attendants. Associations are not symmetric; ie. if A is associated with B, then it is not necessarily true that B is associated with A.","field":[{"description":"Client connection token","type":["com.acres4.common.info.ConnectionToken"],"name":"tok","__meta":{"file":"classes/dispatch/DispatchSectionAssociation.talk","tag":"field","line":4}},{"description":"List of floor sections in the casino. Each floor section object encapsulates section association data.","caveat":["When sent from the client to update section associations, this array may or may not omit sections that are not being modified.","When sent from the server to the client, this array may omit sections that are considered to be deleted."],"type":["FloorSection","[]"],"name":"sections","__meta":{"file":"classes/dispatch/DispatchSectionAssociation.talk","tag":"field","line":8}}],"name":"com.acres4.common.info.mercury.supervisor.DispatchSectionAssociation","version":"0","implement":true,"__meta":{"file":"classes/dispatch/DispatchSectionAssociation.talk","tag":"class","line":1}},{"description":"List of outstanding calls in the system","field":[{"description":"Connection token held by client. May be omitted on response.","type":["com.acres4.common.info.ConnectionToken"],"name":"tok","__meta":{"file":"classes/dispatch/DispatchTaskList.talk","tag":"field","line":4}},{"description":"CallInfo objects corresponding to outstanding calls","type":["com.acres4.common.info.mercury.client.CallInfo","[]"],"name":"tasks","__meta":{"file":"classes/dispatch/DispatchTaskList.talk","tag":"field","line":8}},{"description":"YES => object is an incomplete list containing only changes to the list, rather than the complete list. NO => list is complete, and may be used as basis for further updates.","type":["bool"],"name":"partialUpdate","__meta":{"file":"classes/dispatch/DispatchTaskList.talk","tag":"field","line":12}}],"name":"com.acres4.common.info.mercury.supervisor.DispatchTaskList","version":"0","implement":true,"__meta":{"file":"classes/dispatch/DispatchTaskList.talk","tag":"class","line":1}},{"description":"Describes user profile contents.","field":[{"description":"Client connection token.","type":["com.acres4.common.info.ConnectionToken"],"name":"tok","__meta":{"file":"classes/dispatch/DispatchUserProfile.talk","tag":"field","line":4}},{"description":"Primary key of user in database. In theory, this is probably also the user ID, but we've been in the habit of passing the user ID as strings so long that I worry this is not your primary database key. This lets me specify the primary key to you during an update or delete operation. If my concerns are unfounded, and this field is totally redundant with the userId field, then I'm happy to drop it.","type":["int32"],"name":"identifier","__meta":{"file":"classes/dispatch/DispatchUserProfile.talk","tag":"field","line":8}},{"description":"Attendant name","type":["com.acres4.common.info.HumanName"],"name":"name","__meta":{"file":"classes/dispatch/DispatchUserProfile.talk","tag":"field","line":12}},{"description":"User ID. We anticipate this to be the employee's badge number, but that may vary.","type":["string"],"name":"userID","__meta":{"file":"classes/dispatch/DispatchUserProfile.talk","tag":"field","line":16}},{"description":"Employee PIN","type":["com.acres4.common.info.Password"],"name":"pin","__meta":{"file":"classes/dispatch/DispatchUserProfile.talk","tag":"field","line":20}},{"description":"When sent from server to client, indicates whether the user is locked due to excessive invalid login attempts. When sent from client to server, indicates whether the user should be locked.","type":["bool"],"name":"pinLocked","__meta":{"file":"classes/dispatch/DispatchUserProfile.talk","tag":"field","line":24}},{"description":"Count of login failures counting towards pin-lock.","type":["int32"],"name":"pinLockCount","__meta":{"file":"classes/dispatch/DispatchUserProfile.talk","tag":"field","line":28}},{"description":"The number of days till pin expired. -1 means never 0 mean expired. Only computed on login","type":["int32"],"name":"daysTillPinExpired","__meta":{"file":"classes/dispatch/DispatchUserProfile.talk","tag":"field","line":31}},{"description":"Array of DispatchUserProfileJobFunctions. Index 0 is primary job function; index 1 is secondary job function.","type":["DispatchUserProfileJobFunction","[]"],"name":"jobFunction","__meta":{"file":"classes/dispatch/DispatchUserProfile.talk","tag":"field","line":34}},{"description":"Permission groups held by this user in addition to the permissions granted by his or her roles.","type":["SystemPermissionGroup","[]"],"name":"permissions","__meta":{"file":"classes/dispatch/DispatchUserProfile.talk","tag":"field","line":38}},{"description":"Indicates that the employee has been deleted.","type":["bool"],"name":"deleted","__meta":{"file":"classes/dispatch/DispatchUserProfile.talk","tag":"field","line":42}},{"description":"The length of this employees shift, in hours. Commonly set to 8 or 10 hours according to Kevin; will be used to calculate amount and length of break periods for the employee.","type":["int32"],"name":"shiftLengthInHours","__meta":{"file":"classes/dispatch/DispatchUserProfile.talk","tag":"field","line":46}}],"name":"com.acres4.common.info.mercury.supervisor.DispatchUserProfile","version":"0","implement":true,"__meta":{"file":"classes/dispatch/DispatchUserProfile.talk","tag":"class","line":1}},{"description":"User job function. WARNING! THIS CLASS DEALS DIRECTLY WITH DUAL-RATING, WHICH IS HIGHLY SUBJECT TO CHANGE AND IS AS OF 1/10/12 A MATTER OF SIGNIFICANT DISCUSSION.","field":[{"description":"AttendantRole identifier","type":["int32"],"name":"roleId","__meta":{"file":"classes/dispatch/DispatchUserProfileJobFunction.talk","tag":"field","line":4}},{"description":"Start time for this role, in seconds since midnight","type":["int32"],"name":"timeIn","__meta":{"file":"classes/dispatch/DispatchUserProfileJobFunction.talk","tag":"field","line":8}}],"name":"com.acres4.common.info.mercury.supervisor.DispatchUserProfileJobFunction","version":"0","implement":true,"__meta":{"file":"classes/dispatch/DispatchUserProfileJobFunction.talk","tag":"class","line":1}},{"description":"Information related to a Drink item, which is a finished drink","field":[{"description":"Identifier to distinguish this drink from other drinks on a beverage order.","type":["int32"],"name":"idBeverageOrderDrink","__meta":{"file":"classes/dispatch/DrinkItem.talk","tag":"field","line":4}},{"description":"Identifier of the order that this drink belongs to","type":["int32"],"name":"idBeverageOrder","__meta":{"file":"classes/dispatch/DrinkItem.talk","tag":"field","line":8}},{"description":"array of menuItem ids","type":["int32","[]"],"name":"menuItems","__meta":{"file":"classes/dispatch/DrinkItem.talk","tag":"field","line":12}},{"description":"Last action on this drink, delivered, undeliverable, and cancel apply to drinks, see BeverageOrderStatus enum.","type":["int32"],"name":"idAction","__meta":{"file":"classes/dispatch/DrinkItem.talk","tag":"field","line":16}},{"description":"flag indicating that this drink has been deleted.","type":["bool"],"name":"deleted","__meta":{"file":"classes/dispatch/DrinkItem.talk","tag":"field","line":20}},{"description":"Time of action by employee (epoch milliseconds)","type":["int64"],"name":"actionTime","__meta":{"file":"classes/dispatch/DrinkItem.talk","tag":"field","line":24}},{"description":"Comment about this drink","type":["string"],"name":"comment","__meta":{"file":"classes/dispatch/DrinkItem.talk","tag":"field","line":28}}],"name":"com.acres4.common.info.mercury.client.DrinkItem","version":"0","implement":true,"__meta":{"file":"classes/dispatch/DrinkItem.talk","tag":"class","line":1}},{"description":"Describes the early out list.","field":[{"description":"Client connection token. May be omitted when this object is not sent as an update request.","type":["com.acres4.common.info.ConnectionToken"],"name":"tok","__meta":{"file":"classes/dispatch/EarlyOutList.talk","tag":"field","line":4}},{"description":"Department this early out list applies to.","type":["int32"],"name":"departmentId","__meta":{"file":"classes/dispatch/EarlyOutList.talk","tag":"field","line":8}},{"description":"IDs of attendants marked for early out. The first index is the employee at the top of the early out list; the last index is the employee at the bottom.","type":["int32","[]"],"name":"earlyOutIds","__meta":{"file":"classes/dispatch/EarlyOutList.talk","tag":"field","line":12}}],"name":"com.acres4.common.info.mercury.client.EarlyOutList","version":"0","implement":true,"__meta":{"file":"classes/dispatch/EarlyOutList.talk","tag":"class","line":1}},{"description":"Contains information pertaining to an employee card insertion at a device. This object is used to send out this information to ServiceSubscriptionEmployeeCardInsertion subscribers.","field":[{"description":"The identification number of the employee card.","type":["int64"],"name":"hostEmployeeId","__meta":{"file":"classes/dispatch/EmployeeCardInsertion.talk","tag":"field","line":4}},{"description":"The Mercury Employee ID linked to this card (if greater than zero). Else, unlinked.","type":["int32"],"name":"employeeId","__meta":{"file":"classes/dispatch/EmployeeCardInsertion.talk","tag":"field","line":8}},{"description":"The location of the device where the card insertion occurred.","type":["string"],"name":"location","__meta":{"file":"classes/dispatch/EmployeeCardInsertion.talk","tag":"field","line":12}}],"name":"com.acres4.common.info.mercury.client.EmployeeCardInsertion","version":"0","implement":true,"__meta":{"file":"classes/dispatch/EmployeeCardInsertion.talk","tag":"class","line":1}},{"description":"Request object for setting a employee card to a dispatch user profile.","field":[{"description":"Whether or not the registration occurred","type":["bool"],"name":"registered","__meta":{"file":"classes/dispatch/EmployeeCardRegistered.talk","tag":"field","line":5}},{"description":"The idHostEmployee that was linked.","type":["int64"],"name":"idHostEmployee","__meta":{"file":"classes/dispatch/EmployeeCardRegistered.talk","tag":"field","line":9}},{"description":"The idEmployee that was linked.","type":["int32"],"name":"idEmployee","__meta":{"file":"classes/dispatch/EmployeeCardRegistered.talk","tag":"field","line":13}}],"name":"com.acres4.common.info.mercury.supervisor.EmployeeCardRegistered","version":"0","implement":true,"__meta":{"file":"classes/dispatch/EmployeeCardRegistered.talk","tag":"class","line":1}},{"description":"Describes a preference used to enable or disable client features.","field":[{"description":"Key representing the purpose of this preference.","type":["string"],"name":"preferenceKey","__meta":{"file":"classes/dispatch/EmployeePreference.talk","tag":"field","line":4}},{"description":"Value of this preference.","type":["string"],"name":"preferenceValue","__meta":{"file":"classes/dispatch/EmployeePreference.talk","tag":"field","line":8}}],"name":"com.acres4.common.info.mercury.EmployeePreference","version":"0","implement":true,"__meta":{"file":"classes/dispatch/EmployeePreference.talk","tag":"class","line":1}},{"description":"Contains all preferences currently set for an employee.","field":[{"description":"Client connection token.","type":["com.acres4.common.info.ConnectionToken"],"name":"tok","__meta":{"file":"classes/dispatch/EmployeePreferenceList.talk","tag":"field","line":4}},{"description":"Array of Employee preferences.","type":["com.acres4.common.info.mercury.EmployeePreference","[]"],"name":"preferences","__meta":{"file":"classes/dispatch/EmployeePreferenceList.talk","tag":"field","line":8}},{"description":"If false, this is the entire list of EmployeePreferences from the database. If true, this list is only a partial update of preferences, usually sent as a delta between the client/server.","type":["bool"],"name":"partial","__meta":{"file":"classes/dispatch/EmployeePreferenceList.talk","tag":"field","line":12}}],"name":"com.acres4.common.info.mercury.EmployeePreferenceList","version":"0","implement":true,"__meta":{"file":"classes/dispatch/EmployeePreferenceList.talk","tag":"class","line":1}},{"description":"Represents EventCode entity.","field":[{"description":"Identifier of this event code.","type":["int32"],"name":"idEventCode","__meta":{"file":"classes/dispatch/EventCode.talk","tag":"field","line":4}},{"description":"Event code description.","type":["string"],"name":"description","__meta":{"file":"classes/dispatch/EventCode.talk","tag":"field","line":8}}],"name":"com.acres4.common.info.mercury.EventCode","version":"0","implement":true,"__meta":{"file":"classes/dispatch/EventCode.talk","tag":"class","line":1}},{"description":"Information related to a group of orders being fired to the bar","field":[{"description":"Valid Connection token","type":["com.acres4.common.info.ConnectionToken"],"name":"tok","__meta":{"file":"classes/dispatch/FiredOrders.talk","tag":"field","line":4}},{"description":"Array of beverage orders IDs to be fired to the bar","type":["int32","[]"],"name":"beverageOrders","__meta":{"file":"classes/dispatch/FiredOrders.talk","tag":"field","line":8}}],"name":"com.acres4.common.info.mercury.client.FiredOrders","version":"0","implement":true,"__meta":{"file":"classes/dispatch/FiredOrders.talk","tag":"class","line":1}},{"description":"Request to flag a call.","field":[{"description":"Client connection token","type":["com.acres4.common.info.ConnectionToken"],"name":"tok","__meta":{"file":"classes/dispatch/FlagCallRequest.talk","tag":"field","line":4}},{"description":"The identifier of the call.","type":["int32"],"name":"idCallInfo","__meta":{"file":"classes/dispatch/FlagCallRequest.talk","tag":"field","line":8}},{"description":"The identifier of the reason.","type":["int32"],"name":"idFlagReason","__meta":{"file":"classes/dispatch/FlagCallRequest.talk","tag":"field","line":12}},{"description":"The comment about this flag.","type":["string"],"name":"comment","__meta":{"file":"classes/dispatch/FlagCallRequest.talk","tag":"field","line":16}}],"name":"com.acres4.common.info.mercury.client.FlagCallRequest","version":"0","implement":true,"__meta":{"file":"classes/dispatch/FlagCallRequest.talk","tag":"class","line":1}},{"description":"Describes a casino floor section.","field":[{"description":"Unique identifier for section.","type":["int32"],"name":"identifier","__meta":{"file":"classes/dispatch/FloorSection.talk","tag":"field","line":4}},{"description":"SectionGroup code that ties multiple sections together.","caveat":["Read-only."],"type":["int32"],"name":"idSectionGroup","__meta":{"file":"classes/dispatch/FloorSection.talk","tag":"field","line":8}},{"description":"Section code name from host system.","caveat":["Read-only."],"type":["string"],"name":"sectionCode","__meta":{"file":"classes/dispatch/FloorSection.talk","tag":"field","line":13}},{"description":"Human-readable name of section.","type":["string"],"name":"description","__meta":{"file":"classes/dispatch/FloorSection.talk","tag":"field","line":18}},{"description":"TRUE => section reflects an outdated section and does not appear in lists of active sections. FALSE => section is active.","type":["bool"],"name":"ignore","__meta":{"file":"classes/dispatch/FloorSection.talk","tag":"field","line":22}},{"description":"Identifiers of FloorSections associated to this section. If a section is listed in this array, then employees may be pulled as needed from that section to service calls in this section.","type":["int32","[]"],"name":"associatedSections","__meta":{"file":"classes/dispatch/FloorSection.talk","tag":"field","line":26}},{"description":"TRUE => server should no longer report this section when listing floors.","type":["bool"],"name":"deleted","__meta":{"file":"classes/dispatch/FloorSection.talk","tag":"field","line":30}}],"name":"com.acres4.common.info.mercury.client.FloorSection","version":"0","implement":true,"__meta":{"file":"classes/dispatch/FloorSection.talk","tag":"class","line":1}},{"description":"Information relating to the current status of the floor.","field":[{"description":"Busy-level of the floor, based on call activity and available attendants","type":["int32"],"name":"busyLevel","__meta":{"file":"classes/dispatch/FloorStatus.talk","tag":"field","line":5}}],"name":"com.acres4.common.info.mercury.client.FloorStatus","version":"0","implement":true,"__meta":{"file":"classes/dispatch/FloorStatus.talk","tag":"class","line":1}},{"description":"Encapsulates a request to force close an array of calls for the given reason.","field":[{"description":"Client's current connection token","type":["com.acres4.common.info.ConnectionToken"],"name":"tok","__meta":{"file":"classes/dispatch/ForceCloseCallsRequest.talk","tag":"field","line":4}},{"description":"Unique identifers indicating the calls to force close","type":["int32","[]"],"name":"idCallInfos","__meta":{"file":"classes/dispatch/ForceCloseCallsRequest.talk","tag":"field","line":8}},{"description":"A comment/reason regarding this force close request.","type":["string"],"name":"comment","__meta":{"file":"classes/dispatch/ForceCloseCallsRequest.talk","tag":"field","line":12}}],"name":"com.acres4.common.info.mercury.client.ForceCloseCallsRequest","version":"0","implement":true,"__meta":{"file":"classes/dispatch/ForceCloseCallsRequest.talk","tag":"class","line":1}},{"description":"Represents a HostEventConfig entity.","field":[{"description":"Unique identifier of the HostEventConfig","type":["int32"],"name":"idHostEventConfig","__meta":{"file":"classes/dispatch/HostEventConfig.talk","tag":"field","line":4}},{"description":"The event code (pre-translation to the Acres4 system).","type":["string"],"name":"hostEventCode","__meta":{"file":"classes/dispatch/HostEventConfig.talk","tag":"field","line":8}},{"description":"The identifier of the post-translation event code for the hostEventCode in the Acres4 system.","type":["int32"],"name":"idEventCode","__meta":{"file":"classes/dispatch/HostEventConfig.talk","tag":"field","line":12}},{"description":"If true, configures this event to be collected in a summary report of event stats.","type":["bool"],"name":"collectStats","__meta":{"file":"classes/dispatch/HostEventConfig.talk","tag":"field","line":16}},{"description":"If true, configures this event to be sent up to the Kai server for further processing.","type":["bool"],"name":"sendEvent","__meta":{"file":"classes/dispatch/HostEventConfig.talk","tag":"field","line":20}},{"description":"The interface type this event code mapping is for, such as IGT, Konami, Oasis, etc.","type":["string"],"name":"interfaceType","__meta":{"file":"classes/dispatch/HostEventConfig.talk","tag":"field","line":24}}],"name":"com.acres4.common.info.mercury.HostEventConfig","version":"0","implement":true,"__meta":{"file":"classes/dispatch/HostEventConfig.talk","tag":"class","line":1}},{"description":"Request to link a given bluetooth mac address to the user making this request.","field":[{"description":"Client connection token","type":["com.acres4.common.info.ConnectionToken"],"name":"tok","__meta":{"file":"classes/dispatch/LinkBluetoothDeviceRequest.talk","tag":"field","line":4}},{"description":"MAC address of the users bluetooth headset","type":["string"],"name":"deviceMACAddress","__meta":{"file":"classes/dispatch/LinkBluetoothDeviceRequest.talk","tag":"field","line":8}}],"name":"com.acres4.common.info.mercury.client.LinkBluetoothDeviceRequest","version":"0","implement":true,"__meta":{"file":"classes/dispatch/LinkBluetoothDeviceRequest.talk","tag":"class","line":1}},{"description":"Defines location information","field":[{"description":"bank identifier","type":["int32"],"name":"idBank","__meta":{"file":"classes/dispatch/Location.talk","tag":"field","line":3}},{"description":"location field","type":["string"],"name":"location","__meta":{"file":"classes/dispatch/Location.talk","tag":"field","line":6}}],"name":"com.acres4.common.info.mercury.Location","version":"0","implement":true,"__meta":{"file":"classes/dispatch/Location.talk","tag":"class","line":1}},{"description":"Defines location formatting information","field":[{"description":"Location definition list","type":["string","[]"],"name":"defList","__meta":{"file":"classes/dispatch/LocationDefinition.talk","tag":"field","line":3}},{"description":"indicates if the definition is asset based or not","type":["bool"],"name":"assetBased","__meta":{"file":"classes/dispatch/LocationDefinition.talk","tag":"field","line":6}}],"name":"com.acres4.common.info.mercury.LocationDefinition","version":"0","implement":true,"__meta":{"file":"classes/dispatch/LocationDefinition.talk","tag":"class","line":1}},{"description":"Information related to a beverage drink.","field":[{"description":"Menu item unique identifier.","type":["int32"],"name":"idMenuItem","__meta":{"file":"classes/dispatch/MenuItem.talk","tag":"field","line":4}},{"description":"Primary category of this item(liquor,wine,beer,non alch,tobacco)","type":["int32"],"name":"beverageCategory","__meta":{"file":"classes/dispatch/MenuItem.talk","tag":"field","line":8}},{"description":"Sub category of this item (beer: Draft or Bottled Liquor: whiskey,rum,vodka, etc.. Wine: Red or White, etc.)","type":["int32"],"name":"beverageType","__meta":{"file":"classes/dispatch/MenuItem.talk","tag":"field","line":12}},{"description":"Sub Sub category of this item (currently only used with the liquor subCategory), this is a temporary field and should be removed in the released version","type":["int32"],"name":"beverageItem","__meta":{"file":"classes/dispatch/MenuItem.talk","tag":"field","line":16}},{"description":"Description of this item.","type":["string"],"name":"name","__meta":{"file":"classes/dispatch/MenuItem.talk","tag":"field","line":20}},{"description":"Price of this item in pennies.","type":["int32"],"name":"price","__meta":{"file":"classes/dispatch/MenuItem.talk","tag":"field","line":24}},{"description":"order in which this item needs to be filled by the bar","type":["int32"],"name":"idFillOrder","__meta":{"file":"classes/dispatch/MenuItem.talk","tag":"field","line":28}},{"description":"Flag indicating if the description is deleted or not","type":["bool"],"name":"deleted","__meta":{"file":"classes/dispatch/MenuItem.talk","tag":"field","line":32}}],"name":"com.acres4.common.info.mercury.client.MenuItem","version":"0","implement":true,"__meta":{"file":"classes/dispatch/MenuItem.talk","tag":"class","line":1}},{"description":"Describes a schedule for machine/s to be offline","field":[{"description":"Unique identifier for offline schedule.","type":["int32"],"name":"idOfflineSchedule","__meta":{"file":"classes/dispatch/OfflineScheduleConfig.talk","tag":"field","line":4}},{"description":"Schedule attached to.","type":["int32"],"name":"idSchedule","__meta":{"file":"classes/dispatch/OfflineScheduleConfig.talk","tag":"field","line":8}},{"description":"Reason for machine/s being offline.","type":["string"],"name":"reason","__meta":{"file":"classes/dispatch/OfflineScheduleConfig.talk","tag":"field","line":12}},{"description":"Time frame start","type":["int64"],"name":"startTime","__meta":{"file":"classes/dispatch/OfflineScheduleConfig.talk","tag":"field","line":16}},{"description":"Time frame end","type":["int64"],"name":"endTime","__meta":{"file":"classes/dispatch/OfflineScheduleConfig.talk","tag":"field","line":20}},{"description":"Defines if/how this event will reoccur. Works with recurTypes enum.","type":["int32"],"name":"recurType","__meta":{"file":"classes/dispatch/OfflineScheduleConfig.talk","tag":"field","line":24}},{"description":"Section to be offline","type":["string"],"name":"section","__meta":{"file":"classes/dispatch/OfflineScheduleConfig.talk","tag":"field","line":28}},{"description":"Or Bank to be offline","type":["string"],"name":"bank","__meta":{"file":"classes/dispatch/OfflineScheduleConfig.talk","tag":"field","line":32}},{"description":"Of specific machine to be offline","type":["string"],"name":"location","__meta":{"file":"classes/dispatch/OfflineScheduleConfig.talk","tag":"field","line":36}},{"description":"Is schedule currently active","type":["bool"],"name":"active","__meta":{"file":"classes/dispatch/OfflineScheduleConfig.talk","tag":"field","line":40}}],"name":"com.acres4.common.info.mercury.OfflineScheduleConfig","version":"0","implement":true,"__meta":{"file":"classes/dispatch/OfflineScheduleConfig.talk","tag":"class","line":1}},{"description":"Describes a Player Tier Level Configuration","field":[{"description":"Unique identifier for PlayerTierLevel","type":["int32"],"name":"idPlayerTierLevel","__meta":{"file":"classes/dispatch/PlayerTierLevelFull.talk","tag":"field","line":4}},{"description":"Human-readable name of tier","type":["string"],"name":"tierName","__meta":{"file":"classes/dispatch/PlayerTierLevelFull.talk","tag":"field","line":8}},{"description":"Customized human-readable name of tier. May be null if not custom-configured over the default.","type":["string"],"name":"tierNameOverride","__meta":{"file":"classes/dispatch/PlayerTierLevelFull.talk","tag":"field","line":12}},{"description":"offset","type":["int32"],"name":"priorityOffset","__meta":{"file":"classes/dispatch/PlayerTierLevelFull.talk","tag":"field","line":16}},{"description":"send welcome alert boolean","type":["bool"],"name":"sendWelcomeAlert","__meta":{"file":"classes/dispatch/PlayerTierLevelFull.talk","tag":"field","line":20}},{"description":"deleted boolean","type":["bool"],"name":"deleted","__meta":{"file":"classes/dispatch/PlayerTierLevelFull.talk","tag":"field","line":24}}],"name":"com.acres4.common.info.mercury.PlayerTierLevelFull","version":"0","implement":true,"__meta":{"file":"classes/dispatch/PlayerTierLevelFull.talk","tag":"class","line":1}},{"description":"Request to mark an alert as read for the user making the request.","field":[{"description":"The IDs of the alerts you want to read.","type":["int32","[]"],"name":"alertIDs","__meta":{"file":"classes/dispatch/ReadAlert.talk","tag":"field","line":5}},{"description":"Client connection token","type":["com.acres4.common.info.ConnectionToken"],"name":"tok","__meta":{"file":"classes/dispatch/ReadAlert.talk","tag":"field","line":10}}],"name":"com.acres4.common.info.mercury.supervisor.ReadAlert","version":"0","implement":true,"__meta":{"file":"classes/dispatch/ReadAlert.talk","tag":"class","line":1}},{"description":"Request object for updating employee card information.","field":[{"description":"The identification number of the employee card. This is what we will link to our Mercury Employee.","type":["int64"],"name":"hostEmployeeId","__meta":{"file":"classes/dispatch/RegisterEmployeeCard.talk","tag":"field","line":4}},{"description":"The Mercury Employee ID to whom we intend to link the card.","type":["int32"],"name":"idEmployee","__meta":{"file":"classes/dispatch/RegisterEmployeeCard.talk","tag":"field","line":8}},{"description":"Client connection token","type":["com.acres4.common.info.ConnectionToken"],"name":"tok","__meta":{"file":"classes/dispatch/RegisterEmployeeCard.talk","tag":"field","line":12}}],"name":"com.acres4.common.info.mercury.supervisor.RegisterEmployeeCard","version":"0","implement":true,"__meta":{"file":"classes/dispatch/RegisterEmployeeCard.talk","tag":"class","line":1}},{"description":"Defines section information","field":[{"description":"Unique identifier","type":["int32"],"name":"idSection","__meta":{"file":"classes/dispatch/Section.talk","tag":"field","line":4}},{"description":"Human-readable name","type":["string"],"name":"sectionName","__meta":{"file":"classes/dispatch/Section.talk","tag":"field","line":8}},{"description":"Description","type":["string"],"name":"description","__meta":{"file":"classes/dispatch/Section.talk","tag":"field","line":12}},{"description":"ID of SectionGroup linked for this Section","type":["int32"],"name":"idSectionGroup","__meta":{"file":"classes/dispatch/Section.talk","tag":"field","line":16}},{"description":"Mark as ignored","type":["bool"],"name":"markIgnored","__meta":{"file":"classes/dispatch/Section.talk","tag":"field","line":20}},{"description":"Mark as deleted","type":["bool"],"name":"markDeleted","__meta":{"file":"classes/dispatch/Section.talk","tag":"field","line":24}}],"name":"com.acres4.common.info.mercury.dispatch.Section","version":"0","implement":true,"__meta":{"file":"classes/dispatch/Section.talk","tag":"class","line":1}},{"description":"Represents the total set of section configuration information","field":[{"description":"Array of Section items","type":["com.acres4.common.info.mercury.dispatch.Section","[]"],"name":"sections","__meta":{"file":"classes/dispatch/SectionConfigurations.talk","tag":"field","line":4}},{"description":"Array of SectionLinkConfig items","type":["SectionLink","[]"],"name":"sectionLinks","__meta":{"file":"classes/dispatch/SectionConfigurations.talk","tag":"field","line":8}}],"name":"com.acres4.common.info.mercury.SectionConfigurations","version":"0","implement":true,"__meta":{"file":"classes/dispatch/SectionConfigurations.talk","tag":"class","line":1}},{"description":"Represents a single section grouping.","field":[{"description":"Unique id of this section group.","type":["int32"],"name":"idSectionGroup","__meta":{"file":"classes/dispatch/SectionGroup.talk","tag":"field","line":4}},{"description":"Description of this section group.","type":["string"],"name":"description","__meta":{"file":"classes/dispatch/SectionGroup.talk","tag":"field","line":8}}],"name":"com.acres4.common.info.mercury.dispatch.SectionGroup","version":"0","implement":true,"__meta":{"file":"classes/dispatch/SectionGroup.talk","tag":"class","line":1}},{"description":"Describes a Section link","field":[{"description":"Unique identifier","type":["int32"],"name":"idSectionLink","__meta":{"file":"classes/dispatch/SectionLink.talk","tag":"field","line":4}},{"description":"Parent section","type":["int32"],"name":"idSectionPrimary","__meta":{"file":"classes/dispatch/SectionLink.talk","tag":"field","line":8}},{"description":"Child section","type":["int32"],"name":"idSectionSecondary","__meta":{"file":"classes/dispatch/SectionLink.talk","tag":"field","line":12}},{"description":"Sort order","type":["int32"],"name":"sortOrder","__meta":{"file":"classes/dispatch/SectionLink.talk","tag":"field","line":16}}],"name":"com.acres4.common.info.mercury.SectionLink","version":"0","implement":true,"__meta":{"file":"classes/dispatch/SectionLink.talk","tag":"class","line":1}},{"description":"Section, Bank and Location information","field":[{"description":"Section Names","type":["com.acres4.common.info.mercury.dispatch.Section","[]"],"name":"sections","__meta":{"file":"classes/dispatch/SectionsBanksLocations.talk","tag":"field","line":4}},{"description":"Bank Names","type":["com.acres4.common.info.mercury.Bank","[]"],"name":"banks","__meta":{"file":"classes/dispatch/SectionsBanksLocations.talk","tag":"field","line":8}},{"description":"Device Locations","type":["com.acres4.common.info.mercury.Location","[]"],"name":"locations","__meta":{"file":"classes/dispatch/SectionsBanksLocations.talk","tag":"field","line":12}}],"name":"com.acres4.common.info.mercury.SectionsBanksLocations","version":"0","implement":true,"__meta":{"file":"classes/dispatch/SectionsBanksLocations.talk","tag":"class","line":1}},{"description":"Contains the servers current time","field":[{"description":"The servers current time in epoch milliseconds","type":["int64"],"name":"currentTime","__meta":{"file":"classes/dispatch/ServerTime.talk","tag":"field","line":4}}],"name":"com.acres4.common.info.mercury.client.ServerTime","version":"0","implement":true,"__meta":{"file":"classes/dispatch/ServerTime.talk","tag":"class","line":1}},{"description":"Describes information manually selected by employee for shift.","field":[{"description":"Client connection token","type":["com.acres4.common.info.ConnectionToken"],"name":"tok","__meta":{"file":"classes/dispatch/ShiftSelection.talk","tag":"field","line":4}},{"description":"Sections being served by employee if only 1 then associated section employee otherwise multi section","type":["int32","[]"],"name":"idSections","__meta":{"file":"classes/dispatch/ShiftSelection.talk","tag":"field","line":8}},{"description":"Unique identifiers of roles filled by employee during shift. Frontline attendants will only select one role.","type":["int32"],"name":"idRole","__meta":{"file":"classes/dispatch/ShiftSelection.talk","tag":"field","line":12}}],"name":"com.acres4.common.info.mercury.client.ShiftSelection","version":"0","implement":true,"__meta":{"file":"classes/dispatch/ShiftSelection.talk","tag":"class","line":1}},{"description":"Encapsulates a request to sleep a call.","field":[{"description":"Client's current connection token","type":["com.acres4.common.info.ConnectionToken"],"name":"tok","__meta":{"file":"classes/dispatch/SleepCallRequest.talk","tag":"field","line":4}},{"description":"Unique identifer indicating call to sleep.","type":["int32"],"name":"idCallInfo","__meta":{"file":"classes/dispatch/SleepCallRequest.talk","tag":"field","line":8}},{"description":"Time in milliseconds to sleep the call from the time this request is received.","type":["int64"],"name":"sleepTime","__meta":{"file":"classes/dispatch/SleepCallRequest.talk","tag":"field","line":12}}],"name":"com.acres4.common.info.mercury.client.SleepCallRequest","version":"0","implement":true,"__meta":{"file":"classes/dispatch/SleepCallRequest.talk","tag":"class","line":1}},{"description":"Contains stats displayed on Kai Supervisor stats dashboard","field":[{"description":"Time this data was calculated in epoch milliseconds.","type":["int64"],"name":"generationTime","__meta":{"file":"classes/dispatch/StatsDashboardHeader.talk","tag":"field","line":4}},{"description":"Average call completion time in seconds","type":["int32"],"name":"completionTimeToday","__meta":{"file":"classes/dispatch/StatsDashboardHeader.talk","tag":"field","line":8}},{"description":"Average call completion time from our comparison day, generally this day last week.","type":["int32"],"name":"completionTimeHistoric","__meta":{"file":"classes/dispatch/StatsDashboardHeader.talk","tag":"field","line":12}},{"description":"Average commute time in seconds","type":["int32"],"name":"commuteTimeToday","__meta":{"file":"classes/dispatch/StatsDashboardHeader.talk","tag":"field","line":16}},{"description":"Average commute time from our comparison day","type":["int32"],"name":"commuteTimeHistoric","__meta":{"file":"classes/dispatch/StatsDashboardHeader.talk","tag":"field","line":20}},{"description":"Total calls today","type":["int32"],"name":"callCountToday","__meta":{"file":"classes/dispatch/StatsDashboardHeader.talk","tag":"field","line":24}},{"description":"Total calls in our comparison day","type":["int32"],"name":"callCountHistoric","__meta":{"file":"classes/dispatch/StatsDashboardHeader.talk","tag":"field","line":28}},{"description":"Total quits today (not total calls WITH a quit on it)","type":["int32"],"name":"quitCountToday","__meta":{"file":"classes/dispatch/StatsDashboardHeader.talk","tag":"field","line":32}},{"description":"Total quits on our comparison day","type":["int32"],"name":"quitCountHistoric","__meta":{"file":"classes/dispatch/StatsDashboardHeader.talk","tag":"field","line":36}},{"description":"Total defers today (not total calls WITH a defer)","type":["int32"],"name":"deferCountToday","__meta":{"file":"classes/dispatch/StatsDashboardHeader.talk","tag":"field","line":40}},{"description":"Total defers on our comparison day","type":["int32"],"name":"deferCountHistoric","__meta":{"file":"classes/dispatch/StatsDashboardHeader.talk","tag":"field","line":44}},{"description":"Total MEAL entries today","type":["int32"],"name":"mealCountToday","__meta":{"file":"classes/dispatch/StatsDashboardHeader.talk","tag":"field","line":48}},{"description":"Total MEAL entries on our comparison day","type":["int32"],"name":"mealCountHistoric","__meta":{"file":"classes/dispatch/StatsDashboardHeader.talk","tag":"field","line":52}},{"description":"Average time in seconds for jackpot calls today","type":["int32"],"name":"jackpotTimeToday","__meta":{"file":"classes/dispatch/StatsDashboardHeader.talk","tag":"field","line":56}},{"description":"Average time in seconds for jackpot calls on our comparison day","type":["int32"],"name":"jackpotTimeHistoric","__meta":{"file":"classes/dispatch/StatsDashboardHeader.talk","tag":"field","line":60}},{"description":"Average time for hand/short pay calls today","type":["int32"],"name":"handShortPayTimeToday","__meta":{"file":"classes/dispatch/StatsDashboardHeader.talk","tag":"field","line":64}},{"description":"Average time for hand/short pay calls on our comparison day","type":["int32"],"name":"handShortPayTimeHistoric","__meta":{"file":"classes/dispatch/StatsDashboardHeader.talk","tag":"field","line":68}},{"description":"Average time for general tilts today","type":["int32"],"name":"generalTiltTimeToday","__meta":{"file":"classes/dispatch/StatsDashboardHeader.talk","tag":"field","line":72}},{"description":"Average time for general tilts on our comparison day","type":["int32"],"name":"generalTiltTimeHistoric","__meta":{"file":"classes/dispatch/StatsDashboardHeader.talk","tag":"field","line":76}},{"description":"Average time for printer/paper calls today","type":["int32"],"name":"printerPaperTimeToday","__meta":{"file":"classes/dispatch/StatsDashboardHeader.talk","tag":"field","line":80}},{"description":"Average time for printer/paper calls on our comparison day","type":["int32"],"name":"printerPaperTimeHistoric","__meta":{"file":"classes/dispatch/StatsDashboardHeader.talk","tag":"field","line":84}},{"description":"Average time for manual calls today","type":["int32"],"name":"manualTimeToday","__meta":{"file":"classes/dispatch/StatsDashboardHeader.talk","tag":"field","line":88}},{"description":"Average time for manual calls on our comparison day","type":["int32"],"name":"manualTimeHistoric","__meta":{"file":"classes/dispatch/StatsDashboardHeader.talk","tag":"field","line":92}},{"description":"Average time for speed calls today","type":["int32"],"name":"speedCallTimeToday","__meta":{"file":"classes/dispatch/StatsDashboardHeader.talk","tag":"field","line":96}},{"description":"Average time for speed calls on our comparison day","type":["int32"],"name":"speedCallTimeHistoric","__meta":{"file":"classes/dispatch/StatsDashboardHeader.talk","tag":"field","line":100}}],"name":"com.acres4.common.info.mercury.supervisor.StatsDashboardHeader","version":"0","implement":true,"__meta":{"file":"classes/dispatch/StatsDashboardHeader.talk","tag":"class","line":1}},{"description":"A request for a stats dashboard header","field":[{"description":"Client connection token","type":["com.acres4.common.info.ConnectionToken"],"name":"tok","__meta":{"file":"classes/dispatch/StatsDashboardHeaderRequest.talk","tag":"field","line":4}},{"description":"An optional specific user. 0 for all users in the department.","type":["int32"],"name":"userID","__meta":{"file":"classes/dispatch/StatsDashboardHeaderRequest.talk","tag":"field","line":8}}],"name":"com.acres4.common.info.mercury.supervisor.StatsDashboardHeaderRequest","version":"0","implement":true,"__meta":{"file":"classes/dispatch/StatsDashboardHeaderRequest.talk","tag":"class","line":1}},{"description":"Contains an array of StatsReportItems","field":[{"description":"Total number of StatsReportItems matching the request. Note that this may not agree with the count of statsReportItems if pagination is being used.","type":["int32"],"name":"totalCount","__meta":{"file":"classes/dispatch/StatsReport.talk","tag":"field","line":4}},{"description":"Time this data was calculated in epoch milliseconds.","type":["int64"],"name":"generationTime","__meta":{"file":"classes/dispatch/StatsReport.talk","tag":"field","line":8}},{"description":"Array of StatsReportItems for this report","type":["StatsReportItem","[]"],"name":"statsReportItems","__meta":{"file":"classes/dispatch/StatsReport.talk","tag":"field","line":12}}],"name":"com.acres4.common.info.mercury.supervisor.StatsReport","version":"0","implement":true,"__meta":{"file":"classes/dispatch/StatsReport.talk","tag":"class","line":1}},{"description":"Contains all information regarding a single call","field":[{"description":"CallInfo object for this call","type":["com.acres4.common.info.mercury.client.CallInfo"],"name":"callInfo","__meta":{"file":"classes/dispatch/StatsReportItem.talk","tag":"field","line":4}},{"description":"All CallInfoEmployee records for this call, ordered by idCallInfoEmployee","type":["com.acres4.common.info.mercury.client.CallInfoEmployee","[]"],"name":"callInfoEmployees","__meta":{"file":"classes/dispatch/StatsReportItem.talk","tag":"field","line":8}}],"name":"com.acres4.common.info.mercury.supervisor.StatsReportItem","version":"0","implement":true,"__meta":{"file":"classes/dispatch/StatsReportItem.talk","tag":"class","line":1}},{"description":"Request for a StatsReport of a given day.","field":[{"description":"Client connection token","type":["com.acres4.common.info.ConnectionToken"],"name":"tok","__meta":{"file":"classes/dispatch/StatsReportRequest.talk","tag":"field","line":4}},{"description":"If non-zero, this indicates the last call ID received by the client in a previous, paginated request. The client is requesting maxCount number of calls starting with the call after this specified call.","type":["int32"],"name":"lastIdentifier","__meta":{"file":"classes/dispatch/StatsReportRequest.talk","tag":"field","line":8}},{"description":"The maximum number of calls the client wishes to fetch in this request. Zero for infinite.","type":["int32"],"name":"maxCount","__meta":{"file":"classes/dispatch/StatsReportRequest.talk","tag":"field","line":12}},{"description":"Identifiers of employees that must be on each call returned.","type":["int32","[]"],"name":"attendantIDs","__meta":{"file":"classes/dispatch/StatsReportRequest.talk","tag":"field","line":16}},{"description":"Only calls with one of the specific call types are requested.","type":["int32","[]"],"name":"callTypes","__meta":{"file":"classes/dispatch/StatsReportRequest.talk","tag":"field","line":20}},{"description":"Only calls with these idCallConfigs are requested.","type":["int32","[]"],"name":"idCallConfigs","__meta":{"file":"classes/dispatch/StatsReportRequest.talk","tag":"field","line":24}},{"description":"Only calls within one of the specified sections are requested.","type":["int32","[]"],"name":"sectionIDs","__meta":{"file":"classes/dispatch/StatsReportRequest.talk","tag":"field","line":28}},{"description":"When true, only calls that contain at least one deferral are requested. If this is false, deferred calls will still be included.","type":["bool"],"name":"deferredCalls","__meta":{"file":"classes/dispatch/StatsReportRequest.talk","tag":"field","line":32}},{"description":"When true, only calls that contain at least one quit are requested. If this is false, quit calls will still be included.","type":["bool"],"name":"quitCalls","__meta":{"file":"classes/dispatch/StatsReportRequest.talk","tag":"field","line":36}},{"description":"When true, only calls that contain at least one MEAL entry are requested. If this is false, MEAL calls will still be included.","type":["bool"],"name":"mealCalls","__meta":{"file":"classes/dispatch/StatsReportRequest.talk","tag":"field","line":40}},{"description":"A string to be partially matched, case insensitive, in the call description or location.","type":["string"],"name":"searchString","__meta":{"file":"classes/dispatch/StatsReportRequest.talk","tag":"field","line":44}}],"name":"com.acres4.common.info.mercury.supervisor.StatsReportRequest","version":"0","implement":true,"__meta":{"file":"classes/dispatch/StatsReportRequest.talk","tag":"class","line":1}},{"description":"Request object for unlocking a linked employee card.","field":[{"description":"The Employee ID for whom we intend to unlock all linked cards.","type":["int32"],"name":"idEmployee","__meta":{"file":"classes/dispatch/UnlockEmployeeCard.talk","tag":"field","line":4}},{"description":"Client connection token","type":["com.acres4.common.info.ConnectionToken"],"name":"tok","__meta":{"file":"classes/dispatch/UnlockEmployeeCard.talk","tag":"field","line":8}}],"name":"com.acres4.common.info.mercury.supervisor.UnlockEmployeeCard","version":"0","implement":true,"__meta":{"file":"classes/dispatch/UnlockEmployeeCard.talk","tag":"class","line":1}},{"description":"Sets a new password for an employee account.","field":[{"description":"Client connection token","type":["com.acres4.common.info.ConnectionToken"],"name":"tok","__meta":{"file":"classes/dispatch/UpdatePassword.talk","tag":"field","line":4}},{"description":"ID number of the attendant to change PIN for","type":["int32"],"name":"userId","__meta":{"file":"classes/dispatch/UpdatePassword.talk","tag":"field","line":8}},{"description":"Web feature - require current password","type":["com.acres4.common.info.Password"],"name":"currentPassword","__meta":{"file":"classes/dispatch/UpdatePassword.talk","tag":"field","line":12}},{"description":"New password to set on employee account","type":["com.acres4.common.info.Password"],"name":"newPassword","__meta":{"file":"classes/dispatch/UpdatePassword.talk","tag":"field","line":16}},{"description":"Used to unlock a PIN, if true.","type":["bool"],"name":"unlockPin","__meta":{"file":"classes/dispatch/UpdatePassword.talk","tag":"field","line":20}}],"name":"com.acres4.common.info.UpdatePassword","version":"0","implement":true,"__meta":{"file":"classes/dispatch/UpdatePassword.talk","tag":"class","line":1}},{"description":"Used","field":[{"description":"Client connection token","type":["com.acres4.common.info.ConnectionToken"],"name":"tok","__meta":{"file":"classes/dispatch/WellSelection.talk","tag":"field","line":4}},{"description":"Unique identifier of the well a beverage user is assigned to","type":["int32"],"name":"idWell","__meta":{"file":"classes/dispatch/WellSelection.talk","tag":"field","line":8}}],"name":"com.acres4.common.info.mercury.client.WellSelection","version":"0","implement":true,"__meta":{"file":"classes/dispatch/WellSelection.talk","tag":"class","line":1}},{"description":"Wireless interface status","field":[{"description":"Current connection token","type":["com.acres4.common.info.ConnectionToken"],"name":"tok","__meta":{"file":"classes/dispatch/WirelessStatus.talk","tag":"field","line":4}},{"description":"SSID of current wireless network","type":["string"],"name":"ssid","__meta":{"file":"classes/dispatch/WirelessStatus.talk","tag":"field","line":8}},{"description":"SSID of current wireless network","type":["string"],"name":"bssid","__meta":{"file":"classes/dispatch/WirelessStatus.talk","tag":"field","line":12}},{"description":"Channel Id of the current wireless network","type":["int32"],"name":"channelid","__meta":{"file":"classes/dispatch/WirelessStatus.talk","tag":"field","line":16}},{"description":"RSSI of current wireless network","type":["real"],"name":"rssi","__meta":{"file":"classes/dispatch/WirelessStatus.talk","tag":"field","line":20}},{"description":"Noise RSSI of the current wireless network","type":["real"],"name":"noiseRssi","__meta":{"file":"classes/dispatch/WirelessStatus.talk","tag":"field","line":24}},{"description":"The id of the employee sending this request.","type":["int32"],"name":"idEmployee","__meta":{"file":"classes/dispatch/WirelessStatus.talk","tag":"field","line":28}},{"description":"Serial number from DeviceInfo.serialNumber (or any unique identifying ID for a device if not available)","type":["string"],"name":"serialNumber","__meta":{"file":"classes/dispatch/WirelessStatus.talk","tag":"field","line":32}}],"name":"com.acres4.common.info.WirelessStatus","version":"0","implement":true,"__meta":{"file":"classes/dispatch/WirelessStatus.talk","tag":"class","line":1}},{"description":"Information relating to dispatch employee's current tasking.","field":[{"description":"Calls employee is offered/active/etc","type":["com.acres4.common.info.mercury.client.CallInfo","[]"],"name":"currentCalls","__meta":{"file":"classes/dispatch/WorkInfo.talk","tag":"field","line":5}}],"name":"com.acres4.common.info.mercury.client.WorkInfo","version":"0","implement":true,"__meta":{"file":"classes/dispatch/WorkInfo.talk","tag":"class","line":1}},{"description":"Structure of an Email","field":[{"description":"the Recipients for this email message","type":["EmailHeader"],"name":"header","__meta":{"file":"classes/email/Email.talk","tag":"field","line":4}},{"description":"the parts of this email","type":["EmailBodyPart","[]"],"name":"parts","__meta":{"file":"classes/email/Email.talk","tag":"field","line":8}}],"name":"com.acres4.common.info.email.Email","version":"0","implement":true,"__meta":{"file":"classes/email/Email.talk","tag":"class","line":1}},{"description":"Structure of an Email Body Part","field":[{"description":"the body part content which is a gzipped encoded byte array","type":["string"],"name":"content","__meta":{"file":"classes/email/EmailBodyPart.talk","tag":"field","line":4}},{"description":"the body part content type","type":["string"],"name":"contentType","__meta":{"file":"classes/email/EmailBodyPart.talk","tag":"field","line":8}},{"description":"the body part content name","type":["string"],"name":"contentName","__meta":{"file":"classes/email/EmailBodyPart.talk","tag":"field","line":12}}],"name":"com.acres4.common.info.email.EmailBodyPart","version":"0","implement":true,"__meta":{"file":"classes/email/EmailBodyPart.talk","tag":"class","line":1}},{"description":"Structure of an Email Header","field":[{"description":"the Recipients for this email message","type":["EmailRecipient","[]"],"name":"recipients","__meta":{"file":"classes/email/EmailHeader.talk","tag":"field","line":4}},{"description":"the subject of this email","type":["string"],"name":"subject","__meta":{"file":"classes/email/EmailHeader.talk","tag":"field","line":8}},{"description":"the reply to for this email","type":["string"],"name":"replyTo","__meta":{"file":"classes/email/EmailHeader.talk","tag":"field","line":12}},{"description":"typically the time this email constructed","type":["int64"],"name":"sentTime","__meta":{"file":"classes/email/EmailHeader.talk","tag":"field","line":16}}],"name":"com.acres4.common.info.email.EmailHeader","version":"0","implement":true,"__meta":{"file":"classes/email/EmailHeader.talk","tag":"class","line":1}},{"description":"Structure of an Email Recipient","field":[{"description":"the email type","type":["string"],"name":"type","__meta":{"file":"classes/email/EmailRecipient.talk","tag":"field","line":4}},{"description":"the email address","type":["string"],"name":"address","__meta":{"file":"classes/email/EmailRecipient.talk","tag":"field","line":8}}],"name":"com.acres4.common.info.email.EmailRecipient","version":"0","implement":true,"__meta":{"file":"classes/email/EmailRecipient.talk","tag":"class","line":1}},{"description":"Identifies a client seen by Jedisense","field":[{"description":"MAC address of the seen client","type":["string"],"name":"client_mac","__meta":{"file":"classes/jedisense/JedisenseClient.talk","tag":"field","line":4}},{"description":"MAC address of the AP that has seen the client","type":["string"],"name":"ap_mac","__meta":{"file":"classes/jedisense/JedisenseClient.talk","tag":"field","line":8}},{"description":"RSSI of client. Supplied as a string because that's what Meraki gives it to us as.","type":["string"],"name":"rssi","__meta":{"file":"classes/jedisense/JedisenseClient.talk","tag":"field","line":12}},{"description":"Name of user identified by Jedisense, if known. Null otherwise.","type":["string"],"name":"user","__meta":{"file":"classes/jedisense/JedisenseClient.talk","tag":"field","line":16}},{"description":"Identifies site user has been seen on.","type":["string"],"name":"site","__meta":{"file":"classes/jedisense/JedisenseClient.talk","tag":"field","line":20}},{"description":"Time client was last seen by the AP, in seconds since Jan 1 1970.","type":["int32"],"name":"last_seen_epoch","__meta":{"file":"classes/jedisense/JedisenseClient.talk","tag":"field","line":24}}],"name":"com.acres4.common.info.jedisense.JedisenseClient","version":"0","implement":true,"__meta":{"file":"classes/jedisense/JedisenseClient.talk","tag":"class","line":1}},{"description":"Describes JSON-RPC Error object as of JSON-RPC v2.0","field":[{"description":"Error code. Error codes may be from JSONRPCErrorCode, or message-specific codes.","see":[{"type":"enumeration","name":"JSONRPCErrorCodes","__meta":{"file":"classes/json/JSONRPCError.talk","tag":"see","line":6}}],"type":["int32"],"name":"code","__meta":{"file":"classes/json/JSONRPCError.talk","tag":"field","line":4}},{"description":"A string providing a short description of the error. The message SHOULD be limited to a concise single sentence.","type":["string"],"name":"message","__meta":{"file":"classes/json/JSONRPCError.talk","tag":"field","line":9}},{"description":"Optional extra data. Contents depend upon message. May be omitted.","type":["talkobject"],"name":"error","__meta":{"file":"classes/json/JSONRPCError.talk","tag":"field","line":13}}],"name":"com.acres4.common.info.JSONRPCError","version":"0","implement":true,"__meta":{"file":"classes/json/JSONRPCError.talk","tag":"class","line":1}},{"description":"Encapsulates a JSON-RPC 2.0 notification object.","field":[{"description":"Interface associated with this notification.","see":[{"type":"glossary","name":"ServerINTF","__meta":{"file":"classes/json/JSONRPCNotification.talk","tag":"see","line":6}}],"type":["string"],"name":"intf","__meta":{"file":"classes/json/JSONRPCNotification.talk","tag":"field","line":4}},{"description":"Method to invoke on remote host. See: JSON-RPC Request Methods.","type":["string"],"name":"method","__meta":{"file":"classes/json/JSONRPCNotification.talk","tag":"field","line":9}},{"description":"Parameter to pass. Note that we do not make use of the JSON-RPC option to pass an array of parameters, and instead use the option to pass a single object as a non-array.","type":["talkobject"],"name":"params","__meta":{"file":"classes/json/JSONRPCNotification.talk","tag":"field","line":13}},{"description":"JSON-RPC version number. MUST be 2.0, as per JSON-RPC 2.0 specification.","type":["string"],"name":"jsonrpc","__meta":{"file":"classes/json/JSONRPCNotification.talk","tag":"field","line":17}},{"description":"Sequence number used for message-ack.","type":["int32"],"name":"seqno","__meta":{"file":"classes/json/JSONRPCNotification.talk","tag":"field","line":21}}],"name":"com.acres4.common.info.JSONRPCNotification","version":"0","implement":true,"__meta":{"file":"classes/json/JSONRPCNotification.talk","tag":"class","line":1}},{"description":"JSON-RPC 2.0 request object.","field":[{"description":"Interface associated with this request.","see":[{"type":"glossary","name":"ServerINTF","__meta":{"file":"classes/json/JSONRPCRequest.talk","tag":"see","line":6}}],"type":["string"],"name":"intf","__meta":{"file":"classes/json/JSONRPCRequest.talk","tag":"field","line":4}},{"description":"Method to invoke on remote host. See: JSON-RPC Request Methods.","type":["string"],"name":"method","__meta":{"file":"classes/json/JSONRPCRequest.talk","tag":"field","line":9}},{"description":"Parameter to pass. Note that we do not make use of the JSON-RPC option to pass an array of parameters, and instead use the option to pass a single object as a non-array.","type":["talkobject"],"name":"params","__meta":{"file":"classes/json/JSONRPCRequest.talk","tag":"field","line":13}},{"description":"Unique identifier for request, chosen by client.","type":["int32"],"name":"id","__meta":{"file":"classes/json/JSONRPCRequest.talk","tag":"field","line":17}},{"description":"JSON-RPC version. MUST be \"2.0\" as per JSON-RPC 2.0 specification.","type":["string"],"name":"jsonrpc","__meta":{"file":"classes/json/JSONRPCRequest.talk","tag":"field","line":21}}],"name":"com.acres4.common.info.JSONRPCRequest","version":"0","implement":true,"__meta":{"file":"classes/json/JSONRPCRequest.talk","tag":"class","line":1}},{"description":"Information from a JSON-RPC 2.0 response. Assumes that the result field of all such JSON-RPC responses will contain a NamedObjectWrapper.","field":[{"description":"Identifier from JSON-RPC request.","type":["int32"],"name":"id","__meta":{"file":"classes/json/JSONRPCResponse.talk","tag":"field","line":4}},{"description":"Error status of request. Must be omitted if no error occurred.","type":["com.acres4.common.info.JSONRPCError"],"name":"error","__meta":{"file":"classes/json/JSONRPCResponse.talk","tag":"field","line":8}},{"description":"Result of request","type":["talkobject"],"name":"result","__meta":{"file":"classes/json/JSONRPCResponse.talk","tag":"field","line":12}},{"description":"JSON-RPC version. MUST be \"2.0\" as per JSON-RPC 2.0 specification.","type":["string"],"name":"jsonrpc","__meta":{"file":"classes/json/JSONRPCResponse.talk","tag":"field","line":16}},{"description":"Sequence number used for message-ack.","type":["int32"],"name":"seqno","__meta":{"file":"classes/json/JSONRPCResponse.talk","tag":"field","line":20}}],"name":"com.acres4.common.info.JSONRPCResponse","version":"0","implement":true,"__meta":{"file":"classes/json/JSONRPCResponse.talk","tag":"class","line":1}},{"description":"Sent to acknowledge receiving an async message, which could be a response to a JSONRPCRequest or a true JSONRPCNotification, thus clearing it from the server-side queue of unack'd messages.","field":[{"description":"Current connection token","type":["com.acres4.common.info.ConnectionToken"],"name":"tok","__meta":{"file":"classes/json/MessageAck.talk","tag":"field","line":4}},{"description":"Sequence number ID acknowledging the last contiguous async message seqno received and processed.","type":["int32"],"name":"seqno","__meta":{"file":"classes/json/MessageAck.talk","tag":"field","line":8}}],"name":"com.acres4.common.info.MessageAck","version":"0","implement":true,"__meta":{"file":"classes/json/MessageAck.talk","tag":"class","line":1}},{"description":"Site configuration data for KaiCheck server.","field":[{"description":"Expected SSID for Kai devices","type":["string"],"name":"ssid","__meta":{"file":"classes/kaicheck/KaicheckConfig.talk","tag":"field","line":4}},{"description":"Expected number of Kai devices on network","type":["int32"],"name":"devices","__meta":{"file":"classes/kaicheck/KaicheckConfig.talk","tag":"field","line":8}},{"description":"Expected site ID for Usher service","type":["int32"],"name":"siteId","__meta":{"file":"classes/kaicheck/KaicheckConfig.talk","tag":"field","line":12}},{"description":"URL to direct log uploads to","type":["string"],"name":"logUploadUrl","__meta":{"file":"classes/kaicheck/KaicheckConfig.talk","tag":"field","line":16}},{"description":"URL to direct bandwidth tests to.","type":["string"],"name":"bandwidthUrl","__meta":{"file":"classes/kaicheck/KaicheckConfig.talk","tag":"field","line":20}},{"description":"TCP port number to use for bandwidth tests.","type":["uint16"],"name":"bandwidthPort","__meta":{"file":"classes/kaicheck/KaicheckConfig.talk","tag":"field","line":24}},{"description":"Size of upload test payload, in bytes","type":["uint32"],"name":"bandwidthUploadSize","__meta":{"file":"classes/kaicheck/KaicheckConfig.talk","tag":"field","line":28}},{"description":"Maximum duration of upload test, in milliseconds","type":["uint32"],"name":"bandwidthUploadInterval","__meta":{"file":"classes/kaicheck/KaicheckConfig.talk","tag":"field","line":32}},{"description":"Size of download test payload, in bytes","type":["uint32"],"name":"bandwidthDownloadSize","__meta":{"file":"classes/kaicheck/KaicheckConfig.talk","tag":"field","line":36}},{"description":"Maximum duration of download test, in milliseconds","type":["uint32"],"name":"bandwidthDownloadInterval","__meta":{"file":"classes/kaicheck/KaicheckConfig.talk","tag":"field","line":40}},{"description":"Hostname to direct UDP tests to.","type":["string"],"name":"latencyHost","__meta":{"file":"classes/kaicheck/KaicheckConfig.talk","tag":"field","line":44}},{"description":"UDP port number to use for latency and packet loss tests.","type":["uint16"],"name":"latencyPort","__meta":{"file":"classes/kaicheck/KaicheckConfig.talk","tag":"field","line":48}},{"description":"Period after which to declare ping packets lost, in milliseconds.","type":["uint32"],"name":"latencyTimeout","__meta":{"file":"classes/kaicheck/KaicheckConfig.talk","tag":"field","line":52}},{"description":"Number of seconds to measure latency over","type":["uint32"],"name":"latencySamplePeriod","__meta":{"file":"classes/kaicheck/KaicheckConfig.talk","tag":"field","line":56}},{"description":"Number of milliseconds to wait between echo packets","type":["uint32"],"name":"latencySampleInterval","__meta":{"file":"classes/kaicheck/KaicheckConfig.talk","tag":"field","line":60}},{"description":"Window size to use for rolling latency test, in seconds","type":["uint32"],"name":"latencyRollingWindow","__meta":{"file":"classes/kaicheck/KaicheckConfig.talk","tag":"field","line":64}},{"description":"Interval to use between pings for rolling latency test, in milliseconds","type":["uint32"],"name":"latencyRollingInterval","__meta":{"file":"classes/kaicheck/KaicheckConfig.talk","tag":"field","line":68}},{"description":"Three-word server build ID.","type":["string"],"name":"build","__meta":{"file":"classes/kaicheck/KaicheckConfig.talk","tag":"field","line":72}}],"name":"com.acres4.common.info.kaicheck.KaicheckConfig","version":"0","implement":true,"__meta":{"file":"classes/kaicheck/KaicheckConfig.talk","tag":"class","line":1}},{"description":"Requests the Kaicheck test server to send a pre-stored log to one or more e-mail addresses.","field":[{"description":"Recipients of the log file","type":["string","[]"],"name":"emails","__meta":{"file":"classes/kaicheck/KaicheckEmailRequest.talk","tag":"field","line":4}}],"name":"com.acres4.common.info.kaicheck.KaicheckEmailRequest","version":"0","implement":true,"__meta":{"file":"classes/kaicheck/KaicheckEmailRequest.talk","tag":"class","line":1}},{"description":"Status of a wireless interface in Kai Check. Much of this information is not now publicly supported in iOS as of version 7.0, nor has it ever been, nor has Apple indicated any desire to reverse that policy. It may be possible to access this information through jailbreaking and/or private frameworks.","field":[{"description":"Thoroughness of report. Due to the limitations of the Apple public frameworks, we may not have access to things like RSSI, rate and channel. This field indicates the amount of data available.","type":["int8"],"name":"thoroughness","__meta":{"file":"classes/kaicheck/KaicheckInterfaceStatus.talk","tag":"field","line":4}},{"description":"Time that this sample was taken in epoch milliseconds.","type":["int64"],"name":"timestamp","__meta":{"file":"classes/kaicheck/KaicheckInterfaceStatus.talk","tag":"field","line":8}},{"description":"BSSID of the current wireless router.","type":["string"],"name":"bssid","__meta":{"file":"classes/kaicheck/KaicheckInterfaceStatus.talk","tag":"field","line":12}},{"description":"SSID of the current wireless network.","type":["string"],"name":"ssid","__meta":{"file":"classes/kaicheck/KaicheckInterfaceStatus.talk","tag":"field","line":16}},{"description":"Current wireless channel.","type":["int32"],"name":"channel","__meta":{"file":"classes/kaicheck/KaicheckInterfaceStatus.talk","tag":"field","line":20}},{"description":"Wireless channel flags, as reported by Apple framework.","caveat":["No one seems to know what this field means."],"type":["uint32"],"name":"channelFlags","__meta":{"file":"classes/kaicheck/KaicheckInterfaceStatus.talk","tag":"field","line":24}},{"description":"Theoretical channel bandwidth.","type":["real"],"name":"rate","__meta":{"file":"classes/kaicheck/KaicheckInterfaceStatus.talk","tag":"field","line":29}},{"description":"Value of the NOISE_CTL_AGR field from Apple's private Apple80211GetInfoCopy call.","type":["real"],"name":"noiseCtlAgr","__meta":{"file":"classes/kaicheck/KaicheckInterfaceStatus.talk","tag":"field","line":33}},{"description":"Value of the NOISE_UNIT field from Apple's private Apple80211GetInfoCopy call.","type":["real"],"name":"noiseUnit","__meta":{"file":"classes/kaicheck/KaicheckInterfaceStatus.talk","tag":"field","line":37}},{"description":"Indicates whether noise information is available. Even if we have private access, older devices don't report noise.","type":["bool"],"name":"hasNoise","__meta":{"file":"classes/kaicheck/KaicheckInterfaceStatus.talk","tag":"field","line":41}},{"description":"Value of the RSSI_CTL_AGR field from Apple's private Apple80211GetInfoCopy call; if we're lucky, this will help us determine signal strength, but I'd be lying if I said I knew what it means. :)","type":["real"],"name":"rssiCtlAgr","__meta":{"file":"classes/kaicheck/KaicheckInterfaceStatus.talk","tag":"field","line":45}},{"description":"Value of the RSSI_UNIT field from Apple's private Apple80211GetInfoCopy call; if we're lucky, this will help us determine signal strength, but I'd be lying if I said I knew what it means. :)","type":["real"],"name":"rssiUnit","__meta":{"file":"classes/kaicheck/KaicheckInterfaceStatus.talk","tag":"field","line":49}}],"name":"com.acres4.common.info.kaicheck.KaicheckInterfaceStatus","version":"0","implement":true,"__meta":{"file":"classes/kaicheck/KaicheckInterfaceStatus.talk","tag":"class","line":1}},{"description":"A log of zero or more wireless surveys containing network performance data for a site.","field":[{"description":"Name of the site at which this log was collected, e.g. \"Bob's Casino.\"","type":["string"],"name":"siteName","__meta":{"file":"classes/kaicheck/KaicheckLog.talk","tag":"field","line":4}},{"description":"Universally unique identifier for this log.","type":["string"],"name":"uuid","__meta":{"file":"classes/kaicheck/KaicheckLog.talk","tag":"field","line":8}},{"description":"Zero or more log entries.","type":["KaicheckLogEntry","[]"],"name":"entries","__meta":{"file":"classes/kaicheck/KaicheckLog.talk","tag":"field","line":12}},{"description":"Info about the app performing these site surveys.","type":["com.acres4.common.info.AppInfo"],"name":"app","__meta":{"file":"classes/kaicheck/KaicheckLog.talk","tag":"field","line":16}},{"description":"Info about the device performing these site surveys.","type":["com.acres4.common.info.DeviceInfo"],"name":"device","__meta":{"file":"classes/kaicheck/KaicheckLog.talk","tag":"field","line":20}}],"name":"com.acres4.common.info.kaicheck.KaicheckLog","version":"0","implement":true,"__meta":{"file":"classes/kaicheck/KaicheckLog.talk","tag":"class","line":1}},{"description":"Individual entry within a Kai Check log, representing a connectivity survey at a given point.","field":[{"description":"Connectivity error encountered, e.g. no Wifi.","type":["int8"],"name":"error","__meta":{"file":"classes/kaicheck/KaicheckLogEntry.talk","tag":"field","line":4}},{"description":"Location of survey, e.g. \"High limit area.\"","type":["string"],"name":"location","__meta":{"file":"classes/kaicheck/KaicheckLogEntry.talk","tag":"field","line":8}},{"description":"Interface status at the time of the survey","type":["com.acres4.common.info.kaicheck.KaicheckInterfaceStatus"],"name":"intf","__meta":{"file":"classes/kaicheck/KaicheckLogEntry.talk","tag":"field","line":12}},{"description":"Hostname of site used for network tests, e.g. \"wifi.acres4.net\".","type":["string"],"name":"site","__meta":{"file":"classes/kaicheck/KaicheckLogEntry.talk","tag":"field","line":16}},{"description":"Timestamp when survey began, in ISO 8601 (YYYY-MM-DDTHH:MM:SSZ)","caveat":["Timestamps MUST be supplied in UTC."],"type":["string"],"name":"surveytime","__meta":{"file":"classes/kaicheck/KaicheckLogEntry.talk","tag":"field","line":20}},{"description":"Site latency, in milliseconds.","type":["uint32"],"name":"latency","__meta":{"file":"classes/kaicheck/KaicheckLogEntry.talk","tag":"field","line":25}},{"description":"Packet loss to site, as a fraction.","type":["real"],"name":"loss","__meta":{"file":"classes/kaicheck/KaicheckLogEntry.talk","tag":"field","line":29}},{"description":"Upload speed, in KiB/s.","type":["real"],"name":"upspeed","__meta":{"file":"classes/kaicheck/KaicheckLogEntry.talk","tag":"field","line":33}},{"description":"Download speed, in KiB/s.","type":["real"],"name":"downspeed","__meta":{"file":"classes/kaicheck/KaicheckLogEntry.talk","tag":"field","line":37}}],"name":"com.acres4.common.info.kaicheck.KaicheckLogEntry","version":"0","implement":true,"__meta":{"file":"classes/kaicheck/KaicheckLogEntry.talk","tag":"class","line":1}},{"description":"Recent history of Wireless objects with device information","field":[{"description":"Unique identifier for this report","type":["string"],"name":"log_uuid","__meta":{"file":"classes/kaicheck/WirelessIssueLog.talk","tag":"field","line":4}},{"description":"Time the issue occured as reported by the client","type":["int64"],"name":"timeReceived","__meta":{"file":"classes/kaicheck/WirelessIssueLog.talk","tag":"field","line":8}},{"description":"Time of the users last card into a machine","type":["int64"],"name":"timeOfLastCardIn","__meta":{"file":"classes/kaicheck/WirelessIssueLog.talk","tag":"field","line":12}},{"description":"Machine location user last carded into","type":["string"],"name":"machineLocationLastCardedInto","__meta":{"file":"classes/kaicheck/WirelessIssueLog.talk","tag":"field","line":16}},{"description":"Machine location of current call","type":["string"],"name":"machineLocationOfCurrentCall","__meta":{"file":"classes/kaicheck/WirelessIssueLog.talk","tag":"field","line":20}},{"description":"Bitmask indicating reasons for automatic recording of network info.","type":["int32"],"name":"reason","__meta":{"file":"classes/kaicheck/WirelessIssueLog.talk","tag":"field","line":24}},{"description":"Identifying value for the current user. For Kai, this will be DispatchAttendant identifier.","type":["int32"],"name":"idEmployee","__meta":{"file":"classes/kaicheck/WirelessIssueLog.talk","tag":"field","line":28}},{"description":"KaicheckInterfaceStatus entries for the last several seconds (generally 30,) oldest first.","type":["com.acres4.common.info.kaicheck.KaicheckInterfaceStatus","[]"],"name":"entries","__meta":{"file":"classes/kaicheck/WirelessIssueLog.talk","tag":"field","line":32}},{"description":"Current connection token","type":["com.acres4.common.info.ConnectionToken"],"name":"tok","__meta":{"file":"classes/kaicheck/WirelessIssueLog.talk","tag":"field","line":36}},{"description":"Serial number from DeviceInfo.serialNumber (or any unique identifying ID for a device if not available)","type":["string"],"name":"serialNumber","__meta":{"file":"classes/kaicheck/WirelessIssueLog.talk","tag":"field","line":40}}],"name":"com.acres4.common.info.WirelessIssueLog","version":"0","implement":true,"__meta":{"file":"classes/kaicheck/WirelessIssueLog.talk","tag":"class","line":1}},{"description":"Mechanism for storing daily meters","field":[{"description":"The business day YYYYMMDD of the daily meters","type":["int32"],"name":"businessDay","__meta":{"file":"classes/kailite/KaiLiteDailyMeters.talk","tag":"field","line":4}},{"description":"The number of machines on this business day","type":["int32"],"name":"numMachines","__meta":{"file":"classes/kailite/KaiLiteDailyMeters.talk","tag":"field","line":8}},{"description":"The last hourly stats processed (started not necesarily completed)","type":["int32"],"name":"lastHour","__meta":{"file":"classes/kailite/KaiLiteDailyMeters.talk","tag":"field","line":12}},{"description":"The last event time seen on this business day","type":["int64"],"name":"lastEventTime","__meta":{"file":"classes/kailite/KaiLiteDailyMeters.talk","tag":"field","line":16}},{"description":"meter deltas for hours of day (0..23)","type":["KaiLiteMeterDelta","[]"],"name":"hourly","__meta":{"file":"classes/kailite/KaiLiteDailyMeters.talk","tag":"field","line":20}},{"description":"Total daily meter deltas","type":["KaiLiteMeterDelta"],"name":"total","__meta":{"file":"classes/kailite/KaiLiteDailyMeters.talk","tag":"field","line":24}},{"description":"Total daily meter deltas","type":["KaiLiteMachineMeters","{}"],"name":"detail","__meta":{"file":"classes/kailite/KaiLiteDailyMeters.talk","tag":"field","line":28}}],"name":"com.acres4.common.info.kailite.KaiLiteDailyMeters","version":"0","implement":true,"__meta":{"file":"classes/kailite/KaiLiteDailyMeters.talk","tag":"class","line":1}},{"description":"Mechanism for storing Machine meters for device","field":[{"description":"Device id that meters are for","type":["string"],"name":"hostDeviceId","__meta":{"file":"classes/kailite/KaiLiteMachineMeters.talk","tag":"field","line":4}},{"description":"meter deltas for hours of day (0..23)","type":["KaiLiteMeterDelta","[]"],"name":"hourly","__meta":{"file":"classes/kailite/KaiLiteMachineMeters.talk","tag":"field","line":8}},{"description":"totals","type":["KaiLiteMeterDelta"],"name":"total","__meta":{"file":"classes/kailite/KaiLiteMachineMeters.talk","tag":"field","line":12}}],"name":"com.acres4.common.info.kailite.KaiLiteMachineMeters","version":"0","implement":true,"__meta":{"file":"classes/kailite/KaiLiteMachineMeters.talk","tag":"class","line":1}},{"description":"Mechanism for storing a meter delta period","field":[{"description":"meter delta for all play","type":["HostMeters"],"name":"total","__meta":{"file":"classes/kailite/KaiLiteMeterDelta.talk","tag":"field","line":4}},{"description":"meter delta for carded play","type":["HostMeters"],"name":"carded","__meta":{"file":"classes/kailite/KaiLiteMeterDelta.talk","tag":"field","line":8}},{"description":"theoretical win","type":["int64"],"name":"theoWin","__meta":{"file":"classes/kailite/KaiLiteMeterDelta.talk","tag":"field","line":12}}],"name":"com.acres4.common.info.kailite.KaiLiteMeterDelta","version":"0","implement":true,"__meta":{"file":"classes/kailite/KaiLiteMeterDelta.talk","tag":"class","line":1}},{"description":"Meters Request","field":[{"description":"Current connection token","type":["com.acres4.common.info.ConnectionToken"],"name":"tok","__meta":{"file":"classes/kailite/KaiLiteMetersRequest.talk","tag":"field","line":4}},{"description":"The business day YYYYMMDD, start of range","type":["int32"],"name":"businessDayStart","__meta":{"file":"classes/kailite/KaiLiteMetersRequest.talk","tag":"field","line":8}},{"description":"The business day YYYYMMDD, end of range","type":["int32"],"name":"businessDayEnd","__meta":{"file":"classes/kailite/KaiLiteMetersRequest.talk","tag":"field","line":12}}],"name":"com.acres4.common.info.kailite.KaiLiteMetersRequest","version":"0","implement":true,"__meta":{"file":"classes/kailite/KaiLiteMetersRequest.talk","tag":"class","line":1}},{"description":"Response to KaiLiteMetersRequest","field":[{"description":"server time epoch","type":["int64"],"name":"serverTime","__meta":{"file":"classes/kailite/KaiLiteMetersResponse.talk","tag":"field","line":4}},{"description":"hour of business day begin","type":["int32"],"name":"hourOffset","__meta":{"file":"classes/kailite/KaiLiteMetersResponse.talk","tag":"field","line":8}},{"description":"historical max machine count","type":["int32"],"name":"maxMachineCount","__meta":{"file":"classes/kailite/KaiLiteMetersResponse.talk","tag":"field","line":12}},{"description":"historical max machine count","type":["int32"],"name":"machineCount","__meta":{"file":"classes/kailite/KaiLiteMetersResponse.talk","tag":"field","line":16}},{"description":"historical max headcount","type":["int32"],"name":"maxHeadCount","__meta":{"file":"classes/kailite/KaiLiteMetersResponse.talk","tag":"field","line":20}},{"description":"historical max coinIn","type":["int32"],"name":"maxCoinIn","__meta":{"file":"classes/kailite/KaiLiteMetersResponse.talk","tag":"field","line":24}},{"description":"Array of daily meters objects","type":["com.acres4.common.info.kailite.KaiLiteDailyMeters","[]"],"name":"dailyMeters","__meta":{"file":"classes/kailite/KaiLiteMetersResponse.talk","tag":"field","line":28}}],"name":"com.acres4.common.info.kailite.KaiLiteMetersResponse","version":"0","implement":true,"__meta":{"file":"classes/kailite/KaiLiteMetersResponse.talk","tag":"class","line":1}},{"description":"Defines License Modules","field":[{"description":"The license info object","type":["LicenseInfo"],"name":"licenseInfo","__meta":{"file":"classes/license/License.talk","tag":"field","line":4}},{"description":"The signature of the licenseInfoJson string","type":["com.acres4.common.info.security.SignatureData"],"name":"signature","__meta":{"file":"classes/license/License.talk","tag":"field","line":7}}],"name":"com.acres4.common.info.license.License","version":"0","implement":true,"__meta":{"file":"classes/license/License.talk","tag":"class","line":1}},{"description":"Defines Information contained in a license","field":[{"description":"The Site this license is good for","type":["int32"],"name":"idSite","__meta":{"file":"classes/license/LicenseInfo.talk","tag":"field","line":4}},{"description":"The internal ip address this license is good for","type":["string"],"name":"ipAddress","__meta":{"file":"classes/license/LicenseInfo.talk","tag":"field","line":8}},{"description":"The number of machines this license is good for","type":["int32"],"name":"numMachines","__meta":{"file":"classes/license/LicenseInfo.talk","tag":"field","line":12}},{"description":"This indicates if the license is permanent and never will expire","type":["bool"],"name":"permanent","__meta":{"file":"classes/license/LicenseInfo.talk","tag":"field","line":16}},{"description":"The set of defined permissions for the license. These are module permissions.","type":["SystemPermission","[]"],"name":"modules","__meta":{"file":"classes/license/LicenseInfo.talk","tag":"field","line":20}}],"name":"com.acres4.common.info.license.LicenseInfo","version":"0","implement":true,"__meta":{"file":"classes/license/LicenseInfo.talk","tag":"class","line":1}},{"description":"Defines all the attributes for a site module provisioning","field":[{"description":"all Kai modules","type":["int64"],"name":"modules","__meta":{"file":"classes/license/ModuleProvision.talk","tag":"field","line":4}},{"description":"Denotes the maximum number of slots that are provisioned","type":["int32"],"name":"maxAllowedMachines","__meta":{"file":"classes/license/ModuleProvision.talk","tag":"field","line":8}},{"description":"Indicates whether the license is active","type":["bool"],"name":"active","__meta":{"file":"classes/license/ModuleProvision.talk","tag":"field","line":12}},{"description":"Indicates whether the license is permanent, thus no need for renewal","type":["bool"],"name":"permanent","__meta":{"file":"classes/license/ModuleProvision.talk","tag":"field","line":16}},{"description":"The date on which the license will expire","type":["int64"],"name":"expiration","__meta":{"file":"classes/license/ModuleProvision.talk","tag":"field","line":20}},{"description":"Number of times the license has been attempted to renew","type":["int32"],"name":"renewalAttempts","__meta":{"file":"classes/license/ModuleProvision.talk","tag":"field","line":24}}],"name":"com.acres4.common.info.license.ModuleProvision","version":"0","implement":true,"__meta":{"file":"classes/license/ModuleProvision.talk","tag":"class","line":1}},{"description":"Provides object wrapping for log request","field":[{"description":"Current connection token","type":["com.acres4.common.info.ConnectionToken"],"name":"tok","__meta":{"file":"classes/log/LogClose.talk","tag":"field","line":4}},{"description":"System id the log message is for","type":["int32"],"name":"systemId","__meta":{"file":"classes/log/LogClose.talk","tag":"field","line":8}},{"description":"Site id the log message is for","type":["int32"],"name":"siteId","__meta":{"file":"classes/log/LogClose.talk","tag":"field","line":12}},{"description":"Site id the log message is for","type":["int32"],"name":"businessDay","__meta":{"file":"classes/log/LogClose.talk","tag":"field","line":16}}],"name":"com.acres4.common.info.log.LogClose","version":"0","implement":true,"__meta":{"file":"classes/log/LogClose.talk","tag":"class","line":1}},{"description":"Provides object wrapping for log Entry","field":[{"description":"log header entry","type":["LogEntryHeader"],"name":"header","__meta":{"file":"classes/log/LogEntryData.talk","tag":"field","line":4}},{"description":"provides location for client to set values it may wish to filter on in later read requests","type":["LogFilter","[]"],"name":"filter","__meta":{"file":"classes/log/LogEntryData.talk","tag":"field","line":8}},{"description":"class type for json string","type":["string"],"name":"className","__meta":{"file":"classes/log/LogEntryData.talk","tag":"field","line":12}},{"description":"json string (possibly compressed) of object to log","type":["string"],"name":"jsonObject","__meta":{"file":"classes/log/LogEntryData.talk","tag":"field","line":16}},{"description":"indicates if json data is compressed","type":["bool"],"name":"compressed","__meta":{"file":"classes/log/LogEntryData.talk","tag":"field","line":20}}],"name":"com.acres4.common.info.log.LogEntryData","version":"0","implement":true,"__meta":{"file":"classes/log/LogEntryData.talk","tag":"class","line":1}},{"description":"Provides object wrapping for log Entry","field":[{"description":"System id the log message is for","type":["int32"],"name":"systemId","__meta":{"file":"classes/log/LogEntryHeader.talk","tag":"field","line":4}},{"description":"Site id the log message is for","type":["int32"],"name":"siteId","__meta":{"file":"classes/log/LogEntryHeader.talk","tag":"field","line":8}},{"description":"Site id the log message is for","type":["int32"],"name":"businessDay","__meta":{"file":"classes/log/LogEntryHeader.talk","tag":"field","line":12}}],"name":"com.acres4.common.info.log.LogEntryHeader","version":"0","implement":true,"__meta":{"file":"classes/log/LogEntryHeader.talk","tag":"class","line":1}},{"description":"Provides object wrapping for log Filtering","field":[{"description":"id for the filter value (see LogFilterIds below)","type":["int8"],"name":"filterId","__meta":{"file":"classes/log/LogFilter.talk","tag":"field","line":4}},{"description":"Value for the filter object","type":["int64"],"name":"value","__meta":{"file":"classes/log/LogFilter.talk","tag":"field","line":8}}],"name":"com.acres4.common.info.log.LogFilter","version":"0","implement":true,"__meta":{"file":"classes/log/LogFilter.talk","tag":"class","line":1}},{"description":"Provides object wrapping for requesting a queued filter request response from the log server","field":[{"description":"Current connection token","type":["com.acres4.common.info.ConnectionToken"],"name":"tok","__meta":{"file":"classes/log/LogFilterQueueRequest.talk","tag":"field","line":4}},{"description":"provided as a courtesy to client","type":["int64"],"name":"requestId","__meta":{"file":"classes/log/LogFilterQueueRequest.talk","tag":"field","line":8}}],"name":"com.acres4.common.info.log.LogFilterQueueRequest","version":"0","implement":true,"__meta":{"file":"classes/log/LogFilterQueueRequest.talk","tag":"class","line":1}},{"description":"Provides object wrapping for log Queueing request","field":[{"description":"offset in log where next request would be required to finish parsing log","type":["int8"],"name":"status","__meta":{"file":"classes/log/LogFilterQueueResponse.talk","tag":"field","line":4}},{"description":"offset in log where next request would be required to finish parsing log (-1 => complete)","type":["int64"],"name":"offset","__meta":{"file":"classes/log/LogFilterQueueResponse.talk","tag":"field","line":8}},{"description":"offset in log where next request would be required to finish parsing log (-1 => complete)","type":["int64"],"name":"fileLen","__meta":{"file":"classes/log/LogFilterQueueResponse.talk","tag":"field","line":12}},{"description":"offset in log where next request would be required to finish parsing log (-1 => complete)","type":["int32"],"name":"numRecords","__meta":{"file":"classes/log/LogFilterQueueResponse.talk","tag":"field","line":16}},{"description":"Log Entries matching request (null unless status = LOG_FILTER_QUEUE_STATUS_COMPLETE)","type":["LogServerEntry","[]"],"name":"match","__meta":{"file":"classes/log/LogFilterQueueResponse.talk","tag":"field","line":20}},{"description":"Error string (null unless status = LOG_FILTER_QUEUE_STATUS_ERROR)","type":["string"],"name":"error","__meta":{"file":"classes/log/LogFilterQueueResponse.talk","tag":"field","line":24}}],"name":"com.acres4.common.info.log.LogFilterQueueResponse","version":"0","implement":true,"__meta":{"file":"classes/log/LogFilterQueueResponse.talk","tag":"class","line":1}},{"description":"Provides object wrapping for log Filtering Request","field":[{"description":"id for the filter value (see LogFilterIds below)","type":["int8"],"name":"filterId","__meta":{"file":"classes/log/LogFilterRange.talk","tag":"field","line":4}},{"description":"Min Value for the filter object","type":["int64"],"name":"minValue","__meta":{"file":"classes/log/LogFilterRange.talk","tag":"field","line":8}},{"description":"Max Value for the filter object","type":["int64"],"name":"maxValue","__meta":{"file":"classes/log/LogFilterRange.talk","tag":"field","line":12}}],"name":"com.acres4.common.info.log.LogFilterRange","version":"0","implement":true,"__meta":{"file":"classes/log/LogFilterRange.talk","tag":"class","line":1}},{"description":"Provides object wrapping for log filtering (read) request","field":[{"description":"Current connection token","type":["com.acres4.common.info.ConnectionToken"],"name":"tok","__meta":{"file":"classes/log/LogFilterRequest.talk","tag":"field","line":4}},{"description":"request id from client so log server can detect duplicates in case of duplicate requests all other information below is ignored","type":["int64"],"name":"requestId","__meta":{"file":"classes/log/LogFilterRequest.talk","tag":"field","line":8}},{"description":"offset in log where request should start (0 for beginning of log)","type":["int64"],"name":"offset","__meta":{"file":"classes/log/LogFilterRequest.talk","tag":"field","line":13}},{"description":"Max Records to return","type":["int32"],"name":"maxRecords","__meta":{"file":"classes/log/LogFilterRequest.talk","tag":"field","line":17}},{"description":"Header record to filter on - set values to -1 or null if don't care","type":["com.acres4.common.info.log.LogEntryHeader"],"name":"header","__meta":{"file":"classes/log/LogFilterRequest.talk","tag":"field","line":21}},{"description":"provides client method for filtering records.","type":["com.acres4.common.info.log.LogFilterRange","[]"],"name":"filter","__meta":{"file":"classes/log/LogFilterRequest.talk","tag":"field","line":25}}],"name":"com.acres4.common.info.log.LogFilterRequest","version":"0","implement":true,"__meta":{"file":"classes/log/LogFilterRequest.talk","tag":"class","line":1}},{"description":"Provides object wrapping for log filtering (read) response","field":[{"description":"provided as a courtesy to client","type":["int64"],"name":"requestId","__meta":{"file":"classes/log/LogFilterResponse.talk","tag":"field","line":4}}],"name":"com.acres4.common.info.log.LogFilterResponse","version":"0","implement":true,"__meta":{"file":"classes/log/LogFilterResponse.talk","tag":"class","line":1}},{"description":"Provides object wrapping for log request","field":[{"description":"Current connection token","type":["com.acres4.common.info.ConnectionToken"],"name":"tok","__meta":{"file":"classes/log/LogRequest.talk","tag":"field","line":4}},{"description":"log entry","type":["com.acres4.common.info.log.LogEntryData"],"name":"entry","__meta":{"file":"classes/log/LogRequest.talk","tag":"field","line":8}}],"name":"com.acres4.common.info.log.LogRequest","version":"0","implement":true,"__meta":{"file":"classes/log/LogRequest.talk","tag":"class","line":1}},{"description":"Provides object wrapping for log response","field":[{"description":"offset in log where entry was made","type":["int64"],"name":"offset","__meta":{"file":"classes/log/LogResponse.talk","tag":"field","line":4}}],"name":"com.acres4.common.info.log.LogResponse","version":"0","implement":true,"__meta":{"file":"classes/log/LogResponse.talk","tag":"class","line":1}},{"description":"Provides object wrapping for log request","field":[{"description":"log entry","type":["com.acres4.common.info.log.LogEntryData"],"name":"entry","__meta":{"file":"classes/log/LogServerEntry.talk","tag":"field","line":4}},{"description":"Current time at receipt of message","type":["int64"],"name":"receiptTime","__meta":{"file":"classes/log/LogServerEntry.talk","tag":"field","line":8}},{"description":"Ip address of requester","type":["string"],"name":"receiptIp","__meta":{"file":"classes/log/LogServerEntry.talk","tag":"field","line":12}}],"name":"com.acres4.common.info.log.LogServerEntry","version":"0","implement":true,"__meta":{"file":"classes/log/LogServerEntry.talk","tag":"class","line":1}},{"description":"Object for creating a new MEAL entry manually.","field":[{"description":"The ID of a specific call you want the meal entry for.","type":["int32"],"name":"callID","__meta":{"file":"classes/meal/CreateMealRequest.talk","tag":"field","line":4}},{"description":"The comment to attach to the meal entry.","type":["string"],"name":"comment","__meta":{"file":"classes/meal/CreateMealRequest.talk","tag":"field","line":8}},{"description":"Client connection token","type":["com.acres4.common.info.ConnectionToken"],"name":"tok","__meta":{"file":"classes/meal/CreateMealRequest.talk","tag":"field","line":12}}],"name":"com.acres4.common.info.mercury.client.CreateMealRequest","version":"0","implement":true,"__meta":{"file":"classes/meal/CreateMealRequest.talk","tag":"class","line":1}},{"description":"Machine Entry Access List object","field":[{"description":"Unique identifier for the MEAL entry.","type":["int32"],"name":"identifier","__meta":{"file":"classes/meal/Meal.talk","tag":"field","line":4}},{"description":"The timestamp of the machine entry. UTC milliseconds since epoch.","type":["int64"],"name":"entryTime","__meta":{"file":"classes/meal/Meal.talk","tag":"field","line":8}},{"description":"The identifier of the call on which this MEAL entry was created.","type":["int64"],"name":"callID","__meta":{"file":"classes/meal/Meal.talk","tag":"field","line":12}},{"description":"The id of the reason the user selected. (if selected from a list - otherwise 0)","type":["int32"],"name":"reasonID","__meta":{"file":"classes/meal/Meal.talk","tag":"field","line":16}},{"description":"The entry reason entered for entering the machine.","type":["string"],"name":"reason","__meta":{"file":"classes/meal/Meal.talk","tag":"field","line":20}},{"description":"The additional entry reason entered for entering the machine.","type":["string"],"name":"additionalInfo","__meta":{"file":"classes/meal/Meal.talk","tag":"field","line":24}},{"description":"The attendant login name (only valid from offline tool)","type":["string"],"name":"loginName","__meta":{"file":"classes/meal/Meal.talk","tag":"field","line":28}},{"description":"The attendant entering the machine. 0 if unknown and takes precedence over loginName","type":["int32"],"name":"idAttendant","__meta":{"file":"classes/meal/Meal.talk","tag":"field","line":32}},{"description":"The serial number of the machine.","type":["string"],"name":"serialNumber","__meta":{"file":"classes/meal/Meal.talk","tag":"field","line":37}},{"description":"The machine number from the host system.","type":["int32"],"name":"machineNum","__meta":{"file":"classes/meal/Meal.talk","tag":"field","line":41}},{"description":"The location of the machine entered.","type":["string"],"name":"location","__meta":{"file":"classes/meal/Meal.talk","tag":"field","line":45}},{"description":"Comments associated with this meal entry","type":["MealComment","[]"],"name":"comments","__meta":{"file":"classes/meal/Meal.talk","tag":"field","line":49}}],"name":"com.acres4.common.info.mercury.supervisor.Meal","version":"0","implement":true,"__meta":{"file":"classes/meal/Meal.talk","tag":"class","line":1}},{"description":"Machine Entry Access List Comment object","field":[{"description":"The identifier of the comment","type":["int32"],"name":"identifier","__meta":{"file":"classes/meal/MealComment.talk","tag":"field","line":4}},{"description":"The timestamp of the mealComment. UTC milliseconds since epoch.","type":["int64"],"name":"entryTime","__meta":{"file":"classes/meal/MealComment.talk","tag":"field","line":8}},{"description":"The reason entered for entering the machine.","type":["string"],"name":"comment","__meta":{"file":"classes/meal/MealComment.talk","tag":"field","line":12}},{"description":"The login name for manually entered comments.","type":["string"],"name":"loginName","__meta":{"file":"classes/meal/MealComment.talk","tag":"field","line":16}},{"description":"The attendant entering the machine. 0 if unknown and takes precedence over loginName","type":["int32"],"name":"idAttendant","__meta":{"file":"classes/meal/MealComment.talk","tag":"field","line":20}}],"name":"com.acres4.common.info.mercury.supervisor.MealComment","version":"0","implement":true,"__meta":{"file":"classes/meal/MealComment.talk","tag":"class","line":1}},{"description":"Object for setting a meal comment","field":[{"description":"The ID of a specific call you want the meal entry for.","type":["int32"],"name":"callID","__meta":{"file":"classes/meal/MealCommentRequest.talk","tag":"field","line":5}},{"description":"The comment to attach to the meal entry.","type":["string"],"name":"comment","__meta":{"file":"classes/meal/MealCommentRequest.talk","tag":"field","line":9}},{"description":"Client connection token","type":["com.acres4.common.info.ConnectionToken"],"name":"tok","__meta":{"file":"classes/meal/MealCommentRequest.talk","tag":"field","line":13}}],"name":"com.acres4.common.info.mercury.supervisor.MealCommentRequest","version":"0","implement":true,"__meta":{"file":"classes/meal/MealCommentRequest.talk","tag":"class","line":1}},{"description":"Object for setting a meal reason or server requesting one","field":[{"description":"The ID of a specific call you want the meal entry for.","type":["int32"],"name":"callID","__meta":{"file":"classes/meal/MealReason.talk","tag":"field","line":5}},{"description":"The location of the machine you want the meal entry for.","type":["string"],"name":"location","__meta":{"file":"classes/meal/MealReason.talk","tag":"field","line":9}},{"description":"The idDevice of the machine you want the meal entry for. If this field set it superceedes location","type":["int32"],"name":"idDevice","__meta":{"file":"classes/meal/MealReason.talk","tag":"field","line":13}},{"description":"The reason the machine was entered from the machine meal reason list.","type":["int32"],"name":"mealReasonID","__meta":{"file":"classes/meal/MealReason.talk","tag":"field","line":17}},{"description":"Additional text added to explain why a machine was entered","type":["string"],"name":"additionalInfo","__meta":{"file":"classes/meal/MealReason.talk","tag":"field","line":21}},{"description":"Client connection token","type":["com.acres4.common.info.ConnectionToken"],"name":"tok","__meta":{"file":"classes/meal/MealReason.talk","tag":"field","line":25}}],"name":"com.acres4.common.info.mercury.supervisor.MealReason","version":"0","implement":true,"__meta":{"file":"classes/meal/MealReason.talk","tag":"class","line":1}},{"description":"Object for describing a possible reason for entering a machine.","field":[{"description":"The ID of the meal reason.","type":["int32"],"name":"identifier","__meta":{"file":"classes/meal/MealReasonListEntry.talk","tag":"field","line":5}},{"description":"The reason the machine was entered from the machine meal reason list.","type":["string"],"name":"reason","__meta":{"file":"classes/meal/MealReasonListEntry.talk","tag":"field","line":10}},{"description":"Tells the client if the user must supply additional comments to the entry reason.","type":["bool"],"name":"requireAdditionInfo","__meta":{"file":"classes/meal/MealReasonListEntry.talk","tag":"field","line":14}},{"description":"CallConfig ID that this MEAL reason belongs to.","type":["int32"],"name":"idCallConfig","__meta":{"file":"classes/meal/MealReasonListEntry.talk","tag":"field","line":18}},{"description":"indicates the meal reason is no longer used","type":["bool"],"name":"deleted","__meta":{"file":"classes/meal/MealReasonListEntry.talk","tag":"field","line":22}}],"name":"com.acres4.common.info.mercury.supervisor.MealReasonListEntry","version":"0","implement":true,"__meta":{"file":"classes/meal/MealReasonListEntry.talk","tag":"class","line":1}},{"description":"List of MEAL items","field":[{"description":"Client connection token","type":["com.acres4.common.info.ConnectionToken"],"name":"tok","__meta":{"file":"classes/meal/MealReport.talk","tag":"field","line":4}},{"description":"The list ofMEAL objects.","type":["com.acres4.common.info.mercury.supervisor.Meal","[]"],"name":"meals","__meta":{"file":"classes/meal/MealReport.talk","tag":"field","line":8}}],"name":"com.acres4.common.info.mercury.supervisor.MealReport","version":"0","implement":true,"__meta":{"file":"classes/meal/MealReport.talk","tag":"class","line":1}},{"description":"Describes a card utilization report","field":[{"description":"The list of Card Utilization by tiers","type":["CardUtilizationTier","[]"],"name":"tiers","__meta":{"file":"classes/mercintf/CardUtilization.talk","tag":"field","line":4}},{"description":"Total number of machines from non-ignored sections.","type":["int32"],"name":"machineCount","__meta":{"file":"classes/mercintf/CardUtilization.talk","tag":"field","line":8}},{"description":"Number of machines from non-ignored sections with a patron present.","type":["int32"],"name":"machineCountWitCard","__meta":{"file":"classes/mercintf/CardUtilization.talk","tag":"field","line":11}}],"name":"com.acres4.common.info.mercury.intf.CardUtilization","version":"0","implement":true,"__meta":{"file":"classes/mercintf/CardUtilization.talk","tag":"class","line":1}},{"description":"Contains information for a given tier within a CardUtilization report.","field":[{"description":"String representation of this loyalty tier.","type":["string"],"name":"loyaltyTierStr","__meta":{"file":"classes/mercintf/CardUtilizationTier.talk","tag":"field","line":4}},{"description":"Integer representation of this loyalty tier.","type":["int32"],"name":"loyaltyTier","__meta":{"file":"classes/mercintf/CardUtilizationTier.talk","tag":"field","line":8}},{"description":"An array of PlayerRating entries per active patron in this tier.","type":["PlayerRating","[]"],"name":"playerRatingsForTier","__meta":{"file":"classes/mercintf/CardUtilizationTier.talk","tag":"field","line":12}}],"name":"com.acres4.common.info.mercury.intf.CardUtilizationTier","version":"0","implement":true,"__meta":{"file":"classes/mercintf/CardUtilizationTier.talk","tag":"class","line":1}},{"description":"Describes a Configuration event from mercury to mercintf","field":[{"description":"event code in the host system","type":["string"],"name":"hostEventCode","__meta":{"file":"classes/mercintf/ConfigEvent.talk","tag":"field","line":4}},{"description":"event code in the Acres 4.0 system","type":["int32"],"name":"idEventCode","__meta":{"file":"classes/mercintf/ConfigEvent.talk","tag":"field","line":8}},{"description":"set to true if we want to ignore stats","type":["bool"],"name":"ignoreStats","__meta":{"file":"classes/mercintf/ConfigEvent.talk","tag":"field","line":12}},{"description":"set to true if we want to ignore writting initial hit into calllog","type":["bool"],"name":"ignoreCallLog","__meta":{"file":"classes/mercintf/ConfigEvent.talk","tag":"field","line":16}}],"name":"com.acres4.common.info.mercury.intf.ConfigEvent","version":"0","implement":true,"__meta":{"file":"classes/mercintf/ConfigEvent.talk","tag":"class","line":1}},{"description":"Response from server to config request","field":[{"description":"description of kai intf type (i.e. igt, oasis, konami) to support","type":["string"],"name":"intfType","__meta":{"file":"classes/mercintf/ConfigResponse.talk","tag":"field","line":4}},{"description":"description of kia conn type (i.e. direct, univkai, repl) to support","type":["string"],"name":"connType","__meta":{"file":"classes/mercintf/ConfigResponse.talk","tag":"field","line":8}},{"description":"maximum items to send in single packet","type":["int32"],"name":"maxItems","__meta":{"file":"classes/mercintf/ConfigResponse.talk","tag":"field","line":13}},{"description":"last time of evnet from db","type":["int64"],"name":"lastTime","__meta":{"file":"classes/mercintf/ConfigResponse.talk","tag":"field","line":17}},{"description":"last event number from db","type":["int64"],"name":"lastEvent","__meta":{"file":"classes/mercintf/ConfigResponse.talk","tag":"field","line":21}},{"description":"last time for meters from db","type":["int64"],"name":"lastMeters","__meta":{"file":"classes/mercintf/ConfigResponse.talk","tag":"field","line":25}},{"description":"last id for meters from db","type":["int64"],"name":"lastMetersId","__meta":{"file":"classes/mercintf/ConfigResponse.talk","tag":"field","line":29}},{"description":"time to sleep when nothing to do","type":["int32"],"name":"sleepTime","__meta":{"file":"classes/mercintf/ConfigResponse.talk","tag":"field","line":33}},{"description":"Time change light must be on before sent up","type":["int32"],"name":"changeLightDebounceTime","__meta":{"file":"classes/mercintf/ConfigResponse.talk","tag":"field","line":37}},{"description":"CRC Guaranteed to change if configuration does","type":["string"],"name":"configCRC","__meta":{"file":"classes/mercintf/ConfigResponse.talk","tag":"field","line":41}},{"description":"CRC of gaming terminals in Acres4 system","type":["string"],"name":"gamingTerminalsCRC","__meta":{"file":"classes/mercintf/ConfigResponse.talk","tag":"field","line":45}},{"description":"CRC of employees in Acres4 system","type":["string"],"name":"employeeCRC","__meta":{"file":"classes/mercintf/ConfigResponse.talk","tag":"field","line":49}},{"description":"collection period before sening stats to Acres 4 system","type":["int64"],"name":"collectionPeriod","__meta":{"file":"classes/mercintf/ConfigResponse.talk","tag":"field","line":53}},{"description":"collection period before sening stats to Acres 4 system","type":["com.acres4.common.info.mercury.intf.ConfigEvent","[]"],"name":"events","__meta":{"file":"classes/mercintf/ConfigResponse.talk","tag":"field","line":57}},{"description":"map of keyname to property value. Key is trimmed and forced to lower case","type":["string","{}"],"name":"propertyMap","__meta":{"file":"classes/mercintf/ConfigResponse.talk","tag":"field","line":61}}],"name":"com.acres4.common.info.mercury.intf.ConfigResponse","version":"0","implement":true,"__meta":{"file":"classes/mercintf/ConfigResponse.talk","tag":"class","line":1}},{"description":"Describes a Collection Statistics request","field":[{"description":"Current connection token","type":["com.acres4.common.info.ConnectionToken"],"name":"tok","__meta":{"file":"classes/mercintf/EventRequest.talk","tag":"field","line":4}},{"description":"An array of collected events","type":["EventTableItem","[]"],"name":"eventTableItems","__meta":{"file":"classes/mercintf/EventRequest.talk","tag":"field","line":8}}],"name":"com.acres4.common.info.mercury.intf.EventRequest","version":"0","implement":true,"__meta":{"file":"classes/mercintf/EventRequest.talk","tag":"class","line":1}},{"description":"Response from server to config request","field":[{"description":"new last time for Acres4 system","type":["int64"],"name":"lastTime","__meta":{"file":"classes/mercintf/EventResponse.talk","tag":"field","line":4}},{"description":"new last event for Acres4 system","type":["int64"],"name":"lastEvent","__meta":{"file":"classes/mercintf/EventResponse.talk","tag":"field","line":8}},{"description":"new gaming terminal crc for Acres4 system","type":["string"],"name":"gamingTerminalCRC","__meta":{"file":"classes/mercintf/EventResponse.talk","tag":"field","line":12}},{"description":"new employee crc for Acres4 system","type":["string"],"name":"employeeCRC","__meta":{"file":"classes/mercintf/EventResponse.talk","tag":"field","line":16}},{"description":"new config crc for Acres4 system","type":["string"],"name":"configCRC","__meta":{"file":"classes/mercintf/EventResponse.talk","tag":"field","line":20}}],"name":"com.acres4.common.info.mercury.intf.EventResponse","version":"0","implement":true,"__meta":{"file":"classes/mercintf/EventResponse.talk","tag":"class","line":1}},{"description":"Mechanism for sending Machine events to Acres 4","field":[{"description":"event code id (translated into Acres4 id)","type":["int32"],"name":"idEventCode","__meta":{"file":"classes/mercintf/EventTableItem.talk","tag":"field","line":4}},{"description":"event code id (translated into Acres4 id)","type":["HostEventItem"],"name":"hostEvent","__meta":{"file":"classes/mercintf/EventTableItem.talk","tag":"field","line":8}},{"description":"set to true if we want to collect stats","type":["bool"],"name":"collectStats","__meta":{"file":"classes/mercintf/EventTableItem.talk","tag":"field","line":12}},{"description":"time of receipt at merc intf","type":["int64"],"name":"receiptTime","__meta":{"file":"classes/mercintf/EventTableItem.talk","tag":"field","line":16}},{"description":"An array of collected player ratings associated with events","type":["PlayerRating"],"name":"playerRating","__meta":{"file":"classes/mercintf/EventTableItem.talk","tag":"field","line":20}}],"name":"com.acres4.common.info.mercury.intf.EventTableItem","version":"0","implement":true,"__meta":{"file":"classes/mercintf/EventTableItem.talk","tag":"class","line":1}},{"description":"Response to host event code request","field":[{"description":"Array of host event codes","type":["HostEventCode","[]"],"name":"hostEventCodes","__meta":{"file":"classes/mercintf/hostcomm/HostEventCodesResponse.talk","tag":"field","line":4}}],"name":"com.acres4.common.info.mercury.intf.HostEventCodesResponse","version":"0","implement":true,"__meta":{"file":"classes/mercintf/hostcomm/HostEventCodesResponse.talk","tag":"class","line":1}},{"description":"Request for host event items","field":[{"description":"Current connection token","type":["com.acres4.common.info.ConnectionToken"],"name":"tok","__meta":{"file":"classes/mercintf/hostcomm/HostEventItemsRequest.talk","tag":"field","line":4}},{"description":"last seen primary key","type":["int64"],"name":"lastPriKey","__meta":{"file":"classes/mercintf/hostcomm/HostEventItemsRequest.talk","tag":"field","line":8}},{"description":"last seen timestamp","type":["int64"],"name":"lastTimestamp","__meta":{"file":"classes/mercintf/hostcomm/HostEventItemsRequest.talk","tag":"field","line":12}}],"name":"com.acres4.common.info.mercury.intf.HostEventItemsRequest","version":"0","implement":true,"__meta":{"file":"classes/mercintf/hostcomm/HostEventItemsRequest.talk","tag":"class","line":1}},{"description":"Response for host event items","field":[{"description":"Array of host event items","type":["HostEventItem","[]"],"name":"hostEventItems","__meta":{"file":"classes/mercintf/hostcomm/HostEventItemsResponse.talk","tag":"field","line":4}}],"name":"com.acres4.common.info.mercury.intf.HostEventItemsResponse","version":"0","implement":true,"__meta":{"file":"classes/mercintf/hostcomm/HostEventItemsResponse.talk","tag":"class","line":1}},{"description":"Response for kai devices request","field":[{"description":"Array of kai devices","type":["KaiDevice","[]"],"name":"kaiDevices","__meta":{"file":"classes/mercintf/hostcomm/HostKaiDevicesResponse.talk","tag":"field","line":4}}],"name":"com.acres4.common.info.mercury.intf.HostKaiDevicesResponse","version":"0","implement":true,"__meta":{"file":"classes/mercintf/hostcomm/HostKaiDevicesResponse.talk","tag":"class","line":1}},{"description":"Request for host meters","field":[{"description":"Current connection token","type":["com.acres4.common.info.ConnectionToken"],"name":"tok","__meta":{"file":"classes/mercintf/hostcomm/HostMetersRequest.talk","tag":"field","line":4}},{"description":"last seen primary key","type":["int64"],"name":"lastPriKey","__meta":{"file":"classes/mercintf/hostcomm/HostMetersRequest.talk","tag":"field","line":8}},{"description":"last seen timestamp","type":["int64"],"name":"lastTimestamp","__meta":{"file":"classes/mercintf/hostcomm/HostMetersRequest.talk","tag":"field","line":12}}],"name":"com.acres4.common.info.mercury.intf.HostMetersRequest","version":"0","implement":true,"__meta":{"file":"classes/mercintf/hostcomm/HostMetersRequest.talk","tag":"class","line":1}},{"description":"Response for host meters request","field":[{"description":"Array of host machine meters","type":["HostMachineMeters","[]"],"name":"hostMachineMeters","__meta":{"file":"classes/mercintf/hostcomm/HostMetersResponse.talk","tag":"field","line":4}}],"name":"com.acres4.common.info.mercury.intf.HostMetersResponse","version":"0","implement":true,"__meta":{"file":"classes/mercintf/hostcomm/HostMetersResponse.talk","tag":"class","line":1}},{"description":"Request for host patron identifier","field":[{"description":"Current connection token","type":["com.acres4.common.info.ConnectionToken"],"name":"tok","__meta":{"file":"classes/mercintf/hostcomm/HostPatronIdRequest.talk","tag":"field","line":4}},{"description":"players club number","type":["string"],"name":"playerClubNumber","__meta":{"file":"classes/mercintf/hostcomm/HostPatronIdRequest.talk","tag":"field","line":8}}],"name":"com.acres4.common.info.mercury.intf.HostPatronIdRequest","version":"0","implement":true,"__meta":{"file":"classes/mercintf/hostcomm/HostPatronIdRequest.talk","tag":"class","line":1}},{"description":"Response for host patron id request","field":[{"description":"Patron identifier","type":["int64"],"name":"idPatron","__meta":{"file":"classes/mercintf/hostcomm/HostPatronIdResponse.talk","tag":"field","line":4}}],"name":"com.acres4.common.info.mercury.intf.HostPatronIdResponse","version":"0","implement":true,"__meta":{"file":"classes/mercintf/hostcomm/HostPatronIdResponse.talk","tag":"class","line":1}},{"description":"Request for host player rating","field":[{"description":"Current connection token","type":["com.acres4.common.info.ConnectionToken"],"name":"tok","__meta":{"file":"classes/mercintf/hostcomm/HostPlayerRatingsRequest.talk","tag":"field","line":4}},{"description":"Array of patron identifiers","type":["int64","[]"],"name":"idPatron","__meta":{"file":"classes/mercintf/hostcomm/HostPlayerRatingsRequest.talk","tag":"field","line":8}}],"name":"com.acres4.common.info.mercury.intf.HostPlayerRatingsRequest","version":"0","implement":true,"__meta":{"file":"classes/mercintf/hostcomm/HostPlayerRatingsRequest.talk","tag":"class","line":1}},{"description":"Response for host player rating request","field":[{"description":"Array of host player ratings","type":["HostPlayerRating","[]"],"name":"hostPlayerRatings","__meta":{"file":"classes/mercintf/hostcomm/HostPlayerRatingsResponse.talk","tag":"field","line":4}}],"name":"com.acres4.common.info.mercury.intf.HostPlayerRatingsResponse","version":"0","implement":true,"__meta":{"file":"classes/mercintf/hostcomm/HostPlayerRatingsResponse.talk","tag":"class","line":1}},{"description":"Request for host player sessions","field":[{"description":"Current connection token","type":["com.acres4.common.info.ConnectionToken"],"name":"tok","__meta":{"file":"classes/mercintf/hostcomm/HostPlayerSessionsRequest.talk","tag":"field","line":4}},{"description":"Array of patron identifiers","type":["int64","[]"],"name":"idPatron","__meta":{"file":"classes/mercintf/hostcomm/HostPlayerSessionsRequest.talk","tag":"field","line":8}},{"description":"Gaming date - format yyyymmdd","type":["int32"],"name":"gamingDate","__meta":{"file":"classes/mercintf/hostcomm/HostPlayerSessionsRequest.talk","tag":"field","line":12}}],"name":"com.acres4.common.info.mercury.intf.HostPlayerSessionsRequest","version":"0","implement":true,"__meta":{"file":"classes/mercintf/hostcomm/HostPlayerSessionsRequest.talk","tag":"class","line":1}},{"description":"Response for host player sessions request","field":[{"description":"gaming date - format yyyymmdd","type":["int32"],"name":"gamingDate","__meta":{"file":"classes/mercintf/hostcomm/HostPlayerSessionsResponse.talk","tag":"field","line":4}},{"description":"Array of host player sessions","type":["HostPlayerSession","[]"],"name":"hostPlayerSessions","__meta":{"file":"classes/mercintf/hostcomm/HostPlayerSessionsResponse.talk","tag":"field","line":8}}],"name":"com.acres4.common.info.mercury.intf.HostPlayerSessionsResponse","version":"0","implement":true,"__meta":{"file":"classes/mercintf/hostcomm/HostPlayerSessionsResponse.talk","tag":"class","line":1}},{"description":"Response for host player sessions request","field":[{"description":"host system time","type":["int64"],"name":"hostSystemTime","__meta":{"file":"classes/mercintf/hostcomm/HostSystemTimeResponse.talk","tag":"field","line":4}}],"name":"com.acres4.common.info.mercury.intf.HostSystemTimeResponse","version":"0","implement":true,"__meta":{"file":"classes/mercintf/hostcomm/HostSystemTimeResponse.talk","tag":"class","line":1}},{"description":"Mechanism for sending machince meters to Acres 4","field":[{"description":"event code from host","type":["string"],"name":"eventCode","__meta":{"file":"classes/mercintf/HostEventCode.talk","tag":"field","line":4}},{"description":"event Description from host","type":["string"],"name":"eventDescription","__meta":{"file":"classes/mercintf/HostEventCode.talk","tag":"field","line":8}}],"name":"com.acres4.common.info.mercury.intf.HostEventCode","version":"0","implement":true,"__meta":{"file":"classes/mercintf/HostEventCode.talk","tag":"class","line":1}},{"description":"Mechanism for sending machine events to Acres 4","field":[{"description":"event primary key","type":["int64"],"name":"priKey","__meta":{"file":"classes/mercintf/HostEventItem.talk","tag":"field","line":4}},{"description":"Device id of device that triggered the event","type":["string"],"name":"hostDeviceId","__meta":{"file":"classes/mercintf/HostEventItem.talk","tag":"field","line":8}},{"description":"event code from host","type":["string"],"name":"eventCode","__meta":{"file":"classes/mercintf/HostEventItem.talk","tag":"field","line":12}},{"description":"patron id if event tied to patron","type":["int64"],"name":"idPatron","__meta":{"file":"classes/mercintf/HostEventItem.talk","tag":"field","line":16}},{"description":"Employee if event tied to emplyee","type":["int64"],"name":"idEmployee","__meta":{"file":"classes/mercintf/HostEventItem.talk","tag":"field","line":20}},{"description":"amount of event (only valid for jackpots)","type":["int32"],"name":"amount","__meta":{"file":"classes/mercintf/HostEventItem.talk","tag":"field","line":24}},{"description":"meter set at time of event","type":["HostMeters"],"name":"meters","__meta":{"file":"classes/mercintf/HostEventItem.talk","tag":"field","line":28}},{"description":"time of event occurance","type":["int64"],"name":"eventTime","__meta":{"file":"classes/mercintf/HostEventItem.talk","tag":"field","line":32}},{"description":"time on host when event gathered","type":["int64"],"name":"hostTime","__meta":{"file":"classes/mercintf/HostEventItem.talk","tag":"field","line":36}}],"name":"com.acres4.common.info.mercury.intf.HostEventItem","version":"0","implement":true,"__meta":{"file":"classes/mercintf/HostEventItem.talk","tag":"class","line":1}},{"description":"Mechanism for sending machine meters to Acres 4","field":[{"description":"Device id that meters are for","type":["string"],"name":"hostDeviceId","__meta":{"file":"classes/mercintf/HostMachineMeters.talk","tag":"field","line":4}},{"description":"patron id if card in at time of meter snap","type":["int64"],"name":"idPatron","__meta":{"file":"classes/mercintf/HostMachineMeters.talk","tag":"field","line":8}},{"description":"meter set at time of event","type":["HostMeters"],"name":"meters","__meta":{"file":"classes/mercintf/HostMachineMeters.talk","tag":"field","line":12}},{"description":"time of meter snap","type":["int64"],"name":"meterTime","__meta":{"file":"classes/mercintf/HostMachineMeters.talk","tag":"field","line":16}},{"description":"primary key of meter sanp","type":["int64"],"name":"meterPriKey","__meta":{"file":"classes/mercintf/HostMachineMeters.talk","tag":"field","line":19}}],"name":"com.acres4.common.info.mercury.intf.HostMachineMeters","version":"0","implement":true,"__meta":{"file":"classes/mercintf/HostMachineMeters.talk","tag":"class","line":1}},{"description":"A Host Machine Meter","field":[{"description":"Value of the coin in meter","type":["int64"],"name":"coinIn","__meta":{"file":"classes/mercintf/HostMeters.talk","tag":"field","line":4}},{"description":"Value of the coin out meter","type":["int64"],"name":"coinOut","__meta":{"file":"classes/mercintf/HostMeters.talk","tag":"field","line":8}},{"description":"on single HostMeter used as boolean if machine is in play at time of meter. FOr summary includes count of all machines with headcount","type":["int64"],"name":"headCount","__meta":{"file":"classes/mercintf/HostMeters.talk","tag":"field","line":12}}],"name":"com.acres4.common.info.mercury.intf.HostMeters","version":"0","implement":true,"__meta":{"file":"classes/mercintf/HostMeters.talk","tag":"class","line":1}},{"description":"an individual player rating record","field":[{"description":"patron id if event tied to patron","type":["int64"],"name":"idPatron","__meta":{"file":"classes/mercintf/HostPlayerRating.talk","tag":"field","line":4}},{"description":"first name of the patron","type":["string"],"name":"firstName","__meta":{"file":"classes/mercintf/HostPlayerRating.talk","tag":"field","line":8}},{"description":"last name of the patron","type":["string"],"name":"lastName","__meta":{"file":"classes/mercintf/HostPlayerRating.talk","tag":"field","line":12}},{"description":"loyalty tier of patron","type":["string"],"name":"loyaltyTierStr","__meta":{"file":"classes/mercintf/HostPlayerRating.talk","tag":"field","line":16}}],"name":"com.acres4.common.info.mercury.intf.HostPlayerRating","version":"0","implement":true,"__meta":{"file":"classes/mercintf/HostPlayerRating.talk","tag":"class","line":1}},{"description":"Mechanism for sending machine events to Acres 4","field":[{"description":"patron id if event tied to patron","type":["int64"],"name":"idPatron","__meta":{"file":"classes/mercintf/HostPlayerSession.talk","tag":"field","line":4}},{"description":"meter coin in","type":["int64"],"name":"coinIn","__meta":{"file":"classes/mercintf/HostPlayerSession.talk","tag":"field","line":8}}],"name":"com.acres4.common.info.mercury.intf.HostPlayerSession","version":"0","implement":true,"__meta":{"file":"classes/mercintf/HostPlayerSession.talk","tag":"class","line":1}},{"description":"Mechanism for sending Gaming terminals to Acres 4","field":[{"description":"Machine ID","type":["string"],"name":"hostDeviceId","__meta":{"file":"classes/mercintf/KaiDevice.talk","tag":"field","line":4}},{"description":"Asset number on the floor","type":["string"],"name":"assetNum","__meta":{"file":"classes/mercintf/KaiDevice.talk","tag":"field","line":8}},{"description":"Manufacturer","type":["string"],"name":"mfr","__meta":{"file":"classes/mercintf/KaiDevice.talk","tag":"field","line":12}},{"description":"Serial number","type":["string"],"name":"serialNumber","__meta":{"file":"classes/mercintf/KaiDevice.talk","tag":"field","line":16}},{"description":"Section Name","type":["string"],"name":"section","__meta":{"file":"classes/mercintf/KaiDevice.talk","tag":"field","line":20}},{"description":"Bank Name","type":["string"],"name":"bank","__meta":{"file":"classes/mercintf/KaiDevice.talk","tag":"field","line":24}},{"description":"seat within bank","type":["string"],"name":"seat","__meta":{"file":"classes/mercintf/KaiDevice.talk","tag":"field","line":28}},{"description":"gameType See com.acres4.common.info.constants.mercury.GameTypes","type":["int32"],"name":"gameType","__meta":{"file":"classes/mercintf/KaiDevice.talk","tag":"field","line":32}},{"description":"cabinetType Name","type":["string"],"name":"cabinetType","__meta":{"file":"classes/mercintf/KaiDevice.talk","tag":"field","line":36}},{"description":"gameTheme Name","type":["string"],"name":"gameTheme","__meta":{"file":"classes/mercintf/KaiDevice.talk","tag":"field","line":40}},{"description":"hold percentage of game","type":["real"],"name":"holdPct","__meta":{"file":"classes/mercintf/KaiDevice.talk","tag":"field","line":44}},{"description":"Denomination of game","type":["int32"],"name":"denom","__meta":{"file":"classes/mercintf/KaiDevice.talk","tag":"field","line":48}},{"description":"paylines for game","type":["int32"],"name":"payLines","__meta":{"file":"classes/mercintf/KaiDevice.talk","tag":"field","line":52}},{"description":"Number of reels for game","type":["int32"],"name":"reels","__meta":{"file":"classes/mercintf/KaiDevice.talk","tag":"field","line":56}},{"description":"Purchase date for this device","type":["int64"],"name":"purchaseDate","__meta":{"file":"classes/mercintf/KaiDevice.talk","tag":"field","line":60}},{"description":"Date this device deployed to floor","type":["int64"],"name":"startDate","__meta":{"file":"classes/mercintf/KaiDevice.talk","tag":"field","line":64}},{"description":"Date device pulled from floor","type":["int64"],"name":"endDate","__meta":{"file":"classes/mercintf/KaiDevice.talk","tag":"field","line":68}},{"description":"Program number for the program running on device","type":["string"],"name":"programNumber","__meta":{"file":"classes/mercintf/KaiDevice.talk","tag":"field","line":72}},{"description":"GLI Approval number for this program","type":["string"],"name":"gliConfirmation","__meta":{"file":"classes/mercintf/KaiDevice.talk","tag":"field","line":76}},{"description":"model type for this game","type":["string"],"name":"model","__meta":{"file":"classes/mercintf/KaiDevice.talk","tag":"field","line":80}},{"description":"SealNumber used for this device","type":["string"],"name":"sealNumber","__meta":{"file":"classes/mercintf/KaiDevice.talk","tag":"field","line":84}}],"name":"com.acres4.common.info.mercury.intf.KaiDevice","version":"0","implement":true,"__meta":{"file":"classes/mercintf/KaiDevice.talk","tag":"class","line":1}},{"description":"Request for Sending gaming terminals to server","field":[{"description":"kaiDeviceType see com.acres4.common.info.constants.mercury.KaiDeviceTypes","type":["int32"],"name":"kaiDeviceType","__meta":{"file":"classes/mercintf/KaiDeviceList.talk","tag":"field","line":4}},{"description":"List of Kai Devices","type":["com.acres4.common.info.mercury.intf.KaiDevice","[]"],"name":"list","__meta":{"file":"classes/mercintf/KaiDeviceList.talk","tag":"field","line":8}},{"description":"crc for Device list","type":["string"],"name":"crc","__meta":{"file":"classes/mercintf/KaiDeviceList.talk","tag":"field","line":12}}],"name":"com.acres4.common.info.mercury.intf.KaiDeviceList","version":"0","implement":true,"__meta":{"file":"classes/mercintf/KaiDeviceList.talk","tag":"class","line":1}},{"description":"Autogenerated from com.acres4.db.rt.entities.tables.Device","field":[{"description":"Autogenerated from com.acres4.db.rt.entities.tables.Device.idDevice","type":["int32"],"name":"idDevice","__meta":{"file":"classes/mercintf/Machine.talk","tag":"field","line":3}},{"description":"Autogenerated from com.acres4.db.rt.entities.tables.Device.location","type":["string"],"name":"location","__meta":{"file":"classes/mercintf/Machine.talk","tag":"field","line":6}},{"description":"Autogenerated from com.acres4.db.rt.entities.tables.Device.seat","type":["string"],"name":"seat","__meta":{"file":"classes/mercintf/Machine.talk","tag":"field","line":9}},{"description":"Autogenerated from com.acres4.db.rt.entities.tables.Device.idBank","type":["int32"],"name":"idBank","__meta":{"file":"classes/mercintf/Machine.talk","tag":"field","line":12}},{"description":"Autogenerated from com.acres4.db.rt.entities.tables.Device.serialNumber","type":["string"],"name":"serialNumber","__meta":{"file":"classes/mercintf/Machine.talk","tag":"field","line":15}},{"description":"Autogenerated from com.acres4.db.rt.entities.tables.Device.assetNum","type":["string"],"name":"assetNum","__meta":{"file":"classes/mercintf/Machine.talk","tag":"field","line":18}},{"description":"Autogenerated from com.acres4.db.rt.entities.tables.Device.denom","type":["int32"],"name":"denom","__meta":{"file":"classes/mercintf/Machine.talk","tag":"field","line":21}},{"description":"Autogenerated from com.acres4.db.rt.entities.tables.Device.mfr","type":["string"],"name":"mfr","__meta":{"file":"classes/mercintf/Machine.talk","tag":"field","line":24}},{"description":"Autogenerated from com.acres4.db.rt.entities.tables.Device.idSite","type":["int32"],"name":"idSite","__meta":{"file":"classes/mercintf/Machine.talk","tag":"field","line":27}},{"description":"Autogenerated from com.acres4.db.rt.entities.tables.Device.holdPct","type":["real"],"name":"holdPct","__meta":{"file":"classes/mercintf/Machine.talk","tag":"field","line":30}},{"description":"Autogenerated from com.acres4.db.rt.entities.tables.Device.gameTheme","type":["string"],"name":"gameTheme","__meta":{"file":"classes/mercintf/Machine.talk","tag":"field","line":33}},{"description":"Autogenerated from com.acres4.db.rt.entities.tables.Device.gameType","type":["int32"],"name":"gameType","__meta":{"file":"classes/mercintf/Machine.talk","tag":"field","line":36}},{"description":"Autogenerated from com.acres4.db.rt.entities.tables.Device.markDeleted","type":["bool"],"name":"markDeleted","__meta":{"file":"classes/mercintf/Machine.talk","tag":"field","line":39}},{"description":"Autogenerated from com.acres4.db.rt.entities.tables.Device.hostDeviceId","type":["string"],"name":"hostDeviceId","__meta":{"file":"classes/mercintf/Machine.talk","tag":"field","line":42}}],"name":"com.acres4.common.info.mercury.intf.Machine","version":"0","implement":true,"__meta":{"file":"classes/mercintf/Machine.talk","tag":"class","line":1}},{"description":"an individual player rating record","field":[{"description":"Host information for rating","type":["com.acres4.common.info.mercury.intf.HostPlayerRating"],"name":"rating","__meta":{"file":"classes/mercintf/PlayerRating.talk","tag":"field","line":4}},{"description":"time of the last event we saw for this patron. Owned by MercIntf.","type":["int64"],"name":"lastEventTime","__meta":{"file":"classes/mercintf/PlayerRating.talk","tag":"field","line":8}},{"description":"The last location we saw this patron at. Owned by Mercury.","type":["string"],"name":"lastLocation","__meta":{"file":"classes/mercintf/PlayerRating.talk","tag":"field","line":12}}],"name":"com.acres4.common.info.mercury.intf.PlayerRating","version":"0","implement":true,"__meta":{"file":"classes/mercintf/PlayerRating.talk","tag":"class","line":1}},{"description":"Request for Sending gaming terminals to server","field":[{"description":"Current connection token","type":["com.acres4.common.info.ConnectionToken"],"name":"tok","__meta":{"file":"classes/mercintf/RegisterKaiDevicesRequest.talk","tag":"field","line":4}},{"description":"List of gaming terminals","type":["com.acres4.common.info.mercury.intf.KaiDeviceList"],"name":"kaiDeviceList","__meta":{"file":"classes/mercintf/RegisterKaiDevicesRequest.talk","tag":"field","line":8}}],"name":"com.acres4.common.info.mercury.intf.RegisterKaiDevicesRequest","version":"0","implement":true,"__meta":{"file":"classes/mercintf/RegisterKaiDevicesRequest.talk","tag":"class","line":1}},{"description":"Response to kai device list","field":[{"description":"crc for gaming terminals list","type":["string"],"name":"crc","__meta":{"file":"classes/mercintf/RegisterKaiDevicesResponse.talk","tag":"field","line":4}}],"name":"com.acres4.common.info.mercury.intf.RegisterKaiDevicesResponse","version":"0","implement":true,"__meta":{"file":"classes/mercintf/RegisterKaiDevicesResponse.talk","tag":"class","line":1}},{"description":"Autogenerated from com.acres4.db.metis.entities.tables.MetisActivity","field":[{"description":"Autogenerated from com.acres4.db.metis.entities.tables.MetisActivity.idMetisActivity","type":["int32"],"name":"idMetisActivity","__meta":{"file":"classes/metis/MetisActivity.talk","tag":"field","line":3}},{"description":"Autogenerated from com.acres4.db.metis.entities.tables.MetisActivity.activity","type":["string"],"name":"activity","__meta":{"file":"classes/metis/MetisActivity.talk","tag":"field","line":6}},{"description":"Autogenerated from com.acres4.db.metis.entities.tables.MetisActivity.isActive","type":["bool"],"name":"isActive","__meta":{"file":"classes/metis/MetisActivity.talk","tag":"field","line":9}}],"name":"com.acres4.common.info.metis.MetisActivity","version":"0","implement":true,"__meta":{"file":"classes/metis/MetisActivity.talk","tag":"class","line":1}},{"description":"Request for recenty activity details","field":[{"description":"metis user id","type":["int32"],"name":"idMetisUser","__meta":{"file":"classes/metis/MetisActivityRequest.talk","tag":"field","line":4}},{"description":"metis users email address","type":["string"],"name":"emailAddress","__meta":{"file":"classes/metis/MetisActivityRequest.talk","tag":"field","line":8}}],"name":"com.acres4.common.info.metis.MetisActivityRequest","version":"0","implement":true,"__meta":{"file":"classes/metis/MetisActivityRequest.talk","tag":"class","line":1}},{"description":"Products/Activities user actively engaged with","field":[{"description":"recent products","type":["int32","[]"],"name":"products","__meta":{"file":"classes/metis/MetisActivityResponse.talk","tag":"field","line":4}},{"description":"recent activities","type":["int32","[]"],"name":"activities","__meta":{"file":"classes/metis/MetisActivityResponse.talk","tag":"field","line":8}},{"description":"False if already submitted or user deactivated","type":["bool"],"name":"canSubmit","__meta":{"file":"classes/metis/MetisActivityResponse.talk","tag":"field","line":12}}],"name":"com.acres4.common.info.metis.MetisActivityResponse","version":"0","implement":true,"__meta":{"file":"classes/metis/MetisActivityResponse.talk","tag":"class","line":1}},{"description":"Autogenerated from com.acres4.db.metis.entities.tables.MetisDepartment","field":[{"description":"Autogenerated from com.acres4.db.metis.entities.tables.MetisDepartment.idMetisDepartment","type":["int32"],"name":"idMetisDepartment","__meta":{"file":"classes/metis/MetisDepartment.talk","tag":"field","line":3}},{"description":"Autogenerated from com.acres4.db.metis.entities.tables.MetisDepartment.department","type":["string"],"name":"department","__meta":{"file":"classes/metis/MetisDepartment.talk","tag":"field","line":6}},{"description":"Autogenerated from com.acres4.db.metis.entities.tables.MetisDepartment.isActive","type":["bool"],"name":"isActive","__meta":{"file":"classes/metis/MetisDepartment.talk","tag":"field","line":9}}],"name":"com.acres4.common.info.metis.MetisDepartment","version":"0","implement":true,"__meta":{"file":"classes/metis/MetisDepartment.talk","tag":"class","line":1}},{"description":"Autogenerated from com.acres4.db.metis.entities.tables.MetisProduct","field":[{"description":"Autogenerated from com.acres4.db.metis.entities.tables.MetisProduct.idMetisProduct","type":["int32"],"name":"idMetisProduct","__meta":{"file":"classes/metis/MetisProduct.talk","tag":"field","line":3}},{"description":"Autogenerated from com.acres4.db.metis.entities.tables.MetisProduct.product","type":["string"],"name":"product","__meta":{"file":"classes/metis/MetisProduct.talk","tag":"field","line":6}},{"description":"Autogenerated from com.acres4.db.metis.entities.tables.MetisProduct.isActive","type":["bool"],"name":"isActive","__meta":{"file":"classes/metis/MetisProduct.talk","tag":"field","line":9}}],"name":"com.acres4.common.info.metis.MetisProduct","version":"0","implement":true,"__meta":{"file":"classes/metis/MetisProduct.talk","tag":"class","line":1}},{"description":"Autogenerated from com.acres4.db.metis.entities.tables.MetisTimecard","field":[{"description":"Autogenerated from com.acres4.db.metis.entities.tables.MetisTimecard.idMetisTimecard","type":["int32"],"name":"idMetisTimecard","__meta":{"file":"classes/metis/MetisTimecard.talk","tag":"field","line":3}},{"description":"Autogenerated from com.acres4.db.metis.entities.tables.MetisTimecard.idMetisUser","type":["int32"],"name":"idMetisUser","__meta":{"file":"classes/metis/MetisTimecard.talk","tag":"field","line":6}},{"description":"Autogenerated from com.acres4.db.metis.entities.tables.MetisTimecard.reportDate","type":["int64"],"name":"reportDate","__meta":{"file":"classes/metis/MetisTimecard.talk","tag":"field","line":9}}],"name":"com.acres4.common.info.metis.MetisTimecard","version":"0","implement":true,"__meta":{"file":"classes/metis/MetisTimecard.talk","tag":"class","line":1}},{"description":"Autogenerated from com.acres4.db.metis.entities.tables.MetisTimecardDetail","field":[{"description":"Autogenerated from com.acres4.db.metis.entities.tables.MetisTimecardDetail.idMetisTimecardDetail","type":["int32"],"name":"idMetisTimecardDetail","__meta":{"file":"classes/metis/MetisTimecardDetail.talk","tag":"field","line":3}},{"description":"Autogenerated from com.acres4.db.metis.entities.tables.MetisTimecardDetail.idMetisTimecard","type":["int32"],"name":"idMetisTimecard","__meta":{"file":"classes/metis/MetisTimecardDetail.talk","tag":"field","line":6}},{"description":"Autogenerated from com.acres4.db.metis.entities.tables.MetisTimecardDetail.idMetisProduct","type":["int32"],"name":"idMetisProduct","__meta":{"file":"classes/metis/MetisTimecardDetail.talk","tag":"field","line":9}},{"description":"Autogenerated from com.acres4.db.metis.entities.tables.MetisTimecardDetail.idMetisActivity","type":["int32"],"name":"idMetisActivity","__meta":{"file":"classes/metis/MetisTimecardDetail.talk","tag":"field","line":12}},{"description":"Autogenerated from com.acres4.db.metis.entities.tables.MetisTimecardDetail.percentTime","type":["int32"],"name":"percentTime","__meta":{"file":"classes/metis/MetisTimecardDetail.talk","tag":"field","line":15}}],"name":"com.acres4.common.info.metis.MetisTimecardDetail","version":"0","implement":true,"__meta":{"file":"classes/metis/MetisTimecardDetail.talk","tag":"class","line":1}},{"description":"Metis user record","field":[{"description":"Autogenerated from com.acres4.db.metis.entities.tables.MetisUser.idMetisUser","type":["int32"],"name":"idMetisUser","__meta":{"file":"classes/metis/MetisUser.talk","tag":"field","line":4}},{"description":"Autogenerated from com.acres4.db.metis.entities.tables.MetisUser.idEmployeeUsher","type":["int32"],"name":"idEmployeeUsher","__meta":{"file":"classes/metis/MetisUser.talk","tag":"field","line":7}},{"description":"Autogenerated from com.acres4.db.metis.entities.tables.MetisUser.firstName","type":["string"],"name":"firstName","__meta":{"file":"classes/metis/MetisUser.talk","tag":"field","line":10}},{"description":"Autogenerated from com.acres4.db.metis.entities.tables.MetisUser.lastName","type":["string"],"name":"lastName","__meta":{"file":"classes/metis/MetisUser.talk","tag":"field","line":13}},{"description":"Autogenerated from com.acres4.db.metis.entities.tables.MetisUser.idMetisDepartment","type":["int32"],"name":"idMetisDepartment","__meta":{"file":"classes/metis/MetisUser.talk","tag":"field","line":16}},{"description":"Autogenerated from com.acres4.db.metis.entities.tables.MetisUser.title","type":["string"],"name":"title","__meta":{"file":"classes/metis/MetisUser.talk","tag":"field","line":19}},{"description":"Autogenerated from com.acres4.db.metis.entities.tables.MetisUser.emailAddress","type":["string"],"name":"emailAddress","__meta":{"file":"classes/metis/MetisUser.talk","tag":"field","line":22}},{"description":"decrypted salary","type":["int32"],"name":"salary","__meta":{"file":"classes/metis/MetisUser.talk","tag":"field","line":25}},{"description":"Autogenerated from com.acres4.db.metis.entities.tables.MetisUser.isEmployee","type":["bool"],"name":"isEmployee","__meta":{"file":"classes/metis/MetisUser.talk","tag":"field","line":28}},{"description":"Autogenerated from com.acres4.db.metis.entities.tables.MetisUser.isActive","type":["bool"],"name":"isActive","__meta":{"file":"classes/metis/MetisUser.talk","tag":"field","line":31}}],"name":"com.acres4.common.info.metis.MetisUser","version":"0","implement":true,"__meta":{"file":"classes/metis/MetisUser.talk","tag":"class","line":1}},{"description":"Describes a client disconnection event. These events should be sent ONLY in the case where the connection is implicitly torn down, i.e. the socket is closed abruptly with no explicit logout or disconnection message.","field":[{"description":"Time that the client established the now-disconnected asynchronous channel.","type":["int64"],"name":"timeConnected","__meta":{"file":"classes/monitor/AsyncDisconnectLogEvent.talk","tag":"field","line":4}},{"description":"Time that the server closed the socket for the now-disconnected asynchronous channel.","type":["int64"],"name":"timeDisconnected","__meta":{"file":"classes/monitor/AsyncDisconnectLogEvent.talk","tag":"field","line":8}},{"description":"Server-defined reason code for connection loss.","type":["int32"],"name":"reasonCode","__meta":{"file":"classes/monitor/AsyncDisconnectLogEvent.talk","tag":"field","line":12}},{"description":"Value of com.acres4.common.info.ClientLoginRequest.automaticReconnect during client authentication.","type":["bool"],"name":"automaticReconnect","__meta":{"file":"classes/monitor/AsyncDisconnectLogEvent.talk","tag":"field","line":16}}],"name":"com.acres4.common.info.monitor.AsyncDisconnectLogEvent","version":"0","implement":true,"__meta":{"file":"classes/monitor/AsyncDisconnectLogEvent.talk","tag":"class","line":1}},{"description":"Describes the latency involved in a given asynchronous message.","field":[{"description":"Timestamp (in epoch milliseconds) that server transmitted first (oldest) asynchronous message to client.","type":["int64"],"name":"timeSentFirst","__meta":{"file":"classes/monitor/AsyncLatencyLogEvent.talk","tag":"field","line":4}},{"description":"Timestamp (in epoch milliseconds) that server transmitted last (newest) asynchronous message to client.","type":["int64"],"name":"timeSentLast","__meta":{"file":"classes/monitor/AsyncLatencyLogEvent.talk","tag":"field","line":8}},{"description":"Timestamp (in epoch milliseconds) that server received acknowledgment of asynchronous message from client.","type":["int64"],"name":"timeAck","__meta":{"file":"classes/monitor/AsyncLatencyLogEvent.talk","tag":"field","line":12}},{"description":"Message types acknowledged by client. For example, if a client is acknowledging 4 messages with a single ACK, of type foo1, foo2, foo3, foo4, then messageTypes should be [foo1, foo2, foo3, foo4]. Therefore, the length of the messageTypes implies the number of messages acknowledged.","type":["string","[]"],"name":"types","__meta":{"file":"classes/monitor/AsyncLatencyLogEvent.talk","tag":"field","line":16}}],"name":"com.acres4.common.info.monitor.AsyncLatencyLogEvent","version":"0","implement":true,"__meta":{"file":"classes/monitor/AsyncLatencyLogEvent.talk","tag":"class","line":1}},{"description":"Bundles one or more latency log events and/or disconnection events for a given client ID.","field":[{"description":"Unique identifier of client.","type":["string"],"name":"clientId","__meta":{"file":"classes/monitor/AsyncLogHeader.talk","tag":"field","line":4}},{"description":"Zero or more async latency log events.","type":["com.acres4.common.info.monitor.AsyncLatencyLogEvent","[]"],"name":"latencies","__meta":{"file":"classes/monitor/AsyncLogHeader.talk","tag":"field","line":8}},{"description":"Zero or more async disconnect log events.","type":["com.acres4.common.info.monitor.AsyncDisconnectLogEvent","[]"],"name":"disconnects","__meta":{"file":"classes/monitor/AsyncLogHeader.talk","tag":"field","line":12}}],"name":"com.acres4.common.info.monitor.AsyncLogHeader","version":"0","implement":true,"__meta":{"file":"classes/monitor/AsyncLogHeader.talk","tag":"class","line":1}},{"description":"Contains health information results based on self-administered diagnostics.","field":[{"description":"Current connection token","type":["com.acres4.common.info.ConnectionToken"],"name":"tok","__meta":{"file":"classes/monitor/HealthReport.talk","tag":"field","line":4}},{"description":"Name of the application as defined by Acres4Constants.CTX* constant for the application. Examples: /mercintf, /mercury, /oracle","type":["string"],"name":"applicationName","__meta":{"file":"classes/monitor/HealthReport.talk","tag":"field","line":8}},{"description":"AppInfo of the application.","type":["com.acres4.common.info.AppInfo"],"name":"appInfo","__meta":{"file":"classes/monitor/HealthReport.talk","tag":"field","line":12}},{"description":"DeviceInfo of the application.","type":["com.acres4.common.info.DeviceInfo"],"name":"deviceInfo","__meta":{"file":"classes/monitor/HealthReport.talk","tag":"field","line":16}},{"description":"Remote (external) IP address of the Watchdog. This field is set in the Monitor server handler when it receives the HealthReport.","type":["string"],"name":"remoteAddr","__meta":{"file":"classes/monitor/HealthReport.talk","tag":"field","line":20}},{"description":"Site ID for the application","type":["int32"],"name":"siteID","__meta":{"file":"classes/monitor/HealthReport.talk","tag":"field","line":24}},{"description":"System ID for the application","type":["int32"],"name":"systemID","__meta":{"file":"classes/monitor/HealthReport.talk","tag":"field","line":28}},{"description":"Server epoch time in milliseconds when the health diagnostics began","type":["int64"],"name":"reportTime","__meta":{"file":"classes/monitor/HealthReport.talk","tag":"field","line":32}},{"description":"Indicates the result of the heath diagnostics. See HealthStatusLevels enumeration for possible values.","type":["int32"],"name":"statusLevel","__meta":{"file":"classes/monitor/HealthReport.talk","tag":"field","line":36}},{"description":"Contains detailed information regarding the health state. Generally used for providing information in alerts.","type":["string"],"name":"statusInformation","__meta":{"file":"classes/monitor/HealthReport.talk","tag":"field","line":40}},{"description":"Contains recently log file lines generally from an error/warning log","type":["string"],"name":"logInformation","__meta":{"file":"classes/monitor/HealthReport.talk","tag":"field","line":44}}],"name":"com.acres4.common.info.monitor.HealthReport","version":"0","implement":true,"__meta":{"file":"classes/monitor/HealthReport.talk","tag":"class","line":1}},{"description":"Contains detailed server stats for a particular interface-message","field":[{"description":"The interface and method name separated by a period","type":["string"],"name":"messageName","__meta":{"file":"classes/monitor/MessageStatsItem.talk","tag":"field","line":4}},{"description":"System current time during MessageStats construction","type":["int64"],"name":"tstampMaxTime","__meta":{"file":"classes/monitor/MessageStatsItem.talk","tag":"field","line":7}},{"description":"Last time this message was processed","type":["int64"],"name":"lastTime","__meta":{"file":"classes/monitor/MessageStatsItem.talk","tag":"field","line":10}},{"description":"Count of times this message has been received","type":["int64"],"name":"count","__meta":{"file":"classes/monitor/MessageStatsItem.talk","tag":"field","line":13}},{"description":"Total time in milliseconds spent processing this message type","type":["int64"],"name":"totalTime","__meta":{"file":"classes/monitor/MessageStatsItem.talk","tag":"field","line":16}},{"description":"Shortest time spent processing this message type","type":["int64"],"name":"minTime","__meta":{"file":"classes/monitor/MessageStatsItem.talk","tag":"field","line":19}},{"description":"Longest time spent processing this message type","type":["int64"],"name":"maxTime","__meta":{"file":"classes/monitor/MessageStatsItem.talk","tag":"field","line":22}},{"description":"Number of errors seen during processing this message type","type":["int64"],"name":"errors","__meta":{"file":"classes/monitor/MessageStatsItem.talk","tag":"field","line":25}},{"description":"Total bytes into the server","type":["int64"],"name":"totalInBytes","__meta":{"file":"classes/monitor/MessageStatsItem.talk","tag":"field","line":28}},{"description":"Total bytes out of the server","type":["int64"],"name":"totalOutBytes","__meta":{"file":"classes/monitor/MessageStatsItem.talk","tag":"field","line":31}}],"name":"com.acres4.common.info.monitor.MessageStatsItem","version":"0","implement":true,"__meta":{"file":"classes/monitor/MessageStatsItem.talk","tag":"class","line":1}},{"description":"Response containing the current array of MessageStats and ServerStats data","field":[{"description":"Last time the ServerStats were reset","type":["int64"],"name":"resetTime","__meta":{"file":"classes/monitor/ServerStatsList.talk","tag":"field","line":4}},{"description":"Amount of time the ServerStats has been running since first message processed","type":["int64"],"name":"upTime","__meta":{"file":"classes/monitor/ServerStatsList.talk","tag":"field","line":7}},{"description":"List of MessageStats","type":["com.acres4.common.info.monitor.MessageStatsItem","[]"],"name":"list","__meta":{"file":"classes/monitor/ServerStatsList.talk","tag":"field","line":11}}],"name":"com.acres4.common.info.monitor.ServerStatsList","version":"0","implement":true,"__meta":{"file":"classes/monitor/ServerStatsList.talk","tag":"class","line":1}},{"description":"Defines System Permission","field":[{"description":"The permission Application these permissions are for","type":["int32"],"name":"idPermissionApp","__meta":{"file":"classes/permissions/SystemPermission.talk","tag":"field","line":4}},{"description":"The set of defined permissions. permission is defined iff (permissionSet & (1<<permission) != 0)","type":["int64"],"name":"permissionSet","__meta":{"file":"classes/permissions/SystemPermission.talk","tag":"field","line":7}}],"name":"com.acres4.common.info.permissions.SystemPermission","version":"0","implement":true,"__meta":{"file":"classes/permissions/SystemPermission.talk","tag":"class","line":1}},{"description":"Autogenerated from com.acres4.db.usher.entities.tables.PermissionApp","field":[{"description":"Autogenerated from com.acres4.db.usher.entities.tables.PermissionApp.idPermissionApp","type":["int32"],"name":"idPermissionApp","__meta":{"file":"classes/permissions/SystemPermissionAppEntry.talk","tag":"field","line":3}},{"description":"Autogenerated from com.acres4.db.usher.entities.tables.PermissionApp.fieldName","type":["string"],"name":"fieldName","__meta":{"file":"classes/permissions/SystemPermissionAppEntry.talk","tag":"field","line":6}},{"description":"Autogenerated from com.acres4.db.usher.entities.tables.PermissionApp.shortName","type":["string"],"name":"shortName","__meta":{"file":"classes/permissions/SystemPermissionAppEntry.talk","tag":"field","line":9}},{"description":"Autogenerated from com.acres4.db.usher.entities.tables.PermissionApp.description","type":["string"],"name":"description","__meta":{"file":"classes/permissions/SystemPermissionAppEntry.talk","tag":"field","line":12}}],"name":"com.acres4.common.info.permissions.SystemPermissionAppEntry","version":"0","implement":true,"__meta":{"file":"classes/permissions/SystemPermissionAppEntry.talk","tag":"class","line":1}},{"description":"Autogenerated from com.acres4.db.usher.entities.tables.Permission","field":[{"description":"Autogenerated from com.acres4.db.usher.entities.tables.Permission.idPermission","type":["int32"],"name":"idPermission","__meta":{"file":"classes/permissions/SystemPermissionEntry.talk","tag":"field","line":3}},{"description":"Autogenerated from com.acres4.db.usher.entities.tables.Permission.fieldName","type":["string"],"name":"fieldName","__meta":{"file":"classes/permissions/SystemPermissionEntry.talk","tag":"field","line":6}},{"description":"Autogenerated from com.acres4.db.usher.entities.tables.Permission.shortName","type":["string"],"name":"shortName","__meta":{"file":"classes/permissions/SystemPermissionEntry.talk","tag":"field","line":9}},{"description":"Autogenerated from com.acres4.db.usher.entities.tables.Permission.description","type":["string"],"name":"description","__meta":{"file":"classes/permissions/SystemPermissionEntry.talk","tag":"field","line":12}},{"description":"Autogenerated from com.acres4.db.usher.entities.tables.Permission.idPermissionApp","type":["int32"],"name":"idPermissionApp","__meta":{"file":"classes/permissions/SystemPermissionEntry.talk","tag":"field","line":15}},{"description":"Autogenerated from com.acres4.db.usher.entities.tables.Permission.permissionBit","type":["int32"],"name":"permissionBit","__meta":{"file":"classes/permissions/SystemPermissionEntry.talk","tag":"field","line":18}}],"name":"com.acres4.common.info.permissions.SystemPermissionEntry","version":"0","implement":true,"__meta":{"file":"classes/permissions/SystemPermissionEntry.talk","tag":"class","line":1}},{"description":"Defines System Permission Group","field":[{"description":"The permission group identifier","type":["int32"],"name":"idPermissionGroup","__meta":{"file":"classes/permissions/SystemPermissionGroup.talk","tag":"field","line":4}},{"description":"The description of the group","type":["string"],"name":"description","__meta":{"file":"classes/permissions/SystemPermissionGroup.talk","tag":"field","line":7}},{"description":"The set of defined permissions for the group.","type":["com.acres4.common.info.permissions.SystemPermission","[]"],"name":"permissions","__meta":{"file":"classes/permissions/SystemPermissionGroup.talk","tag":"field","line":10}}],"name":"com.acres4.common.info.permissions.SystemPermissionGroup","version":"0","implement":true,"__meta":{"file":"classes/permissions/SystemPermissionGroup.talk","tag":"class","line":1}},{"description":"Requests information regarding the last player at a machine location or the last location a player was at","field":[{"description":"Client connection token","type":["com.acres4.common.info.ConnectionToken"],"name":"tok","__meta":{"file":"classes/player/PlayerLocationRequest.talk","tag":"field","line":4}},{"description":"Location of a machine such as C050403","type":["string"],"name":"machineLocation","__meta":{"file":"classes/player/PlayerLocationRequest.talk","tag":"field","line":8}},{"description":"Full name of a player such as 'John Smith'. Middle initials are not included in the request/cache lookup.","type":["string"],"name":"playerName","__meta":{"file":"classes/player/PlayerLocationRequest.talk","tag":"field","line":12}}],"name":"com.acres4.common.info.mercury.client.PlayerLocationRequest","version":"0","implement":true,"__meta":{"file":"classes/player/PlayerLocationRequest.talk","tag":"class","line":1}},{"description":"Contains information regarding the last player(s) at a machine location, or the last machine(s) a named player was seen at. (can return multiples if there are several players with the same name)","field":[{"description":"Array of PlayerRating objects matching the PlayerLocationRequest criteria. The lastIdMachine field should be set in each.","type":["com.acres4.common.info.mercury.intf.PlayerRating","[]"],"name":"machinePlayerList","__meta":{"file":"classes/player/PlayerLocationResponse.talk","tag":"field","line":4}}],"name":"com.acres4.common.info.mercury.client.PlayerLocationResponse","version":"0","implement":true,"__meta":{"file":"classes/player/PlayerLocationResponse.talk","tag":"class","line":1}},{"description":"Describes a casino floor section.","field":[{"description":"Unique identifier for PlayerTierLevel","type":["int32"],"name":"identifier","__meta":{"file":"classes/player/PlayerTierLevel.talk","tag":"field","line":4}},{"description":"Human-readable name of tier","type":["string"],"name":"description","__meta":{"file":"classes/player/PlayerTierLevel.talk","tag":"field","line":8}}],"name":"com.acres4.common.info.mercury.client.PlayerTierLevel","version":"0","implement":true,"__meta":{"file":"classes/player/PlayerTierLevel.talk","tag":"class","line":1}},{"description":"Autogenerated from com.acres4.db.rt.entities.tables.Contest","field":[{"description":"Autogenerated from com.acres4.db.rt.entities.tables.Contest.idContest","type":["int32"],"name":"idContest","__meta":{"file":"classes/promo/ContestConfigFlash.talk","tag":"field","line":3}},{"description":"Autogenerated from com.acres4.db.rt.entities.tables.Contest.contestName","type":["string"],"name":"contestName","__meta":{"file":"classes/promo/ContestConfigFlash.talk","tag":"field","line":6}},{"description":"Autogenerated from com.acres4.db.rt.entities.tables.Contest.enrollmentStart","type":["int64"],"name":"enrollmentStart","__meta":{"file":"classes/promo/ContestConfigFlash.talk","tag":"field","line":9}},{"description":"Autogenerated from com.acres4.db.rt.entities.tables.Contest.enrollmentEnd","type":["int64"],"name":"enrollmentEnd","__meta":{"file":"classes/promo/ContestConfigFlash.talk","tag":"field","line":12}},{"description":"Autogenerated from com.acres4.db.rt.entities.tables.Contest.playStart","type":["int64"],"name":"playStart","__meta":{"file":"classes/promo/ContestConfigFlash.talk","tag":"field","line":15}},{"description":"Autogenerated from com.acres4.db.rt.entities.tables.Contest.playEnd","type":["int64"],"name":"playEnd","__meta":{"file":"classes/promo/ContestConfigFlash.talk","tag":"field","line":18}},{"description":"Autogenerated from com.acres4.db.rt.entities.tables.Contest.revealStart","type":["int64"],"name":"revealStart","__meta":{"file":"classes/promo/ContestConfigFlash.talk","tag":"field","line":21}},{"description":"Autogenerated from com.acres4.db.rt.entities.tables.Contest.revealEnd","type":["int64"],"name":"revealEnd","__meta":{"file":"classes/promo/ContestConfigFlash.talk","tag":"field","line":24}},{"description":"Autogenerated from com.acres4.db.rt.entities.tables.Contest.prizeClaimEnd","type":["int64"],"name":"prizeClaimEnd","__meta":{"file":"classes/promo/ContestConfigFlash.talk","tag":"field","line":27}},{"description":"Autogenerated from com.acres4.db.rt.entities.tables.Contest.prizeComplete","type":["bool"],"name":"prizeComplete","__meta":{"file":"classes/promo/ContestConfigFlash.talk","tag":"field","line":30}},{"description":"Autogenerated from com.acres4.db.rt.entities.tables.Contest.phoneNumber","type":["string"],"name":"phoneNumber","__meta":{"file":"classes/promo/ContestConfigFlash.talk","tag":"field","line":33}},{"description":"Autogenerated from com.acres4.db.rt.entities.tables.Contest.mysteryPrizeWord","type":["string"],"name":"mysteryPrizeWord","__meta":{"file":"classes/promo/ContestConfigFlash.talk","tag":"field","line":36}},{"description":"Autogenerated from com.acres4.db.rt.entities.tables.Contest.spendPerWinvelopePre","type":["int32"],"name":"spendPerWinvelopePre","__meta":{"file":"classes/promo/ContestConfigFlash.talk","tag":"field","line":39}},{"description":"Autogenerated from com.acres4.db.rt.entities.tables.Contest.spendPerWinvelopePost","type":["int32"],"name":"spendPerWinvelopePost","__meta":{"file":"classes/promo/ContestConfigFlash.talk","tag":"field","line":42}},{"description":"Autogenerated from com.acres4.db.rt.entities.tables.Contest.requiresInvite","type":["bool"],"name":"requiresInvite","__meta":{"file":"classes/promo/ContestConfigFlash.talk","tag":"field","line":45}},{"description":"Autogenerated from com.acres4.db.rt.entities.tables.Contest.maxParticipants","type":["int32"],"name":"maxParticipants","__meta":{"file":"classes/promo/ContestConfigFlash.talk","tag":"field","line":48}},{"description":"Autogenerated from com.acres4.db.rt.entities.tables.Contest.paytableType","type":["string"],"name":"paytableType","__meta":{"file":"classes/promo/ContestConfigFlash.talk","tag":"field","line":51}},{"description":"Autogenerated from com.acres4.db.rt.entities.tables.Contest.paytableParameters","type":["string"],"name":"paytableParameters","__meta":{"file":"classes/promo/ContestConfigFlash.talk","tag":"field","line":54}}],"name":"com.acres4.common.info.promo.ContestConfigFlash","version":"0","implement":true,"__meta":{"file":"classes/promo/ContestConfigFlash.talk","tag":"class","line":1}},{"description":"Autogenerated from com.acres4.db.rt.entities.tables.MessageLog","field":[{"description":"Autogenerated from com.acres4.db.rt.entities.tables.MessageLog.idMessageLog","type":["int32"],"name":"idMessageLog","__meta":{"file":"classes/promo/PromoMessageLog.talk","tag":"field","line":3}},{"description":"Autogenerated from com.acres4.db.rt.entities.tables.MessageLog.idMessage","type":["int64"],"name":"idMessage","__meta":{"file":"classes/promo/PromoMessageLog.talk","tag":"field","line":6}},{"description":"Autogenerated from com.acres4.db.rt.entities.tables.MessageLog.idParticipant","type":["int32"],"name":"idParticipant","__meta":{"file":"classes/promo/PromoMessageLog.talk","tag":"field","line":9}},{"description":"Autogenerated from com.acres4.db.rt.entities.tables.MessageLog.idParticipantContestLog","type":["int32"],"name":"idParticipantContestLog","__meta":{"file":"classes/promo/PromoMessageLog.talk","tag":"field","line":12}},{"description":"Autogenerated from com.acres4.db.rt.entities.tables.MessageLog.phone","type":["string"],"name":"phone","__meta":{"file":"classes/promo/PromoMessageLog.talk","tag":"field","line":15}},{"description":"Autogenerated from com.acres4.db.rt.entities.tables.MessageLog.message","type":["string"],"name":"message","__meta":{"file":"classes/promo/PromoMessageLog.talk","tag":"field","line":18}},{"description":"Autogenerated from com.acres4.db.rt.entities.tables.MessageLog.keyword","type":["string"],"name":"keyword","__meta":{"file":"classes/promo/PromoMessageLog.talk","tag":"field","line":21}},{"description":"Autogenerated from com.acres4.db.rt.entities.tables.MessageLog.response","type":["string"],"name":"response","__meta":{"file":"classes/promo/PromoMessageLog.talk","tag":"field","line":24}},{"description":"Autogenerated from com.acres4.db.rt.entities.tables.MessageLog.messageTime","type":["int64"],"name":"messageTime","__meta":{"file":"classes/promo/PromoMessageLog.talk","tag":"field","line":27}}],"name":"com.acres4.common.info.promo.PromoMessageLog","version":"0","implement":true,"__meta":{"file":"classes/promo/PromoMessageLog.talk","tag":"class","line":1}},{"description":"This describes 1 promotional contest winvelope mystery letter to be revealed.","field":[{"description":"Index in the Mystery String to be revealed. This is 0 based so 0 means 'M' in \"Mystic Cash\"","type":["int32"],"name":"lindex","__meta":{"file":"classes/promo/PromoMystery.talk","tag":"field","line":4}},{"description":"Index of the winvelope that contained the prize. This is one based, so 1 means the first winvelope.","type":["int32"],"name":"index","__meta":{"file":"classes/promo/PromoMystery.talk","tag":"field","line":8}}],"name":"com.acres4.common.info.promo.PromoMystery","version":"0","implement":true,"__meta":{"file":"classes/promo/PromoMystery.talk","tag":"class","line":1}},{"description":"Request for participant prize information for redemption purposes","field":[{"description":"Current connection token","type":["com.acres4.common.info.ConnectionToken"],"name":"tok","__meta":{"file":"classes/promo/PromoParticipantInfoRequest.talk","tag":"field","line":4}},{"description":"Participant phone number","type":["string"],"name":"phoneNumber","__meta":{"file":"classes/promo/PromoParticipantInfoRequest.talk","tag":"field","line":8}},{"description":"Participant player card number","type":["string"],"name":"playerCard","__meta":{"file":"classes/promo/PromoParticipantInfoRequest.talk","tag":"field","line":12}}],"name":"com.acres4.common.info.promo.PromoParticipantInfoRequest","version":"0","implement":true,"__meta":{"file":"classes/promo/PromoParticipantInfoRequest.talk","tag":"class","line":1}},{"description":"This describes the prizes awarded in response to a PromoParticipantInfoRequest","field":[{"description":"Participant first name","type":["string"],"name":"firstName","__meta":{"file":"classes/promo/PromoParticipantPrizesResponse.talk","tag":"field","line":4}},{"description":"Participant last name","type":["string"],"name":"lastName","__meta":{"file":"classes/promo/PromoParticipantPrizesResponse.talk","tag":"field","line":8}},{"description":"Participant player card number","type":["string"],"name":"playerCard","__meta":{"file":"classes/promo/PromoParticipantPrizesResponse.talk","tag":"field","line":12}},{"description":"Last 4 of phone number","type":["int32"],"name":"lastFour","__meta":{"file":"classes/promo/PromoParticipantPrizesResponse.talk","tag":"field","line":16}},{"description":"Array of linked phone numbers","type":["string","[]"],"name":"phoneNumbers","__meta":{"file":"classes/promo/PromoParticipantPrizesResponse.talk","tag":"field","line":20}},{"description":"Array of prizes","type":["PromoPrize","[]"],"name":"prizes","__meta":{"file":"classes/promo/PromoParticipantPrizesResponse.talk","tag":"field","line":24}},{"description":"Participant state","type":["int32"],"name":"state","__meta":{"file":"classes/promo/PromoParticipantPrizesResponse.talk","tag":"field","line":28}},{"description":"Participant Contest Identifier","type":["int32"],"name":"idParticipantContest","__meta":{"file":"classes/promo/PromoParticipantPrizesResponse.talk","tag":"field","line":32}},{"description":"Number of winvelopes earned","type":["int32"],"name":"winvelopeCount","__meta":{"file":"classes/promo/PromoParticipantPrizesResponse.talk","tag":"field","line":36}},{"description":"Position on board","type":["int32"],"name":"gamePosition","__meta":{"file":"classes/promo/PromoParticipantPrizesResponse.talk","tag":"field","line":40}}],"name":"com.acres4.common.info.promo.PromoParticipantPrizesResponse","version":"0","implement":true,"__meta":{"file":"classes/promo/PromoParticipantPrizesResponse.talk","tag":"class","line":1}},{"description":"Request to set participant state to redeemed","field":[{"description":"Current connection token","type":["com.acres4.common.info.ConnectionToken"],"name":"tok","__meta":{"file":"classes/promo/PromoParticipantRedeemRequest.talk","tag":"field","line":4}},{"description":"Participant Contest ID","type":["int32"],"name":"idParticipantContest","__meta":{"file":"classes/promo/PromoParticipantRedeemRequest.talk","tag":"field","line":8}}],"name":"com.acres4.common.info.promo.PromoParticipantRedeemRequest","version":"0","implement":true,"__meta":{"file":"classes/promo/PromoParticipantRedeemRequest.talk","tag":"class","line":1}},{"description":"Request for something (probably a PromoStatus or PromoReveal object) for the participant with the specified player card number or phone number.","field":[{"description":"Client connection token.","type":["com.acres4.common.info.ConnectionToken"],"name":"tok","__meta":{"file":"classes/promo/PromoParticipantRequest.talk","tag":"field","line":4}},{"description":"Player card number or phone number of participant that this request is for.","type":["string"],"name":"playerCard","__meta":{"file":"classes/promo/PromoParticipantRequest.talk","tag":"field","line":8}}],"name":"com.acres4.common.info.promo.PromoParticipantRequest","version":"0","implement":true,"__meta":{"file":"classes/promo/PromoParticipantRequest.talk","tag":"class","line":1}},{"description":"This describes 1 promotional contest winvelope prize to be revealed.","field":[{"description":"String describing the prize. E.g. \"$25 cash\" or \"Harley Davidson Motorcycle\"","type":["string"],"name":"prize","__meta":{"file":"classes/promo/PromoPrize.talk","tag":"field","line":4}},{"description":"id of the prize for validation","type":["int32"],"name":"idPrize","__meta":{"file":"classes/promo/PromoPrize.talk","tag":"field","line":8}},{"description":"Indicates prize is mystery","type":["bool"],"name":"mystery","__meta":{"file":"classes/promo/PromoPrize.talk","tag":"field","line":12}},{"description":"Indicates type of prize from PromoPrizeType","type":["int32"],"name":"prizeType","__meta":{"file":"classes/promo/PromoPrize.talk","tag":"field","line":16}},{"description":"value of prize in dollars","type":["int32"],"name":"value","__meta":{"file":"classes/promo/PromoPrize.talk","tag":"field","line":20}},{"description":"array of indicies of the winvelopes that contained this prize. This is one based, so 1 means the first winvelope.","type":["int32","[]"],"name":"index","__meta":{"file":"classes/promo/PromoPrize.talk","tag":"field","line":25}},{"description":"id of the prize selected object for corrolation.","type":["int32","[]"],"name":"idPrizeSelected","__meta":{"file":"classes/promo/PromoPrize.talk","tag":"field","line":28}},{"description":"total value of prize in dollars - courtesy field equal to index.length * value","type":["int32"],"name":"totalValue","__meta":{"file":"classes/promo/PromoPrize.talk","tag":"field","line":32}}],"name":"com.acres4.common.info.promo.PromoPrize","version":"0","implement":true,"__meta":{"file":"classes/promo/PromoPrize.talk","tag":"class","line":1}},{"description":"This describes the promotional contest winvelope prizes for one participant to be revealed.","field":[{"description":"First name of the participant.","type":["string"],"name":"firstName","__meta":{"file":"classes/promo/PromoReveal.talk","tag":"field","line":4}},{"description":"Last 4 digits of the participant's phone number.","type":["int32"],"name":"lastFour","__meta":{"file":"classes/promo/PromoReveal.talk","tag":"field","line":8}},{"description":"Total number of winvelopes for the participant (including losing winvelopes).","type":["int32"],"name":"winvelopeCount","__meta":{"file":"classes/promo/PromoReveal.talk","tag":"field","line":12}},{"description":"Total mystery prize amount in dollars. 0 unless user actually won one or more mystery prizes.","type":["int32"],"name":"totalMysteryPrize","__meta":{"file":"classes/promo/PromoReveal.talk","tag":"field","line":16}},{"description":"Array of non-losing prizes for the participant.","type":["com.acres4.common.info.promo.PromoPrize","[]"],"name":"prizes","__meta":{"file":"classes/promo/PromoReveal.talk","tag":"field","line":20}},{"description":"Array of reveal letters for the participant.","type":["com.acres4.common.info.promo.PromoMystery","[]"],"name":"mystery","__meta":{"file":"classes/promo/PromoReveal.talk","tag":"field","line":23}}],"name":"com.acres4.common.info.promo.PromoReveal","version":"0","implement":true,"__meta":{"file":"classes/promo/PromoReveal.talk","tag":"class","line":1}},{"description":"Request and response object when Wally sign requests the sign code from the server.","field":[{"description":"Client connection token. Null when this is a response from the server to the Wally sign.","type":["com.acres4.common.info.ConnectionToken"],"name":"tok","__meta":{"file":"classes/promo/PromoSignCode.talk","tag":"field","line":4}},{"description":"For a request from the Wally sign to the server, this should contain the last sign code known by the Wally sign or null if none. For the response from the server to the Wally sign, this contains the sign code that the Wally sign should display.","type":["string"],"name":"signCode","__meta":{"file":"classes/promo/PromoSignCode.talk","tag":"field","line":8}}],"name":"com.acres4.common.info.promo.PromoSignCode","version":"0","implement":true,"__meta":{"file":"classes/promo/PromoSignCode.talk","tag":"class","line":1}},{"description":"This describes the promotional contest status for one participant.","field":[{"description":"First name of the participant.","type":["string"],"name":"firstName","__meta":{"file":"classes/promo/PromoStatus.talk","tag":"field","line":4}},{"description":"Last 4 digits of the participant's phone number.","type":["int32"],"name":"lastFour","__meta":{"file":"classes/promo/PromoStatus.talk","tag":"field","line":8}},{"description":"Total number of winvelopes for the participant.","type":["int32"],"name":"winvelopeCount","__meta":{"file":"classes/promo/PromoStatus.talk","tag":"field","line":12}},{"description":"Participants position on the game board.","type":["int32"],"name":"gamePosition","__meta":{"file":"classes/promo/PromoStatus.talk","tag":"field","line":16}}],"name":"com.acres4.common.info.promo.PromoStatus","version":"0","implement":true,"__meta":{"file":"classes/promo/PromoStatus.talk","tag":"class","line":1}},{"description":"This describes the text conversation of a participant","field":[{"description":"Participant first name","type":["string"],"name":"firstName","__meta":{"file":"classes/promo/PromoTextDetailResponse.talk","tag":"field","line":4}},{"description":"Participant last name","type":["string"],"name":"lastName","__meta":{"file":"classes/promo/PromoTextDetailResponse.talk","tag":"field","line":8}},{"description":"Message Logs Array","type":["com.acres4.common.info.promo.PromoMessageLog","[]"],"name":"messageLogs","__meta":{"file":"classes/promo/PromoTextDetailResponse.talk","tag":"field","line":12}}],"name":"com.acres4.common.info.promo.PromoTextDetailResponse","version":"0","implement":true,"__meta":{"file":"classes/promo/PromoTextDetailResponse.talk","tag":"class","line":1}},{"description":"This describes the promotional contest \"totals\" statistics for a sort of \"leader board\" to be displayed by the Wally sign.","field":[{"description":"Array containing the first names of the top winvelope earners in the same order as the winvelopeCount array below. The order is highest winvelope earner first.","type":["string","[]"],"name":"firstName","__meta":{"file":"classes/promo/PromoTotals.talk","tag":"field","line":4}},{"description":"Array contining the total number of winvelopes for the top winvelope earners in the same order as the firstName array above. The order is highest winvelope earner first.","type":["int32","[]"],"name":"winvelopeCount","__meta":{"file":"classes/promo/PromoTotals.talk","tag":"field","line":8}},{"description":"Total number of enrolled participants.","type":["int32"],"name":"enrolledParticipants","__meta":{"file":"classes/promo/PromoTotals.talk","tag":"field","line":12}},{"description":"Total number of participants who have crossed the finish line.","type":["int32"],"name":"crossedFinishLine","__meta":{"file":"classes/promo/PromoTotals.talk","tag":"field","line":16}},{"description":"Value of the top prize in dollars.","type":["int32"],"name":"topPrizeValue","__meta":{"file":"classes/promo/PromoTotals.talk","tag":"field","line":20}},{"description":"Description of the top prize like \"$5,000 Cash\".","type":["string"],"name":"topPrizeDescription","__meta":{"file":"classes/promo/PromoTotals.talk","tag":"field","line":24}},{"description":"Type of the top prize from PromoPrizeType.","type":["int32"],"name":"topPrizeType","__meta":{"file":"classes/promo/PromoTotals.talk","tag":"field","line":28}}],"name":"com.acres4.common.info.promo.PromoTotals","version":"0","implement":true,"__meta":{"file":"classes/promo/PromoTotals.talk","tag":"class","line":1}},{"description":"Request to upgrade a non-carded participant to carded status","field":[{"description":"Current connection token","type":["com.acres4.common.info.ConnectionToken"],"name":"tok","__meta":{"file":"classes/promo/PromoUpgradeParticipantRequest.talk","tag":"field","line":4}},{"description":"Participant Contest ID","type":["int32"],"name":"idParticipantContest","__meta":{"file":"classes/promo/PromoUpgradeParticipantRequest.talk","tag":"field","line":8}},{"description":"Participant's first name","type":["string"],"name":"firstName","__meta":{"file":"classes/promo/PromoUpgradeParticipantRequest.talk","tag":"field","line":12}},{"description":"Participant's last name","type":["string"],"name":"lastName","__meta":{"file":"classes/promo/PromoUpgradeParticipantRequest.talk","tag":"field","line":16}},{"description":"Participant's player card number","type":["string"],"name":"playerCard","__meta":{"file":"classes/promo/PromoUpgradeParticipantRequest.talk","tag":"field","line":20}}],"name":"com.acres4.common.info.promo.PromoUpgradeParticipantRequest","version":"0","implement":true,"__meta":{"file":"classes/promo/PromoUpgradeParticipantRequest.talk","tag":"class","line":1}},{"description":"Describes a QA Test Message for generating test events in mercury","field":[{"description":"The event list to pass to the actual EventHandler","type":["com.acres4.common.info.mercury.intf.EventTableItem"],"name":"event","__meta":{"file":"classes/qatest/QAEventTableItem.talk","tag":"field","line":4}},{"description":"Location ID to simulate event at. Server will replace event.hostEvent.hostDeviceId with the device ID matching this locationl","type":["string"],"name":"location","__meta":{"file":"classes/qatest/QAEventTableItem.talk","tag":"field","line":8}}],"name":"com.acres4.common.info.mercury.qatest.QAEventTableItem","version":"0","implement":true,"__meta":{"file":"classes/qatest/QAEventTableItem.talk","tag":"class","line":1}},{"description":"Describes a QA Test Message for generating test events in mercury","field":[{"description":"Current connection token","type":["com.acres4.common.info.ConnectionToken"],"name":"tok","__meta":{"file":"classes/qatest/QATestEventRequest.talk","tag":"field","line":4}},{"description":"The event list to pass to the actual EventHandler","type":["com.acres4.common.info.mercury.qatest.QAEventTableItem","[]"],"name":"eventList","__meta":{"file":"classes/qatest/QATestEventRequest.talk","tag":"field","line":8}}],"name":"com.acres4.common.info.mercury.qatest.QATestEventRequest","version":"0","implement":true,"__meta":{"file":"classes/qatest/QATestEventRequest.talk","tag":"class","line":1}},{"description":"Describes an json response to allow apps to request version information from a server","field":[{"description":"returns the app info of the server","type":["com.acres4.common.info.AppInfo"],"name":"appInfo","__meta":{"file":"classes/qatest/QATestVersion.talk","tag":"field","line":4}}],"name":"com.acres4.common.info.mercury.qatest.QATestVersion","version":"0","implement":true,"__meta":{"file":"classes/qatest/QATestVersion.talk","tag":"class","line":1}},{"description":"Requests the list of radio channels avaialble for use by the clients","field":[{"description":"Unique identifier of this radio channel","type":["int32"],"name":"idChannel","__meta":{"file":"classes/radio/RadioChannel.talk","tag":"field","line":4}},{"description":"Human readable name of this channel","type":["string"],"name":"channelDescription","__meta":{"file":"classes/radio/RadioChannel.talk","tag":"field","line":8}},{"description":"Indicates the channel is ignored/hidden","type":["bool"],"name":"ignored","__meta":{"file":"classes/radio/RadioChannel.talk","tag":"field","line":12}}],"name":"com.acres4.common.info.radio.RadioChannel","version":"0","implement":true,"__meta":{"file":"classes/radio/RadioChannel.talk","tag":"class","line":1}},{"description":"Autogenerated from com.acres4.db.a4dispatch.entities.tables.RadioChannelLink","field":[{"description":"Autogenerated from com.acres4.db.a4dispatch.entities.tables.RadioChannelLink.idRadioChannelLink","type":["int32"],"name":"idRadioChannelLink","__meta":{"file":"classes/radio/RadioChannelLink.talk","tag":"field","line":3}},{"description":"Autogenerated from com.acres4.db.a4dispatch.entities.tables.RadioChannelLink.idRadioChannel","type":["int32"],"name":"idRadioChannel","__meta":{"file":"classes/radio/RadioChannelLink.talk","tag":"field","line":6}},{"description":"Autogenerated from com.acres4.db.a4dispatch.entities.tables.RadioChannelLink.idDepartment","type":["int32"],"name":"idDepartment","__meta":{"file":"classes/radio/RadioChannelLink.talk","tag":"field","line":9}},{"description":"Autogenerated from com.acres4.db.a4dispatch.entities.tables.RadioChannelLink.idRole","type":["int32"],"name":"idRole","__meta":{"file":"classes/radio/RadioChannelLink.talk","tag":"field","line":12}}],"name":"com.acres4.common.info.radio.RadioChannelLink","version":"0","implement":true,"__meta":{"file":"classes/radio/RadioChannelLink.talk","tag":"class","line":1}},{"description":"Requests the list of radio channels avaialble for use by the clients","field":[{"description":"List of radio channels available to the client","type":["com.acres4.common.info.radio.RadioChannel","[]"],"name":"channels","__meta":{"file":"classes/radio/RadioChannelList.talk","tag":"field","line":4}},{"description":"List of radio channels links available to the client, this describes the defaults for departments and roles","type":["com.acres4.common.info.radio.RadioChannelLink","[]"],"name":"links","__meta":{"file":"classes/radio/RadioChannelList.talk","tag":"field","line":8}}],"name":"com.acres4.common.info.radio.RadioChannelList","version":"0","implement":true,"__meta":{"file":"classes/radio/RadioChannelList.talk","tag":"class","line":1}},{"description":"A single key-value pair definition","field":[{"description":"Name of key","type":["string"],"name":"key","__meta":{"file":"classes/reporting/KeyValue.talk","tag":"field","line":4}},{"description":"String casted value","type":["string"],"name":"value","__meta":{"file":"classes/reporting/KeyValue.talk","tag":"field","line":8}}],"name":"com.acres4.common.info.reporting.KeyValue","version":"0","implement":true,"__meta":{"file":"classes/reporting/KeyValue.talk","tag":"class","line":1}},{"description":"This represents a report manifest node","field":[{"description":"Name of report","type":["string"],"name":"title","__meta":{"file":"classes/reporting/manifest/ReportManifestNode.talk","tag":"field","line":4}},{"description":"This text will be used as tooltip","type":["string"],"name":"description","__meta":{"file":"classes/reporting/manifest/ReportManifestNode.talk","tag":"field","line":8}},{"description":"This string is a comma separated list of module which can run the report note SYSTEM_PERMISSION_MODULE_ is assumed prefix. e.g. KAI_DISPATCH, KAI_PROMO","type":["string"],"name":"moduleStr","__meta":{"file":"classes/reporting/manifest/ReportManifestNode.talk","tag":"field","line":12}},{"description":"list of modules that can run the report only used on central","type":["int32","[]"],"name":"modules","__meta":{"file":"classes/reporting/manifest/ReportManifestNode.talk","tag":"field","line":16}},{"description":"This string is a comma separated list of report permissions which is itself a colon separated list of permsisons. e.g. KAI_DISPATCH:MERCURY:REPORTS,KAI_PROMO:PROMO:REPORTS","type":["string"],"name":"permissionStr","__meta":{"file":"classes/reporting/manifest/ReportManifestNode.talk","tag":"field","line":20}},{"description":"permissions for this report only used on central","type":["ReportPermission","[]"],"name":"permissions","__meta":{"file":"classes/reporting/manifest/ReportManifestNode.talk","tag":"field","line":25}},{"description":"Name of report only used on central","type":["string"],"name":"fileName","__meta":{"file":"classes/reporting/manifest/ReportManifestNode.talk","tag":"field","line":29}}],"name":"com.acres4.common.info.reporting.manifest.ReportManifestNode","version":"0","implement":true,"__meta":{"file":"classes/reporting/manifest/ReportManifestNode.talk","tag":"class","line":1}},{"description":"This represents a report permission","field":[{"description":"module this permission applies to 0 = all","type":["int32"],"name":"module","__meta":{"file":"classes/reporting/manifest/ReportPermission.talk","tag":"field","line":4}},{"description":"permissions required to run report","type":["com.acres4.common.info.permissions.SystemPermission"],"name":"permission","__meta":{"file":"classes/reporting/manifest/ReportPermission.talk","tag":"field","line":8}}],"name":"com.acres4.common.info.reporting.manifest.ReportPermission","version":"0","implement":true,"__meta":{"file":"classes/reporting/manifest/ReportPermission.talk","tag":"class","line":1}},{"description":"Represents a report and all it's constituent parts, such as meta-data, parameters etc","field":[{"description":"Name of report","type":["string"],"name":"reportTitle","__meta":{"file":"classes/reporting/ReportContext.talk","tag":"field","line":4}},{"description":"This text will be used as tooltip","type":["string"],"name":"description","__meta":{"file":"classes/reporting/ReportContext.talk","tag":"field","line":8}},{"description":"Reference id for the report (presumably a primary key from the repository)","type":["int32"],"name":"reportId","__meta":{"file":"classes/reporting/ReportContext.talk","tag":"field","line":12}},{"description":"Textual description of the category for which this report elongs","type":["string"],"name":"category","__meta":{"file":"classes/reporting/ReportContext.talk","tag":"field","line":16}},{"description":"Indicates if the report should be visible to the user","type":["bool"],"name":"isHidden","__meta":{"file":"classes/reporting/ReportContext.talk","tag":"field","line":20}},{"description":"List of parameter for this report context","type":["ReportParameter","[]"],"name":"parameterList","__meta":{"file":"classes/reporting/ReportContext.talk","tag":"field","line":24}}],"name":"com.acres4.common.info.reporting.ReportContext","version":"0","implement":true,"__meta":{"file":"classes/reporting/ReportContext.talk","tag":"class","line":1}},{"description":"This represents an list of ReportContext objects","field":[{"description":"The customer name that pertains to the list","type":["string"],"name":"customer","__meta":{"file":"classes/reporting/ReportList.talk","tag":"field","line":4}},{"description":"A unordered list of all ReportCtx objects authorized for the authenticated user","type":["com.acres4.common.info.reporting.ReportContext","[]"],"name":"reportCtxList","__meta":{"file":"classes/reporting/ReportList.talk","tag":"field","line":8}}],"name":"com.acres4.common.info.reporting.ReportList","version":"0","implement":true,"__meta":{"file":"classes/reporting/ReportList.talk","tag":"class","line":1}},{"description":"Represent a request for retrieving a list of reports (based on the users authorization)","field":[{"description":"ConnectionToken for the user session","type":["com.acres4.common.info.ConnectionToken"],"name":"tok","__meta":{"file":"classes/reporting/ReportListRequest.talk","tag":"field","line":4}}],"name":"com.acres4.common.info.reporting.ReportListRequest","version":"0","implement":true,"__meta":{"file":"classes/reporting/ReportListRequest.talk","tag":"class","line":1}},{"description":"This response contains a list of reports with it's corresponding ReportContext object","field":[{"description":"A complete list of reports for the authorized user","type":["com.acres4.common.info.reporting.ReportList"],"name":"reportList","__meta":{"file":"classes/reporting/ReportListResponse.talk","tag":"field","line":4}}],"name":"com.acres4.common.info.reporting.ReportListResponse","version":"0","implement":true,"__meta":{"file":"classes/reporting/ReportListResponse.talk","tag":"class","line":1}},{"description":"Represent a request loading archive file of reports","field":[{"description":"ConnectionToken for the user session","type":["com.acres4.common.info.ConnectionToken"],"name":"tok","__meta":{"file":"classes/reporting/ReportLoadRequest.talk","tag":"field","line":4}},{"description":"Archive file content in base 64","type":["string"],"name":"archiveContent","__meta":{"file":"classes/reporting/ReportLoadRequest.talk","tag":"field","line":8}}],"name":"com.acres4.common.info.reporting.ReportLoadRequest","version":"0","implement":true,"__meta":{"file":"classes/reporting/ReportLoadRequest.talk","tag":"class","line":1}},{"description":"This response contains a list of errors for each failed upload attempt","field":[{"description":"List of all errors generated during the file upload request","type":["string","[]"],"name":"errorList","__meta":{"file":"classes/reporting/ReportLoadResponse.talk","tag":"field","line":4}}],"name":"com.acres4.common.info.reporting.ReportLoadResponse","version":"0","implement":true,"__meta":{"file":"classes/reporting/ReportLoadResponse.talk","tag":"class","line":1}},{"description":"This represents a single report parameter that the user is presented","field":[{"description":"Name of parameter","type":["string"],"name":"name","__meta":{"file":"classes/reporting/ReportParameter.talk","tag":"field","line":4}},{"description":"Human readable parameter name for display","type":["string"],"name":"label","__meta":{"file":"classes/reporting/ReportParameter.talk","tag":"field","line":8}},{"description":"The Java type name of the parameter","type":["string"],"name":"type","__meta":{"file":"classes/reporting/ReportParameter.talk","tag":"field","line":12}},{"description":"Determines if the input paramater is required to be completed","type":["bool"],"name":"required","__meta":{"file":"classes/reporting/ReportParameter.talk","tag":"field","line":16}},{"description":"Determines whether the field is hidden","type":["bool"],"name":"hidden","__meta":{"file":"classes/reporting/ReportParameter.talk","tag":"field","line":20}},{"description":"Determines whether the data type is a Date and Time","type":["bool"],"name":"timestamp","__meta":{"file":"classes/reporting/ReportParameter.talk","tag":"field","line":24}},{"description":"Block of JS code to execute for field validation","type":["string"],"name":"validationCode","__meta":{"file":"classes/reporting/ReportParameter.talk","tag":"field","line":28}},{"description":"List of key-value pairs that will be presented to the user. E.g in drop-downs or default values in input fields","type":["com.acres4.common.info.reporting.KeyValue","[]"],"name":"valueList","__meta":{"file":"classes/reporting/ReportParameter.talk","tag":"field","line":32}}],"name":"com.acres4.common.info.reporting.ReportParameter","version":"0","implement":true,"__meta":{"file":"classes/reporting/ReportParameter.talk","tag":"class","line":1}},{"description":"Request to render a report given the associated ReportCtx, parameters and outputtype","field":[{"description":"ConnectionToken for the user session","type":["com.acres4.common.info.ConnectionToken"],"name":"tok","__meta":{"file":"classes/reporting/ReportRenderRequest.talk","tag":"field","line":4}},{"description":"The report to render with ReportParameters","type":["com.acres4.common.info.reporting.ReportContext"],"name":"reportContext","__meta":{"file":"classes/reporting/ReportRenderRequest.talk","tag":"field","line":8}},{"description":"Represents the final output format of the report","type":["string"],"name":"renderType","__meta":{"file":"classes/reporting/ReportRenderRequest.talk","tag":"field","line":12}},{"description":"Represent the time zone of the user","type":["string"],"name":"userTimeZone","__meta":{"file":"classes/reporting/ReportRenderRequest.talk","tag":"field","line":16}}],"name":"com.acres4.common.info.reporting.ReportRenderRequest","version":"0","implement":true,"__meta":{"file":"classes/reporting/ReportRenderRequest.talk","tag":"class","line":1}},{"description":"Response to request for rendering a report","field":[{"description":"Represents the final output format of the report","type":["string"],"name":"renderType","__meta":{"file":"classes/reporting/ReportRenderResponse.talk","tag":"field","line":4}},{"description":"Base64 encoded report data","type":["string"],"name":"content","__meta":{"file":"classes/reporting/ReportRenderResponse.talk","tag":"field","line":8}}],"name":"com.acres4.common.info.reporting.ReportRenderResponse","version":"0","implement":true,"__meta":{"file":"classes/reporting/ReportRenderResponse.talk","tag":"class","line":1}},{"description":"Data describing subscription request","field":[{"description":"Unique token for this session","type":["com.acres4.common.info.ConnectionToken"],"name":"tok","__meta":{"file":"classes/service/ServiceSubscribeRequest.talk","tag":"field","line":66}},{"description":"String identifying the service","type":["string"],"name":"serviceName","__meta":{"file":"classes/service/ServiceSubscribeRequest.talk","tag":"field","line":69}}],"name":"com.acres4.common.info.ServiceSubscribeRequest","version":"0","implement":true,"__meta":{"file":"classes/service/ServiceSubscribeRequest.talk","tag":"class","line":64}},{"description":"Data describing subscription request","field":[{"description":"Unique token for this session","type":["com.acres4.common.info.ConnectionToken"],"name":"tok","__meta":{"file":"classes/service/ServiceUnsubscribeRequest.talk","tag":"field","line":3}},{"description":"String identifying the service","type":["string"],"name":"serviceName","__meta":{"file":"classes/service/ServiceUnsubscribeRequest.talk","tag":"field","line":6}}],"name":"com.acres4.common.info.ServiceUnsubscribeRequest","version":"0","implement":true,"__meta":{"file":"classes/service/ServiceUnsubscribeRequest.talk","tag":"class","line":1}},{"description":"Automatic update of data due to application subscription","field":[{"description":"Data being pushed to client","type":["com.acres4.common.info.NamedObjectWrapper"],"name":"contents","__meta":{"file":"classes/service/ServiceUpdate.talk","tag":"field","line":3}},{"description":"String identifying the corresponding subscription","type":["string"],"name":"serviceName","__meta":{"file":"classes/service/ServiceUpdate.talk","tag":"field","line":6}}],"name":"com.acres4.common.info.ServiceUpdate","version":"0","implement":true,"__meta":{"file":"classes/service/ServiceUpdate.talk","tag":"class","line":1}},{"description":"Request to subscribe/unsubscribe to periodic async zaps from the server.","field":[{"description":"Unique token for this session","type":["com.acres4.common.info.ConnectionToken"],"name":"tok","__meta":{"file":"classes/service/ZapTimerRequest.talk","tag":"field","line":4}},{"description":"Amount of delay AFTER RECEIVING THIS REQUEST to wait, in milliseconds, before starting to send zaps. Once zaps begin to be sent, they will do so until unsubscribed, or after 30 seconds passes.","type":["int32"],"name":"delay","__meta":{"file":"classes/service/ZapTimerRequest.talk","tag":"field","line":8}},{"description":"If true, subscribes to being zapped with the given delay. If false, unsubscribes from being zapped.","type":["bool"],"name":"subscribe","__meta":{"file":"classes/service/ZapTimerRequest.talk","tag":"field","line":12}}],"name":"com.acres4.common.info.ZapTimerRequest","version":"0","implement":true,"__meta":{"file":"classes/service/ZapTimerRequest.talk","tag":"class","line":1}},{"description":"A mobile originated (MO) SMS message","field":[{"description":"Campaign ID of message","type":["string"],"name":"campaignId","__meta":{"file":"classes/sms/SMSMessageMO.talk","tag":"field","line":3}},{"description":"User number of message","type":["string"],"name":"msisdnFrom","__meta":{"file":"classes/sms/SMSMessageMO.talk","tag":"field","line":6}},{"description":"Target number of message","type":["string"],"name":"msisdnTo","__meta":{"file":"classes/sms/SMSMessageMO.talk","tag":"field","line":9}},{"description":"carrier message sent on","type":["string"],"name":"carrier","__meta":{"file":"classes/sms/SMSMessageMO.talk","tag":"field","line":12}},{"description":"actual text message","type":["string"],"name":"message","__meta":{"file":"classes/sms/SMSMessageMO.talk","tag":"field","line":15}},{"description":"subject of message","type":["string"],"name":"subject","__meta":{"file":"classes/sms/SMSMessageMO.talk","tag":"field","line":18}},{"description":"service provider","type":["string"],"name":"service","__meta":{"file":"classes/sms/SMSMessageMO.talk","tag":"field","line":21}}],"name":"com.acres4.common.info.sms.SMSMesssageMO","version":"0","implement":true,"__meta":{"file":"classes/sms/SMSMessageMO.talk","tag":"class","line":1}},{"description":"An asynchronous message ack for sent message","field":[{"description":"response code from message ack","type":["int32"],"name":"responseCode","__meta":{"file":"classes/sms/SMSResponse.talk","tag":"field","line":3}},{"description":"response Status from message ack","type":["string"],"name":"responseStatus","__meta":{"file":"classes/sms/SMSResponse.talk","tag":"field","line":6}},{"description":"actual text message","type":["string"],"name":"message","__meta":{"file":"classes/sms/SMSResponse.talk","tag":"field","line":9}},{"description":"Message Id","type":["int64"],"name":"messageId","__meta":{"file":"classes/sms/SMSResponse.talk","tag":"field","line":12}},{"description":"hash of message","type":["string"],"name":"hash","__meta":{"file":"classes/sms/SMSResponse.talk","tag":"field","line":15}}],"name":"com.acres4.common.info.sms.SMSResponse","version":"0","implement":true,"__meta":{"file":"classes/sms/SMSResponse.talk","tag":"class","line":1}},{"description":"Service Provider to Switchboard interface message.","field":[{"description":"Campaign ID of message","type":["string"],"name":"campaignId","__meta":{"file":"classes/switchboard/ServiceMessage.talk","tag":"field","line":3}},{"description":"User number of message","type":["string"],"name":"msisdnFrom","__meta":{"file":"classes/switchboard/ServiceMessage.talk","tag":"field","line":6}},{"description":"Target number of message","type":["string"],"name":"msisdnTo","__meta":{"file":"classes/switchboard/ServiceMessage.talk","tag":"field","line":9}},{"description":"carrier message sent on","type":["string"],"name":"carrier","__meta":{"file":"classes/switchboard/ServiceMessage.talk","tag":"field","line":12}},{"description":"service provider","type":["string"],"name":"service","__meta":{"file":"classes/switchboard/ServiceMessage.talk","tag":"field","line":15}},{"description":"subject of message","type":["string"],"name":"subject","__meta":{"file":"classes/switchboard/ServiceMessage.talk","tag":"field","line":18}},{"description":"body of message","type":["string"],"name":"body","__meta":{"file":"classes/switchboard/ServiceMessage.talk","tag":"field","line":21}}],"name":"com.acres4.common.info.switchboard.ServiceMessage","version":"0","implement":true,"__meta":{"file":"classes/switchboard/ServiceMessage.talk","tag":"class","line":1}},{"description":"Request message from the system provider to supply needed information to the switchboard.","field":[{"description":"The ConnectionToken for the Connection made by the service provider.","type":["com.acres4.common.info.ConnectionToken"],"name":"tok","__meta":{"file":"classes/switchboard/SwitchboardConfig.talk","tag":"field","line":4}},{"description":"The system provider's id.","type":["int32"],"name":"idSystemProvider","__meta":{"file":"classes/switchboard/SwitchboardConfig.talk","tag":"field","line":8}}],"name":"com.acres4.common.info.switchboard.SwitchboardConfig","version":"0","implement":true,"__meta":{"file":"classes/switchboard/SwitchboardConfig.talk","tag":"class","line":1}},{"description":"Switchboard to System Provider interface message.","field":[{"description":"The ConnectionToken for the Connection made by the service provider.","type":["com.acres4.common.info.ConnectionToken"],"name":"tok","__meta":{"file":"classes/switchboard/SystemMessage.talk","tag":"field","line":3}},{"description":"Message ID taken from Message table in db_Switchboard.","type":["int64"],"name":"idMessage","__meta":{"file":"classes/switchboard/SystemMessage.talk","tag":"field","line":6}},{"description":"User number.","type":["string"],"name":"msisdnFrom","__meta":{"file":"classes/switchboard/SystemMessage.talk","tag":"field","line":9}},{"description":"Parsed keyword, if it exists.","type":["string"],"name":"keyword","__meta":{"file":"classes/switchboard/SystemMessage.talk","tag":"field","line":12}},{"description":"Denotes whether a message is coming in from a user or going out to a user.","type":["bool"],"name":"ingoing","__meta":{"file":"classes/switchboard/SystemMessage.talk","tag":"field","line":15}},{"description":"Subject of message.","type":["string"],"name":"subject","__meta":{"file":"classes/switchboard/SystemMessage.talk","tag":"field","line":18}},{"description":"Body of message.","type":["string"],"name":"body","__meta":{"file":"classes/switchboard/SystemMessage.talk","tag":"field","line":21}}],"name":"com.acres4.common.info.switchboard.SystemMessage","version":"0","implement":true,"__meta":{"file":"classes/switchboard/SystemMessage.talk","tag":"class","line":1}},{"description":"Switchboard to System Provider interface message.","field":[{"description":"The ConnectionToken for the Connection made by the service provider.","type":["com.acres4.common.info.ConnectionToken"],"name":"tok","__meta":{"file":"classes/switchboard/SystemMessageResponse.talk","tag":"field","line":3}},{"description":"Message ID taken from message table in db_Switchboard.","type":["int64"],"name":"idMessage","__meta":{"file":"classes/switchboard/SystemMessageResponse.talk","tag":"field","line":6}},{"description":"Body of message.","type":["string"],"name":"body","__meta":{"file":"classes/switchboard/SystemMessageResponse.talk","tag":"field","line":9}}],"name":"com.acres4.common.info.switchboard.SystemMessageResponse","version":"0","implement":true,"__meta":{"file":"classes/switchboard/SystemMessageResponse.talk","tag":"class","line":1}},{"description":"A really simple talk object used to test whether we're serializing and deserializing EXACTLY what we expect. Therefore, do not edit this class, since unit tests will be allowed to assume its fields are exactly what are listed below, and throw errors if new fields are observed.","field":[{"description":"A pretty ordinary field containing a string.","type":["string"],"name":"stringField","__meta":{"file":"classes/talktest/TalkExample.talk","tag":"field","line":4}},{"description":"Contains an int32.","type":["int32"],"name":"intField","__meta":{"file":"classes/talktest/TalkExample.talk","tag":"field","line":8}}],"name":"com.acres4.common.info.talktest.TalkExample","version":"0","implement":true,"__meta":{"file":"classes/talktest/TalkExample.talk","tag":"class","line":1}},{"description":"A test object used for testing serialization and deserialization of many different datatypes.","field":[{"description":"Use me to test implementation of strings.","type":["string"],"name":"stringField","__meta":{"file":"classes/talktest/TalkSmorgasbord.talk","tag":"field","line":4}},{"description":"Use me to test implementation of int8.","type":["int8"],"name":"int8field","__meta":{"file":"classes/talktest/TalkSmorgasbord.talk","tag":"field","line":8}},{"description":"Use me to test implementation of int16.","type":["int16"],"name":"int16field","__meta":{"file":"classes/talktest/TalkSmorgasbord.talk","tag":"field","line":12}},{"description":"Use me to test implementation of int32.","type":["int32"],"name":"int32field","__meta":{"file":"classes/talktest/TalkSmorgasbord.talk","tag":"field","line":16}},{"description":"Use me to test implementation of int64.","type":["int64"],"name":"int64field","__meta":{"file":"classes/talktest/TalkSmorgasbord.talk","tag":"field","line":20}},{"description":"Use me to test implementation of unsigned integers.","type":["uint8"],"name":"uint8field","__meta":{"file":"classes/talktest/TalkSmorgasbord.talk","tag":"field","line":24}},{"description":"Use me to test implementation of unsigned integers.","type":["uint16"],"name":"uint16field","__meta":{"file":"classes/talktest/TalkSmorgasbord.talk","tag":"field","line":28}},{"description":"Use me to test implementation of unsigned integers.","type":["uint32"],"name":"uint32field","__meta":{"file":"classes/talktest/TalkSmorgasbord.talk","tag":"field","line":32}},{"description":"Use me to test implementation of unsigned integers.","type":["uint64"],"name":"uint64field","__meta":{"file":"classes/talktest/TalkSmorgasbord.talk","tag":"field","line":36}},{"description":"Use me to test implementation of booleans.","type":["bool"],"name":"boolField","__meta":{"file":"classes/talktest/TalkSmorgasbord.talk","tag":"field","line":40}},{"description":"Use me to test implementation of floating points.","type":["real"],"name":"realField","__meta":{"file":"classes/talktest/TalkSmorgasbord.talk","tag":"field","line":44}},{"description":"Contains an arbitrary object that may or may not be a Talk object.","type":["object"],"name":"objectField","__meta":{"file":"classes/talktest/TalkSmorgasbord.talk","tag":"field","line":48}},{"description":"Contains an arbitrary Talk object.","type":["talkobject"],"name":"talkObjectField","__meta":{"file":"classes/talktest/TalkSmorgasbord.talk","tag":"field","line":52}},{"description":"Contains a specific kind of Talk object.","type":["com.acres4.common.info.talktest.TalkExample"],"name":"specificTalkObjectField","__meta":{"file":"classes/talktest/TalkSmorgasbord.talk","tag":"field","line":56}},{"description":"Contains an array of int32s.","type":["int32","[]"],"name":"int32array","__meta":{"file":"classes/talktest/TalkSmorgasbord.talk","tag":"field","line":60}},{"description":"Contains a dictionary of int32s.","type":["int32","{}"],"name":"int32dictionary","__meta":{"file":"classes/talktest/TalkSmorgasbord.talk","tag":"field","line":64}},{"description":"Contains a dictionary of arbitrary talk objects","type":["talkobject","{}"],"name":"talkObjectDictionary","__meta":{"file":"classes/talktest/TalkSmorgasbord.talk","tag":"field","line":68}},{"description":"Contains a dictionary of a specific kind of talk object","type":["com.acres4.common.info.talktest.TalkExample","{}"],"name":"specificTalkObjectDictionary","__meta":{"file":"classes/talktest/TalkSmorgasbord.talk","tag":"field","line":72}},{"description":"Contains an array of arbitrary talk objects","type":["talkobject","[]"],"name":"talkObjectArray","__meta":{"file":"classes/talktest/TalkSmorgasbord.talk","tag":"field","line":76}},{"description":"Contains an array of a specific kind of talk object","type":["com.acres4.common.info.talktest.TalkExample","[]"],"name":"specificTalkObjectArray","__meta":{"file":"classes/talktest/TalkSmorgasbord.talk","tag":"field","line":80}},{"description":"Use me to test implementation of nested arrays","type":["com.acres4.common.info.talktest.TalkExample","[]","[]"],"name":"nestedArray","__meta":{"file":"classes/talktest/TalkSmorgasbord.talk","tag":"field","line":84}},{"description":"Use me to test implementation of nested dictionaries","type":["com.acres4.common.info.talktest.TalkExample","{}","{}"],"name":"nestedDictionary","__meta":{"file":"classes/talktest/TalkSmorgasbord.talk","tag":"field","line":88}},{"description":"Use me to test implementation of mixed dictionaries and arrays","type":["com.acres4.common.info.talktest.TalkExample","[]","{}"],"name":"mixedMess","__meta":{"file":"classes/talktest/TalkSmorgasbord.talk","tag":"field","line":92}}],"name":"com.acres4.common.info.talktest.TalkSmorgasbord","version":"0","implement":true,"__meta":{"file":"classes/talktest/TalkSmorgasbord.talk","tag":"class","line":1}},{"description":"Information returning a server it's system id","field":[{"description":"List of permissions the user who made the authentication request has","type":["UsherEmployee"],"name":"employee","__meta":{"file":"classes/usher/admin/UsherAuthenticateResponse.talk","tag":"field","line":4}},{"description":"List of permissions the user who made the authentication request has","type":["com.acres4.common.info.permissions.SystemPermissionGroup","[]"],"name":"permissionList","__meta":{"file":"classes/usher/admin/UsherAuthenticateResponse.talk","tag":"field","line":8}}],"name":"com.acres4.common.info.usher.UsherAuthenticateResponse","version":"0","implement":true,"__meta":{"file":"classes/usher/admin/UsherAuthenticateResponse.talk","tag":"class","line":1}},{"description":"Encapsulates a request to add a new site","field":[{"description":"Client's current connection token","type":["com.acres4.common.info.ConnectionToken"],"name":"tok","__meta":{"file":"classes/usher/admin/UsherChangePasswordRequest.talk","tag":"field","line":4}},{"description":"Account password, possibly hashed or encrypted per rules of Password object for old value","type":["com.acres4.common.info.Password"],"name":"oldPassword","__meta":{"file":"classes/usher/admin/UsherChangePasswordRequest.talk","tag":"field","line":8}},{"description":"Account password, possibly hashed or encrypted per rules of Password object for new value","type":["com.acres4.common.info.Password"],"name":"newPassword","__meta":{"file":"classes/usher/admin/UsherChangePasswordRequest.talk","tag":"field","line":12}}],"name":"com.acres4.common.info.usher.UsherChangePasswordRequest","version":"0","implement":true,"__meta":{"file":"classes/usher/admin/UsherChangePasswordRequest.talk","tag":"class","line":1}},{"description":"Encapsulates a request to add a new site","field":[{"description":"Client's current connection token","type":["com.acres4.common.info.ConnectionToken"],"name":"tok","__meta":{"file":"classes/usher/admin/UsherEditRequest.talk","tag":"field","line":4}},{"description":"handed back to requester to indicate request response matching pair","type":["int32"],"name":"idRequest","__meta":{"file":"classes/usher/admin/UsherEditRequest.talk","tag":"field","line":8}},{"description":"The object of the edit.","type":["com.acres4.common.info.NamedObjectWrapper"],"name":"editObj","__meta":{"file":"classes/usher/admin/UsherEditRequest.talk","tag":"field","line":12}}],"name":"com.acres4.common.info.usher.UsherEditRequest","version":"0","implement":true,"__meta":{"file":"classes/usher/admin/UsherEditRequest.talk","tag":"class","line":1}},{"description":"Encapsulates a request to add a new site","field":[{"description":"handed back to requester to indicate request response matching pair","type":["int32"],"name":"idRequest","__meta":{"file":"classes/usher/admin/UsherEditResponse.talk","tag":"field","line":4}},{"description":"A copy of the newly edited object","type":["com.acres4.common.info.NamedObjectWrapper"],"name":"editObj","__meta":{"file":"classes/usher/admin/UsherEditResponse.talk","tag":"field","line":8}}],"name":"com.acres4.common.info.usher.UsherEditResponse","version":"0","implement":true,"__meta":{"file":"classes/usher/admin/UsherEditResponse.talk","tag":"class","line":1}},{"description":"Employee information","field":[{"description":"Unique Employee identifier","type":["int32"],"name":"idEmployee","__meta":{"file":"classes/usher/admin/UsherEmployee.talk","tag":"field","line":4}},{"description":"Employee name","type":["string"],"name":"name","__meta":{"file":"classes/usher/admin/UsherEmployee.talk","tag":"field","line":8}},{"description":"Employee login","type":["string"],"name":"login","__meta":{"file":"classes/usher/admin/UsherEmployee.talk","tag":"field","line":12}},{"description":"Employee pin in password format. This is null except in requests to edit","type":["com.acres4.common.info.Password"],"name":"pin","__meta":{"file":"classes/usher/admin/UsherEmployee.talk","tag":"field","line":16}},{"description":"flag indicating if this is system login or not","type":["bool"],"name":"isSystem","__meta":{"file":"classes/usher/admin/UsherEmployee.talk","tag":"field","line":20}},{"description":"array of permission group ids employee belongs to","type":["int32","[]"],"name":"permissionGroups","__meta":{"file":"classes/usher/admin/UsherEmployee.talk","tag":"field","line":24}}],"name":"com.acres4.common.info.usher.UsherEmployee","version":"0","implement":true,"__meta":{"file":"classes/usher/admin/UsherEmployee.talk","tag":"class","line":1}},{"description":"Information not returned in UsherSystemIdRequest","field":[{"description":"Client's current connection token","type":["com.acres4.common.info.ConnectionToken"],"name":"tok","__meta":{"file":"classes/usher/admin/UsherInfoRequest.talk","tag":"field","line":4}},{"description":"Force request","type":["bool"],"name":"force","__meta":{"file":"classes/usher/admin/UsherInfoRequest.talk","tag":"field","line":8}},{"description":"crc of last response received by system","type":["int64"],"name":"crc","__meta":{"file":"classes/usher/admin/UsherInfoRequest.talk","tag":"field","line":12}}],"name":"com.acres4.common.info.usher.UsherInfoRequest","version":"0","implement":true,"__meta":{"file":"classes/usher/admin/UsherInfoRequest.talk","tag":"class","line":1}},{"description":"Information not returned in UsherSystemIdRequest","field":[{"description":"List of employees in the system","type":["com.acres4.common.info.usher.UsherEmployee","[]"],"name":"employees","__meta":{"file":"classes/usher/admin/UsherInfoResponse.talk","tag":"field","line":4}},{"description":"List of permissionGroups in the system","type":["com.acres4.common.info.permissions.SystemPermissionGroup","[]"],"name":"permissionGroups","__meta":{"file":"classes/usher/admin/UsherInfoResponse.talk","tag":"field","line":8}},{"description":"List of products in the system","type":["UsherProduct","[]"],"name":"products","__meta":{"file":"classes/usher/admin/UsherInfoResponse.talk","tag":"field","line":12}},{"description":"List of services in the system","type":["UsherService","[]"],"name":"services","__meta":{"file":"classes/usher/admin/UsherInfoResponse.talk","tag":"field","line":16}},{"description":"List of serviceGroups in the system","type":["UsherServiceGroup","[]"],"name":"serviceGroups","__meta":{"file":"classes/usher/admin/UsherInfoResponse.talk","tag":"field","line":20}},{"description":"List of System ACLs","type":["UsherSystemAcl","[]"],"name":"systemAcls","__meta":{"file":"classes/usher/admin/UsherInfoResponse.talk","tag":"field","line":24}},{"description":"crc of above","type":["int64"],"name":"crc","__meta":{"file":"classes/usher/admin/UsherInfoResponse.talk","tag":"field","line":28}},{"description":"Enumeration of working environment","type":["int64"],"name":"environment","__meta":{"file":"classes/usher/admin/UsherInfoResponse.talk","tag":"field","line":32}}],"name":"com.acres4.common.info.usher.UsherInfoResponse","version":"0","implement":true,"__meta":{"file":"classes/usher/admin/UsherInfoResponse.talk","tag":"class","line":1}},{"description":"Information regarding permissions","field":[{"description":"List of permission Applications in the system","type":["com.acres4.common.info.permissions.SystemPermissionAppEntry","[]"],"name":"permissionApps","__meta":{"file":"classes/usher/admin/UsherPermissionInfo.talk","tag":"field","line":4}},{"description":"List of permissions in the system","type":["com.acres4.common.info.permissions.SystemPermissionEntry","[]"],"name":"permissions","__meta":{"file":"classes/usher/admin/UsherPermissionInfo.talk","tag":"field","line":8}}],"name":"com.acres4.common.info.usher.UsherPermissionInfo","version":"0","implement":true,"__meta":{"file":"classes/usher/admin/UsherPermissionInfo.talk","tag":"class","line":1}},{"description":"Information regarding permissions","field":[{"description":"Client's current connection token","type":["com.acres4.common.info.ConnectionToken"],"name":"tok","__meta":{"file":"classes/usher/admin/UsherPermissionUpdateRequest.talk","tag":"field","line":4}},{"description":"Usher Permission Information in Gzipped string format","type":["string"],"name":"usherPermissionInfoGz","__meta":{"file":"classes/usher/admin/UsherPermissionUpdateRequest.talk","tag":"field","line":8}}],"name":"com.acres4.common.info.usher.UsherPermissionUpdateRequest","version":"0","implement":true,"__meta":{"file":"classes/usher/admin/UsherPermissionUpdateRequest.talk","tag":"class","line":1}},{"description":"Encapsulates a request to List DB backups","field":[{"description":"Client's current connection token","type":["com.acres4.common.info.ConnectionToken"],"name":"tok","__meta":{"file":"classes/usher/dbmgmt/UsherCreateDBBackupRequest.talk","tag":"field","line":4}},{"description":"Type of backup to create","type":["int32"],"name":"backupType","__meta":{"file":"classes/usher/dbmgmt/UsherCreateDBBackupRequest.talk","tag":"field","line":8}}],"name":"com.acres4.common.info.usher.UsherCreateDBBackupRequest","version":"0","implement":true,"__meta":{"file":"classes/usher/dbmgmt/UsherCreateDBBackupRequest.talk","tag":"class","line":1}},{"description":"Contains the newly published SHA's","field":[{"description":"Client's current connection token","type":["com.acres4.common.info.ConnectionToken"],"name":"tok","__meta":{"file":"classes/usher/dbmgmt/UsherCreateDBBackupResponse.talk","tag":"field","line":4}},{"description":"The published SHA for dev site info","type":["string"],"name":"devSiteSHA","__meta":{"file":"classes/usher/dbmgmt/UsherCreateDBBackupResponse.talk","tag":"field","line":8}},{"description":"The published SHA for system info","type":["string"],"name":"systemSHA","__meta":{"file":"classes/usher/dbmgmt/UsherCreateDBBackupResponse.talk","tag":"field","line":12}},{"description":"The published SHA for employee info","type":["string"],"name":"employeeSHA","__meta":{"file":"classes/usher/dbmgmt/UsherCreateDBBackupResponse.talk","tag":"field","line":16}}],"name":"com.acres4.common.info.usher.UsherCreateDBBackupResponse","version":"0","implement":true,"__meta":{"file":"classes/usher/dbmgmt/UsherCreateDBBackupResponse.talk","tag":"class","line":1}},{"description":"Encapsulates a request to create a lite version of the database","field":[{"description":"Client's current connection token","type":["com.acres4.common.info.ConnectionToken"],"name":"tok","__meta":{"file":"classes/usher/dbmgmt/UsherCreateLiteDBRequest.talk","tag":"field","line":4}},{"description":"The data center to export","type":["int32"],"name":"dataCenter","__meta":{"file":"classes/usher/dbmgmt/UsherCreateLiteDBRequest.talk","tag":"field","line":9}},{"description":"The system host to export","type":["int32"],"name":"systemHost","__meta":{"file":"classes/usher/dbmgmt/UsherCreateLiteDBRequest.talk","tag":"field","line":13}}],"name":"com.acres4.common.info.usher.UsherCreateLiteDBRequest","version":"0","implement":true,"__meta":{"file":"classes/usher/dbmgmt/UsherCreateLiteDBRequest.talk","tag":"class","line":1}},{"description":"Database Backup information","field":[{"description":"Type of backup (see com.acres4.common.info.constants.usher.UsherDBTypes)","type":["int32"],"name":"usherDbType","__meta":{"file":"classes/usher/dbmgmt/UsherDBBackup.talk","tag":"field","line":4}},{"description":"Directory this backup resides in","type":["int32"],"name":"usherDbDir","__meta":{"file":"classes/usher/dbmgmt/UsherDBBackup.talk","tag":"field","line":8}},{"description":"sha1sum of the database data","type":["string"],"name":"sha1","__meta":{"file":"classes/usher/dbmgmt/UsherDBBackup.talk","tag":"field","line":12}},{"description":"Time the database backup was taken","type":["int64"],"name":"snapTime","__meta":{"file":"classes/usher/dbmgmt/UsherDBBackup.talk","tag":"field","line":16}},{"description":"THe url to retrieve backup","type":["string"],"name":"url","__meta":{"file":"classes/usher/dbmgmt/UsherDBBackup.talk","tag":"field","line":20}}],"name":"com.acres4.common.info.usher.UsherDBBackup","version":"0","implement":true,"__meta":{"file":"classes/usher/dbmgmt/UsherDBBackup.talk","tag":"class","line":1}},{"description":"Encapsulate a request to retrieve a version of the Usher DB","field":[{"description":"Client's current connection token","type":["com.acres4.common.info.ConnectionToken"],"name":"tok","__meta":{"file":"classes/usher/dbmgmt/UsherDBReplicaRequest.talk","tag":"field","line":4}},{"description":"The current SHA1 to validate employee tables against null => force","type":["string"],"name":"Sha1Employee","__meta":{"file":"classes/usher/dbmgmt/UsherDBReplicaRequest.talk","tag":"field","line":8}},{"description":"The current SHA1 to validate system tables against null => force","type":["string"],"name":"Sha1System","__meta":{"file":"classes/usher/dbmgmt/UsherDBReplicaRequest.talk","tag":"field","line":12}},{"description":"The current SHA1 to validate devSite tables against null => force","type":["string"],"name":"Sha1DevSite","__meta":{"file":"classes/usher/dbmgmt/UsherDBReplicaRequest.talk","tag":"field","line":16}}],"name":"com.acres4.common.info.usher.UsherDBReplicaRequest","version":"0","implement":true,"__meta":{"file":"classes/usher/dbmgmt/UsherDBReplicaRequest.talk","tag":"class","line":1}},{"description":"Encapsulate a request to retrieve a version of the Usher DB","field":[{"description":"This will be an encoded string of the Employee tables database","type":["string"],"name":"encodedDatabaseEmployee","__meta":{"file":"classes/usher/dbmgmt/UsherDBReplicaResponse.talk","tag":"field","line":4}},{"description":"This will be an encoded string of the System tables database","type":["string"],"name":"encodedDatabaseSystem","__meta":{"file":"classes/usher/dbmgmt/UsherDBReplicaResponse.talk","tag":"field","line":8}},{"description":"This will be an encoded string of the DevSite tables database","type":["string"],"name":"encodedDatabaseDevSite","__meta":{"file":"classes/usher/dbmgmt/UsherDBReplicaResponse.talk","tag":"field","line":12}}],"name":"com.acres4.common.info.usher.UsherDBReplicaResponse","version":"0","implement":true,"__meta":{"file":"classes/usher/dbmgmt/UsherDBReplicaResponse.talk","tag":"class","line":1}},{"description":"Encapsulate the request to publish a particular Usher version","field":[{"description":"Client's current connection token","type":["com.acres4.common.info.ConnectionToken"],"name":"tok","__meta":{"file":"classes/usher/dbmgmt/UsherDeleteDBRequest.talk","tag":"field","line":4}},{"description":"This is the SHA sum of the selected Usher version to be deleted","type":["string"],"name":"deleteSha","__meta":{"file":"classes/usher/dbmgmt/UsherDeleteDBRequest.talk","tag":"field","line":8}},{"description":"Type of backup to delete","type":["int32"],"name":"dbType","__meta":{"file":"classes/usher/dbmgmt/UsherDeleteDBRequest.talk","tag":"field","line":12}}],"name":"com.acres4.common.info.usher.UsherDeleteDBRequest","version":"0","implement":true,"__meta":{"file":"classes/usher/dbmgmt/UsherDeleteDBRequest.talk","tag":"class","line":1}},{"description":"Data tuple representing the siteId, license and crc from ModuleSiteLink","field":[{"description":"SiteId","type":["int32"],"name":"siteId","__meta":{"file":"classes/usher/dbmgmt/UsherLicenseData.talk","tag":"field","line":4}},{"description":"JSON string of the license","type":["string"],"name":"license","__meta":{"file":"classes/usher/dbmgmt/UsherLicenseData.talk","tag":"field","line":8}},{"description":"The CRC values of the license string","type":["int64"],"name":"crc","__meta":{"file":"classes/usher/dbmgmt/UsherLicenseData.talk","tag":"field","line":12}}],"name":"com.acres4.common.info.UsherLicenseData","version":"0","implement":true,"__meta":{"file":"classes/usher/dbmgmt/UsherLicenseData.talk","tag":"class","line":1}},{"description":"Request for most recent license data from ModuleSiteLink","field":[{"description":"Current SHA sum of the site, license and crc column","type":["string"],"name":"sha","__meta":{"file":"classes/usher/dbmgmt/UsherLicenseDataRequest.talk","tag":"field","line":4}}],"name":"com.acres4.common.info.usher.UsherLicenseDataRequest","version":"0","implement":true,"__meta":{"file":"classes/usher/dbmgmt/UsherLicenseDataRequest.talk","tag":"class","line":1}},{"description":"Return all licenses from the ModuleSiteLink table","field":[{"description":"Array of all siteId, license and crc column values from ModuleSiteLink","type":["com.acres4.common.info.UsherLicenseData","[]"],"name":"licenseData","__meta":{"file":"classes/usher/dbmgmt/UsherLicenseDataResponse.talk","tag":"field","line":4}}],"name":"com.acres4.common.info.usher.UsherLicenseDataResponse","version":"0","implement":true,"__meta":{"file":"classes/usher/dbmgmt/UsherLicenseDataResponse.talk","tag":"class","line":1}},{"description":"Encapsulates a request to List DB backups","field":[{"description":"Client's current connection token","type":["com.acres4.common.info.ConnectionToken"],"name":"tok","__meta":{"file":"classes/usher/dbmgmt/UsherListDBBackupsRequest.talk","tag":"field","line":4}},{"description":"Type of backup to list (see com.acres4.common.info.constants.usher.UsherDBTypes) -1 = all","type":["int32"],"name":"usherDbType","__meta":{"file":"classes/usher/dbmgmt/UsherListDBBackupsRequest.talk","tag":"field","line":8}}],"name":"com.acres4.common.info.usher.UsherListDBBackupsRequest","version":"0","implement":true,"__meta":{"file":"classes/usher/dbmgmt/UsherListDBBackupsRequest.talk","tag":"class","line":1}},{"description":"Encapsulates a response to List DB backups","field":[{"description":"array of all available backups","type":["com.acres4.common.info.usher.UsherDBBackup","[]"],"name":"backups","__meta":{"file":"classes/usher/dbmgmt/UsherListDBBackupsResponse.talk","tag":"field","line":4}},{"description":"The current SHA1 to validate employee tables against null => force","type":["string"],"name":"Sha1Employee","__meta":{"file":"classes/usher/dbmgmt/UsherListDBBackupsResponse.talk","tag":"field","line":8}},{"description":"The current SHA1 to validate system tables against null => force","type":["string"],"name":"Sha1System","__meta":{"file":"classes/usher/dbmgmt/UsherListDBBackupsResponse.talk","tag":"field","line":12}},{"description":"The current SHA1 to validate devSite tables against null => force","type":["string"],"name":"Sha1DevSite","__meta":{"file":"classes/usher/dbmgmt/UsherListDBBackupsResponse.talk","tag":"field","line":16}}],"name":"com.acres4.common.info.usher.UsherListDBBackupsResponse","version":"0","implement":true,"__meta":{"file":"classes/usher/dbmgmt/UsherListDBBackupsResponse.talk","tag":"class","line":1}},{"description":"Encapsulates a request to List DB backups","field":[{"description":"Client's current connection token","type":["com.acres4.common.info.ConnectionToken"],"name":"tok","__meta":{"file":"classes/usher/dbmgmt/UsherMoveDBBackupRequest.talk","tag":"field","line":4}},{"description":"Backup to move","type":["com.acres4.common.info.usher.UsherDBBackup"],"name":"backup","__meta":{"file":"classes/usher/dbmgmt/UsherMoveDBBackupRequest.talk","tag":"field","line":8}},{"description":"New directory to move to. Moving to published directory publishes backup for availability","type":["int32"],"name":"newDir","__meta":{"file":"classes/usher/dbmgmt/UsherMoveDBBackupRequest.talk","tag":"field","line":12}}],"name":"com.acres4.common.info.usher.UsherMoveDBBackupRequest","version":"0","implement":true,"__meta":{"file":"classes/usher/dbmgmt/UsherMoveDBBackupRequest.talk","tag":"class","line":1}},{"description":"Encapsulate the request to publish a particular Usher version","field":[{"description":"Client's current connection token","type":["com.acres4.common.info.ConnectionToken"],"name":"tok","__meta":{"file":"classes/usher/dbmgmt/UsherPublishDBRequest.talk","tag":"field","line":4}},{"description":"This is the SHA sum of the selected Usher version","type":["string"],"name":"publishSha","__meta":{"file":"classes/usher/dbmgmt/UsherPublishDBRequest.talk","tag":"field","line":8}}],"name":"com.acres4.common.info.usher.UsherPublishDBRequest","version":"0","implement":true,"__meta":{"file":"classes/usher/dbmgmt/UsherPublishDBRequest.talk","tag":"class","line":1}},{"description":"Encapsulate the request to restore a particular Usher version","field":[{"description":"Client's current connection token","type":["com.acres4.common.info.ConnectionToken"],"name":"tok","__meta":{"file":"classes/usher/dbmgmt/UsherRestoreDBRequest.talk","tag":"field","line":4}},{"description":"This is the SHA sum of the selected Usher version","type":["string"],"name":"restoreSha","__meta":{"file":"classes/usher/dbmgmt/UsherRestoreDBRequest.talk","tag":"field","line":8}},{"description":"database type to restore","type":["int32"],"name":"dbType","__meta":{"file":"classes/usher/dbmgmt/UsherRestoreDBRequest.talk","tag":"field","line":12}}],"name":"com.acres4.common.info.usher.UsherRestoreDBRequest","version":"0","implement":true,"__meta":{"file":"classes/usher/dbmgmt/UsherRestoreDBRequest.talk","tag":"class","line":1}},{"description":"Information directing a client to a particular appliance and/or web service based on an UsherRequest.","field":[{"description":"Remote Address request originated from","type":["string"],"name":"remoteAddr","__meta":{"file":"classes/usher/system/UsherAltResponse.talk","tag":"field","line":4}},{"description":"Human-readable description of site server assumes client to be located at; eg. \"Mark's Casino\"","type":["string"],"name":"siteName","__meta":{"file":"classes/usher/system/UsherAltResponse.talk","tag":"field","line":8}},{"description":"Unique identifier for site","type":["int32"],"name":"siteID","__meta":{"file":"classes/usher/system/UsherAltResponse.talk","tag":"field","line":12}},{"description":"Allowable hosts for client","type":["string","[]","{}"],"name":"urls","__meta":{"file":"classes/usher/system/UsherAltResponse.talk","tag":"field","line":16}}],"name":"com.acres4.common.info.usher.UsherAltResponse","version":"0","implement":true,"__meta":{"file":"classes/usher/system/UsherAltResponse.talk","tag":"class","line":1}},{"description":"Data Center information","field":[{"description":"Unique data center identifier","type":["int32"],"name":"idDataCenter","__meta":{"file":"classes/usher/system/UsherDataCenter.talk","tag":"field","line":4}},{"description":"flag indicating if data center uses Nat (i.e. true for Las Vegas and MN, false for Amazon Cloud)","type":["bool"],"name":"isNat","__meta":{"file":"classes/usher/system/UsherDataCenter.talk","tag":"field","line":8}},{"description":"Cidr blocks the data center will send packets from. If null then no NAT firewall","type":["string","[]"],"name":"cidrs","__meta":{"file":"classes/usher/system/UsherDataCenter.talk","tag":"field","line":12}},{"description":"name of the data center","type":["string"],"name":"dataCenterName","__meta":{"file":"classes/usher/system/UsherDataCenter.talk","tag":"field","line":16}}],"name":"com.acres4.common.info.usher.UsherDataCenter","version":"0","implement":true,"__meta":{"file":"classes/usher/system/UsherDataCenter.talk","tag":"class","line":1}},{"description":"Encapsulates the information needed by central server to get it's client list","field":[{"description":"Set to true if wish to force response","type":["bool"],"name":"force","__meta":{"file":"classes/usher/system/UsherDevSiteInfoSyncRequest.talk","tag":"field","line":4}},{"description":"crc of last sync received by system","type":["int64"],"name":"crc","__meta":{"file":"classes/usher/system/UsherDevSiteInfoSyncRequest.talk","tag":"field","line":8}}],"name":"com.acres4.common.info.usher.UsherDevSiteInfoSyncRequest","version":"0","implement":true,"__meta":{"file":"classes/usher/system/UsherDevSiteInfoSyncRequest.talk","tag":"class","line":1}},{"description":"Encapsulates the information needed by central server to get it's client list","field":[{"description":"current crc","type":["int64"],"name":"crc","__meta":{"file":"classes/usher/system/UsherDevSiteInfoSyncResponse.talk","tag":"field","line":4}},{"description":"List of dev site info records (will be null if not changed)","type":["com.acres4.common.info.usher.DevSiteInfo","[]"],"name":"devSiteInfoArray","__meta":{"file":"classes/usher/system/UsherDevSiteInfoSyncResponse.talk","tag":"field","line":8}}],"name":"com.acres4.common.info.usher.UsherDevSiteInfoSyncResponse","version":"0","implement":true,"__meta":{"file":"classes/usher/system/UsherDevSiteInfoSyncResponse.talk","tag":"class","line":1}},{"description":"Connection information for a given product and server","field":[{"description":"Name of product offered by server","type":["string"],"name":"product","__meta":{"file":"classes/usher/system/UsherHost.talk","tag":"field","line":4}},{"description":"Context on the server to find this product server","type":["string"],"name":"ctx","__meta":{"file":"classes/usher/system/UsherHost.talk","tag":"field","line":8}},{"description":"host ip or dns name of server","type":["string"],"name":"host","__meta":{"file":"classes/usher/system/UsherHost.talk","tag":"field","line":12}},{"description":"hostname of server","type":["string"],"name":"hostName","__meta":{"file":"classes/usher/system/UsherHost.talk","tag":"field","line":16}},{"description":"System Id of Server","type":["int32"],"name":"systemId","__meta":{"file":"classes/usher/system/UsherHost.talk","tag":"field","line":20}},{"description":"Port number of service","type":["int32"],"name":"port","__meta":{"file":"classes/usher/system/UsherHost.talk","tag":"field","line":24}},{"description":"Fully-qualified URL of service","type":["string"],"name":"url","__meta":{"file":"classes/usher/system/UsherHost.talk","tag":"field","line":28}}],"name":"com.acres4.common.info.usher.UsherHost","version":"0","implement":true,"__meta":{"file":"classes/usher/system/UsherHost.talk","tag":"class","line":1}},{"description":"Used to request a new license request","field":[{"description":"Connection Token associated with the client","type":["com.acres4.common.info.ConnectionToken"],"name":"tok","__meta":{"file":"classes/usher/system/UsherLicenseRequest.talk","tag":"field","line":5}},{"description":"The site requesting a new license","type":["int32"],"name":"siteId","__meta":{"file":"classes/usher/system/UsherLicenseRequest.talk","tag":"field","line":9}},{"description":"The system id requesting a new license","type":["int32"],"name":"systemId","__meta":{"file":"classes/usher/system/UsherLicenseRequest.talk","tag":"field","line":13}},{"description":"The CRC sum of the current license","type":["int64"],"name":"crc","__meta":{"file":"classes/usher/system/UsherLicenseRequest.talk","tag":"field","line":17}},{"description":"For future use, this will be used to further identify the host requsting a license","type":["string"],"name":"hostIdentifier","__meta":{"file":"classes/usher/system/UsherLicenseRequest.talk","tag":"field","line":21}}],"name":"com.acres4.common.info.usher.UsherLicenseRequest","version":"0","implement":true,"__meta":{"file":"classes/usher/system/UsherLicenseRequest.talk","tag":"class","line":1}},{"description":"The response to a license request containing an updated or new license","field":[{"description":"The new license object generated by Usher","type":["com.acres4.common.info.license.License"],"name":"license","__meta":{"file":"classes/usher/system/UsherLicenseResponse.talk","tag":"field","line":4}},{"description":"Timestamp to indicate when the license was generated","type":["int64"],"name":"timeOfCreation","__meta":{"file":"classes/usher/system/UsherLicenseResponse.talk","tag":"field","line":8}}],"name":"com.acres4.common.info.usher.UsherLicenseResponse","version":"0","implement":true,"__meta":{"file":"classes/usher/system/UsherLicenseResponse.talk","tag":"class","line":1}},{"description":"Encapsulates a request to add a new site","field":[{"description":"Client's current connection token","type":["com.acres4.common.info.ConnectionToken"],"name":"tok","__meta":{"file":"classes/usher/system/UsherLookupRequest.talk","tag":"field","line":4}},{"description":"Table name to lookup records from","type":["string"],"name":"tableName","__meta":{"file":"classes/usher/system/UsherLookupRequest.talk","tag":"field","line":8}},{"description":"if non zero then return specific instance.","type":["int32"],"name":"id","__meta":{"file":"classes/usher/system/UsherLookupRequest.talk","tag":"field","line":12}}],"name":"com.acres4.common.info.usher.UsherLookupRequest","version":"0","implement":true,"__meta":{"file":"classes/usher/system/UsherLookupRequest.talk","tag":"class","line":1}},{"description":"Encapsulates a response to a lookup request","field":[{"description":"String indicating class of infoObject","type":["string"],"name":"className","__meta":{"file":"classes/usher/system/UsherLookupResponse.talk","tag":"field","line":4}},{"description":"array of requested objects returned","type":["talkobject","[]"],"name":"retArray","__meta":{"file":"classes/usher/system/UsherLookupResponse.talk","tag":"field","line":8}}],"name":"com.acres4.common.info.usher.UsherLookupResponse","version":"0","implement":true,"__meta":{"file":"classes/usher/system/UsherLookupResponse.talk","tag":"class","line":1}},{"description":"Product information","field":[{"description":"Unique product identifier","type":["int32"],"name":"idProduct","__meta":{"file":"classes/usher/system/UsherProduct.talk","tag":"field","line":4}},{"description":"Product name","type":["string"],"name":"name","__meta":{"file":"classes/usher/system/UsherProduct.talk","tag":"field","line":8}},{"description":"flag indicating if data center uses Nat (i.e. true for Las Vegas and MN, false for Amazon Cloud)","type":["int32"],"name":"idServiceGroup","__meta":{"file":"classes/usher/system/UsherProduct.talk","tag":"field","line":12}},{"description":"Product name","type":["string"],"name":"ctx","__meta":{"file":"classes/usher/system/UsherProduct.talk","tag":"field","line":16}}],"name":"com.acres4.common.info.usher.UsherProduct","version":"0","implement":true,"__meta":{"file":"classes/usher/system/UsherProduct.talk","tag":"class","line":1}},{"description":"Encapsulates the information needed by the usher service from the application. The usher service allows an application to request a server host and port number based upon its application and device information.","field":[{"description":"Information identifying application","type":["com.acres4.common.info.AppInfo"],"name":"app","__meta":{"file":"classes/usher/system/UsherRequest.talk","tag":"field","line":4}},{"description":"Information identifying device","type":["com.acres4.common.info.DeviceInfo"],"name":"device","__meta":{"file":"classes/usher/system/UsherRequest.talk","tag":"field","line":8}},{"description":"Optional override for client IP address. If set to null or omitted. If specified, Usher will use the supplied IP address when determining the appropriate site mapping for the client, rather than the client's actual source IP address. Should be formatted in standard IP dot syntax: e.g. \"1.2.3.4\".","caveat":["Server behavior is undefined for invalid IP addresses."],"type":["string"],"name":"ipOverride","__meta":{"file":"classes/usher/system/UsherRequest.talk","tag":"field","line":12}}],"name":"com.acres4.common.info.usher.UsherRequest","version":"0","implement":true,"__meta":{"file":"classes/usher/system/UsherRequest.talk","tag":"class","line":1}},{"description":"Information directing a client to a particular appliance and/or web service based on an UsherRequest.","field":[{"description":"Remote Address request originated from","type":["string"],"name":"remoteAddr","__meta":{"file":"classes/usher/system/UsherResponse.talk","tag":"field","line":4}},{"description":"Human-readable description of site server assumes client to be located at; eg. \"Mark's Casino\"","type":["string"],"name":"siteName","__meta":{"file":"classes/usher/system/UsherResponse.talk","tag":"field","line":8}},{"description":"Unique identifier for site","type":["int32"],"name":"siteID","__meta":{"file":"classes/usher/system/UsherResponse.talk","tag":"field","line":12}},{"description":"Allowable hosts for client","type":["com.acres4.common.info.usher.UsherHost","[]"],"name":"hosts","__meta":{"file":"classes/usher/system/UsherResponse.talk","tag":"field","line":16}}],"name":"com.acres4.common.info.usher.UsherResponse","version":"0","implement":true,"__meta":{"file":"classes/usher/system/UsherResponse.talk","tag":"class","line":1}},{"description":"Service information","field":[{"description":"Unique service identifier","type":["int32"],"name":"idService","__meta":{"file":"classes/usher/system/UsherService.talk","tag":"field","line":4}},{"description":"Service name","type":["string"],"name":"name","__meta":{"file":"classes/usher/system/UsherService.talk","tag":"field","line":8}},{"description":"flag indicating if data center uses Nat (i.e. true for Las Vegas and MN, false for Amazon Cloud)","type":["int32"],"name":"port","__meta":{"file":"classes/usher/system/UsherService.talk","tag":"field","line":12}},{"description":"Indicates if udp service","type":["bool"],"name":"isUdp","__meta":{"file":"classes/usher/system/UsherService.talk","tag":"field","line":16}},{"description":"Base URL indicating if https or http","type":["string"],"name":"url","__meta":{"file":"classes/usher/system/UsherService.talk","tag":"field","line":20}}],"name":"com.acres4.common.info.usher.UsherService","version":"0","implement":true,"__meta":{"file":"classes/usher/system/UsherService.talk","tag":"class","line":1}},{"description":"Service Group information","field":[{"description":"Unique service group identifier","type":["int32"],"name":"idServiceGroup","__meta":{"file":"classes/usher/system/UsherServiceGroup.talk","tag":"field","line":4}},{"description":"Service Group name","type":["string"],"name":"name","__meta":{"file":"classes/usher/system/UsherServiceGroup.talk","tag":"field","line":8}},{"description":"array of services encompassed by this service group","type":["int32","[]"],"name":"services","__meta":{"file":"classes/usher/system/UsherServiceGroup.talk","tag":"field","line":12}}],"name":"com.acres4.common.info.usher.UsherServiceGroup","version":"0","implement":true,"__meta":{"file":"classes/usher/system/UsherServiceGroup.talk","tag":"class","line":1}},{"description":"Information returning a server it's system id","field":[{"description":"site's url.","type":["string"],"name":"url","__meta":{"file":"classes/usher/system/UsherServiceUrlRequest.talk","tag":"field","line":4}},{"description":"port number used in the site's URL.","type":["int64"],"name":"port","__meta":{"file":"classes/usher/system/UsherServiceUrlRequest.talk","tag":"field","line":8}},{"description":"Product ID for the requesting service.","type":["string"],"name":"product","__meta":{"file":"classes/usher/system/UsherServiceUrlRequest.talk","tag":"field","line":12}}],"name":"com.acres4.common.info.usher.UsherServiceUrlRequest","version":"0","implement":true,"__meta":{"file":"classes/usher/system/UsherServiceUrlRequest.talk","tag":"class","line":1}},{"description":"System connection URL information. Used by websites.","field":[{"description":"Array of all available UsherHost","type":["com.acres4.common.info.usher.UsherHost","[]"],"name":"usherHostList","__meta":{"file":"classes/usher/system/UsherServiceUrlResponse.talk","tag":"field","line":4}}],"name":"com.acres4.common.info.usher.UsherServiceUrlResponse","version":"0","implement":true,"__meta":{"file":"classes/usher/system/UsherServiceUrlResponse.talk","tag":"class","line":1}},{"description":"Site information for a given Site","field":[{"description":"Unique identifier for site","type":["int32"],"name":"idSite","__meta":{"file":"classes/usher/system/UsherSite.talk","tag":"field","line":4}},{"description":"indicates group for new site (i.e. SITE_RANGE_GROUP_xxx)","type":["int32"],"name":"siteRangeGroup","__meta":{"file":"classes/usher/system/UsherSite.talk","tag":"field","line":8}},{"description":"unique name for this site","type":["string"],"name":"name","__meta":{"file":"classes/usher/system/UsherSite.talk","tag":"field","line":12}},{"description":"Descriptive name for site","type":["string"],"name":"siteDescription","__meta":{"file":"classes/usher/system/UsherSite.talk","tag":"field","line":16}},{"description":"Beginning business day for site","type":["int32"],"name":"beginBusinessDay","__meta":{"file":"classes/usher/system/UsherSite.talk","tag":"field","line":20}},{"description":"Zone name for site location","type":["string"],"name":"zoneinfoId","__meta":{"file":"classes/usher/system/UsherSite.talk","tag":"field","line":24}},{"description":"Allowable site ranges","type":["UsherSiteRange","[]"],"name":"siteRange","__meta":{"file":"classes/usher/system/UsherSite.talk","tag":"field","line":28}},{"description":"Reference to module provisions","type":["com.acres4.common.info.license.ModuleProvision"],"name":"moduleProvision","__meta":{"file":"classes/usher/system/UsherSite.talk","tag":"field","line":32}},{"description":"This is normally null but can be set for the user Edit routine to setup site dependencies","type":["int32","[]"],"name":"idSystemProviders","__meta":{"file":"classes/usher/system/UsherSite.talk","tag":"field","line":36}},{"description":"Declares the host to create dependencies off of","type":["int32"],"name":"idSystemHost","__meta":{"file":"classes/usher/system/UsherSite.talk","tag":"field","line":40}},{"description":"The system type to create the site product for","type":["int32"],"name":"idSystemType","__meta":{"file":"classes/usher/system/UsherSite.talk","tag":"field","line":44}}],"name":"com.acres4.common.info.usher.UsherSite","version":"0","implement":true,"__meta":{"file":"classes/usher/system/UsherSite.talk","tag":"class","line":1}},{"description":"Tuple record for <Site, Host> information","field":[{"description":"Unique site record","type":["com.acres4.common.info.usher.UsherSite"],"name":"site","__meta":{"file":"classes/usher/system/UsherSiteHost.talk","tag":"field","line":4}},{"description":"Unique host record","type":["string"],"name":"url","__meta":{"file":"classes/usher/system/UsherSiteHost.talk","tag":"field","line":8}}],"name":"com.acres4.common.info.usher.UsherSiteHost","version":"0","implement":true,"__meta":{"file":"classes/usher/system/UsherSiteHost.talk","tag":"class","line":1}},{"description":"This record will list all sites and their associated host for a given product","field":[{"description":"Array of all sites that service the given product and it's associated host","type":["com.acres4.common.info.usher.UsherSiteHost","[]"],"name":"siteHostList","__meta":{"file":"classes/usher/system/UsherSiteHostList.talk","tag":"field","line":5}}],"name":"com.acres4.common.info.usher.UsherSiteHostList","version":"0","implement":true,"__meta":{"file":"classes/usher/system/UsherSiteHostList.talk","tag":"class","line":1}},{"description":"Encapsulates a request to List DB backups","field":[{"description":"Client's current connection token","type":["com.acres4.common.info.ConnectionToken"],"name":"tok","__meta":{"file":"classes/usher/system/UsherSiteHostListRequest.talk","tag":"field","line":4}},{"description":"Product to retrieve list of Sites for","type":["int32"],"name":"productId","__meta":{"file":"classes/usher/system/UsherSiteHostListRequest.talk","tag":"field","line":8}},{"description":"Specifies of the secure or non-secure port is requested","type":["bool"],"name":"secure","__meta":{"file":"classes/usher/system/UsherSiteHostListRequest.talk","tag":"field","line":12}},{"description":"True to return only production sites, false for all sites","type":["bool"],"name":"production","__meta":{"file":"classes/usher/system/UsherSiteHostListRequest.talk","tag":"field","line":16}}],"name":"com.acres4.common.info.usher.UsherSiteHostListRequest","version":"0","implement":true,"__meta":{"file":"classes/usher/system/UsherSiteHostListRequest.talk","tag":"class","line":1}},{"description":"Generates a license file on the server and sends it back to the Usher web site.","field":[{"description":"Client's current connection token","type":["com.acres4.common.info.ConnectionToken"],"name":"tok","__meta":{"file":"classes/usher/system/UsherSiteLicenseExportRequest.talk","tag":"field","line":4}},{"description":"the site id","type":["int32"],"name":"idSite","__meta":{"file":"classes/usher/system/UsherSiteLicenseExportRequest.talk","tag":"field","line":8}}],"name":"com.acres4.common.info.usher.UsherSiteLicenseExportRequest","version":"0","implement":true,"__meta":{"file":"classes/usher/system/UsherSiteLicenseExportRequest.talk","tag":"class","line":1}},{"description":"Site Range information for a given Site","field":[{"description":"Unique identifier for site range","type":["int32"],"name":"idSiteRange","__meta":{"file":"classes/usher/system/UsherSiteRange.talk","tag":"field","line":4}},{"description":"Cidr block describing the range","type":["string"],"name":"cidrBlock","__meta":{"file":"classes/usher/system/UsherSiteRange.talk","tag":"field","line":8}},{"description":"Descriptive name for site range","type":["string"],"name":"siteRangeDescription","__meta":{"file":"classes/usher/system/UsherSiteRange.talk","tag":"field","line":12}}],"name":"com.acres4.common.info.usher.UsherSiteRange","version":"0","implement":true,"__meta":{"file":"classes/usher/system/UsherSiteRange.talk","tag":"class","line":1}},{"description":"Query Usher for SMS target host","field":[{"description":"The target phone number for which a host is requested","type":["string"],"name":"targetNo","__meta":{"file":"classes/usher/system/UsherSMSRequest.talk","tag":"field","line":4}},{"description":"For future use","type":["string"],"name":"keyword","__meta":{"file":"classes/usher/system/UsherSMSRequest.talk","tag":"field","line":8}}],"name":"com.acres4.common.info.usher.UsherSMSRequest","version":"0","implement":true,"__meta":{"file":"classes/usher/system/UsherSMSRequest.talk","tag":"class","line":1}},{"description":"Query Usher for a system provider to connect a SMS target message","field":[{"description":"Return the system provider id representing the target number","type":["int32"],"name":"systemProvider","__meta":{"file":"classes/usher/system/UsherSMSResponse.talk","tag":"field","line":4}},{"description":"The associated SMS service","type":["int32"],"name":"smsService","__meta":{"file":"classes/usher/system/UsherSMSResponse.talk","tag":"field","line":8}}],"name":"com.acres4.common.info.usher.UsherSMSResponse","version":"0","implement":true,"__meta":{"file":"classes/usher/system/UsherSMSResponse.talk","tag":"class","line":1}},{"description":"Usher Switchboard Configuration","field":[{"description":"database table primary key","type":["int32"],"name":"idSwitchboardConfig","__meta":{"file":"classes/usher/system/UsherSwitchboardConfig.talk","tag":"field","line":4}},{"description":"target number","type":["string"],"name":"targetNumber","__meta":{"file":"classes/usher/system/UsherSwitchboardConfig.talk","tag":"field","line":8}},{"description":"keyword","type":["string"],"name":"keyword","__meta":{"file":"classes/usher/system/UsherSwitchboardConfig.talk","tag":"field","line":12}},{"description":"system provider foreign key","type":["int32"],"name":"idSystemProvider","__meta":{"file":"classes/usher/system/UsherSwitchboardConfig.talk","tag":"field","line":16}},{"description":"switchboard service","type":["int32"],"name":"switchboardService","__meta":{"file":"classes/usher/system/UsherSwitchboardConfig.talk","tag":"field","line":20}}],"name":"com.acres4.common.info.usher.UsherSwitchboardConfig","version":"0","implement":true,"__meta":{"file":"classes/usher/system/UsherSwitchboardConfig.talk","tag":"class","line":1}},{"description":"System ACL information","field":[{"description":"Unique id of system acl record","type":["int32"],"name":"idSystemAcl","__meta":{"file":"classes/usher/system/UsherSystemAcl.talk","tag":"field","line":4}},{"description":"System Host for this acl","type":["int32"],"name":"idSystemHost","__meta":{"file":"classes/usher/system/UsherSystemAcl.talk","tag":"field","line":8}},{"description":"Service for this acl","type":["int32"],"name":"idService","__meta":{"file":"classes/usher/system/UsherSystemAcl.talk","tag":"field","line":12}},{"description":"Ip Address this acl provides to outside world","type":["string"],"name":"ipAddr","__meta":{"file":"classes/usher/system/UsherSystemAcl.talk","tag":"field","line":16}},{"description":"port this acl provides to outside world","type":["int32"],"name":"port","__meta":{"file":"classes/usher/system/UsherSystemAcl.talk","tag":"field","line":20}}],"name":"com.acres4.common.info.usher.UsherSystemAcl","version":"0","implement":true,"__meta":{"file":"classes/usher/system/UsherSystemAcl.talk","tag":"class","line":1}},{"description":"System Host information","field":[{"description":"Unique system identifier","type":["int32"],"name":"idSystemHost","__meta":{"file":"classes/usher/system/UsherSystemHost.talk","tag":"field","line":4}},{"description":"data center system hosts belongs to","type":["int32"],"name":"idDataCenter","__meta":{"file":"classes/usher/system/UsherSystemHost.talk","tag":"field","line":8}},{"description":"internal ipAddress of server","type":["string"],"name":"ipAddrInt","__meta":{"file":"classes/usher/system/UsherSystemHost.talk","tag":"field","line":12}},{"description":"external ipAddress of server","type":["string"],"name":"ipAddrExt","__meta":{"file":"classes/usher/system/UsherSystemHost.talk","tag":"field","line":16}},{"description":"external hostName of server","type":["string"],"name":"hostName","__meta":{"file":"classes/usher/system/UsherSystemHost.talk","tag":"field","line":20}},{"description":"List of idSystemProvider records of servers providing a service to this host","type":["int32","[]"],"name":"providers","__meta":{"file":"classes/usher/system/UsherSystemHost.talk","tag":"field","line":24}},{"description":"system type of this host","type":["int32"],"name":"idSystemType","__meta":{"file":"classes/usher/system/UsherSystemHost.talk","tag":"field","line":28}},{"description":"Declares the host environment type (DEV, QA or PROD)","type":["int32"],"name":"systemHostEnvironment","__meta":{"file":"classes/usher/system/UsherSystemHost.talk","tag":"field","line":32}},{"description":"Declares the Usher response type (Auto, Internal, Extenral)","type":["int32"],"name":"usherResponseType","__meta":{"file":"classes/usher/system/UsherSystemHost.talk","tag":"field","line":36}}],"name":"com.acres4.common.info.usher.UsherSystemHost","version":"0","implement":true,"__meta":{"file":"classes/usher/system/UsherSystemHost.talk","tag":"class","line":1}},{"description":"Information returning a server it's system id","field":[{"description":"internal ipAddress of your server","type":["string"],"name":"ipAddr","__meta":{"file":"classes/usher/system/UsherSystemIdRequest.talk","tag":"field","line":4}},{"description":"Set to true if wish to force response","type":["bool"],"name":"force","__meta":{"file":"classes/usher/system/UsherSystemIdRequest.talk","tag":"field","line":8}},{"description":"crc of last response received by system","type":["int64"],"name":"crc","__meta":{"file":"classes/usher/system/UsherSystemIdRequest.talk","tag":"field","line":12}}],"name":"com.acres4.common.info.usher.UsherSystemIdRequest","version":"0","implement":true,"__meta":{"file":"classes/usher/system/UsherSystemIdRequest.talk","tag":"class","line":1}},{"description":"Information returning a server it's system id and all other information it desires","field":[{"description":"id of the system receiving the packet","type":["int32"],"name":"idSystemHost","__meta":{"file":"classes/usher/system/UsherSystemIdResponse.talk","tag":"field","line":4}},{"description":"list of all data centers","type":["com.acres4.common.info.usher.UsherDataCenter","[]"],"name":"dataCenters","__meta":{"file":"classes/usher/system/UsherSystemIdResponse.talk","tag":"field","line":8}},{"description":"list of all system hosts","type":["com.acres4.common.info.usher.UsherSystemHost","[]"],"name":"systemHosts","__meta":{"file":"classes/usher/system/UsherSystemIdResponse.talk","tag":"field","line":12}},{"description":"List of all systems that provide services","type":["UsherSystemProvider","[]"],"name":"systemProviders","__meta":{"file":"classes/usher/system/UsherSystemIdResponse.talk","tag":"field","line":16}},{"description":"List of all sites","type":["com.acres4.common.info.usher.UsherSite","[]"],"name":"usherSites","__meta":{"file":"classes/usher/system/UsherSystemIdResponse.talk","tag":"field","line":20}},{"description":"List of permission applications in the system","type":["com.acres4.common.info.usher.UsherPermissionInfo"],"name":"usherPermissionInfo","__meta":{"file":"classes/usher/system/UsherSystemIdResponse.talk","tag":"field","line":24}},{"description":"List of all switchboard config entries","type":["com.acres4.common.info.usher.UsherSwitchboardConfig","[]"],"name":"switchboardConfigs","__meta":{"file":"classes/usher/system/UsherSystemIdResponse.talk","tag":"field","line":28}},{"description":"crc of last response received by system","type":["int64"],"name":"crc","__meta":{"file":"classes/usher/system/UsherSystemIdResponse.talk","tag":"field","line":32}}],"name":"com.acres4.common.info.usher.UsherSystemIdResponse","version":"0","implement":true,"__meta":{"file":"classes/usher/system/UsherSystemIdResponse.talk","tag":"class","line":1}},{"description":"System provider information","field":[{"description":"Unique id of system provider record","type":["int32"],"name":"idSystemProvider","__meta":{"file":"classes/usher/system/UsherSystemProvider.talk","tag":"field","line":4}},{"description":"System Host providing the Service","type":["int32"],"name":"idSystemHost","__meta":{"file":"classes/usher/system/UsherSystemProvider.talk","tag":"field","line":8}},{"description":"product name provided","type":["string"],"name":"product","__meta":{"file":"classes/usher/system/UsherSystemProvider.talk","tag":"field","line":12}},{"description":"how internal servers connected to this product and server","type":["com.acres4.common.info.usher.UsherHost","[]"],"name":"usherHostsInternal","__meta":{"file":"classes/usher/system/UsherSystemProvider.talk","tag":"field","line":16}},{"description":"how external servers connected to this product and server","type":["com.acres4.common.info.usher.UsherHost","[]"],"name":"usherHostsExternal","__meta":{"file":"classes/usher/system/UsherSystemProvider.talk","tag":"field","line":20}},{"description":"List of sites connected to this product and server","type":["int32","[]"],"name":"idSites","__meta":{"file":"classes/usher/system/UsherSystemProvider.talk","tag":"field","line":24}},{"description":"This is actually maintained by client and always sent from usher2 as false","type":["bool"],"name":"isInternal","__meta":{"file":"classes/usher/system/UsherSystemProvider.talk","tag":"field","line":28}},{"description":"Determines if this System Provider applies to all hosts","type":["bool"],"name":"isSpecial","__meta":{"file":"classes/usher/system/UsherSystemProvider.talk","tag":"field","line":32}}],"name":"com.acres4.common.info.usher.UsherSystemProvider","version":"0","implement":true,"__meta":{"file":"classes/usher/system/UsherSystemProvider.talk","tag":"class","line":1}},{"description":"System type information","field":[{"description":"Unique id of system type record","type":["int32"],"name":"idSystemType","__meta":{"file":"classes/usher/system/UsherSystemType.talk","tag":"field","line":4}},{"description":"description system type","type":["string"],"name":"description","__meta":{"file":"classes/usher/system/UsherSystemType.talk","tag":"field","line":8}}],"name":"com.acres4.common.info.usher.UsherSystemType","version":"0","implement":true,"__meta":{"file":"classes/usher/system/UsherSystemType.talk","tag":"class","line":1}},{"description":"System type information","field":[{"description":"List of unique System Types supported. E.g KAI, Pulltab etc","type":["com.acres4.common.info.usher.UsherSystemType","[]"],"name":"systemTypeList","__meta":{"file":"classes/usher/system/UsherSystemTypeResponse.talk","tag":"field","line":4}}],"name":"com.acres4.common.info.usher.UsherSystemTypeResponse","version":"0","implement":true,"__meta":{"file":"classes/usher/system/UsherSystemTypeResponse.talk","tag":"class","line":1}},{"description":"Contains header information for a voice transmission, including both identifying/recipient/sender data as well as audio format (including sample rate, number of channels, etc.) The iOS/OSX underlying audio format data structure is AudioStreamBasicDescription. (The audio data is always linear PCM that has been compressed from the described format using the Speex codec.)","field":[{"description":"Unique identifier for the voice message.","type":["int32"],"name":"identifier","__meta":{"file":"classes/voice/VoiceHeader.talk","tag":"field","line":4}},{"description":"Dispatch attendant unique identifier for the sender of the message.","type":["int32"],"name":"senderID","__meta":{"file":"classes/voice/VoiceHeader.talk","tag":"field","line":8}},{"description":"Name of the voice channel to which or from which this message travels. Must exactly match the relevant service subscription name, such as \"voiceChannelDept2\". If there is a typo in this channel name, and therefore no one is subscribed to a channel with this name, no error will be reported and no one will receive the message.","type":["string"],"name":"channelName","__meta":{"file":"classes/voice/VoiceHeader.talk","tag":"field","line":12}},{"description":"Optional field containing the message length in milliseconds. This is not guaranteed to be populated by the sender. If populated, this describes the length of the entire message, not just the current data or message packet.","type":["int32"],"name":"messageLengthMilliseconds","__meta":{"file":"classes/voice/VoiceHeader.talk","tag":"field","line":16}},{"description":"The audio sample rate. Usually 8000 (8 kHz).","type":["real"],"name":"sampleRate","__meta":{"file":"classes/voice/VoiceHeader.talk","tag":"field","line":20}},{"description":"The audio packet size of the uncompressed audio data. This has nothing to do with network packets or voip message payloads and is only relevant to the uncompressed resultant audio data.","type":["int32"],"name":"bytesPerPacket","__meta":{"file":"classes/voice/VoiceHeader.talk","tag":"field","line":24}},{"description":"The number of audio frames in each audio packet in the uncompressed data. Usually 1.","type":["int32"],"name":"framesPerPacket","__meta":{"file":"classes/voice/VoiceHeader.talk","tag":"field","line":28}},{"description":"The number of bytes in each audio frame of the uncompressed audio. This is 2 for normal single channel 16-bit narrow band audio.","type":["int32"],"name":"bytesPerFrame","__meta":{"file":"classes/voice/VoiceHeader.talk","tag":"field","line":32}},{"description":"The number of audio channels. This will usually be 1.","type":["int32"],"name":"channelsPerFrame","__meta":{"file":"classes/voice/VoiceHeader.talk","tag":"field","line":36}},{"description":"The audio bitrate. Generally 16.","type":["int32"],"name":"bitsPerChannel","__meta":{"file":"classes/voice/VoiceHeader.talk","tag":"field","line":40}}],"name":"com.acres4.common.info.voice.VoiceHeader","version":"0","implement":true,"__meta":{"file":"classes/voice/VoiceHeader.talk","tag":"class","line":1}},{"description":"Contains Speex and base4 encoded voice data. This may be anything between the entirety of the voice data or a single Speex packet.","field":[{"description":"The header containing audio format/sender/channel values.","type":["com.acres4.common.info.voice.VoiceHeader"],"name":"header","__meta":{"file":"classes/voice/VoiceMessage.talk","tag":"field","line":4}},{"description":"A string containing the base64 encoded, Speex encrypted audio data.","type":["string"],"name":"dataString","__meta":{"file":"classes/voice/VoiceMessage.talk","tag":"field","line":8}},{"description":"Current client connection token","type":["com.acres4.common.info.ConnectionToken"],"name":"tok","__meta":{"file":"classes/voice/VoiceMessage.talk","tag":"field","line":12}}],"name":"com.acres4.common.info.voice.VoiceMessage","version":"0","implement":true,"__meta":{"file":"classes/voice/VoiceMessage.talk","tag":"class","line":1}},{"description":"Used to make a synchronizer request for database synchronization. TODO delete this class after promo and winvelope are merged.","field":[{"description":"object class","type":["string"],"name":"className","__meta":{"file":"classes/winvelope/replication/ReplicationEntity.talk","tag":"field","line":4}},{"description":"object data","type":["string"],"name":"jsonObject","__meta":{"file":"classes/winvelope/replication/ReplicationEntity.talk","tag":"field","line":8}},{"description":"compressed","type":["bool"],"name":"compressed","__meta":{"file":"classes/winvelope/replication/ReplicationEntity.talk","tag":"field","line":12}}],"name":"com.acres4.common.info.replication.winvelope.ReplicationEntity","version":"0","implement":true,"__meta":{"file":"classes/winvelope/replication/ReplicationEntity.talk","tag":"class","line":1}},{"description":"Used to make a synchronizer request for database synchronization. TODO delete this class after promo and winvelope are merged.","field":[{"description":"Connection Token which we will give back after object synchronized","type":["com.acres4.common.info.ConnectionToken"],"name":"tok","__meta":{"file":"classes/winvelope/replication/ReplicationEntityRequest.talk","tag":"field","line":4}},{"description":"request object class","type":["int32"],"name":"maxIdReplicationQueue","__meta":{"file":"classes/winvelope/replication/ReplicationEntityRequest.talk","tag":"field","line":8}},{"description":"request object class","type":["com.acres4.common.info.replication.winvelope.ReplicationEntity","[]"],"name":"data","__meta":{"file":"classes/winvelope/replication/ReplicationEntityRequest.talk","tag":"field","line":12}}],"name":"com.acres4.common.info.replication.winvelope.ReplicationEntityRequest","version":"0","implement":true,"__meta":{"file":"classes/winvelope/replication/ReplicationEntityRequest.talk","tag":"class","line":1}},{"description":"Promo server asking the winvelope processor whether the player card number belongs to a valid participant that is eligible to enroll in the promotional contest. This is actually a JSON RPC notify sent over asynchronous comet channel.","field":[{"description":"Unique key to allow the response to be matched up to the request.","type":["int64"],"name":"key","__meta":{"file":"classes/winvelope/ValidParticipantRequest.talk","tag":"field","line":4}},{"description":"The player card number to check to see if it belongs to a valid participant that is eligible to participate in the promotional contest.","type":["string"],"name":"player_card","__meta":{"file":"classes/winvelope/ValidParticipantRequest.talk","tag":"field","line":8}},{"description":"The contest id to look up player for","type":["int32"],"name":"id_contest","__meta":{"file":"classes/winvelope/ValidParticipantRequest.talk","tag":"field","line":12}}],"name":"com.acres4.common.info.winvelope.ValidParticipantRequest","version":"0","implement":true,"__meta":{"file":"classes/winvelope/ValidParticipantRequest.talk","tag":"class","line":1}},{"description":"Answer from the winvelope processor to the promo server as to whether the player card number belongs to a valid participant that is eligible to participate in the promotional contest. This is actually a JSON RPC request sent over the synchronous http JSON RPC channel.","field":[{"description":"The ConnectionToken for the winvelope processor connection to the promo server.","type":["com.acres4.common.info.ConnectionToken"],"name":"tok","__meta":{"file":"classes/winvelope/ValidParticipantResponse.talk","tag":"field","line":4}},{"description":"THe request used for this response","type":["com.acres4.common.info.winvelope.ValidParticipantRequest"],"name":"req","__meta":{"file":"classes/winvelope/ValidParticipantResponse.talk","tag":"field","line":8}},{"description":"True if the player card number is valid and eligible to participate in the promotional contest.","type":["bool"],"name":"validAndEligible","__meta":{"file":"classes/winvelope/ValidParticipantResponse.talk","tag":"field","line":12}},{"description":"The participants first name.","type":["string"],"name":"firstName","__meta":{"file":"classes/winvelope/ValidParticipantResponse.talk","tag":"field","line":16}},{"description":"The participants last name.","type":["string"],"name":"lastName","__meta":{"file":"classes/winvelope/ValidParticipantResponse.talk","tag":"field","line":20}}],"name":"com.acres4.common.info.winvelope.ValidParticipantResponse","version":"0","implement":true,"__meta":{"file":"classes/winvelope/ValidParticipantResponse.talk","tag":"class","line":1}},{"description":"Requests a command be performed by a Wiretap source.","field":[{"description":"Level of communications to broadcast. Acceptable values are 0 (no communications) and 1 (all communications).","type":["int8"],"name":"commLevel","__meta":{"file":"classes/wiretap/WiretapBroadcastLevel.talk","tag":"field","line":4}},{"description":"Level of logging to broadcast. Valid levels are defined in WiretapLogLevels. All messages at or above the specified level are transmitted.","see":[{"type":"enumeration","name":"com.acres4.common.info.constants.wiretap.WiretapLogLevels","__meta":{"file":"classes/wiretap/WiretapBroadcastLevel.talk","tag":"see","line":10}}],"type":["int8"],"name":"logLevel","__meta":{"file":"classes/wiretap/WiretapBroadcastLevel.talk","tag":"field","line":8}},{"description":"Name of the logging instance to be modified. Valid names match fully qualified class names and appenders, such as com.acres4.common.api.json.JsonServer or JsonRpcAppender.","type":["string"],"name":"logName","__meta":{"file":"classes/wiretap/WiretapBroadcastLevel.talk","tag":"field","line":13}}],"name":"com.acres4.common.info.wiretap.WiretapBroadcastLevel","version":"0","implement":true,"__meta":{"file":"classes/wiretap/WiretapBroadcastLevel.talk","tag":"class","line":1}},{"description":"Describes an available client for wiretapping.","field":[{"description":"Routing information to be used for any messages directed to this client.","type":["WiretapRoute"],"name":"route","__meta":{"file":"classes/wiretap/WiretapClient.talk","tag":"field","line":4}},{"description":"Software package and version information for the client.","type":["com.acres4.common.info.AppInfo"],"name":"appInfo","__meta":{"file":"classes/wiretap/WiretapClient.talk","tag":"field","line":8}},{"description":"Hardware and OS information for the client.","type":["com.acres4.common.info.DeviceInfo"],"name":"deviceinfo","__meta":{"file":"classes/wiretap/WiretapClient.talk","tag":"field","line":12}},{"description":"True if the client is currently available for wiretapping on the specified connection token; false otherwise.","type":["bool"],"name":"available","__meta":{"file":"classes/wiretap/WiretapClient.talk","tag":"field","line":16}},{"description":"The current status of the wiretap broadcasts leave null if device doesn't support wiretap","type":["com.acres4.common.info.wiretap.WiretapBroadcastLevel"],"name":"wiretapBroadcastLevel","__meta":{"file":"classes/wiretap/WiretapClient.talk","tag":"field","line":20}}],"name":"com.acres4.common.info.wiretap.WiretapClient","version":"0","implement":true,"__meta":{"file":"classes/wiretap/WiretapClient.talk","tag":"class","line":1}},{"description":"Contains a list of available Wiretap clients. This may be presented as a complete list, containing all current clients, or a delta update, containing only those clients who have connected or disconnected since the last update. Disconnections are indicated by WiretapClients whose available field is false.","field":[{"description":"List of clients. If partialUpdate = TRUE, this list contains only those clients who have connected or disconnected since the last update; if partialUpdate = FALSE, this list contains all clients, may serve as the basis for future partial updates, and overrides any current client list that the receiver may hold.","type":["com.acres4.common.info.wiretap.WiretapClient","[]"],"name":"clients","__meta":{"file":"classes/wiretap/WiretapClientList.talk","tag":"field","line":4}},{"description":"Indicates whether this is a partial (delta) update.","type":["bool"],"name":"partialUpdate","__meta":{"file":"classes/wiretap/WiretapClientList.talk","tag":"field","line":8}}],"name":"com.acres4.common.info.wiretap.WiretapClientList","version":"0","implement":true,"__meta":{"file":"classes/wiretap/WiretapClientList.talk","tag":"class","line":1}},{"description":"Requests a command be performed by a Wiretap source.","field":[{"description":"Current connection token","type":["com.acres4.common.info.ConnectionToken"],"name":"tok","__meta":{"file":"classes/wiretap/WiretapCommand.talk","tag":"field","line":4}},{"description":"Routing information for intended recipient. This field may be omitted if the sender is communicating directly with the intended wiretap source.","type":["WiretapRoute"],"name":"route","__meta":{"file":"classes/wiretap/WiretapCommand.talk","tag":"field","line":8}},{"description":"A randomly-generated integer uniquely identifying this conversation.","see":[{"type":"enumeration","name":"WiretapCommandTypes","__meta":{"file":"classes/wiretap/WiretapCommand.talk","tag":"see","line":14}}],"type":["int32"],"name":"type","__meta":{"file":"classes/wiretap/WiretapCommand.talk","tag":"field","line":12}},{"description":"Parameters supplied for this command. The specific contents of this field are dependent upon the type field.","type":["com.acres4.common.info.NamedObjectWrapper","[]"],"name":"params","__meta":{"file":"classes/wiretap/WiretapCommand.talk","tag":"field","line":17}}],"name":"com.acres4.common.info.wiretap.WiretapCommand","version":"0","implement":true,"__meta":{"file":"classes/wiretap/WiretapCommand.talk","tag":"class","line":1}},{"description":"Describes a network conversation, including some subset of its messages.","field":[{"description":"A randomly-generated integer uniquely identifying this conversation.","type":["int64"],"name":"conversationId","__meta":{"file":"classes/wiretap/WiretapConversation.talk","tag":"field","line":4}},{"description":"The identifier of the protocol being recorded in this wiretap. Omitted if the protocol is unknown.","see":[{"type":"glossary","name":"WiretapConversationProtocols","__meta":{"file":"classes/wiretap/WiretapConversation.talk","tag":"see","line":10}}],"type":["string"],"name":"protocol","__meta":{"file":"classes/wiretap/WiretapConversation.talk","tag":"field","line":8}},{"description":"An optional, human-readable remark on this conversation. It is primarily intended as a set of notes explaining why a conversation record is interesting, eg. \"this conversation demonstrates issue #573.\" Therefore, the description field will almost certainly be blank during transmission.","type":["string"],"name":"annotation","__meta":{"file":"classes/wiretap/WiretapConversation.talk","tag":"field","line":13}},{"description":"Information describing the application furnishing wiretap data.","type":["com.acres4.common.info.AppInfo"],"name":"app","__meta":{"file":"classes/wiretap/WiretapConversation.talk","tag":"field","line":17}},{"description":"Information describing the device furnishing wiretap data.","type":["com.acres4.common.info.DeviceInfo"],"name":"device","__meta":{"file":"classes/wiretap/WiretapConversation.talk","tag":"field","line":21}},{"description":"Start time of the conversation, according to the system of the clock recording the network transmission for wiretap.","type":["int64"],"name":"timestamp","__meta":{"file":"classes/wiretap/WiretapConversation.talk","tag":"field","line":25}},{"description":"Zero or more flag records. Flag records indicate reasons why a conversation may have been picked out for analysis.","type":["WiretapFlag","[]"],"name":"flags","__meta":{"file":"classes/wiretap/WiretapConversation.talk","tag":"field","line":29}},{"description":"Zero or more WiretapEntry objects describing data transmitted in this conversation.","type":["WiretapEntry","[]"],"name":"entries","__meta":{"file":"classes/wiretap/WiretapConversation.talk","tag":"field","line":33}},{"description":"Indicates that a WiretapSource will not be automatically pruning this conversation.","type":["bool"],"name":"noExpire","__meta":{"file":"classes/wiretap/WiretapConversation.talk","tag":"field","line":37}}],"name":"com.acres4.common.info.wiretap.WiretapConversation","version":"0","implement":true,"__meta":{"file":"classes/wiretap/WiretapConversation.talk","tag":"class","line":1}},{"description":"A crash log. Each crash log can be uniquely identified by the pair of the deviceInfo.serialNumber and timestamp.","field":[{"description":"Client connection token","type":["com.acres4.common.info.ConnectionToken"],"name":"tok","__meta":{"file":"classes/wiretap/WiretapCrashLog.talk","tag":"field","line":4}},{"description":"Information on the source device, including identifier.","type":["com.acres4.common.info.DeviceInfo"],"name":"deviceInfo","__meta":{"file":"classes/wiretap/WiretapCrashLog.talk","tag":"field","line":8}},{"description":"Describes application name and version on which the crash occurred.","type":["com.acres4.common.info.AppInfo"],"name":"appInfo","__meta":{"file":"classes/wiretap/WiretapCrashLog.talk","tag":"field","line":12}},{"description":"Time the crash occurred in Unix epoch seconds.","type":["int64"],"name":"timestamp","__meta":{"file":"classes/wiretap/WiretapCrashLog.talk","tag":"field","line":16}},{"description":"Raw, un-symbolicated crash log. Gzipped and base64 encoded.","type":["string"],"name":"zippedRawLog","__meta":{"file":"classes/wiretap/WiretapCrashLog.talk","tag":"field","line":20}},{"description":"The crash log with symbols added. Gzipped and base64 encoded.","type":["string"],"name":"zippedSymbolicatedLog","__meta":{"file":"classes/wiretap/WiretapCrashLog.talk","tag":"field","line":24}},{"description":"Raw, un-symbolicated, unencoded crash log.","caveat":["Should never be sent over the wire."],"type":["string"],"name":"rawLog","__meta":{"file":"classes/wiretap/WiretapCrashLog.talk","tag":"field","line":28}},{"description":"Symbolicated, unencoded crash log.","caveat":["Should never be sent over the wire."],"type":["string"],"name":"symbolicatedLog","__meta":{"file":"classes/wiretap/WiretapCrashLog.talk","tag":"field","line":33}}],"name":"com.acres4.common.info.wiretap.WiretapCrashLog","version":"0","implement":true,"__meta":{"file":"classes/wiretap/WiretapCrashLog.talk","tag":"class","line":1}},{"description":"A single piece of information in a conversation. This can be a message, or other network event such as a socket closure.","field":[{"description":"An identifier indicating which channel in the wiretap this entry occurred on. For example, whether this was a client request, a server response, or a server asynchronous message. This field maps to a glossary of commonly-used values; however, clients should consider themselves free to use this field as needed to provide clarity in wiretap data.","see":[{"type":"glossary","name":"WiretapEntrySources","__meta":{"file":"classes/wiretap/WiretapEntry.talk","tag":"see","line":6}}],"type":["string"],"name":"source","__meta":{"file":"classes/wiretap/WiretapEntry.talk","tag":"field","line":4}},{"description":"Timestamp that this message occurred, according to the clock of the device furnishing the wiretap data. Unix epoch milliseconds.","type":["int64"],"name":"timestampRecorded","__meta":{"file":"classes/wiretap/WiretapEntry.talk","tag":"field","line":9}},{"description":"Timestamp that this entry was furnished, according to the clock of the device furnishing the wiretap data. Unix epoch milliseconds.","caveat":["May not be populated when entry is transmitted as part of a WiretapConversation."],"type":["int64"],"name":"timestampSystem","__meta":{"file":"classes/wiretap/WiretapEntry.talk","tag":"field","line":13}},{"description":"Contents of the event. The meaning of this field is dependent upon the type field. To provide compatibility with binary data events, this field is base64 encoded.","type":["string"],"name":"contents","__meta":{"file":"classes/wiretap/WiretapEntry.talk","tag":"field","line":18}},{"description":"Unique identifier of conversation this event occurred in.","type":["int64"],"name":"conversationId","__meta":{"file":"classes/wiretap/WiretapEntry.talk","tag":"field","line":22}},{"description":"Type of event being reported.","see":[{"type":"enumeration","name":"WiretapEntryTypes","__meta":{"file":"classes/wiretap/WiretapEntry.talk","tag":"see","line":28}}],"type":["int32"],"name":"type","__meta":{"file":"classes/wiretap/WiretapEntry.talk","tag":"field","line":26}},{"description":"Subtype of event being reported. Value depends on type field.","type":["int32"],"name":"subtype","__meta":{"file":"classes/wiretap/WiretapEntry.talk","tag":"field","line":31}},{"description":"Randomly generated identifier for this entry.","type":["int64"],"name":"entryId","__meta":{"file":"classes/wiretap/WiretapEntry.talk","tag":"field","line":35}},{"description":"Optional annotation provided during analysis. For example, \"this response is obviously wrong, and does not comply with the agreed protocol.\"","type":["string"],"name":"annotation","__meta":{"file":"classes/wiretap/WiretapEntry.talk","tag":"field","line":39}},{"description":"URL of the remote host.","type":["string"],"name":"hostURL","__meta":{"file":"classes/wiretap/WiretapEntry.talk","tag":"field","line":43}}],"name":"com.acres4.common.info.wiretap.WiretapEntry","version":"0","implement":true,"__meta":{"file":"classes/wiretap/WiretapEntry.talk","tag":"class","line":1}},{"description":"Describes an exception that may warrant an analysis of a WiretapConversation.","field":[{"description":"Unique identifier of conversation being flagged.","type":["int64"],"name":"conversationId","__meta":{"file":"classes/wiretap/WiretapFlag.talk","tag":"field","line":4}},{"description":"Timestamp that the flag was recorded, according to the system clock of the device which generated the flag. Unix epoch milliseconds.","type":["int64"],"name":"timestamp","__meta":{"file":"classes/wiretap/WiretapFlag.talk","tag":"field","line":8}},{"description":"Randomly-generated identifier of flag.","type":["int64"],"name":"flagId","__meta":{"file":"classes/wiretap/WiretapFlag.talk","tag":"field","line":12}},{"description":"Description of reason for flag.","type":["string"],"name":"description","__meta":{"file":"classes/wiretap/WiretapFlag.talk","tag":"field","line":16}}],"name":"com.acres4.common.info.wiretap.WiretapFlag","version":"0","implement":true,"__meta":{"file":"classes/wiretap/WiretapFlag.talk","tag":"class","line":1}},{"description":"Describes sufficient location information for the server to route a message to a client.","field":[{"description":"Connection token held by intended recipient.","type":["com.acres4.common.info.ConnectionToken"],"name":"tok","__meta":{"file":"classes/wiretap/WiretapRoute.talk","tag":"field","line":4}},{"description":"Name of context on host to which client is connected.","type":["string"],"name":"context","__meta":{"file":"classes/wiretap/WiretapRoute.talk","tag":"field","line":8}},{"description":"Name of host to which client is connected.","type":["string"],"name":"host","__meta":{"file":"classes/wiretap/WiretapRoute.talk","tag":"field","line":12}}],"name":"com.acres4.common.info.wiretap.WiretapRoute","version":"0","implement":true,"__meta":{"file":"classes/wiretap/WiretapRoute.talk","tag":"class","line":1}},{"description":"Updates a clients wiretap status at the server","field":[{"description":"Current connection token","type":["com.acres4.common.info.ConnectionToken"],"name":"tok","__meta":{"file":"classes/wiretap/WiretapUpdateStatus.talk","tag":"field","line":4}},{"description":"Current WiretapBroadcastLevel status","type":["com.acres4.common.info.wiretap.WiretapBroadcastLevel"],"name":"wiretapBroadcastLevel","__meta":{"file":"classes/wiretap/WiretapUpdateStatus.talk","tag":"field","line":8}}],"name":"com.acres4.common.info.wiretap.WiretapUpdateStatus","version":"0","implement":true,"__meta":{"file":"classes/wiretap/WiretapUpdateStatus.talk","tag":"class","line":1}}],"enumeration":[{"description":"Valid contents of the exit status of a build script.","constant":[{"description":"Build successful","name":"BUILD_SCRIPT_SUCCESS","value":0.0,"__meta":{"file":"classes/build/BuildScriptOutput.talk","tag":"constant","line":4}},{"description":"Build failed. For example, a compiler or linker error occurred.","name":"BUILD_SCRIPT_BUILD_FAIL","value":1.0,"__meta":{"file":"classes/build/BuildScriptOutput.talk","tag":"constant","line":8}},{"description":"Build successfully compiled, but one or more automated tests failed.","name":"BUILD_SCRIPT_TEST_FAIL","value":2.0,"__meta":{"file":"classes/build/BuildScriptOutput.talk","tag":"constant","line":12}},{"description":"The build failed due to causes other than the source code of the commit. For example, a compiler is not installed onto the build system.","name":"BUILD_SCRIPT_SYS_FAIL","value":3.0,"__meta":{"file":"classes/build/BuildScriptOutput.talk","tag":"constant","line":16}},{"description":"The build completed successfully, and if unit tests are present, all unit tests completed successfully, but the build product could not be uploaded to the server. This is only relevant if the script handles its own product uploads, and does not rely on Leeroy's Augustus integration.","name":"BUILD_SCRIPT_UPLOAD_FAIL","value":4.0,"__meta":{"file":"classes/build/BuildScriptOutput.talk","tag":"constant","line":20}},{"description":"The outcome of the build could not be determined, since the output of the build did not conform to the required format.","name":"BUILD_SCRIPT_SCRIPT_FAIL","value":5.0,"__meta":{"file":"classes/build/BuildScriptOutput.talk","tag":"constant","line":24}}],"name":"com.acres4.common.info.constants.build.BuildScriptStatus","__meta":{"file":"classes/build/BuildScriptOutput.talk","tag":"enumeration","line":1}},{"description":"Permissions held by build service clients","constant":[{"description":"Client can request updates for a given application ID.","name":"BUILD_PERMISSION_UPDATE","value":0.0,"__meta":{"file":"classes/build/BuildUser.talk","tag":"constant","line":4}},{"description":"Client can list existing builds.","name":"BUILD_PERMISSION_LIST","value":1.0,"__meta":{"file":"classes/build/BuildUser.talk","tag":"constant","line":8}},{"description":"Client can upload new builds.","name":"BUILD_PERMISSION_UPLOAD","value":2.0,"__meta":{"file":"classes/build/BuildUser.talk","tag":"constant","line":12}},{"description":"Client can modify BuildInfo records.","name":"BUILD_PERMISSION_REWRITE","value":3.0,"__meta":{"file":"classes/build/BuildUser.talk","tag":"constant","line":16}},{"description":"Client can mark builds as expired.","name":"BUILD_PERMISSION_EXPIRE","value":4.0,"__meta":{"file":"classes/build/BuildUser.talk","tag":"constant","line":20}},{"description":"Client can publish builds onto live sites.","name":"BUILD_PERMISSION_PUBLISH_LIVE","value":5.0,"__meta":{"file":"classes/build/BuildUser.talk","tag":"constant","line":24}},{"description":"Client can publish builds onto development sites.","name":"BUILD_PERMISSION_PUBLISH_DEV","value":6.0,"__meta":{"file":"classes/build/BuildUser.talk","tag":"constant","line":28}}],"name":"com.acres4.common.info.constants.build.BuildPermissions","__meta":{"file":"classes/build/BuildUser.talk","tag":"enumeration","line":1}},{"description":"Defines data types, used in property_def table","constant":[{"description":"data type is a string","name":"DATA_TYPE_STRING","value":1.0,"__meta":{"file":"classes/common/DataTypes.talk","tag":"constant","line":4}},{"description":"data type is a boolean","name":"DATA_TYPE_BOOLEAN","value":2.0,"__meta":{"file":"classes/common/DataTypes.talk","tag":"constant","line":7}},{"description":"data type is a integer","name":"DATA_TYPE_INTEGER","value":3.0,"__meta":{"file":"classes/common/DataTypes.talk","tag":"constant","line":10}},{"description":"data type is a long","name":"DATA_TYPE_LONG","value":4.0,"__meta":{"file":"classes/common/DataTypes.talk","tag":"constant","line":13}}],"name":"com.acres4.common.info.constants.DataTypes","__meta":{"file":"classes/common/DataTypes.talk","tag":"enumeration","line":1}},{"description":"Supported NamedObjectEncoding types","constant":[{"description":"Indicates a json object in plaintext format","name":"NAMED_OBJECT_ENCODING_TYPE_JSON_PLAINTEXT","value":0.0,"__meta":{"file":"classes/common/NamedObjectWrapper.talk","tag":"constant","line":4}},{"description":"Indicates a json object in gziped and base 64 encoded format","name":"NAMED_OBJECT_ENCODING_TYPE_JSON_GZIPBASE64","value":1.0,"__meta":{"file":"classes/common/NamedObjectWrapper.talk","tag":"constant","line":7}}],"name":"com.acres4.common.info.constants.NamedObjectEncodingTypes","__meta":{"file":"classes/common/NamedObjectWrapper.talk","tag":"enumeration","line":1}},{"description":"Defines constants for retrieving configurations by ID from the ConfigValues table or other database configuration tables.","constant":[{"description":"Role deferral L1 percentage of goal time. L1 should be set lower than L2.","name":"ROLE_DEFERRAL_L1","value":10000.0,"__meta":{"file":"classes/config/MercuryConfigValues.talk","tag":"constant","line":3}},{"description":"Role deferral L2 percentage of goal time.","name":"ROLE_DEFERRAL_L2","value":10001.0,"__meta":{"file":"classes/config/MercuryConfigValues.talk","tag":"constant","line":6}},{"description":"Percentage of goal time for L1.","name":"GOAL_TIME_PERCENT_L1","value":10002.0,"__meta":{"file":"classes/config/MercuryConfigValues.talk","tag":"constant","line":9}},{"description":"Percentage of goal time for L2.","name":"GOAL_TIME_PERCENT_L2","value":10003.0,"__meta":{"file":"classes/config/MercuryConfigValues.talk","tag":"constant","line":12}},{"description":"Percentage for floor busy level L1.","name":"FLOOR_BUSY_LEVEL_L1","value":10004.0,"__meta":{"file":"classes/config/MercuryConfigValues.talk","tag":"constant","line":15}},{"description":"Percentage for floor busy level L2.","name":"FLOOR_BUSY_LEVEL_L2","value":10005.0,"__meta":{"file":"classes/config/MercuryConfigValues.talk","tag":"constant","line":18}},{"description":"'Department' table constant, works with Department InfoObject. May be used to update/retrieve departments.","name":"DEPARTMENT_VALUES","value":10006.0,"__meta":{"file":"classes/config/MercuryConfigValues.talk","tag":"constant","line":21}},{"description":"'Shift' table constant, works with Shift InfoObject. May be used to update/retrieve shifts.","name":"SHIFT_VALUES","value":10007.0,"__meta":{"file":"classes/config/MercuryConfigValues.talk","tag":"constant","line":24}},{"description":"Length of small breaks in millis.","name":"SMALL_BREAK_MILLIS","value":10008.0,"__meta":{"file":"classes/config/MercuryConfigValues.talk","tag":"constant","line":27}},{"description":"Length of large breaks in millis.","name":"LARGE_BREAK_MILLIS","value":10009.0,"__meta":{"file":"classes/config/MercuryConfigValues.talk","tag":"constant","line":30}},{"description":"Max number of small breaks for a 8-hour shift.","name":"MAX_SMALL_BREAKS_8_HR","value":10010.0,"__meta":{"file":"classes/config/MercuryConfigValues.talk","tag":"constant","line":33}},{"description":"Max number of small breaks for a 10-hour shift.","name":"MAX_SMALL_BREAKS_10_HR","value":10011.0,"__meta":{"file":"classes/config/MercuryConfigValues.talk","tag":"constant","line":36}},{"description":"Max number of large breaks.","name":"MAX_LARGE_BREAKS","value":10012.0,"__meta":{"file":"classes/config/MercuryConfigValues.talk","tag":"constant","line":39}},{"description":"Amount of time in milliseconds to delay dispatching a user after they've deferred or quit a call.","name":"POST_DEFER_AND_QUIT_DISPATCH_DELAY","value":10013.0,"__meta":{"file":"classes/config/MercuryConfigValues.talk","tag":"constant","line":42}},{"description":"Amount of time in milliseconds to delay dispatching a user after they've inserted their card.","name":"CARD_INSERT_DISPATCH_DELAY","value":10014.0,"__meta":{"file":"classes/config/MercuryConfigValues.talk","tag":"constant","line":45}},{"description":"Drop card deactivate time in milliseconds. Will be in Drop Mode for this amount of time after seeing a Drop Card User Card-In at a given location.","name":"DROP_CARD_DEACTIVATE_TIME","value":10015.0,"__meta":{"file":"classes/config/MercuryConfigValues.talk","tag":"constant","line":48}},{"description":"'alert_config' table constant, works with AlertConfig InfoObject. May be used to update/retrieve AlertConfigs, which configure per alert the max number of alerts before auto-notification, timeouts, etc.","name":"ALERT_CONFIG_VALUES","value":10016.0,"__meta":{"file":"classes/config/MercuryConfigValues.talk","tag":"constant","line":51}},{"description":"'Location Definition' table constant, Used to configure how a property defines and formats it's location string","name":"LOCATION_DEF_CONFIG_VALUES","value":10017.0,"__meta":{"file":"classes/config/MercuryConfigValues.talk","tag":"constant","line":54}},{"description":"'break' table constant, works with Break InfoObject. May be used to update/retrieve break configurations which allow modifying breaks by department and position, setting shift length, break period lengths, etc.","name":"BREAK_VALUES","value":10018.0,"__meta":{"file":"classes/config/MercuryConfigValues.talk","tag":"constant","line":57}},{"description":"'role' table constant, works with AttendantRole InfoObject. Gives ability to rename/alias roles, and set default permission levels to roles.","name":"ROLE_VALUES","value":10021.0,"__meta":{"file":"classes/config/MercuryConfigValues.talk","tag":"constant","line":62}},{"description":"Offset in MILLISECONDS from midnight indicating the start of the new gaming day.","name":"GAMING_DAY_START_TIME","value":10023.0,"__meta":{"file":"classes/config/MercuryConfigValues.talk","tag":"constant","line":66}},{"description":"Toggle between military/standard time display. FALSE = standard, TRUE = military.","name":"GAMING_DAY_TIME_DISPLAY","value":10024.0,"__meta":{"file":"classes/config/MercuryConfigValues.talk","tag":"constant","line":69}},{"description":"Works with radio_group table, configure group name and group recipients for the group messages.","name":"RADIO_GROUP_VALUES","value":10027.0,"__meta":{"file":"classes/config/MercuryConfigValues.talk","tag":"constant","line":74}},{"description":"Number of seconds max a radio message can reach.","name":"RADIO_MAX_MESSAGE_LENGTH","value":10028.0,"__meta":{"file":"classes/config/MercuryConfigValues.talk","tag":"constant","line":77}},{"description":"Number of messages allowed per configurable period.","name":"RADIO_MAX_MESSAGES","value":10029.0,"__meta":{"file":"classes/config/MercuryConfigValues.talk","tag":"constant","line":80}},{"description":"Period for RADIO_MAX_MESSAGES configuration.","name":"RADIO_MAX_MESSAGES_PERIOD","value":10030.0,"__meta":{"file":"classes/config/MercuryConfigValues.talk","tag":"constant","line":83}},{"description":"Works with call configurations to display current jackpot ranges and call configs, and allows modification and addition of new jackpot levels.","name":"JACKPOT_CONFIGS","value":10031.0,"__meta":{"file":"classes/config/MercuryConfigValues.talk","tag":"constant","line":86}},{"description":"Number of days until a pin reset is forced on users.","name":"PIN_RESET_TIME_DAYS","value":10032.0,"__meta":{"file":"classes/config/MercuryConfigValues.talk","tag":"constant","line":89}},{"description":"Number of failed login attempts before pin-locking an account.","name":"TRIES_BEFORE_PIN_LOCK","value":10033.0,"__meta":{"file":"classes/config/MercuryConfigValues.talk","tag":"constant","line":92}},{"description":"Number of DIFFERENT PINs which must be used before a previously used PIN may be used again.","name":"PIN_RECYCLE_COUNT","value":10034.0,"__meta":{"file":"classes/config/MercuryConfigValues.talk","tag":"constant","line":95}},{"description":"As a configuration request, will return an array of locked accounts, which may then be unlocked when sent back after toggling the lock.","name":"LOCKED_ACCOUNTS","value":10035.0,"__meta":{"file":"classes/config/MercuryConfigValues.talk","tag":"constant","line":98}},{"description":"Works with notification table, returns an array of notifications, one per category, with each category having an array of email addresses associated with it.","name":"NOTIFICATION_CATEGORIES","value":10036.0,"__meta":{"file":"classes/config/MercuryConfigValues.talk","tag":"constant","line":101}},{"description":"Select PermissionGroup, retrieve all known permissions and currently configured permissions. May configure permissions and update server.","name":"PERMISSION_GROUP_VALUES","value":10037.0,"__meta":{"file":"classes/config/MercuryConfigValues.talk","tag":"constant","line":104}},{"description":"Works with section_landmark table; associates Sections with Landmarks: \"Section\"(idSection), \"Landmarks\"(String[] landmarks)","name":"SECTION_LANDMARK_VALUES","value":10038.0,"__meta":{"file":"classes/config/MercuryConfigValues.talk","tag":"constant","line":107}},{"description":"Max text messages per configurable period.","name":"TEXT_MAX_MESSAGES","value":10040.0,"__meta":{"file":"classes/config/MercuryConfigValues.talk","tag":"constant","line":111}},{"description":"Period for TEXT_MAX_MESSAGES in milliseconds.","name":"TEXT_MAX_MESSAGES_PERIOD","value":10041.0,"__meta":{"file":"classes/config/MercuryConfigValues.talk","tag":"constant","line":114}},{"description":"Number of days to keep a chat conversation before pruning it.","name":"TEXT_KEEP_CONVERSATION_LENGTH_DAYS","value":10042.0,"__meta":{"file":"classes/config/MercuryConfigValues.talk","tag":"constant","line":117}},{"description":"A boolean configuration which, if true, requires seeing an event code 760 'Handpay Reset' on a machine with a jackpot call before being able to complete that call.","name":"JACKPOTS_REQUIRE_HANDPAY_RESET","value":10044.0,"__meta":{"file":"classes/config/MercuryConfigValues.talk","tag":"constant","line":121}},{"description":"A boolean configuration which, if true, configures the server to load the Daily Calls for the day starting from the beginning of the Gaming Day, versus from Midnight.","name":"DAILY_CALLS_ROLL_AT_GAMING_DAY","value":10045.0,"__meta":{"file":"classes/config/MercuryConfigValues.talk","tag":"constant","line":124}},{"description":"Request for a complete list of DispatchUserProfiles. Used to retrieve/update user profiles.","name":"DISPATCH_USER_PROFILE_VALUES","value":10046.0,"__meta":{"file":"classes/config/MercuryConfigValues.talk","tag":"constant","line":127}},{"description":"Request for working with CallConfig, CallConfigEvent, CallConfigPerson, CallConfigPersonRoleLink, EventCode, and HostEventConfig table configurations.","name":"CALL_CONFIG_VALUES","value":10047.0,"__meta":{"file":"classes/config/MercuryConfigValues.talk","tag":"constant","line":130}},{"description":"Player Tier offset for Platinum","name":"PLAYER_TIER_VALUES","value":10050.0,"__meta":{"file":"classes/config/MercuryConfigValues.talk","tag":"constant","line":134}},{"description":"Location, Bank and Machine offline schedules","name":"OFFLINE_SETTING_VALUES","value":10051.0,"__meta":{"file":"classes/config/MercuryConfigValues.talk","tag":"constant","line":137}},{"description":"MEAL configurations","name":"MEAL_CONFIG_VALUES","value":10052.0,"__meta":{"file":"classes/config/MercuryConfigValues.talk","tag":"constant","line":140}},{"description":"Section Associations","name":"SECTION_ASSOCIATIONS","value":10053.0,"__meta":{"file":"classes/config/MercuryConfigValues.talk","tag":"constant","line":143}},{"description":"Beverage configurations","name":"BEVERAGE_VALUES","value":10054.0,"__meta":{"file":"classes/config/MercuryConfigValues.talk","tag":"constant","line":146}},{"description":"Site Time Zone","name":"TIMEZONE","value":10055.0,"__meta":{"file":"classes/config/MercuryConfigValues.talk","tag":"constant","line":149}},{"description":"Call Config Ignore values","name":"CALL_IGNORE_VALUES","value":10056.0,"__meta":{"file":"classes/config/MercuryConfigValues.talk","tag":"constant","line":152}},{"description":"AntiEvent values","name":"ANTI_EVENT_VALUES","value":10057.0,"__meta":{"file":"classes/config/MercuryConfigValues.talk","tag":"constant","line":155}},{"description":"get sections, banks, locations","name":"SECTION_BANK_LOCATION_VALUES","value":10058.0,"__meta":{"file":"classes/config/MercuryConfigValues.talk","tag":"constant","line":158}},{"description":"website auto-logoff in milliseconds, 0 disables","name":"WEBSITE_AUTO_LOGOFF","value":10059.0,"__meta":{"file":"classes/config/MercuryConfigValues.talk","tag":"constant","line":161}}],"name":"com.acres4.common.info.constants.mercury.MercuryConfigValues","__meta":{"file":"classes/config/MercuryConfigValues.talk","tag":"enumeration","line":1}},{"description":"Shared constants between client/server.","constant":[{"description":"Buffer size for both outgoing requests on the client, and cached results for requests on the server.","name":"REQUEST_BUFFER_SIZE","value":10.0,"__meta":{"file":"classes/config/SharedConstants.talk","tag":"constant","line":4}}],"name":"com.acres4.common.info.constants.SharedConstants","__meta":{"file":"classes/config/SharedConstants.talk","tag":"enumeration","line":1}},{"description":"Legal values of the command field of ActionNotification","constant":[{"description":"Requests that an employee end their shift early and go home.","name":"ACTION_NOTIFICATION_COMMAND_SHIFT_END","value":0.0,"__meta":{"file":"classes/dispatch/ActionNotification.talk","tag":"constant","line":4}},{"description":"Requests that an employee end their shift early and go home.","name":"ACTION_NOTIFICATION_COMMAND_BREAK_START","value":1.0,"__meta":{"file":"classes/dispatch/ActionNotification.talk","tag":"constant","line":8}},{"description":"Requests that an employee end their shift early and go home.","name":"ACTION_NOTIFICATION_COMMAND_BREAK_END","value":2.0,"__meta":{"file":"classes/dispatch/ActionNotification.talk","tag":"constant","line":12}},{"description":"Requests that an employee accept the next call identified in the data field.","name":"ACTION_NOTIFICATION_COMMAND_ACCEPT_CALL","value":3.0,"__meta":{"file":"classes/dispatch/ActionNotification.talk","tag":"constant","line":16}}],"name":"com.acres4.common.info.constants.mercury.client.ActionNotificationCommands","__meta":{"file":"classes/dispatch/ActionNotification.talk","tag":"enumeration","line":1}},{"description":"Defines action types for CallInfoEmployees, such as create, offer, accept, arrive, complete, escalate, quit. Enum starts at one as these are used in the DB, and zero should be avoided there as it indicates ignore/field not set.","constant":[{"description":"First action in a new body slot for CIE","name":"ACTION_TYPE_CREATE","value":10.0,"__meta":{"file":"classes/dispatch/ActionTypes.talk","tag":"constant","line":4}},{"description":"First action in a new body slot for CIE if escalated slot","name":"ACTION_TYPE_ESCALATE_CREATE","value":20.0,"__meta":{"file":"classes/dispatch/ActionTypes.talk","tag":"constant","line":7}},{"description":"Action type for system deferred call slots","name":"ACTION_TYPE_AUTO_DEFER","value":30.0,"__meta":{"file":"classes/dispatch/ActionTypes.talk","tag":"constant","line":10}},{"description":"Action type for manual deferred call slots","name":"ACTION_TYPE_MANUAL_DEFER","value":40.0,"__meta":{"file":"classes/dispatch/ActionTypes.talk","tag":"constant","line":13}},{"description":"Action type for Call quit after accept but before arrive","name":"ACTION_TYPE_QUIT","value":50.0,"__meta":{"file":"classes/dispatch/ActionTypes.talk","tag":"constant","line":16}},{"description":"Call slot is being offered","name":"ACTION_TYPE_OFFER","value":60.0,"__meta":{"file":"classes/dispatch/ActionTypes.talk","tag":"constant","line":19}},{"description":"Call slot is being advertised to others","name":"ACTION_TYPE_ADVERTISED","value":65.0,"__meta":{"file":"classes/dispatch/ActionTypes.talk","tag":"constant","line":22}},{"description":"Call slot has been accepted","name":"ACTION_TYPE_ACCEPT","value":70.0,"__meta":{"file":"classes/dispatch/ActionTypes.talk","tag":"constant","line":25}},{"description":"Call slot has been put BACKWARDS to On Hold, from ACCEPT/ARRIVE/SELF_DIRECTIVE_CREATE/ESCALATE. Will go directly to ON_HOLD for special patron-service dispatch from the CREATE/ESCALATE_CREATE states as well.","name":"ACTION_TYPE_ON_HOLD","value":71.0,"__meta":{"file":"classes/dispatch/ActionTypes.talk","tag":"constant","line":28}},{"description":"Call slot has been arrived at","name":"ACTION_TYPE_ARRIVE","value":80.0,"__meta":{"file":"classes/dispatch/ActionTypes.talk","tag":"constant","line":31}},{"description":"This is equivalent to arrive for self directive call slots. Also first in slot","name":"ACTION_TYPE_SELF_DIRECTIVE_CREATE","value":90.0,"__meta":{"file":"classes/dispatch/ActionTypes.talk","tag":"constant","line":34}},{"description":"Escalated but still on the call.","name":"ACTION_TYPE_ESCALATE","value":100.0,"__meta":{"file":"classes/dispatch/ActionTypes.talk","tag":"constant","line":37}},{"description":"Call slot completed","name":"ACTION_TYPE_COMPLETE","value":110.0,"__meta":{"file":"classes/dispatch/ActionTypes.talk","tag":"constant","line":40}},{"description":"Slot is completed and a new escalate slot is to be created.","name":"ACTION_TYPE_ESCALATE_COMPLETE","value":120.0,"__meta":{"file":"classes/dispatch/ActionTypes.talk","tag":"constant","line":43}},{"description":"Like DEESCALATE, attempts to remove a call slot, but will fail if the slot is at accepted or greater state.","name":"ACTION_TYPE_DEACTIVATE","value":130.0,"__meta":{"file":"classes/dispatch/ActionTypes.talk","tag":"constant","line":46}},{"description":"Forcefully removes a call slot from the call. Marks the call CLOSED if all pending-completion slots are removed.","name":"ACTION_TYPE_DEESCALATE","value":140.0,"__meta":{"file":"classes/dispatch/ActionTypes.talk","tag":"constant","line":49}},{"description":"Terminating action for a call which is considered unable to be completed. IE deadline passed, all call slots deactivated/deescalated.","name":"ACTION_TYPE_FORCE_CLOSE","value":150.0,"__meta":{"file":"classes/dispatch/ActionTypes.talk","tag":"constant","line":52}},{"description":"This is an action not a state. It causes the boolean remove from stats flag to be set in callInfo","name":"ACTION_TYPE_REMOVE_FROM_STATS","value":160.0,"__meta":{"file":"classes/dispatch/ActionTypes.talk","tag":"constant","line":55}}],"name":"com.acres4.common.info.constants.mercury.ActionTypes","__meta":{"file":"classes/dispatch/ActionTypes.talk","tag":"enumeration","line":1}},{"description":"Defines AntiEventTypes used by the anti_event table to indicate how we treat a given anti_event rule.","constant":[{"description":"The anti-event may precede the primary event.","name":"ANTI_EVENT_TYPE_MAY_PRECEDE","value":1.0,"__meta":{"file":"classes/dispatch/AntiEventTypes.talk","tag":"constant","line":4}},{"description":"The anti-event must succeed the primary event.","name":"ANTI_EVENT_TYPE_MUST_SUCCEED","value":2.0,"__meta":{"file":"classes/dispatch/AntiEventTypes.talk","tag":"constant","line":8}}],"name":"com.acres4.common.info.constants.mercury.AntiEventTypes","__meta":{"file":"classes/dispatch/AntiEventTypes.talk","tag":"enumeration","line":1}},{"description":"Defines top-level beverage menu item categories used to categorize menu items","constant":[{"description":"Minimum value in beverage category enumeration","name":"BEVERAGE_CATEGORY_MIN_VALUE_SENTINEL","value":1.0,"__meta":{"file":"classes/dispatch/BeverageItemCategory.talk","tag":"constant","line":4}},{"description":"Maximum value in beverage category enumeration","name":"BEVERAGE_CATEGORY_MAX_VALUE_SENTINEL","value":12.0,"__meta":{"file":"classes/dispatch/BeverageItemCategory.talk","tag":"constant","line":7}},{"description":"Liquor","name":"BEVERAGE_CATEGORY_LIQUOR","value":1.0,"__meta":{"file":"classes/dispatch/BeverageItemCategory.talk","tag":"constant","line":11}},{"description":"Wine","name":"BEVERAGE_CATEGORY_WINE","value":2.0,"__meta":{"file":"classes/dispatch/BeverageItemCategory.talk","tag":"constant","line":14}},{"description":"Non Alcholic Beverage","name":"BEVERAGE_CATEGORY_NA_BEVERAGE","value":3.0,"__meta":{"file":"classes/dispatch/BeverageItemCategory.talk","tag":"constant","line":17}},{"description":"Draft Beer","name":"BEVERAGE_CATEGORY_DRAFT_BEER","value":4.0,"__meta":{"file":"classes/dispatch/BeverageItemCategory.talk","tag":"constant","line":20}},{"description":"Bottle Beer","name":"BEVERAGE_CATEGORY_BOTTLE_BEER","value":5.0,"__meta":{"file":"classes/dispatch/BeverageItemCategory.talk","tag":"constant","line":23}},{"description":"Cocktails","name":"BEVERAGE_CATEGORY_COCKTAILS","value":6.0,"__meta":{"file":"classes/dispatch/BeverageItemCategory.talk","tag":"constant","line":26}},{"description":"Tobacco","name":"BEVERAGE_CATEGORY_TOBACCO","value":7.0,"__meta":{"file":"classes/dispatch/BeverageItemCategory.talk","tag":"constant","line":29}},{"description":"Mixer","name":"BEVERAGE_CATEGORY_MIXER","value":8.0,"__meta":{"file":"classes/dispatch/BeverageItemCategory.talk","tag":"constant","line":32}},{"description":"Drink Prep","name":"BEVERAGE_CATEGORY_PREP","value":9.0,"__meta":{"file":"classes/dispatch/BeverageItemCategory.talk","tag":"constant","line":35}},{"description":"Garnish","name":"BEVERAGE_CATEGORY_GARNISH","value":10.0,"__meta":{"file":"classes/dispatch/BeverageItemCategory.talk","tag":"constant","line":38}},{"description":"Addon","name":"BEVERAGE_CATEGORY_LONG_POUR","value":11.0,"__meta":{"file":"classes/dispatch/BeverageItemCategory.talk","tag":"constant","line":41}},{"description":"Coffee Prep","name":"BEVERAGE_CATEGORY_COFFEE_PREP","value":12.0,"__meta":{"file":"classes/dispatch/BeverageItemCategory.talk","tag":"constant","line":44}}],"name":"com.acres4.common.info.constants.mercury.BeverageItemCategory","__meta":{"file":"classes/dispatch/BeverageItemCategory.talk","tag":"enumeration","line":1}},{"description":"Defines status of beverage orders","constant":[{"description":"Created","name":"BEVERAGE_ORDER_ACTION_CREATE","value":1.0,"__meta":{"file":"classes/dispatch/BeverageOrderActionTypes.talk","tag":"constant","line":4}},{"description":"Accepted","name":"BEVERAGE_ORDER_ACTION_ACCEPTED","value":2.0,"__meta":{"file":"classes/dispatch/BeverageOrderActionTypes.talk","tag":"constant","line":8}},{"description":"Entry complete","name":"BEVERAGE_ORDER_ACTION_ORDERED","value":3.0,"__meta":{"file":"classes/dispatch/BeverageOrderActionTypes.talk","tag":"constant","line":12}},{"description":"Fired","name":"BEVERAGE_ORDER_ACTION_FIRED_TO_BAR","value":4.0,"__meta":{"file":"classes/dispatch/BeverageOrderActionTypes.talk","tag":"constant","line":16}},{"description":"Ready","name":"BEVERAGE_ORDER_ACTION_READY_FOR_DELIVERY","value":5.0,"__meta":{"file":"classes/dispatch/BeverageOrderActionTypes.talk","tag":"constant","line":20}},{"description":"On Tray","name":"BEVERAGE_ORDER_ACTION_OUT_FOR_DELIVERY","value":6.0,"__meta":{"file":"classes/dispatch/BeverageOrderActionTypes.talk","tag":"constant","line":24}},{"description":"Delivered","name":"BEVERAGE_ORDER_ACTION_DELIVERED","value":7.0,"__meta":{"file":"classes/dispatch/BeverageOrderActionTypes.talk","tag":"constant","line":28}},{"description":"Returned","name":"BEVERAGE_ORDER_ACTION_UNDELIVERABLE","value":8.0,"__meta":{"file":"classes/dispatch/BeverageOrderActionTypes.talk","tag":"constant","line":32}},{"description":"Canceled","name":"BEVERAGE_ORDER_ACTION_CANCEL","value":9.0,"__meta":{"file":"classes/dispatch/BeverageOrderActionTypes.talk","tag":"constant","line":36}}],"name":"com.acres4.common.info.constants.mercury.BeverageOrderActionTypes","__meta":{"file":"classes/dispatch/BeverageOrderActionTypes.talk","tag":"enumeration","line":1}},{"description":"Defines call active status states","constant":[{"description":"Active Call","name":"CALL_ACTIVE_STATUS_ACTIVE","value":10.0,"__meta":{"file":"classes/dispatch/CallActiveStatus.talk","tag":"constant","line":3}},{"description":"Call has been slept","name":"CALL_ACTIVE_STATUS_SLEEP","value":15.0,"__meta":{"file":"classes/dispatch/CallActiveStatus.talk","tag":"constant","line":6}},{"description":"Normally completed call","name":"CALL_ACTIVE_STATUS_COMPLETE","value":20.0,"__meta":{"file":"classes/dispatch/CallActiveStatus.talk","tag":"constant","line":9}},{"description":"Force CLosed completed call","name":"CALL_ACTIVE_STATUS_CLOSED","value":30.0,"__meta":{"file":"classes/dispatch/CallActiveStatus.talk","tag":"constant","line":12}}],"name":"com.acres4.common.info.constants.mercury.CallActiveStatus","__meta":{"file":"classes/dispatch/CallActiveStatus.talk","tag":"enumeration","line":1}},{"description":"Defines the \"type\" for a CallCategory object, indicating if this call category is of a certain type subject to specific type-driven logic. As of rc/lima, will only contain admin/break, but should also include Jackpots when all calls are configurable.","constant":[{"description":"Minimum value in call type category enumeration","name":"CALL_CATEGORY_TYPE_MIN_VALUE_SENTINEL","value":1.0,"__meta":{"file":"classes/dispatch/CallCategoryType.talk","tag":"constant","line":4}},{"description":"Maximum value in call type category enumeration","name":"CALL_CATEGORY_TYPE_MAX_VALUE_SENTINEL","value":2.0,"__meta":{"file":"classes/dispatch/CallCategoryType.talk","tag":"constant","line":7}},{"description":"Administrative Duties","name":"CALL_CATEGORY_TYPE_ADMINISTRATIVE_DUTIES","value":1.0,"__meta":{"file":"classes/dispatch/CallCategoryType.talk","tag":"constant","line":11}},{"description":"Breaks","name":"CALL_CATEGORY_TYPE_BREAK","value":2.0,"__meta":{"file":"classes/dispatch/CallCategoryType.talk","tag":"constant","line":14}}],"name":"com.acres4.common.info.constants.mercury.CallCategoryType","__meta":{"file":"classes/dispatch/CallCategoryType.talk","tag":"enumeration","line":1}},{"description":"Defines top-level call type categories used with statistics reporting and to categorize call configs","constant":[{"description":"Minimum value in call type category enumeration","name":"CALL_TYPE_CATEGORY_MIN_VALUE_SENTINEL","value":1.0,"__meta":{"file":"classes/dispatch/CallTypeCategory.talk","tag":"constant","line":4}},{"description":"Maximum value in call type category enumeration","name":"CALL_TYPE_CATEGORY_MAX_VALUE_SENTINEL","value":6.0,"__meta":{"file":"classes/dispatch/CallTypeCategory.talk","tag":"constant","line":7}},{"description":"General Tilts","name":"CALL_TYPE_CATEGORY_GENERAL_TILTS","value":1.0,"__meta":{"file":"classes/dispatch/CallTypeCategory.talk","tag":"constant","line":11}},{"description":"Jackpots","name":"CALL_TYPE_CATEGORY_JACKPOTS","value":2.0,"__meta":{"file":"classes/dispatch/CallTypeCategory.talk","tag":"constant","line":14}},{"description":"Hand/Short Pays","name":"CALL_TYPE_CATEGORY_HAND_SHORT_PAYS","value":3.0,"__meta":{"file":"classes/dispatch/CallTypeCategory.talk","tag":"constant","line":17}},{"description":"Manual","name":"CALL_TYPE_CATEGORY_MANUAL","value":4.0,"__meta":{"file":"classes/dispatch/CallTypeCategory.talk","tag":"constant","line":20}},{"description":"Printer/Paper","name":"CALL_TYPE_CATEGORY_PRINTER_PAPER","value":5.0,"__meta":{"file":"classes/dispatch/CallTypeCategory.talk","tag":"constant","line":23}},{"description":"Marketing calls","name":"CALL_TYPE_CATEGORY_MARKETING","value":6.0,"__meta":{"file":"classes/dispatch/CallTypeCategory.talk","tag":"constant","line":26}}],"name":"com.acres4.common.info.constants.mercury.CallTypeCategory","__meta":{"file":"classes/dispatch/CallTypeCategory.talk","tag":"enumeration","line":1}},{"description":"Defines each departments identifiers","constant":[{"description":"Minimum department value","name":"DEPARTMENT_CONSTANT_MIN_VALUE_SENTINEL","value":1.0,"__meta":{"file":"classes/dispatch/Department.talk","tag":"constant","line":22}},{"description":"Minimum department value","name":"DEPARTMENT_CONSTANT_MAX_VALUE_SENTINEL","value":9.0,"__meta":{"file":"classes/dispatch/Department.talk","tag":"constant","line":26}},{"description":"Slots","name":"DEPARTMENT_CONSTANT_SLOTS","value":1.0,"__meta":{"file":"classes/dispatch/Department.talk","tag":"constant","line":30}},{"description":"Security","name":"DEPARTMENT_CONSTANT_SECURITY","value":2.0,"__meta":{"file":"classes/dispatch/Department.talk","tag":"constant","line":34}},{"description":"Beverage","name":"DEPARTMENT_CONSTANT_BEVERAGE","value":3.0,"__meta":{"file":"classes/dispatch/Department.talk","tag":"constant","line":38}},{"description":"Marketing","name":"DEPARTMENT_CONSTANT_MARKETING","value":4.0,"__meta":{"file":"classes/dispatch/Department.talk","tag":"constant","line":42}},{"description":"Surveillance","name":"DEPARTMENT_CONSTANT_SURVEILLANCE","value":5.0,"__meta":{"file":"classes/dispatch/Department.talk","tag":"constant","line":46}},{"description":"IT","name":"DEPARTMENT_CONSTANT_IT","value":6.0,"__meta":{"file":"classes/dispatch/Department.talk","tag":"constant","line":50}},{"description":"TGA","name":"DEPARTMENT_CONSTANT_TGA","value":7.0,"__meta":{"file":"classes/dispatch/Department.talk","tag":"constant","line":54}},{"description":"MOD","name":"DEPARTMENT_CONSTANT_MOD","value":8.0,"__meta":{"file":"classes/dispatch/Department.talk","tag":"constant","line":58}},{"description":"Admin","name":"DEPARTMENT_CONSTANT_ADMIN","value":9.0,"__meta":{"file":"classes/dispatch/Department.talk","tag":"constant","line":62}}],"name":"com.acres4.common.info.constants.mercury.DepartmentConstants","__meta":{"file":"classes/dispatch/Department.talk","tag":"enumeration","line":19}},{"description":"Allowable categories for DispatchAlert objects.","constant":[{"description":"Minimum value in alert category enumeration","name":"DISPATCH_ALERT_CATEGORY_MIN_VALUE_SENTINEL","value":1.0,"__meta":{"file":"classes/dispatch/DispatchAlert.talk","tag":"constant","line":4}},{"description":"Maximum value in alert category enumeration","name":"DISPATCH_ALERT_CATEGORY_MAX_VALUE_SENTINEL","value":10.0,"__meta":{"file":"classes/dispatch/DispatchAlert.talk","tag":"constant","line":7}},{"description":"A floor section has no attendants assigned to it.","name":"DISPATCH_ALERT_CATEGORY_SECTION_EMPTY","value":1.0,"__meta":{"file":"classes/dispatch/DispatchAlert.talk","tag":"constant","line":11}},{"description":"A call requires the attention of one or more roles that are not presently available.","name":"DISPATCH_ALERT_CATEGORY_CALL_REQUIRES_UNAVAILABLE_ROLE","value":2.0,"__meta":{"file":"classes/dispatch/DispatchAlert.talk","tag":"constant","line":15}},{"description":"An attendant has exceeded the maximum allowed time for a call.","name":"DISPATCH_ALERT_CATEGORY_ATTENDANT_EXCEEDS_MAX_CALL_TIME","value":3.0,"__meta":{"file":"classes/dispatch/DispatchAlert.talk","tag":"constant","line":19}},{"description":"A floor section has no supervisors assigned to it.","name":"DISPATCH_ALERT_CATEGORY_SECTION_UNSUPERVISED","value":4.0,"__meta":{"file":"classes/dispatch/DispatchAlert.talk","tag":"constant","line":23}},{"description":"An employee has auto deferred too many calls in a row.","name":"DISPATCH_ALERT_CATEGORY_MAX_AUTO_DEFER","value":5.0,"__meta":{"file":"classes/dispatch/DispatchAlert.talk","tag":"constant","line":27}},{"description":"An illegal entry has occurred on this machine.","name":"DISPATCH_ALERT_CATEGORY_ILLEGAL_ENTRY","value":7.0,"__meta":{"file":"classes/dispatch/DispatchAlert.talk","tag":"constant","line":31}},{"description":"An offline MEAL report was filed with invalid information.","name":"DISPATCH_ALERT_CATEGORY_INVALID_MEAL_REPORT","value":8.0,"__meta":{"file":"classes/dispatch/DispatchAlert.talk","tag":"constant","line":35}},{"description":"An attendant has exceeded their maximum break time.","name":"DISPATCH_ALERT_CATEGORY_ATTENDANT_EXCEEDS_BREAK_TIME","value":9.0,"__meta":{"file":"classes/dispatch/DispatchAlert.talk","tag":"constant","line":39}},{"description":"An attendant has logged in who does not have a linked employee card to their account.","name":"DISPATCH_ALERT_CATEGORY_CARD_NOT_LINKED","value":10.0,"__meta":{"file":"classes/dispatch/DispatchAlert.talk","tag":"constant","line":43}}],"name":"com.acres4.common.info.constants.mercury.supervisor.DispatchAlertCategories","__meta":{"file":"classes/dispatch/DispatchAlert.talk","tag":"enumeration","line":1}},{"description":"Defines Dispatch category for call config","constant":[{"description":"a task in the dispatch system. Lowest priority","name":"DISPATCH_CATEGORY_TASK","value":1.0,"__meta":{"file":"classes/dispatch/DispatchCategory.talk","tag":"constant","line":4}},{"description":"a system generated event. The bread and butter of the SE system","name":"DISPATCH_CATEGORY_EVENT","value":2.0,"__meta":{"file":"classes/dispatch/DispatchCategory.talk","tag":"constant","line":7}},{"description":"A speed call. Possibly a directive from an employee to another. Higest priority","name":"DISPATCH_CATEGORY_DIRECTIVE","value":3.0,"__meta":{"file":"classes/dispatch/DispatchCategory.talk","tag":"constant","line":10}}],"name":"com.acres4.common.info.constants.mercury.DispatchCategory","__meta":{"file":"classes/dispatch/DispatchCategory.talk","tag":"enumeration","line":1}},{"description":"Defines reasons for flagging a call","constant":[{"description":"Minimum value in call type category enumeration","name":"FLAG_CALL_MIN_VALUE_SENTINEL","value":1.0,"__meta":{"file":"classes/dispatch/FlaggedCallReason.talk","tag":"constant","line":4}},{"description":"Maximum value in call type category enumeration","name":"FLAG_CALL_MAX_VALUE_SENTINEL","value":4.0,"__meta":{"file":"classes/dispatch/FlaggedCallReason.talk","tag":"constant","line":7}},{"description":"Ghost call","name":"FLAG_CALL_GHOST_CALL","value":1.0,"__meta":{"file":"classes/dispatch/FlaggedCallReason.talk","tag":"constant","line":11}},{"description":"Mis-matched call","name":"FLAG_CALL_MIS_MATCH_CALL","value":2.0,"__meta":{"file":"classes/dispatch/FlaggedCallReason.talk","tag":"constant","line":14}},{"description":"Resolved before arrival","name":"FLAG_CALL_RESOLVED_BEFORE_ARRIVAL","value":3.0,"__meta":{"file":"classes/dispatch/FlaggedCallReason.talk","tag":"constant","line":17}},{"description":"Other","name":"FLAG_CALL_OTHER","value":4.0,"__meta":{"file":"classes/dispatch/FlaggedCallReason.talk","tag":"constant","line":20}}],"name":"com.acres4.common.info.constants.mercury.FlaggedCallReason","__meta":{"file":"classes/dispatch/FlaggedCallReason.talk","tag":"enumeration","line":1}},{"description":"Busy-ness level of the floor.","constant":[{"name":"FLOOR_STATUS_BUSY_LEVEL_LOW","value":0.0,"__meta":{"file":"classes/dispatch/FloorStatus.talk","tag":"constant","line":13}},{"name":"FLOOR_STATUS_BUSY_LEVEL_MED","value":1.0,"__meta":{"file":"classes/dispatch/FloorStatus.talk","tag":"constant","line":14}},{"name":"FLOOR_STATUS_BUSY_LEVEL_HIGH","value":2.0,"__meta":{"file":"classes/dispatch/FloorStatus.talk","tag":"constant","line":15}}],"name":"com.acres4.common.info.constants.mercury.client.FloorStatusBusyLevels","__meta":{"file":"classes/dispatch/FloorStatus.talk","tag":"enumeration","line":11}},{"description":"Defines the types of reccurence for scheduled items","constant":[{"description":"scheduled item occurs hourly","name":"SCHEDULE_RECUR_TYPE_NONE","value":1.0,"__meta":{"file":"classes/dispatch/ScheduleRecurTypes.talk","tag":"constant","line":4}},{"description":"scheduled item occurs hourly","name":"SCHEDULE_RECUR_TYPE_HOURLY","value":2.0,"__meta":{"file":"classes/dispatch/ScheduleRecurTypes.talk","tag":"constant","line":7}},{"description":"scheduled item occurs daily","name":"SCHEDULE_RECUR_TYPE_DAILY","value":3.0,"__meta":{"file":"classes/dispatch/ScheduleRecurTypes.talk","tag":"constant","line":10}},{"description":"scheduled item occurs weekly","name":"SCHEDULE_RECUR_TYPE_WEEKLY","value":4.0,"__meta":{"file":"classes/dispatch/ScheduleRecurTypes.talk","tag":"constant","line":13}},{"description":"scheduled item occurs monthly","name":"SCHEDULE_RECUR_TYPE_MONTHLY","value":5.0,"__meta":{"file":"classes/dispatch/ScheduleRecurTypes.talk","tag":"constant","line":16}},{"description":"scheduled item occurs annually","name":"SCHEDULE_RECUR_TYPE_YEARLY","value":6.0,"__meta":{"file":"classes/dispatch/ScheduleRecurTypes.talk","tag":"constant","line":19}}],"name":"com.acres4.common.info.constants.mercury.ScheduleRecurTypes","__meta":{"file":"classes/dispatch/ScheduleRecurTypes.talk","tag":"enumeration","line":1}},{"description":"JSON-RPC 2.0 error codes. -34000-(-30000) are JSON RPC spec errors 100-500 are our own protocol errors.","constant":[{"description":"Undefined error","name":"UNDEFINED_ERROR","value":-66666.0,"__meta":{"file":"classes/json/JSONRPCError.talk","tag":"constant","line":22}},{"description":"An unsupported version of JSON-RPC was used (only 2.0 is supported as of March 2012)","name":"JSONRPC_VERSION_ERROR","value":-32000.0,"__meta":{"file":"classes/json/JSONRPCError.talk","tag":"constant","line":27}},{"description":"Invalid JSON-RPC request was sent.","name":"JSON_INVALID_REQUEST","value":-32600.0,"__meta":{"file":"classes/json/JSONRPCError.talk","tag":"constant","line":31}},{"description":"The JSON-RPC request method was not found.","name":"JSON_METHOD_NOT_FOUND","value":-32601.0,"__meta":{"file":"classes/json/JSONRPCError.talk","tag":"constant","line":35}},{"description":"Invalid parameters sent in JSON RPC request.","name":"JSON_INVALID_PARAMS","value":-32602.0,"__meta":{"file":"classes/json/JSONRPCError.talk","tag":"constant","line":39}},{"description":"An internal server error was encountered while processing the request.","name":"JSON_INTERNAL_ERROR","value":-32603.0,"__meta":{"file":"classes/json/JSONRPCError.talk","tag":"constant","line":43}},{"description":"The server returned an exception while processing the request.","name":"JSON_SERVER_EXCEPTION","value":-32604.0,"__meta":{"file":"classes/json/JSONRPCError.talk","tag":"constant","line":47}},{"description":"The client experienced an exception while processing the request.","name":"JSON_CLIENT_EXCEPTION","value":-32605.0,"__meta":{"file":"classes/json/JSONRPCError.talk","tag":"constant","line":51}},{"description":"Parsing the JSON object failed.","name":"JSON_PARSE_ERROR","value":-32700.0,"__meta":{"file":"classes/json/JSONRPCError.talk","tag":"constant","line":55}},{"description":"A connection token was absent from the request.","name":"CLIENT_NO_CONNECTION_TOKEN","value":100.0,"__meta":{"file":"classes/json/JSONRPCError.talk","tag":"constant","line":61}},{"description":"The connection token sent with the request is not valid (may be expired).","name":"CLIENT_BAD_CONNECTION_TOKEN","value":101.0,"__meta":{"file":"classes/json/JSONRPCError.talk","tag":"constant","line":65}},{"description":"The current user is not logged in.","name":"CLIENT_CONNECTION_NOT_LOGGED_IN","value":102.0,"__meta":{"file":"classes/json/JSONRPCError.talk","tag":"constant","line":69}},{"description":"Invalid user ID.","name":"SERVER_LOGIN_NAME_INVALID","value":103.0,"__meta":{"file":"classes/json/JSONRPCError.talk","tag":"constant","line":73}},{"description":"Invalid PIN.","name":"SERVER_LOGIN_PASSWORD_INVALID","value":104.0,"__meta":{"file":"classes/json/JSONRPCError.talk","tag":"constant","line":77}},{"description":"Client has a bad remote IP.","name":"CLIENT_BAD_REMOTE_IP","value":105.0,"__meta":{"file":"classes/json/JSONRPCError.talk","tag":"constant","line":81}},{"description":"Client remote IP is not on file.","name":"SERVER_NO_REMOTE_IP","value":106.0,"__meta":{"file":"classes/json/JSONRPCError.talk","tag":"constant","line":85}},{"description":"The server is temporarily unavailable","name":"SERVER_TEMPORARILY_UNAVAILABLE","value":107.0,"__meta":{"file":"classes/json/JSONRPCError.talk","tag":"constant","line":89}},{"description":"Command can not be issued at this time.","name":"CLIENT_INVALID_STATE","value":108.0,"__meta":{"file":"classes/json/JSONRPCError.talk","tag":"constant","line":93}},{"description":"The client is not registered for this service.","name":"CLIENT_NOT_REGISTERED","value":109.0,"__meta":{"file":"classes/json/JSONRPCError.talk","tag":"constant","line":97}},{"description":"There is no service by this name.","name":"SERVER_NO_SUCH_SERVICE","value":110.0,"__meta":{"file":"classes/json/JSONRPCError.talk","tag":"constant","line":101}},{"description":"There is a duplicate login for the given name.","name":"SERVER_DUPLICATE_LOGIN","value":111.0,"__meta":{"file":"classes/json/JSONRPCError.talk","tag":"constant","line":105}},{"description":"A supervisor forced the current user to log out.","name":"SERVER_FORCED_LOGOUT","value":112.0,"__meta":{"file":"classes/json/JSONRPCError.talk","tag":"constant","line":109}},{"description":"The login credentials provided are not sufficient to allow login for the current appInfo.appName. (eg. a Frontline user is trying to log into Supervisor)","name":"SERVER_INSUFFICIENT_LOGIN_PERMISSION","value":113.0,"__meta":{"file":"classes/json/JSONRPCError.talk","tag":"constant","line":113}},{"description":"Invalid Client application trying to run against server","name":"CLIENT_INVALID_APPLICATION","value":114.0,"__meta":{"file":"classes/json/JSONRPCError.talk","tag":"constant","line":117}},{"description":"Client sent pad parameter","name":"CLIENT_INVALID_PARAMETER","value":115.0,"__meta":{"file":"classes/json/JSONRPCError.talk","tag":"constant","line":121}},{"description":"The account has been locked due to an excessive number of invalid login attempts.","name":"SERVER_ACCOUNT_PIN_LOCKED","value":116.0,"__meta":{"file":"classes/json/JSONRPCError.talk","tag":"constant","line":125}},{"description":"The voice message was rejected by the server because another voice message is already being played over the specified channel.","name":"SERVER_VOICE_CHANNEL_BUSY","value":117.0,"__meta":{"file":"classes/json/JSONRPCError.talk","tag":"constant","line":129}},{"description":"The server requires a secure connection and the client connected insecurely","name":"SERVER_SECURE_CONENCTION_REQUIRED","value":118.0,"__meta":{"file":"classes/json/JSONRPCError.talk","tag":"constant","line":133}},{"description":"The login credentials provided are not sufficient to allow access to handler","name":"SERVER_INSUFFICIENT_PERMISSION","value":119.0,"__meta":{"file":"classes/json/JSONRPCError.talk","tag":"constant","line":137}},{"description":"The request is being made on an interface different from inerface connection made on","name":"CLIENT_INVALID_INTERFACE","value":120.0,"__meta":{"file":"classes/json/JSONRPCError.talk","tag":"constant","line":141}},{"description":"The async message queue for the connection has exceeded the maximum amount of pending-ack messages, and the connection is being closed.","name":"ASYNC_MESSAGE_QUEUE_OVERFLOW","value":121.0,"__meta":{"file":"classes/json/JSONRPCError.talk","tag":"constant","line":145}},{"description":"Used to indicate when a Connection is closed due to Time Out.","name":"SERVER_CONNECTION_TIMED_OUT","value":122.0,"__meta":{"file":"classes/json/JSONRPCError.talk","tag":"constant","line":149}},{"description":"The account has been locked due to an expired pin.","name":"SERVER_ACCOUNT_PIN_EXPIRED","value":123.0,"__meta":{"file":"classes/json/JSONRPCError.talk","tag":"constant","line":153}},{"description":"We found another employee using the same login_name (login ID) and could not proceed with creation.","name":"EMPLOYEE_CREATION_ERROR_DUPLICATE_LOGIN_NAME","value":1000.0,"__meta":{"file":"classes/json/JSONRPCError.talk","tag":"constant","line":158}}],"name":"com.acres4.common.info.constants.JSONRPCErrorCodes","__meta":{"file":"classes/json/JSONRPCError.talk","tag":"enumeration","line":18}},{"description":"Valid contents of thoroughness field of KaicheckInterfaceStatus.","constant":[{"description":"Only the information available through the public framework is available; i.e. BSSID and SSID.","name":"KaicheckInterfaceStatusThoroughnessPublic","value":0.0,"__meta":{"file":"classes/kaicheck/KaicheckInterfaceStatus.talk","tag":"constant","line":57}},{"description":"All information is available.","name":"KaicheckInterfaceStatusThoroughnessComplete","value":1.0,"__meta":{"file":"classes/kaicheck/KaicheckInterfaceStatus.talk","tag":"constant","line":61}}],"name":"com.acres4.common.info.kaicheck.KaicheckInterfaceStatusThoroughness","__meta":{"file":"classes/kaicheck/KaicheckInterfaceStatus.talk","tag":"enumeration","line":54}},{"description":"Connectivity issues recorded in the 'error' field of com.acres4.common.info.kaicheck.KaicheckLogEntry","constant":[{"description":"The test device encountered no network errors preventing it from conducting a network test.","name":"KAICHECK_LOG_ENTRY_ERROR_NONE","value":0.0,"__meta":{"file":"classes/kaicheck/KaicheckLogEntry.talk","tag":"constant","line":45}},{"description":"The test device does not have a wifi connection.","name":"KAICHECK_LOG_ENTRY_ERROR_NO_WIFI","value":1.0,"__meta":{"file":"classes/kaicheck/KaicheckLogEntry.talk","tag":"constant","line":49}},{"description":"No IP address is assigned to the test device.","name":"KAICHECK_LOG_ENTRY_ERROR_NO_IP","value":2.0,"__meta":{"file":"classes/kaicheck/KaicheckLogEntry.talk","tag":"constant","line":53}},{"description":"Unable to resolve test site name","name":"KAICHECK_LOG_ENTRY_ERROR_NO_DNS","value":3.0,"__meta":{"file":"classes/kaicheck/KaicheckLogEntry.talk","tag":"constant","line":57}},{"description":"The test site hostname resolved to an IP, but we have no route to that IP address.","name":"KAICHECK_LOG_ENTRY_ERROR_NO_ROUTE","value":4.0,"__meta":{"file":"classes/kaicheck/KaicheckLogEntry.talk","tag":"constant","line":61}},{"description":"The application has a route to the test site's IP address, but cannot connect via HTTP to get configuration info.","name":"KAICHECK_LOG_ENTRY_ERROR_NO_RESPONSE_HTTP","value":5.0,"__meta":{"file":"classes/kaicheck/KaicheckLogEntry.talk","tag":"constant","line":65}},{"description":"The application was able to connect to the config site, but got an indecipherable result.","name":"KAICHECK_LOG_ENTRY_ERROR_BAD_RESPONSE_HTTP","value":6.0,"__meta":{"file":"classes/kaicheck/KaicheckLogEntry.talk","tag":"constant","line":69}},{"description":"No UDP echo traffic received a reply from the test site.","name":"KAICHECK_LOG_ENTRY_ERROR_NO_RESPONSE_UDP","value":7.0,"__meta":{"file":"classes/kaicheck/KaicheckLogEntry.talk","tag":"constant","line":73}},{"description":"The application was unable to establish a TCP connection to the test site.","name":"KAICHECK_LOG_ENTRY_ERROR_NO_RESPONSE_TCP","value":8.0,"__meta":{"file":"classes/kaicheck/KaicheckLogEntry.talk","tag":"constant","line":77}}],"name":"com.acres4.common.info.kaicheck.KaicheckLogEntryErrors","__meta":{"file":"classes/kaicheck/KaicheckLogEntry.talk","tag":"enumeration","line":42}},{"description":"Bitmask values indicating the reason for recording of network diagnostics.","constant":[{"description":"This sample was manually recorded by a user.","name":"WIRELESS_ISSUE_LOG_TRIGGER_MANUAL","value":1.0,"__meta":{"file":"classes/kaicheck/WirelessIssueLog.talk","tag":"constant","line":49}},{"description":"The device lost its connection.","name":"WIRELESS_ISSUE_LOG_TRIGGER_DISCONNECT","value":2.0,"__meta":{"file":"classes/kaicheck/WirelessIssueLog.talk","tag":"constant","line":53}},{"description":"The wifi noise level crossed a tolerance threshold and was recorded.","name":"WIRELESS_ISSUE_LOG_TRIGGER_NOISE","value":4.0,"__meta":{"file":"classes/kaicheck/WirelessIssueLog.talk","tag":"constant","line":57}},{"description":"The wifi signal strength crossed a tolerance threshold and was recorded.","name":"WIRELESS_ISSUE_LOG_TRIGGER_SIGNAL","value":8.0,"__meta":{"file":"classes/kaicheck/WirelessIssueLog.talk","tag":"constant","line":61}}],"name":"com.acres4.common.info.kaicheck.WirelessIssueLogTrigger","__meta":{"file":"classes/kaicheck/WirelessIssueLog.talk","tag":"enumeration","line":46}},{"description":"Log Filtering ID's","constant":[{"description":"Type of the transaction as enumerated in EventRecord.EventType","name":"LOG_FILTER_ID_TRANSACTION_TYPE","value":0.0,"__meta":{"file":"classes/log/LogFilter.talk","tag":"constant","line":17}},{"description":"Play Session ID","name":"LOG_FILTER_ID_PLAY_SESSION_ID","value":1.0,"__meta":{"file":"classes/log/LogFilter.talk","tag":"constant","line":21}},{"description":"Employee ID","name":"LOG_FILTER_ID_EMPLOYEE_ID","value":2.0,"__meta":{"file":"classes/log/LogFilter.talk","tag":"constant","line":25}},{"description":"Game Portal ID","name":"LOG_FILTER_ID_GAME_PORTAL_ID","value":3.0,"__meta":{"file":"classes/log/LogFilter.talk","tag":"constant","line":29}},{"description":"Instrument ID","name":"LOG_FILTER_ID_INSTRUMENT_ID","value":4.0,"__meta":{"file":"classes/log/LogFilter.talk","tag":"constant","line":33}},{"description":"Generic Amount field","name":"LOG_FILTER_ID_AMOUNT","value":5.0,"__meta":{"file":"classes/log/LogFilter.talk","tag":"constant","line":37}},{"description":"Transaction time field","name":"LOG_FILTER_ID_TRANSACTION_TIME","value":6.0,"__meta":{"file":"classes/log/LogFilter.talk","tag":"constant","line":41}},{"description":"Cashier Session ID","name":"LOG_FILTER_ID_CASHIER_SESSION_ID","value":7.0,"__meta":{"file":"classes/log/LogFilter.talk","tag":"constant","line":45}},{"description":"Cashier Portal ID","name":"LOG_FILTER_ID_CASHIER_PORTAL_ID","value":8.0,"__meta":{"file":"classes/log/LogFilter.talk","tag":"constant","line":49}}],"name":"com.acres4.common.info.constants.log.LogFilterIds","__meta":{"file":"classes/log/LogFilter.talk","tag":"enumeration","line":14}},{"description":"Log Filtering ID's","constant":[{"description":"Returned in status if the queue request generated an error while processing","name":"LOG_FILTER_QUEUE_STATUS_ERROR","value":-1.0,"__meta":{"file":"classes/log/LogFilterQueueResponse.talk","tag":"constant","line":33}},{"description":"Returned in status if the queue request never seen","name":"LOG_FILTER_QUEUE_STATUS_UNKNOWN","value":0.0,"__meta":{"file":"classes/log/LogFilterQueueResponse.talk","tag":"constant","line":37}},{"description":"Returned in status if the queue request in queue but not yet started processing","name":"LOG_FILTER_QUEUE_STATUS_QUEUE","value":1.0,"__meta":{"file":"classes/log/LogFilterQueueResponse.talk","tag":"constant","line":41}},{"description":"Returned in status if the queue request still processing","name":"LOG_FILTER_QUEUE_STATUS_PROCESSING","value":2.0,"__meta":{"file":"classes/log/LogFilterQueueResponse.talk","tag":"constant","line":45}},{"description":"Returned in status if the queue request completed","name":"LOG_FILTER_QUEUE_STATUS_COMPLETE","value":3.0,"__meta":{"file":"classes/log/LogFilterQueueResponse.talk","tag":"constant","line":49}},{"description":"Returned in status if the queue request was cancelled by client","name":"LOG_FILTER_QUEUE_STATUS_CANCELED","value":4.0,"__meta":{"file":"classes/log/LogFilterQueueResponse.talk","tag":"constant","line":53}}],"name":"com.acres4.common.info.constants.log.LogFilterQueueStatus","__meta":{"file":"classes/log/LogFilterQueueResponse.talk","tag":"enumeration","line":30}},{"description":"Log Transaction Types","constant":[{"description":"Transaction Type NONE","name":"LOG_TRANSACTION_TYPE_NONE","value":0.0,"__meta":{"file":"classes/log/LogTransactionType.talk","tag":"constant","line":4}},{"description":"Transaction Type CONNECT","name":"LOG_TRANSACTION_TYPE_CONNECT","value":1.0,"__meta":{"file":"classes/log/LogTransactionType.talk","tag":"constant","line":7}},{"description":"Transaction Type INSTRUMENT_ISSUED","name":"LOG_TRANSACTION_TYPE_INSTRUMENT_ISSUED","value":2.0,"__meta":{"file":"classes/log/LogTransactionType.talk","tag":"constant","line":10}},{"description":"Transaction Type INSTRUMENT_REDEEMED","name":"LOG_TRANSACTION_TYPE_INSTRUMENT_REDEEMED","value":3.0,"__meta":{"file":"classes/log/LogTransactionType.talk","tag":"constant","line":13}},{"description":"Transaction Type GAME_PLAY","name":"LOG_TRANSACTION_TYPE_GAME_PLAY","value":4.0,"__meta":{"file":"classes/log/LogTransactionType.talk","tag":"constant","line":16}},{"description":"Transaction Type LOGIN","name":"LOG_TRANSACTION_TYPE_LOGIN","value":5.0,"__meta":{"file":"classes/log/LogTransactionType.talk","tag":"constant","line":19}},{"description":"Transaction Type LOGOFF","name":"LOG_TRANSACTION_TYPE_LOGOFF","value":6.0,"__meta":{"file":"classes/log/LogTransactionType.talk","tag":"constant","line":22}},{"description":"Transaction Type SCANINSTRUMENT","name":"LOG_TRANSACTION_TYPE_SCANINSTRUMENT","value":7.0,"__meta":{"file":"classes/log/LogTransactionType.talk","tag":"constant","line":25}},{"description":"Transaction Type CASHOUT","name":"LOG_TRANSACTION_TYPE_CASHOUT","value":8.0,"__meta":{"file":"classes/log/LogTransactionType.talk","tag":"constant","line":28}},{"description":"Transaction Type APP_LOGIN","name":"LOG_TRANSACTION_TYPE_APP_LOGIN","value":9.0,"__meta":{"file":"classes/log/LogTransactionType.talk","tag":"constant","line":31}},{"description":"Transaction Type CONNECTION_CLOSE","name":"LOG_TRANSACTION_TYPE_CONNECTION_CLOSE","value":10.0,"__meta":{"file":"classes/log/LogTransactionType.talk","tag":"constant","line":34}},{"description":"Transaction Type NO_MSG_TIMEOUT","name":"LOG_TRANSACTION_TYPE_NO_MSG_TIMEOUT","value":11.0,"__meta":{"file":"classes/log/LogTransactionType.talk","tag":"constant","line":37}},{"description":"Transaction Type CLOSE_CASHIER_SESSION","name":"LOG_TRANSACTION_TYPE_CLOSE_CASHIER_SESSION","value":12.0,"__meta":{"file":"classes/log/LogTransactionType.talk","tag":"constant","line":40}},{"description":"Transaction Type SCAN_INSTRUMENT","name":"LOG_TRANSACTION_TYPE_SCAN_INSTRUMENT","value":13.0,"__meta":{"file":"classes/log/LogTransactionType.talk","tag":"constant","line":43}},{"description":"Transaction Type CASHOUT_INSTRUMENT","name":"LOG_TRANSACTION_TYPE_CASHOUT_INSTRUMENT","value":14.0,"__meta":{"file":"classes/log/LogTransactionType.talk","tag":"constant","line":46}},{"description":"Transaction Type FORCED_INSTRUMENT_REDEEMED","name":"LOG_TRANSACTION_TYPE_FORCED_INSTRUMENT_REDEEMED","value":14.0,"__meta":{"file":"classes/log/LogTransactionType.talk","tag":"constant","line":49}}],"name":"com.acres4.common.info.constants.log.LogTransactionType","__meta":{"file":"classes/log/LogTransactionType.talk","tag":"enumeration","line":1}},{"description":"Defines game types for Mercury / MercIntf to utilize in filter","constant":[{"description":"An unknown game type","name":"GAME_TYPE_UNKNOWN","value":0.0,"__meta":{"file":"classes/mercintf/GameTypes.talk","tag":"constant","line":4}},{"description":"Mechanical Reel Slot machine","name":"GAME_TYPE_SLOT_MECHANICAL","value":1.0,"__meta":{"file":"classes/mercintf/GameTypes.talk","tag":"constant","line":7}},{"description":"Video reel slot machine","name":"GAME_TYPE_SLOT_VIDEO","value":2.0,"__meta":{"file":"classes/mercintf/GameTypes.talk","tag":"constant","line":10}},{"description":"Video Keno","name":"GAME_TYPE_KENO","value":3.0,"__meta":{"file":"classes/mercintf/GameTypes.talk","tag":"constant","line":13}},{"description":"Video Poker","name":"GAME_TYPE_POKER","value":4.0,"__meta":{"file":"classes/mercintf/GameTypes.talk","tag":"constant","line":16}},{"description":"Other specialty game","name":"GAME_TYPE_OTHER","value":5.0,"__meta":{"file":"classes/mercintf/GameTypes.talk","tag":"constant","line":19}},{"description":"Multi-type game (Slot and/or Keno and/or Poker ...)","name":"GAME_TYPE_MULTI","value":6.0,"__meta":{"file":"classes/mercintf/GameTypes.talk","tag":"constant","line":22}},{"description":"Blackjack game.","name":"GAME_TYPE_BLACKJACK","value":7.0,"__meta":{"file":"classes/mercintf/GameTypes.talk","tag":"constant","line":25}}],"name":"com.acres4.common.info.constants.mercury.GameTypes","__meta":{"file":"classes/mercintf/GameTypes.talk","tag":"enumeration","line":1}},{"description":"Defines device types dispatched to by Kai","constant":[{"description":"From earliest beginnings Kai knew slots","name":"KAI_DEVICE_TYPE_SLOT","value":0.0,"__meta":{"file":"classes/mercintf/KaiDeviceType.talk","tag":"constant","line":4}},{"description":"An ATM or Cash KIOSK","name":"KAI_DEVICE_TYPE_ATM","value":1.0,"__meta":{"file":"classes/mercintf/KaiDeviceType.talk","tag":"constant","line":7}}],"name":"com.acres4.common.info.constants.mercury.KaiDeviceTypes","__meta":{"file":"classes/mercintf/KaiDeviceType.talk","tag":"enumeration","line":1}},{"description":"Valid status levels for use in Health.statusLevel.","constant":[{"name":"HEALTH_STATUS_LEVEL_OK","value":0.0,"__meta":{"file":"classes/monitor/HealthReport.talk","tag":"constant","line":53}},{"name":"HEALTH_STATUS_LEVEL_WARN","value":1.0,"__meta":{"file":"classes/monitor/HealthReport.talk","tag":"constant","line":54}},{"name":"HEALTH_STATUS_LEVEL_ERROR","value":2.0,"__meta":{"file":"classes/monitor/HealthReport.talk","tag":"constant","line":55}}],"name":"com.acres4.common.info.constants.monitor.HealthStatusLevels","__meta":{"file":"classes/monitor/HealthReport.talk","tag":"enumeration","line":50}},{"description":"Acceptable identifiers for Permission objects in the context of Overall System. These simply delineate areas of responsibility. The actual permissions are defined in SystemPermissionXXXX.talk. Also note these are only the permissions needed by Acres4.0 employees and their affiliates. They are not used for example by Del Sol Employees for permission in Mercury Project proper.","constant":[{"description":"The size of permission APP. We store as 64 bit integer so max is 64 permissions. If you need more define new APP.","name":"SYSTEM_PERMISSION_APP_SIZE","value":64.0,"__meta":{"file":"classes/permissions/SystemPermissionApp.talk","tag":"constant","line":9}},{"description":"Special Super permission bit for all apps Bit 0 of any permission APP is the special super permission and automagically defines all other permissions in the APP.","name":"SYSTEM_PERMISSION_APP_SUPER_BIT","value":0.0,"__meta":{"file":"classes/permissions/SystemPermissionApp.talk","tag":"constant","line":15}},{"description":"Permission APP ID for super users. Note this APP is special in that if SYSTEM_PERMISSION_APP_SUPER_BIT is set here then user automagically has SYSTEM_PERMISSION_APP_SUPER_BIT set for any requested APP. Ergo the user has all permissions in the system.","name":"SYSTEM_PERMISSION_APP_SUPER","value":1.0,"__meta":{"file":"classes/permissions/SystemPermissionApp.talk","tag":"constant","line":21}},{"description":"Permission APP ID for usher","name":"SYSTEM_PERMISSION_APP_USHER","value":2.0,"__meta":{"file":"classes/permissions/SystemPermissionApp.talk","tag":"constant","line":28}},{"description":"Permission APP ID for Mercury stuff","name":"SYSTEM_PERMISSION_APP_MERCURY","value":3.0,"__meta":{"file":"classes/permissions/SystemPermissionApp.talk","tag":"constant","line":32}},{"description":"Permission APP ID for oracle","name":"SYSTEM_PERMISSION_APP_ORACLE","value":4.0,"__meta":{"file":"classes/permissions/SystemPermissionApp.talk","tag":"constant","line":36}},{"description":"Permission APP ID for Natasha","name":"SYSTEM_PERMISSION_APP_NATASHA","value":5.0,"__meta":{"file":"classes/permissions/SystemPermissionApp.talk","tag":"constant","line":40}},{"description":"Permission APP ID for Deployment","name":"SYSTEM_PERMISSION_APP_DEPLOYMENT","value":6.0,"__meta":{"file":"classes/permissions/SystemPermissionApp.talk","tag":"constant","line":44}},{"description":"Permission APP ID for Pulltabs","name":"SYSTEM_PERMISSION_APP_PULLTAB","value":7.0,"__meta":{"file":"classes/permissions/SystemPermissionApp.talk","tag":"constant","line":48}},{"description":"Permission APP ID for Arcade","name":"SYSTEM_PERMISSION_APP_ARCADE","value":8.0,"__meta":{"file":"classes/permissions/SystemPermissionApp.talk","tag":"constant","line":52}},{"description":"Permission APP ID for Arcade Regulatory Permissions","name":"SYSTEM_PERMISSION_APP_ARCADE_REGULATORY","value":9.0,"__meta":{"file":"classes/permissions/SystemPermissionApp.talk","tag":"constant","line":56}},{"description":"Permission APP ID for Marketing Progressive","name":"SYSTEM_PERMISSION_APP_MPROG","value":10.0,"__meta":{"file":"classes/permissions/SystemPermissionApp.talk","tag":"constant","line":60}},{"description":"Permission APP ID for Licensing Modules this is used for module permission rather than user permissions","name":"SYSTEM_PERMISSION_APP_MODULE","value":11.0,"__meta":{"file":"classes/permissions/SystemPermissionApp.talk","tag":"constant","line":64}},{"description":"Permission APP ID for Metis","name":"SYSTEM_PERMISSION_APP_METIS","value":12.0,"__meta":{"file":"classes/permissions/SystemPermissionApp.talk","tag":"constant","line":68}},{"description":"Permission APP ID for Promo","name":"SYSTEM_PERMISSION_APP_PROMO","value":13.0,"__meta":{"file":"classes/permissions/SystemPermissionApp.talk","tag":"constant","line":72}}],"name":"com.acres4.common.info.constants.permissions.SystemPermissionApp","__meta":{"file":"classes/permissions/SystemPermissionApp.talk","tag":"enumeration","line":1}},{"description":"Actual permissions as used by Deployment","constant":[{"description":"Employee has all permissions","name":"SYSTEM_PERMISSION_DEPLOYMENT_SUPER","value":0.0,"__meta":{"file":"classes/permissions/SystemPermissionDeployment.talk","tag":"constant","line":4}},{"description":"Employee has permission to list all available builds","name":"SYSTEM_PERMISSION_DEPLOYMENT_LIST_BUILDS","value":1.0,"__meta":{"file":"classes/permissions/SystemPermissionDeployment.talk","tag":"constant","line":8}},{"description":"Employee has permission to upload new builds","name":"SYSTEM_PERMISSION_DEPLOYMENT_UPLOAD","value":2.0,"__meta":{"file":"classes/permissions/SystemPermissionDeployment.talk","tag":"constant","line":12}},{"description":"Employee has permission to modify existing build information","name":"SYSTEM_PERMISSION_DEPLOYMENT_MODIFY_BUILDS","value":3.0,"__meta":{"file":"classes/permissions/SystemPermissionDeployment.talk","tag":"constant","line":16}},{"description":"Employee has permission to deploy a build to an entire data center at once.","name":"SYSTEM_PERMISSION_DEPLOYMENT_PUBLISH_TO_DATA_CENTER","value":4.0,"__meta":{"file":"classes/permissions/SystemPermissionDeployment.talk","tag":"constant","line":20}},{"description":"Employee has permission to download archived builds. For iOS applications, this means that the employee has access to the debug symbol tables and the unsigned binary.","name":"SYSTEM_PERMISSION_DEPLOYMENT_DOWNLOAD_ARCHIVES","value":5.0,"__meta":{"file":"classes/permissions/SystemPermissionDeployment.talk","tag":"constant","line":24}},{"description":"Publish above this site range. Any permission at or above this number indicates permission to publish and unpublish builds at the site range given by the permission value minus this offset. For example, permission 32 means permission to publish to Usher site range (32 - 32) 0, explicitly sites 0-9999 inclusive in the current Usher implementation.","name":"SYSTEM_PERMISSION_DEPLOYMENT_PUBLISH_RANGE_MIN","value":16.0,"__meta":{"file":"classes/permissions/SystemPermissionDeployment.talk","tag":"constant","line":29}},{"description":"Publish above this site range. The maximum allowed value for permissions related to publication ranges. This is currently a limitation of the permissions structure. If greater than 48 Usher site groups exist at a later date, a new range of Deployment permissions will need to be defined.","name":"SYSTEM_PERMISSION_DEPLOYMENT_PUBLISH_RANGE_MAX","value":63.0,"__meta":{"file":"classes/permissions/SystemPermissionDeployment.talk","tag":"constant","line":36}}],"name":"com.acres4.common.info.constants.permissions.SystemPermissionDeployment","__meta":{"file":"classes/permissions/SystemPermissionDeployment.talk","tag":"enumeration","line":1}},{"description":"Actual permissions as used by Mercury","constant":[{"description":"Super permission granting all other permissions","name":"SYSTEM_PERMISSION_MERCURY_SUPER","value":0.0,"__meta":{"file":"classes/permissions/SystemPermissionMercury.talk","tag":"constant","line":3}},{"description":"Allow the linking of cards to be registered with the server.","name":"SYSTEM_PERMISSION_MERCURY_REGISTER_EMPLOYEE_CARD","value":1.0,"__meta":{"file":"classes/permissions/SystemPermissionMercury.talk","tag":"constant","line":6}},{"description":"Allow shift selection submission for role and sections.","name":"SYSTEM_PERMISSION_MERCURY_SHIFT_SELECTION","value":2.0,"__meta":{"file":"classes/permissions/SystemPermissionMercury.talk","tag":"constant","line":9}},{"description":"Allow sending of voice messages","name":"SYSTEM_PERMISSION_MERCURY_VOICE_MESSAGING","value":3.0,"__meta":{"file":"classes/permissions/SystemPermissionMercury.talk","tag":"constant","line":12}},{"description":"Allow sending of chat messages.","name":"SYSTEM_PERMISSION_MERCURY_TEXT_MESSAGING","value":4.0,"__meta":{"file":"classes/permissions/SystemPermissionMercury.talk","tag":"constant","line":15}},{"description":"Allow sending of an async ActionNotification to target user.","name":"SYSTEM_PERMISSION_MERCURY_ACTION_NOTIFICATION","value":5.0,"__meta":{"file":"classes/permissions/SystemPermissionMercury.talk","tag":"constant","line":18}},{"description":"Allow dispatching of calls, WorkInfo/CallUpdate requests.","name":"SYSTEM_PERMISSION_MERCURY_CALL_DISPATCHING","value":6.0,"__meta":{"file":"classes/permissions/SystemPermissionMercury.talk","tag":"constant","line":21}},{"description":"Allow CreateCall requests.","name":"SYSTEM_PERMISSION_MERCURY_CALL_CREATE","value":7.0,"__meta":{"file":"classes/permissions/SystemPermissionMercury.talk","tag":"constant","line":24}},{"description":"Allow clearing alerts.","name":"SYSTEM_PERMISSION_MERCURY_CLEAR_ALERT","value":8.0,"__meta":{"file":"classes/permissions/SystemPermissionMercury.talk","tag":"constant","line":27}},{"description":"Allow setting a call to be removed/ignored from reports.","name":"SYSTEM_PERMISSION_MERCURY_CALL_REMOVE_FROM_STATS","value":9.0,"__meta":{"file":"classes/permissions/SystemPermissionMercury.talk","tag":"constant","line":30}},{"description":"Allow report requests for all reports.","name":"SYSTEM_PERMISSION_MERCURY_REPORTS","value":10.0,"__meta":{"file":"classes/permissions/SystemPermissionMercury.talk","tag":"constant","line":33}},{"description":"Allow login to a user account.","name":"SYSTEM_PERMISSION_MERCURY_LOGIN","value":11.0,"__meta":{"file":"classes/permissions/SystemPermissionMercury.talk","tag":"constant","line":36}},{"description":"Allow access to basic Supervisor functionality.","name":"SYSTEM_PERMISSION_MERCURY_SUPERVISOR_ACCESS","value":12.0,"__meta":{"file":"classes/permissions/SystemPermissionMercury.talk","tag":"constant","line":39}},{"description":"Allow user to edit their own user information.","name":"SYSTEM_PERMISSION_MERCURY_SELF_EDIT_USER","value":13.0,"__meta":{"file":"classes/permissions/SystemPermissionMercury.talk","tag":"constant","line":42}},{"description":"Allow user to add new users.","name":"SYSTEM_PERMISSION_MERCURY_ADD_USERS","value":14.0,"__meta":{"file":"classes/permissions/SystemPermissionMercury.talk","tag":"constant","line":45}},{"description":"Allow user to view all calls.","name":"SYSTEM_PERMISSION_MERCURY_CALLS_OVERVIEW","value":15.0,"__meta":{"file":"classes/permissions/SystemPermissionMercury.talk","tag":"constant","line":48}},{"description":"Allow user to view other users and their profiles.","name":"SYSTEM_PERMISSION_MERCURY_LIST_USERS","value":16.0,"__meta":{"file":"classes/permissions/SystemPermissionMercury.talk","tag":"constant","line":51}},{"description":"Allow user to remove(delete) users.","name":"SYSTEM_PERMISSION_MERCURY_REMOVE_USER","value":17.0,"__meta":{"file":"classes/permissions/SystemPermissionMercury.talk","tag":"constant","line":54}},{"description":"Allow user to set section associations.","name":"SYSTEM_PERMISSION_MERCURY_SECTION_ASSOCIATION","value":18.0,"__meta":{"file":"classes/permissions/SystemPermissionMercury.talk","tag":"constant","line":57}},{"description":"Indicates this user should not be displayed.","name":"SYSTEM_PERMISSION_MERCURY_CONCEALED","value":19.0,"__meta":{"file":"classes/permissions/SystemPermissionMercury.talk","tag":"constant","line":60}},{"description":"Indicates this user has access to the beverage module","name":"SYSTEM_PERMISSION_MERCURY_BEVERAGE_APP","value":20.0,"__meta":{"file":"classes/permissions/SystemPermissionMercury.talk","tag":"constant","line":63}},{"description":"Indicates this user has access to the beverage order entry screen","name":"SYSTEM_PERMISSION_MERCURY_BEVERAGE_ORDER_ENTRY","value":21.0,"__meta":{"file":"classes/permissions/SystemPermissionMercury.talk","tag":"constant","line":66}},{"description":"Indicates this user has access to the beverage bartender screen","name":"SYSTEM_PERMISSION_MERCURY_BEVERAGE_BARTENDER","value":22.0,"__meta":{"file":"classes/permissions/SystemPermissionMercury.talk","tag":"constant","line":69}},{"description":"Indicates this user has access to the beverage calls screen","name":"SYSTEM_PERMISSION_MERCURY_BEVERAGE_CALLS","value":23.0,"__meta":{"file":"classes/permissions/SystemPermissionMercury.talk","tag":"constant","line":72}},{"description":"Allow user to see GENERAL panel and GAMING DAY link on Kai website home page and to change \"GAMING DAY START TIME\" and \"TIMEZONE\".","name":"SYSTEM_PERMISSION_MERCURY_WEB_GENERAL","value":24.0,"__meta":{"file":"classes/permissions/SystemPermissionMercury.talk","tag":"constant","line":75}},{"description":"Allow user to see DEPARTMENTS panel and all of its links on Kai website home page and to access all of their functions.","name":"SYSTEM_PERMISSION_MERCURY_WEB_DEPARTMENTS","value":25.0,"__meta":{"file":"classes/permissions/SystemPermissionMercury.talk","tag":"constant","line":78}},{"description":"Allow user to see USERS panel and USER PROFILES and LOGINS AND PIN LOCKS links on Kai website home page and to access all of their functions.","name":"SYSTEM_PERMISSION_MERCURY_WEB_USERS","value":26.0,"__meta":{"file":"classes/permissions/SystemPermissionMercury.talk","tag":"constant","line":81}},{"description":"Allow user to see CALLS panel and all of its links on Kai website home page and to access all of their functions.","name":"SYSTEM_PERMISSION_MERCURY_WEB_CALLS","value":27.0,"__meta":{"file":"classes/permissions/SystemPermissionMercury.talk","tag":"constant","line":84}},{"description":"Allow user to access only the Call Detail and Meal Log reports.","name":"SYSTEM_PERMISSION_MERCURY_REPORTS_AUDITORS","value":28.0,"__meta":{"file":"classes/permissions/SystemPermissionMercury.talk","tag":"constant","line":87}},{"description":"Allow user to access only the Illegal Machine Entry and Meal Log reports.","name":"SYSTEM_PERMISSION_MERCURY_REPORTS_REGULATORS","value":29.0,"__meta":{"file":"classes/permissions/SystemPermissionMercury.talk","tag":"constant","line":90}},{"description":"Allow user to edit existing users.","name":"SYSTEM_PERMISSION_MERCURY_EDIT_USERS","value":30.0,"__meta":{"file":"classes/permissions/SystemPermissionMercury.talk","tag":"constant","line":93}},{"description":"Allow user to view users in other departments","name":"SYSTEM_PERMISSION_MERCURY_VIEW_ALL_DEPARTMENTS","value":31.0,"__meta":{"file":"classes/permissions/SystemPermissionMercury.talk","tag":"constant","line":96}},{"description":"Allow user to edit users in other departments","name":"SYSTEM_PERMISSION_MERCURY_EDIT_ALL_DEPARTMENTS","value":32.0,"__meta":{"file":"classes/permissions/SystemPermissionMercury.talk","tag":"constant","line":99}},{"description":"Allow user to edit users permissions","name":"SYSTEM_PERMISSION_MERCURY_EDIT_USERS_PERMISSIONS","value":33.0,"__meta":{"file":"classes/permissions/SystemPermissionMercury.talk","tag":"constant","line":102}},{"description":"Allow users to message outside departments","name":"SYSTEM_PERMISSION_MERCURY_ALLOW_TEXTING_TO_DEPARTMENTS","value":34.0,"__meta":{"file":"classes/permissions/SystemPermissionMercury.talk","tag":"constant","line":105}},{"description":"Allow users to import from spreadsheets","name":"SYSTEM_PERMISSION_MERCURY_IMPORT_FROM_SPREADSHEET","value":35.0,"__meta":{"file":"classes/permissions/SystemPermissionMercury.talk","tag":"constant","line":108}},{"description":"Allow user to see RADIO panel and all of its links on Kai website home page and to access all of their functions.","name":"SYSTEM_PERMISSION_MERCURY_WEB_RADIO","value":36.0,"__meta":{"file":"classes/permissions/SystemPermissionMercury.talk","tag":"constant","line":111}},{"description":"Allow user to use the sleep-a-call feature.","name":"SYSTEM_PERMISSION_MERCURY_SLEEP_CALL","value":37.0,"__meta":{"file":"classes/permissions/SystemPermissionMercury.talk","tag":"constant","line":114}}],"name":"com.acres4.common.info.constants.permissions.SystemPermissionMercury","__meta":{"file":"classes/permissions/SystemPermissionMercury.talk","tag":"enumeration","line":1}},{"description":"permissions as used by Metis","constant":[{"description":"Super permission granting all other permissions","name":"SYSTEM_PERMISSION_METIS_SUPER","value":0.0,"__meta":{"file":"classes/permissions/SystemPermissionMetis.talk","tag":"constant","line":3}}],"name":"com.acres4.common.info.constants.permissions.SystemPermissionMetis","__meta":{"file":"classes/permissions/SystemPermissionMetis.talk","tag":"enumeration","line":1}},{"description":"Permissions for individual modules vs permissions for","constant":[{"description":"Super permission granting all other permissions in this app","name":"SYSTEM_PERMISSION_MODULE_SUPER","value":0.0,"__meta":{"file":"classes/permissions/SystemPermissionModule.talk","tag":"constant","line":4}},{"description":"Module permission to automatically download updates","name":"SYSTEM_PERMISSION_MODULE_UPDATES","value":1.0,"__meta":{"file":"classes/permissions/SystemPermissionModule.talk","tag":"constant","line":8}},{"description":"Module permission to run Kai Dispatch","name":"SYSTEM_PERMISSION_MODULE_KAI_DISPATCH","value":2.0,"__meta":{"file":"classes/permissions/SystemPermissionModule.talk","tag":"constant","line":12}},{"description":"Module permission to run Kai Beverage","name":"SYSTEM_PERMISSION_MODULE_KAI_BEVERAGE","value":3.0,"__meta":{"file":"classes/permissions/SystemPermissionModule.talk","tag":"constant","line":16}},{"description":"Module permission to run Kai Promo","name":"SYSTEM_PERMISSION_MODULE_KAI_PROMO","value":4.0,"__meta":{"file":"classes/permissions/SystemPermissionModule.talk","tag":"constant","line":20}},{"description":"Temporary permission to disable the in ap bluetooth pairing and all related functionality","name":"SYSTEM_PERMISSION_MODULE_KAI_DISABLE_IN_APP_PAIRING","value":50.0,"__meta":{"file":"classes/permissions/SystemPermissionModule.talk","tag":"constant","line":24}}],"name":"com.acres4.common.info.constants.permissions.SystemPermissionModule","__meta":{"file":"classes/permissions/SystemPermissionModule.talk","tag":"enumeration","line":1}},{"description":"permissions as used by Promo","constant":[{"description":"Super permission granting all other permissions","name":"SYSTEM_PERMISSION_PROMO_SUPER","value":0.0,"__meta":{"file":"classes/permissions/SystemPermissionPromo.talk","tag":"constant","line":3}},{"description":"Ability to run reports.","name":"SYSTEM_PERMISSION_PROMO_REPORTS","value":1.0,"__meta":{"file":"classes/permissions/SystemPermissionPromo.talk","tag":"constant","line":6}},{"description":"Ability to lookup participant prizes and update redeemed status.","name":"SYSTEM_PERMISSION_PROMO_REDEMPTION","value":2.0,"__meta":{"file":"classes/permissions/SystemPermissionPromo.talk","tag":"constant","line":9}}],"name":"com.acres4.common.info.constants.permissions.SystemPermissionPromo","__meta":{"file":"classes/permissions/SystemPermissionPromo.talk","tag":"enumeration","line":1}},{"description":"Actual permissions as used by usher","constant":[{"description":"Employee has all permissions","name":"SYSTEM_PERMISSION_USHER_SUPER","value":0.0,"__meta":{"file":"classes/permissions/SystemPermissionUsher.talk","tag":"constant","line":4}},{"description":"Employee can add development site","name":"SYSTEM_PERMISSION_USHER_ADD_DEV_SITE","value":1.0,"__meta":{"file":"classes/permissions/SystemPermissionUsher.talk","tag":"constant","line":8}},{"description":"Employee can add production site","name":"SYSTEM_PERMISSION_USHER_ADD_PROD_SITE","value":2.0,"__meta":{"file":"classes/permissions/SystemPermissionUsher.talk","tag":"constant","line":12}},{"description":"Employee can add other employees","name":"SYSTEM_PERMISSION_USHER_ADD_EMPLOYEE","value":3.0,"__meta":{"file":"classes/permissions/SystemPermissionUsher.talk","tag":"constant","line":16}},{"description":"Employee can add other permissions","name":"SYSTEM_PERMISSION_USHER_ADD_PERMISSION","value":4.0,"__meta":{"file":"classes/permissions/SystemPermissionUsher.talk","tag":"constant","line":20}},{"description":"Employee can add system components (hosts, products, providers, acls, etc)","name":"SYSTEM_PERMISSION_USHER_ADD_SYSTEM","value":5.0,"__meta":{"file":"classes/permissions/SystemPermissionUsher.talk","tag":"constant","line":24}},{"description":"Employee can access development systems. This permission is the generic access permission used by systems like mercintf, oracle, etc","name":"SYSTEM_PERMISSION_USHER_DEV_SYSTEM_ACCESS","value":6.0,"__meta":{"file":"classes/permissions/SystemPermissionUsher.talk","tag":"constant","line":28}},{"description":"Employee can access production systems. This permission is the generic access permission used by systems like mercintf, oracle, etc","name":"SYSTEM_PERMISSION_USHER_PROD_SITE_ACCESS","value":7.0,"__meta":{"file":"classes/permissions/SystemPermissionUsher.talk","tag":"constant","line":33}},{"description":"Employee can create, read, update and delete DevSiteInfo records","name":"SYSTEM_PERMISSION_USHER_ALL_DEV_SITE","value":8.0,"__meta":{"file":"classes/permissions/SystemPermissionUsher.talk","tag":"constant","line":38}},{"description":"Employee can modify modules","name":"SYSTEM_PERMISSION_USHER_ADD_MODULE","value":9.0,"__meta":{"file":"classes/permissions/SystemPermissionUsher.talk","tag":"constant","line":42}},{"description":"Employee can create, read, update and delete SMS records","name":"SYSTEM_PERMISSION_USHER_EDIT_SMS","value":10.0,"__meta":{"file":"classes/permissions/SystemPermissionUsher.talk","tag":"constant","line":45}}],"name":"com.acres4.common.info.constants.permissions.SystemPermissionUsher","__meta":{"file":"classes/permissions/SystemPermissionUsher.talk","tag":"enumeration","line":1}},{"description":"Values used for the state column in the participant_contest table in the a4promo, rtpromo, and winvelope databases.","constant":[{"description":"Participant is valid and eligible to enroll, but the contest is already fully subscribed.","name":"PARTICIPANT_STATE_ELIGIBLE_BUT_CONTEST_FULL","value":1.0,"__meta":{"file":"classes/promo/ParticipantState.talk","tag":"constant","line":4}},{"description":"Participant has texted ENROLL and player card number, but has not texted YES to confirm the enrollment.","name":"PARTICIPANT_STATE_ENROLLED_NOT_CONFIRMED","value":2.0,"__meta":{"file":"classes/promo/ParticipantState.talk","tag":"constant","line":8}},{"description":"Participant has completed the enrollment process and is playing the game.","name":"PARTICIPANT_STATE_ENROLLED_AND_PLAYING","value":3.0,"__meta":{"file":"classes/promo/ParticipantState.talk","tag":"constant","line":12}},{"description":"Participant has passed the finish line.","name":"PARTICIPANT_STATE_PASSED_FINISH_LINE","value":4.0,"__meta":{"file":"classes/promo/ParticipantState.talk","tag":"constant","line":16}},{"description":"Participant has revealed their winvelopes at least once.","name":"PARTICIPANT_STATE_WINVELOPES_REVEALED","value":5.0,"__meta":{"file":"classes/promo/ParticipantState.talk","tag":"constant","line":20}},{"description":"Participant has redeemed their prizes.","name":"PARTICIPANT_STATE_REDEEMED","value":6.0,"__meta":{"file":"classes/promo/ParticipantState.talk","tag":"constant","line":24}}],"name":"com.acres4.common.info.promo.ParticipantState","__meta":{"file":"classes/promo/ParticipantState.talk","tag":"enumeration","line":1}},{"description":"Constants used for the type column in the prize database table.","constant":[{"description":"Loss meaning no prize, in other words win=0","name":"PROMO_PRIZE_TYPE_LOSS","value":1.0,"__meta":{"file":"classes/promo/PromoPrizeType.talk","tag":"constant","line":4}},{"description":"Cash prize","name":"PROMO_PRIZE_TYPE_CASH","value":2.0,"__meta":{"file":"classes/promo/PromoPrizeType.talk","tag":"constant","line":8}},{"description":"Prize is free slot play","name":"PROMO_PRIZE_TYPE_FREE_SLOT_PLAY","value":3.0,"__meta":{"file":"classes/promo/PromoPrizeType.talk","tag":"constant","line":12}},{"description":"Some other type of prize like a Harley Davidson motorcycle or show tickets.","name":"PROMO_PRIZE_TYPE_OTHER","value":4.0,"__meta":{"file":"classes/promo/PromoPrizeType.talk","tag":"constant","line":16}}],"name":"com.acres4.common.info.promo.PromoPrizeType","__meta":{"file":"classes/promo/PromoPrizeType.talk","tag":"enumeration","line":1}},{"description":"Defines the binary version for Radio.","constant":[{"description":"The binary version of Radio.","name":"RADIO_BINARY_VERSION","value":1.0,"__meta":{"file":"classes/radio/RadioBinaryVersion.talk","tag":"constant","line":4}}],"name":"com.acres4.common.info.constants.radio.RadioBinaryVersion","__meta":{"file":"classes/radio/RadioBinaryVersion.talk","tag":"enumeration","line":1}},{"description":"Defines Radio error codes.","constant":[{"description":"The binary version of the Radio server differs from the client.","name":"RADIO_ERROR_MISMATCHED_BINARY_PROTOCOL","value":1.0,"__meta":{"file":"classes/radio/RadioErrors.talk","tag":"constant","line":4}},{"description":"The client failed a permission check.","name":"RADIO_ERROR_INSUFFICIENT_PERMISSION","value":2.0,"__meta":{"file":"classes/radio/RadioErrors.talk","tag":"constant","line":7}},{"description":"The channel a client attempted to send on is busy.","name":"RADIO_ERROR_CHANNEL_BUSY","value":3.0,"__meta":{"file":"classes/radio/RadioErrors.talk","tag":"constant","line":10}}],"name":"com.acres4.common.info.constants.radio.RadioErrors","__meta":{"file":"classes/radio/RadioErrors.talk","tag":"enumeration","line":1}},{"description":"Defines constants for Radio message types.","constant":[{"description":"(client) - The first message to be passed via TCP. This will authenticate and identify the client to the voice server. The client will provide their \"Device Info Serial Number\" to uniquely identify during their session. The same initialization must be sent as in TCP Setup to identify this UDP socket as belonging to this specific client.","name":"RADIO_MESSAGE_TYPE_SETUP","value":1.0,"__meta":{"file":"classes/radio/RadioMessageTypes.talk","tag":"constant","line":4}},{"description":"(server) - Sent in response to the above Setup message on both TCP and UDP. This will tell the client to what channels it is allowed to send and receive. For the initial radio free implementation, this will either be all channels (max int) or 0 for clear channel only.","name":"RADIO_MESSAGE_TYPE_SETUP_RESPONSE","value":2.0,"__meta":{"file":"classes/radio/RadioMessageTypes.talk","tag":"constant","line":7}},{"description":"(client) - Subscribes the client to listen to the specified voice channels.","name":"RADIO_MESSAGE_TYPE_CHANNEL_SELECT_LISTEN","value":3.0,"__meta":{"file":"classes/radio/RadioMessageTypes.talk","tag":"constant","line":10}},{"description":"(server) - Sent only by the server, after a client has successfully began transmitting voice data via UDP, locking the channel. It will indicate who the client is and on what channel they are transmitting. Note that this message may arrive after the voice data begins traveling over UDP; there is no guaranteed order or timing between UDP and TCP.","name":"RADIO_MESSAGE_TYPE_MESSAGE_START","value":4.0,"__meta":{"file":"classes/radio/RadioMessageTypes.talk","tag":"constant","line":13}},{"description":"(server) - Indicates that the client was not able to send voice data on a specific channel. A successful send results in a MessageStart being received by the client who is sending, via TCP, instead of this error.","name":"RADIO_MESSAGE_TYPE_ERROR","value":5.0,"__meta":{"file":"classes/radio/RadioMessageTypes.talk","tag":"constant","line":16}},{"description":"(both) - When sent by the client, this indicates the finish of a voice transmission, which will then be relayed to all other clients. The channel will then be freed for use by others. Also sent automatically by the server after no voice data is received for 200~ ms on a channel, which releases the lock and ends transmission. Over UDP serves same purpose as corresponding message in TCP. These messages are not strictly needed but may help, so we may end up not implementing this message.","name":"RADIO_MESSAGE_TYPE_MESSAGE_END","value":6.0,"__meta":{"file":"classes/radio/RadioMessageTypes.talk","tag":"constant","line":19}},{"description":"(client) - Message to keep the UDP routing open. This should be sent every ~15 seconds.","name":"RADIO_MESSAGE_TYPE_PING","value":7.0,"__meta":{"file":"classes/radio/RadioMessageTypes.talk","tag":"constant","line":22}},{"description":"(server) - In response to a Ping, to verify communication health.","name":"RADIO_MESSAGE_TYPE_PONG","value":8.0,"__meta":{"file":"classes/radio/RadioMessageTypes.talk","tag":"constant","line":25}},{"description":"(both) - Small packet of voice data, likely ~20ms. Includes channel ID and employee ID. When the server receives the first packet, if successful, it will send a MessageStart to all listeners on the channel, including the user sending the message.","name":"RADIO_MESSAGE_TYPE_VOICE_DATA","value":9.0,"__meta":{"file":"classes/radio/RadioMessageTypes.talk","tag":"constant","line":28}}],"name":"com.acres4.common.info.constants.radio.RadioMessageTypes","__meta":{"file":"classes/radio/RadioMessageTypes.talk","tag":"enumeration","line":1}},{"description":"Defines constants for buffer sizes used in Radio protocol.","constant":[{"description":"The max packet size for communications.","name":"RADIO_SIZE_CONSTANT_MAX_PACKET_SIZE","value":512.0,"__meta":{"file":"classes/radio/RadioSizeConstants.talk","tag":"constant","line":4}}],"name":"com.acres4.common.info.constants.radio.RadioSizeConstants","__meta":{"file":"classes/radio/RadioSizeConstants.talk","tag":"enumeration","line":1}},{"description":"Switchboard Message Type Definitions.","constant":[{"description":"Message coming from targetNumber and going toward userNumber.","name":"SWITCHBOARD_MESSAGE_OUTGOING","value":0.0,"__meta":{"file":"classes/switchboard/SwitchboardMessageType.talk","tag":"constant","line":4}},{"description":"Message coming from userNumber and going toward targetNumber.","name":"SWITCHBOARD_MESSAGE_INGOING","value":1.0,"__meta":{"file":"classes/switchboard/SwitchboardMessageType.talk","tag":"constant","line":7}}],"name":"com.acres4.common.info.switchboard.SwitchboardMessageType","__meta":{"file":"classes/switchboard/SwitchboardMessageType.talk","tag":"enumeration","line":1}},{"description":"Switchboard Process definitions.","constant":[{"description":"Message has been recieved and put into dispatch_info.","name":"SWITCHBOARD_MESSAGE_RECEIVED","value":0.0,"__meta":{"file":"classes/switchboard/SwitchboardProcessed.talk","tag":"constant","line":4}},{"description":"Message has been sent to a recognized idSystemProvider.","name":"SWITCHBOARD_MESSAGE_DISPATCHED","value":1.0,"__meta":{"file":"classes/switchboard/SwitchboardProcessed.talk","tag":"constant","line":7}}],"name":"com.acres4.common.info.switchboard.SwitchboardProcessed","__meta":{"file":"classes/switchboard/SwitchboardProcessed.talk","tag":"enumeration","line":1}},{"description":"Switchboard Service identifiers.","constant":[{"description":"Unidentified service.","name":"SWITCHBOARD_SERVICE_UNKNOWN","value":-1.0,"__meta":{"file":"classes/switchboard/SwitchboardService.talk","tag":"constant","line":4}},{"description":"Canterbury Park and Mystic Lake horse race promotion.","name":"SWITCHBOARD_SERVICE_HORSE_RACE","value":1.0,"__meta":{"file":"classes/switchboard/SwitchboardService.talk","tag":"constant","line":7}},{"description":"Text Your Luck promotion.","name":"SWITCHBOARD_SERVICE_TEXT_YOUR_LUCK","value":2.0,"__meta":{"file":"classes/switchboard/SwitchboardService.talk","tag":"constant","line":10}}],"name":"com.acres4.common.info.switchboard.SwitchboardService","__meta":{"file":"classes/switchboard/SwitchboardService.talk","tag":"enumeration","line":1}},{"description":"Actual permissions as used by usher","constant":[{"description":"Folder where all Usher DB backups will reside","name":"USHER_DB_DIRS_BACKUP","value":0.0,"__meta":{"file":"classes/usher/dbmgmt/UsherDBDirs.talk","tag":"constant","line":4}},{"description":"Folder where published Usher versions will reside\u0013","name":"USHER_DB_DIRS_PUBLISH","value":1.0,"__meta":{"file":"classes/usher/dbmgmt/UsherDBDirs.talk","tag":"constant","line":7}},{"description":"Folder where the current published Usher version will reside","name":"USHER_DB_DIRS_PUBLISH_CURRENT","value":2.0,"__meta":{"file":"classes/usher/dbmgmt/UsherDBDirs.talk","tag":"constant","line":10}}],"name":"com.acres4.common.info.constants.usher.UsherDBDirs","__meta":{"file":"classes/usher/dbmgmt/UsherDBDirs.talk","tag":"enumeration","line":1}},{"description":"Actual permissions as used by usher","constant":[{"description":"Stores the system information","name":"USHER_DB_TYPE_SYSTEM","value":0.0,"__meta":{"file":"classes/usher/dbmgmt/UsherDBTypes.talk","tag":"constant","line":4}},{"description":"Stores the Employee information","name":"USHER_DB_TYPE_EMPLOYEE","value":1.0,"__meta":{"file":"classes/usher/dbmgmt/UsherDBTypes.talk","tag":"constant","line":8}},{"description":"Stores the DevSiteInfo information","name":"USHER_DB_TYPE_DEVSITE","value":2.0,"__meta":{"file":"classes/usher/dbmgmt/UsherDBTypes.talk","tag":"constant","line":12}},{"description":"Stores ALL information","name":"USHER_DB_TYPE_TOTAL","value":3.0,"__meta":{"file":"classes/usher/dbmgmt/UsherDBTypes.talk","tag":"constant","line":16}}],"name":"com.acres4.common.info.constants.usher.UsherDBTypes","__meta":{"file":"classes/usher/dbmgmt/UsherDBTypes.talk","tag":"enumeration","line":1}},{"description":"System environment type","constant":[{"description":"Represents the DEV environment","name":"USHER_ENV_TYPE_DEV","value":0.0,"__meta":{"file":"classes/usher/dbmgmt/UsherEnvTypes.talk","tag":"constant","line":4}},{"description":"Represent the QA environment","name":"USHER_ENV_TYPE_QA","value":1.0,"__meta":{"file":"classes/usher/dbmgmt/UsherEnvTypes.talk","tag":"constant","line":7}},{"description":"Represents the PROD environment","name":"USHER_ENV_TYPE_PROD","value":2.0,"__meta":{"file":"classes/usher/dbmgmt/UsherEnvTypes.talk","tag":"constant","line":10}}],"name":"com.acres4.common.info.constants.usher.UsherEnvTypes","__meta":{"file":"classes/usher/dbmgmt/UsherEnvTypes.talk","tag":"enumeration","line":1}},{"description":"System environment type","constant":[{"description":"Try to deduce the correct response based on client and VM locations - default in database","name":"USHER_RESPONSE_TYPE_AUTO","value":0.0,"__meta":{"file":"classes/usher/dbmgmt/UsherResponseTypes.talk","tag":"constant","line":4}},{"description":"Always send internal responses","name":"USHER_RESPONSE_TYPE_INTERNAL","value":1.0,"__meta":{"file":"classes/usher/dbmgmt/UsherResponseTypes.talk","tag":"constant","line":7}},{"description":"Always send external responses","name":"USHER_RESPONSE_TYPE_EXTERNAL","value":2.0,"__meta":{"file":"classes/usher/dbmgmt/UsherResponseTypes.talk","tag":"constant","line":10}}],"name":"com.acres4.common.info.constants.usher.UsherResponseTypes","__meta":{"file":"classes/usher/dbmgmt/UsherResponseTypes.talk","tag":"enumeration","line":1}},{"description":"Acceptable identifiers for Permission objects in the context of Mercury Dispatch. These are defined in the database, thus their values should not be changed here.","constant":[{"description":"Development test sites","name":"SITE_RANGE_GROUP_SIZE","value":10000.0,"__meta":{"file":"classes/usher/system/SiteRangeGroups.talk","tag":"constant","line":4}},{"description":"Special development sites cannot be used","name":"SITE_RANGE_GROUP_MIN_RESERVED_SITE","value":9000.0,"__meta":{"file":"classes/usher/system/SiteRangeGroups.talk","tag":"constant","line":8}},{"description":"Development test sites","name":"SITE_RANGE_GROUP_DEVELOP","value":0.0,"__meta":{"file":"classes/usher/system/SiteRangeGroups.talk","tag":"constant","line":12}},{"description":"Mercury production sites","name":"SITE_RANGE_GROUP_PRODUCTION_MERCURY","value":1.0,"__meta":{"file":"classes/usher/system/SiteRangeGroups.talk","tag":"constant","line":16}},{"description":"Pulltab production sites","name":"SITE_RANGE_GROUP_MIN_GAMING_GROUP","value":3.0,"__meta":{"file":"classes/usher/system/SiteRangeGroups.talk","tag":"constant","line":20}},{"description":"Pulltab production sites","name":"SITE_RANGE_GROUP_PRODUCTION_PULLTAB","value":3.0,"__meta":{"file":"classes/usher/system/SiteRangeGroups.talk","tag":"constant","line":24}},{"description":"Pulltab production sites","name":"SITE_RANGE_GROUP_PRODUCTION_ARCADE","value":5.0,"__meta":{"file":"classes/usher/system/SiteRangeGroups.talk","tag":"constant","line":28}}],"name":"com.acres4.common.info.constants.usher.SiteRangeGroups","__meta":{"file":"classes/usher/system/SiteRangeGroups.talk","tag":"enumeration","line":1}},{"description":"Special Usher System Hosts","constant":[{"description":"Defines a service for all systems","name":"USHER_SYSTEM_HOST_ALL","value":-1.0,"__meta":{"file":"classes/usher/system/UsherResponse.talk","tag":"constant","line":25}},{"description":"Defines a service for develop systems","name":"USHER_SYSTEM_HOST_DEVELOP","value":-2.0,"__meta":{"file":"classes/usher/system/UsherResponse.talk","tag":"constant","line":29}},{"description":"Defines a service for production systems","name":"USHER_SYSTEM_HOST_PRODUCTION","value":-3.0,"__meta":{"file":"classes/usher/system/UsherResponse.talk","tag":"constant","line":33}}],"name":"com.acres4.common.info.constants.usher.UsherSystemHostType","__meta":{"file":"classes/usher/system/UsherResponse.talk","tag":"enumeration","line":22}},{"description":"Valid log levels for use in WiretapBroadcastLevel.","constant":[{"name":"WIRETAP_LOG_LEVEL_TRACE","value":0.0,"__meta":{"file":"classes/wiretap/WiretapBroadcastLevel.talk","tag":"constant","line":21}},{"name":"WIRETAP_LOG_LEVEL_DEBUG","value":1.0,"__meta":{"file":"classes/wiretap/WiretapBroadcastLevel.talk","tag":"constant","line":22}},{"name":"WIRETAP_LOG_LEVEL_INFO","value":2.0,"__meta":{"file":"classes/wiretap/WiretapBroadcastLevel.talk","tag":"constant","line":23}},{"name":"WIRETAP_LOG_LEVEL_WARNING","value":3.0,"__meta":{"file":"classes/wiretap/WiretapBroadcastLevel.talk","tag":"constant","line":24}},{"name":"WIRETAP_LOG_LEVEL_CRITICAL","value":4.0,"__meta":{"file":"classes/wiretap/WiretapBroadcastLevel.talk","tag":"constant","line":25}},{"description":"Do not transmit any log events, regardless of severity.","name":"WIRETAP_LOG_LEVEL_DISABLE","value":5.0,"__meta":{"file":"classes/wiretap/WiretapBroadcastLevel.talk","tag":"constant","line":26}}],"name":"com.acres4.common.info.constants.wiretap.WiretapLogLevels","__meta":{"file":"classes/wiretap/WiretapBroadcastLevel.talk","tag":"enumeration","line":18}},{"description":"Valid commands for the type field of WiretapCommand.","constant":[{"description":"Instructs the source to reset its broadcast level to the defaults; eg. the client is ordered to stop broadcasting.","name":"WIRETAP_COMMAND_TYPE_RESET_BROADCAST_LEVEL","value":0.0,"__meta":{"file":"classes/wiretap/WiretapCommand.talk","tag":"constant","line":25}},{"description":"Instructs the source to change its broadcast level. The params field contains a single object of class WiretapBroadcastLevel.","name":"WIRETAP_COMMAND_TYPE_SET_BROADCAST_LEVEL","value":1.0,"__meta":{"file":"classes/wiretap/WiretapCommand.talk","tag":"constant","line":29}},{"description":"Instructs the source to transmit its complete event history. The params field is not used for this command.","name":"WIRETAP_COMMAND_TYPE_TRANSMIT_HISTORY","value":2.0,"__meta":{"file":"classes/wiretap/WiretapCommand.talk","tag":"constant","line":33}},{"description":"Instructs the source to transmit helpful diagnostic information. This includes copies of crash logs, and all messages outstanding on its console. The params field is not used for this command.","name":"WIRETAP_COMMAND_TYPE_TRANSMIT_DIAGNOSTICS","value":3.0,"__meta":{"file":"classes/wiretap/WiretapCommand.talk","tag":"constant","line":37}},{"description":"Instructs the source to transmit its WiretapConversation(s).","name":"WIRETAP_COMMAND_TYPE_TRANSMIT_CONVERSATION","value":4.0,"__meta":{"file":"classes/wiretap/WiretapCommand.talk","tag":"constant","line":41}}],"name":"com.acres4.common.info.constants.wiretap.WiretapCommandTypes","__meta":{"file":"classes/wiretap/WiretapCommand.talk","tag":"enumeration","line":22}},{"description":"Valid type codes for WiretapEntry type field. The type field may not contain values other than those listed here.","constant":[{"description":"A network message. The contents field contains the base64-encoded message content.","name":"WIRETAP_ENTRY_TYPE_MESSAGE","value":0.0,"__meta":{"file":"classes/wiretap/WiretapEntry.talk","tag":"constant","line":78}},{"description":"An event indicating that the connection has been successfully opened for communication. The contents field value is undefined.","name":"WIRETAP_ENTRY_TYPE_CONNECTION_OPEN","value":1.0,"__meta":{"file":"classes/wiretap/WiretapEntry.talk","tag":"constant","line":82}},{"description":"An event indicating that the connection has been terminated. The contents field value may optionally contain a base64-encoded message describing the closure.","name":"WIRETAP_ENTRY_TYPE_CONNECTION_CLOSE","value":2.0,"__meta":{"file":"classes/wiretap/WiretapEntry.talk","tag":"constant","line":86}},{"description":"An event indicating that delivery of a message failed. The contents field may optionally contain a base64-encoded message describing the delivery failure.","name":"WIRETAP_ENTRY_TYPE_MESSAGE_FAILED","value":3.0,"__meta":{"file":"classes/wiretap/WiretapEntry.talk","tag":"constant","line":90}},{"description":"An event indicating supplementary, non-network-traffic data that the application furnishing wiretap data deems to be relevant. This may include information such as log files. The subtype field must be used to indicate the type of data encoded into the content field.","name":"WIRETAP_ENTRY_TYPE_SUPPLEMENT","value":4.0,"__meta":{"file":"classes/wiretap/WiretapEntry.talk","tag":"constant","line":94}},{"description":"An event containing non-network log data. The contents field may contain a base64-encoded DeviceLogEntry object.","name":"WIRETAP_ENTRY_TYPE_LOG","value":5.0,"__meta":{"file":"classes/wiretap/WiretapEntry.talk","tag":"constant","line":98}},{"description":"An event containing crashlog data. The contents field depends on the value of the subtype field.","name":"WIRETAP_ENTRY_TYPE_CRASHLOG","value":6.0,"__meta":{"file":"classes/wiretap/WiretapEntry.talk","tag":"constant","line":102}}],"name":"com.acres4.common.info.constants.wiretap.WiretapEntryTypes","__meta":{"file":"classes/wiretap/WiretapEntry.talk","tag":"enumeration","line":75}},{"description":"Valid subtypes for WiretapEntry subtype field when used in conjunction with type = WIRETAP_ENTRY_TYPE_SUPPLEMENT.","constant":[{"description":"Indicates that the entry contains a device log. The log is encoded as a DeviceLog object, serialized as a JSON object and encoded as a base64 string in the contents field.","name":"WIRETAP_ENTRY_SUPPLEMENT_SUBTYPE_LOG","value":0.0,"__meta":{"file":"classes/wiretap/WiretapEntry.talk","tag":"constant","line":110}},{"description":"Indicates that the entry contains an Apple crashlog.","name":"WIRETAP_ENTRY_CRASHLOG_SUBTYPE_APPLE","value":1.0,"__meta":{"file":"classes/wiretap/WiretapEntry.talk","tag":"constant","line":114}},{"description":"Indicates that the entry contains a PLCrashReporter crashlog.","name":"WIRETAP_ENTRY_CRASHLOG_SUBTYPE_PLCRASHREPORTER","value":2.0,"__meta":{"file":"classes/wiretap/WiretapEntry.talk","tag":"constant","line":118}},{"description":"Indicates that the log entry is a DeviceLogEntry object","name":"WIRETAP_ENTRY_LOG_SUBTYPE_DEVICE","value":3.0,"__meta":{"file":"classes/wiretap/WiretapEntry.talk","tag":"constant","line":122}},{"description":"Indicates that the log entry is a string representing an Apple console log entry","name":"WIRETAP_ENTRY_LOG_SUBTYPE_CONSOLE","value":4.0,"__meta":{"file":"classes/wiretap/WiretapEntry.talk","tag":"constant","line":126}}],"name":"com.acres4.common.info.constants.wiretap.WiretapEntrySupplementSubtypes","__meta":{"file":"classes/wiretap/WiretapEntry.talk","tag":"enumeration","line":107}}],"protocol":[{"description":"Protocol for downloadable build upload and update.","method":[{"description":"Requests a list of builds available on the server","request":"BuildListRequest","response":"BuildListResponse","name":"buildList","__meta":{"file":"proto/proto-build.talk","tag":"method","line":1}},{"description":"Requests the server identify the appropriate build for the current client.","request":"BuildUpdateRequest","response":"BuildUpdateResponse","name":"buildUpdate","__meta":{"file":"proto/proto-build.talk","tag":"method","line":7}},{"description":"Requests a destination to upload an application to.","request":"BuildUploadRequest","response":"BuildUploadResponse","name":"buildUpload","__meta":{"file":"proto/proto-build.talk","tag":"method","line":13}},{"description":"Notifies the server that a build upload has been completed or aborted.","request":"BuildUploadCompleteNotification","response":"none","name":"buildUploadComplete","__meta":{"file":"proto/proto-build.talk","tag":"method","line":19}},{"description":"Alters a BuildInfo record.","request":"BuildInfo","response":"none","name":"buildModifyCommand","__meta":{"file":"proto/proto-build.talk","tag":"method","line":25}},{"description":"Requests an existing build to be published to one or more site IDs.","request":"BuildPublishRequest","response":"none","name":"buildPublish","__meta":{"file":"proto/proto-build.talk","tag":"method","line":31}},{"description":"Requests a previously published build to be revoked from publication.","request":"BuildUnpublishRequest","response":"none","name":"buildUnpublish","__meta":{"file":"proto/proto-build.talk","tag":"method","line":37}},{"description":"Requests a list of current and future publications for a given site ID.","request":"BuildPublicationListRequest","response":"BuildPublicationListResponse","name":"buildPublicationList","__meta":{"file":"proto/proto-build.talk","tag":"method","line":43}}],"name":"InfoBuild","__meta":{"file":"proto/proto-build.talk","tag":"protocol","line":49}},{"description":"Support for text messaging.","method":[{"description":"Provide superficial overview of user's chat history. This provides the client with a ChatOverview object, whose ChatConversation objects each contain only the most recent entry in the chat history.","request":"ChatOverviewRequest","response":"ChatOverview","name":"chatOverview","__meta":{"file":"proto/proto-chat.talk","tag":"method","line":1}},{"description":"Send new text message from client to one or more recipients via server. If the convesation ID is -1 then a ChatConversation will be returned.","request":"ChatOutgoing","response":"ChatConversation","name":"chatSend","__meta":{"file":"proto/proto-chat.talk","tag":"method","line":7}},{"description":"Asynchronously push a chat message from the server to the client.","request":"ChatConversation","response":"none","origin":"server","name":"chatMessage","__meta":{"file":"proto/proto-chat.talk","tag":"method","line":13}},{"description":"Request chat history from server. The client specifies a conversation ID and, optionally, a message ID. If the message ID is omitted (indicated by setting to zero), the server provides all chat history for the specified conversation. If the message ID is included, the server provides all chat history newer than the indicated message ID.","request":"ChatConversationRequest","response":"ChatConversation","requirements":"Client must be a participant in the requested conversation.","name":"chatHistory","__meta":{"file":"proto/proto-chat.talk","tag":"method","line":20}},{"description":"Notify client that messages in a conversation have been read","request":"ChatConversation","response":"none","origin":"server","name":"chatReadNotification","__meta":{"file":"proto/proto-chat.talk","tag":"method","line":34}}],"name":"InfoChat","__meta":{"file":"proto/proto-chat.talk","tag":"protocol","line":41}},{"description":"Common methods not limited to any one application.","method":[{"description":"Establishes a new connection. After a successful connection, clients are assigned a valid ConnectionToken object which uniquely identifies their session. This token is sent on all subsequent messages, and is always called \"tok\". The server may also supply application-specific configuration in the response.","request":"ConnectionRequest","response":"ConnectionResponse","requirements":"Client must be authorized to connect to server; eg. its IP must be white-listed if appropriate.","name":"connect","__meta":{"file":"proto/proto-common.talk","tag":"method","line":29}},{"description":"Authenticates an existing connection.","request":"ClientLoginRequest","response":"ClientLoginResponse","requirements":"Client must supply a valid ConnectionToken that has not previously had a successful login request applied to it.","name":"login","__meta":{"file":"proto/proto-common.talk","tag":"method","line":36}},{"description":"Request to login in an anonymous user on an application","request":"ClientLoginRequest","response":"ClientLoginResponse","requirements":"Client must supply a valid ConnectionToken that has not previously had a successful login request applied to it.","name":"appLogin","__meta":{"file":"proto/proto-common.talk","tag":"method","line":1}},{"description":"Terminates an existing connection. After calling this method, the supplied ConnectionToken becomes invalidated.","request":"GenericRequest","response":"none","origin":"both","requirements":"ConnectionToken must refer to active connection.","name":"closeConnection","__meta":{"file":"proto/proto-common.talk","tag":"method","line":43}},{"description":"Registers client for automatic updates for a particular service. The server will begin providing asynchronous notifications of updates to the requested service. If possible, the server will provide delta updates rather than pushing the entire dataset with each update. Immediately upon response, the service will push an asynchronous notification with all relevant data to serve as the basis for future delta updates. The client has no guarantee of receiving the synchronous response prior to the first asynchronous push.","request":"ServiceSubscribeRequest","response":"none","followup":"ServiceUpdate","name":"serviceSubscribe","__meta":{"file":"proto/proto-common.talk","tag":"method","line":8}},{"description":"Unregisters client from automatic updates from a particular service","request":"ServiceUnsubscribeRequest","response":"none","name":"serviceUnsubscribe","__meta":{"file":"proto/proto-common.talk","tag":"method","line":16}},{"description":"Service update from the server","request":"ServiceUpdate","response":"none","origin":"server","name":"serviceUpdate","__meta":{"file":"proto/proto-common.talk","tag":"method","line":22}},{"request":"Heartbeat","response":"none","origin":"server","description":"Asynchronous heartbeat from server. Sent every 60 seconds.","name":"heartbeat","__meta":{"file":"proto/proto-common.talk","tag":"method","line":58}},{"request":"GenericRequest","response":"none","origin":"client","description":"Sent by client ot keep connection alive","name":"keepAlive","__meta":{"file":"proto/proto-common.talk","tag":"method","line":65}},{"description":"Sent from the Comet server with no body on a successful connection. Contains a JSONRPCError body if an error is being sent from the server, both on connection and at an any time after a successful connection has begun.","request":"JSONRPCError","response":"none","origin":"server","name":"initComet","__meta":{"file":"proto/proto-common.talk","tag":"method","line":51}},{"request":"UpdatePassword","response":"none","origin":"client","description":"Modifies the password of an existing account","requirements":"If the sender is trying to modify an account other than their own, then the sender must have permission to modify user profiles.","name":"updatePassword","__meta":{"file":"proto/proto-common.talk","tag":"method","line":72}},{"request":"MessageAck","response":"none","origin":"client","description":"Acknowledge a receipt of a received async message.","requirements":"Valid ConnectionToken.","name":"messageAck","__meta":{"file":"proto/proto-common.talk","tag":"method","line":80}},{"request":"GenericRequest","response":"none","origin":"server","description":"Message sent from the server to force clients to check for a software update.","name":"checkForUpdate","__meta":{"file":"proto/proto-common.talk","tag":"method","line":88}},{"request":"ConfigValueWrapper","response":"none","origin":"server","description":"Message, generally through Comet, containing a list of updated configs.","name":"configUpdate","__meta":{"file":"proto/proto-common.talk","tag":"method","line":95}},{"request":"GetRequest","response":"GetEditResponse","origin":"client","description":"Get request for 1 or more info objects","name":"get","__meta":{"file":"proto/proto-common.talk","tag":"method","line":102}},{"request":"EditRequest","response":"GetEditResponse","origin":"client","description":"Create info object request/response","name":"create","__meta":{"file":"proto/proto-common.talk","tag":"method","line":109}},{"request":"EditRequest","response":"GetEditResponse","origin":"client","description":"Update info object request/response","name":"update","__meta":{"file":"proto/proto-common.talk","tag":"method","line":116}},{"request":"EditRequest","response":"GetEditResponse","origin":"client","description":"Delete info object request/response","name":"delete","__meta":{"file":"proto/proto-common.talk","tag":"method","line":123}},{"request":"GenericRequest","response":"License","origin":"client","description":"Get the License info from the server handling the request","name":"getLicense","__meta":{"file":"proto/proto-common.talk","tag":"method","line":130}}],"name":"InfoCommon","__meta":{"file":"proto/proto-common.talk","tag":"protocol","line":137}},{"description":"Encapsulates JSON RPC calls supported by kai lite","method":[{"description":"get meter data for a given date range","request":"KaiLiteMetersRequest","response":"KaiLiteMetersResponse","requirements":"none","name":"getDailyMeters","__meta":{"file":"proto/proto-kailite.talk","tag":"method","line":1}}],"name":"KaiLite","__meta":{"file":"proto/proto-kailite.talk","tag":"protocol","line":8}},{"description":"Interface to remote logger","method":[{"description":"Requests logdata to be logged to particular business day / system / site file","request":"LogRequest","response":"LogResponse","name":"logData","__meta":{"file":"proto/proto-log.talk","tag":"method","line":1}},{"description":"Requests particular business day / system / site be closed for any more processing","request":"LogClose","response":"none","name":"logClose","__meta":{"file":"proto/proto-log.talk","tag":"method","line":7}},{"description":"Requests a filter (read) from log server","request":"LogFilterRequest","response":"LogFilterResponse","name":"logFilter","__meta":{"file":"proto/proto-log.talk","tag":"method","line":13}},{"description":"Requests the results of a previous logFilter request","request":"LogFilterQueueRequest","response":"LogFilterQueueResponse","name":"logFilterQueue","__meta":{"file":"proto/proto-log.talk","tag":"method","line":19}}],"name":"InfoLogger","__meta":{"file":"proto/proto-log.talk","tag":"protocol","line":25}},{"description":"Defines the protocol between Mercury and MercIntf","method":[{"description":"method for getting configuration","request":"GenericRequest","response":"ConfigResponse","name":"config","__meta":{"file":"proto/proto-mercintf.talk","tag":"method","line":1}},{"description":"method for getting event data","request":"EventRequest","response":"EventResponse","name":"event","__meta":{"file":"proto/proto-mercintf.talk","tag":"method","line":6}},{"description":"method for registering Gaming Terminals","request":"RegisterKaiDevicesRequest","response":"RegisterKaiDevicesResponse","name":"registerKaiDevices","__meta":{"file":"proto/proto-mercintf.talk","tag":"method","line":11}}],"name":"InfoMercIntf","__meta":{"file":"proto/proto-mercintf.talk","tag":"protocol","line":17}},{"description":"Messages for the Frontline and Supervisor applications of Kai (previously known as Mercury Service Express). These messages allow the dispatch and service of calls, basic reporting and configuration, and user account management. A few of these are also used by the Kai configuration website.","method":[{"description":"Asynchronous update of workInfo. The server asynchronously pushes a WorkInfo object when the client's floor or shift info has been updated. The method name is chosen to match the synchronous request-oriented version of the workInfo method to allow clients to implement a single listener to receive both synchronous and asynchronous WorkInfo updates.","request":"WorkInfo","response":"none","origin":"server","requirements":"Open Comet interface based on active, authenticated ConnectionToken with dispatch attendant or supervisor privileges","name":"workInfo","__meta":{"file":"proto/proto-mercury-se.talk","tag":"method","line":8}},{"description":"Update a call's status. This method is used for accepting, deferring, arriving, completing, quitting, escalating or re-assigning calls. The server responds with updated WorkInfo.","request":"CallUpdate","response":"GenericResponse","requirements":"Valid, authenticated ConnectionToken with dispatch attendant or supervisor privileges. Attendant must be assigned to call in question.","name":"callUpdate","__meta":{"file":"proto/proto-mercury-se.talk","tag":"method","line":16}},{"description":"Returns all calls for either the past 24 hours or current business day, depending on configuation","request":"StatsReportRequest","response":"GenericResponse","requirements":"Valid, authenticated ConnectionToken with supervisor privileges.","name":"dailyCalls","__meta":{"file":"proto/proto-mercury-se.talk","tag":"method","line":23}},{"description":"Lists all employees in the system, regardless of sign-in or schedule status.","request":"GenericRequest","response":"GenericResponse","requirements":"Valid, authenticated ConnectionToken.","name":"staffListAll","__meta":{"file":"proto/proto-mercury-se.talk","tag":"method","line":30}},{"description":"List all calls outstanding in the dispatch system.","request":"GenericRequest","response":"GenericResponse","requirements":"Valid, authenticated ConnectionToken with supervisor privileges.","name":"taskList","__meta":{"file":"proto/proto-mercury-se.talk","tag":"method","line":37}},{"description":"Updates or creates an employee profile.","request":"DispatchUserProfile","response":"none","requirements":"Valid, authenticated ConnectionToken with supervisor privileges.","name":"requestEmployee","__meta":{"file":"proto/proto-mercury-se.talk","tag":"method","line":44}},{"description":"Removes an employee from the system.","request":"DispatchDeleteRequest","response":"none","requirements":"Valid, authenticated ConnectionToken with supervisor privileges.","name":"employeeDelete","__meta":{"file":"proto/proto-mercury-se.talk","tag":"method","line":51}},{"description":"Select role and section for shift","request":"ShiftSelection","response":"none","requirements":"Valid, authenticated ConnectionToken associated to account privileged to serve selected role","name":"shiftSelection","__meta":{"file":"proto/proto-mercury-se.talk","tag":"method","line":58}},{"description":"Update list of employees marked for early-out","request":"EarlyOutList","response":"none","requirements":"Valid, authenticated ConnectionToken with supervisor privileges.","name":"earlyOutUpdate","__meta":{"file":"proto/proto-mercury-se.talk","tag":"method","line":65}},{"description":"Update employee status","request":"AttendantStatusUpdateRequest","response":"none","requirements":"Valid, authenticated ConnectionToken with supervisor privileges.","name":"statusUpdate","__meta":{"file":"proto/proto-mercury-se.talk","tag":"method","line":72}},{"description":"A voice message to be broadcast across a channel specified in the VoiceMessage.VoiceHeader.channelName field.","request":"VoiceMessage","response":"none","requirements":"Valid, authenticated ConnectionToken","name":"voiceMessage","__meta":{"file":"proto/proto-mercury-se.talk","tag":"method","line":79}},{"description":"Contains a MealReport with one or more MEAL objects that were saved locally when network connectivity was unavailable. Note: The MEAL files contained in the MealReport may have been created by non-matching user accounts. (e.g. It may include MEAL entries made by both Bob and Joe.)","request":"MealReport","response":"none","origin":"client","requirements":"Valid, authenticated ConnectionToken","name":"mealReportOffline","__meta":{"file":"proto/proto-mercury-se.talk","tag":"method","line":93}},{"description":"Assigns a comment to a meal entry","request":"MealCommentRequest","response":"none","requirements":"Valid, authenticated ConnectionToken","name":"mealComment","__meta":{"file":"proto/proto-mercury-se.talk","tag":"method","line":86}},{"description":"Request an updated ActiveCallsAtLocation object for the given location in the request.","request":"ActiveCallsAtLocationRequest","response":"GenericResponse","requirements":"Valid, authenticated ConnectionToken","name":"getActiveCallsAtLocation","__meta":{"file":"proto/proto-mercury-se.talk","tag":"method","line":101}},{"description":"Request all calls in a specified employee's section and associated sections","request":"ActiveCallsAccessibleToEmployeeRequest","response":"GenericResponse","requirements":"Valid, authenticated ConnectionToken and a valid employee ID","name":"getActiveCallsAccessibleToEmployee","__meta":{"file":"proto/proto-mercury-se.talk","tag":"method","line":108}},{"description":"Request to create a call. Does not return a workInfo since this can be both a self speed call or a request from a supervisor to place another employee on a call.","request":"CreateCallRequest","response":"none","requirements":"Valid ConnectionToken, idEmployee, and idCallConfig. Also idSection, location, idMealReason, and/or additionalReason may be required depending on idCallConfig and idMealReason if present.","name":"createCall","__meta":{"file":"proto/proto-mercury-se.talk","tag":"method","line":115}},{"description":"Notifies the server the employee will be inserting their card into a machine","request":"RegisterEmployeeCard","response":"GenericResponse","requirements":"Valid, authenticated ConnectionToken","name":"registerEmployeeCard","__meta":{"file":"proto/proto-mercury-se.talk","tag":"method","line":122}},{"description":"Asks for the server to mark an Alert as read for the employee making the request. A user cannot read an alert for another user.","request":"ReadAlert","response":"none","requirements":"Valid, authenticated ConnectionToken","name":"readAlert","__meta":{"file":"proto/proto-mercury-se.talk","tag":"method","line":129}},{"description":"Notifies an employee that he or she should go on or off break, or log out.","request":"ActionNotification","response":"none","origin":"client","requirements":"Active asynchronous channel for authenticated client","name":"actionNotification","__meta":{"file":"proto/proto-mercury-se.talk","tag":"method","line":144}},{"description":"Request that the CallInfo identified by the CallUpdate.identifier field has exclude_from_stats set in the database.","request":"CallUpdate","response":"none","requirements":"Valid, authenticated ConnectionToken","name":"removeCallFromStats","__meta":{"file":"proto/proto-mercury-se.talk","tag":"method","line":152}},{"description":"Request to create a new MEAL entry.","request":"CreateMealRequest","response":"none","requirements":"Valid ConnectionToken","name":"createMealEntry","__meta":{"file":"proto/proto-mercury-se.talk","tag":"method","line":159}},{"description":"Request configuration information by supplying a unique ID defined through talk identifying the configuration type.","request":"ConfigValueRequest","response":"GenericResponse","requirements":"Valid ConnectionToken","name":"configValueRequest","__meta":{"file":"proto/proto-mercury-se.talk","tag":"method","line":166}},{"description":"Request a configuration update by supplying a unique ID defined through talk identifying the configuration type, and the configuration values themselves in a ConfigValueWrapper.","request":"ConfigValueUpdateRequest","response":"GenericResponse","requirements":"Valid ConnectionToken","name":"configValueUpdateRequest","__meta":{"file":"proto/proto-mercury-se.talk","tag":"method","line":173}},{"description":"Request the permission set and usher user status of the user currently logged in to the Kai config website. NOTE: This request returns the employee name field set to null.","request":"GenericRequest","response":"GenericResponse","requirements":"Valid ConnectionToken","name":"getConfigUserPermissionSet","__meta":{"file":"proto/proto-mercury-se.talk","tag":"method","line":180}},{"description":"Request a list of reports","request":"ReportListRequest","response":"GenericResponse","name":"reportListRequest","__meta":{"file":"proto/proto-mercury-se.talk","tag":"method","line":187}},{"description":"Request to render a report","request":"ReportRenderRequest","response":"GenericResponse","name":"reportRenderRequest","__meta":{"file":"proto/proto-mercury-se.talk","tag":"method","line":193}},{"description":"Load archived report file","request":"ReportLoadRequest","response":"GenericResponse","name":"reportLoadRequest","__meta":{"file":"proto/proto-mercury-se.talk","tag":"method","line":199}},{"description":"Update a beverage order's status. This method is used for","request":"BeverageOrderUpdate","response":"GenericResponse","requirements":"Valid, authenticated ConnectionToken.","name":"beverageOrderUpdate","__meta":{"file":"proto/proto-mercury-se.talk","tag":"method","line":205}},{"description":"Sends all orders for a beverage server to his/her home well. The partial update flag in the beveragetray object to false. This will result in an async message being sent to the appropriate user at the well","request":"FiredOrders","response":"none","requirements":"Valid, authenticated ConnectionToken.","name":"fireOrders","__meta":{"file":"proto/proto-mercury-se.talk","tag":"method","line":212}},{"description":"Request to create a new beverage order. Includes a BeverageOrder object with the action set to BEVERAGE_ORDER_CREATE, if the action is anything else this will fail. Upon the server completing the database update it should then broadcast out a beverageListUpdate with the newly created Beverage order as the only item in the array.","request":"CreateBeverageOrder","response":"GenericResponse","requirements":"Valid, authenticated ConnectionToken. BeverageOrder object with the action set to BEVERAGE_ORDER_CREATE.","name":"createNewBeverageOrder","__meta":{"file":"proto/proto-mercury-se.talk","tag":"method","line":219}},{"description":"Returns all beverage orders for either the past 24 hours or current business day, depending on configuation","request":"BeverageStatsReportRequest","response":"GenericResponse","requirements":"Valid, authenticated ConnectionToken","name":"dailyBeverageOrders","__meta":{"file":"proto/proto-mercury-se.talk","tag":"method","line":226}},{"description":"Request a CardUtilization report.","request":"GenericRequest","response":"GenericResponse","requirements":"Valid ConnectionToken","name":"cardUtilization","__meta":{"file":"proto/proto-mercury-se.talk","tag":"method","line":233}},{"description":"Request to upload and process a configuration spreadsheet.","request":"FileUpload","response":"GenericResponse","requirements":"Valid ConnectionToken","name":"loadConfigSpreadsheetRequest","__meta":{"file":"proto/proto-mercury-se.talk","tag":"method","line":241}},{"description":"Request to unlock all linked carded for a given employee.","request":"UnlockEmployeeCard","response":"GenericResponse","requirements":"Valid ConnectionToken","name":"unlockEmployeeCard","__meta":{"file":"proto/proto-mercury-se.talk","tag":"method","line":248}},{"description":"Select beverage well for shift","request":"WellSelection","response":"none","requirements":"Valid, authenticated ConnectionToken associated to account privileged to serve selected role","name":"wellSelection","__meta":{"file":"proto/proto-mercury-se.talk","tag":"method","line":255}},{"description":"List all beverage orderes outstanding in the system.","request":"GenericRequest","response":"GenericResponse","requirements":"Valid, authenticated ConnectionToken with supervisor privileges.","name":"beverageOrderList","__meta":{"file":"proto/proto-mercury-se.talk","tag":"method","line":262}},{"description":"Request to add a specific machine to a specific call","request":"AddMachineToCallRequest","response":"GenericResponse","requirements":"Valid, authenticated ConnectionToken with supervisor privileges.","name":"addMachineToCall","__meta":{"file":"proto/proto-mercury-se.talk","tag":"method","line":269}},{"description":"Request to add a specific machine to a specific call","request":"GenericRequest","response":"TalkString","name":"getConfigWebVersion","__meta":{"file":"proto/proto-mercury-se.talk","tag":"method","line":276}},{"description":"Request for a stats header, either for a specific user or for the entire department","request":"StatsDashboardHeaderRequest","response":"GenericResponse","requirements":"Valid, authenticated ConnectionToken with supervisor privileges.","name":"statsDashboardHeader","__meta":{"file":"proto/proto-mercury-se.talk","tag":"method","line":282}},{"description":"Request to force close an array of calls","request":"ForceCloseCallsRequest","response":"GenericResponse","requirements":"Valid, authenticated ConnectionToken with supervisor privileges.","name":"forceCloseCalls","__meta":{"file":"proto/proto-mercury-se.talk","tag":"method","line":289}},{"description":"Request to flag a calls","request":"FlagCallRequest","response":"GenericResponse","requirements":"Valid, authenticated ConnectionToken with supervisor privileges.","name":"flagCall","__meta":{"file":"proto/proto-mercury-se.talk","tag":"method","line":296}},{"description":"Request to flag a calls","request":"LinkBluetoothDeviceRequest","response":"GenericResponse","requirements":"Valid, authenticated ConnectionToken with supervisor privileges.","name":"linkBluetoothDevice","__meta":{"file":"proto/proto-mercury-se.talk","tag":"method","line":303}},{"description":"Request to subscribe/unsubscribe to getting zapped periodically over comet by the server.","request":"ZapTimerRequest","response":"GenericResponse","requirements":"Valid ConnectionToken.","name":"zapTimer","__meta":{"file":"proto/proto-mercury-se.talk","tag":"method","line":310}},{"description":"Request to update a users preferences.","request":"EmployeePreferenceList","response":"GenericResponse","requirements":"Valid ConnectionToken.","name":"updateEmployeePreferences","__meta":{"file":"proto/proto-mercury-se.talk","tag":"method","line":317}},{"description":"Request the servers current time in epoch milliseconds","request":"GenericRequest","response":"ServerTime","name":"getServerTime","__meta":{"file":"proto/proto-mercury-se.talk","tag":"method","line":324}},{"description":"Contains information about the users wireless interface and will be combined with the users last known location and call info.","request":"WirelessStatus","response":"GenericResponse","requirements":"Valid ConnectionToken","name":"wirelessLocationData","__meta":{"file":"proto/proto-mercury-se.talk","tag":"method","line":330}},{"description":"Contains information about the users wireless data. The entries are from the previous thirty seconds when encountering poor wifi.","request":"WirelessIssueLog","response":"GenericResponse","requirements":"Valid ConnectionToken","name":"wirelessDiagnostics","__meta":{"file":"proto/proto-mercury-se.talk","tag":"method","line":337}},{"description":"Request to sleep a call for a specified duration.","request":"SleepCallRequest","response":"GenericResponse","requirements":"Valid ConnectionToken.","name":"sleepCall","__meta":{"file":"proto/proto-mercury-se.talk","tag":"method","line":344}}],"name":"InfoMercurySe","__meta":{"file":"proto/proto-mercury-se.talk","tag":"protocol","line":351}},{"description":"Metis communications","method":[{"description":"Gets a users recent activity","request":"MetisActivityRequest","response":"MetisActivityResponse","name":"getMetisActivity","__meta":{"file":"proto/proto-metis.talk","tag":"method","line":1}}],"name":"InfoMetis","__meta":{"file":"proto/proto-metis.talk","tag":"protocol","line":7}},{"description":"Encapsulates JSON RPC calls supported by the promo interface of the promotional contest protocol that is used by the flash movie and the redemption web page","method":[{"description":"Request from flash movie to get the contest configuration. Response NamedObjectWrapper contains a ContestConfigFlash object.","request":"GenericRequest","response":"NamedObjectWrapper","requirements":"none","name":"getContestConfigFlash","__meta":{"file":"proto/proto-promo.talk","tag":"method","line":1}},{"description":"Request from flash movie to promo server for data about the next task to be displayed. Response NamedObjectWrapper contains either a PromoStatus or a PromoReveal object.","request":"GenericRequest","response":"NamedObjectWrapper","requirements":"none","name":"getPromoData","__meta":{"file":"proto/proto-promo.talk","tag":"method","line":8}},{"description":"Request from website flash code to promo server for PromoStatus or PromoReveal for a specified participant. Response NamedObjectWrapper contains either a PromoStatus or a PromoReveal object.","request":"PromoParticipantRequest","response":"NamedObjectWrapper","requirements":"none","name":"getPromoParticipantData","__meta":{"file":"proto/proto-promo.talk","tag":"method","line":15}},{"description":"Request the Wally sign code from the server. The response NamedObjectWrapper contains a PromoSignCode object.","request":"PromoSignCode","response":"NamedObjectWrapper","requirements":"The Wally sign has a valid appLogin","name":"getPromoSignCode","__meta":{"file":"proto/proto-promo.talk","tag":"method","line":22}},{"description":"Request from flash movie to promo server for \"totals\" data to be displayed on a \"leader board\". Response NamedObjectWrapper contains a PromoTotals object.","request":"GenericRequest","response":"NamedObjectWrapper","requirements":"none","name":"getPromoTotals","__meta":{"file":"proto/proto-promo.talk","tag":"method","line":29}},{"description":"request to get participant prizes for redemption","request":"PromoParticipantInfoRequest","response":"PromoParticipantPrizesResponse","requirements":"none","name":"getParticipantPrizes","__meta":{"file":"proto/proto-promo.talk","tag":"method","line":36}},{"description":"set participant state to redeemed","request":"PromoParticipantRedeemRequest","response":"GenericResponse","requirements":"none","name":"setRedeemed","__meta":{"file":"proto/proto-promo.talk","tag":"method","line":43}},{"description":"upgrade non-carded participant to carded status","request":"PromoUpgradeParticipantRequest","response":"GenericResponse","requirements":"none","name":"upgradeParticipant","__meta":{"file":"proto/proto-promo.talk","tag":"method","line":50}},{"description":"get text detail for specified participant","request":"PromoParticipantInfoRequest","response":"PromoTextDetailResponse","requirements":"none","name":"getTextDetail","__meta":{"file":"proto/proto-promo.talk","tag":"method","line":57}}],"name":"Promo","__meta":{"file":"proto/proto-promo.talk","tag":"protocol","line":64}},{"description":"Encapsulates JSON RPC calls supported by the QA Test Protocol","method":[{"description":"Used to send a test event to mercury","request":"QATestEventRequest","response":"none","requirements":"none","name":"qaTestEvent","__meta":{"file":"proto/proto-qatest.talk","tag":"method","line":1}},{"description":"Used to retrieve server information","request":"none","response":"QATestVersion","requirements":"none","name":"qaVersion","__meta":{"file":"proto/proto-qatest.talk","tag":"method","line":8}}],"name":"InfoQATest","__meta":{"file":"proto/proto-qatest.talk","tag":"protocol","line":15}},{"description":"Messages required for certain radio features to work","method":[{"description":"Request current list of radio channels, response is returned asynchronously","request":"GenericRequest","response":"GenericResponse","requirements":"Valid, authenticated ConnectionToken","name":"listChannels","__meta":{"file":"proto/proto-radio.talk","tag":"method","line":1}}],"name":"InfoRadio","__meta":{"file":"proto/proto-radio.talk","tag":"protocol","line":8}},{"description":"The protocol between the switchboard and the system provider.","method":[{"description":"Used to transfer an incoming text message from the switchboard to the system provider over the asynchronous comet channel.","request":"SystemMessage","response":"none","origin":"server","requirements":"An open comet channel","name":"incomingMessage","__meta":{"file":"proto/proto-switchboard.talk","tag":"method","line":1}},{"description":"Used to transfer an outgoing (response) text message from the system provider to the switchboard over the normal JSON RPC synchronous channel.","request":"SystemMessageResponse","response":"none","origin":"client","requirements":"A valid connection with AppLogin.","name":"outgoingMessage","__meta":{"file":"proto/proto-switchboard.talk","tag":"method","line":9}},{"description":"Used to send required configuration data from the system provider to the switchboard.","request":"SwitchboardConfig","response":"none","origin":"client","requirements":"A valid connection with AppLogin.","name":"setConfig","__meta":{"file":"proto/proto-switchboard.talk","tag":"method","line":17}}],"name":"Switchboard","__meta":{"file":"proto/proto-switchboard.talk","tag":"protocol","line":25}},{"description":"Defines the protocol between mercintf and univkai","method":[{"description":"get host event codes","request":"GenericRequest","response":"HostEventCodesResponse","name":"getHostEventCodes","__meta":{"file":"proto/proto-univkai.talk","tag":"method","line":1}},{"description":"get host event items","request":"HostEventItemsRequest","response":"HostEventItemsResponse","name":"getHostEventItems","__meta":{"file":"proto/proto-univkai.talk","tag":"method","line":6}},{"description":"get kai devices","request":"GenericRequest","response":"HostKaiDevicesResponse","name":"getHostKaiDevices","__meta":{"file":"proto/proto-univkai.talk","tag":"method","line":11}},{"description":"get player ratings","request":"HostPlayerRatingsRequest","response":"HostPlayerRatingsResponse","name":"getHostPlayerRatings","__meta":{"file":"proto/proto-univkai.talk","tag":"method","line":16}},{"description":"get player sessions","request":"HostPlayerSessionsRequest","response":"HostPlayerSessionsResponse","name":"getHostPlayerSessions","__meta":{"file":"proto/proto-univkai.talk","tag":"method","line":21}},{"description":"get patron identifier from club number","request":"HostPatronIdRequest","response":"HostPatronIdResponse","name":"getHostPatronId","__meta":{"file":"proto/proto-univkai.talk","tag":"method","line":26}},{"description":"get machine meters","request":"GenericRequest","response":"HostMetersResponse","name":"getHostMachineMeters","__meta":{"file":"proto/proto-univkai.talk","tag":"method","line":31}},{"description":"get host system time","request":"GenericRequest","response":"HostSystemTimeResponse","name":"getHostSystemTime","__meta":{"file":"proto/proto-univkai.talk","tag":"method","line":37}}],"name":"InfoUnivKai","__meta":{"file":"proto/proto-univkai.talk","tag":"protocol","line":43}},{"description":"Allows zero-config support of multiple Acres 4 servers.","method":[{"description":"Requests host and port information from server. The client supplies as much local information about the device and application as possible; the service is allowed to use this, in tandem with the source IP address, to determine an appropriate server to direct the client to.","request":"UsherRequest","response":"UsherResponse","name":"usher","__meta":{"file":"proto/proto-usher.talk","tag":"method","line":1}},{"description":"Requests host and port information from server. The client supplies as much local information about the device and application as possible; the service will return a comprehensive list of all IP addresses that could be accessible for the client. I.e. both internal and external addresses in pairs (order by internal,external grouped by product)","request":"UsherRequest","response":"UsherAltResponse","name":"usherAlt","__meta":{"file":"proto/proto-usher.talk","tag":"method","line":7}},{"description":"requests a sync of the appSiteInfo records on usher. Note request is actually long and response is actually array but talk currently doesn't handle those","request":"UsherDevSiteInfoSyncRequest","response":"UsherDevSiteInfoSyncResponse","name":"devSiteInfoSync","__meta":{"file":"proto/proto-usher.talk","tag":"method","line":13}},{"description":"Requests a comprehensive listing of all usher information including system id for host","request":"UsherSystemIdRequest","response":"UsherSystemIdResponse","name":"usherSystemId","__meta":{"file":"proto/proto-usher.talk","tag":"method","line":19}},{"description":"Requests an authentication of an employee","request":"ClientLoginRequest","response":"UsherAuthenticateResponse","name":"usherAuthenticate","__meta":{"file":"proto/proto-usher.talk","tag":"method","line":25}},{"description":"Requests an edit to an usher object","request":"UsherEditRequest","response":"UsherEditResponse","name":"usherEdit","__meta":{"file":"proto/proto-usher.talk","tag":"method","line":31}},{"description":"Allows an employee to change their own password","request":"UsherChangePasswordRequest","response":"none","name":"usherChangePassword","__meta":{"file":"proto/proto-usher.talk","tag":"method","line":37}},{"description":"Information on employees and permissions","request":"UsherInfoRequest","response":"UsherInfoResponse","name":"usherInfo","__meta":{"file":"proto/proto-usher.talk","tag":"method","line":43}},{"description":"Request a renewal for a site license","request":"UsherLicenseRequest","response":"UsherLicenseResponse","name":"usherLicense","__meta":{"file":"proto/proto-usher.talk","tag":"method","line":140}},{"description":"Request a target UsherHost for a given target number","request":"UsherSMSRequest","response":"UsherSMSResponse","name":"usherSMSTarget","__meta":{"file":"proto/proto-usher.talk","tag":"method","line":146}},{"description":"Request license data from Usher Master","request":"UsherLicenseDataRequest","response":"UsherLicenseDataResponse","name":"usherLicenseData","__meta":{"file":"proto/proto-usher.talk","tag":"method","line":152}},{"description":"Downloads global permissions list","request":"UsherInfoRequest","response":"UsherPermissionInfo","name":"usherPermissionList","__meta":{"file":"proto/proto-usher.talk","tag":"method","line":67}},{"description":"Saves global permissions list","request":"UsherPermissionUpdateRequest","response":"none","name":"usherPermissionUpdate","__meta":{"file":"proto/proto-usher.talk","tag":"method","line":73}},{"description":"Information on Database Backups","request":"UsherListDBBackupsRequest","response":"UsherListDBBackupsResponse","name":"usherListDBBackup","__meta":{"file":"proto/proto-usher.talk","tag":"method","line":49}},{"description":"Creates a new backup","request":"UsherCreateDBBackupRequest","response":"UsherCreateDBBackupResponse","name":"UsherCreateDBBackup","__meta":{"file":"proto/proto-usher.talk","tag":"method","line":61}},{"description":"Request to publish a particular USHER_DB_SYSTEM type backup","request":"UsherPublishDBRequest","response":"none","name":"usherPublishDBBackup","__meta":{"file":"proto/proto-usher.talk","tag":"method","line":97}},{"description":"Request to restore a previous DB backup","request":"UsherRestoreDBRequest","response":"none","name":"usherRestoreDBBackup","__meta":{"file":"proto/proto-usher.talk","tag":"method","line":103}},{"description":"Request to delete a previous DB backup","request":"UsherDeleteDBRequest","response":"none","name":"usherDeleteDBBackup","__meta":{"file":"proto/proto-usher.talk","tag":"method","line":109}},{"description":"Returns list of System Types","request":"GenericRequest","response":"UsherSystemTypeResponse","name":"usherSystemTypeList","__meta":{"file":"proto/proto-usher.talk","tag":"method","line":79}},{"description":"Allows client to request list of sites mapped to host for a given product","request":"UsherSiteHostListRequest","response":"UsherSiteHostList","name":"usherSiteHostListMethod","__meta":{"file":"proto/proto-usher.talk","tag":"method","line":115}},{"description":"Allows client to request list of sites mapped to host for a given product","request":"UsherSiteHostListRequest","response":"UsherSiteHostList","name":"usherSiteHostListMethodAlt","__meta":{"file":"proto/proto-usher.talk","tag":"method","line":122}},{"description":"Download a complete replica of the Usher database","request":"UsherDBReplicaRequest","response":"UsherDBReplicaResponse","name":"usherDBReplica","__meta":{"file":"proto/proto-usher.talk","tag":"method","line":85}},{"description":"Request to Usher for URL/product resolution to UsherHost","request":"UsherServiceUrlRequest","response":"UsherServiceUrlResponse","name":"usherServiceUrl","__meta":{"file":"proto/proto-usher.talk","tag":"method","line":91}},{"description":"Request server to create an DDL representing a given data center","request":"UsherCreateLiteDBRequest","response":"none","name":"usherCreateLiteDB","__meta":{"file":"proto/proto-usher.talk","tag":"method","line":128}},{"description":"Request server to create a license file","request":"UsherSiteLicenseExportRequest","response":"none","name":"usherSiteLicenseExport","__meta":{"file":"proto/proto-usher.talk","tag":"method","line":134}},{"description":"Automatic rsync request to pull down most recent License Signer certificate","request":"GenericRequest","response":"GenericResponse","name":"usherLicenseSignerSync","__meta":{"file":"proto/proto-usher.talk","tag":"method","line":158}}],"name":"InfoUsher","__meta":{"file":"proto/proto-usher.talk","tag":"protocol","line":166}},{"description":"Encapsulates JSON RPC calls supported by the winvelope interface of the promotional contest protocol that is used by the winvelope processor. TODO delete this file after winvelope and promo are merged.","method":[{"description":"Replication server sending client data to sync note tok is unused if this is across comet channel;","request":"ReplicationEntityRequest","response":"none","origin":"server","name":"replicationRequest","__meta":{"file":"proto/proto-winvelope-replication.talk","tag":"method","line":1}},{"description":"Replication client telling replication server of replication success note data will be null in this response","request":"ReplicationEntityRequest","response":"none","origin":"client","name":"replicationResponse","__meta":{"file":"proto/proto-winvelope-replication.talk","tag":"method","line":8}}],"name":"WinvelopeReplication","__meta":{"file":"proto/proto-winvelope-replication.talk","tag":"protocol","line":15}},{"description":"Encapsulates JSON RPC calls supported by the winvelope interface of the promotional contest protocol that is used by the winvelope processor","method":[{"description":"Promo server asking winvelope processor if a player card number belongs to a valid participant that is eligible to enroll in the promotional contest.","request":"ValidParticipantRequest","response":"none","origin":"server","name":"participantValidRequest","__meta":{"file":"proto/proto-winvelope.talk","tag":"method","line":1}},{"description":"Winvelope processor answering promo server about whether a player card number is valid and eligible to participate or not.","request":"ValidParticipantResponse","response":"none","origin":"client","name":"participantValidResponse","__meta":{"file":"proto/proto-winvelope.talk","tag":"method","line":8}}],"name":"Winvelope","__meta":{"file":"proto/proto-winvelope.talk","tag":"protocol","line":16}},{"description":"Allows remote monitoring of client network traffic.","method":[{"request":"WiretapConversation","response":"none","origin":"server","description":"Furnishes a listener with a WiretapConversation. This conversation may or may not contain entries and/or flags. If appropriate, the listener should prepare to accept wiretapEntry messages for this conversation. In the server-centric model, this message is sent from the wiretap source via the Wiretap context, relayed via the server, and broadcast to listeners.","requirements":"Client is an authorized Wiretap listener, receiving this message on the Wiretap context.","name":"wiretapConversationStart","__meta":{"file":"proto/proto-wiretap.talk","tag":"method","line":14}},{"request":"WiretapEntry","response":"none","origin":"server","description":"Furnishes a listener with a WiretapEvent. In the server-centric model, this message is sent from the wiretap source via the Wiretap context, relayed via the server, and broadcast to listeners.","requirements":"Client is an authorized Wiretap listener, receiving this request on the Wiretap context.","name":"wiretapEntry","__meta":{"file":"proto/proto-wiretap.talk","tag":"method","line":29}},{"request":"WiretapFlag","response":"none","origin":"server","description":"Marks a conversation as flagged for analysis. In the server-centric model, this message is sent from the wiretap source via the Wiretap context, relayed via the server, and broadcast to listeners.","requirements":"Client is an authorized Wiretap listener, receiving this request on the Wiretap context.","name":"wiretapFlag","__meta":{"file":"proto/proto-wiretap.talk","tag":"method","line":44}},{"request":"WiretapCommand","response":"none","origin":"server","description":"Issues a command to a wiretap source. In the server-centric model, this message is sent from the wiretap listener via the Mercury context, relayed via the server, and broadcast to listeners.","requirements":"Client is an authorized Wiretap source, receiving this message on the Mercury context.","name":"wiretapCommand","__meta":{"file":"proto/proto-wiretap.talk","tag":"method","line":59}},{"request":"WiretapClientList","response":"none","origin":"server","description":"Provides an asynchronous update of the wiretap client list.","requirements":"Client is an authorized Wiretap listener, sending this request on the Wiretap context.","name":"wiretapClientList","__meta":{"file":"proto/proto-wiretap.talk","tag":"method","line":74}},{"request":"WiretapUpdateStatus","response":"none","origin":"client","description":"Provides an Update status to the server of clients current broadcast level","requirements":"Client is connected to server","name":"wiretapUpdateStatus","__meta":{"file":"proto/proto-wiretap.talk","tag":"method","line":82}}],"name":"InfoWiretap","__meta":{"file":"proto/proto-wiretap.talk","tag":"protocol","line":90}}],"target":[{"description":"Java target for Info protocols","language":"java","destination":"java","name":"NetJSON","__meta":{"file":"targets/target-java.talk","tag":"target","line":1}},{"description":"Javascript target","language":"js","destination":"js","template":"talk.js","meta":[{"name":"minify","value":"true","__meta":{"file":"targets/target-javascript.talk","tag":"meta","line":6}},{"name":"file","value":"jsImplementation.js","__meta":{"file":"targets/target-javascript.talk","tag":"meta","line":7}}],"name":"js","__meta":{"file":"targets/target-javascript.talk","tag":"target","line":1}},{"description":"iOS/OS X NetJSON target","language":"objc","destination":"Tarmac/Talk/autogenerated","map":[{"type":"field","class_name":"JSONRPCResponse","field_name":"id","new_field_name":"identifier","__meta":{"file":"targets/target-netjson.talk","tag":"map","line":6}},{"type":"field","class_name":"JSONRPCRequest","field_name":"id","new_field_name":"identifier","__meta":{"file":"targets/target-netjson.talk","tag":"map","line":7}},{"type":"field","class_name":"UpdatePassword","field_name":"newPassword","new_field_name":"changedPassword","__meta":{"file":"targets/target-netjson.talk","tag":"map","line":8}},{"type":"field","class_name":"UsherChangePasswordRequest","field_name":"newPassword","new_field_name":"changedPassword","__meta":{"file":"targets/target-netjson.talk","tag":"map","line":9}}],"meta":[{"name":"namespace","value":"true","__meta":{"file":"targets/target-netjson.talk","tag":"meta","line":11}}],"name":"NetJSON-objc","__meta":{"file":"targets/target-netjson.talk","tag":"target","line":1}}],"__meta":{"file":"n/a","tag":"base","line":"0"}}
@@ -0,0 +1,235 @@
1
+ require 'pp'
2
+
3
+ module A4Tools
4
+ class TalkConsumer
5
+ attr_reader :definition
6
+
7
+ def initialize(defn=nil)
8
+ self.definition = translate_definition(defn)
9
+ @constants = {}
10
+
11
+ setup_constants
12
+ end
13
+
14
+ def definition=(defn)
15
+ @definition = symbolify translate_definition(defn)
16
+
17
+ @definition[:class] ||= []
18
+ @definition[:class].each { |cls| cls[:field] ||= [] }
19
+
20
+ @definition[:enumeration] ||= []
21
+ @definition[:enumeration].each { |enum| enum[:constant] ||= [] }
22
+
23
+ @definition[:glossary] ||= []
24
+ @definition[:glossary].each { |glossary| glossary[:term] ||= [] }
25
+ end
26
+
27
+ def translate_definition(defn)
28
+ # Accept the definition if it's already a hash or nil
29
+ return defn if defn.is_a? Hash or defn.nil?
30
+
31
+ # Try to parse the definition as a JSON string, then try to treat it as a path to a file
32
+ [ lambda { JSON.parse(defn) }, lambda { JSON.parse(IO.read(defn)) } ].each do |func|
33
+ begin
34
+ return func.call
35
+ rescue JSON::ParserError
36
+ end
37
+ end
38
+
39
+ nil
40
+ end
41
+
42
+ def truncated_name(name)
43
+ name = name[:name] if name.is_a? Hash
44
+ name.to_s.split(".").last
45
+ end
46
+
47
+ def primitive?(type)
48
+ type = type[:type] if type.is_a? Hash
49
+ type = type.first if type.is_a? Array
50
+ primitives = [
51
+ "uint8", "uint16", "uint32", "uint64",
52
+ "int8", "int16", "int32", "int64",
53
+ "string", "real", "bool", "object", "talkobject" ]
54
+ primitives.include? type
55
+ end
56
+
57
+ def name_matches?(cls_name, name)
58
+ cls_name[-name.length .. -1] == name
59
+ end
60
+
61
+ def name_similar?(item_name, name)
62
+ item_name = item_name[:name] if item_name.is_a? Hash
63
+ return false if item_name.nil?
64
+
65
+ item_comps = item_name.split(".")
66
+ comps = name.split(".")
67
+ return true if name == item_name
68
+ return true if item_name.end_with? name
69
+ if item_comps.last.start_with? comps.last then
70
+ return false if comps.length > item_comps.length
71
+ comps[0..-2].reverse.each_index do |idx|
72
+ return false unless item_comps[-1 - idx] == comps[idx]
73
+ end
74
+ return true
75
+ end
76
+
77
+ return false
78
+ end
79
+
80
+ def field_named(cls, name)
81
+ cls[:field].each { |field| return field if field[:name] == name.to_s }
82
+ nil
83
+ end
84
+
85
+ def class_named(name)
86
+ @definition[:class].each { |cls| return cls if name_matches?(cls[:name], name) }
87
+ nil
88
+ end
89
+
90
+ def protocol_named(name)
91
+ @definition[:protocol].each { |proto| return proto if proto[:name] == name }
92
+ nil
93
+ end
94
+
95
+ def method_named(name, protocol=nil)
96
+ protocol = protocol_named(protocol) if(protocol.is_a? String)
97
+ if protocol.nil? then
98
+ @definition[:protocol].each do |proto|
99
+ next if proto[:method].nil?
100
+ proto[:method].each do |m|
101
+ next if !m.is_a? Hash || m[:name].nil?
102
+ return m, proto if m[:name] == name
103
+ end
104
+ end
105
+
106
+ return nil
107
+ end
108
+ return (protocol[:method].select { |method| method[:name] == name }).first, protocol
109
+ end
110
+
111
+ def glossary_named(name)
112
+ @definition[:glossary].select { |glossary| return glossary if name_matches?(glossary[:name], name) }
113
+ nil
114
+ end
115
+
116
+ def enumeration_named(name)
117
+ @definition[:enumeration].select { |enum| return enum if name_matches?(enum[:name], name) }
118
+ nil
119
+ end
120
+
121
+ def constant_named(name, collection=nil)
122
+ if collection.nil? then
123
+ constant = @constants[name.to_sym]
124
+ return constant[:constant], constant[:container] unless constant.nil?
125
+ return nil, nil
126
+ end
127
+
128
+ collection = glossary_named(collection) || enumeration_named(collection) if collection.is_a? String
129
+ return nil if collection.nil?
130
+
131
+ set = collection[:term] || collection[:constant]
132
+ return (set.select { |item| (item[:name] == name or item[:value] == name or item[:value] == name.to_f) }).first, collection
133
+ end
134
+
135
+ def things_named_recursive(name, collection, exclude)
136
+ total = []
137
+ if collection.is_a? Array then
138
+ collection.each do |item|
139
+ next if item.nil?
140
+ total += things_named_recursive(name, item, exclude)
141
+ end
142
+ elsif collection.is_a? Hash then
143
+ total.push(collection) if name_similar?(collection, name)
144
+ collection.each do |key, item|
145
+ total += things_named_recursive(name, item, exclude) unless (item.nil? or exclude.include? key)
146
+ end
147
+ end
148
+
149
+ total
150
+ end
151
+
152
+ def things_named_like(name, allowed=nil, exclude=[:field])
153
+ allowed ||= @definition.keys
154
+ allowed = [allowed] unless allowed.is_a? Array
155
+ allowed.inject([]) { |total, key| total + things_named_recursive(name, @definition[key], exclude) }
156
+ end
157
+
158
+ def methods_in_protocol(protocol)
159
+ protocol = protocol_named(name) if(protocol.is_a? String)
160
+ protocol[:method]
161
+ end
162
+
163
+ def setup_constants
164
+ @definition[:enumeration].each do |enum|
165
+ enum[:constant].each { |constant| @constants[constant[:name].to_sym] = { constant:constant, container:enum } }
166
+ end
167
+ @definition[:glossary].each do |glossary|
168
+ glossary[:term].each { |term| @constants[term[:name].to_sym] = { constant:term, container:glossary } }
169
+ end
170
+ end
171
+
172
+ def class_fields_match?(cls, obj)
173
+ return false unless obj.is_a? Hash
174
+ obj.keys.each { |key| return false if field_named(cls, key).nil? }
175
+ cls[:field].each { |field| return false unless obj.has_key?(field[:name].to_sym) }
176
+ true
177
+ end
178
+
179
+ def guess_class(obj)
180
+ return obj[:__class] if obj.has_key? :__class
181
+ return "com.acres4.common.info.NamedObjectWrapper" if obj.has_key? :className
182
+ return "com.acres4.common.info.JSONRPCResponse" if obj.has_key? :result and obj.has_key? :jsonrpc
183
+ return "com.acres4.common.info.JSONRPCRequest" if obj.has_key? :request and obj.has_key? :jsonrpc
184
+ @definition[:class].each { |cls| return cls[:name] if class_fields_match?(cls, obj) }
185
+ nil
186
+ end
187
+
188
+ def get_field_from_object(object, field_name)
189
+ m = field_name.to_s.match(/^([a-zA-Z0-9_]+)\[([0-9]+)\]$/)
190
+ if m.nil? then
191
+ return field_name, (object[field_name.to_sym] rescue nil)
192
+ else
193
+ name = m[1]
194
+ value = object[name.to_sym][m[2].to_i] rescue nil
195
+ return name, value
196
+ end
197
+ end
198
+
199
+ def locate_data(object, path, classhint=nil)
200
+ path = path.split(".") if path.is_a? String
201
+ path = [] if path.nil?
202
+
203
+ type = classhint || guess_class(object)
204
+ return object, type if type.nil? or path.empty?
205
+
206
+ cls = class_named(type)
207
+ return nil if cls.nil?
208
+
209
+ field_name, value = get_field_from_object(object, path.first)
210
+ return nil if field_name.nil? or value.nil?
211
+
212
+ field = field_named(cls, field_name)
213
+ return nil if field.nil?
214
+
215
+ locate_data(value, path[1..-1], field[:type].first)
216
+ end
217
+
218
+ def expand_name(name)
219
+ return nil if name.nil?
220
+ [ :class_named, :glossary_named, :enumeration_named ].each do |method|
221
+ thing = send(method, name)
222
+ return thing[:name] unless thing.nil?
223
+ end
224
+
225
+ nil
226
+ end
227
+
228
+ def [](key)
229
+ return @constants[key.to_sym][:constant][:value]
230
+ end
231
+
232
+ ###
233
+
234
+ end
235
+ end
metadata ADDED
@@ -0,0 +1,279 @@
1
+ --- !ruby/object:Gem::Specification
2
+ name: a4tools
3
+ version: !ruby/object:Gem::Version
4
+ version: 1.2.7
5
+ platform: ruby
6
+ authors:
7
+ - Jonas Acres
8
+ autorequire:
9
+ bindir: bin
10
+ cert_chain: []
11
+ date: 2014-08-11 00:00:00.000000000 Z
12
+ dependencies:
13
+ - !ruby/object:Gem::Dependency
14
+ name: bundler
15
+ requirement: !ruby/object:Gem::Requirement
16
+ requirements:
17
+ - - ~>
18
+ - !ruby/object:Gem::Version
19
+ version: '1.5'
20
+ type: :development
21
+ prerelease: false
22
+ version_requirements: !ruby/object:Gem::Requirement
23
+ requirements:
24
+ - - ~>
25
+ - !ruby/object:Gem::Version
26
+ version: '1.5'
27
+ - !ruby/object:Gem::Dependency
28
+ name: rake
29
+ requirement: !ruby/object:Gem::Requirement
30
+ requirements:
31
+ - - '>='
32
+ - !ruby/object:Gem::Version
33
+ version: '0'
34
+ type: :development
35
+ prerelease: false
36
+ version_requirements: !ruby/object:Gem::Requirement
37
+ requirements:
38
+ - - '>='
39
+ - !ruby/object:Gem::Version
40
+ version: '0'
41
+ - !ruby/object:Gem::Dependency
42
+ name: io
43
+ requirement: !ruby/object:Gem::Requirement
44
+ requirements:
45
+ - - '>='
46
+ - !ruby/object:Gem::Version
47
+ version: '0'
48
+ type: :runtime
49
+ prerelease: false
50
+ version_requirements: !ruby/object:Gem::Requirement
51
+ requirements:
52
+ - - '>='
53
+ - !ruby/object:Gem::Version
54
+ version: '0'
55
+ - !ruby/object:Gem::Dependency
56
+ name: io-console
57
+ requirement: !ruby/object:Gem::Requirement
58
+ requirements:
59
+ - - '>='
60
+ - !ruby/object:Gem::Version
61
+ version: '0'
62
+ type: :runtime
63
+ prerelease: false
64
+ version_requirements: !ruby/object:Gem::Requirement
65
+ requirements:
66
+ - - '>='
67
+ - !ruby/object:Gem::Version
68
+ version: '0'
69
+ - !ruby/object:Gem::Dependency
70
+ name: json
71
+ requirement: !ruby/object:Gem::Requirement
72
+ requirements:
73
+ - - ~>
74
+ - !ruby/object:Gem::Version
75
+ version: '1.7'
76
+ type: :runtime
77
+ prerelease: false
78
+ version_requirements: !ruby/object:Gem::Requirement
79
+ requirements:
80
+ - - ~>
81
+ - !ruby/object:Gem::Version
82
+ version: '1.7'
83
+ - !ruby/object:Gem::Dependency
84
+ name: logger
85
+ requirement: !ruby/object:Gem::Requirement
86
+ requirements:
87
+ - - ~>
88
+ - !ruby/object:Gem::Version
89
+ version: '1.2'
90
+ type: :runtime
91
+ prerelease: false
92
+ version_requirements: !ruby/object:Gem::Requirement
93
+ requirements:
94
+ - - ~>
95
+ - !ruby/object:Gem::Version
96
+ version: '1.2'
97
+ - !ruby/object:Gem::Dependency
98
+ name: trollop
99
+ requirement: !ruby/object:Gem::Requirement
100
+ requirements:
101
+ - - ~>
102
+ - !ruby/object:Gem::Version
103
+ version: '2.0'
104
+ type: :runtime
105
+ prerelease: false
106
+ version_requirements: !ruby/object:Gem::Requirement
107
+ requirements:
108
+ - - ~>
109
+ - !ruby/object:Gem::Version
110
+ version: '2.0'
111
+ - !ruby/object:Gem::Dependency
112
+ name: eventmachine
113
+ requirement: !ruby/object:Gem::Requirement
114
+ requirements:
115
+ - - ~>
116
+ - !ruby/object:Gem::Version
117
+ version: '1.0'
118
+ type: :runtime
119
+ prerelease: false
120
+ version_requirements: !ruby/object:Gem::Requirement
121
+ requirements:
122
+ - - ~>
123
+ - !ruby/object:Gem::Version
124
+ version: '1.0'
125
+ - !ruby/object:Gem::Dependency
126
+ name: colorize
127
+ requirement: !ruby/object:Gem::Requirement
128
+ requirements:
129
+ - - '='
130
+ - !ruby/object:Gem::Version
131
+ version: '0.7'
132
+ type: :runtime
133
+ prerelease: false
134
+ version_requirements: !ruby/object:Gem::Requirement
135
+ requirements:
136
+ - - '='
137
+ - !ruby/object:Gem::Version
138
+ version: '0.7'
139
+ - !ruby/object:Gem::Dependency
140
+ name: jebediah
141
+ requirement: !ruby/object:Gem::Requirement
142
+ requirements:
143
+ - - ~>
144
+ - !ruby/object:Gem::Version
145
+ version: '1.0'
146
+ type: :runtime
147
+ prerelease: false
148
+ version_requirements: !ruby/object:Gem::Requirement
149
+ requirements:
150
+ - - ~>
151
+ - !ruby/object:Gem::Version
152
+ version: '1.0'
153
+ - !ruby/object:Gem::Dependency
154
+ name: faye-websocket
155
+ requirement: !ruby/object:Gem::Requirement
156
+ requirements:
157
+ - - '='
158
+ - !ruby/object:Gem::Version
159
+ version: '0.7'
160
+ type: :runtime
161
+ prerelease: false
162
+ version_requirements: !ruby/object:Gem::Requirement
163
+ requirements:
164
+ - - '='
165
+ - !ruby/object:Gem::Version
166
+ version: '0.7'
167
+ - !ruby/object:Gem::Dependency
168
+ name: talk
169
+ requirement: !ruby/object:Gem::Requirement
170
+ requirements:
171
+ - - '>='
172
+ - !ruby/object:Gem::Version
173
+ version: '0'
174
+ type: :runtime
175
+ prerelease: false
176
+ version_requirements: !ruby/object:Gem::Requirement
177
+ requirements:
178
+ - - '>='
179
+ - !ruby/object:Gem::Version
180
+ version: '0'
181
+ description: A series of tools to make life better at Acres 4.0.
182
+ email:
183
+ - jonas.acres@acres4.com
184
+ executables:
185
+ - deploy_latest_clients
186
+ - devsite_config_server
187
+ - netshell
188
+ - update_server
189
+ - usher
190
+ extensions: []
191
+ extra_rdoc_files: []
192
+ files:
193
+ - .bundle/install.log
194
+ - .gitignore
195
+ - Gemfile
196
+ - Gemfile.lock
197
+ - a4tools.gemspec
198
+ - bin/deploy_latest_clients
199
+ - bin/devsite_config_server
200
+ - bin/netshell
201
+ - bin/update_server
202
+ - bin/usher
203
+ - lib/a4tools.rb
204
+ - lib/a4tools/version.rb
205
+ - lib/acres_client.rb
206
+ - lib/clients/caching_client.rb
207
+ - lib/clients/deployment_client.rb
208
+ - lib/clients/kai_config_client.rb
209
+ - lib/clients/usher_client.rb
210
+ - lib/clients/usher_mgmt_client.rb
211
+ - lib/event_manager.rb
212
+ - lib/events.json
213
+ - lib/net_shell/builtin_command.rb
214
+ - lib/net_shell/builtin_commands/build.rb
215
+ - lib/net_shell/builtin_commands/cd.rb
216
+ - lib/net_shell/builtin_commands/connect.rb
217
+ - lib/net_shell/builtin_commands/deploy.rb
218
+ - lib/net_shell/builtin_commands/disconnect.rb
219
+ - lib/net_shell/builtin_commands/excerpt.rb
220
+ - lib/net_shell/builtin_commands/exit.rb
221
+ - lib/net_shell/builtin_commands/get.rb
222
+ - lib/net_shell/builtin_commands/help.rb
223
+ - lib/net_shell/builtin_commands/host.rb
224
+ - lib/net_shell/builtin_commands/inject.rb
225
+ - lib/net_shell/builtin_commands/jsoncache.rb
226
+ - lib/net_shell/builtin_commands/kai_event.rb
227
+ - lib/net_shell/builtin_commands/persist.rb
228
+ - lib/net_shell/builtin_commands/pwd.rb
229
+ - lib/net_shell/builtin_commands/recap.rb
230
+ - lib/net_shell/builtin_commands/references.rb
231
+ - lib/net_shell/builtin_commands/select.rb
232
+ - lib/net_shell/builtin_commands/send.rb
233
+ - lib/net_shell/builtin_commands/set.rb
234
+ - lib/net_shell/builtin_commands/show.rb
235
+ - lib/net_shell/builtin_commands/site.rb
236
+ - lib/net_shell/builtin_commands/ssh.rb
237
+ - lib/net_shell/builtin_commands/talk.rb
238
+ - lib/net_shell/builtin_commands/translate.rb
239
+ - lib/net_shell/builtin_commands/unset.rb
240
+ - lib/net_shell/builtin_commands/usher.rb
241
+ - lib/net_shell/builtin_commands/usher_device.rb
242
+ - lib/net_shell/builtin_commands/usher_site.rb
243
+ - lib/net_shell/builtin_commands/usherm_connect.rb
244
+ - lib/net_shell/colors.rb
245
+ - lib/net_shell/command.rb
246
+ - lib/net_shell/io.rb
247
+ - lib/net_shell/net_shell.rb
248
+ - lib/net_shell/prompt.rb
249
+ - lib/object_builder/definitions/app_info_for_script.rb
250
+ - lib/object_builder/definitions/connection_request.rb
251
+ - lib/object_builder/definitions/device_info_for_system.rb
252
+ - lib/object_builder/object_builder.rb
253
+ - lib/talk.json
254
+ - lib/talk_consumer.rb
255
+ homepage: http://github.com/acres4/a4tools
256
+ licenses:
257
+ - Proprietary
258
+ metadata: {}
259
+ post_install_message:
260
+ rdoc_options: []
261
+ require_paths:
262
+ - lib
263
+ required_ruby_version: !ruby/object:Gem::Requirement
264
+ requirements:
265
+ - - '>='
266
+ - !ruby/object:Gem::Version
267
+ version: '0'
268
+ required_rubygems_version: !ruby/object:Gem::Requirement
269
+ requirements:
270
+ - - '>='
271
+ - !ruby/object:Gem::Version
272
+ version: '0'
273
+ requirements: []
274
+ rubyforge_project:
275
+ rubygems_version: 2.0.14
276
+ signing_key:
277
+ specification_version: 4
278
+ summary: It's dangerous to go alone! Take this.
279
+ test_files: []