标签:
@implementation Dog
{
@public
int _age;
}
@end
原则上:私有方法只能在本类的方法中才能调用。
@interface Dog : NSObject
@end
@implementation Dog
- (void)eat
{
NSLog(@"啃骨头");
}
@end
int main(int argc, const char * argv[]) {
Dog *d = [Dog new];
SEL s1 = @selector(eat);
[d performSelector:s1];
return 0;
}
什么是编译器的指令 ?
@property会让编译器做什么呢?
用@property int age;就可以代替下面的两行
- (int)age; // getter
- (void)setAge:(int)age; // setter
1.在@inteface和@end之间写上@property
2.在@property后面写上需要生成getter/setter方法声明的属性名称, 注意因为getter/setter方法名称中得属性不需要_, 所以@property后的属性也不需要_.并且@property和属性名称之间要用空格隔开
3.在@property和属性名字之间告诉需要生成的属性的数据类型, 注意两边都需要加上空格隔开
用@synthesize age = _age;就可以代替
- (int)age{
return _age;
}
- (void)setAge:(int)age{
_age = age;
}
1.在@implementation和@end之间写上@synthesize
2.在@synthesize后面写上和@property中一样的属性名称, 这样@synthesize就会将@property生成的什么拷贝到@implementation中
3.由于getter/setter方法实现是要将传入的形参 给属性和获取属性的值,所以在@synthesize的属性后面写上要将传入的值赋值给谁和要返回哪个属性的值, 并用等号连接
@interface Person : NSObject
{
@public
int _age;
int _number;
}
@property int age;
@end
@implementation Person
@synthesize age = _number;
@end
int main(int argc, const char * argv[]) {
Person *p = [Person new];
[p setAge:30];
NSLog(@"_number = %i, _age = %i", p->_number, p->_age);
return 0;
}
@synthesize age = _age;
@synthesize age;
多个属性可以通过一行@synthesize搞定,多个属性之间用逗号连接
@synthesize age = _age, number = _number, name = _name;
@interface Person : NSObject
{
int _age;
}
@property int age;
@end
@interface Person : NSObject
{
@public
int _age;
int age;
}
@property int age;
@end
int main(int argc, const char * argv[]) {
Person *p = [Person new];
[p setAge:30];
NSLog(@"age = %i, _age = %i", p->age, p->_age);
return 0;
}
如果没有会自动生成一个_开头的成员变量,自动生成的成员变量是私有变量, 声明在.m中,在其它文件中无法查看,但当可以在本类中查看
@property只会生成最简单的getter/setter方法,而不会进行数据判断
Person *p = [Person new];
[p setAge:-10];
NSLog(@"age = %i", [p age]);
@property (readonly) int age;
@property (getter=isMarried) BOOL married;
说明,通常BOOL类型的属性的getter方法要以is开头
标签:
原文地址:http://www.cnblogs.com/zhoudaquan/p/5015760.html