As far as posting the int goes, ilya n.'s answer should work.
Here is how you would work with the data you get back:
Here's NSJSONSerialization documentation for reference: NSJSONSerialization Class Documentation.
Basically, the only two types of Obj-C objects that can be serialized an NSDictionary and NSArray. If you are needing to SEND JSON data, what you will probably want to do is something like this:
NSNumber* loginId = @1234;
NSDictionary* dict = @{@"Login" : loginId};
NSError* err = nil;
NSData* jsonData = [NSJSONSerialization dataWithJSONObject:dict options:0 error:&err];
NSString* jsonString = [[NSString alloc] initWithData:jsonData encoding:NSUTF8StringEncoding];
This will give you a JSON-formatted NSString that you can pass off to something expecting something serialized using JSON:
jsonString == @{@"Login":"1234"}
If you are RECEIVING a JSON string from your webservice that you need to do something with in Obj-C, you can do the following:
NSString* jsonString = theJSONstringYouWereSentFromWherever;
NSError* err = nil;
NSData* jsonData = [jsonString dataUsingEncoding:NSUTF8StringEncoding];
id data = [NSJSONSerialization JSONObjectWithData:jsonData options:0 error:&err];
At this point, data with either be an NSArray or an NSDictionary. You will need to check it figure out what it is and what you need to do with it. Keep in mind that you could have a dictionary containing more dictionaries and/or arrays, or and array containing more arrays and/or dictionaries. JSONObjectWithData will turn whatever you got into some matching Objecive-C data structure.
For your example, you would get the string @"[{"Player_ID":"2","Login":"Test123","Passwort":"*****"}]"
Deserializing, you would wind up with the following NSDictionary:
@{"Player_ID":"2","Login":"Test123","Passwort":"***********"}
You would then be able to do:
label01.text = [dict objectForKey:@"Login"];
Hope that's what you were looking for.