Constants in Objective-C
Asked Answered
L

14

1048

I'm developing a Cocoa application, and I'm using constant NSStrings as ways to store key names for my preferences.

I understand this is a good idea because it allows easy changing of keys if necessary.
Plus, it's the whole 'separate your data from your logic' notion.

Anyway, is there a good way to make these constants defined once for the whole application?

I'm sure that there's an easy and intelligent way, but right now my classes just redefine the ones they use.

Lordan answered 11/2, 2009 at 21:52 Comment(1)
OOP is about grouping your data with your logic. What are you proposing is just a good programming practice, i.e., making your program easy to change.Sri
R
1312

You should create a header file like:

// Constants.h
FOUNDATION_EXPORT NSString *const MyFirstConstant;
FOUNDATION_EXPORT NSString *const MySecondConstant;
//etc.

(You can use extern instead of FOUNDATION_EXPORT if your code will not be used in mixed C/C++ environments or on other platforms.)

You can include this file in each file that uses the constants or in the pre-compiled header for the project.

You define these constants in a .m file like:

// Constants.m
NSString *const MyFirstConstant = @"FirstConstant";
NSString *const MySecondConstant = @"SecondConstant";

Constants.m should be added to your application/framework's target so that it is linked in to the final product.

The advantage of using string constants instead of #define'd constants is that you can test for equality using pointer comparison (stringInstance == MyFirstConstant) which is much faster than string comparison ([stringInstance isEqualToString:MyFirstConstant]) (and easier to read, IMO).

Ralleigh answered 11/2, 2009 at 22:38 Comment(31)
For an integer constant would it be: extern int const MyFirstConstant = 1;Madonia
Is it better to say: extern const NSSTring *const MyFirstConstant ?Emetine
@Emetine Yes, in the C++ world, const NSString * const MyConstant is correct. Since Objective-C is a C superset, however, const correctness is not part of its history and you get many warnings about passing the incrrect (const) pointer to methods that expect an NSString* even though an NSString * is immutable so could be declared const NSString *.Ralleigh
Overall, great answer, with one glaring caveat: you DO NOT want to test for string equality with the == operator in Objective-C, since it tests memory address. Always use -isEqualToString: for this. You can easily get a different instance by comparing MyFirstConstant and [NSString stringWithFormat:MyFirstConstant]. Make no assumptions about what instance of a string you have, even with literals. (In any case, #define is a "preprocessor directive", and is substituted before compilation, so either way the compiler sees a string literal in the end.)Swedenborgian
In this case, it's OK to use == to test for equality with the constant, if it's truly used as a constant symbol (i.e. the symbol MyFirstConstant instead of a string containing @"MyFirstConstant" is used). An integer could be used instead of a string in this case (really, that's what you're doing--using the pointer as an integer) but using a constant string makes debugging slightly easier as the value of the constant has human-readable meaning.Ralleigh
Followup question: Let's say you've declared a static NSArray. Memory management rules (say on the iPhone) normally mandate retain/release balancing. Because this is static, do you do anything differently? For instance, I imagine I could alloc/init ... and then release in the dealloc. Is that all there is to it? (I've seen sample code where there is no release in the dealloc, and that left me a bit suspicious.)Avellaneda
This works fine when compiling my app, but when compiling a static library with the same files, I get a weird error: "'asm' or 'attribute' before '*' token". Any ideas what's up with that?Fourwheeler
how do I do this: Constants.m should be added to your application/framework's target so that it is linked in to the final product. ?Goodall
@Goodall Yes, Constants.m needs to be linked (either statically as part of the target) or via a framework to any code that uses the constants.Ralleigh
+1 for "Constants.m should be added to your application/framework's target so that it is linked in to the final product." Saved my sanity. @amok, do "Get info" on Constants.m and choose the "Targets" tab. Make sure it's checked for the relevant target(s).Tronna
@Barry: In Cocoa, I have seen a number of classes that define their NSString properties with copy instead of retain. As such, they could (and should) be holding a different instance of your NSString* constant, and direct memory address comparison would fail. Also, I would presume that any reasonably optimal implementation of -isEqualToString: would check for pointer equality before getting into the nitty-gritty of character comparison.Connecticut
Can anyone give me a hint on how to do this in XCode 4? (adding Constants.m to the application/framework's target)Nonappearance
@Ben, once you're using constants as strings (e.g. with a copy property), all bets are off. You should be using isEqualToString: to check for equality in this case. But you would have to do that if you used #defined strings as well.Ralleigh
I had problems with this method related to my inexperience with the pch file that were answered here: #7439511Unsaddle
WRT using == to test for constant equality, this is technically OK but in practice a bad idea. Consider the case where you are consuming a JSON response from an HTTP server and checking if a key in the dictionary is a known key name constant. Using == in this case will fail, because the JSON parser constructed unique NSString* objects for your dictionary keys that you are trying to compare against other NSString* objects that of course have a different memory address. Be sane and use isEqualToString and let the runtime deal with memory addressing.Remittee
How does one localize these strings? NSLocalizedString seems to fail.Dumbbell
== for string equality test works in some circumstances, as has been noted, but I think it's just a bad idea. It's too fragile in that a change in coding style or a changed design decision later on will cause the 'correctness' of using == to break. It could really come back and bite you on the rump.Optometer
After doing all you can use these constant by just putting name of the constant like NSLog(@"%@",MyFirstConstant); in all applicationMegrims
@DanMorgan in my case when I used extern int const playBoardBlock = 1; in const.h file it comes with a warning, i.e. 'ertern' variable has an initializer, what's the suggestion.Nitriding
@Nitriding Don't assign your const a value in the header file -- instead assign the value in the .m file. You'll still need to declare the const (without assigning a value) in the .h file.Optometer
A note/warning. There can be problems when using NSString constants like this with ARC. Sometimes the constant is unexpectedly automatically released while app is running (I've experienced that while passing const string to NSNotificationCenter, as notification name. At first pass it works fine, but when I want to emit second notification the app gets crashed with "bad memory access"). So, I was end up with #define-styled constants.Trovillion
FOUNDATION_EXPORT is a minor convenience that defines as FOUNDATION_EXTERN which in turn defines as extern "C" for C++ and otherwise as extern (other than a slight difference for windows as target...meh)Vallee
For the record, == should work for NSStrings due to string interning, as long as you're working with constant, immutable strings (i.e. not +stringWithFormat:). However, -isEqualToString:, if it is implemented correctly, should short-circuit itself with a pointer equality check first. But, I should note, all of these shoulds could change, so write defensively.Typescript
Do not use == for string comparisons under any circumstances. Yes, if you understand the compiler/runtime (!), and you're careful, you can get it right. But it's a leaky abstraction, and requires special invisible knowledge in one part of a codebase about the way another part is put together. @BarryWark: I do sympathize with your point about using them as "symbols" and scoping their use to that sort of thing, but even then, because they are declared publicly as NSStrings, their "symbolness" is also special knowledge. Better to be consistent about compares and trust -isEqualToString:.Uigur
If I define all my constant strings in such a manner, does it increase my memory footprint?Destine
Actually, it reduces the footprint because it makes sure that the string constant only exists once in your program. If you use #define, you could have a different string every time the constant is used. BTW. strings created like @"string" are never deallocated, and copy doesn't copy them.Pellicle
Once we do this, how do we access/use these constants from other classes? I am trying "Constants.MY_CONSTANT" but I am getting a "Property MY_CONSTANTS not found on object of type Constants" error.Regolith
I'm curious, and in searching haven't found a good answer to this question. What is the benefit of declaring the constant in two places? I know with the extern keyword it must be defined and then initialized in separate lines, but why not just use NSString *const MyConstant = @"MyConstantValue" in a single .h file?Wirehaired
@TimArnold With MyConst defined as you have, including the .h file in multiple spots (as desired by the OP) would result in a duplicate symbol error during linking.Topo
These constants are global variables and therefore could potentially conflict with global variables of frameworks added to the project?Moselle
Does this work with ARC? I am having issues where my const NSStrings are null at runtime.Storfer
S
285

Easiest way:

// Prefs.h
#define PREFS_MY_CONSTANT @"prefs_my_constant"

Better way:

// Prefs.h
extern NSString * const PREFS_MY_CONSTANT;

// Prefs.m
NSString * const PREFS_MY_CONSTANT = @"prefs_my_constant";

One benefit of the second is that changing the value of a constant does not cause a rebuild of your entire program.

Schonfield answered 11/2, 2009 at 22:2 Comment(9)
I thought you were not supposed to change the value of constants.Aguayo
Andrew is refering to changing the value of the constant while coding, not while the application is running.Ergener
Is there any added value in doing extern NSString const * const MyConstant, ie, making it a constant pointer to a constant object rather than just a constant pointer?Brooke
What happen, if I use this declaration in the header file, static NSString * const kNSStringConst = @"const value"; What's the difference between not declaring and init separately in .h and .m files?Bashan
@Bashan Header files get #includeed into many .m files. In all C languages this basically a copy and paste into one translation unit. The short version is that if you do it in the header, changing the value may cause a lot of files to be recompiled. This will become noticable on large projects (maybe 50k+ SLOC)Beanfeast
This is more than just a preference - you're using macros when you shouldn't. It's like using goto - it exists for legacy and for some special cases (IE, to break from an inner loop,) but shouldn't be used elsewhere. If you just want a constant, you should use a const. It's what they were made/introduced for.Baccivorous
@ArtOfWarfare, when should macros be used, if not here?Lickspittle
@Lickspittle - Someplace where only the compiler knows the answer. IE, if you wanted to include in an about menu which compiler was used to compile a build of an application, you could place it there since the compiled code otherwise wouldn't have anyway of knowing. I can't think of many other places. Macros certainly shouldn't be used in many places. What if I had #define MY_CONST 5 and elsewhere #define MY_CONST_2 25. The result is that you may very well end up with a compiler error when it tries to compile 5_2. Do not use #define for constants. Use const for constants.Baccivorous
If I define all my constant strings in such a manner, does it increase my memory footprint?Destine
M
194

There is also one thing to mention. If you need a non global constant, you should use static keyword.

Example

// In your *.m file
static NSString * const kNSStringConst = @"const value";

Because of the static keyword, this const is not visible outside of the file.


Minor correction by @QuinnTaylor: static variables are visible within a compilation unit. Usually, this is a single .m file (as in this example), but it can bite you if you declare it in a header which is included elsewhere, since you'll get linker errors after compilation

Moleskins answered 12/2, 2009 at 16:28 Comment(10)
Minor correction: static variables are visible within a compilation unit. Usually, this is a single .m file (as in this example), but it can bite you if you declare it in a header which is included elsewhere, since you'll get linker errors after compilation.Swedenborgian
If I don't use the static keyword, will kNSStringConst be available throughout the project?Diarist
Ok, just checked... Xcode doesn't provide autocompletion for it in other files if you leave static off, but I tried putting the same name in two different places, and reproduced Quinn's linker errors.Diarist
static in a header file doesn't give linker problems. However, each compilation unit including the header file will get its own static variable, so you get 100 of them if you include the header from 100 .m files.Pellicle
@Moleskins In which part of the .m file do you place this?Generable
@BasilBourque Good practice is to put them right above the @implementation ...Moleskins
@kompozer, Why this naming?Alloway
@IulianOnofrei I'm not sure what you mean. Using k in front of the static is an used conventions. Nowhere days I don't do this anymore and call static vars something like static NSString * const StringConst = @"const value";Moleskins
@kompozer, Yes, I was referring to the variable's name. Is it standard Apple convention? Why not STRING_CONST instead of StringConst. Is this only in the Java world?Alloway
If I put this in a header file, what's the problem?Greatuncle
U
117

The accepted (and correct) answer says that "you can include this [Constants.h] file... in the pre-compiled header for the project."

As a novice, I had difficulty doing this without further explanation -- here's how: In your YourAppNameHere-Prefix.pch file (this is the default name for the precompiled header in Xcode), import your Constants.h inside the #ifdef __OBJC__ block.

#ifdef __OBJC__
  #import <UIKit/UIKit.h>
  #import <Foundation/Foundation.h>
  #import "Constants.h"
#endif

Also note that the Constants.h and Constants.m files should contain absolutely nothing else in them except what is described in the accepted answer. (No interface or implementation).

Unsaddle answered 18/9, 2011 at 14:8 Comment(1)
I did this but some files throw error on compile "Use of undeclared identifier 'CONSTANTSNAME' If I include the constant.h in the file throwing the error, it works, but that is not what I want to do. I have cleaned, shutdown xcode and build and still problems... any ideas?Negativism
E
51

I am generally using the way posted by Barry Wark and Rahul Gupta.

Although, I do not like repeating the same words in both .h and .m file. Note, that in the following example the line is almost identical in both files:

// file.h
extern NSString* const MyConst;

//file.m
NSString* const MyConst = @"Lorem ipsum";

Therefore, what I like to do is to use some C preprocessor machinery. Let me explain through the example.

I have a header file which defines the macro STR_CONST(name, value):

// StringConsts.h
#ifdef SYNTHESIZE_CONSTS
# define STR_CONST(name, value) NSString* const name = @ value
#else
# define STR_CONST(name, value) extern NSString* const name
#endif

The in my .h/.m pair where I want to define the constant I do the following:

// myfile.h
#import <StringConsts.h>

STR_CONST(MyConst, "Lorem Ipsum");
STR_CONST(MyOtherConst, "Hello world");

// myfile.m
#define SYNTHESIZE_CONSTS
#import "myfile.h"

et voila, I have all the information about the constants in .h file only.

Euchromatin answered 2/12, 2011 at 21:53 Comment(2)
Hmm, there is a bit of a caveat however, you cannot use this technique like this if the header file is imported into the precompiled header, because it won't load the .h file into the .m file because it was already compiled. There is a way though - see my answer (since I can't put nice code in the comments.Cnemis
I can't get this working. If I put #define SYNTHESIZE_CONSTS before #import "myfile.h" it does NSString*... in both the .h and .m (Checked using the assistant view and preprocessor). It throws redefinition errors. If I put it after #import "myfile.h" it does extern NSString*... in both files. Then it throws "Undefined symbol" errors.Stealage
I
29

I myself have a header dedicated to declaring constant NSStrings used for preferences like so:

extern NSString * const PPRememberMusicList;
extern NSString * const PPLoadMusicAtListLoad;
extern NSString * const PPAfterPlayingMusic;
extern NSString * const PPGotoStartupAfterPlaying;

Then declaring them in the accompanying .m file:

NSString * const PPRememberMusicList = @"Remember Music List";
NSString * const PPLoadMusicAtListLoad = @"Load music when loading list";
NSString * const PPAfterPlayingMusic = @"After playing music";
NSString * const PPGotoStartupAfterPlaying = @"Go to startup pos. after playing";

This approach has served me well.

Edit: Note that this works best if the strings are used in multiple files. If only one file uses it, you can just do #define kNSStringConstant @"Constant NSString" in the .m file that uses the string.

Incise answered 26/1, 2013 at 23:15 Comment(0)
C
25

A slight modification of the suggestion of @Krizz, so that it works properly if the constants header file is to be included in the PCH, which is rather normal. Since the original is imported into the PCH, it won't reload it into the .m file and thus you get no symbols and the linker is unhappy.

However, the following modification allows it to work. It's a bit convoluted, but it works.

You'll need 3 files, .h file which has the constant definitions, the .h file and the .m file, I'll use ConstantList.h, Constants.h and Constants.m, respectively. the contents of Constants.h are simply:

// Constants.h
#define STR_CONST(name, value) extern NSString* const name
#include "ConstantList.h"

and the Constants.m file looks like:

// Constants.m
#ifdef STR_CONST
    #undef STR_CONST
#endif
#define STR_CONST(name, value) NSString* const name = @ value
#include "ConstantList.h"

Finally, the ConstantList.h file has the actual declarations in it and that is all:

// ConstantList.h
STR_CONST(kMyConstant, "Value");
…

A couple of things to note:

  1. I had to redefine the macro in the .m file after #undefing it for the macro to be used.

  2. I also had to use #include instead of #import for this to work properly and avoid the compiler seeing the previously precompiled values.

  3. This will require a recompile of your PCH (and probably the entire project) whenever any values are changed, which is not the case if they are separated (and duplicated) as normal.

Hope that is helpful for someone.

Cnemis answered 3/12, 2011 at 0:3 Comment(3)
Using #include fixed this headache for me.Coverlet
Does this have any performance/memory loss when compared to the accepted answer?Macaulay
In answer to the performance compared to the accepted answer, there is none. It is effectively the exact same thing from the point of view of the compiler. You end up with the same declarations. They'd be EXACTLY the same if you replaced the extern above with the FOUNDATION_EXPORT.Cnemis
D
14
// Prefs.h
extern NSString * const RAHUL;

// Prefs.m
NSString * const RAHUL = @"rahul";
Degauss answered 28/9, 2011 at 4:37 Comment(0)
V
12

As Abizer said, you could put it into the PCH file. Another way that isn't so dirty is to make a include file for all of your keys and then either include that in the file you're using the keys in, or, include it in the PCH. With them in their own include file, that at least gives you one place to look for and define all of these constants.

Vocoid answered 11/2, 2009 at 22:5 Comment(0)
D
11

If you want something like global constants; a quick an dirty way is to put the constant declarations into the pch file.

Devereux answered 11/2, 2009 at 21:56 Comment(1)
Editing the .pch is usually not the best idea. You'll have to find a place to actually define the variable, almost always a .m file, so it makes more sense to declare it in the matching .h file. The accepted answer of creating a Constants.h/m pair is a good one if you need them across the whole project. I generally put constants as far down the hierarchy as possible, based on where they will be used.Swedenborgian
K
10

If you like namespace constant, you can leverage struct, Friday Q&A 2011-08-19: Namespaced Constants and Functions

// in the header
extern const struct MANotifyingArrayNotificationsStruct
{
    NSString *didAddObject;
    NSString *didChangeObject;
    NSString *didRemoveObject;
} MANotifyingArrayNotifications;

// in the implementation
const struct MANotifyingArrayNotificationsStruct MANotifyingArrayNotifications = {
    .didAddObject = @"didAddObject",
    .didChangeObject = @"didChangeObject",
    .didRemoveObject = @"didRemoveObject"
};
Knitting answered 25/7, 2015 at 9:16 Comment(1)
A great thing! But under ARC you will need to prefix all variables in struct declaration with __unsafe_unretained qualifier to get it working.Trovillion
B
9

Try using a class method:

+(NSString*)theMainTitle
{
    return @"Hello World";
}

I use it sometimes.

Batton answered 6/12, 2009 at 9:26 Comment(3)
A class method isn't a constant. It has a cost at run time, and may not always return the same object (it will if you implement it that way, but you haven't necessarily implemented it that way), which means you have to use isEqualToString: for the comparison, which is a further cost at run time. When you want constants, make constants.Witenagemot
@Peter Hosey, while your comments are right, we take that performance hit once per LOC or more in "higher-level" languages like Ruby without every worrying about it. I'm not saying you're not right, but rather just commenting on how standards are different in different "worlds."Watersoak
True on Ruby. Most of the performance people code for is quite unnecessary for the typical app.Chondrite
R
7

I use a singleton class, so that I can mock the class and change the constants if necessary for testing. The constants class looks like this:

#import <Foundation/Foundation.h>

@interface iCode_Framework : NSObject

@property (readonly, nonatomic) unsigned int iBufCapacity;
@property (readonly, nonatomic) unsigned int iPort;
@property (readonly, nonatomic) NSString * urlStr;

@end

#import "iCode_Framework.h"

static iCode_Framework * instance;

@implementation iCode_Framework

@dynamic iBufCapacity;
@dynamic iPort;
@dynamic urlStr;

- (unsigned int)iBufCapacity
{
    return 1024u;
};

- (unsigned int)iPort
{
    return 1978u;
};

- (NSString *)urlStr
{
    return @"localhost";
};

+ (void)initialize
{
    if (!instance) {
        instance = [[super allocWithZone:NULL] init];
    }
}

+ (id)allocWithZone:(NSZone * const)notUsed
{
    return instance;
}

@end

And it is used like this (note the use of a shorthand for the constants c - it saves typing [[Constants alloc] init] every time):

#import "iCode_FrameworkTests.h"
#import "iCode_Framework.h"

static iCode_Framework * c; // Shorthand

@implementation iCode_FrameworkTests

+ (void)initialize
{
    c  = [[iCode_Framework alloc] init]; // Used like normal class; easy to mock!
}

- (void)testSingleton
{
    STAssertNotNil(c, nil);
    STAssertEqualObjects(c, [iCode_Framework alloc], nil);
    STAssertEquals(c.iBufCapacity, 1024u, nil);
}

@end
Reynolds answered 16/7, 2012 at 0:0 Comment(0)
M
1

If you want to call something like this NSString.newLine; from objective c, and you want it to be static constant, you can create something like this in swift:

public extension NSString {
    @objc public static let newLine = "\n"
}

And you have nice readable constant definition, and available from within a type of your choice while stile bounded to context of type.

Madoc answered 21/1, 2019 at 17:17 Comment(0)

© 2022 - 2024 — McMap. All rights reserved.