1.ruby定义类
class Customend
在ruby中,类总是以关键字class开始,后跟类的名称。类名的首字母应该大写。
可以使用关键字end终止一个类,也可以不用。类中的所有数据成员都是介于类定义和end关键字之间。
2.ruby类中的变量,ruby提供了四种类型的变量
局部变量:局部变量是在方法中定义的变量。局部变量在方法外是不可用的。局部变量以小写字母或_开始
实例变量:实例变量可以跨任何特定的实例或对象中的方法使用。实例变量在变量名之前放置符号@
类变量:类变量可以跨不同的对象使用。类变量在变量名之前放置符号@@
全局变量:类变量不能跨类使用。全局变量总是以符号$开始。
class Customer @@no_of_customers=0end
3.在ruby中使用new方法创建对象
new是一种独特的方法,在ruby库中预定义,new方法属于类方法。
cust1 = Customer.newcust2 = Customer.new
4.自定义方法创建ruby对象
可以给方法new传递参数,这些参数可用于初始化类变量。使用自定义的new方法时,需要在创建类的同时声明方法initialize,initialize是一种特殊类型的方法,将在调用带参数的类new方法时执行。
class Customer @@no_of_customers=0 def initialize(id,name,addr) @cust_id=id @cust_name=name @cust_addr=addr endend
5.ruby中的成员函数
class Sample def hello puts "----hello ruby------" endend
6.类案例
class Customer @@no_of_customers=0 def initialize(id,name,addr) @cust_id=id @cust_name=name @cust_addr=addr end def display_details puts "customer id #@cust_id" puts "customer name #@cust_name" puts "customer address #@cust_addr" end def total_no_of_customers @@no_of_customers += 1 puts "total number of customers:#@@no_of_customers" end end#自定义类的new方法后,原new方法不能使用#cust1 = Customer.new#cust2 = Customer.newcust3 = Customer.new("3","John","Hubei")cust4 = Customer.new("4","Paul","Hunan")puts cust3cust4.display_detailscust4.total_no_of_customers