提问人:rafulin 提问时间:8/16/2018 更新时间:8/16/2018 访问量:70
为什么方法没有被调用
Why method is not getting called
问:
我正在尝试学习如何创建类和对象以及如何在 Objective-C 中调用方法。我的小程序创建了一个 City 类的对象,允许命名该对象,设置年龄、人口,并打印这些值。但是当我调用一个方法来设置这些值时,我得到一个 (null) 和零的结果。这是我的代码:
城市.h
#import <Foundation/Foundation.h>
@interface City : NSObject
-(void) setName:(NSString *)theName Age:(int)theAge Population:(int)thePopulation;
-(void) getName;
-(void) getAge;
-(void) getPopulation;
-(void) nextDay;
@end
City.m(城市米酒店)
#import "City.h"
@implementation City
{
NSString *name;
int age;
int population;
}
-(void) setName:(NSString *)theName Age:(int)theAge Population:(int)thePopulation
{
theName = name;
theAge = age;
thePopulation = population;
}
-(void) getName
{
NSLog(@"Name is %@", name);
}
-(void) getAge
{
NSLog(@"Age is %d", age);
}
-(void) getPopulation
{
NSLog(@"Population today is %d", population);
}
主.m
int main()
{
City *moscow = [[City alloc] init];
[moscow setName:@"Msk" Age:120 Population:1000];
[moscow getName];
[moscow getAge];
[moscow getPopulation];
}
运行的结果是:
Name is (null)
Age is 0
Population today is 0
Program ended with exit code: 0
我做错了什么?
答:
2赞
David Rönnqvist
8/16/2018
#1
问题是 的实例变量从未设置过。中的代码将实例变量 (、 和 ) 的值分配给参数变量 (、 和 )。交换这些参数将导致 setter 将参数分配给实例变量:City
setName:Age:Population:
name
age
population
theName
theAge
thePopulation
name = theName;
age = theAge;
population = thePopulation;
也就是说,使用属性(而不是实例变量和手动 getter 和 setter)并使用初始值设定项来设置初始值是更习惯的 Objective-C。通过这些更改,City 类将如下所示:
城市.h
NS_ASSUME_NONNULL_BEGIN
@interface City : NSObject
@property (copy) NSString *name;
@property (assign) NSInteger age;
@property (assign) NSInteger population;
- (instancetype)initWithName:(NSString *)name
age:(NSInteger)age
population:(NSInteger)population;
@end
NS_ASSUME_NONNULL_END
City.m(城市米酒店)
#import "City.h"
@implementation City
- (instancetype)initWithName:(NSString *)name
age:(NSInteger)age
population:(NSInteger)population
{
self = [super init];
if (self) {
_name = [name copy];
_age = age;
_population = population;
}
return self;
}
@end
关于此代码,有两点需要注意:
在初始值设定项和属性中都会复制字符串,以防止传递 a 并随后发生突变(这也会改变 的值。对于传递不可变对象的常见情况,copy 等同于“retain”。
NSMutableString
name
NSString
在初始值设定项中分配值时,将使用合成的实例变量。这是为了防止子类重写这些属性中的任何一个,并在对象完全初始化之前运行自定义 setter 方法(将其所有变量设置为其初始值)。这仅适用于初始值设定项、自定义 setter 和 dealloc。其他所有内容都应使用属性来访问和修改这些值。
评论
@property
get