我是第一次通过将我的应用程序域(公立高中)建模为对象来练习OOP,我一直在研究如何在不引入大量外部依赖项的情况下创建类之间的关系。
我有很多我想建立的关系,所以为了学习一般原理,我在这里给出两个类和示例对象来说明我遇到的困难。
我有两个类Grade
和Transcript
Transcript
的每个实例都有一个实例变量@mark
,它现在是一个字符串我收集了每个类agrades
散列和atranscripts
散列的所有实例。
问题:如何修改这些类,以便@mark
引用相应的Grade
实例?
(或者,这完全是错误的做法吗?)Grade
为每个可能的期末学生提供一个实例
class Grade
attr_accessor :mark, :alpha_equivalent, :numeric_range_low, :numeric_range_high, :numeric_qquivalent, :pass_fail_equivalent, :description
def initialize(args)
@mark = args["Mark"]
@alpha_equivalent = args["AlphaEquivalent"]
@numeric_range_low = args["NumericRangeLow"]
@numeric_range_high = args["NumericRangeHigh"]
@numeric_equivalent = args["NumericEquivalent"]
@pass_fail_equivalent = args["PassFailEquivalent"]
@description = args["Description"]
end
end
grades散列中的示例对象:
grades["100"] =>
#<Grade:0x007f9fcb077d68
@alpha_equivalent="100",
@description="100 out of 100",
@mark="100",
@numeric_equivalent="100",
@numeric_range_high="100",
@numeric_range_low="100",
@pass_fail_equivalent="P">
Transcript
学生所学课程的每一个期末成绩都有实例class Transcript
attr_accessor :student_id, :last_name, :first_name, :grade, :official_class, :school, :year, :term, :course, :course_title, :mark, :pass_fail, :credits
def initialize(args)
@student_id = args["StudentID"]
@last_name = args["LastName"]
@first_name = args["FirstName"]
@grade = args["Grade"]
@official_class = args["OffClass"]
@school = args["school"]
@year = args["Year"]
@term = args["Term"]
@course = args["Course"]
@course_title = args["Course Title"]
@mark = args["Mark"]
@credits = args["Credits"]
@grade_entry_cohort = args["GEC"]
end
end
来自转录哈希的示例对象:
transcripts["foobar-COURSE1-100"] =>
#<Transcript:0x007f9fce8786b8
@course="COURSE1",
@course_title="Example Course",
@credits="5",
@first_name="FOO",
@grade="100",
@grade_entry_cohort="V",
@last_name="BAR",
@mark="100",
@official_class="000",
@school="1",
@student_id="0123",
@term="1",
@year="2000">
我正在实例化CSV源文件中的所有对象,然后将它们收集到一个散列中,因为我希望能够直接寻址它们。
最佳答案
听起来您需要Transcript#grade
返回一个Grade
实例所以让我们制定一个方法:
class Grade
def self.all
@all ||= {}
end
def self.find(mark)
all[mark]
end
end
现在,
Grade.all
需要填充。这可以通过CSV实现:grade_args = %w[alpha_equivalent description mark numeric_equivalent numeric_range_high numeric_range_low pass_fail_equivalent]
CSV.parse { |row| Grade.all.merge(csv['mark'] => Grade.new(row.slice(*grade_args)}
现在,我们可以这样修改
Transcript
:class Transcript
def initialize(args)
@args = args
end
def grade
@grade ||= Grade.find(args['mark'])
end
private
attr_reader :args
end
关于ruby - 在ruby中建立对象关系时隔离依赖项,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/44099449/