0

我正在制作一个计算器,并有两个 MVC 用于数学部分,称为 CalculatorFirstViewController 和一个名为 CalculatorBrain 的类。图形部分的另一个称为 GraphViewController。

在 CalculatorController 中,我使用 mutableArray 作为计算器堆栈,并通过 segue 将其传递给图形视图控制器。GraphView 的属性称为 graphingPoints。之后通过drawrect并调用“programToGraph”方法,该方法将创建一个点数组来绘制图形。让我感到困惑的是,我在“programGraph”中调用了一个方法“runProgram:usingVariableValues”,尽管“runProgram”只在 CalculatorBrain 中声明,这是一个单独的目标文件。为什么这个方法调用有效?

@interface CalculatorFirstViewController ()
@property (nonatomic, strong) CalculatorBrain *brain;
@end

@implementation CalculatorFirstViewController
@synthesize brain = _brain;

- (CalculatorBrain*) brain{
   if(!_brain) _brain = [[CalculatorBrain alloc] init];
   return _brain;
}

-(void)prepareForSegue:(UIStoryboardSegue *)segue sender:(id)sender{

   if([segue.identifier isEqualToString:@"Graph"])
   //The call [self.brain program] returns the CalculatorStack
    [segue.destinationViewController setGraphingPoint:[self.brain program]];
  }

这里是 RunProgram 的声明,在 Calculator MVC 中使用的 CalculatorBrain 对象中声明。它是一个类方法。它所做的只是返回在堆栈上执行操作的值。

+ (double)runProgram:(id)program usingVariableValues:(NSDictionary*)variableValues;

这是 graphViewController 代码。

-(void) setGraphingPoint:(NSMutableArray*) graphingPoint{

if(_graphingPoint == nil) _graphingPoint = [[NSMutableArray alloc] init ];
    _graphingPoint = graphingPoint;
    //this will call drawrect
    [self.graphingView setNeedsDisplay];
}


-(id) programToGraph:(GraphingView *)sender{

    CGPoint graphPoint;
    NSMutableArray *pointValues = [[NSMutableArray alloc] init];

    for( int x =0;x<5; x++)
    {
        NSDictionary* xValue = [NSDictionary dictionaryWithObject:[NSNumber numberWithInt:x] forKey:@"X"];
        graphPoint.x =x;

     //This is the main part I dont get, If calculatorBrain is a seperate object file 
     //and I didn't import it, how am I able to call the method by just saying 
     //CalculatorBrain as the receiver? 

        graphPoint.y = [CalculatorBrain runProgram: self.graphingPoint usingVariableValues:xValue];

        [pointValues addObject:[NSValue valueWithCGPoint:graphPoint]];

}

return pointValues;

}

那么,虽然我没有导入 CalculatorBrain 文件并且我没有通过 segue 将它传递给另一个控制器,但我怎么能调用 runProgram 呢?

4

1 回答 1

0

Objective-c 允许在不需要声明的情况下调用对象上的选择器(方法)。这是因为实际调用是在运行时查找的。这允许您的代码具有在其他库中实现的类的扩展方法,因为调用是在需要时在运行时而不是在编译时找到的。

因此,您的调用在运行时被查找并且工作正常,因为该方法存在。在这种情况下,编译器应该给出一个警告,在编译时找不到该方法,但仍会成功编译。

编辑:您仍然需要使用@class 转发声明类本身。

于 2012-07-22T22:59:26.943 回答