3

举一个真实世界的例子,假设基类是 Vehicle,具体类是 TwoWheeler 和 FourWheeler。现在车辆的类型 - TwoWheeler 或 FourWheeler,由基类 Vehicle 决定。当我使用 alloc-init 方法创建 TwoWheeler/FourWheeler 的实例时,它会调用如下所示的超级实现来设置 Vehicle 类中定义的公共属性的值,并且在这些属性中,其中一个是实际决定类型的类型是 TwoWheeler 或 FourWheeler。

   if (self = [super initWithDictionary:dict]){
     [self setOtherAttributes:dict]; 
      return self; 
    }

现在,当我收集到一些车辆时,其中一些可能是 TwoWheeler,而另一些可能是 FourWheeler。因此我不能像这样直接创建 TwoWheeler 或 FourWheeler 的实例

Vehicle *v = [[TwoWheeler alloc] initWithDictionary:dict];

有什么方法可以创建基类的实例,一旦我知道类型,根据类型创建子类的实例并返回它。对于当前的实现,它会导致无限循环,因为我从具体类中调用超级实现。

当我不知道应该事先实例化哪个具体类时,处理这种情况的完美设计是什么?

4

2 回答 2

5

通常这是通过Factory完成的。

如果您希望工厂成为基类的一部分,那很好,但将来可能会导致问题。在 Objective C 中,类方法是好的工厂。

+ (Vehicle *)vehicleWithDictionary:(NSDictionary *)dict
{
    if ([[dict objectForKey:kVehicleType] isEqualToString:@"TwoWheeler"]) {
        return [[[TwoWheeler alloc] initWithDictionary:dict] autorelease];
    } else if ([[dict objectForKey:kVehicleType] isEqualToString @"FourWheeler"]) {
        return [[[FourWheeler alloc] initWithDictionary:dict] autorelease];
    } else {
        return [[[Vehicle alloc] initWithDictionary:dict] autorelease];
    }
}

工厂可以是 Vehicle 类的一部分并按原样使用。

// Instead of [[Vehicle alloc] initWithDictionary:dict]
Vehicle *vehicle = [Vehicle vehicleWithDictionary:dict];

更新

我想出了一种方法来做被问到的事情。让它成为一个光辉的例子,说明为什么它是一个坏主意以及为什么你永远不应该这样做。

- (id)initWithDictionary:(NSDictionary *)dict
{
    self = [super init];
    if (self) {
        // If override is in the dictionary, then it mustn't try to call the subclass.
        if (![dict objectForKey:kOverride]) {
            NSMutableDictionary *overrideDict = [NSMutableDictionary dictionaryWithDictionary:dict];
            [overrideDict setObject:@"override" forKey:kOverride];

            if ([[dict objectForKey:kVehicleType] isEqualToString:@"TwoWheeler"]) {
                [self release];
                return [[[TwoWheeler alloc] initWithDictionary:overrideDict] autorelease];
            } else if ([[dict objectForKey:kVehicleType] isEqualToString @"FourWheeler"]) {
                [self release];
                return [[[FourWheeler alloc] initWithDictionary:overrideDict] autorelease];
            }
        }

        // init as normal
    }

    return self;
}
于 2012-07-03T21:05:55.067 回答
2

您应该使用抽象工厂如下,Vehicle 类将有一个名为 createInstance 的方法,该方法将有一个参数,该参数将决定创建什么考虑示例

+ (Vehicle*) createInstance:(int)numberOfWheels
{
    if(numberOfWheels == 2)
    {
        return [[TwoWheeler alloc] init];
    }
    else
    {
        return [[FourWheeler alloc] init];
    }

    return nil;
}

你会这样称呼它

Vehicle *v = [Vehicle createInstance:2];
于 2012-07-03T21:09:58.283 回答