use gnustep objective-c

first app

#import <Foundation/Foundation.h>int main(int argc, const char * argv[])
{NSAutoreleasePool *pool = [NSAutoreleasePool new];NSLog(@"first start");[pool drain];return 0;
}

tech

  1. 专注于概念,而不是迷失在语言技术细节中
  2. 编程语言的目的是成为一个更好的程序员; 也就是说,在设计和实现新系统以及维护旧系统方面变得更加有效

the basic structure of objc program has

  1. header preprocess
  2. interface
  3. implementation
  4. method
  5. variable
  6. declare and expression
  7. comment

use interface and implementation

#import <Foundation/Foundation.h>@interface SampleClass:NSObject
- (void)sampleMethod;
@end@implementation SampleClass
- (void)sampleMethod
{NSLog(@"hello from sample class");
}
@endint main()
{SampleClass *sampleClass = [[SampleClass alloc]init];[sampleClass sampleMethod];return 0;
}

type system

  1. basic integer set and float set
  2. enum type
  3. void type
  4. derive type include pointer, array, struct, union, function
// so far we still use Foundation
int main()
{NSLog(@"type int takes %d\n",sizeof(int));NSLog(@"Storage size for float : %d , maxval=%f \n", sizeof(float), FLT_MAX);int c_i = 1;NSInteger i = 1;NSLog(@"%d\n",i);
}

support c type variable and c type function

void test()
{printf("this is c type function\n");
}#define DEBUG YES
const int G_error_no = 1;// notice that upper case of const is a good style 
int main()
{  test();// cosume the c type functionNSLog(@"err no: %d\n",G_error_no);
}

基本运算符(算术,逻辑,位运算)的支持是和c保持一致,这里比较简单

  1. https://www.yiibai.com/objective_c/objective_c_operators.html#article-start

method in objc

  • (return_type) method_name:( argumentType1 )argumentName1
    joiningArgument2:( argumentType2 )argumentName2 …
    joiningArgumentn:( argumentTypen )argumentNamen {
    body of the function
    }
// skip the class declare and impl
// notice that java style is good style
// and joiningArgument just needed to take its place,but not a real name of argument
-(int)max:(int)num1 secondNumber:(int)num2{if (num1 > num2)return num1;else return num2;
}int main(){// call the method,for example using a classSampleClass *sampleClass = [[SampleClass alloc]init];int ret = [sampleClass max:1 secondNumber:2];printf("%d\n",ret);
}
// 函数参数按值传参和按引用/指针传参是支持的,有机会在深入一遍c语言

[deprecate] block is an instance (some error with enable blocks using -fblocks)[notfix]

仅表示单个任务或行为单元而不是方法集合是有意义的(using block),它允许创建不同的代码段,这些代码段可以传递给方法或函数,就像它们是值一样。 块是Objective-C对象,因此它们可以添加到NSArray或NSDictionary等集合中。 它们还能够从封闭范围中捕获值,使其类似于其他编程语言中的闭包或lambda

returntype (^blockName)(argumentType);

returntype (^blockName)(argumentType)= ^{
};

demo

#import <stdio.h>
#import <Foundation/Foundation.h>int main()
{NSAutoreleasePool *pool = [NSAutoreleasePool new];printf("yas\n");id undef = nil;if (undef == nil){printf("undef is nil\n");}float versionNumber = [NSString version]; printf("%f\n",versionNumber);NSString *w = @"Brainstorm";NSString * gprChannel = [NSString stringWithFormat:@"let me be %d",1];// use c style string char * c_str = "yes";NSString *str = [NSString stringWithCString:c_str];// convert c string to NSString classNSLog(@"%@",str);NSMutableString *s = AUTORELEASE ([NSMutableString new]);// Note. Static strings created with the @"..." construct are always immutable. [pool drain];return 0;
}

simple read file

#include <Foundation/Foundation.h>
#include <stdio.h>int
main (void)
{CREATE_AUTORELEASE_POOL(pool);NSString *string;NSString *filename = @"/home/etcix/hello-objc/test.txt";string = [NSString stringWithContentsOfFile: filename];if (string == nil){NSLog (@"Problem reading file %@", filename);/** <missing code: do something to manage the error...>* <exit perhaps ?>*/}else {printf("read file ok\n");}/** <missing code: do something with string...>*/RELEASE(pool);return 0;
}

examples

  1. methods
#import <Foundation/Foundation.h>
#include <stdio.h>// interface
@interface SampleClass:NSObject
{//all variable in hereint age;
}@property(nonatomic) int age;//property可选聚合参数:readonly,assign,retain,atomic,readwrite(默认)
-(int)max:(int)lhs rhs:(int)rhs;//name of method is `max: rhs:`,usage:max: 1 rhs: 2 
@end// impl 
@implementation SampleClass@synthesize age;//动态生成get,set,注意要和属性名字一样,先property后synthesize-(int)max:(int)lhs rhs:(int)rhs
{return lhs>rhs ? lhs : rhs;
}
@endint main()
{SampleClass *sample = SampleClass.new;// 点语法调用,通常是在@property的属性上调用,其他方法一般不可用,而且区别于c++的是,sample是指针,但是访问属性却是点语法int a,b;printf("two integer value should input\n");scanf("%d %d",&a,&b);int ret = [sample max:a rhs: b];printf("the ret is %d\n",ret);sample.age = 1;//setprintf("%d\n",sample.age);//getreturn 0;
}
  1. NSNumber
#import <Foundation/Foundation.h>
#import <stdio.h>@interface SampleClass:NSObject
-(NSNumber *)multiplyA:(NSNumber *)a withB:(NSNumber *)b; 
@end // impl
@implementation SampleClass
-(NSNumber *)multiplyA:(NSNumber *)a withB:(NSNumber *)b 
{float number1 = [a floatValue];float number2 = [b floatValue];float product = number1 * number2;NSNumber * result = [NSNumber numberWithFloat:product];return result;
}
@endint main()
{CREATE_AUTORELEASE_POOL(pool);SampleClass *sample = [[SampleClass alloc] init];NSNumber *a = [NSNumber numberWithFloat:5.6];NSNumber *b = [NSNumber numberWithFloat:1.6];NSNumber *res = [sample multiplyA:a withB:b];NSString *str = [res stringValue];NSLog(@"the res is %@",str);// 可见objc语法的冗长,但也证明了类型丰富RELEASE(pool);return 0;
}
  1. array
#import <Foundation/Foundation.h>
#import <stdio.h>@interface SampleClass:NSObject
-(int *)getRandom;
@end // impl
@implementation SampleClass
-(int *)getRandom 
{static int arr[10];int i;srand((unsigned)time(NULL));for(i = 0; i< 10;++i){arr[i] = rand();NSLog(@"r[%d] = %d\n",i,arr[i]);}return arr;//return array
}
@endint main()
{CREATE_AUTORELEASE_POOL(pool);int *p;SampleClass *sample = [[SampleClass alloc] init];p = [sample getRandom];// cosume generated array// int i;for(int i = 0; i < 10; i++){NSLog(@"*(p+%d):%d\n",i,*(p + i));//use pointer of array}RELEASE(pool);return 0;
}
  1. 指针
   int  var1;char var2[10];NSLog(@"Address of var1 variable: %x\n", &var1 );NSLog(@"Address of var2 variable: %x\n", &var2 );int  var = 20;    /* 变量定义 */int  *ip;         /* 指针变量声明 */  ip = &var;       /* 在指针变量中存储 var 的地址*/NSLog(@"Address of var variable: %x\n", &var  );/* 存储在指针变量中的地址 */NSLog(@"Address stored in ip variable: %x\n", ip );/* 使用指针访问该值 */NSLog(@"Value of *ip variable: %d\n", *ip );
  1. 字符串
NSString *str1 = @"hello";NSString *str2 = @"world";NSString *str3;int len;str3 = [str2 uppercaseString];NSLog(@"str3: %@",str3);str3 = [str1 stringByAppendingFormat:@" append to str1"];NSLog(@"str3: %@",str3);len = [str3 length];NSLog(@"str3: %@,len: %d",str3,len);
  1. 有机会完善对Foundation的使用吧,记住上面的链接足够入门了
  2. 感兴趣的方向可能是拿它做server side吧

[important] my code style using application.make

  1. GNUmakefile
# !!!NOTE: this is application makefile for simple project, read it and just modify a little
GNUSTEP_MAKEFILES = /usr/share/GNUstep/MakefilesSRC_DIR = . # this folder is source code directory, CAN MODIFY 
include ${GNUSTEP_MAKEFILES}/common.make
APP_NAME = main # name of application,CAN MODIFY
${APP_NAME}_HEADER_FILES = 
${APP_NAME}_OBJC_FILES = $(SRC_DIR)/*.m #every .m file will be matched, CAN MODIFY
${APP_NAME}_RESOURCE_FILES =
include ${GNUSTEP_MAKEFILES}/application.make
  1. r.sh for simple run script or r.bat on windows
#r.sh
# I am not going to provide r.bat
make
openapp ./main.app #this name refer to GNUmakefile APP_NAME
  1. simple project文件结构
.
├── GNUmakefile
├── main.m
├── Person.m
├── readme.md
└── r.sh
# 如果复杂可以添加文件夹
# 对于每一个.h .m的配对,我认为如果是简单的类的话,直接写成.m就可以了,不要写头文件了
# .m文件都应该是import,少用include
  1. 其他非application项目,如tool(command line tool)项目,我也提供一个参考的GNUmakefile吧
#GNUmakefile for toolGNUSTEP_MAKEFILES=/usr/share/GNUstep/Makefiles #on linux mintinclude  ${GNUSTEP_MAKEFILES}/common.make
TOOL_NAME = client # MODIFY
${TOOL_NAME}_HEADER_FILES = # ADD 
${TOOL_NAME}_OBJC_FILES = client.m # MODIFY
include ${GNUSTEP_MAKEFILES}/tool.make
# still run for example
# make && ./obj/client

对GNUstep和objc的其他说明

  1. 在c上添加的东西:类,协议,id和nil,OO里的他基本也有,消息传送到对象的机制
  2. 他留存的生命力: Foundation + 完全兼容c语言 + 一些小小组件,但是可能增加复杂度,比如makefile的编写
  3. NSObject更像一个java接口,c++抽象类,就是他的很多方法可以被重写,也可以被继承者直接使用

code reference

  • the above link

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.mzph.cn/news/28136.shtml

如若内容造成侵权/违法违规/事实不符,请联系多彩编程网进行投诉反馈email:809451989@qq.com,一经查实,立即删除!

相关文章

微服务技术栈(1.0)

微服务技术栈 认识微服务 单体架构 单体架构&#xff1a;将业务的所有功能集中在一个项目中开发&#xff0c;打成一个包部署 优点&#xff1a; 架构简单部署成本低 缺点&#xff1a; 耦合度高 分布式架构 分布式架构&#xff1a;根据业务功能对系统进行拆分&#xff0c…

npm四种下载方式的区别

npm install moduleName 命令 安装模块到项目node_modules目录下。 不会将模块依赖写入devDependencies或dependencies 节点。 运行 npm install 初始化项目时不会下载模块。npm install -g moduleName 命令 安装模块到全局&#xff0c;不会在项目node_modules目录中保存模块包…

如何在 Spring Boot 中集成日志框架 SLF4J、Log4j

文章目录 具体步骤附录 笔者的操作环境&#xff1a; Spring Cloud Alibaba&#xff1a;2022.0.0.0-RC2 Spring Cloud&#xff1a;2022.0.0 Spring Boot&#xff1a;3.0.2 Nacos 2.2.3 Maven 3.8.3 JDK 17.0.7 IntelliJ IDEA 2022.3.1 (Ultimate Edition) 具体步骤 因为 …

Java课题笔记~ 使用 Spring 的事务注解管理事务(掌握)

通过Transactional 注解方式&#xff0c;可将事务织入到相应 public 方法中&#xff0c;实现事务管理。 Transactional 的所有可选属性如下所示&#xff1a; propagation&#xff1a;用于设置事务传播属性。该属性类型为 Propagation 枚举&#xff0c; 默认值为 Propagation.R…

【学习日记】【FreeRTOS】链表结构体及函数详解

写在前面 本文主要是对于 FreeRTOS 中链表相关内容的详细解释&#xff0c;代码大部分参考了野火FreeRTOS教程配套源码&#xff0c;作了一小部分修改。 一、结构体定义 主要包含三种结构体&#xff1a; 普通节点结构体结尾节点&#xff08;mini节点&#xff09;结构体链表结…

awk经典实战、正则表达式

目录 1.筛选给定时间范围内的日志 2.统计独立IP 案列 需求 代码 运行结果 3.根据某字段去重 案例 运行结果 4.正则表达式 1&#xff09;认识正则 2&#xff09;匹配字符 3&#xff09;匹配次数 4&#xff09;位置锚定&#xff1a;定位出现的位置 5&#xff09;分组…

ESP32 Max30102 (3)修复心率误差

1. 运行效果 2. 新建修复心率误差.py 代码如下: from machine import sleep, SoftI2C, Pin, Timer from utime import ticks_diff, ticks_us from max30102 import MAX30102, MAX30105_PULSE_AMP_MEDIUM from hrcalc import calc_hr_and_spo2BEATS = 0 # 存储心率 FINGER_F…

如何识别手机是否有灵动岛(dynamic island)

如何识别手机是否有灵动岛&#xff08;dynamic island&#xff09; 灵动岛是苹果2022年9月推出的iPhone 14 Pro、iPhone 14 Pro Max首次出现&#xff0c;操作系统最低是iOS16.0。带灵动岛的手机在竖屏时顶部工具栏大于等于51像素。 #define isHaveDynamicIsland ({ BOOL isH…

Taro保存图片到手机

萌新亚历山大啊&#xff0c;搞了一下午&#xff0c;真多坑 Taro.downloadFile({url: res,filePath: Taro.env.USER_DATA_PATH /xcxcode.jpg,success: res > {if (res.statusCode 200) {console.log(res)const tempFilePath res.filePath; // 获取下载的临时文件路径// …

编程(Leetcode, SQL)知识

有志者&#xff0c;事竟成 1. Nim游戏 2. sql中求连续时间的问题 思路&#xff1a;一般来说&#xff0c;有两种方向。一种如果是日期的格式&#xff0c;求连续时间可以先提取出日期中的月份或者天&#xff0c;然后减去row_number()生成的rank&#xff0c;以此来计算分组或者不…

微信小程序的项目解构

视频链接 黑马程序员前端微信小程序开发教程&#xff0c;微信小程序从基础到发布全流程_企业级商城实战(含uni-app项目多端部署)_哔哩哔哩_bilibili 接口文档 https://www.escook.cn/docs-uni-shop/mds/1.start.html 1&#xff1a;微信小程序宿主环境 1&#xff1a;常见的宿…

如何创建Google test shared library(dll)和static library(lib),并编写测试用例

从Github下载google test源码确保本地安装Visual Studio和CMake GUI&#xff0c;本次测试使用VS2017及Cmake GUI 3.20.5解压googletest-main&#xff0c;打开Cmake GUI&#xff0c;配置源码路径&#xff08;googletest-main路径&#xff09;&#xff0c;和生成路径&#xff08;…

安达发制造工业迈向智能化:APS高级计划排程助力提升生产效率

随着市场竞争的加剧&#xff0c;制造企业纷纷寻求提高生产效率和降低成本的方法。近年来&#xff0c;越来越多的制造企业开始采用APS(高级计划与排程)系统&#xff0c;以优化生产计划和排程&#xff0c;提高生产效率&#xff0c;并在竞争中取得优势。 现代制造业通常面临复杂的…

【第一阶段】kotlin的range表达式

range:范围&#xff1a;从哪里到哪里的意思 in:表示在 !in&#xff1a;表示不在 … :表示range表达式 代码示例&#xff1a; fun main() {var num:Int20if(num in 0..9){println("差劲")}else if(num in 10..59){println("不及格")}else if(num in 60..89…

【深入了解pytorch】PyTorch强化学习:强化学习的基本概念、马尔可夫决策过程(MDP)和常见的强化学习算法

【深入了解pytorch】PyTorch强化学习:强化学习的基本概念、马尔可夫决策过程(MDP)和常见的强化学习算法 PyTorch强化学习:介绍强化学习的基本概念、马尔可夫决策过程(MDP)和常见的强化学习算法引言强化学习的基本概念状态(State)动作(Action)奖励(Reward)策略(Pol…

c语言每日一练(3)

前言&#xff1a;每日一练系列&#xff0c;每一期都包含5道选择题&#xff0c;2道编程题&#xff0c;博主会尽可能详细地进行讲解&#xff0c;令初学者也能听的清晰。每日一练系列会持续更新&#xff0c;暑假时三天之内必有一更&#xff0c;到了开学之后&#xff0c;将看学业情…

MySQL数据库的操作

MySQL 连接服务器 库的操作创建数据库数据库删除查看数据库进入数据库查看所在的数据库修改数据库显示创建语句查看连接情况 表的操作创建表查看数据库所有的表查看表的详细信息查看创建表时的详细信息删除表修改表名向表中插入数据在表结构中新增一列对表结构数据的修改删除表…

std::string 的append方法 存放文本和非文本数据

今天在用std::string来拼接数据 有文本数据 也有 非文本数据 如果是文本数据那么append方法参数为 ( char *data, int len&#xff09; 将data的前len个字节附加到 string中 如果是非文本数据 则参数为&#xff08;int size, char data&#xff09;; 重复size个data 附加…

SolidUI社区-AI模型代理

背景 随着文本生成图像的语言模型兴起&#xff0c;SolidUI想帮人们快速构建可视化工具&#xff0c;可视化内容包括2D,3D,3D场景&#xff0c;从而快速构三维数据演示场景。SolidUI 是一个创新的项目&#xff0c;旨在将自然语言处理&#xff08;NLP&#xff09;与计算机图形学相…

【技巧】如何保护PowerPoint不被改动?

PPT&#xff0c;也就是PowerPoint&#xff0c;是很多小伙伴在工作生活中经常用到的图形演示文稿软件。 做好PPT后&#xff0c;担心自己不小心改动了或者不想他人随意更改&#xff0c;我们可以如何保护PPT呢&#xff1f;下面小编就来分享两个常用的方法&#xff1a; 1. 将PPT改…