如果我有类似
的类层次结构type Employee(name) =
member val name: string = name
type HourlyEmployee(name, rate) =
inherit Employee(name)
member val rate: int = rate
type SalariedEmployee(name, salary) =
inherit Employee(salary)
member val salary: int = salary
我想要一个以纯粹的方式更新name
字段的函数,这怎么可能?一对失败的选择:
let changeName(employee: Employee) =
// no idea what class this was, so this can only return the base class
let changeName<'a when 'a :> Employee>(employee: 'a) =
// 'a has no constructor
我提出的最接近的事情是创建一个虚拟Employee.changeName
并在每个类上实现它。这似乎是很多额外的工作加上它容易出错,因为返回类型是Employee
并且必须上传到原始类。
似乎应该有一种更简单,更安全的方式来完成这样的任务。这是必须使用类型类的吗?
是的,我可以让name
字段变得可变,这就是我现在在代码中实现的方式,但那是我想要摆脱的。
我提出的符合类型安全性和简明性要求的解决方案是定义
type Employee<'a> = {name: string; otherStuff: 'a}
然后只需使用with
语法来更改名称。但otherStuff: 'a
显然是丑陋而且看起来很丑陋的代码,所以我仍然愿意接受更好的解决方案。
答案 0 :(得分:6)
如果您正在寻找纯粹的和惯用的F#,那么您首先不应该使用继承层次结构。这是一个面向对象的概念。
在F#中,你可以使用代数数据类型为这样的员工建模:
type HourlyData = { Name : string; Rate : int }
type SalaryData = { Name : string; Salary : int }
type Employee =
| Hourly of HourlyData
| Salaried of SalaryData
这样您就可以创建Employee
这样的值:
> let he = Hourly { Name = "Bob"; Rate = 100 };;
val he : Employee = Hourly {Name = "Bob";
Rate = 100;}
> let se = Salaried { Name = "Jane"; Salary = 10000 };;
val se : Employee = Salaried {Name = "Jane";
Salary = 10000;}
您还可以定义一个以纯粹方式更改名称的函数:
let changeName newName = function
| Hourly h -> Hourly { h with Name = newName }
| Salaried s -> Salaried { s with Name = newName }
这使您可以更改现有Employee
值的名称,如下所示:
> let se' = se |> changeName "Mary";;
val se' : Employee = Salaried {Name = "Mary";
Salary = 10000;}