標籤:style blog http color os 檔案
強烈推薦線上學習網站:http://tryruby.org/筆記:
- Ruby會預設返回方法中的最後一個值。
- 如果需要返回多個值,可以用數組來實現。
- 可以通過強制聲明return來傳回值。
- 基礎的輸出方法是用puts(輸出一行),print(直接列印)。
- 基礎的輸入方法是gets(讀入一行,包含行尾的‘\n‘,可以用chomp方法消除)。
- 純粹的現象對象語言,而且還是一個動態語言(雖然今天目前還沒用到),所以老老實實物件導向去。
- 有兩種簡單粗暴的儲存多個元素的方法。數組[]和雜湊表{},而且還有各種各樣的函數。
- 強烈推薦新手入門線上學習網站:http://tryruby.org/,簡直爽到爆!
各種代碼eg1: 建立一個雜湊表
Ruby Code
1 ojs = {} 2 ojs["poj"] = :A 3 ojs["hdu"] = :A 4 ojs["uva"] = :B 5 ojs["zoj"] = :B 6 ojs["CF"] = :S 7 ojs["TC"] = :S 8 ratings = Hash.new(0) 9 ojs.values.each { |rate| ratings[rate] += 1 }10 print ratings11 puts ""12 puts "==============================="13 print ojs14 puts ""15 puts "==============================="16 3.times {print "hey!"}17 puts ""18 puts "==============================="19 20 print ojs.length21 puts ""22 print ojs.keys23 puts ""24 print ojs.values25 puts ""26 ojs.keys.each { |name| print name; print " "; print ojs[name]; puts ""; }27 puts "==============================="28 print File.read("x.txt")29 puts "==============================="30 File.open("x.txt", "a") do |f|31 f << "HACKED!\n"32 end33 print File.read("x.txt")34 puts "==============================="35 print File.mtime("x.txt")36 puts ""37 print File.mtime("x.txt").hour38 puts ""39 puts "==============================="
View Codeeg2: 從檔案讀資料建立一個雜湊表
Ruby Code
# 讀取一個檔案的資料庫並且輸出def load_oj( path ) ojs = {} File.foreach(path) do |line| name, value = line.split(‘:‘) ojs[name] = value end print_oj(ojs)enddef print_oj( data ) puts "================================" print "name\tvalue\n" data.keys.each do |name| puts "#{name}\t#{data[name]}" end puts "================================"endoj = load_oj("x.txt")
View Codeeg3: 從檔案中讀取學生資訊並且輸出
Ruby Code
1 # 從檔案中讀取學生資訊並且輸出 2 class Student 3 #attr_accessor :name 4 #attr_accessor :number 5 def initialize(name = "Unknown", number = "2012309999") 6 @name = name 7 @number = number 8 end 9 def print10 puts "#{@name}\t#{@number}"11 end12 end13 def load_stu( path )14 data = {}15 File.foreach(path) do |line|16 na, no = line.split(‘ ‘)17 s = Student.new(no, na)18 data[s] = 119 end20 data21 end22 def print_stu( data )23 puts "================================"24 print "name\tnumber\n"25 data.keys.each do |stu|26 stu.print27 end28 puts "================================"29 end30 data = load_stu("y.txt")31 print_stu(data)
View Codeeg4: 一行內輸入4個整數,計算這四個數的最大公約數
Ruby Code
# 一行內輸入4個整數,計算這四個數的最大公約數def gcd(a, b) if b === 0 return a else return gcd(b, a % b) endendstr = gets.chompa, b, c, d = str.split(" ")g1 = gcd(a.to_i, b.to_i);g2 = gcd(c.to_i, d.to_i);g3 = gcd(g1, g2)puts "gcd(#{a}, #{b}, #{c}, #{d}) = #{g3}"