Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

No visible interface error

Tags:

xcode

ios

I have an error in the implementation file for my model which I have commented out. What can I do to fix this problem?

Thanks in advance.

#import "CalculatorBrain.h"

@interface CalculatorBrain()
@property (nonatomic, strong) NSMutableSet *operandStack;
@end

@implementation CalculatorBrain

@synthesize operandStack = _operandStack;

- (NSMutableArray *)operandStack
{
    if (!_operandStack) {
        _operandStack = [[NSMutableArray alloc] init];
    }
    return _operandStack;
}

-(void)pushOperand:(double)operand
{
    NSNumber *operandObject = [NSNumber numberWithDouble:operand];
    [self.operandStack addObject:operandObject];
}

- (double)popOperand
{
    NSNumber *operandObject = [self.operandStack lastObject]; // No visible interface for 'NSMutableSet' declares the selector 'lastObject'
    if(operandObject)   [self.operandStack removeLastObject]; // No visible interface for 'NSMutableSet' declares the selector 'removeLastObject'
    return [operandObject doubleValue];
}

- (double)performOperation:(NSString *)operation
{
    double result = 0;

    if([operation isEqualToString:@"+"]) {
        result = [self popOperand] + [self popOperand];
    } else if ([@"*" isEqualToString:operation]) {
        result = [self popOperand] * [self popOperand];
    } else if ([operation isEqualToString:@"-"]) {
        double subtrahend = [self popOperand];
        result = [self popOperand] - subtrahend;
    } else if ([operation isEqualToString:@"/"]) {
        double divisor = [self popOperand];
        if (divisor)result = [self popOperand] / divisor;
    }

    [self pushOperand:result];

    return result;

}


@end
like image 702
pdenlinger Avatar asked Mar 05 '12 21:03

pdenlinger


2 Answers

You have declared your operandStack property as an NSMutableSet, but you should have declared it as an NSMutableArray:

@property (nonatomic, strong) NSMutableArray *operandStack;
like image 197
rob mayoff Avatar answered Oct 23 '22 08:10

rob mayoff


You are trying to get the "last object" of an NSSet - this is impossible, as sets are unordered. The method lastObject does not exist for NSMutableSet.

You might want to try using an NSMutableArray instead.

like image 1
Alex Coplan Avatar answered Oct 23 '22 07:10

Alex Coplan