OSDN Git Service

Improted %%FORK command.
[shogi-server/shogi-server.git] / mk_rate
1 #!/usr/bin/ruby
2 # $Id$
3 #
4 # Author:: Daigo Moriwaki
5 # Homepage:: http://sourceforge.jp/projects/shogi-server/
6 #
7 #--
8 # Copyright (C) 2006-2009 Daigo Moriwaki <daigo at debian dot org>
9 #
10 # This program is free software; you can redistribute it and/or modify
11 # it under the terms of the GNU General Public License as published by
12 # the Free Software Foundation; either version 2 of the License, or
13 # (at your option) any later version.
14 #
15 # This program is distributed in the hope that it will be useful,
16 # but WITHOUT ANY WARRANTY; without even the implied warranty of
17 # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.  See the
18 # GNU General Public License for more details.
19 #
20 # You should have received a copy of the GNU General Public License
21 # along with this program; if not, write to the Free Software
22 # Foundation, Inc., 59 Temple Place, Suite 330, Boston, MA  02111-1307  USA
23 #++
24 #
25 # == Synopsis
26 #
27 # mk_rate reads game results files generated by the mk_game_results command,
28 # calculates rating scores of each player, and then outputs a yaml file 
29 # (players.yaml) that Shogi-server can recognize.
30 #
31 # == Usage
32 #
33 # ./mk_rate [options] GAME_RESULTS_FILE [...]
34 #
35 # ./mk_rate [options]
36
37 # GAME_RESULTS_FILE::
38 #   a path to a file listing results of games, which is genrated by the
39 #   mk_game_results command.
40 #   In the second style above, the file content can be read from the stdin.
41 #
42 # --base-date::
43 #   a base time point for this calicuration (default now). Ex. '2009-10-31'
44 #
45 # --half-life::
46 #   n [days] (default 60)
47 #   
48 # --half-life-ignore::
49 #   m [days] (default  7)
50 #   after m days, the half-life effect works
51 #
52 # --fixed-rate-player::
53 #   player whose rate is fixed at the rate
54 #
55 # --fixed-rate::
56 #   rate 
57 #
58 # --skip-draw-games::
59 #   skip draw games. [default: draw games are counted in as 0.5 win and 0.5
60 #   lost.]
61 #
62 # --help::
63 #   show this message
64 #
65 # == PREREQUIRE
66 #
67 # Sample Command lines that isntall prerequires will work on Debian.
68 #
69 # * Ruby 1.8.7
70 #
71 #   $ sudo aptitude install ruby1.8
72 #
73 # * Rubygems
74 #
75 #   $ sudo aptitude install rubygems
76 #
77 # * Ruby bindings for the GNU Scientific Library (GSL[http://rb-gsl.rubyforge.org/])
78 #
79 #   $ sudo aptitude install libgsl-ruby1.8
80 #
81 # * RGL: {Ruby Graph Library}[http://rubyforge.org/projects/rgl/]
82 #
83 #   $ sudo gem install rgl
84 #
85 # == Examples
86 #
87 #   $ ./mk_rate game_results.txt > players.yaml
88 #
89 #   $ ./mk_game_results . | ./mk_rate > players.yaml
90 #
91 # If you do not want the file to be update in case of errors, 
92 #
93 #   $ ./mk_rate game_results.txt && ./mk_rate game_results.txt > players.yaml
94 #
95 # == How players are rated
96 #
97 # The conditions that games and players are rated as following:
98 #
99 # * Rated games, which were played by both rated players.
100 # * Rated players, who logged in the server with a name followed by a trip: "name,trip".
101 # * (Rated) players, who played more than $GAMES_LIMIT [15] (rated) games. 
102 #
103
104 require 'yaml'
105 require 'time'
106 require 'getoptlong'
107 require 'gsl'
108 require 'rubygems'
109 require 'rgl/adjacency'
110 require 'rgl/connected_components'
111
112 #################################################
113 # Constants
114 #
115
116 # Count out players who play less games than $GAMES_LIMIT
117 $GAMES_LIMIT = $DEBUG ? 0 : 15
118 WIN_MARK  = "win"
119 LOSS_MARK = "lose"
120 DRAW_MARK = "draw"
121
122 # Holds players
123 $players = Hash.new
124 # Holds the last time when a player gamed
125 $players_time = Hash.new { Time.at(0) }
126
127
128 #################################################
129 # Keeps the value of the lowest key
130 #
131 class Record
132   def initialize
133     @lowest = []
134   end
135
136   def set(key, value)
137     if @lowest.empty? || key < @lowest[0]
138       @lowest = [key, value]
139     end
140   end
141
142   def get
143     if @lowest.empty?
144       nil
145     else
146       @lowest[1]
147     end
148   end
149 end
150
151 #################################################
152 # Calculates rates of every player from a Win Loss GSL::Matrix
153 #
154 class Rating
155   include Math
156
157   # The model of the win possibility is 1/(1 + 10^(-d/400)).
158   # The equation in this class is 1/(1 + e^(-Kd)).
159   # So, K should be calculated like this.
160   K = Math.log(10.0) / 400.0
161   
162   # Convergence limit to stop Newton method.
163   ERROR_LIMIT = 1.0e-3
164   # Stop Newton method after this iterations.
165   COUNT_MAX = 500
166
167   # Average rate among the players
168   AVERAGE_RATE = 1000
169
170   
171   ###############
172   # Class methods
173   #  
174   
175   ##
176   # Calcurates the average of the vector.
177   #
178   def Rating.average(vector, mean=0.0)
179     sum = Array(vector).inject(0.0) {|sum, n| sum + n}
180     vector -= GSL::Vector[*Array.new(vector.size, sum/vector.size - mean)]
181     vector
182   end
183
184   ##################
185   # Instance methods
186   #
187   def initialize(win_loss_matrix)
188     @record = Record.new
189     @n = win_loss_matrix
190     case @n
191     when GSL::Matrix, GSL::Matrix::Int
192       @size = @n.size1
193     when ::Matrix
194       @size = @n.row_size
195     else
196       raise ArgumentError
197     end
198     initial_rate
199   end
200   attr_reader :rate, :n
201
202   def player_vector
203     GSL::Vector[*
204       (0...@size).collect {|k| yield k}
205     ]
206   end
207
208   def each_player
209     (0...@size).each {|k| yield k}
210   end
211
212   ##
213   # The possibility that the player k will beet the player i.
214   #
215   def win_rate(k,i)
216     1.0/(1.0 + exp(@rate[i]-@rate[k]))
217   end
218
219   ##
220   # Most possible equation
221   #
222   def func_vector
223     player_vector do|k| 
224       sum = 0.0
225       each_player do |i|
226         next if i == k
227         sum += @n[k,i] * win_rate(i,k) - @n[i,k] * win_rate(k,i) 
228       end
229       sum * 2.0
230     end
231   end
232
233   ##
234   #           / f0/R0 f0/R1 f0/R2 ... \
235   # dfk/dRj = | f1/R0 f1/R1 f1/R2 ... |
236   #           \ f2/R0 f2/R1 f2/R2 ... /
237   def d_func(k,j)
238     sum = 0.0
239     if k == j
240       each_player do |i|
241         next if i == k
242         sum += win_rate(i,k) * win_rate(k,i) * (@n[k,i] + @n[i,k])
243       end
244       sum *= -2.0
245     else # k != j
246       sum = 2.0 * win_rate(j,k) * win_rate(k,j) * (@n[k,j] + @n[j,k])
247     end
248     sum
249   end
250
251   ##
252   # Jacobi matrix of the func().
253   #   m00 m01
254   #   m10 m11
255   #
256   def j_matrix
257     GSL::Matrix[*
258       (0...@size).collect do |k|
259         (0...@size).collect do |j|
260           d_func(k,j)
261         end
262       end
263     ]
264   end
265
266   ##
267   # The initial value of the rate, which is of very importance for Newton
268   # method.  This is based on my huristics; the higher the win probablity of
269   # a player is, the greater points he takes.
270   #
271   def initial_rate
272     possibility = 
273       player_vector do |k|
274         v = GSL::Vector[0, 0]
275         each_player do |i|
276           next if k == i
277           v += GSL::Vector[@n[k,i], @n[i,k]]
278         end
279         v.nrm2 < 1 ? 0 : v[0] / (v[0] + v[1])
280       end
281     rank = possibility.sort_index
282     @rate = player_vector do |k|
283       K*500 * (rank[k]+1) / @size
284     end
285     average!
286   end
287
288   ##
289   # Resets @rate as the higher the current win probablity of a player is, 
290   # the greater points he takes. 
291   #
292   def initial_rate2
293     @rate = @record.get || @rate
294     rank = @rate.sort_index
295     @rate = player_vector do |k|
296       K*@count*1.5 * (rank[k]+1) / @size
297     end
298     average!
299   end
300
301   # mu is the deaccelrating parameter in Deaccelerated Newton method
302   def deaccelrate(mu, old_rate, a, old_f_nrm2)
303     @rate = old_rate - a * mu
304     if func_vector.nrm2 < (1 - mu / 4.0 ) * old_f_nrm2 then
305       return
306     end
307     if mu < 1e-4
308       @record.set(func_vector.nrm2, @rate)
309       initial_rate2
310       return
311     end
312     $stderr.puts "mu: %f " % [mu] if $DEBUG
313     deaccelrate(mu*0.5, old_rate, a, old_f_nrm2)
314   end
315
316   ##
317   # Main process to calculate ratings.
318   #
319   def rating
320     # Counter to stop the process. 
321     # Calulation in Newton method may fall in an infinite loop
322     @count = 0
323
324     # Main loop
325     begin
326       # Solve the equation: 
327       #   J*a=f
328       #   @rate_(n+1) = @rate_(n) - a
329       #
330       # f.nrm2 should approach to zero.
331       f = func_vector
332       j = j_matrix
333
334       # $stderr.puts "j: %s" % [j.inspect] if $DEBUG
335       $stderr.puts "f: %s -> %f" % [f.to_a.inspect, f.nrm2] if $DEBUG
336
337       # GSL::Linalg::LU.solve or GSL::Linalg::HH.solve would be available instead.
338       #a = GSL::Linalg::HH.solve(j, f)
339       a, = GSL::MultiFit::linear(j, f)
340       a = self.class.average(a)
341       # $stderr.puts "a: %s -> %f" % [a.to_a.inspect, a.nrm2] if $DEBUG
342       
343       # Deaccelerated Newton method
344       # GSL::Vector object should be immutable.
345       old_rate   = @rate
346       old_f      = f
347       old_f_nrm2 = old_f.nrm2
348       deaccelrate(1.0, old_rate, a, old_f_nrm2)
349       #@rate -= a # Instead, do not deaccelerate
350       @record.set(func_vector.nrm2, @rate)
351
352       $stderr.printf "|error| : %5.2e\n", a.nrm2 if $DEBUG
353
354       @count += 1
355       if @count > COUNT_MAX
356         $stderr.puts "Values seem to oscillate. Stopped the process."
357         $stderr.puts "f: %s -> %f" % [func_vector.to_a.inspect, func_vector.nrm2]
358         break
359       end
360
361     end while (a.nrm2 > ERROR_LIMIT * @rate.nrm2)
362     
363     @rate = @record.get
364     $stderr.puts "resolved f: %s -> %f" %
365       [func_vector.to_a.inspect, func_vector.nrm2] if $DEBUG
366     $stderr.puts "Count: %d" % [@count] if $DEBUG
367
368     @rate *= 1.0/K
369     finite!
370     self
371   end
372
373   ##
374   # Make the values of @rate finite.
375   #
376   def finite!
377     @rate = @rate.collect do |a|
378       if a.infinite?
379         a.infinite? * AVERAGE_RATE * 100
380       else
381         a
382       end
383     end
384   end
385
386   ##
387   # Flatten the values of @rate.
388   #
389   def average!(mean=0.0)
390     @rate = self.class.average(@rate, mean)
391   end
392
393   ##
394   # Translate by value
395   #
396   def translate!(value)
397     @rate += value
398   end
399
400   ##
401   # Make the values of @rate integer.
402   #
403   def integer!
404     @rate = @rate.collect do |a|
405       if a.finite?
406         a.to_i
407       elsif a.nan?
408         0
409       elsif a.infinite?
410         a.infinite? * AVERAGE_RATE * 100
411       end
412     end
413   end
414 end
415
416 #################################################
417 # Encapsulate a pair of keys and win loss matrix.
418 #   - keys is an array of player IDs; [gps+123, foo+234, ...]
419 #   - matrix holds games # where player i (row index) beats player j (column index).
420 #     The row and column indexes match with the keys.
421 #
422 # This object should be immutable. If an internal state is being modified, a
423 # new object is always returned.
424 #
425 class WinLossMatrix
426
427   ###############
428   # Class methods
429   #  
430
431   def self.mk_matrix(players)
432     keys = players.keys.sort
433     size = keys.size
434     matrix =
435       GSL::Matrix[*
436       ((0...size).collect do |k|
437         p1 = keys[k]
438         p1_hash = players[p1]
439         ((0...size).collect do |j|
440           if k == j
441             0
442           else
443             p2 = keys[j]
444             v = p1_hash[p2] || GSL::Vector[0,0]
445             v[0]
446           end
447         end)
448       end)]
449     return WinLossMatrix.new(keys, matrix)
450   end
451
452   def self.mk_win_loss_matrix(players)
453     obj = mk_matrix(players)
454     return obj.filter
455   end
456
457   ##################
458   # Instance methods
459   #
460
461   # an array of player IDs; [gps+123, foo+234, ...]
462   attr_reader :keys
463
464   # matrix holds games # where player i (row index) beats player j (column index).
465   # The row and column indexes match with the keys.
466   attr_reader :matrix
467
468   def initialize(keys, matrix)
469     @keys   = keys
470     @matrix = matrix
471   end
472
473   ##
474   # Returns the size of the keys/matrix
475   #
476   def size
477     if @keys
478       @keys.size
479     else
480       nil
481     end
482   end
483
484   ##
485   # Removes players in a rows such as [1,3,5], and then returns a new
486   # object.
487   #
488   def delete_rows(rows)
489     rows = rows.sort.reverse
490
491     copied_cols = []
492     (0...size).each do |i|
493       next if rows.include?(i)
494       row = @matrix.row(i).clone
495       rows.each do |j|
496         row.delete_at(j)
497       end
498       copied_cols << row
499     end
500     if copied_cols.size == 0
501       new_matrix = GSL::Matrix.new
502     else
503       new_matrix = GSL::Matrix[*copied_cols]
504     end
505
506     new_keys = @keys.clone
507     rows.each do |j|
508       new_keys.delete_at(j)
509     end
510
511     return WinLossMatrix.new(new_keys, new_matrix)
512   end
513
514   ##
515   # Removes players who do not pass a criteria to be rated, and returns a
516   # new object.
517   # 
518   def filter
519     $stderr.puts @keys.inspect if $DEBUG
520     $stderr.puts @matrix.inspect if $DEBUG
521     delete = []  
522     (0...size).each do |i|
523       row = @matrix.row(i)
524       col = @matrix.col(i)
525       win  = row.sum
526       loss = col.sum
527       if win < 1 || loss < 1 || win + loss < $GAMES_LIMIT
528         delete << i
529       end
530     end
531
532     # The recursion ends if there is nothing to delete
533     return self if delete.empty?
534
535     new_obj = delete_rows(delete)
536     new_obj.filter
537   end
538
539   ##
540   # Cuts self into connecting groups such as each player in a group has at least
541   # one game with other players in the group. Returns them as an array.
542   #
543   def connected_subsets
544     g = RGL::AdjacencyGraph.new
545     (0...size).each do |k|
546       (0...size).each do |i|
547         next if k == i
548         if @matrix[k,i] > 0
549           g.add_edge(k,i)
550         end
551       end
552     end
553
554     subsets = []
555     g.each_connected_component do |c|
556       new_keys = []      
557       c.each do |v|
558         new_keys << keys[v.to_s.to_i]
559       end
560       subsets << new_keys
561     end
562
563     subsets = subsets.sort {|a,b| b.size <=> a.size}
564
565     result = subsets.collect do |keys|
566       matrix =
567         GSL::Matrix[*
568         ((0...keys.size).collect do |k|
569           p1 = @keys.index(keys[k])
570           ((0...keys.size).collect do |j|
571             if k == j
572               0
573             else
574               p2 = @keys.index(keys[j])
575               @matrix[p1,p2]
576             end
577           end)
578         end)]
579       WinLossMatrix.new(keys, matrix)
580     end
581
582     return result
583   end
584
585   def to_s
586     "size : #{@keys.size}" + "\n" +
587     @keys.inspect + "\n" + 
588     @matrix.inspect
589   end
590
591 end
592
593
594 #################################################
595 # Main methods
596 #
597
598 # Half-life effect
599 # After NHAFE_LIFE days value will get half.
600 # 0.693 is constant, where exp(0.693) ~ 0.5
601 def half_life(days)
602   if days < $options["half-life-ignore"]
603     return 1.0
604   else
605     Math::exp(-0.693/$options["half-life"]*(days-$options["half-life-ignore"]))
606   end
607 end
608
609 def _add_win_loss(winner, loser, time)
610   how_long_days = ($options["base-date"] - time)/(3600*24)
611   $players[winner] ||= Hash.new { GSL::Vector[0,0] }
612   $players[loser]  ||= Hash.new { GSL::Vector[0,0] }
613   $players[winner][loser] += GSL::Vector[1.0*half_life(how_long_days),0]
614   $players[loser][winner] += GSL::Vector[0,1.0*half_life(how_long_days)]
615 end
616
617 def _add_draw(player1, player2, time)
618   how_long_days = ($options["base-date"] - time)/(3600*24)
619   $players[player1] ||= Hash.new { GSL::Vector[0,0] }
620   $players[player2] ||= Hash.new { GSL::Vector[0,0] }
621   $players[player1][player2] += GSL::Vector[0.5*half_life(how_long_days),0.5*half_life(how_long_days)]
622   $players[player2][player1] += GSL::Vector[0.5*half_life(how_long_days),0.5*half_life(how_long_days)]
623 end
624
625 def _add_time(player, time)
626   $players_time[player] = time if $players_time[player] < time
627 end
628
629 def add(black_mark, black_name, white_name, white_mark, time)
630   if black_mark == WIN_MARK && white_mark == LOSS_MARK
631     _add_win_loss(black_name, white_name, time)
632   elsif black_mark == LOSS_MARK && white_mark == WIN_MARK
633     _add_win_loss(white_name, black_name, time)
634   elsif black_mark == DRAW_MARK && white_mark == DRAW_MARK
635     if $options["skip-draw-games"]
636       return
637     else
638       _add_draw(black_name, white_name, time)
639     end
640   else
641     raise "Never reached!"
642   end
643   _add_time(black_name, time)
644   _add_time(white_name, time)
645 end
646
647 def identify_id(id)
648   if /@NORATE\+/ =~ id # the player having @NORATE in the name should not be rated
649     return nil
650   end
651   id.gsub(/@.*?\+/,"+")
652 end
653
654 # Parse a game result line
655 #
656 def parse(line)
657   time, state, black_mark, black_id, white_id, white_mark, file = line.split("\t")
658   unless time && state && black_mark && black_id &&
659          white_id && white_mark && file
660     $stderr.puts "Failed to parse the line : #{line}"
661     return
662   end
663
664   return if state == "abnormal"
665   time = Time.parse(time)
666   return if $options["base-date"] < time
667   black_id = identify_id(black_id)
668   white_id = identify_id(white_id)
669
670   if black_id && white_id && (black_id != white_id) &&
671      black_mark && white_mark
672     add(black_mark, black_id, white_id, white_mark, time)
673   end
674 end
675
676 def validate(yaml)
677   yaml["players"].each do |group_key, group|
678     group.each do |player_key, player|
679       rate = player['rate']
680       next unless rate
681       if rate > 10000 || rate < -10000
682         return false
683       end
684     end
685   end
686   return true
687 end
688
689 def usage(io)
690     io.puts <<EOF
691 USAGE: #{$0} [options] GAME_RESULTS_FILE [...]
692        #{$0} [options]
693        
694 GAME_RESULTS_FILE:
695   a path to a file listing results of games, which is genrated by the
696   mk_game_results command.
697   In the second style above, the file content can be read from the stdin.
698
699 OPTOINS:
700   --base-date         a base time point for this calicuration (default now). Ex. '2009-10-31'
701   --half-life         n [days] (default 60)
702   --half-life-ignore  m [days] (default  7)
703                       after m days, half-life effect works
704   --fixed-rate-player player whose rate is fixed at the rate
705   --fixed-rate        rate 
706   --skip-draw-games   skip draw games. [default: draw games are counted in
707                       as 0.5 win and 0.5 lost]
708   --help              show this message
709 EOF
710 end
711
712 def main
713   $options = Hash::new
714   parser = GetoptLong.new(
715     ["--base-date",         GetoptLong::REQUIRED_ARGUMENT],
716     ["--half-life",         GetoptLong::REQUIRED_ARGUMENT],
717     ["--half-life-ignore",  GetoptLong::REQUIRED_ARGUMENT],
718     ["--help", "-h",        GetoptLong::NO_ARGUMENT],
719     ["--fixed-rate-player", GetoptLong::REQUIRED_ARGUMENT],
720     ["--fixed-rate",        GetoptLong::REQUIRED_ARGUMENT],
721     ["--skip-draw-games",   GetoptLong::NO_ARGUMENT])
722   parser.quiet = true
723   begin
724     parser.each_option do |name, arg|
725       name.sub!(/^--/, '')
726       $options[name] = arg.dup
727     end
728     if ( $options["fixed-rate-player"] && !$options["fixed-rate"]) ||
729        (!$options["fixed-rate-player"] &&  $options["fixed-rate"]) ||
730        ( $options["fixed-rate-player"] &&  $options["fixed-rate"].to_i <= 0) 
731       usage($stderr)
732       exit 1
733     end
734   rescue
735     usage($stderr)
736     raise parser.error_message
737   end
738   if $options["help"]
739     usage($stdout) 
740     exit 0
741   end
742   if $options["base-date"]
743     $options["base-date"] = Time::parse $options["base-date"]
744   else
745     $options["base-date"] = Time.now
746   end
747   $options["half-life"] ||= 60
748   $options["half-life"] = $options["half-life"].to_i
749   $options["half-life-ignore"] ||= 7
750   $options["half-life-ignore"] = $options["half-life-ignore"].to_i
751   $options["fixed-rate"] = $options["fixed-rate"].to_i if $options["fixed-rate"]
752
753   if ARGV.empty?
754     while line = $stdin.gets do
755       parse line.strip
756     end
757   else
758     while file = ARGV.shift do
759       File.open(file) do |f|
760         f.each_line do |line|
761           parse line.strip
762         end
763       end 
764     end
765   end
766
767   yaml = {} 
768   yaml["players"] = {}
769   rating_group = 0
770   if $players.size > 0
771     obj = WinLossMatrix::mk_win_loss_matrix($players)
772     obj.connected_subsets.each do |win_loss_matrix|
773       yaml["players"][rating_group] = {}
774
775       rating = Rating.new(win_loss_matrix.matrix)
776       rating.rating
777       rating.average!(Rating::AVERAGE_RATE)
778       rating.integer!
779
780       if $options["fixed-rate-player"]
781         # first, try exact match
782         index = win_loss_matrix.keys.index($options["fixed-rate-player"])
783         # second, try regular match
784         unless index
785           win_loss_matrix.keys.each_with_index do |p, i|
786             if %r!#{$options["fixed-rate-player"]}! =~ p
787               index = i
788             end
789           end
790         end
791         if index
792           the_rate = rating.rate[index]
793           rating.translate!($options["fixed-rate"] - the_rate)
794         end
795       end
796
797       win_loss_matrix.keys.each_with_index do |p, i| # player_id, index#
798         win  = win_loss_matrix.matrix.row(i).sum
799         loss = win_loss_matrix.matrix.col(i).sum
800
801         yaml["players"][rating_group][p] = 
802           { 'name' => p.split("+")[0],
803             'rating_group' => rating_group,
804             'rate' => rating.rate[i],
805             'last_modified' => $players_time[p].dup,
806             'win'  => win,
807             'loss' => loss}
808       end
809       rating_group += 1
810     end
811   end
812   rating_group -= 1
813   non_rated_group = 999 # large enough
814   yaml["players"][non_rated_group] = {}
815   $players.each_key do |id|
816     # skip players who have already been rated
817     found = false
818     (0..rating_group).each do |i|
819        found = true if yaml["players"][i][id]
820        break if found
821     end
822     next if found
823
824     v = GSL::Vector[0, 0]
825     $players[id].each_value {|value| v += value}
826     next if v[0] < 1 && v[1] < 1
827
828     yaml["players"][non_rated_group][id] =
829       { 'name' => id.split("+")[0],
830         'rating_group' => non_rated_group,
831         'rate' => 0,
832         'last_modified' => $players_time[id].dup,
833         'win'  => v[0],
834         'loss' => v[1]}
835   end
836   unless validate(yaml)
837     $stderr.puts "Aborted. It did not result in valid ratings."
838     $stderr.puts yaml.to_yaml if $DEBUG
839     exit 10
840   end
841   puts yaml.to_yaml
842 end
843
844 if __FILE__ == $0
845   main
846 end
847
848 # vim: ts=2 sw=2 sts=0