git_game_show 0.2.1 → 0.2.2

This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
@@ -1,4 +1,5 @@
1
1
  module GitGameShow
2
+ # Main Game Server class - now a lightweight coordinator of other components
2
3
  class GameServer
3
4
  attr_reader :port, :password, :rounds, :repo, :players, :current_round, :game_state
4
5
 
@@ -7,1643 +8,86 @@ module GitGameShow
7
8
  @password = password
8
9
  @rounds = rounds
9
10
  @repo = repo
10
- @players = {} # WebSocket connections by player name
11
- @scores = {} # Player scores
11
+
12
+ # These are kept for backward compatibility but not used directly
13
+ @players = {}
14
+ @scores = {}
12
15
  @current_round = 0
13
- @game_state = :lobby # :lobby, :playing, :ended
14
- @mini_games = load_mini_games
15
- @current_mini_game = nil
16
- @round_questions = []
17
- @current_question_index = 0
18
- @question_start_time = nil
19
- @player_answers = {}
20
- @used_mini_games = [] # Track which mini-games have been used
21
- @available_mini_games = [] # Mini-games still available in the current cycle
16
+ @game_state = :lobby
22
17
  end
23
18
 
24
19
  def start
20
+ # Legacy method for starting the server without UI
25
21
  EM.run do
26
- setup_server
27
-
28
- # Setup console commands for the host
29
- setup_console_commands
22
+ server_handler = ServerHandler.new(
23
+ port: @port,
24
+ password: @password,
25
+ rounds: @rounds,
26
+ repo: @repo
27
+ )
30
28
 
31
- puts "Server running at ws://0.0.0.0:#{port}".colorize(:green)
29
+ # Start server with minimal UI
30
+ puts "Server running at ws://0.0.0.0:#{@port}".colorize(:green)
31
+ server_handler.start_with_ui
32
32
  end
33
33
  end
34
34
 
35
35
  def start_with_ui(join_link = nil)
36
- # Display UI
37
- @show_host_ui = true
36
+ # Store the join_link
38
37
  @join_link = join_link
39
- @message_log = []
40
- @players = {}
41
- @cursor = TTY::Cursor
42
-
43
- # Get terminal dimensions
44
- @terminal_width = `tput cols`.to_i rescue 80
45
- @terminal_height = `tput lines`.to_i rescue 24
46
-
47
- # Calculate layout
48
- @main_width = (@terminal_width * 0.7).to_i
49
- @sidebar_width = @terminal_width - @main_width - 3 # 3 for border
50
-
51
- # The fixed line for command input (near bottom of screen)
52
- @command_line = @terminal_height - 3
53
38
 
54
- # Clear screen and hide cursor
55
- print @cursor.clear_screen
56
- print @cursor.hide
57
-
58
- # Draw initial UI
59
- draw_ui_frame
60
- draw_welcome_banner
61
- draw_join_link
62
- draw_sidebar
63
- draw_command_prompt
64
-
65
- # Set up buffer for events
66
- @event_buffer = []
39
+ # Initialize and start the server handler with UI
40
+ @server_handler = ServerHandler.new(
41
+ port: @port,
42
+ password: @password,
43
+ rounds: @rounds,
44
+ repo: @repo
45
+ )
67
46
 
68
- # Start the server
69
- EM.run do
70
- setup_server
71
- setup_fixed_console_commands
72
- end
47
+ # Start the server with UI
48
+ @server_handler.start_with_ui(@join_link)
73
49
  end
74
50
 
75
- def draw_ui_frame
76
- # Clear screen
77
- print @cursor.clear_screen
78
-
79
- # Draw horizontal divider line between main area and command area
80
- print @cursor.move_to(0, @command_line - 1)
81
- print "═" * (@terminal_width - @sidebar_width - 3) + "╧" + "═" * (@sidebar_width + 2)
51
+ # Legacy method definitions for backwards compatibility
82
52
 
83
- # Draw vertical divider line between main area and sidebar
84
- print @cursor.move_to(@main_width, 0)
85
- print "│"
86
- print @cursor.move_to(@main_width, 1)
87
- print "│"
88
- print @cursor.move_to(@main_width, 2)
89
- print "╞═"
90
- (3...@command_line-1).each do |line|
91
- print @cursor.move_to(@main_width, line)
92
- print "│"
93
- end
53
+ def draw_ui_frame
54
+ # Forward to renderer
55
+ @server_handler&.instance_variable_get(:@renderer)&.draw_ui_frame
94
56
  end
95
57
 
96
58
  def draw_welcome_banner
97
- # Position cursor at top left
98
- lines = [
99
- " ██████╗ ".colorize(:red) + " ██████╗ ".colorize(:green) + " █████╗".colorize(:blue),
100
- "██╔════╝ ".colorize(:red) + " ██╔════╝ ".colorize(:green) + " ██╔═══╝".colorize(:blue),
101
- "██║ ███╗".colorize(:red) + " ██║ ███╗".colorize(:green) + " ███████╗".colorize(:blue),
102
- "██║ ██║".colorize(:red) + " ██║ ██║".colorize(:green) + " ╚════██║".colorize(:blue),
103
- "╚██████╔╝".colorize(:red) + " ╚██████╔╝".colorize(:green) + " ██████╔╝".colorize(:blue),
104
- " ╚═════╝ ".colorize(:red) + " ╚═════╝ ".colorize(:green) + " ╚═════╝ ".colorize(:blue),
105
- ]
106
-
107
- start_y = 1
108
- lines.each_with_index do |line, i|
109
- print @cursor.move_to((@main_width - 28) / 2, start_y + i)
110
- print line
111
- end
59
+ # Forward to renderer
60
+ @server_handler&.instance_variable_get(:@renderer)&.draw_welcome_banner
112
61
  end
113
62
 
114
63
  def draw_join_link
115
- # Copy the join link to clipboard
116
- Clipboard.copy(@join_link)
117
-
118
- link_box_width = [@join_link.length + 6, @main_width - 10].min
119
- start_x = (@main_width - link_box_width) / 2
120
- start_y = 8
121
-
122
- print @cursor.move_to(start_x, start_y)
123
- print "╭" + "─" * (link_box_width - 2) + "╮"
124
-
125
- print @cursor.move_to(start_x, start_y + 1)
126
- print "│" + " Join Link (Copied to Clipboard) ".center(link_box_width - 2).colorize(:green) + "│"
127
-
128
- print @cursor.move_to(start_x, start_y + 2)
129
- print "│" + @join_link.center(link_box_width - 2).colorize(:yellow) + "│"
130
-
131
- print @cursor.move_to(start_x, start_y + 3)
132
- print "╰" + "─" * (link_box_width - 2) + "╯"
133
-
134
- # Also log that the link was copied
135
- log_message("Join link copied to clipboard", :green)
64
+ # Forward to renderer
65
+ @server_handler&.instance_variable_get(:@renderer)&.draw_join_link(@join_link) if @join_link
136
66
  end
137
67
 
138
68
  def draw_sidebar
139
- # Draw sidebar header
140
- print @cursor.move_to(@main_width + 2, 1)
141
- print "Players".colorize(:cyan)
142
-
143
- print @cursor.move_to(@main_width + 2, 2)
144
- print "═" * (@sidebar_width - 2)
145
-
146
- update_player_list
147
- end
148
-
149
- def update_player_list
150
- # Clear player area
151
- (3..(@command_line-3)).each do |line|
152
- print @cursor.move_to(@main_width + 2, line)
153
- print " " * (@sidebar_width - 2)
154
- end
155
-
156
- # Show player count
157
- print @cursor.move_to(@main_width + 2, 3)
158
- print "Total: #{@players.size} player(s)".colorize(:yellow)
159
-
160
- # Calculate available space for the player list
161
- max_visible_players = @command_line - 8 # Allow space for headers, counts and scrolling indicators
162
-
163
- # List players with scrolling if needed
164
- if @players.empty?
165
- print @cursor.move_to(@main_width + 2, 5)
166
- print "Waiting for players...".colorize(:light_black)
167
- else
168
- # Sort players by score (highest first)
169
- sorted_players = @players.keys.sort_by { |name| -(@scores[name] || 0) }
170
-
171
- # Show scrolling indicator if needed
172
- if @players.size > max_visible_players
173
- print @cursor.move_to(@main_width + 2, 4)
174
- print "Showing #{max_visible_players} of #{@players.size}:".colorize(:light_yellow)
175
- end
176
-
177
- # Determine which players to display (show top N players by score)
178
- visible_players = sorted_players.take(max_visible_players)
179
-
180
- # Display visible players with their scores
181
- visible_players.each_with_index do |name, index|
182
- print @cursor.move_to(@main_width + 2, 5 + index)
183
-
184
- # Get score (default to 0 if not found)
185
- score = @scores[name] || 0
186
- score_str = score.to_s
187
-
188
- # Calculate available space for name and right-justified score
189
- # Allow space for prefix (like "🥇 " or "10. ") + minimum 3 chars of name + 2 spaces + score
190
- usable_width = @sidebar_width - 6
191
- prefix_width = 3 # Account for emoji or number + dot + space
192
-
193
- # Apply medal emoji for top 3 players when in game
194
- prefix = ""
195
- if @game_state == :playing && @scores.any?
196
- prefix = case index
197
- when 0 then "🥇 "
198
- when 1 then "🥈 "
199
- when 2 then "🥉 "
200
- else "#{index + 1}. "
201
- end
202
- else
203
- prefix = "#{index + 1}. "
204
- end
205
-
206
- # Calculate how much space we have for the name
207
- max_name_length = usable_width - score_str.length - 1 # 2 spaces before score
208
-
209
- # Truncate long names
210
- truncated_name = name.length > max_name_length ?
211
- "#{name[0...(max_name_length-3)]}..." :
212
- name
213
-
214
- # Print player name
215
- print @cursor.move_to(@main_width + 2, 5 + index)
216
- print "#{prefix}#{truncated_name}".colorize(:light_blue)
217
-
218
- # Print right-justified score
219
- score_position = @main_width + usable_width
220
- print @cursor.move_to(score_position, 5 + index)
221
- print score_str.colorize(:light_blue)
222
- end
223
-
224
- # If there are more players than can be shown, add an indicator
225
- if @players.size > max_visible_players
226
- print @cursor.move_to(@main_width + 2, 5 + max_visible_players)
227
- print "... and #{@players.size - max_visible_players} more".colorize(:light_black)
228
- end
229
- end
230
-
231
- # Return cursor to command prompt
232
- draw_command_prompt
233
- end
234
-
235
- def log_message(message, color = :white)
236
- # Add message to log
237
- @message_log << {text: message, color: color}
238
-
239
- # Keep only last few messages
240
- @message_log = @message_log.last(15) if @message_log.size > 15
241
-
242
- # Redraw message area
243
- draw_message_area
244
-
245
- # Return cursor to command prompt
246
- draw_command_prompt
247
- end
248
-
249
- def draw_message_area
250
- # Calculate message area dimensions
251
- message_area_start = 18
252
- message_area_height = @command_line - message_area_start - 2
253
-
254
- # Clear message area
255
- (message_area_start..(@command_line-2)).each do |line|
256
- print @cursor.move_to(1, line)
257
- print " " * (@main_width - 2)
258
- end
259
-
260
- # Draw most recent messages
261
- display_messages = @message_log.last(message_area_height)
262
- display_messages.each_with_index do |msg, index|
263
- print @cursor.move_to(1, message_area_start + index)
264
- # Truncate message to fit within main width to prevent overflow
265
- truncated_text = msg[:text][0...(@main_width - 3)]
266
- print truncated_text.colorize(msg[:color])
267
- end
268
-
269
- # No need to call draw_command_prompt here as it's already called by log_message
69
+ # Forward to sidebar
70
+ @server_handler&.instance_variable_get(:@sidebar)&.draw_header
270
71
  end
271
72
 
272
73
  def draw_command_prompt
273
- # Clear command line and two lines below to prevent commit info bleeding
274
- print @cursor.move_to(0, @command_line)
275
- print " " * @terminal_width
276
- print @cursor.move_to(0, @command_line + 1)
277
- print " " * @terminal_width
278
- print @cursor.move_to(0, @command_line + 2)
279
- print " " * @terminal_width
280
-
281
- # Draw command prompt
282
- print @cursor.move_to(0, @command_line)
283
- print "Command> ".colorize(:green)
284
-
285
- # Position cursor after prompt
286
- print @cursor.move_to(9, @command_line)
287
- print @cursor.show
288
- end
289
-
290
- def display_welcome_banner
291
- banner = <<-BANNER.colorize(:green)
292
- ██████╗ ██╗████████╗ ██████╗ █████╗ ███╗ ███╗███████╗
293
- ██╔════╝ ██║╚══██╔══╝ ██╔════╝ ██╔══██╗████╗ ████║██╔════╝
294
- ██║ ███╗██║ ██║ ██║ ███╗███████║██╔████╔██║█████╗
295
- ██║ ██║██║ ██║ ██║ ██║██╔══██║██║╚██╔╝██║██╔══╝
296
- ╚██████╔╝██║ ██║ ╚██████╔╝██║ ██║██║ ╚═╝ ██║███████╗
297
- ╚═════╝ ╚═╝ ╚═╝ ╚═════╝ ╚═╝ ╚═╝╚═╝ ╚═╝╚══════╝
298
- BANNER
299
- banner.each{|line| puts line.center(80)}
300
- end
301
-
302
- private
303
-
304
- def setup_server
305
- WebSocket::EventMachine::Server.start(host: '0.0.0.0', port: port) do |ws|
306
- ws.onopen do
307
- # Connection is logged when a player successfully joins
308
- end
309
-
310
- ws.onmessage do |msg|
311
- handle_message(ws, msg)
312
- end
313
-
314
- ws.onclose do
315
- handle_player_disconnect(ws)
316
- end
317
- end
318
- end
319
-
320
- def handle_message(ws, msg)
321
- begin
322
- data = JSON.parse(msg)
323
- case data['type']
324
- when MessageType::JOIN_REQUEST
325
- handle_join_request(ws, data)
326
- when MessageType::ANSWER
327
- handle_answer(data)
328
- when MessageType::CHAT
329
- broadcast_message(data)
330
- else
331
- puts "Unknown message type: #{data['type']}".colorize(:red)
332
- end
333
- rescue JSON::ParserError => e
334
- puts "Invalid message format: #{e.message}".colorize(:red)
335
- rescue => e
336
- puts "Error processing message: #{e.message}".colorize(:red)
337
- end
338
- end
339
-
340
- def handle_join_request(ws, data)
341
- player_name = data['name']
342
- sent_password = data['password']
343
-
344
- response = {
345
- type: MessageType::JOIN_RESPONSE
346
- }
347
-
348
- # Check if game is already in progress
349
- if @game_state != :lobby
350
- response.merge!(success: false, message: "Game is already in progress")
351
- # Validate password
352
- elsif sent_password != password
353
- response.merge!(success: false, message: "Incorrect password")
354
- # Check for duplicate names
355
- elsif @players.key?(player_name)
356
- response.merge!(success: false, message: "Player name already taken")
357
- else
358
- # Add player to the game
359
- @players[player_name] = ws
360
- @scores[player_name] = 0
361
-
362
- # Include current player list in the response
363
- response.merge!(
364
- success: true,
365
- message: "Successfully joined the game",
366
- players: @players.keys
367
- )
368
-
369
- # Notify all existing players about the new player
370
- broadcast_message({
371
- type: 'player_joined',
372
- name: player_name,
373
- players: @players.keys
374
- }, exclude: player_name)
375
-
376
- # Log message for player joining
377
- log_message("🟢 #{player_name} has joined the game", :green)
378
- # Update player list in sidebar
379
- update_player_list
380
- end
381
-
382
- ws.send(response.to_json)
383
- end
384
-
385
- def handle_player_disconnect(ws)
386
- # Find the player who disconnected
387
- player_name = @players.key(ws)
388
- return unless player_name
389
-
390
- # Remove the player
391
- @players.delete(player_name)
392
-
393
- # Log message for player leaving
394
- log_message("🔴 #{player_name} has left the game", :yellow)
395
- # Update player list in sidebar
396
- update_player_list
397
-
398
- # Notify other players
399
- broadcast_message({
400
- type: 'player_left',
401
- name: player_name,
402
- players: @players.keys
403
- })
404
- end
405
-
406
- def handle_answer(data)
407
- return unless @game_state == :playing
408
-
409
- player_name = data['name']
410
- answer = data['answer']
411
- question_id = data['question_id']
412
-
413
- # Make sure the answer is for the current question
414
- return unless question_id == @current_question_id
415
-
416
- # Don't allow duplicate answers
417
- return if @player_answers.dig(player_name, :answered)
418
-
419
- # Calculate time taken to answer
420
- time_taken = Time.now - @question_start_time
421
-
422
- # Get current question
423
- current_question = @round_questions[@current_question_index]
424
-
425
- # Handle nil answer (timeout) differently
426
- points = 0
427
-
428
- if answer.nil?
429
- # For timeouts, set a special "TIMEOUT" answer with 0 points
430
- @player_answers[player_name] = {
431
- answer: "TIMEOUT",
432
- time_taken: time_taken,
433
- answered: true,
434
- correct: false,
435
- points: points
436
- }
437
-
438
- # Send timeout feedback to the player
439
- feedback = {
440
- type: MessageType::ANSWER_FEEDBACK,
441
- answer: "TIMEOUT",
442
- correct: false,
443
- correct_answer: current_question[:correct_answer],
444
- points: points
445
- }
446
- @players[player_name]&.send(feedback.to_json)
447
-
448
- # Log the timeout
449
- truncated_name = player_name.length > 15 ? "#{player_name[0...12]}..." : player_name
450
- log_message("#{truncated_name} timed out after #{time_taken.round(2)}s ⏰", :yellow)
451
- else
452
- # Regular answer processing
453
- # For ordering quizzes, we'll calculate points in evaluate_answers
454
- # using the custom scoring systems in each mini-game
455
- if current_question[:question_type] == 'ordering'
456
- # Just store the answer and time, points will be calculated in evaluate_answers
457
- correct = false # Will be properly set during evaluation
458
- points = @current_mini_game.evaluate_answers(current_question, {player_name => {answer: answer, time_taken: time_taken}})
459
- points = points.values.first[:points]
460
- else
461
- # For regular quizzes, calculate points immediately
462
- correct = answer == current_question[:correct_answer]
463
- points = 0
464
-
465
- if correct
466
- points = 10 # Base points for correct answer
467
-
468
- # Bonus points for fast answers
469
- if time_taken < 5
470
- points += 5
471
- elsif time_taken < 10
472
- points += 3
473
- end
474
- end
475
- end
476
-
477
- # Store the answer
478
- @player_answers[player_name] = {
479
- answer: answer,
480
- time_taken: time_taken,
481
- answered: true,
482
- correct: correct,
483
- points: points
484
- }
485
-
486
- # Send immediate feedback to this player only
487
- send_answer_feedback(player_name, answer, correct, current_question, points)
488
-
489
- # Log this answer - ensure the name is not too long
490
- truncated_name = player_name.length > 15 ? "#{player_name[0...12]}..." : player_name
491
- if current_question[:question_type] == 'ordering'
492
- log_message("#{truncated_name} submitted ordering in #{time_taken.round(2)}s ⏱️", :cyan)
493
- else
494
- log_message("#{truncated_name} answered in #{time_taken.round(2)}s: #{correct ? "Correct ✓" : "Wrong ✗"}", correct ? :green : :red)
495
- end
496
- end
497
-
498
- # Check if all players have answered, regardless of timeout or manual answer
499
- check_all_answered
500
- end
501
-
502
- def send_answer_feedback(player_name, answer, correct, question, points=0)
503
- # Send feedback only to the player who answered
504
- ws = @players[player_name]
505
- return unless ws
506
-
507
- feedback = {
508
- type: MessageType::ANSWER_FEEDBACK,
509
- answer: answer,
510
- correct: correct,
511
- correct_answer: question[:correct_answer],
512
- points: points # Include points in the feedback
513
- }
514
-
515
- # For ordering quizzes, we can't determine correctness immediately
516
- # Instead we'll indicate that scoring will be calculated after timeout
517
- if question[:question_type] == 'ordering'
518
- feedback[:correct] = nil # nil means "scoring in progress"
519
- feedback[:points] = nil
520
- feedback[:message] = "Ordering submitted. Points will be calculated at the end of the round."
521
- end
522
-
523
- ws.send(feedback.to_json)
524
- end
525
-
526
- def check_all_answered
527
- # If all players have answered, log it but WAIT for the full timeout
528
- # This ensures consistent timing regardless of how fast people answer
529
- if @player_answers.keys.size == @players.size
530
- timeout_sec = GitGameShow::DEFAULT_CONFIG[:question_timeout]
531
- log_message("All players have answered - waiting for timeout (#{timeout_sec}s)", :cyan)
532
- # We don't immediately evaluate anymore - we wait for the timer
533
- end
534
- end
535
-
536
- def evaluate_answers
537
- # Safety checks
538
- return unless @current_mini_game
539
- return unless @round_questions && @current_question_index < @round_questions.size
540
- return if @question_already_evaluated
541
-
542
- @question_already_evaluated = true
543
-
544
- # Safety check - make sure we have a current question
545
- begin
546
- current_question = @round_questions[@current_question_index]
547
- return unless current_question # Skip if no current question
548
- rescue => e
549
- log_message("Error accessing current question: #{e.message}", :red)
550
- return
551
- end
552
-
553
- results = {}
554
-
555
- begin
556
- # For ordering quizzes or other special types, use the mini-game's evaluation method
557
- if current_question[:question_type] == 'ordering'
558
- # Convert the player_answers to the format expected by the mini-game's evaluate_answers
559
- mini_game_answers = {}
560
- @player_answers.each do |player_name, answer_data|
561
- next unless player_name && answer_data # Skip nil entries
562
-
563
- mini_game_answers[player_name] = {
564
- answer: answer_data[:answer],
565
- time_taken: answer_data[:time_taken] || 20
566
- }
567
- end
568
-
569
- # Call the mini-game's evaluate_answers method with error handling
570
- begin
571
- results = @current_mini_game.evaluate_answers(current_question, mini_game_answers) || {}
572
- rescue => e
573
- log_message("Error in mini-game evaluate_answers: #{e.message}", :red)
574
- # Create fallback results
575
- results = {}
576
- @player_answers.each do |player_name, answer_data|
577
- next unless player_name
578
-
579
- results[player_name] = {
580
- answer: answer_data[:answer] || [],
581
- correct: false,
582
- points: 0,
583
- partial_score: "Error calculating score"
584
- }
585
- end
586
- end
587
- else
588
- # For regular quizzes, use our pre-calculated points
589
- results = {}
590
- @player_answers.each do |player_name, answer_data|
591
- next unless player_name && answer_data # Skip nil entries
592
-
593
- results[player_name] = {
594
- answer: answer_data[:answer] || "No answer",
595
- correct: answer_data[:correct] || false,
596
- points: answer_data[:points] || 0
597
- }
598
- end
599
- end
600
-
601
- # Verify that results have required fields
602
- results.each do |player_name, result|
603
- # Ensure each result has the required fields with fallback values
604
- results[player_name][:answer] = result[:answer] || "No answer"
605
- results[player_name][:correct] = !!result[:correct] # Convert to boolean
606
- results[player_name][:points] = result[:points] || 0
607
- end
608
-
609
- # Update scores
610
- results.each do |player, result|
611
- @scores[player] = (@scores[player] || 0) + (result[:points] || 0)
612
- end
613
-
614
- # Update the player list in sidebar to reflect new scores and ranking
615
- update_player_list
616
- rescue => e
617
- log_message("Error evaluating answers: #{e.message}", :red)
618
- end
619
-
620
- # Send results to all players - with error handling
621
- begin
622
- # Ensure we have valid data to broadcast
623
- safe_results = {}
624
- results.each do |player, result|
625
- safe_results[player] = {
626
- answer: result[:answer] || "No answer",
627
- correct: !!result[:correct], # Convert to boolean
628
- points: result[:points] || 0,
629
- partial_score: result[:partial_score] || ""
630
- }
631
- end
632
-
633
- # Sort scores safely
634
- safe_scores = {}
635
- begin
636
- safe_scores = @scores.sort_by { |_, score| -(score || 0) }.to_h
637
- rescue => e
638
- log_message("Error sorting scores: #{e.message}", :red)
639
- safe_scores = @scores.dup # Use unsorted if sorting fails
640
- end
641
-
642
- # For ordering questions, format the correct_answer as a list with numbers
643
- formatted_correct_answer = current_question[:correct_answer] || []
644
- if current_question[:question_type] == 'ordering'
645
- formatted_correct_answer = current_question[:correct_answer].map.with_index do |item, idx|
646
- "#{idx + 1}. #{item}" # Add numbers for easier reading
647
- end
648
- end
649
-
650
- broadcast_message({
651
- type: MessageType::ROUND_RESULT,
652
- question: current_question,
653
- results: safe_results,
654
- correct_answer: formatted_correct_answer,
655
- scores: safe_scores
656
- })
657
- rescue => e
658
- log_message("Error broadcasting results: #{e.message}", :red)
659
- end
660
-
661
- # Log current scores for the host - with error handling
662
- begin
663
- log_message("Current scores:", :cyan)
664
-
665
- # Safety check for scores
666
- if @scores.nil? || @scores.empty?
667
- log_message("No scores available", :yellow)
668
- else
669
- # Sort scores safely
670
- begin
671
- sorted_scores = @scores.sort_by { |_, score| -(score || 0) }
672
- rescue => e
673
- log_message("Error sorting scores for display: #{e.message}", :red)
674
- sorted_scores = @scores.to_a
675
- end
676
-
677
- # Display each score with error handling
678
- sorted_scores.each do |player_entry|
679
- # Extract player and score safely
680
- player = player_entry[0].to_s
681
- score = player_entry[1] || 0
682
-
683
- # Truncate player names if too long
684
- truncated_name = player.length > 15 ? "#{player[0...12]}..." : player
685
- log_message("#{truncated_name}: #{score} points", :light_blue)
686
- end
687
- end
688
- rescue => e
689
- log_message("Error displaying scores: #{e.message}", :red)
690
- end
691
-
692
- # Move to next question or round
693
- @current_question_index += 1
694
- @player_answers = {}
695
- @question_already_evaluated = false
696
-
697
- if @current_question_index >= @round_questions.size
698
- # End of round
699
- EM.add_timer(GitGameShow::DEFAULT_CONFIG[:transition_delay]) do
700
- start_next_round
701
- end
702
- else
703
- # Next question - use mini-game specific timing if available
704
- display_time = @current_mini_game.class.respond_to?(:question_display_time) ?
705
- @current_mini_game.class.question_display_time :
706
- GitGameShow::DEFAULT_CONFIG[:question_display_time]
707
-
708
- log_message("Next question in #{display_time} seconds...", :cyan)
709
- EM.add_timer(display_time) do
710
- ask_next_question
711
- end
712
- end
713
- end
714
-
715
- def start_game
716
- # If players are in an ended state, reset them first
717
- if @game_state == :ended
718
- log_message("Resetting players from previous game...", :light_black)
719
- begin
720
- broadcast_message({
721
- type: MessageType::GAME_RESET,
722
- message: "Get ready! The host is starting a new game..."
723
- })
724
- # Give players a moment to see the reset message
725
- sleep(1)
726
- rescue => e
727
- log_message("Error sending reset message: #{e.message}", :red)
728
- end
729
- end
730
-
731
- # Only start if we're in lobby state (which includes after reset)
732
- return unless @game_state == :lobby
733
- return if @players.empty?
734
-
735
- @game_state = :playing
736
- @current_round = 0
737
-
738
- # Reset the mini-game tracking for a new game
739
- @used_mini_games = []
740
- @available_mini_games = []
741
-
742
- broadcast_message({
743
- type: MessageType::GAME_START,
744
- rounds: @rounds,
745
- players: @players.keys
746
- })
747
-
748
- log_message("Game started with #{@players.size} players", :green)
749
-
750
- start_next_round
751
- end
752
-
753
- def start_next_round
754
- @current_round += 1
755
-
756
- # Reset question evaluation flag for the new round
757
- @question_already_evaluated = false
758
-
759
- # Check if we've completed all rounds
760
- if @current_round > @rounds
761
- log_message("All rounds completed! Showing final scores...", :green)
762
- EM.next_tick { end_game } # Use next_tick to ensure it runs after current operations
763
- return
764
- end
765
-
766
- # Select mini-game for this round with better variety
767
- @current_mini_game = select_next_mini_game.new
768
-
769
- # Announce new round
770
- broadcast_message({
771
- type: 'round_start',
772
- round: @current_round,
773
- total_rounds: @rounds,
774
- mini_game: @current_mini_game.class.name,
775
- description: @current_mini_game.class.description,
776
- example: @current_mini_game.class.example
777
- })
778
-
779
- @round_questions = @current_mini_game.generate_questions(@repo)
780
- @current_question_index = 0
781
-
782
-
783
- log_message("Starting round #{@current_round}: #{@current_mini_game.class.name}", :cyan)
784
-
785
- # Start the first question after a short delay
786
- EM.add_timer(3) do
787
- ask_next_question
788
- end
789
- end
790
-
791
- def ask_next_question
792
- return if @current_question_index >= @round_questions.size
793
-
794
- # Log information for debugging
795
- log_message("Preparing question #{@current_question_index + 1} of #{@round_questions.size}", :cyan)
796
-
797
- # Reset the evaluation flag for the new question
798
- @question_already_evaluated = false
799
-
800
- # Save current question without printing it to console
801
- current_question = @round_questions[@current_question_index]
802
- @current_question_id = "#{@current_round}-#{@current_question_index}"
803
- @question_start_time = Time.now
804
- @player_answers = {}
805
-
806
- # Send question to all players
807
- # Use mini-game specific timeout if available, otherwise use default
808
- # Ensure timeout is a number
809
- timeout = 0
810
- begin
811
- if @current_mini_game.class.respond_to?(:question_timeout)
812
- timeout = @current_mini_game.class.question_timeout.to_i
813
- else
814
- timeout = (GitGameShow::DEFAULT_CONFIG[:question_timeout] || 20).to_i
815
- end
816
- # Make sure we have a positive timeout value
817
- timeout = 20 if timeout <= 0
818
- rescue => e
819
- log_message("Error getting timeout value: #{e.message}", :red)
820
- timeout = 20 # Default fallback
821
- end
822
-
823
- # Prepare question data with type safety
824
- begin
825
- question_data = {
826
- type: MessageType::QUESTION,
827
- question_id: @current_question_id.to_s,
828
- question: current_question[:question].to_s,
829
- options: current_question[:options] || [],
830
- timeout: timeout, # Now guaranteed to be a number
831
- round: @current_round.to_i,
832
- question_number: (@current_question_index + 1).to_i,
833
- total_questions: @round_questions.size.to_i
834
- }
835
- rescue => e
836
- log_message("Error preparing question data: #{e.message}", :red)
837
- # Create a minimal fallback question if something went wrong
838
- question_data = {
839
- type: MessageType::QUESTION,
840
- question_id: "#{@current_round}-#{@current_question_index}",
841
- question: "Question #{@current_question_index + 1}",
842
- options: ["Option 1", "Option 2", "Option 3", "Option 4"],
843
- timeout: 20,
844
- round: @current_round.to_i,
845
- question_number: (@current_question_index + 1).to_i,
846
- total_questions: @round_questions.size.to_i
847
- }
848
- end
849
-
850
- # Add additional question data safely
851
- begin
852
- # Add question_type if it's a special question type (like ordering)
853
- if current_question && current_question[:question_type]
854
- question_data[:question_type] = current_question[:question_type].to_s
855
- end
856
-
857
- # Add commit info if available (for AuthorQuiz)
858
- if current_question && current_question[:commit_info]
859
- # Make a safe copy to avoid potential issues with the original object
860
- if current_question[:commit_info].is_a?(Hash)
861
- safe_commit_info = {}
862
- current_question[:commit_info].each do |key, value|
863
- safe_commit_info[key.to_s] = value.to_s
864
- end
865
- question_data[:commit_info] = safe_commit_info
866
- else
867
- question_data[:commit_info] = current_question[:commit_info].to_s
868
- end
869
- end
870
-
871
- # Add context if available (for BlameGame)
872
- if current_question && current_question[:context]
873
- question_data[:context] = current_question[:context].to_s
874
- end
875
- rescue => e
876
- log_message("Error adding additional question data: #{e.message}", :red)
877
- # Continue without the additional data
878
- end
879
-
880
- # Don't log detailed question info to prevent author lists from showing
881
- log_message("Question #{@current_question_index + 1}/#{@round_questions.size}", :cyan)
882
-
883
- log_message("Broadcasting question to players...", :cyan)
884
- broadcast_message(question_data)
885
-
886
- # Set a timer for question timeout - ALWAYS evaluate after timeout
887
- # Use same timeout value we sent to clients (already guaranteed to be a number)
888
- EM.add_timer(timeout) do
889
- log_message("Question timeout (#{timeout}s) - evaluating", :yellow)
890
- evaluate_answers unless @current_question_index >= @round_questions.size
891
- end
892
- end
893
-
894
- def broadcast_scoreboard
895
- begin
896
- # Create a safe copy of scores
897
- safe_scores = {}
898
- if @scores && !@scores.empty?
899
- @scores.each do |player, score|
900
- next unless player && player.to_s != ""
901
- safe_scores[player.to_s] = score.to_i
902
- end
903
- end
904
-
905
- # Sort scores safely
906
- sorted_scores = {}
907
- begin
908
- sorted_scores = safe_scores.sort_by { |_, score| -(score || 0) }.to_h
909
- rescue => e
910
- log_message("Error sorting scores for scoreboard: #{e.message}", :red)
911
- sorted_scores = safe_scores # Use unsorted if sorting fails
912
- end
913
-
914
- broadcast_message({
915
- type: MessageType::SCOREBOARD,
916
- scores: sorted_scores
917
- })
918
- rescue => e
919
- log_message("Error broadcasting scoreboard: #{e.message}", :red)
920
- end
921
- end
922
-
923
- def end_game
924
- @game_state = :ended
925
-
926
- # Initialize winner variable outside the begin block so it's visible throughout the method
927
- winner = nil
928
-
929
- # Wrap the main logic in a begin/rescue block
930
- begin
931
- # Safety check - make sure we have scores and they're not nil
932
- if @scores.nil? || @scores.empty?
933
- log_message("Game ended, but no scores were recorded.", :yellow)
934
-
935
- # Reset game state for potential restart
936
- @current_round = 0
937
- @game_state = :lobby
938
- @current_mini_game = nil
939
- @round_questions = []
940
- @current_question_index = 0
941
- @question_already_evaluated = false
942
- @player_answers = {}
943
- @scores = {}
944
-
945
- # Update UI
946
- update_player_list
947
- log_message("Ready for a new game! Type 'start' when players have joined.", :green)
948
- return
949
- end
950
-
951
- # Create a safe copy of scores to work with
952
- safe_scores = {}
953
- @scores.each do |player, score|
954
- next unless player && player != ""
955
- safe_scores[player] = score || 0
956
- end
957
-
958
- # Determine the winner with safety checks
959
- begin
960
- winner = safe_scores.max_by { |_, score| score || 0 }
961
- rescue => e
962
- log_message("Error determining winner: #{e.message}", :red)
963
- end
964
-
965
- # Safety check - ensure winner isn't nil and has valid data
966
- if winner.nil? || winner[0].nil? || winner[1].nil?
967
- log_message("Error: Could not determine winner. No valid scores found.", :red)
968
-
969
- # Create a synthetic winner as a fallback
970
- if !safe_scores.empty?
971
- # Take the first player as a last resort
972
- player_name = safe_scores.keys.first.to_s
973
- player_score = safe_scores.values.first || 0
974
- winner = [player_name, player_score]
975
- log_message("Using fallback winner: #{player_name}", :yellow)
976
- else
977
- # Reset and return early if we truly have no scores
978
- @scores = {}
979
- @current_round = 0
980
- @game_state = :lobby
981
- update_player_list
982
- return
983
- end
984
- end
985
-
986
- # Sort scores safely
987
- sorted_scores = {}
988
- begin
989
- sorted_scores = safe_scores.sort_by { |_, score| -(score || 0) }.to_h
990
- rescue => e
991
- log_message("Error sorting scores: #{e.message}", :red)
992
- sorted_scores = safe_scores # Use unsorted if sorting fails
993
- end
994
-
995
- # Notify all players
996
- begin
997
- broadcast_message({
998
- type: MessageType::GAME_END,
999
- winner: winner[0].to_s,
1000
- scores: sorted_scores
1001
- })
1002
- rescue => e
1003
- log_message("Error broadcasting final results: #{e.message}", :red)
1004
- end
1005
- rescue => e
1006
- # Catch-all for any unhandled exceptions
1007
- log_message("Critical error in end_game: #{e.message}", :red)
1008
- # Still try to reset game state
1009
- @game_state = :lobby
1010
- @scores = {}
1011
- @current_round = 0
1012
- end
1013
-
1014
- # Display the final results on screen - with safety check
1015
- if winner && winner[0] && winner[1]
1016
- display_final_results(winner)
1017
- else
1018
- log_message("No valid winner data to display final results", :red)
1019
- end
1020
-
1021
- # Reset game state for potential restart
1022
- @scores = {}
1023
- @current_round = 0
1024
- @game_state = :lobby
1025
- @current_mini_game = nil
1026
- @round_questions = []
1027
- @current_question_index = 0
1028
- @question_already_evaluated = false
1029
- @player_answers = {}
1030
-
1031
- # Re-initialize player scores for existing players
1032
- @players.keys.each do |player_name|
1033
- @scores[player_name] = 0
1034
- end
1035
-
1036
- # Don't reset players yet - let them stay on the leaderboard screen
1037
- # They'll be reset when a new game starts
1038
- log_message("Players will remain on the leaderboard screen until a new game starts", :light_black)
1039
-
1040
- # Update UI
1041
- update_player_list
1042
- log_message("Game ended! Type 'start' to play again or 'exit' to quit.", :cyan)
1043
- end
1044
-
1045
- def display_final_results(winner)
1046
- begin
1047
- # Safety check - make sure we have a main_width value
1048
- main_width = @main_width || 80
1049
-
1050
- # Use log messages instead of clearing screen
1051
- divider = "=" * (main_width - 5)
1052
- log_message(divider, :yellow)
1053
- log_message("🏆 GAME OVER - FINAL SCORES 🏆", :yellow)
1054
-
1055
- # Safety check for winner - we already checked in end_game but double-check here
1056
- if !winner || !winner[0] || !winner[1]
1057
- log_message("Error: Invalid winner data", :red)
1058
- log_message("Ready for a new game! Type 'start' when players have joined.", :green)
1059
- return
1060
- end
1061
-
1062
- # Announce winner with defensive processing
1063
- begin
1064
- winner_name = winner[0].to_s
1065
- winner_name = winner_name.length > 20 ? "#{winner_name[0...17]}..." : winner_name
1066
- winner_score = winner[1].to_i
1067
- log_message("Winner: #{winner_name} with #{winner_score} points!", :green)
1068
- rescue => e
1069
- log_message("Error displaying winner: #{e.message}", :red)
1070
- log_message("A winner was determined but couldn't be displayed", :yellow)
1071
- end
1072
-
1073
- # Create a safe copy of scores to work with
1074
- safe_scores = {}
1075
- begin
1076
- if @scores && !@scores.empty?
1077
- @scores.each do |player, score|
1078
- next unless player && player.to_s != ""
1079
- safe_scores[player.to_s] = score.to_i
1080
- end
1081
- end
1082
- rescue => e
1083
- log_message("Error copying scores: #{e.message}", :red)
1084
- end
1085
-
1086
- # Safety check for scores
1087
- if safe_scores.empty?
1088
- log_message("No scores available to display", :yellow)
1089
- log_message(divider, :yellow)
1090
- log_message("Ready for a new game! Type 'start' when players have joined.", :green)
1091
- return
1092
- end
1093
-
1094
- # List players in console (but limit to avoid taking too much space)
1095
- log_message("Leaderboard:", :cyan)
1096
-
1097
- leaderboard_entries = []
1098
-
1099
- # Sort scores safely
1100
- sorted_scores = []
1101
- begin
1102
- sorted_scores = safe_scores.sort_by { |_, score| -(score || 0) }.to_a
1103
- rescue => e
1104
- log_message("Error sorting scores for display: #{e.message}", :red)
1105
- sorted_scores = safe_scores.to_a
1106
- end
1107
-
1108
- max_to_show = 10
1109
-
1110
- # Show limited entries in console with extra safety checks
1111
- begin
1112
- # Ensure we don't try to take more entries than exist
1113
- entries_to_show = [sorted_scores.size, max_to_show].min
1114
-
1115
- sorted_scores.take(entries_to_show).each_with_index do |score_entry, index|
1116
- # Extra safety check for each entry
1117
- next unless score_entry && score_entry.is_a?(Array) && score_entry.size >= 2
1118
-
1119
- name = score_entry[0]
1120
- score = score_entry[1]
1121
-
1122
- # Safely handle name and score
1123
- player_name = name.to_s
1124
- player_score = score.to_i
1125
-
1126
- # Truncate name if needed
1127
- display_name = player_name.length > 15 ? "#{player_name[0...12]}..." : player_name
1128
-
1129
- # Format based on position
1130
- case index
1131
- when 0
1132
- log_message("🥇 #{display_name}: #{player_score} points", :yellow)
1133
- when 1
1134
- log_message("🥈 #{display_name}: #{player_score} points", :light_blue)
1135
- when 2
1136
- log_message("🥉 #{display_name}: #{player_score} points", :light_magenta)
1137
- else
1138
- log_message("#{(index + 1).to_s}. #{display_name}: #{player_score} points", :white)
1139
- end
1140
- end
1141
- rescue => e
1142
- log_message("Error displaying leaderboard entries: #{e.message}", :red)
1143
- end
1144
-
1145
- # If there are more players than shown, add a note
1146
- if sorted_scores.size > max_to_show
1147
- log_message("... and #{sorted_scores.size - max_to_show} more (see full results in file)", :light_black)
1148
- end
1149
-
1150
- # Build complete entries array for file with safety checks
1151
- begin
1152
- sorted_scores.each_with_index do |score_entry, index|
1153
- # Skip invalid entries
1154
- next unless score_entry && score_entry.is_a?(Array) && score_entry.size >= 2
1155
-
1156
- # Use safe values
1157
- player_name = score_entry[0].to_s
1158
- player_score = score_entry[1].to_i
1159
-
1160
- # Add medals for file format
1161
- medal = case index
1162
- when 0 then "🥇"
1163
- when 1 then "🥈"
1164
- when 2 then "🥉"
1165
- else "#{index + 1}."
1166
- end
1167
-
1168
- leaderboard_entries << "#{medal} #{player_name}: #{player_score} points"
1169
- end
1170
- rescue => e
1171
- log_message("Error preparing leaderboard entries for file: #{e.message}", :red)
1172
- end
1173
-
1174
- # Only try to save file if we have entries
1175
- filename = nil
1176
- if !leaderboard_entries.empty? && winner
1177
- filename = save_leaderboard_to_file(winner, leaderboard_entries)
1178
- end
1179
-
1180
- log_message(divider, :yellow)
1181
- if filename
1182
- log_message("Leaderboard saved to: #{filename}", :cyan)
1183
- else
1184
- log_message("No leaderboard file generated", :yellow)
1185
- end
1186
- log_message("Ready for a new game! Type 'start' when players have joined.", :green)
1187
- rescue => e
1188
- # Catch-all error handling
1189
- log_message("Error displaying final results: #{e.message}", :red)
1190
- log_message("Game has ended. Type 'start' for a new game or 'exit' to quit.", :yellow)
1191
- end
1192
- end
1193
-
1194
- def save_leaderboard_to_file(winner, leaderboard_entries)
1195
- begin
1196
- # Validate parameters with thorough checks
1197
- if !winner || !winner.is_a?(Array) || winner.size < 2 || winner[0].nil? || winner[1].nil?
1198
- log_message("Error: Invalid winner data for leaderboard file", :red)
1199
- return nil
1200
- end
1201
-
1202
- if !leaderboard_entries || !leaderboard_entries.is_a?(Array) || leaderboard_entries.empty?
1203
- log_message("Error: Invalid entries data for leaderboard file", :red)
1204
- return nil
1205
- end
1206
-
1207
- # Create a unique filename with timestamp
1208
- timestamp = Time.now.strftime("%Y%m%d_%H%M%S") rescue "unknown_time"
1209
- filename = "git_game_show_results_#{timestamp}.txt"
1210
-
1211
- # Use a base path that should be writable
1212
- file_path = nil
1213
- begin
1214
- # First try current directory
1215
- file_path = File.join(Dir.pwd, filename)
1216
-
1217
- # Test if we can write there
1218
- unless File.writable?(Dir.pwd)
1219
- # If not, try user's home directory
1220
- file_path = File.join(Dir.home, filename)
1221
- filename = File.join(Dir.home, filename) # Update filename to show full path
1222
- end
1223
- rescue => e
1224
- log_message("Error with file path: #{e.message}", :red)
1225
- # If all else fails, use /tmp (Unix) or %TEMP% (Windows)
1226
- begin
1227
- temp_dir = ENV['TEMP'] || ENV['TMP'] || '/tmp'
1228
- file_path = File.join(temp_dir, filename)
1229
- filename = file_path # Update filename to show full path
1230
- rescue => e2
1231
- log_message("Error setting up temp file path: #{e2.message}", :red)
1232
- return nil
1233
- end
1234
- end
1235
-
1236
- # Make sure we have a valid file path
1237
- unless file_path && !file_path.empty?
1238
- log_message("Could not determine a valid file path for leaderboard", :red)
1239
- return nil
1240
- end
1241
-
1242
- # Get repo name from git directory path safely
1243
- repo_name = "Unknown"
1244
- begin
1245
- if @repo && @repo.respond_to?(:dir) && @repo.dir && @repo.dir.respond_to?(:path)
1246
- path = @repo.dir.path
1247
- repo_name = path ? File.basename(path) : "Unknown"
1248
- end
1249
- rescue => e
1250
- log_message("Error getting repo name: #{e.message}", :yellow)
1251
- end
1252
-
1253
- # Get player count safely
1254
- player_count = 0
1255
- begin
1256
- player_count = @players && @players.respond_to?(:keys) ? @players.keys.size : 0
1257
- rescue => e
1258
- log_message("Error getting player count: #{e.message}", :yellow)
1259
- end
1260
-
1261
- # Extract winner data safely
1262
- winner_name = "Unknown"
1263
- winner_score = 0
1264
- begin
1265
- winner_name = winner[0].to_s
1266
- winner_score = winner[1].to_i
1267
- rescue => e
1268
- log_message("Error extracting winner data: #{e.message}", :yellow)
1269
- end
1270
-
1271
- # Write the file with error handling
1272
- begin
1273
- File.open(file_path, "w") do |file|
1274
- # Write header
1275
- file.puts "Git Game Show - Final Results"
1276
- file.puts "═════════════════════════════"
1277
- file.puts "Date: #{Time.now.strftime('%Y-%m-%d %H:%M:%S')}"
1278
- file.puts "Repository: #{repo_name}"
1279
- file.puts "Players: #{player_count}"
1280
- file.puts ""
1281
-
1282
- # Write winner
1283
- file.puts "WINNER: #{winner_name} with #{winner_score} points!"
1284
- file.puts ""
1285
-
1286
- # Write full leaderboard
1287
- file.puts "Full Leaderboard:"
1288
- file.puts "─────────────────"
1289
- leaderboard_entries.each do |entry|
1290
- file.puts entry.to_s
1291
- rescue => e
1292
- file.puts "Error with entry: #{e.message}"
1293
- end
1294
-
1295
- # Write footer
1296
- file.puts ""
1297
- file.puts "Thanks for playing Git Game Show!"
1298
- end
1299
-
1300
- return filename
1301
- rescue => e
1302
- log_message("Error writing leaderboard file: #{e.message}", :red)
1303
- return nil
1304
- end
1305
- rescue => e
1306
- log_message("Error saving leaderboard: #{e.message}", :red)
1307
- return nil
1308
- end
1309
- end
1310
-
1311
- # Removed old full-screen methods as we now use log_message based approach
1312
-
1313
- def broadcast_message(message, exclude: nil)
1314
- return if message.nil?
1315
-
1316
- begin
1317
- # Convert message to JSON safely
1318
- json_message = nil
1319
- begin
1320
- json_message = message.to_json
1321
- rescue => e
1322
- log_message("Error converting message to JSON: #{e.message}", :red)
1323
-
1324
- # Try to simplify the message to make it JSON-compatible
1325
- simplified_message = {
1326
- type: message[:type] || "unknown",
1327
- message: "Error processing full message"
1328
- }
1329
- json_message = simplified_message.to_json
1330
- end
1331
-
1332
- return unless json_message
1333
-
1334
- # Send to each player with error handling
1335
- @players.each do |player_name, ws|
1336
- # Skip excluded player if specified
1337
- next if exclude && player_name == exclude
1338
-
1339
- # Skip nil websockets
1340
- next unless ws
1341
-
1342
- # Send with error handling for each individual player
1343
- begin
1344
- ws.send(json_message)
1345
- rescue => e
1346
- log_message("Error sending to #{player_name}: #{e.message}", :yellow)
1347
- # We don't remove the player here, as they might just have temporary connection issues
1348
- end
1349
- end
1350
- rescue => e
1351
- log_message("Fatal error in broadcast_message: #{e.message}", :red)
1352
- end
1353
- end
1354
-
1355
- def setup_console_commands
1356
- Thread.new do
1357
- prompt = TTY::Prompt.new
1358
-
1359
- loop do
1360
- command = prompt.select("Host commands:", {
1361
- "Start game" => :start,
1362
- "Show players" => :players,
1363
- "Show scoreboard" => :scoreboard,
1364
- "End game" => :end,
1365
- "Exit server" => :exit
1366
- })
1367
-
1368
- case command
1369
- when :start
1370
- if @players.size < 1
1371
- puts "Need at least one player to start".colorize(:red)
1372
- else
1373
- start_game
1374
- end
1375
- when :players
1376
- puts "Connected players:".colorize(:cyan)
1377
- @players.keys.each { |name| puts "- #{name}" }
1378
- when :scoreboard
1379
- puts "Current scores:".colorize(:cyan)
1380
- @scores.sort_by { |_, score| -score }.each do |name, score|
1381
- puts "- #{name}: #{score}"
1382
- end
1383
- when :end
1384
- puts "Ending game...".colorize(:yellow)
1385
- end_game
1386
- when :exit
1387
- puts "Shutting down server...".colorize(:yellow)
1388
- EM.stop_event_loop
1389
- break
1390
- end
1391
- end
1392
- end
74
+ # Forward to renderer
75
+ @server_handler&.instance_variable_get(:@renderer)&.draw_command_prompt
1393
76
  end
1394
77
 
1395
- def setup_fixed_console_commands
1396
- # Log initial instructions
1397
- log_message("Available commands: help, start, exit", :cyan)
1398
- log_message("Type a command and press Enter", :cyan)
1399
-
1400
- # Show that the server is ready
1401
- log_message("Server is running. Waiting for players to join...", :green)
1402
-
1403
- # Handle commands in a separate thread
1404
- Thread.new do
1405
- loop do
1406
- # Show command prompt and get input
1407
- draw_command_prompt
1408
- command = gets&.chomp&.downcase
1409
- next unless command
1410
-
1411
- # Process commands
1412
- case command
1413
- when 'start'
1414
- if @players.empty?
1415
- log_message("Need at least one player to start", :red)
1416
- else
1417
- log_message("Starting game with #{@players.size} players...", :green)
1418
- start_game
1419
- end
1420
- # 'players' command removed - player list is always visible in sidebar
1421
- when 'help'
1422
- log_message("Available commands:", :cyan)
1423
- log_message(" start - Start the game with current players", :cyan)
1424
- log_message(" end - End current game and show final scores", :cyan)
1425
- log_message(" reset - Manually reset players to waiting room (after game ends)", :cyan)
1426
- log_message(" help - Show this help message", :cyan)
1427
- log_message(" exit - Shut down the server and exit", :cyan)
1428
- when 'end'
1429
- if @game_state == :playing
1430
- log_message("Ending game early...", :yellow)
1431
- end_game
1432
- elsif @game_state == :ended
1433
- log_message("Game already ended. Type 'start' to begin a new game.", :yellow)
1434
- else
1435
- log_message("No game in progress to end", :yellow)
1436
- end
1437
- when 'reset'
1438
- # Add a separate reset command for manually resetting players
1439
- if @game_state == :ended
1440
- log_message("Manually resetting all players to waiting room state...", :yellow)
1441
-
1442
- # Send a game reset message to all players
1443
- broadcast_message({
1444
- type: MessageType::GAME_RESET,
1445
- message: "Game has been reset by the host. Waiting for a new game to start."
1446
- })
1447
-
1448
- # Update game state
1449
- @game_state = :lobby
1450
- else
1451
- log_message("Can only reset after a game has ended", :yellow)
1452
- end
1453
- when 'exit'
1454
- # Clean up before exiting
1455
- log_message("Shutting down server...", :yellow)
1456
- print @cursor.show # Make sure cursor is visible
1457
- print @cursor.clear_screen
1458
- EM.stop_event_loop
1459
- break
1460
- else
1461
- log_message("Unknown command: #{command}. Type 'help' for available commands.", :red)
1462
- end
1463
-
1464
- # Small delay to process any display changes
1465
- sleep 0.1
1466
- end
1467
- end
1468
- end
1469
-
1470
- def print_players_list
1471
- puts "\nCurrent players:"
1472
- if @players.empty?
1473
- puts "No players have joined yet".colorize(:yellow)
1474
- else
1475
- @players.keys.each_with_index do |name, i|
1476
- puts "#{i+1}. #{name}"
1477
- end
1478
- end
1479
- end
1480
-
1481
- def refresh_host_ui
1482
- # Only clear the screen for the first draw
1483
- if !@ui_drawn
1484
- system("clear") || system("cls")
1485
-
1486
- display_welcome_banner
1487
-
1488
- puts "\n Server Started - Port: #{port}\n".colorize(:light_blue).center(80)
1489
-
1490
- @ui_drawn = true
1491
- else
1492
- # Just print a separator for subsequent updates
1493
- puts "\n\n" + ("═" * 60)
1494
- puts "Git Game Show - Status Update".center(60).colorize(:green)
1495
- puts ("═" * 60)
1496
- end
1497
-
1498
- # Server info
1499
- puts "\n════════════════════ Server Info ════════════════════".colorize(:cyan)
1500
- puts "Status: #{game_state_text}".colorize(game_state_color)
1501
- puts "Rounds: #{@current_round}/#{rounds}".colorize(:light_blue)
1502
- puts "Repository: #{repo.dir.path}".colorize(:light_blue)
1503
-
1504
- # Display join link prominently
1505
- puts "\n════════════════════ Join Link ═════════════════════".colorize(:green)
1506
- puts @join_link.to_s.colorize(:yellow)
1507
-
1508
- # Player list
1509
- puts "\n════════════════════ Players ═══════════════════════".colorize(:cyan)
1510
- if @players.empty?
1511
- puts "No players have joined yet".colorize(:yellow)
1512
- else
1513
- @players.keys.each_with_index do |name, i|
1514
- puts "#{i+1}. #{name}"
1515
- end
1516
- end
1517
-
1518
- # Current game state info
1519
- case @game_state
1520
- when :lobby
1521
- puts "\nWaiting for players to join. Type 'start' when ready.".colorize(:yellow)
1522
- puts "Players can join using the link above.".colorize(:yellow)
1523
- puts "Type 'players' to see the current list of players.".colorize(:yellow)
1524
- when :playing
1525
- puts "\n════════════════════ Game Info ═══════════════════════".colorize(:cyan)
1526
- puts "Current round: #{@current_round}/#{rounds}".colorize(:light_blue)
1527
- puts "Current mini-game: #{@current_mini_game&.class&.name || 'N/A'}".colorize(:light_blue)
1528
- puts "Question: #{@current_question_index + 1}/#{@round_questions.size}".colorize(:light_blue) if @round_questions&.any?
1529
-
1530
- # Show scoreboard
1531
- puts "\n═══════════════════ Scoreboard ══════════════════════".colorize(:cyan)
1532
- if @scores.empty?
1533
- puts "No scores yet".colorize(:yellow)
1534
- else
1535
- @scores.sort_by { |_, score| -score }.each_with_index do |(name, score), i|
1536
- case i
1537
- when 0
1538
- puts "🥇 #{name}: #{score} points".colorize(:light_yellow)
1539
- when 1
1540
- puts "🥈 #{name}: #{score} points".colorize(:light_blue)
1541
- when 2
1542
- puts "🥉 #{name}: #{score} points".colorize(:light_magenta)
1543
- else
1544
- puts "#{i+1}. #{name}: #{score} points"
1545
- end
1546
- end
1547
- end
1548
- when :ended
1549
- puts "\nGame has ended. Type 'exit' to quit or 'start' to begin a new game.".colorize(:green)
1550
- end
1551
-
1552
-
1553
- # Only print command help on first draw to avoid cluttering output
1554
- if !@ui_drawn
1555
- puts "\nAvailable commands: help, start, players, status, end, exit".colorize(:light_black)
1556
- puts "Type a command and press Enter".colorize(:light_black)
1557
- end
1558
- end
1559
-
1560
- def print_help_message
1561
- puts ""
1562
- puts "═══════════════════ Help ═════════════════════════"
1563
- puts "Available commands:"
1564
- puts " help - Show this help message"
1565
- puts " start - Start the game with current players"
1566
- puts " players - Show list of connected players"
1567
- puts " status - Refresh the status display"
1568
- puts " end - End the current game"
1569
- puts " exit - Shut down the server and exit"
1570
- puts "══════════════════════════════════════════════════"
1571
- end
1572
-
1573
- def print_status_message(message, status)
1574
- color = case status
1575
- when :success then :green
1576
- when :error then :red
1577
- when :warning then :yellow
1578
- else :white
1579
- end
1580
- puts "\n> #{message}".colorize(color)
1581
- end
1582
-
1583
- def game_state_text
1584
- case @game_state
1585
- when :lobby then "Waiting for players"
1586
- when :playing then "Game in progress"
1587
- when :ended then "Game over"
1588
- end
1589
- end
1590
-
1591
- def game_state_color
1592
- case @game_state
1593
- when :lobby then :yellow
1594
- when :playing then :green
1595
- when :ended then :light_blue
1596
- end
78
+ def log_message(message, color = :white)
79
+ # Forward to renderer
80
+ @server_handler&.instance_variable_get(:@renderer)&.log_message(message, color)
1597
81
  end
1598
82
 
1599
- # Select the next mini-game to ensure variety and avoid repetition
1600
- def select_next_mini_game
1601
- # Special case for when only one mini-game type is enabled
1602
- if @mini_games.size == 1
1603
- selected_game = @mini_games.first
1604
- log_message("Only one mini-game type available: #{selected_game.name}", :light_black)
1605
- return selected_game
1606
- end
1607
-
1608
- # If we have no more available mini-games, reset the cycle
1609
- if @available_mini_games.empty?
1610
- # Handle the case where we might have only one game left after excluding the last used
1611
- if @mini_games.size <= 2
1612
- @available_mini_games = @mini_games.dup
1613
- else
1614
- # Repopulate with all mini-games except the last one used (if possible)
1615
- @available_mini_games = @mini_games.reject { |game| game == @used_mini_games.last }
1616
- end
83
+ def update_player_list
84
+ # Forward to sidebar
85
+ player_manager = @server_handler&.instance_variable_get(:@player_manager)
86
+ sidebar = @server_handler&.instance_variable_get(:@sidebar)
1617
87
 
1618
- # Log that we're starting a new cycle
1619
- log_message("Starting a new cycle of mini-games", :light_black)
88
+ if player_manager && sidebar
89
+ sidebar.update_player_list(player_manager.player_names, player_manager.scores)
1620
90
  end
1621
-
1622
- # Select a random game from the available ones
1623
- selected_game = @available_mini_games.sample
1624
- return @mini_games.first if selected_game.nil? # Fallback for safety
1625
-
1626
- # Remove the selected game from available and add to used
1627
- @available_mini_games.delete(selected_game)
1628
- @used_mini_games << selected_game
1629
-
1630
- # Log which mini-game was selected
1631
- log_message("Selected #{selected_game.name} for this round", :light_black)
1632
-
1633
- # Return the selected game class
1634
- selected_game
1635
- end
1636
-
1637
- def load_mini_games
1638
- # Enable all mini-games
1639
- [
1640
- GitGameShow::AuthorQuiz,
1641
- GitGameShow::FileQuiz,
1642
- GitGameShow::CommitMessageCompletion,
1643
- GitGameShow::DateOrderingQuiz,
1644
- GitGameShow::BranchDetective,
1645
- GitGameShow::BlameGame
1646
- ]
1647
91
  end
1648
92
  end
1649
93
  end