Using Objective-C block as a #synchronized lock - ios

I have a block property defined like this:
#property (nonatomic, strong) void(^block)(void);
and then I'm trying to use it as a #synchronized lock:
#synchronized (self.block)
{
//doing something
}
The compiler doesn't like this. It says #synchronized requires an Objective-C object type ('void (^)(void)' invalid)
So I'm cheating the compiler by casting the block to id
#synchronized ((id)self.block)
{
//doing something
}
And it seems to work but I'm not sure if I'm doing a right thing. There may be some caveats I'm not aware of. What do you think about this? Is it even acceptable to use a block like this or is it a bad practice due to some reasons unknown to me?

You can sync on NSObject and subclasses.
Deep down a block at some stage becomes a __NSMallocBlock__ or a __NSStackBlock__ but that is not something you should rely on or even really be aware of.
I think you need to have a separate object to be the lock. Why don't you just do
#property (nonatomic,strong) NSObject * lock;
and sync on that whenever you need to sync. Also, you can set that whenever you set the block, e.g.
-(void)setBlock:(...)block
{
_block = block;
self.lock = NSObject.new;
}
and you are ready to roll.
EDIT
See this NSDictionary and Objective-C block quirk - and be careful of blocks.
The compiler optimises the way in which they are stored and this can lead to trouble in some cases. If you have to sync on a block then rather do something like
__strong NSObject * p = block;
#synchronize ( p )
{
// ....
}
to ensure you and the compiler are in agreement about what you are syncing on. Here the __strong is overkill and you can omit it, but just showing explicitly why you need it.

I think that, in practice, it should be safe to do what you are doing. Objective-C blocks are instances of NSObject (though this is an implementation detail), and you are generally able to do anything with a block that you can do with any other object.
There are sometimes tricky things with NSStackBlocks, which represents blocks that capture variables, which initially reside on the stack before they are copied for the first time. They are tricky because you must copy them, not just retain them, in order to keep them around for use later. However, in your case, you are dealing with a block stored in a property. If you wrote your code correctly, a block you store in a property must be copied before it is stored (since the property might outlive a stack frame). Either the property is synthesized with copy, or you implemented the property via getters and setters, in which case ARC should copy it when you assign something to an instance variable of block type. (If you are using MRC then you have to make sure it is copied before storing it in an instance variable.) Therefore, assuming it is copied, it must be an NSGlobalBlock (representing blocks that don't capture variables) or NSMallocBlock (representing blocks that capture variables that have been copied). Both of these behave like normal Objective-C objects, and remain valid for as long as there is a strong reference.
The only caveat I can think of is if it is an NSGlobalBlock (i.e. it is a block that doesn't capture variables), there is just one block object for all the uses of that block. So synchronizing on different instances of that block would all share the same lock, which may be stronger locking than you might have intended.

Related

Questions about atomic property in multithread operations, which case should we use atomic? [duplicate]

What do atomic and nonatomic mean in property declarations?
#property(nonatomic, retain) UITextField *userName;
#property(atomic, retain) UITextField *userName;
#property(retain) UITextField *userName;
What is the operational difference between these three?
The last two are identical; "atomic" is the default behavior (note that it is not actually a keyword; it is specified only by the absence of nonatomic -- atomic was added as a keyword in recent versions of llvm/clang).
Assuming that you are #synthesizing the method implementations, atomic vs. non-atomic changes the generated code. If you are writing your own setter/getters, atomic/nonatomic/retain/assign/copy are merely advisory. (Note: #synthesize is now the default behavior in recent versions of LLVM. There is also no need to declare instance variables; they will be synthesized automatically, too, and will have an _ prepended to their name to prevent accidental direct access).
With "atomic", the synthesized setter/getter will ensure that a whole value is always returned from the getter or set by the setter, regardless of setter activity on any other thread. That is, if thread A is in the middle of the getter while thread B calls the setter, an actual viable value -- an autoreleased object, most likely -- will be returned to the caller in A.
In nonatomic, no such guarantees are made. Thus, nonatomic is considerably faster than "atomic".
What "atomic" does not do is make any guarantees about thread safety. If thread A is calling the getter simultaneously with thread B and C calling the setter with different values, thread A may get any one of the three values returned -- the one prior to any setters being called or either of the values passed into the setters in B and C. Likewise, the object may end up with the value from B or C, no way to tell.
Ensuring data integrity -- one of the primary challenges of multi-threaded programming -- is achieved by other means.
Adding to this:
atomicity of a single property also cannot guarantee thread safety when multiple dependent properties are in play.
Consider:
#property(atomic, copy) NSString *firstName;
#property(atomic, copy) NSString *lastName;
#property(readonly, atomic, copy) NSString *fullName;
In this case, thread A could be renaming the object by calling setFirstName: and then calling setLastName:. In the meantime, thread B may call fullName in between thread A's two calls and will receive the new first name coupled with the old last name.
To address this, you need a transactional model. I.e. some other kind of synchronization and/or exclusion that allows one to exclude access to fullName while the dependent properties are being updated.
This is explained in Apple's documentation, but below are some examples of what is actually happening.
Note that there is no "atomic" keyword, if you do not specify "nonatomic", then the property is atomic, but specifying "atomic" explicitly will result in an error.
If you do not specify "nonatomic", then the property is atomic, but you can still specify "atomic" explicitly in recent versions if you want to.
//#property(nonatomic, retain) UITextField *userName;
//Generates roughly
- (UITextField *) userName {
return userName;
}
- (void) setUserName:(UITextField *)userName_ {
[userName_ retain];
[userName release];
userName = userName_;
}
Now, the atomic variant is a bit more complicated:
//#property(retain) UITextField *userName;
//Generates roughly
- (UITextField *) userName {
UITextField *retval = nil;
#synchronized(self) {
retval = [[userName retain] autorelease];
}
return retval;
}
- (void) setUserName:(UITextField *)userName_ {
#synchronized(self) {
[userName_ retain];
[userName release];
userName = userName_;
}
}
Basically, the atomic version has to take a lock in order to guarantee thread safety, and also is bumping the ref count on the object (and the autorelease count to balance it) so that the object is guaranteed to exist for the caller, otherwise there is a potential race condition if another thread is setting the value, causing the ref count to drop to 0.
There are actually a large number of different variants of how these things work depending on whether the properties are scalar values or objects, and how retain, copy, readonly, nonatomic, etc interact. In general the property synthesizers just know how to do the "right thing" for all combinations.
Atomic
is the default behavior
will ensure the present process is completed by the CPU, before another process accesses the variable
is not fast, as it ensures the process is completed entirely
Non-Atomic
is NOT the default behavior
faster (for synthesized code, that is, for variables created using #property and #synthesize)
not thread-safe
may result in unexpected behavior, when two different process access the same variable at the same time
The best way to understand the difference is using the following example.
Suppose there is an atomic string property called "name", and if you call [self setName:#"A"] from thread A, call [self setName:#"B"] from thread B, and call [self name] from thread C, then all operations on different threads will be performed serially which means if one thread is executing a setter or getter, then other threads will wait.
This makes property "name" read/write safe, but if another thread, D, calls [name release] simultaneously then this operation might produce a crash because there is no setter/getter call involved here. Which means an object is read/write safe (ATOMIC), but not thread-safe as another threads can simultaneously send any type of messages to the object. The developer should ensure thread-safety for such objects.
If the property "name" was nonatomic, then all threads in above example - A,B, C and D will execute simultaneously producing any unpredictable result. In case of atomic, either one of A, B or C will execute first, but D can still execute in parallel.
The syntax and semantics are already well-defined by other excellent answers to this question. Because execution and performance are not detailed well, I will add my answer.
What is the functional difference between these 3?
I'd always considered atomic as a default quite curious. At the abstraction level we work at, using atomic properties for a class as a vehicle to achieve 100% thread-safety is a corner case. For truly correct multithreaded programs, intervention by the programmer is almost certainly a requirement. Meanwhile, performance characteristics and execution have not yet been detailed in depth. Having written some heavily multithreaded programs over the years, I had been declaring my properties as nonatomic the entire time because atomic was not sensible for any purpose. During discussion of the details of atomic and nonatomic properties this question, I did some profiling encountered some curious results.
Execution
Ok. The first thing I would like to clear up is that the locking implementation is implementation-defined and abstracted. Louis uses #synchronized(self) in his example -- I have seen this as a common source of confusion. The implementation does not actually use #synchronized(self); it uses object level spin locks. Louis's illustration is good for a high-level illustration using constructs we are all familiar with, but it's important to know it does not use #synchronized(self).
Another difference is that atomic properties will retain/release cycle your objects within the getter.
Performance
Here's the interesting part: Performance using atomic property accesses in uncontested (e.g. single-threaded) cases can be really very fast in some cases. In less than ideal cases, use of atomic accesses can cost more than 20 times the overhead of nonatomic. While the Contested case using 7 threads was 44 times slower for the three-byte struct (2.2 GHz Core i7 Quad Core, x86_64). The three-byte struct is an example of a very slow property.
Interesting side note: User-defined accessors of the three-byte struct were 52 times faster than the synthesized atomic accessors; or 84% the speed of synthesized nonatomic accessors.
Objects in contested cases can also exceed 50 times.
Due to the number of optimizations and variations in implementations, it's quite difficult to measure real-world impacts in these contexts. You might often hear something like "Trust it, unless you profile and find it is a problem". Due to the abstraction level, it's actually quite difficult to measure actual impact. Gleaning actual costs from profiles can be very time consuming, and due to abstractions, quite inaccurate. As well, ARC vs MRC can make a big difference.
So let's step back, not focussing on the implementation of property accesses, we'll include the usual suspects like objc_msgSend, and examine some real-world high-level results for many calls to a NSString getter in uncontested cases (values in seconds):
MRC | nonatomic | manually implemented getters: 2
MRC | nonatomic | synthesized getter: 7
MRC | atomic | synthesized getter: 47
ARC | nonatomic | synthesized getter: 38 (note: ARC's adding ref count cycling here)
ARC | atomic | synthesized getter: 47
As you have probably guessed, reference count activity/cycling is a significant contributor with atomics and under ARC. You would also see greater differences in contested cases.
Although I pay close attention to performance, I still say Semantics First!. Meanwhile, performance is a low priority for many projects. However, knowing execution details and costs of technologies you use certainly doesn't hurt. You should use the right technology for your needs, purposes, and abilities. Hopefully this will save you a few hours of comparisons, and help you make a better informed decision when designing your programs.
Atomic = thread safety
Non-atomic = No thread safety
Thread safety:
Instance variables are thread-safe if they behave correctly when accessed from multiple threads, regardless of the scheduling or interleaving of the execution of those threads by the runtime environment, and with no additional synchronization or other coordination on the part of the calling code.
In our context:
If a thread changes the value of the instance the changed value is available to all the threads, and only one thread can change the value at a time.
Where to use atomic:
if the instance variable is gonna be accessed in a multithreaded environment.
Implication of atomic:
Not as fast as nonatomic because nonatomic doesn't require any watchdog work on that from runtime .
Where to use nonatomic:
If the instance variable is not gonna be changed by multiple threads you can use it. It improves the performance.
After reading so many articles, Stack Overflow posts and making demo applications to check variable property attributes, I decided to put all the attributes information together:
atomic // Default
nonatomic
strong = retain // Default
weak = unsafe_unretained
retain
assign // Default
unsafe_unretained
copy
readonly
readwrite // Default
In the article Variable property attributes or modifiers in iOS you can find all the above-mentioned attributes, and that will definitely help you.
atomic
atomic means only one thread access the variable (static type).
atomic is thread safe.
But it is slow in performance
atomic is the default behavior
Atomic accessors in a non garbage collected environment (i.e. when using retain/release/autorelease) will use a lock to ensure that another thread doesn't interfere with the correct setting/getting of the value.
It is not actually a keyword.
Example:
#property (retain) NSString *name;
#synthesize name;
nonatomic
nonatomic means multiple thread access the variable (dynamic type).
nonatomic is thread-unsafe.
But it is fast in performance
nonatomic is NOT default behavior. We need to add the nonatomic keyword in the property attribute.
It may result in unexpected behavior, when two different process (threads) access the same variable at the same time.
Example:
#property (nonatomic, retain) NSString *name;
#synthesize name;
I found a pretty well put explanation of atomic and non-atomic properties here. Here's some relevant text from the same:
'atomic' means it cannot be broken down.
In OS/programming terms an atomic function call is one that cannot be interrupted - the entire function must be executed, and not swapped out of the CPU by the OS's usual context switching until it's complete. Just in case you didn't know: since the CPU can only do one thing at a time, the OS rotates access to the CPU to all running processes in little time-slices, to give the illusion of multitasking. The CPU scheduler can (and does) interrupt a process at any point in its execution - even in mid function call. So for actions like updating shared counter variables where two processes could try to update the variable at the same time, they must be executed 'atomically', i.e., each update action has to finish in its entirety before any other process can be swapped onto the CPU.
So I'd be guessing that atomic in this case means the attribute reader methods cannot be interrupted - in effect meaning that the variable(s) being read by the method cannot change their value half way through because some other thread/call/function gets swapped onto the CPU.
Because the atomic variables can not be interrupted, the value contained by them at any point is (thread-lock) guaranteed to be uncorrupted, although, ensuring this thread lock makes access to them slower. non-atomic variables, on the other hand, make no such guarantee but do offer the luxury of quicker access. To sum it up, go with non-atomic when you know your variables won't be accessed by multiple threads simultaneously and speed things up.
Atomic :
Atomic guarantees that access to the property will be performed in an atomic manner. E.g. it always return a fully initialised objects, any get/set of a property on one thread must complete before another can access it.
If you imagine the following function occurring on two threads at once you can see why the results would not be pretty.
-(void) setName:(NSString*)string
{
if (name)
{
[name release];
// what happens if the second thread jumps in now !?
// name may be deleted, but our 'name' variable is still set!
name = nil;
}
...
}
Pros :
Return of fully initialised objects each time makes it best choice in case of multi-threading.
Cons :
Performance hit, makes execution a little slower
Non-Atomic :
Unlike Atomic, it doesn't ensure fully initialised object return each time.
Pros :
Extremely fast execution.
Cons :
Chances of garbage value in case of multi-threading.
Easiest answer first: There's no difference between your second two examples. By default, property accessors are atomic.
Atomic accessors in a non garbage collected environment (i.e. when using retain/release/autorelease) will use a lock to ensure that another thread doesn't interfere with the correct setting/getting of the value.
See the "Performance and Threading" section of Apple's Objective-C 2.0 documentation for some more information and for other considerations when creating multi-threaded apps.
Atomic means only one thread accesses the variable (static type). Atomic is thread-safe, but it is slow.
Nonatomic means multiple threads access the variable (dynamic type). Nonatomic is thread-unsafe, but it is fast.
Atomic is thread safe, it is slow and it well-assures (not guaranteed) that only the locked value is provided no matter how many threads are attempting access over the same zone. When using atomic, a piece of code written inside this function becomes the part of the critical section, to which only one thread can execute at a time.
It only assures the thread safety; it does not guarantee that. What I mean is you hire an expert driver for you car, still it doesn't guarantees car won't meet an accident. However, probability remains the slightest.
Atomic - it can't be broken down, so the result is expected. With nonatomic - when another thread access the memory zone it can modify it, so the result is unexpected.
Code Talk :
Atomic make getter and setter of the property thread safe. for example if u have written :
self.myProperty = value;
is thread safe.
[myArray addObject:#"Abc"]
is NOT thread safe.
atomic (default)
Atomic is the default: if you don’t type anything, your property is
atomic. An atomic property is guaranteed that if you try to read from
it, you will get back a valid value. It does not make any guarantees
about what that value might be, but you will get back good data, not
just junk memory. What this allows you to do is if you have multiple
threads or multiple processes pointing at a single variable, one
thread can read and another thread can write. If they hit at the same
time, the reader thread is guaranteed to get one of the two values:
either before the change or after the change. What atomic does not
give you is any sort of guarantee about which of those values you
might get. Atomic is really commonly confused with being thread-safe,
and that is not correct. You need to guarantee your thread safety
other ways. However, atomic will guarantee that if you try to read,
you get back some kind of value.
nonatomic
On the flip side, non-atomic, as you can probably guess, just means,
“don’t do that atomic stuff.” What you lose is that guarantee that you
always get back something. If you try to read in the middle of a
write, you could get back garbage data. But, on the other hand, you go
a little bit faster. Because atomic properties have to do some magic
to guarantee that you will get back a value, they are a bit slower. If
it is a property that you are accessing a lot, you may want to drop
down to nonatomic to make sure that you are not incurring that speed
penalty.
See more here: https://realm.io/news/tmi-objective-c-property-attributes/
There is no such keyword "atomic"
#property(atomic, retain) UITextField *userName;
We can use the above like
#property(retain) UITextField *userName;
See Stack Overflow question I am getting issues if I use #property(atomic,retain)NSString *myString.
The default is atomic, this means it does cost you performance whenever you use the property, but it is thread safe. What Objective-C does, is set a lock, so only the actual thread may access the variable, as long as the setter/getter is executed.
Example with MRC of a property with an ivar _internal:
[_internal lock]; //lock
id result = [[value retain] autorelease];
[_internal unlock];
return result;
So these last two are the same:
#property(atomic, retain) UITextField *userName;
#property(retain) UITextField *userName; // defaults to atomic
On the other hand does nonatomic add nothing to your code. So it is only thread safe if you code security mechanism yourself.
#property(nonatomic, retain) UITextField *userName;
The keywords doesn't have to be written as first property attribute at all.
Don't forget, this doesn't mean that the property as a whole is thread-safe. Only the method call of the setter/getter is. But if you use a setter and after that a getter at the same time with 2 different threads, it could be broken too!
-Atomic means only one thread access the variable(static type).
-Atomic is thread safe.
-but it is slow in performance
How to declare:
As atomic is default so,
#property (retain) NSString *name;
AND in implementation file
self.name = #"sourov";
Suppose a task related to three properties are
#property (retain) NSString *name;
#property (retain) NSString *A;
#property (retain) NSString *B;
self.name = #"sourov";
All properties work parallelly (like asynchronously).
If you call "name" from thread A,
And
At the same time if you call
[self setName:#"Datta"]
from thread B,
Now If *name property is nonatomic then
It will return value "Datta" for A
It will return value "Datta" for B
Thats why non atomic is called thread unsafe But but it is fast in performance because of parallel execution
Now If *name property is atomic
It will ensure value "Sourov" for A
Then It will return value "Datta" for B
That's why atomic is called thread Safe and
That's why it is called read-write safe
Such situation operation will perform serially.
And Slow in performance
- Nonatomic means multiple thread access the variable(dynamic type).
- Nonatomic is thread unsafe.
- but it is fast in performance
-Nonatomic is NOT default behavior, we need to add nonatomic keyword in property attribute.
For In Swift
Confirming that Swift properties are nonatomic in the ObjC sense. One reason is so you think about whether per-property atomicity is sufficient for your needs.
Reference: https://forums.developer.apple.com/thread/25642
Fro more info please visit the website
http://rdcworld-iphone.blogspot.in/2012/12/variable-property-attributes-or.html
If you are using your property in multi-threaded code then you would be able to see the difference between nonatomic and atomic attributes. Nonatomic is faster than atomic and atomic is thread-safe, not nonatomic.
Vijayendra Tripathi has already given an example for a multi-threaded environment.
Before you begin: You must know that every object in memory needs to be deallocated from memory for a new writer to happen. You can't just simply write on top of something as you do on paper. You must first erase (dealloc) it and then you can write onto it. If at the moment that the erase is done (or half done) and nothing has yet been wrote (or half wrote) and you try to read it could be very problematic! Atomic and nonatomic help you treat this problem in different ways.
First read this question and then read Bbum's answer. In addition, then read my summary.
atomic will ALWAYS guarantee
If two different people want to read and write at the same time, your paper won't just burn! --> Your application will never crash, even in a race condition.
If one person is trying to write and has only written 4 of the 8 letters to write, then no can read in the middle, the reading can only be done when all 8 letters is written --> No read(get) will happen on 'a thread that is still writing', i.e. if there are 8 bytes to bytes to be written, and only 4 bytes are written——up to that moment, you are not allowed to read from it. But since I said it won't crash then it would read from the value of an autoreleased object.
If before writing you have erased that which was previously written on paper and then someone wants to read you can still read. How? You will be reading from something similar to Mac OS Trash bin ( as Trash bin is not still 100% erased...it's in a limbo) ---> If ThreadA is to read while ThreadB has already deallocated to write, you would get a value from either the final fully written value by ThreadB or get something from autorelease pool.
Retain counts are the way in which memory is managed in Objective-C.
When you create an object, it has a retain count of 1. When you send
an object a retain message, its retain count is incremented by 1. When
you send an object a release message, its retain count is decremented
by 1. When you send an object an autorelease message, its retain count
is decremented by 1 at some stage in the future. If an objectʼs retain
count is reduced to 0, it is deallocated.
Atomic doesn't guarantee thread safety, though it's useful for achieving thread safety. Thread Safety is relative to how you write your code/ which thread queue you are reading/writing from. It only guarantees non-crashable multithreading.
What?! Are multithreading and thread safety different?
Yes. Multithreading means: multiple threads can read a shared piece of data at the same time and we will not crash, yet it doesn't guarantee that you aren't reading from a non-autoreleased value. With thread safety, it's guaranteed that what you read is not auto-released.
The reason that we don't make everything atomic by default is, that there is a performance cost and for most things don't really need thread safety. A few parts of our code need it and for those few parts, we need to write our code in a thread-safe way using locks, mutex or synchronization.
nonatomic
Since there is no such thing like Mac OS Trash Bin, then nobody cares whether or not you always get a value (<-- This could potentially lead to a crash), nor anybody cares if someone tries to read halfway through your writing (although halfway writing in memory is very different from halfway writing on paper, on memory it could give you a crazy stupid value from before, while on paper you only see half of what's been written) --> Doesn't guarantee to not crash, because it doesn't use autorelease mechanism.
Doesn't guarantee full written values to be read!
Is faster than atomic
Overall they are different in 2 aspects:
Crashing or not because of having or not having an autorelease pool.
Allowing to be read right in the middle of a 'not yet finished write or empty value' or not allowing and only allowing to read when the value is fully written.
Atomicity
atomic (default)
Atomic is the default: if you don’t type anything, your property is
atomic. An atomic property is guaranteed that if you try to read from
it, you will get back a valid value. It does not make any guarantees
about what that value might be, but you will get back good data, not
just junk memory. What this allows you to do is if you have multiple
threads or multiple processes pointing at a single variable, one
thread can read and another thread can write. If they hit at the same
time, the reader thread is guaranteed to get one of the two values:
either before the change or after the change. What atomic does not
give you is any sort of guarantee about which of those values you
might get. Atomic is really commonly confused with being thread-safe,
and that is not correct. You need to guarantee your thread safety
other ways. However, atomic will guarantee that if you try to read,
you get back some kind of value.
nonatomic
On the flip side, non-atomic, as you can probably guess, just means,
“don’t do that atomic stuff.” What you lose is that guarantee that you
always get back something. If you try to read in the middle of a
write, you could get back garbage data. But, on the other hand, you go
a little bit faster. Because atomic properties have to do some magic
to guarantee that you will get back a value, they are a bit slower. If
it is a property that you are accessing a lot, you may want to drop
down to nonatomic to make sure that you are not incurring that speed
penalty. Access
courtesy https://academy.realm.io/posts/tmi-objective-c-property-attributes/
Atomicity property attributes (atomic and nonatomic) are not reflected in the corresponding Swift property declaration, but the atomicity guarantees of the Objective-C implementation still hold when the imported property is accessed from Swift.
So — if you define an atomic property in Objective-C it will remain atomic when used by Swift.
courtesy
https://medium.com/#YogevSitton/atomic-vs-non-atomic-properties-crash-course-d11c23f4366c
The atomic property ensures to retain a fully initialised value irrespective of how many threads are doing getter & setter on it.
The nonatomic property specifies that synthesized accessors simply set or return a value directly, with no guarantees about what happens if that same value is accessed simultaneously from different threads.
Atomic means only one thread can access the variable at a time (static type). Atomic is thread-safe, but it is slow.
Nonatomic means multiple threads can access the variable at same time (dynamic type). Nonatomic is thread-unsafe, but it is fast.
The truth is that they use spin lock to implement atomic property. The code as below:
static inline void reallySetProperty(id self, SEL _cmd, id newValue,
ptrdiff_t offset, bool atomic, bool copy, bool mutableCopy)
{
id oldValue;
id *slot = (id*) ((char*)self + offset);
if (copy) {
newValue = [newValue copyWithZone:NULL];
} else if (mutableCopy) {
newValue = [newValue mutableCopyWithZone:NULL];
} else {
if (*slot == newValue) return;
newValue = objc_retain(newValue);
}
if (!atomic) {
oldValue = *slot;
*slot = newValue;
} else {
spin_lock_t *slotlock = &PropertyLocks[GOODHASH(slot)];
_spin_lock(slotlock);
oldValue = *slot;
*slot = newValue;
_spin_unlock(slotlock);
}
objc_release(oldValue);
}
In a single line:
Atomic is thread safe. Nonatomic is thread-unsafe.
If you are using atomic, it means the thread will be safe and read-only. If you are using nonatomic, it means the multiple threads access the variable and is thread unsafe, but it is executed fast, done a read and write operations; this is a dynamic type.
Atomic: Ensure thread-safety by locking the thread using NSLOCK.
Non atomic: Doesn't ensure thread-safety as there is no thread-locking mechanism.
To simplify the entire confusion, let us understand mutex lock.
Mutex lock, as per the name, locks the mutability of the object. So if the object is accessed by a class, no other class can access the same object.
In iOS, #sychronise also provides the mutex lock .Now it serves in FIFO mode and ensures the flow is not affected by two classes sharing the same instance. However, if the task is on main thread, avoid accessing object using atomic properties as it may hold your UI and degrade the performance.
Atomic properties :- When a variable assigned with atomic property that means it has only one thread access and it will be thread safe and will be slow in performance perspective, will have default behaviour.
Non Atomic Properties :- When a variable assigned with nonatomic property that means it has multi thread access and it will not be thread safe and will be fast in performance perspective, will have default behaviour and when two different threads want to access variable at same time it will give unexpected results.

Is it okay to create class local references without using #property in iOS?

In my ViewController I have created some objects that I need to use throughout various places in the controller itself, but nowhere outside of it. I have done it like this:
#implementation MyController1
NSString *myString;
- (void)myFirstMethod {
myString = #"hello world";
}
...
#end
I haven't put them in the header file nor have I defined them with #property in an interface declaration that would look like this:
#interface MyController1 ()
// could define myString with #property here
#end
I'm not having any problems with my code, but I wanted to make sure that I'm not violating safe practices. I know I could put them in the header or implementation file and use #private, but for the sake of code brevity I haven't. Is this okay to do? Does no longer having to use #synthesizehave any impact on this?
Thanks,
It's perfectly fine, just as long as you are aware of the difference between an instance variable (a.k.a. "member variable" or "ivar") and a static variable. For example, there will only be one string object associated with your myString variable in your example here (#"hello world"), no matter how many MyController1 objects you create, not one per instance of the class MyController1. So in this way, myString is not behaving like a property nor an instance variable.
Furthermore, the static variable's life cycle is longer -- it will outlive all instances of your MyController1 objects, only being deallocated when the program exits or if you explicitly do so, say if you allocated it on the heap to begin with (which you are not doing in the case of #"hello world", but of course could potentially do with other static variables).
There are pros and cons to both types/approaches. For example, ivars can keep track of object state, but this means each instance of your objects are bigger because they must each have memory allocated for that state. So if memory performance matters in your app, ivars shouldn't be used unless you need them. On the other hand, static variables are good for "one offs" -- things that are not associated with the object state, but often have to be protected if they can be written to by more than one object on more than one thread. These are just some contrasts... there are many others depending on what you're trying to do.
Re your final question about #synthesize, not using it just means that there won't be any auto-generated accessors for the variable, which is fine because the variable isn't an ivar and not associated with instances of the MyController1 object anyway.

Properties and their backing ivars

Hi imagine I have properties in the .h file:
#property (nonatomic) NSString * myText;
#property (nonatomic) SomeClass * someObj;
Now, in the class implementation.
Say, I didn't forget to use synthesize, and I called:
#synthesize myText, someObj;
Now say in code I forget to put self before the property name (and directly refer to the ivar):
myText = #"Hello";
someObj = [[SomeClass alloc] init];
My question is: is this a problem? What problems can it result in? Or it is no big deal?
ps. Say I am using ARC.
My question is: is this a problem?
This is called "direct ivar access". In some cases, it's not a problem, but a necessity. Initializers, dealloc, and accessors (setters/getters) are where you should be accessing self's ivars directly. In almost every other case, you would favor the accessor.
Directly accessing ivars of instances other than self should be avoided. Easy problem here is that you may read or write at an invalid address (undefined behavior), much like a C struct. When a messaged object is nil, the implementation of that message is not executed.
What problems can it result in?
Biggest two:
You won't get KVO notifications for these changes
And you are typically bypassing the implementation which provides the correct semantics (that can be justified). Semantics in this case may equate to memory management, copying, synchronization, or other consequences of a change of state. If, say, a setter is overridden, then you are bypassing any subclass override of that setter, which may leave the object in an inconsistent state.
See also: Why would you use an ivar?
For clarity, I recommend always using
self.propertyname
as opposed to
propertyname
as this removed any confusion between what variable belong to the class or have been declared locally above in the method.
To enforce this, try to avoid using #synthesize at all, which is only needed if you provide both custom getter and setter (but not one or the other)
The compiler automatically allows you to use _propertyname in the getter/setter (which is necessary to prevent recursive calls of the function)
You should not access the underlying instance variables by accident, only if you plan to do so.
Unexpected side effects may be that KVO doesn't work, overriding accessor methods are not called and the copyand atomic attributes have no effect.
You don't need to use #synthesize since Xcode 4.4, if you use default synthesis the compiler does an equivalent of
#synthesize myText = _myText;
so that
_myText = #"Hello";
self->_myText = #"Hello";
are equivalent and myText = #"Hello"; results in an "undefined identifier" compiler error.
If you use just #synthesize myText the compiler does (for backward compatibility reasons):
#synthesize myText = myText;
which is error prone.
Note that there are valid reasons to use the underlying instance variables instead of the accessor - but it's bad style to do this by accident.
For 30 years now, the recommended practice has been:
use getter/setter methods or the new . operator to read and write ivars.
only access ivars directly when you must.
pick ivar names to prevent accidentally using them, unless the ivar is one that will always be accessed directly (that is why the default behaviour and convention is to prefix ivars with an underscore).
You need to access ivars directly in a few situations:
Manual memory management requires it. You won't need this if ARC is enabled.
If you are going to read the variable variable millions of times in quick succession, and you can't assign it to a temporary variable for some reason.
When you're working with low level C API, it probably needs a pointer to the ivar, Apples libxml2 sample code accesses ivars directly for example.
When you are writing the getter or setter method yourself, instead of using the default #synthesize implementation. I personally do this all the time.
Aside from these situations (and a few others), do not access ivars directly. And prefix all ivars with an underscore, to make sure you don't accidentally access them and to prevent them appearing in xcode's autocomplete/intellisense while you code.
The two main reasons for the convention are:
Getter/setter methods and properties can be kept around when the underlaying memory structure of your class changes. If you rename an ivar, all code that reads the ivar will break, so best to have zero code or almost no code that accesses ivars directly.
Subclasses can override getters and setters. They cannot override ivars. Some people think subclasses shouldn't be allowed to override getters and setters - these people are wrong. Being able to override things is the entire point of creating a subclass.
Fundamental features like KVC and KVO can fall apart if you access ivars directly.
Of course, you can do whatever you want. But the convention has been around for decades now and it works. There is no reason not to follow it.
Contrary to what other answers seem to agree upon, I would recommend to always use direct ivar access unless you are very clear about what you are doing.
My reasoning is simple:
With ARC, it's not even more complicated to use direct property access, just assign a
value to the ivar and ARC takes care of the memory management.
(And this is my main point:) Property accessors may have side-effects.
This is not only true for property accessors you write, but may also be true for
subclasses of the class you are implementing.
Now these accessors defined in subclasses may very well rely on state that the subclass
sets up in it's initializer, which has not executed at this point, so you calling those
accessors might lead to anything from undefined state of your object to your application
throwing exceptions and crashing.
Now, not every class may be designed to be subclassed, but I think it's better to just use one style everywhere instead of being inconsistent depending on the class you are currently writing.
On a side note: I would also recommend to prefix the name of every ivar with an _, as the compiler will do automatically for your properties when you don't #synthesize them.

Defining Objective-C blocks as properties - best practice

I've recently come across an Apple document that shows the following property declaration for a block:
#interface XYZObject : NSObject
#property (copy) void (^blockProperty)(void);
#end
Also, this article states:
Note: You should specify copy as the property attribute, because a block needs to be copied to keep track of its captured state outside of the original scope. This isn’t something you need to worry about when using Automatic Reference Counting, as it will happen automatically, but it’s best practice for the property attribute to show the resultant behavior. For more information, see Blocks Programming Topics.
I also read the suggested Blocks Programming Topics but haven't found anything relevant there.
I'm still curious as to why defining a block property as "copy" is best practice. If you have a good answer, please try to distinguish between ARC and MRC differences if there are any.
Thank you
By default blocks are created on the stack. Meaning they only exist in the scope they have been created in.
In case you want to access them later they have to be copied to the heap by sending a copy message to the block object. ARC will do this for you as soon as it detects a block needs to be accessed outside the scope its created in. As a best practise you declare any block property as copy because that's the way it should be under automatic memory management.
Read Stack and Heap Objects in Objective-C by Mike Ash for more info on stack vs. heap.
Blocks are, by default, allocated on the stack. This is an optimization, since stack allocation is much cheaper than heap allocation. Stack allocation means that, by default again, a block will cease to exist when the scope in which it is declared exits. So a block property with retain semantics will result in a dangling pointer to a block that doesn't exist anymore.
To move a block from the stack to the heap (and thus give it normal Objective-C memory management semantics and an extended lifetime), you must copy the block via [theBlock copy], Block_copy(theBlock), etc. Once on the heap, the block's lifetime can be managed as needed by retaining/releasing it. (Yes, this applies in ARC too, you just don't have to call -retain/-release yourself.)
So you want to declare block properties with copy semantics so the block is copied when the property is set, avoiding a dangling pointer to a stack-based block.
The "best practices" you refer to simply say, "Seeing as ARC is going to magically copy your block no matter what you write here, it's best you explicitly write 'copy' so as not to confuse future generations looking at your code."
Explanation follows:
Typically, you shouldn’t need to copy (or retain) a block. You only need to make a copy when you expect the block to be used after destruction of the scope within which it was declared. Copying moves a block to the heap.
–Blocks Programming Topics: Using Blocks, Copying Blocks
Clearly, assigning a block to a property means it could be used after the scope it was declared in has been destroyed. Thus, according to Blocks Programming Topics that block should be copied to the heap with Block_copy.
But ARC takes care of this for you:
Blocks “just work” when you pass blocks up the stack in ARC mode, such as in a return. You don’t have to call Block Copy any more.
–Transitioning to ARC
Note that this isn't about the retain semantics the block. There's simply no way for the block's context to exist without being moved off the (soon-to-be-popped) stack and on to the heap. So regardless of what attributes you qualify your #property with, ARC is still going to copy the block.

What's the difference between the atomic and nonatomic attributes?

What do atomic and nonatomic mean in property declarations?
#property(nonatomic, retain) UITextField *userName;
#property(atomic, retain) UITextField *userName;
#property(retain) UITextField *userName;
What is the operational difference between these three?
The last two are identical; "atomic" is the default behavior (note that it is not actually a keyword; it is specified only by the absence of nonatomic -- atomic was added as a keyword in recent versions of llvm/clang).
Assuming that you are #synthesizing the method implementations, atomic vs. non-atomic changes the generated code. If you are writing your own setter/getters, atomic/nonatomic/retain/assign/copy are merely advisory. (Note: #synthesize is now the default behavior in recent versions of LLVM. There is also no need to declare instance variables; they will be synthesized automatically, too, and will have an _ prepended to their name to prevent accidental direct access).
With "atomic", the synthesized setter/getter will ensure that a whole value is always returned from the getter or set by the setter, regardless of setter activity on any other thread. That is, if thread A is in the middle of the getter while thread B calls the setter, an actual viable value -- an autoreleased object, most likely -- will be returned to the caller in A.
In nonatomic, no such guarantees are made. Thus, nonatomic is considerably faster than "atomic".
What "atomic" does not do is make any guarantees about thread safety. If thread A is calling the getter simultaneously with thread B and C calling the setter with different values, thread A may get any one of the three values returned -- the one prior to any setters being called or either of the values passed into the setters in B and C. Likewise, the object may end up with the value from B or C, no way to tell.
Ensuring data integrity -- one of the primary challenges of multi-threaded programming -- is achieved by other means.
Adding to this:
atomicity of a single property also cannot guarantee thread safety when multiple dependent properties are in play.
Consider:
#property(atomic, copy) NSString *firstName;
#property(atomic, copy) NSString *lastName;
#property(readonly, atomic, copy) NSString *fullName;
In this case, thread A could be renaming the object by calling setFirstName: and then calling setLastName:. In the meantime, thread B may call fullName in between thread A's two calls and will receive the new first name coupled with the old last name.
To address this, you need a transactional model. I.e. some other kind of synchronization and/or exclusion that allows one to exclude access to fullName while the dependent properties are being updated.
This is explained in Apple's documentation, but below are some examples of what is actually happening.
Note that there is no "atomic" keyword, if you do not specify "nonatomic", then the property is atomic, but specifying "atomic" explicitly will result in an error.
If you do not specify "nonatomic", then the property is atomic, but you can still specify "atomic" explicitly in recent versions if you want to.
//#property(nonatomic, retain) UITextField *userName;
//Generates roughly
- (UITextField *) userName {
return userName;
}
- (void) setUserName:(UITextField *)userName_ {
[userName_ retain];
[userName release];
userName = userName_;
}
Now, the atomic variant is a bit more complicated:
//#property(retain) UITextField *userName;
//Generates roughly
- (UITextField *) userName {
UITextField *retval = nil;
#synchronized(self) {
retval = [[userName retain] autorelease];
}
return retval;
}
- (void) setUserName:(UITextField *)userName_ {
#synchronized(self) {
[userName_ retain];
[userName release];
userName = userName_;
}
}
Basically, the atomic version has to take a lock in order to guarantee thread safety, and also is bumping the ref count on the object (and the autorelease count to balance it) so that the object is guaranteed to exist for the caller, otherwise there is a potential race condition if another thread is setting the value, causing the ref count to drop to 0.
There are actually a large number of different variants of how these things work depending on whether the properties are scalar values or objects, and how retain, copy, readonly, nonatomic, etc interact. In general the property synthesizers just know how to do the "right thing" for all combinations.
Atomic
is the default behavior
will ensure the present process is completed by the CPU, before another process accesses the variable
is not fast, as it ensures the process is completed entirely
Non-Atomic
is NOT the default behavior
faster (for synthesized code, that is, for variables created using #property and #synthesize)
not thread-safe
may result in unexpected behavior, when two different process access the same variable at the same time
The best way to understand the difference is using the following example.
Suppose there is an atomic string property called "name", and if you call [self setName:#"A"] from thread A, call [self setName:#"B"] from thread B, and call [self name] from thread C, then all operations on different threads will be performed serially which means if one thread is executing a setter or getter, then other threads will wait.
This makes property "name" read/write safe, but if another thread, D, calls [name release] simultaneously then this operation might produce a crash because there is no setter/getter call involved here. Which means an object is read/write safe (ATOMIC), but not thread-safe as another threads can simultaneously send any type of messages to the object. The developer should ensure thread-safety for such objects.
If the property "name" was nonatomic, then all threads in above example - A,B, C and D will execute simultaneously producing any unpredictable result. In case of atomic, either one of A, B or C will execute first, but D can still execute in parallel.
The syntax and semantics are already well-defined by other excellent answers to this question. Because execution and performance are not detailed well, I will add my answer.
What is the functional difference between these 3?
I'd always considered atomic as a default quite curious. At the abstraction level we work at, using atomic properties for a class as a vehicle to achieve 100% thread-safety is a corner case. For truly correct multithreaded programs, intervention by the programmer is almost certainly a requirement. Meanwhile, performance characteristics and execution have not yet been detailed in depth. Having written some heavily multithreaded programs over the years, I had been declaring my properties as nonatomic the entire time because atomic was not sensible for any purpose. During discussion of the details of atomic and nonatomic properties this question, I did some profiling encountered some curious results.
Execution
Ok. The first thing I would like to clear up is that the locking implementation is implementation-defined and abstracted. Louis uses #synchronized(self) in his example -- I have seen this as a common source of confusion. The implementation does not actually use #synchronized(self); it uses object level spin locks. Louis's illustration is good for a high-level illustration using constructs we are all familiar with, but it's important to know it does not use #synchronized(self).
Another difference is that atomic properties will retain/release cycle your objects within the getter.
Performance
Here's the interesting part: Performance using atomic property accesses in uncontested (e.g. single-threaded) cases can be really very fast in some cases. In less than ideal cases, use of atomic accesses can cost more than 20 times the overhead of nonatomic. While the Contested case using 7 threads was 44 times slower for the three-byte struct (2.2 GHz Core i7 Quad Core, x86_64). The three-byte struct is an example of a very slow property.
Interesting side note: User-defined accessors of the three-byte struct were 52 times faster than the synthesized atomic accessors; or 84% the speed of synthesized nonatomic accessors.
Objects in contested cases can also exceed 50 times.
Due to the number of optimizations and variations in implementations, it's quite difficult to measure real-world impacts in these contexts. You might often hear something like "Trust it, unless you profile and find it is a problem". Due to the abstraction level, it's actually quite difficult to measure actual impact. Gleaning actual costs from profiles can be very time consuming, and due to abstractions, quite inaccurate. As well, ARC vs MRC can make a big difference.
So let's step back, not focussing on the implementation of property accesses, we'll include the usual suspects like objc_msgSend, and examine some real-world high-level results for many calls to a NSString getter in uncontested cases (values in seconds):
MRC | nonatomic | manually implemented getters: 2
MRC | nonatomic | synthesized getter: 7
MRC | atomic | synthesized getter: 47
ARC | nonatomic | synthesized getter: 38 (note: ARC's adding ref count cycling here)
ARC | atomic | synthesized getter: 47
As you have probably guessed, reference count activity/cycling is a significant contributor with atomics and under ARC. You would also see greater differences in contested cases.
Although I pay close attention to performance, I still say Semantics First!. Meanwhile, performance is a low priority for many projects. However, knowing execution details and costs of technologies you use certainly doesn't hurt. You should use the right technology for your needs, purposes, and abilities. Hopefully this will save you a few hours of comparisons, and help you make a better informed decision when designing your programs.
Atomic = thread safety
Non-atomic = No thread safety
Thread safety:
Instance variables are thread-safe if they behave correctly when accessed from multiple threads, regardless of the scheduling or interleaving of the execution of those threads by the runtime environment, and with no additional synchronization or other coordination on the part of the calling code.
In our context:
If a thread changes the value of the instance the changed value is available to all the threads, and only one thread can change the value at a time.
Where to use atomic:
if the instance variable is gonna be accessed in a multithreaded environment.
Implication of atomic:
Not as fast as nonatomic because nonatomic doesn't require any watchdog work on that from runtime .
Where to use nonatomic:
If the instance variable is not gonna be changed by multiple threads you can use it. It improves the performance.
After reading so many articles, Stack Overflow posts and making demo applications to check variable property attributes, I decided to put all the attributes information together:
atomic // Default
nonatomic
strong = retain // Default
weak = unsafe_unretained
retain
assign // Default
unsafe_unretained
copy
readonly
readwrite // Default
In the article Variable property attributes or modifiers in iOS you can find all the above-mentioned attributes, and that will definitely help you.
atomic
atomic means only one thread access the variable (static type).
atomic is thread safe.
But it is slow in performance
atomic is the default behavior
Atomic accessors in a non garbage collected environment (i.e. when using retain/release/autorelease) will use a lock to ensure that another thread doesn't interfere with the correct setting/getting of the value.
It is not actually a keyword.
Example:
#property (retain) NSString *name;
#synthesize name;
nonatomic
nonatomic means multiple thread access the variable (dynamic type).
nonatomic is thread-unsafe.
But it is fast in performance
nonatomic is NOT default behavior. We need to add the nonatomic keyword in the property attribute.
It may result in unexpected behavior, when two different process (threads) access the same variable at the same time.
Example:
#property (nonatomic, retain) NSString *name;
#synthesize name;
I found a pretty well put explanation of atomic and non-atomic properties here. Here's some relevant text from the same:
'atomic' means it cannot be broken down.
In OS/programming terms an atomic function call is one that cannot be interrupted - the entire function must be executed, and not swapped out of the CPU by the OS's usual context switching until it's complete. Just in case you didn't know: since the CPU can only do one thing at a time, the OS rotates access to the CPU to all running processes in little time-slices, to give the illusion of multitasking. The CPU scheduler can (and does) interrupt a process at any point in its execution - even in mid function call. So for actions like updating shared counter variables where two processes could try to update the variable at the same time, they must be executed 'atomically', i.e., each update action has to finish in its entirety before any other process can be swapped onto the CPU.
So I'd be guessing that atomic in this case means the attribute reader methods cannot be interrupted - in effect meaning that the variable(s) being read by the method cannot change their value half way through because some other thread/call/function gets swapped onto the CPU.
Because the atomic variables can not be interrupted, the value contained by them at any point is (thread-lock) guaranteed to be uncorrupted, although, ensuring this thread lock makes access to them slower. non-atomic variables, on the other hand, make no such guarantee but do offer the luxury of quicker access. To sum it up, go with non-atomic when you know your variables won't be accessed by multiple threads simultaneously and speed things up.
Atomic :
Atomic guarantees that access to the property will be performed in an atomic manner. E.g. it always return a fully initialised objects, any get/set of a property on one thread must complete before another can access it.
If you imagine the following function occurring on two threads at once you can see why the results would not be pretty.
-(void) setName:(NSString*)string
{
if (name)
{
[name release];
// what happens if the second thread jumps in now !?
// name may be deleted, but our 'name' variable is still set!
name = nil;
}
...
}
Pros :
Return of fully initialised objects each time makes it best choice in case of multi-threading.
Cons :
Performance hit, makes execution a little slower
Non-Atomic :
Unlike Atomic, it doesn't ensure fully initialised object return each time.
Pros :
Extremely fast execution.
Cons :
Chances of garbage value in case of multi-threading.
Easiest answer first: There's no difference between your second two examples. By default, property accessors are atomic.
Atomic accessors in a non garbage collected environment (i.e. when using retain/release/autorelease) will use a lock to ensure that another thread doesn't interfere with the correct setting/getting of the value.
See the "Performance and Threading" section of Apple's Objective-C 2.0 documentation for some more information and for other considerations when creating multi-threaded apps.
Atomic means only one thread accesses the variable (static type). Atomic is thread-safe, but it is slow.
Nonatomic means multiple threads access the variable (dynamic type). Nonatomic is thread-unsafe, but it is fast.
Atomic is thread safe, it is slow and it well-assures (not guaranteed) that only the locked value is provided no matter how many threads are attempting access over the same zone. When using atomic, a piece of code written inside this function becomes the part of the critical section, to which only one thread can execute at a time.
It only assures the thread safety; it does not guarantee that. What I mean is you hire an expert driver for you car, still it doesn't guarantees car won't meet an accident. However, probability remains the slightest.
Atomic - it can't be broken down, so the result is expected. With nonatomic - when another thread access the memory zone it can modify it, so the result is unexpected.
Code Talk :
Atomic make getter and setter of the property thread safe. for example if u have written :
self.myProperty = value;
is thread safe.
[myArray addObject:#"Abc"]
is NOT thread safe.
atomic (default)
Atomic is the default: if you don’t type anything, your property is
atomic. An atomic property is guaranteed that if you try to read from
it, you will get back a valid value. It does not make any guarantees
about what that value might be, but you will get back good data, not
just junk memory. What this allows you to do is if you have multiple
threads or multiple processes pointing at a single variable, one
thread can read and another thread can write. If they hit at the same
time, the reader thread is guaranteed to get one of the two values:
either before the change or after the change. What atomic does not
give you is any sort of guarantee about which of those values you
might get. Atomic is really commonly confused with being thread-safe,
and that is not correct. You need to guarantee your thread safety
other ways. However, atomic will guarantee that if you try to read,
you get back some kind of value.
nonatomic
On the flip side, non-atomic, as you can probably guess, just means,
“don’t do that atomic stuff.” What you lose is that guarantee that you
always get back something. If you try to read in the middle of a
write, you could get back garbage data. But, on the other hand, you go
a little bit faster. Because atomic properties have to do some magic
to guarantee that you will get back a value, they are a bit slower. If
it is a property that you are accessing a lot, you may want to drop
down to nonatomic to make sure that you are not incurring that speed
penalty.
See more here: https://realm.io/news/tmi-objective-c-property-attributes/
There is no such keyword "atomic"
#property(atomic, retain) UITextField *userName;
We can use the above like
#property(retain) UITextField *userName;
See Stack Overflow question I am getting issues if I use #property(atomic,retain)NSString *myString.
The default is atomic, this means it does cost you performance whenever you use the property, but it is thread safe. What Objective-C does, is set a lock, so only the actual thread may access the variable, as long as the setter/getter is executed.
Example with MRC of a property with an ivar _internal:
[_internal lock]; //lock
id result = [[value retain] autorelease];
[_internal unlock];
return result;
So these last two are the same:
#property(atomic, retain) UITextField *userName;
#property(retain) UITextField *userName; // defaults to atomic
On the other hand does nonatomic add nothing to your code. So it is only thread safe if you code security mechanism yourself.
#property(nonatomic, retain) UITextField *userName;
The keywords doesn't have to be written as first property attribute at all.
Don't forget, this doesn't mean that the property as a whole is thread-safe. Only the method call of the setter/getter is. But if you use a setter and after that a getter at the same time with 2 different threads, it could be broken too!
-Atomic means only one thread access the variable(static type).
-Atomic is thread safe.
-but it is slow in performance
How to declare:
As atomic is default so,
#property (retain) NSString *name;
AND in implementation file
self.name = #"sourov";
Suppose a task related to three properties are
#property (retain) NSString *name;
#property (retain) NSString *A;
#property (retain) NSString *B;
self.name = #"sourov";
All properties work parallelly (like asynchronously).
If you call "name" from thread A,
And
At the same time if you call
[self setName:#"Datta"]
from thread B,
Now If *name property is nonatomic then
It will return value "Datta" for A
It will return value "Datta" for B
Thats why non atomic is called thread unsafe But but it is fast in performance because of parallel execution
Now If *name property is atomic
It will ensure value "Sourov" for A
Then It will return value "Datta" for B
That's why atomic is called thread Safe and
That's why it is called read-write safe
Such situation operation will perform serially.
And Slow in performance
- Nonatomic means multiple thread access the variable(dynamic type).
- Nonatomic is thread unsafe.
- but it is fast in performance
-Nonatomic is NOT default behavior, we need to add nonatomic keyword in property attribute.
For In Swift
Confirming that Swift properties are nonatomic in the ObjC sense. One reason is so you think about whether per-property atomicity is sufficient for your needs.
Reference: https://forums.developer.apple.com/thread/25642
Fro more info please visit the website
http://rdcworld-iphone.blogspot.in/2012/12/variable-property-attributes-or.html
If you are using your property in multi-threaded code then you would be able to see the difference between nonatomic and atomic attributes. Nonatomic is faster than atomic and atomic is thread-safe, not nonatomic.
Vijayendra Tripathi has already given an example for a multi-threaded environment.
Before you begin: You must know that every object in memory needs to be deallocated from memory for a new writer to happen. You can't just simply write on top of something as you do on paper. You must first erase (dealloc) it and then you can write onto it. If at the moment that the erase is done (or half done) and nothing has yet been wrote (or half wrote) and you try to read it could be very problematic! Atomic and nonatomic help you treat this problem in different ways.
First read this question and then read Bbum's answer. In addition, then read my summary.
atomic will ALWAYS guarantee
If two different people want to read and write at the same time, your paper won't just burn! --> Your application will never crash, even in a race condition.
If one person is trying to write and has only written 4 of the 8 letters to write, then no can read in the middle, the reading can only be done when all 8 letters is written --> No read(get) will happen on 'a thread that is still writing', i.e. if there are 8 bytes to bytes to be written, and only 4 bytes are written——up to that moment, you are not allowed to read from it. But since I said it won't crash then it would read from the value of an autoreleased object.
If before writing you have erased that which was previously written on paper and then someone wants to read you can still read. How? You will be reading from something similar to Mac OS Trash bin ( as Trash bin is not still 100% erased...it's in a limbo) ---> If ThreadA is to read while ThreadB has already deallocated to write, you would get a value from either the final fully written value by ThreadB or get something from autorelease pool.
Retain counts are the way in which memory is managed in Objective-C.
When you create an object, it has a retain count of 1. When you send
an object a retain message, its retain count is incremented by 1. When
you send an object a release message, its retain count is decremented
by 1. When you send an object an autorelease message, its retain count
is decremented by 1 at some stage in the future. If an objectʼs retain
count is reduced to 0, it is deallocated.
Atomic doesn't guarantee thread safety, though it's useful for achieving thread safety. Thread Safety is relative to how you write your code/ which thread queue you are reading/writing from. It only guarantees non-crashable multithreading.
What?! Are multithreading and thread safety different?
Yes. Multithreading means: multiple threads can read a shared piece of data at the same time and we will not crash, yet it doesn't guarantee that you aren't reading from a non-autoreleased value. With thread safety, it's guaranteed that what you read is not auto-released.
The reason that we don't make everything atomic by default is, that there is a performance cost and for most things don't really need thread safety. A few parts of our code need it and for those few parts, we need to write our code in a thread-safe way using locks, mutex or synchronization.
nonatomic
Since there is no such thing like Mac OS Trash Bin, then nobody cares whether or not you always get a value (<-- This could potentially lead to a crash), nor anybody cares if someone tries to read halfway through your writing (although halfway writing in memory is very different from halfway writing on paper, on memory it could give you a crazy stupid value from before, while on paper you only see half of what's been written) --> Doesn't guarantee to not crash, because it doesn't use autorelease mechanism.
Doesn't guarantee full written values to be read!
Is faster than atomic
Overall they are different in 2 aspects:
Crashing or not because of having or not having an autorelease pool.
Allowing to be read right in the middle of a 'not yet finished write or empty value' or not allowing and only allowing to read when the value is fully written.
Atomicity
atomic (default)
Atomic is the default: if you don’t type anything, your property is
atomic. An atomic property is guaranteed that if you try to read from
it, you will get back a valid value. It does not make any guarantees
about what that value might be, but you will get back good data, not
just junk memory. What this allows you to do is if you have multiple
threads or multiple processes pointing at a single variable, one
thread can read and another thread can write. If they hit at the same
time, the reader thread is guaranteed to get one of the two values:
either before the change or after the change. What atomic does not
give you is any sort of guarantee about which of those values you
might get. Atomic is really commonly confused with being thread-safe,
and that is not correct. You need to guarantee your thread safety
other ways. However, atomic will guarantee that if you try to read,
you get back some kind of value.
nonatomic
On the flip side, non-atomic, as you can probably guess, just means,
“don’t do that atomic stuff.” What you lose is that guarantee that you
always get back something. If you try to read in the middle of a
write, you could get back garbage data. But, on the other hand, you go
a little bit faster. Because atomic properties have to do some magic
to guarantee that you will get back a value, they are a bit slower. If
it is a property that you are accessing a lot, you may want to drop
down to nonatomic to make sure that you are not incurring that speed
penalty. Access
courtesy https://academy.realm.io/posts/tmi-objective-c-property-attributes/
Atomicity property attributes (atomic and nonatomic) are not reflected in the corresponding Swift property declaration, but the atomicity guarantees of the Objective-C implementation still hold when the imported property is accessed from Swift.
So — if you define an atomic property in Objective-C it will remain atomic when used by Swift.
courtesy
https://medium.com/#YogevSitton/atomic-vs-non-atomic-properties-crash-course-d11c23f4366c
The atomic property ensures to retain a fully initialised value irrespective of how many threads are doing getter & setter on it.
The nonatomic property specifies that synthesized accessors simply set or return a value directly, with no guarantees about what happens if that same value is accessed simultaneously from different threads.
Atomic means only one thread can access the variable at a time (static type). Atomic is thread-safe, but it is slow.
Nonatomic means multiple threads can access the variable at same time (dynamic type). Nonatomic is thread-unsafe, but it is fast.
The truth is that they use spin lock to implement atomic property. The code as below:
static inline void reallySetProperty(id self, SEL _cmd, id newValue,
ptrdiff_t offset, bool atomic, bool copy, bool mutableCopy)
{
id oldValue;
id *slot = (id*) ((char*)self + offset);
if (copy) {
newValue = [newValue copyWithZone:NULL];
} else if (mutableCopy) {
newValue = [newValue mutableCopyWithZone:NULL];
} else {
if (*slot == newValue) return;
newValue = objc_retain(newValue);
}
if (!atomic) {
oldValue = *slot;
*slot = newValue;
} else {
spin_lock_t *slotlock = &PropertyLocks[GOODHASH(slot)];
_spin_lock(slotlock);
oldValue = *slot;
*slot = newValue;
_spin_unlock(slotlock);
}
objc_release(oldValue);
}
In a single line:
Atomic is thread safe. Nonatomic is thread-unsafe.
If you are using atomic, it means the thread will be safe and read-only. If you are using nonatomic, it means the multiple threads access the variable and is thread unsafe, but it is executed fast, done a read and write operations; this is a dynamic type.
Atomic: Ensure thread-safety by locking the thread using NSLOCK.
Non atomic: Doesn't ensure thread-safety as there is no thread-locking mechanism.
To simplify the entire confusion, let us understand mutex lock.
Mutex lock, as per the name, locks the mutability of the object. So if the object is accessed by a class, no other class can access the same object.
In iOS, #sychronise also provides the mutex lock .Now it serves in FIFO mode and ensures the flow is not affected by two classes sharing the same instance. However, if the task is on main thread, avoid accessing object using atomic properties as it may hold your UI and degrade the performance.
Atomic properties :- When a variable assigned with atomic property that means it has only one thread access and it will be thread safe and will be slow in performance perspective, will have default behaviour.
Non Atomic Properties :- When a variable assigned with nonatomic property that means it has multi thread access and it will not be thread safe and will be fast in performance perspective, will have default behaviour and when two different threads want to access variable at same time it will give unexpected results.

Resources