如何#define NSString供全球使用?

时间:2011-04-13 01:35:40

标签: objective-c ios4

我是Objective-C的新手。基本上我想将一组端点URL存储为在我的应用程序中使用的字符串,但我需要一个基于应用程序是否处于DEBUG模式的不同域。我认为使用头文件(例如Common.h)和一些简单的定义可能是有用的,如下所示:

#ifdef DEBUG
    #define kAPIEndpointHost @"http://example.dev"
#else
    #define kAPIEndpointHost @"http://www.example.com"
#endif

#define kAPIEndpointLatest          [kAPIEndpointHost stringByAppendingString:@"/api/latest_content"]
#define kAPIEndpointMostPopular     [kAPIEndpointHost stringByAppendingString:@"/api/most_popular"]

显然这不起作用,因为你显然不能将常量基于另一个常量的值。

这样做的“正确”方法是什么?如果有一个适当的类,使用返回正确端点值的类方法会更有意义吗?

编辑:为了清楚起见,主机字符串中基于的“Latest”和“MostPopular”字符串是我遇到的最大麻烦。编译器不喜欢#defines的stringByAppendingString部分。

3 个答案:

答案 0 :(得分:64)

如果您只是连接字符串,则可以使用编译时字符串连接:

#ifdef DEBUG
    #define kAPIEndpointHost @"http://example.dev"
#else
    #define kAPIEndpointHost @"http://www.example.com"
#endif

#define kAPIEndpointLatest          (kAPIEndpointHost @"/api/latest_content")
#define kAPIEndpointMostPopular     (kAPIEndpointHost @"/api/most_popular")

答案 1 :(得分:19)

我不喜欢将#defines用于字符串常量。如果需要全局常量并编译时间连接。我会使用以下内容:

标题文件:

extern NSString *const kAPIEndpointHost;
extern NSString *const kAPIEndpointLatestPath;
extern NSString *const kAPIEndpointMostPopularPath;

实施档案:

#ifdef DEBUG
#define API_ENDPOINT_HOST @"http://example.dev"
#else
#define API_ENDPOINT_HOST @"http://www.example.com"
#endif

NSString *const kAPIEndpointHost = API_ENDPOINT_HOST;
NSString *const kAPIEndpointLatestPath = (API_ENDPOINT_HOST @"/api/latest_content");
NSString *const kAPIEndpointMostPopularPath = (API_ENDPOINT_HOST @"/api/most_popular");

答案 2 :(得分:11)

在您的标头文件中:

extern NSString *const kAPIEndpointHost;
extern NSString *const kAPIEndpointLatestPath;
extern NSString *const kAPIEndpointMostPopularPath;

在您的实施文件中:

#ifdef DEBUG
    NSString *const kAPIEndpointHost = @"http://example.dev";
#else
    NSString *const kAPIEndpointHost = @"http://www.example.com";
#endif

NSString *const kAPIEndpointLatestPath = @"/api/latest_content";
NSString *const kAPIEndpointMostPopularPath = @"/api/most_popular";