ashish
ashish

Reputation:

How can I call a method in Objective-C?

I am trying to build an iPhone app. I created a
method like this:

- (void)score {
    // some code
}

and I have tried to call it in an other method like this:

- (void)score2 {
    @selector(score);
}

But it does not work. So, how do I call a method correctly?

Upvotes: 60

Views: 145371

Answers (7)

Sohaib Aslam
Sohaib Aslam

Reputation: 1325

syntax is of objective c is

returnObj = [object functionName: parameters];

Where object is the object which has the method you're calling. If you're calling it from the same object, you'll use 'self'. This tutorial might help you out in learning Obj-C.

In your case it is simply

[self score];

If you want to pass a parameter then it is like that

- (void)score(int x) {
    // some code
}

and I have tried to call it in an other method like this:

- (void)score2 {
    [self score:x];
}

Upvotes: 2

ganesh manoj
ganesh manoj

Reputation: 977

Use this:

[self score]; you don't need @sel for calling directly

Upvotes: 5

Chuck
Chuck

Reputation: 237110

I suggest you read The Objective-C Programming Language. The part about messaging is specifically what you want here, but the whole thing will help you get started. After that, maybe try doing a few tutorials to get a feel for it before you jump into making your own apps.

Upvotes: 32

nduplessis
nduplessis

Reputation: 12436

To send an objective-c message in this instance you would do

[self score];

I suggest you read the Objective-C programming guide Objective-C Programming Guide

Upvotes: 95

Ferruccio
Ferruccio

Reputation: 100748

I think what you're trying to do is:

-(void) score2 {
    [self score];
}

The [object message] syntax is the normal way to call a method in objective-c. I think the @selector syntax is used when the method to be called needs to be determined at run-time, but I don't know well enough to give you more information on that.

Upvotes: 24

PICKme
PICKme

Reputation: 37

[self score]; instead of @selector(score)

Upvotes: -1

Mohammed Rashwan
Mohammed Rashwan

Reputation: 279

calling the method is like this

[className methodName] 

however if you want to call the method in the same class you can use self

[self methodName] 

all the above is because your method was not taking any parameters

however if your method takes parameters you will need to do it like this

[self methodName:Parameter]

Upvotes: 27

Related Questions