自定义类的单独实例彼此具有相同的值



我的Color类有4个对象,我这样初始化:

Color *orange = [[[Color alloc] init] initWithRed:255.0 andGreen:128.0 andBlue:0.0];
Color *purple = [[[Color alloc] init] initWithRed:255.0 andGreen:0.0 andBlue:127.0];
Color *cyan = [[[Color alloc] init] initWithRed:204.0 andGreen:0.0 andBlue:102.0];
Color *violet = [[[Color alloc] init] initWithRed:127.0 andGreen:0.0 andBlue:255.0];

这些颜色存储在一个数组中:

colors = [NSArray arrayWithObjects:orange, purple, cyan, violet, nil];

稍后我会给一个按钮一个背景色,像这样:

button1.backgroundColor = [UIColor colorWithRed: ([([colors objectAtIndex: 0]) getRed]/255.0)
                            green:([([colors objectAtIndex: 0]) getGreen]/255.0)
                            blue:([([colors objectAtIndex: 0]) getBlue]/255.9) alpha:1];

我现在的问题是,即使索引0处的颜色是橙色,按钮的颜色也是紫色。如果我从数组中移除紫色,则没有任何变化,但当我移除"颜色紫色"时,按钮将变为青色。

是什么导致了这种奇怪的行为?还是我做错了什么?

更新

这是我的颜色类:

double Red;
double Green;
double Blue;

- (id)initWithRed:(double) red andGreen:(double) green andBlue:(double) blue {
    self = [super init];
    if (self)
    {
        [self setRed:red];
        [self setGreen:green];
        [self setBlue:blue];
    }
    return self;
}

- (void) setRed:(double) red {
    Red = red;
}
- (void) setGreen:(double) green {
    Green = green;
}
- (void) setBlue:(double) blue {
    Blue = blue;
}
- (double) getRed {
    return Red;
}
- (double) getGreen {
    return Green;
}
- (double) getBlue {
    return Blue;
}

您想要成为实例变量的三个变量a已在最外层声明,全局也是如此,即它们由每个实例共享。因此,无论使用哪个实例,您获得的颜色都是最后创建的颜色。

要声明实例变量,请将它们放在类开头的大括号中:

@implementation Color : NSObject
{
    double red;
    double green;
    double blue;
}
// methods...
@end

您还为每个对象调用了两个init方法,只调用一个,例如:

Color *cyan = [[Color alloc] initWithRed:204.0 andGreen:0.0 andBlue:102.0];

HTH

相关内容

  • 没有找到相关文章

最新更新