Objective-c是c语言的超集, 就是objective-c是基础C语言的基础上,增加了扩展库,并在gcc上增加对Objective-c的编译,这些只是最开始的功能,后来苹果公司引入了clang和llvm(底层虚拟机)来对Objective-c进行编译执行,扩展了Objective-c的新特性.
类
person.h
// .h文件是一个类的对外接口申明的文件,其他模块通过import "xxx.h"引入。
#import <Foundation/Foundation.h>
//NSObject是父类
@interface Person: NSObject {
// property是集合setter和getter函数,对变量"_firstName"处理的封装,使用方法就是self.firstName
// 属性 strong,weak, readwrite, copy
@property (属性) NSString *firstName;
// 实例化方法
- (void)getAge;
// 类方法
+ (void) fromWhere;
}
// 使用多参数和返回值
- (NSString *) PhoneNumberOfFriend:(NSString *) friendName;
}
person.m
# import "person.h"
NSString *test1;
// 在.m文件 中可以再次申明
@interface Person()
// 私有实体变量 protected
NSString *lastName;
@end
@implementation Person
// 私有实体变量 private
NSString *lastName2;
- (void)getAge{
NSLog(@"My age 14");
}
@end
数据类型
巧妇难为无米之炊, 数据就是我们需要处理的对象
int 整型
char 字符型
NSInteger 整型对象与int区别
NSUInteger 无符号整型对象
NSRange 获取位置信息struct (location, length)一般用于字符串定位
NSString 字符串类型
NSMutableString 可修改的字符串类型
NSNumber (整形,浮点型,布尔类型, 字符转为数字类型)
NSValue 集合中存放的为对象,一些结构体可以转化为NSValue对象进行存储,并且需要使用的时候可以转化为原来的结构。
集合分为:
NSArray: @[xx,xx]
NSDictionary:@{xx:xx}
NSSet,NSMutableArray等
常见的基本类型将填充到集合中
块的使用
块可以理解为一个匿名的闭包函数,类似于python的lambada表达式
// 先申明后定义
(double) (^mulToValue)(double, double);
mulToValue = ^ double (double x, double y){
return x * y;
};
// 直接定义
(double) (^mulToValue)(double, double)= ^ (double x, double y){
return x * y;
};
// 关于块中变量的作用空间
(void)testMethod (){
int anInteger = 42;
void (^testBlock)(void) = ^{
NSLog(@"Integer is: %i", anInteger);
};
anInteger = 55;
testBlock();
}
// 实际执行,显示42,因为aninteger变量最终的数值是55
// 如果想要在块内部修改块外部的变量就应该如此声明变量
__block int anInteger = 42;
// 块作为参数传递
+(double) testBlock:(double(^)(double x, double y))mulFunc;
// 类方法定义
+(double)testBlock:(double (^)(double, double))mulFunc{
return mulFunc(6,7);
}
// 块使用
double result = [Person testBlock:^double(double x, double y) {
return x*y;
}];
协议
假设A为B提供服务, 但是B要遵守A制定的协议,A才能完成帮助其完成.
阿拉丁神灯能够满足他主人的愿望,但是这个主人需要满足阿拉丁制定的协议,总共只有三次机会,每次都要说出愿望(当然不能是在给三次机会啦)
// 定义协议,可以申明类或者实例的方法,并且协议之间也可以进行集成
// 这个协议申明在.h文件中
@protocol Love<协议继承>
// 申明方法
- (NSString *) sayGIrlFriend;
@end
// Man服务的提供者
@interface Man
// 在某个方法中,会调用[self.delegate SayGirlFriend]
@property (nonatomic, weak) id<Love> delegate;
@end
// 遵守协议
@interface SuperMan:NSObject <Love>
@end
@implementation SuperMan
// 完成协议,在某个方法中self.man.delegate = self完成协议指向
- (NSString *) sayGIrlFriend{
return @"I Love U!";
}
@end
分类
category 是对已经存在的类增加新的方法, 并提出一个分类的类,来申明和实现此方法.用分类可以分离部分函数的实现。
#import "XYZPerson.h"
@interface XYZPerson (XYZPersonNameDisplayAdditions)
- (NSString *)lastNameFirstNameString;
@end
--------------------------------------
#import "XYZPerson+XYZPersonNameDisplayAdditions.h"
@implementation XYZPerson (XYZPersonNameDisplayAdditions)
- (NSString *)lastNameFirstNameString {
return [NSString stringWithFormat:@"%@, %@", self.lastName, self.firstName];
}
@end