IOS Team Programming Standards

IOS Team Programming Standards

[[201429]]

Preface

Demand is temporary, only change is eternal. Program for change, not for demand.

Don't pursue too much skills and reduce the readability of the program.

Clean code leaves no room for bugs to hide. Write code that is obviously bug-free, not code without obvious bugs.

Solve the current problem first, and then consider future expansion issues.

1. Naming conventions

1. Unified requirements

The meaning should be clear, and its function should be understood without comments. If this is not possible, add comments, use full names instead of abbreviations.

2. Class Name

CamelCase: The first letter of each word is capitalized

==Example:== MFHomePageViewController

3. Private variables

  • Private variables are declared in the .m file
  • Start with _, the first letter of the first word is lowercase, and the first letters of the following words are all uppercase.

==Example:== NSString *_somePrivateVariable

4. Property variables

  • CamelCase: The first word starts with a lowercase letter, and the first letter of the following words is all capitalized.
  • It is recommended that the attribute keywords be arranged in the order of atomicity, read/write, and memory management.
  • Block and NSString attributes should use the copy keyword
  • The synthesize keyword is not allowed

==Example:==

  1. typedef void (^ErrorCodeBlock) (id errorCode,NSString *message);
  2.  
  3. @property (nonatomic, readwrite, strong) UIView *headerView; //Comments
  4.  
  5. @property (nonatomic, readwrite, copy) ErrorCodeBlock errorBlock; //Copy the block to the heap
  6.  
  7. @property (nonatomic, readwrite, copy) NSString *userName;

5. Macro and constant naming

  • For macro-defined constants

#define preprocessor defined constants are all uppercase, with words separated by _

If a macro definition contains expressions or variables, the expressions or variables must be enclosed in parentheses.

  • For type constants

For constants that are limited to a certain compilation unit (implementation file), they start with the character k, such as kAnimationDuration, and need to be modified with static const.

For constants defined in the class header file, which are visible externally, they start with the class name of the class in which the constant is defined. For example, EOCViewClassAnimationDuration follows Apple's style, with an extern declaration in the header file and its value defined in the implementation file.

==Example:==

  1. //Macro defined constants
  2.  
  3. #define ANIMATION_DURATION 0.3
  4.  
  5. #define MY_MIN(A, B) ((A)>(B)?(B):(A))
  6.  
  7.   
  8.  
  9. //Local type constants
  10.  
  11. static const NSTimeInterval kAnimationDuration = 0.3;
  12.  
  13.   
  14.  
  15. //Externally visible type constants
  16.  
  17. //EOCViewClass.h
  18.  
  19. extern const NSTimeInterval EOCViewClassAnimationDuration;
  20.  
  21. extern NSString *const EOCViewClassStringConstant; //string type
  22.  
  23.   
  24.  
  25. //EOCViewClass.m
  26.  
  27. const NSTimeInterval EOCViewClassAnimationDuration = 0.3;
  28.  
  29. NSString *const EOCViewClassStringConstant = @ "EOCStringConstant" ;

6. Enum

  • The naming convention of Enum type is consistent with that of class.
  • The name of the enumeration content in Enum must start with the name of the Enum type.
  • NS_ENUM defines general enumeration, NS_OPTIONS defines displacement enumeration

==Example:==

  1. typedef NS_ENUM(NSInteger, UIViewAnimationTransition) {
  2.  
  3. UIViewAnimationTransitionNone,
  4.  
  5. UIViewAnimationTransitionFlipFromLeft,
  6.  
  7. UIViewAnimationTransitionFlipFromRight,
  8.  
  9. UIViewAnimationTransitionCurlUp,
  10.  
  11. UIViewAnimationTransitionCurlDown,
  12.  
  13. };
  14.  
  15.   
  16.  
  17. typedef NS_OPTIONS(NSUInteger, UIControlState) {
  18.  
  19. UIControlStateNormal = 0,
  20.  
  21. UIControlStateHighlighted = 1

7. Delegate

  • Use delegate as suffix, such as
  • Use optional to modify methods that may not be implemented, and use required to modify methods that must be implemented
  • When your delegate has too many methods, you can split the data part and other logic parts, and use dataSource as the suffix for the data part.
  • Use did and will to notify the delegate of changes that have occurred or are about to occur.
  • An instance of the class must be one of the parameters of the callback method
  • The callback method has only the class's own parameters, and the method name must be consistent with the actual meaning
  • If there are more than two parameters in the callback method, it starts with the class name to indicate which class the method belongs to.

==Example:==

  1. @protocolUITableViewDataSource    
  2.  
  3. @required   
  4.  
  5. //The callback method has more than two parameters
  6.  
  7. - (NSInteger)tableView:(UITableView *)tableView numberOfRowsInSection:(NSInteger) section ;   
  8.  
  9. @optional
  10.   
  11.  
  12. //The callback method only has the class itself as a parameter
  13.  
  14. - (NSInteger)numberOfSectionsInTableView:(UITableView *)tableView; // Default   is 1 if not implemented
  15.  
  16.  
  17. @protocol UITableViewDelegate    
  18.  
  19. @optional
  20.   
  21.  
  22. //Use `did` and `will` to notify `Delegate`
  23.  
  24. - (nullable NSIndexPath *)tableView:(UITableView *)tableView willSelectRowAtIndexPath:(NSIndexPath *)indexPath;
  25.  
  26. - (void)tableView:(UITableView *)tableView didSelectRowAtIndexPath:(NSIndexPath *)indexPath;

8. Methods

  • Method names are named in lower camel case
  • Do not use new as the prefix for method names.
  • Do not use and to connect attribute parameters. If the method describes two independent behaviors, use and to concatenate them.
  • When implementing a method, if the parameters are too long, make each parameter occupy one line and align them with colons.
  • General methods do not use prefixes for naming, private methods can use a unified prefix to group and identify
  • The method name should be highly consistent with the corresponding parameter name
  • Methods that express object behavior and executable methods should begin with a verb
  • Returning methods should start with the return value, but do not add get before it unless they are indirectly returning one or more values.
  • You can use modal verbs (can, should, will, etc.) to further explain the meaning of the attribute, but do not use do or does, because these auxiliary verbs have no practical meaning. Also, do not use adverbs or adjectives before the verb to modify the attribute.

==Example:==

  1. //Do not use and to connect attribute parameters
  2.  
  3. - ( int )runModalForDirectory:(NSString *)path file:(NSString *) name types:(NSArray *)fileTypes; //Recommended
  4.  
  5. - ( int )runModalForDirectory:(NSString *)path andFile:(NSString *) name andTypes:(NSArray *)fileTypes; //Objection  
  6.   
  7.  
  8. //Methods that represent object behavior and execution methods
  9.  
  10. - (void)insertModel:(id)model atIndex:(NSUInteger)atIndex;
  11.  
  12. - (void)selectTabViewItem:(NSTableViewItem *)tableViewItem  
  13.   
  14.  
  15. //Returning method
  16.  
  17. - (instancetype)arrayWithArray:(NSArray *)array;  
  18.   
  19.  
  20. // Parameters are too long
  21.  
  22. - (void)longMethodWith:(NSString *)theFoo  
  23. rect:(CGRect)theRect  
  24. interval:(CGFloat)theInterval  
  25. {  
  26. //Implementation  
  27. }    
  28.  
  29. //Don't add get  
  30. - (NSSize) cellSize; //Recommended  
  31. - (NSSize) getCellSize; //Oppose   
  32.  
  33. //Use modal verbs, don't use do or does  
  34. - (BOOL)canHide; //Recommend  
  35. - (BOOL)shouldCloseDocument; //Recommended  
  36. - (BOOL)doesAcceptGlyphInfo; //Oppose

2. Code Comment Standards

Most excellent code is self-describing. We can use the code itself to express what it is doing without the help of comments.

But it does not mean that you must not write comments. There are three situations where comments are more suitable:

  • Public interface (comments should tell people who read the code what functions the current class can achieve).
  • Code involving relatively deep professional knowledge (comments should reflect the implementation principles and ideas).
  • Code that is prone to ambiguity (but strictly speaking, code that is prone to ambiguity is not allowed to exist).

In addition to the above three situations, if others can only understand your code through comments, you should reflect on what problems the code has.

***, for the content of the comment, it is more important to explain "why it is done" rather than "what is done".

1. Import comments

If there is more than one import statement, the statements are grouped together, with an optional comment for each group.

  1. // Frameworks  
  2. #import ;  
  3. // Models  
  4. #import "NYTUser.h"    
  5. // Views  
  6. #import "NYTButton.h"    
  7. #import "NYTUserView.h"  

2. Attribute Annotation

Write after the attribute, separated by two spaces

==Example:==

  1. @property (nonatomic, readwrite, strong) UIView *headerView; //Comments

3. Method declaration comments:

A function (method) must have a documentation string explaining its use, unless it:

  • Non-public, private functions.
  • Very short.
  • It's obvious.

The rest, including public interfaces, important methods, classes, and protocols, should be accompanied by documentation (comments):

  • Starts with /
  • The second line is a summary statement
  • The third line is always blank.
  • Write the rest of the comment aligned with the beginning of the second line.

It is recommended to write:

  1. /This comment serves to demonstrate the format of a doc string.
  2.  
  3.   
  4.  
  5. Note that the summary line is always at most one line long, and   after the opening block comment,
  6.  
  7. and each line of text is preceded by a single space .
  8.  
  9. */

Method comments use Xcode's built-in comment shortcut: Commond+option+/

==Example:==

  1. /**
  2.  
  3.   
  4.  
  5. @param tableView
  6.  
  7. @param section  
  8.  
  9. <a href= 'http://www.jobbole.com/members/wx1409399284' > @ return </a>
  10.  
  11. */
  12.  
  13. - (CGFloat)tableView:(UITableView *)tableView heightForHeaderInSection:(NSInteger) section  
  14.  
  15. {
  16.  
  17. //...
  18.  
  19. }

4. Code block comments

Single-line comments start with //+space, multi-line comments start with /* */

5. TODO

Use //TODO: to mark unfinished or unsatisfactory areas.

==Example:==

  1. - (BOOL)application:(UIApplication *)application didFinishLaunchingWithOptions:(NSDictionary *)launchOptions
  2.  
  3. {
  4.  
  5. //TODO: Add initialization
  6.  
  7. return YES;
  8.  
  9. }

3. Code formatting specifications

1. Pointer* position

When defining an object, the pointer* is placed next to the variable

==Example:== NSString *userName;

2. Method declaration and definition

Leave a space between -, + and the return value, and no space between the method name and the first parameter.

==Example:==

  1. - (void)insertSubview:(UIView *) view atIndex:(NSInteger) index ;

3. Code indentation

  • Do not use the Tab key in your project, use spaces for indentation. Set both Tab and Auto-indent to 4 spaces in Xcode > Preferences > Text Editing
  • There is a blank line between Method and Method.
  • There is no space between unary operators and variables, and there must be a space between binary operators and variables.

==Example:==

  1. !bValue
  2.  
  3. fLength = fWidth * 2;   
  4.  
  5. - (void)sampleMethod1;   
  6.  
  7. - (void)sampleMethod2;

4. Group methods

Use #pragma mark - to group methods

  1. #pragma mark - Life Cycle Methods
  2.  
  3. - (instancetype)init
  4.  
  5. - (void)dealloc   
  6.  
  7. - (void)viewWillAppear:(BOOL)animated
  8.  
  9. - (void)viewDidAppear:(BOOL)animated
  10.  
  11. - (void)viewWillDisappear:(BOOL)animated
  12.  
  13. - (void)viewDidDisappear:(BOOL)animated   
  14.  
  15. #pragma mark - Override Methods
  16.  
  17. #pragma mark - Initial Methods   
  18.  
  19. #pragma mark - Network Methods   
  20.  
  21. #pragma mark - Target Methods  
  22.  
  23. #pragma mark - Public Methods   
  24.  
  25. #pragma mark - Private Methods   
  26.  
  27. #pragma mark - UITableViewDataSource
  28.  
  29. #pragma mark-UITableViewDelegate   
  30.  
  31. #pragma mark - Lazy Loads  
  32.  
  33. #pragma mark - NSCopying  
  34.  
  35. #pragma mark - NSObject Methods

5. Braces writing

For class methods: write the left bracket on a separate line (follow Apple's official documentation)

For other usage scenarios (if, for, while, switch, etc.): The left bracket follows the first line

==Example:==

  1. - (void)sampleMethod
  2.  
  3. {
  4.  
  5. BOOL someCondition = YES;
  6.  
  7. if(someCondition) {
  8.  
  9. // do something here
  10.  
  11. }
  12.  
  13. }

6. Property variables

==Example:==

  1. @property (nonatomic, readwrite, strong) UIView *headerView; //Comments

4. Coding Standards

1. If statement

① All branches must be listed (exhaustively enumerate all situations), and each branch must give a clear result.

==It is recommended to write like this:==

  1. var hintStr;
  2.  
  3. if ( count < 3) {
  4.  
  5. hintStr = "Good" ;
  6.  
  7. } else {
  8.  
  9. hintStr = "" ;
  10.  
  11. }

==It is not recommended to write like this:==

  1. var hintStr;
  2.  
  3. if ( count < 3) {
  4.  
  5. hintStr = "Good" ;
  6.  
  7. }

②. Do not use too many branches. Be good at using return to return to the error situation in advance and put the most correct situation at the last return.

==It is recommended to write like this:==

  1. if (! user .UserName) return   NO ;
  2.  
  3. if (! user . Password ) return   NO ;
  4.  
  5. if (! user.Email ) return   NO ;   
  6.  
  7. return YES;

==It is not recommended to write like this:==

  1. BOOL isValid = NO ;
  2.  
  3. if ( user .UserName)
  4.  
  5. {
  6. if ( user . Password )
  7. {
  8. if ( user .Email) isValid = YES;
  9. }
  10. }
  11. return isValid;

③. If there are too many conditions, they should be wrapped if they are too long. If the conditional expression is very long, you need to extract them and assign them to a BOOL value, or extract a method

==It is recommended to write like this:==

  1. if (condition1 &&
  2.  
  3. condition2 &&
  4.  
  5. condition3 &&
  6.  
  7. condition4) {
  8.  
  9. // Do something
  10.  
  11. }
  1. BOOL finalCondition = condition1 && condition2 && condition3 && condition4
  2.  
  3. if (finalCondition) {
  4.  
  5. // Do something
  6.  
  7. }
  8.  
  9.  
  10. if ([self canDelete]){
  11.  
  12. // Do something
  13.  
  14. }
  15.  
  16.   
  17.  
  18. - (BOOL)canDelete
  19.  
  20. {
  21.  
  22. BOOL finalCondition1 = condition1 && condition2
  23.  
  24. BOOL finalCondition2 = condition3 && condition4
  25.  
  26.   
  27.  
  28. return condition1 && condition2;
  29.  
  30. }

==It is not recommended to write like this:==

  1. if (condition1 && condition2 && condition3 && condition4) {
  2.  
  3. // Do something
  4.  
  5. }

④. The judgment of the conditional statement should be that the variable is on the right and the constant is on the left.

==Recommendation:==

  1. if (6 == count ) {
  2.  
  3. }   
  4.  
  5. if (nil == object) {
  6.  
  7. }   
  8.  
  9. if (!object) {
  10.  
  11. }

==Not recommended:==

  1. if ( count == 6) {
  2.  
  3. }
  4.  
  5. if (object == nil) {
  6.  
  7. }

if (object == nil) is easily mistaken for an assignment statement, while if (!object) is much simpler.

⑤. The implementation code of each branch must be surrounded by curly braces

==Recommendation:==

  1. if (!error) {
  2.  
  3. return success;
  4.  
  5. }

==Not recommended:==

  1. if (!error)
  2. return success;

This can be written as follows:

  1. if (!error) return success;

2. for statement

①. Do not modify the loop variable in the for loop to prevent the for loop from getting out of control.

  1. for ( int   index = 0; index < 10; index ++){
  2. ...
  3. logicToChange( index )
  4. }

②. Avoid using continue and break.

Continue and break describe "when not to do something", so in order to understand the code where they are located, we need to reverse them in our minds.

In fact, it is best not to let these two things appear, because our code only needs to reflect "what to do when", and these two things can be eliminated through appropriate methods:

  • If continue occurs, just negate the continue condition.
  1. var filteredProducts = Array()
  2. for   level   in products {
  3. if level .hasPrefix( "bad" ) {
  4. continue  
  5. }
  6. filteredProducts.append( level )
  7. }

We can see that some values ​​are filtered out by judging whether the string contains the prefix "bad". In fact, we can avoid using continue by negating it:

  1. for   level   in products {  
  2. if ! level .hasPrefix( "bad" ) {  
  3. filteredProducts.append( level )  
  4. }  
  5. }
  • Eliminate the break in while: negate the break condition and merge it into the main loop

The break in while is actually equivalent to "does not exist". Since it is something that does not exist, it can be completely excluded in the initial conditional statement.

break in while:

  1. while (condition1) {
  2. ...
  3. if (condition2) {
  4. break;
  5. }
  6. }

Negate and merge into the main condition:

  1. while (condition1 && !condition2) {
  2. ...
  3. }
  • Eliminate break in methods with return values: convert break to return immediately

Some people like to do this: return a value after breaking in a method that returns a value. In fact, you can return directly on the line where you break.

  1. func hasBadProductIn(products: Array) -> Bool {
  2. var result = false      
  3. for   level   in products {
  4. if level .hasPrefix( "bad" ) {
  5. result = true  
  6. break
  7. }
  8. }
  9. return result
  10. }

Return directly if an error condition is encountered:

  1. func hasBadProductIn(products: Array) -> Bool {
  2.  
  3. for   level   in products {
  4.  
  5. if level .hasPrefix( "bad" ) {
  6.  
  7. return   true  
  8.  
  9. }
  10.  
  11. }
  12.  
  13. return   false  
  14.  
  15. }

Written in this way, there is no need to declare a variable specifically to save the value to be returned. It looks very concise and highly readable.

3. Switch Statement

① Each branch must be enclosed in curly braces

It is recommended to write:

  1. switch ( integer ) {  
  2. case 1: {  
  3. // ...  
  4. }  
  5. break;  
  6. case 2: {  
  7. // ...  
  8. break;  
  9. }  
  10. default :{  
  11. // ...  
  12. break;  
  13. }  
  14. }

② When using enumeration types, there cannot be a default branch. Except for using enumeration types, there must be a default branch.

  1. RWTLeftMenuTopItemType menuType = RWTLeftMenuTopItemMain;  
  2. switch (menuType) {  
  3. case RWTLeftMenuTopItemMain: {  
  4. // ...  
  5. break;  
  6. }  
  7. case RWTLeftMenuTopItemShows: {  
  8. // ...  
  9. break;  
  10. }  
  11. case RWTLeftMenuTopItemSchedule: {  
  12. // ...  
  13. break;  
  14. }  
  15. }

When using an enumeration type in a Switch statement, if the default branch is used, the compiler will not be able to check new enumeration types in the future.

4. Functions

①. A function only does one thing (single principle)

The responsibilities of each function should be clearly defined (just like a class).

==Recommendation:==

  1. dataConfiguration()  
  2. viewConfiguration()

==Not recommended:==

  1. void dataConfiguration()
  2. {
  3. ...
  4. viewConfiguration()
  5. }

② For functions (methods) with return values, each branch must have a return value

==Recommendation:==

  1. int   function ()
  2. {
  3. if(condition1){
  4. return count1
  5. } else if(condition2){
  6. return count2
  7. } else {
  8. return defaultCount
  9. }
  10. }

==Not recommended:==

  1. int   function ()
  2. {
  3. if(condition1){
  4. return count1
  5. } else if(condition2){
  6. return count2
  7. }
  8. }

③. Check the correctness and validity of input parameters, and return immediately if the parameters are wrong

==Recommendation:==

  1. void function(param1,param2)
  2. {
  3. if(param1 is unavailable){
  4. return;
  5. }
  6.  
  7. if(param2 is unavailable){
  8. return;
  9. }
  10. //Do some right thing
  11. }

④. If there are the same functions in different functions, the same functions should be extracted and separated into another function

The original call:

  1. void logic() {  
  2. a();  
  3. b();  
  4. if (logic1 condition) {  
  5. c();  
  6. } else {  
  7. d();  
  8. }  
  9. }

Extract functions a and b as separate functions

  1. void basicConfig() {
  2. a();
  3. b();
  4. }
  5. void logic1() {
  6. basicConfig();
  7. c();
  8. }
  9. void logic2() {
  10. basicConfig();
  11. d();
  12. }

⑤. Extract the more complex logic inside the function as a separate function

The unclear code in a function (more logical judgments and more lines) can often be extracted to form a new function, and then called from the original place. In this way, you can use meaningful function names instead of comments to increase the readability of the program.

Here is an example of sending an email:

  1. openEmailSite();
  2. login();
  3. writeTitle(title);
  4. writeContent(content);
  5. writeReceiver(receiver);
  6. addAttachment(attachment);
  7. send();

The middle parts are a bit longer, so we can extract them:

  1. void writeEmail(title, content,receiver,attachment)
  2. {
  3. writeTitle(title);
  4. writeContent(content);
  5. writeReceiver(receiver);
  6. addAttachment(attachment);
  7. }

Then look at the original code again:

  1. openEmailSite();
  2. login();
  3. writeEmail(title, content,receiver,attachment)
  4. send();

<<:  Decoding AIOps: A review of Tech Neo’s 14th Technology Salon

>>:  Developers share: 20 tips and tricks for using Unity

Recommend

Lei Zi Doudian no source 3.0 upgrade practical gameplay

Douyin course catalog: Lesson 1: Ideas and core es...

How to name a brand? There are several common methods

The name should tell potential customers what the...

Working on big data every day, where do you spend your time?

After working in big data for so many years, have...

How to write a persuasive campaign proposal?

Every activity is a marketing event. A successful...

Review: How did the tool-type mini program grow 1.03 million users in 10 days?

Contents of this article: What does 1 million min...

Apple releases iOS/iPadOS 14.7.1: fixes Touch ID unlocking issue

iOS14.7 and iPadOS14.7 were originally planned to...

Is it true that Pinduoduo video can withdraw money? How to play?

Now many e-commerce platforms, including short vi...

23 common senses you must know when operating a public account!

1) About choosing a subscription account or a ser...

A review of the "fights" in 2015: The right way to fight on the Internet

[[160733]] As the saying goes, "There are no...

How to write the copy for the 404 page? Teach you 4 little tips!

404 pages are a real bummer. Imagine that you are...