寫一個iOS復雜表單的正確姿勢

前言

這幾天項目的新需求中有個復雜的表單界面,在做的過程中發現要比想象中復雜很多,有好多問題需要處理。有很多東西值得寫下來好好梳理下。


需求分析:

6創建網店1.png

上圖便是UI根據需求給的高保真, 我們先根據這張圖片來描述一下具體需求,明確一下我們都需要干些什么。

創建網店這個界面是一個復雜的表單,有“網店名稱”、“網店主標簽”、“網店簡介”、“網店地址”、“網店座機”、“email”、“網店LOGO”、“網店封面圖”這些項。大部分都是輸入框,但也有幾項有所不同。“網店地址”項,當被點擊后會彈出一個pickView來選擇“市&區”;“網店LOGO”和“網店封面圖”是一樣的,是選取圖片的控件,要求既可以通過相冊選取圖片,也可以現場拍照選擇。當被點擊后,彈出一個ActionSheet來是以“拍照”或以“相冊”來選取圖片。當選取成功后拍照的背景圖片變為被選取的圖片,并在右上角出現一個刪除按鈕,可以刪除還原再次選取。

表單中除了“email”外所有的項目都是必填的,且“網店名稱”、“網店主標簽”、“網店簡介”和“網店座機”分別有30、20、500、15字的長度限制。“email”雖然為選填,但若填寫了則會進行郵箱格式校驗。對字數長度的限制要在輸入過程中進行監聽,若輸入時超過限制,則輸入框出現紅色邊框并出現提示文字。等最后點擊了“提交”按鈕后要進行數據校驗,所有該填但未填,所有格式不正確的項都會出現紅框和提示文字,當所有數據都合法后才可以提交給服務器。

需求大體就是如此。

這個界面我們還是以tableView來實現,由cell視圖來表示圖中所需填寫的項目。那我們得先分析下這個界面需要寫哪幾種樣式的cell

該界面總共有4種樣式的cell。4種樣式的cell樣式也有共同點,每個cell左邊部分均為表示該行所要填寫的項目名稱,右邊部分則為填寫或者選取的內容值,這些值的顯示形式有所不同。 CreateShopTFCellCreateShopTVCell其實非常類似,右邊首先是一個灰色的背景視圖,只不過在灰色背景之上的前者是textField,而后者是textViewCreateShopPickCell右邊則是兩個灰色背景視圖,點擊之后便彈出一個pickView供你選取“市&區”;CreateShopUploadPicCell右邊則是一個UIImageView,無圖片被選取時默認是一個相機的圖片,當被點擊后彈出ActionSheet供你選擇拍照還是從相冊選取照片,選好照片后UIImageView的圖片被替換,并在右上角出現紅色的刪除按鈕。

如下圖所示:

6創建網店.png

正確地將視圖和數據綁定:

我們假設已經寫好了上面4種樣式cell的代碼,現在我們在控制器里為其填充數據。

我們首先定義一個表示cell數據的CreateShopModel。該model是為了給cell填充數據,可以看到它里面的屬性就是cell上對應應該顯示的數據項。
同時,我們在開頭也定義了一個枚舉CreateShopCellType來代表4種不同樣式的cell,用于在tableView返回cell的代理方法里根據枚舉值來返回相應樣式的cell

#import <Foundation/Foundation.h>

typedef enum : NSUInteger {
    CreateShopCellType_TF = 0, // textfield
    CreateShopCellType_TV, // textView
    CreateShopCellType_PICK, // picker
    CreateShopCellType_PIC, // upload picture
} CreateShopCellType;

@interface CreateShopModel : NSObject

@property (nonatomic, copy)NSString                 *title;  // 所要填寫的項目名稱
@property (nonatomic, copy)NSString                 *placeholder;
@property (nonatomic, copy)NSString                 *key; // 表單對應的字段
@property (nonatomic, copy)NSString                 *errText; // 校驗出錯時的提示信息
@property (nonatomic, strong)UIImage                    *image;  // 所選取的圖片
@property (nonatomic, assign)CreateShopCellType      cellType; // cell的類型
@property (nonatomic, assign)NSInteger               maxInputLength; // 最大輸入長度限制

@end

我們在將tableView創建并添加在控制器的view上后便可以初始化數據源了。該界面tableView的數據源是_tableViewData數組,數據的每項元素是代表cell顯示數據的CreateShopModel類型的model。準確地來說,這些數據是表單未填寫之前的死數據,所以需要我們手動地給裝入數據源數組中。而在輸入框輸入或者選取而得的數據則需要我們在輸入之后將其捕獲存儲下來,以等到提交時提交給服務器,這個也有需要注意的坑點,后面再說。

- (void)intDataSource
{
    _tableViewData = [NSMutableArray array];
    
    CreateShopModel *nameModel = [[CreateShopModel alloc] init];
    nameModel.title = @"網店名稱";
    nameModel.placeholder = @"請輸入網店名稱";
    nameModel.key = @"groupName";
    nameModel.cellType = CreateShopCellType_TF;
    nameModel.maxInputLength = 30;
    [_tableViewData addObject:nameModel];
    
    CreateShopModel *mainTagModel = [[CreateShopModel alloc] init];
    mainTagModel.title = @"網店主標簽";
    mainTagModel.placeholder = @"請輸入網店主標簽";
    mainTagModel.key = @"tag";
    mainTagModel.cellType = CreateShopCellType_TF;
    mainTagModel.maxInputLength = 20;
    [_tableViewData addObject:mainTagModel];
    
    CreateShopModel *descModel = [[CreateShopModel alloc] init];
    descModel.title = @"網店簡介";
    descModel.placeholder = @"請輸入網店簡介";
    descModel.key = @"introduction";
    descModel.cellType = CreateShopCellType_TV;
    descModel.maxInputLength = 500;
    [_tableViewData addObject:descModel];
    
    CreateShopModel *addressModel = [[CreateShopModel alloc] init];
    addressModel.title = @"網店地址";
    addressModel.placeholder = @"";
    addressModel.key = @"regionId";
    addressModel.cellType = CreateShopCellType_PICK;
    [_tableViewData addObject:addressModel];
    
    CreateShopModel *doorIDModel = [[CreateShopModel alloc] init];
    doorIDModel.title = @"";
    doorIDModel.placeholder = @"請輸入詳細門牌號";
    doorIDModel.key = @"address";
    doorIDModel.cellType = CreateShopCellType_TF;
    [_tableViewData addObject:doorIDModel];
    
    CreateShopModel *phoneModel = [[CreateShopModel alloc] init];
    phoneModel.title = @"網店座機";
    phoneModel.placeholder = @"請輸入網店座機";
    phoneModel.key = @"telephone";
    phoneModel.cellType = CreateShopCellType_TF;
    phoneModel.maxInputLength = 15;
    [_tableViewData addObject:phoneModel];
    
    CreateShopModel *emailModel = [[CreateShopModel alloc] init];
    emailModel.title = @"email";
    emailModel.placeholder = @"請輸入email(選填)";
    emailModel.key = @"contactMail";
    emailModel.cellType = CreateShopCellType_TF;
    [_tableViewData addObject:emailModel];
    
    CreateShopModel *logoModel = [[CreateShopModel alloc] init];
    logoModel.title = @"網店LOGO";
    logoModel.placeholder = @"";
    logoModel.key = @"logo";
    logoModel.urlKey = @"logoUrl";
    logoModel.cellType = CreateShopCellType_PIC;
    [_tableViewData addObject:logoModel];
    
    CreateShopModel *coverPicModel = [[CreateShopModel alloc] init];
    coverPicModel.title = @"網店封面圖";
    coverPicModel.placeholder = @"";
    coverPicModel.key = @"cover";
    coverPicModel.urlKey = @"coverUrl";
    coverPicModel.cellType = CreateShopCellType_PIC;
    [_tableViewData addObject:coverPicModel];
    
    if(_tableView){
        [_tableView reloadData];
    }
}

現在我們的數據源準備好了,但是tableView還沒做處理呢,要等tableView也配套完成后再刷新tableView就OK了。我們來看tableView代理方法。

- (NSInteger)tableView:(UITableView *)tableView numberOfRowsInSection:(NSInteger)section
{
    return _tableViewData.count;
}

- (CGFloat)tableView:(UITableView *)tableView heightForRowAtIndexPath:(NSIndexPath *)indexPath
{
    CreateShopModel *createModel = _tableViewData[indexPath.row];
    if(createModel.cellType == CreateShopCellType_TF){
        return [CreateShopTFCell cellHeight:createModel];
    }else if(createModel.cellType == CreateShopCellType_TV){
        return [CreateShopTVCell cellHeight:createModel];
    }else if(createModel.cellType == CreateShopCellType_PICK){
        return [CreateShopPickCell cellHeight:createModel];
    }else if(createModel.cellType == CreateShopCellType_PIC){
        return [CreateShopUploadPicCell cellHeight: createModel];
    }
    return 50.f;
}

- (UITableViewCell *)tableView:(UITableView *)tableView cellForRowAtIndexPath:(NSIndexPath *)indexPath
{
    CreateShopModel *createModel = _tableViewData[indexPath.row];
    
    if(createModel.cellType == CreateShopCellType_TF)
    {
        static NSString *tfCellId = @"tfCellId";
        CreateShopTFCell *cell = [tableView dequeueReusableCellWithIdentifier:tfCellId];
        if(cell==nil)
        {
            cell = [[CreateShopTFCell alloc] initWithStyle:UITableViewCellStyleDefault reuseIdentifier:tfCellId];
            cell.cellDelegate = self;
        }
        [cell refreshContent:createModel formModel:_shopFormModel];
        
        return cell;
    }
    else if(createModel.cellType == CreateShopCellType_TV)
    {
        static NSString *tvCellId = @"tvCellId";
        CreateShopTVCell *cell = [tableView dequeueReusableCellWithIdentifier:tvCellId];
        if(cell==nil)
        {
            cell = [[CreateShopTVCell alloc] initWithStyle:UITableViewCellStyleDefault reuseIdentifier:tvCellId];
        }
        [cell refreshContent:createModel formModel:_shopFormModel];
        
        return cell;
    }
    else if(createModel.cellType == CreateShopCellType_PICK)
    {
        static NSString *pickCellId = @"pickCellId";
        CreateShopPickCell *cell = [tableView dequeueReusableCellWithIdentifier:pickCellId];
        if(cell==nil)
        {
            cell = [[CreateShopPickCell alloc] initWithStyle:UITableViewCellStyleDefault reuseIdentifier:pickCellId];
        }
        NSString *valueStr = [_shopFormModel valueForKey:createModel.key];
        if(valueStr.length>0){
            createModel.errText = @"";
        }
        
        [cell refreshContent:createModel formModel:_shopFormModel];
        
        return cell;
    }
    
    else if(createModel.cellType == CreateShopCellType_PIC)
    {
        static NSString *picCellId = @"picCellId";
        CreateShopUploadPicCell *cell = [tableView dequeueReusableCellWithIdentifier:picCellId];
        if(cell==nil)
        {
            cell = [[CreateShopUploadPicCell alloc] initWithStyle:UITableViewCellStyleDefault reuseIdentifier:picCellId];
        }
        
        id value = [_shopFormModel valueForKey:createModel.key];
        if([value isKindOfClass:[NSString class]]){
            NSString *valueStr = (NSString *)value;
            if(valueStr.length>0){
                createModel.errText = @"";
            }
        }
        else if([value isKindOfClass:[UIImage class]]){
            UIImage *valueImg = (UIImage *)value;
            if(valueImg){
                createModel.errText = @"";
            }
        }

        __weak CreateShopViewController *weakSelf = self;
        [cell refreshContent:createModel formModel:_shopFormModel editBlock:^(CreateShopModel *shop) {
            if (shop) {
                _shopFormModel.indexPath = indexPath;
                _shopFormModel.indexPathObj = shop;
                [weakSelf iconActionSheet];
            }
        }];
        
        return cell;
    }
    return nil;
}

首先比較簡單的,在設置行高的代理方法里,根據該行數據所表示的cellType類型來設置相應的行高。
然后在返回cell的代理方法里,同樣以cellType來判斷返回相應樣式的cell,并給該cell賦相應的數據model。但是我們注意到,給cell賦值的方法,除了傳入我們前面說定義的CreateShopModel類型的createModel外,還有個名叫_shopFormModel參數被傳入。_shopFormModel是什么,它代表什么意思?

_shopFormModelCreateShopFormModel類型的一個實例對象,它用來表示這個表單需要提交的數據,它里面的每個屬性基本上對應著表單提交給服務器的字段。我們最后不是要將表單數據作為參數去請求提交的接口嗎?表單數據從哪里來,就從_shopFormModel中來。那_shopFormModel中的數據從哪里來?

#import <Foundation/Foundation.h>

@interface CreateShopFormModel : NSObject

@property (nonatomic, copy)NSString         *groupId;
@property (nonatomic, copy)NSString         *groupName;
@property (nonatomic, copy)NSString         *tag;
@property (nonatomic, copy)NSString         *introduction;
@property (nonatomic, copy)NSString         *regionId;
@property (nonatomic, copy)NSString         *cityId;
@property (nonatomic, copy)NSString         *address;
@property (nonatomic, copy)NSString         *telephone;
@property (nonatomic, copy)NSString         *contactMail;
@property (nonatomic, copy)NSString         *coverUrl;
@property (nonatomic, copy)NSString         *logoUrl;
@property (nonatomic, strong)UIImage        *logo;
@property (nonatomic, strong)UIImage        *cover;
@property (nonatomic, strong)NSIndexPath    *indexPath;
@property (nonatomic, strong)id             indexPathObj;

+ (CreateShopFormModel *)formModelFromDict:(NSDictionary *)dict;
-(BOOL)submitCheck:(NSArray*)dataArr;

@end

CreateShopTFCell為例,它所表示的字段的數據是我們在輸入框輸入的,也就是說數據來自textField_shopFormModel對象在控制器被傳入cellrefreshContent:formModel:方法,在該方法內部,將參數formModel賦給成員變量_formModel需要格外注意的是,_shopFormModelformModel_ formModel是同一個對象,指向的是同一塊內存地址。方法傳遞對象參數時只是“引用拷貝”,拷貝了一份對象的引用。既然這樣,我們可以預想到,我們在cell內部,將textField輸入的值賦給_formModel所指向的對象后,也即意味著控制器里的_shopFormModel也有數據了,因為它們本來就是同一個對象嘛!

事實正是如此。
可以看到我們在給textField添加的通知的回調方法textFiledEditChanged:里,將textField輸入的值以KVC的方式賦值給了_formModel。此時_formModel的某屬性,即該cell對應的表單的字段已經有了數據。同樣的,在控制器中與_formModel指向同一塊內存地址的_shopFormModel也有了數據。

- (void)clearCellData
{
    _titleLab.text = @"";
    _textField.text = @"";
    _textField.placeholder = @"";
    _checkTipLab.text = @"";
}

- (void)refreshContent:(CreateShopModel *)createModel formModel:(CreateShopFormModel *)formModel
{
    [self clearCellData];
    if(!createModel){
        return;
    }
    _createModel = createModel;
    _formModel = formModel;
    _titleLab.text = createModel.title;
    _textField.placeholder = createModel.placeholder;
    _textField.text = [_formModel valueForKey:createModel.key]; // 將_formModel的值以KVC的方式賦給textField
    
    if(createModel.errText.length>0){
        _bgView.layer.borderColor = HexColor(0xcc2929).CGColor;
        _checkTipLab.text = createModel.errText;
    }else{
        _bgView.layer.borderColor = PDColor_Dividing_line.CGColor;
        _checkTipLab.text = @"";
    }
}

- (void)textFiledEditChanged:(NSNotification *)obj
{
    UITextField *textField = (UITextField *)obj.object;
    NSString *toBeString = textField.text;
    [_formModel setValue:textField.text forKey:_createModel.key]; // 將textField中的值賦給_formModel
    
    if(_createModel.maxInputLength&&toBeString.length>0&&toBeString.length>_createModel.maxInputLength){
        _bgView.layer.borderColor = HexColor(0xcc2929).CGColor;
        _checkTipLab.text = [NSString stringWithFormat:@"最多%d個字",(int)_createModel.maxInputLength];
    }else{
        _bgView.layer.borderColor = PDColor_Dividing_line.CGColor;
        _checkTipLab.text = @"";
    }

    if([_createModel.key isEqualToString:@"contactMail"]){
        _createModel.errText = @"";
    }else{
        NSString *valueStr = [_formModel valueForKey:_createModel.key];
        if(valueStr.length>0){
            _createModel.errText = @"";
        }
    }
}

我們看到在refreshContent:formModel:方法中,cell上的死數據是被CreateShopModel的實例對象createModel賦值的,而在其后我們又以KVC的方式又將_shopFormModel的某屬性的值賦給了textField。這是因為我們為了防止cell在復用的過程中出現數據錯亂的問題,而在給cell賦值前先將每個視圖上的數據都清空了(即clearCellData方法),需要我們重新賦過。(不過,如果你沒清空數據的情況下,不再次給textField賦值好像也是沒問題的。不會出現數據錯亂和滑出屏幕再滑回來時從復用池取出cell后賦值時數據消失的問題。)


輸入長度的限制:

需求中要求“網店名稱”、“網店主標簽”、“網店簡介”、“網店座機”都有輸入長度的限制,分別為30、20、500、15字數的限制。其實我們在上面初始化數據源的時候已經為每行的數據源model設置過字數限制了,即maxInputLength屬性。

我們還是以CreateShopTFCell為例。
要在開始輸入的時候監聽輸入的長度,若字數超過最大限制,則要出現紅框,并且顯示提示信息。那我們就得給textField開始輸入時添加valueChange的觀察,在textField輸入結束時移除觀察。

- (void)textFieldDidEndEditing:(UITextField *)textField
{
    [self clearNotification];
}

- (void)textFiledEditChanged:(NSNotification *)obj
{
    UITextField *textField = (UITextField *)obj.object;
    NSString *toBeString = textField.text;
    [_formModel setValue:textField.text forKey:_createModel.key]; // 將textField中的值賦給_formModel
    
    if(_createModel.maxInputLength&&toBeString.length>0&&toBeString.length>_createModel.maxInputLength){
        _bgView.layer.borderColor = HexColor(0xcc2929).CGColor;
        _checkTipLab.text = [NSString stringWithFormat:@"最多%d個字",(int)_createModel.maxInputLength];
    }else{
        _bgView.layer.borderColor = PDColor_Dividing_line.CGColor;
        _checkTipLab.text = @"";
    }

    if([_createModel.key isEqualToString:@"contactMail"]){
        _createModel.errText = @"";
    }else{
        NSString *valueStr = [_formModel valueForKey:_createModel.key];
        if(valueStr.length>0){
            _createModel.errText = @"";
        }
    }
}

-(void)addNotification
{
    [[NSNotificationCenter defaultCenter]addObserver:self selector:@selector(textFiledEditChanged:)
                                                name:@"UITextFieldTextDidChangeNotification"
                                              object:nil];
}

-(void)clearNotification{
    [[NSNotificationCenter defaultCenter]removeObserver:self
                                                   name:@"UITextFieldTextDidChangeNotification"
                                                 object:nil];
}

另外,可以看到在textField開始輸入的回調方法里,調用了該cell的代理方法。該cell為什么要調用這個代理方法,它需要代理給別人來干什么?...其實這個和鍵盤遮擋的處理有關,下面我們慢慢解釋。


處理鍵盤遮擋問題:

這個界面有很多行輸入框,在自然情況下,下面的幾個輸入框肯定是在鍵盤彈出后高度之下的,也即會被鍵盤遮擋住,我們沒法輸入。這時就一定處理鍵盤遮擋問題了。
關于鍵盤遮擋問題,其實我在以前的一篇筆記中就寫過了:UITextField一籮筐——輸入長度限制、自定義placeholder、鍵盤遮擋問題

我們要處理鍵盤遮擋問題,也就是要實現當鍵盤彈出時,被遮擋住的輸入框能上移到鍵盤高度之上;當鍵盤收回時,輸入框又能移回原來的位置。那么首先第一步,我們得能獲取到鍵盤彈出或者收回這個動作的時機,在這個時機我們再按需要移動輸入框的位置。系統提供了表示鍵盤彈出和收回的兩個觀察的key,分別為UIKeyboardWillShowNotificationUIKeyboardWillHideNotification。注冊這兩個觀察者,然后在兩者的回調方法里實現輸入框位移就大功告成了。

因為鍵盤遮擋的處理有可能是比較普遍的需求,所以在公司的項目架構設計里是把上面兩個關于鍵盤的觀察是注冊在APPDelegate.m中的,并定義了一個有關鍵盤遮擋處理的協議,協議里定義了一個方法。具體需要具體處理,由需要處理鍵盤遮擋問題的控制器來實現該協議方法,具體實現怎么移動界面元素來使鍵盤不遮擋輸入框。這么說現在CreateShopViewController控制器需要處理鍵盤遮擋問題,那么就需要設置它為APPDelegate的代理,并由它實現所定義的協議嗎?其實不用,公司項目所有的控制器都是繼承于基類CommonViewController,在基類中實現了比較基本和普遍的功能,其實在基類中便定義了下面的方法來設置控制器為APPDelegate的代理,不過需要屬性isListensKeyboardYES。下面這個方法在CommonViewController中是在viewWillAppear:方法中調用的。那我們在子類CreateShopViewController中需要做的僅僅只要在viewWillAppear之前設置isListensKeyboard屬性為YES,便會自動設置將自己設為APPDelegate的代理。然后在CreateShopViewController控制器里實現協議所定義的方法,實現具體的輸入框移動問題。

** CommonViewController.m**

-(void)initListensKeyboardNotificationDelegate
{
    if (!self.isListensKeyboard) {
        return;
    }
    
    if (!self.appDelegate) {
        self.appDelegate=(AppDelegate*)[[UIApplication sharedApplication] delegate];
    }
    
    [self.appDelegate setKeyboardDelegate:self];
}

** CreateShopViewController.m**

#pragma mark - keyboard delegate
- (void)keyboardChangeStatus:(KeyboardChangeType)changeType
                  beginFrame:(CGRect)beginFrame
                    endFrame:(CGRect)endFrame
                    duration:(CGFloat)duration
                    userInfo:(NSDictionary *)info
{
    if(changeType == KeyboardWillShow)
    {
        CGFloat keyBoard_h = [info[UIKeyboardFrameEndUserInfoKey] CGRectValue].size.height;
        CGFloat newSizeh = _tableView.contentSize.height + keyBoard_h;
        [UIView animateWithDuration:duration animations:^{
            [_tableView setContentSize:CGSizeMake(PDWidth_mainScreen, newSizeh)];
            CGFloat set_y = _inputY+50.f+keyBoard_h-_tableView.bounds.size.height;
            if(set_y>0){
                [_tableView setContentOffset:CGPointMake(0, set_y)];
            }
        }];
    }
    else if(changeType == KeyboardWillHide)
    {
        [UIView animateWithDuration:duration animations:^{
            [_tableView setContentSize:CGSizeMake(PDWidth_mainScreen, _tableView.contentSize.height)];
        }];
    }
}

可以看到在該代理方法的實現里。當鍵盤彈出時,我們首先將tableViewcontentSize在原來的基礎上增加了鍵盤的高度keyBoard_h。然后將tableViewcontentOffset值變為set_y,這個set_y的值是通過計算而來,但是計算它的_inputY這個變量代表什么意思?

我們可以回過頭去看看tableView返回cell的代理方法中,當為CreateShopTFCell時,我們設置了當前控制器為其cell的代理。

cell.cellDelegate = self;

并且我們的控制器CreateShopViewController也實現了該cell的協議CreateShopTFCellDelegate,并且也實現了協議定義的方法。

#pragma mark - tfCell delegate
- (void)cellBeginInputviewY:(CGFloat)orginY
{
    _inputY = orginY;
}

原來上面的_intputY變量就是該協議方法從cell里的調用處傳遞而來的orginY參數值。我們回過頭看上面的代碼,該協議方法是在textField的開始輸入的回調方法里調用的,給協議方法傳入的參數是self.frame.origin.y,即被點擊的textField在手機屏幕內所在的Y坐標值。

可以看到,處理鍵盤遮擋問題,其實也不是改變輸入框的坐標位置,而是變動tableViewcontentSizecontentOffset屬性。


選取地址的實現:

CreateShopPickCell實現里地址的選取和顯示。有左右兩個框框,點擊任何一個將會從屏幕下方彈出一個選取器,選取器有“市”和“區”兩列數據對應兩個框框,選取器左上方是“取消”按鈕,右上方是“確定”按鈕。點擊“取消”,選取器彈回,并不進行選取;點擊“確定”,選取器彈回,選取選擇的數據。

WechatIMG1.png

CreateShopPickCell的界面元素布局沒什么可說的,值得一說的是彈出的pickView視圖,是在cell的填充數據的方法中創建的。

- (void)refreshContent:(CreateShopModel *)createModel formModel:(CreateShopFormModel *)formModel;
{
    [self clearCellData];
    if(!createModel){
        return;
    }
    
    [self createPickerView]; // 創建pickView

    _createModel = createModel;
    _formModel = formModel;

    _titleLab.text = createModel.title;
    
    if(formModel.regionId.length>0){
        ShopAddressModel *area=[[ShopAddressModel alloc]init];
        area.addresssId=formModel.regionId;
        [_pickView dafaultArea:area];
    }else{
        _cityLab.text = @"市";
        _cityLab.textColor = HexColor(0xc8c8c8);
        _areaLab.text = @"區";
        _areaLab.textColor = HexColor(0xc8c8c8);
    }
    
    if(createModel.errText.length>0){
        _cityBgView.layer.borderColor = HexColor(0xcc2929).CGColor;
        _areaBgView.layer.borderColor = HexColor(0xcc2929).CGColor;
        _checkTipLab.text = createModel.errText;
    }else{
        _cityBgView.layer.borderColor = PDColor_Dividing_line.CGColor;
        _areaBgView.layer.borderColor = PDColor_Dividing_line.CGColor;
        _checkTipLab.text = @"";
    }
}

這里只是創建了pickView的對象,并設置了數據源items,已經點擊之后的回調block,而并未將其添加在父視圖上。
要將選取的“市&區”的結果從CustomPickView中以block回調到cell來,將數據賦給_formModel。并且當有了數據后UILabel的文本顏色也有變化。

-(void)createPickerView
{
    if (!_pickView) {
        _pickView= [[CustomPickView alloc] init];
    }
    [_pickView setItems:[ShopAddressModel cityAddressArr]];
    [_pickView SelectedBlock:^(ShopAddressModel *city, ShopAddressModel *area) {
        if (city) {
            [_formModel setValue:city.addresssId forKey:_createModel.key];
            _cityLab.text = city.name;
            _cityLab.textColor = PDColor_Title_Black;
        }
        if (area) {
            [_formModel setValue:area.addresssId forKey:_createModel.key];
            _areaLab.text = area.name;
            _areaLab.textColor = PDColor_Title_Black;
        }
        
        if(city){
            _cityBgView.layer.borderColor = PDColor_Dividing_line.CGColor;
            _areaBgView.layer.borderColor = PDColor_Dividing_line.CGColor;
            _checkTipLab.text = @"";
            _createModel.errText=@"";
            
        }else{
            _cityBgView.layer.borderColor = HexColor(0xcc2929).CGColor;
            _areaBgView.layer.borderColor = HexColor(0xcc2929).CGColor;
            _checkTipLab.text = _createModel.errText;
        }
    }];
}

pickView的對象已經創建好,但是還未到彈出顯示的時機。所謂時機,就是當左右兩個框框被點擊后。
可以看到pickView是被添加在window上的。并且調用了pickView的接口方法showPickerView方法,讓其從屏幕底部彈出來。

- (void)cityGestureHandle:(UITapGestureRecognizer *)tapGesture
{
    [_superView endEditing:YES];
    [self showPicker];
}

- (void)areaGestureHandle:(UITapGestureRecognizer *)tapGesture
{
    [_superView endEditing:YES];
    [self showPicker];
}

-(void)showPicker
{
    [[PubicClassMethod getCurrentWindow] addSubview:_pickView];
    [_pickView showPickerView];
}

前面代碼中給pickView設置數據源時,它的數據源有點特別,調用了ShopAddressModel的類方法cityAddressArr來返回有關地址的數據源數組。這是因為這里的地址數據雖然是從服務器接口請求的,但是一般情況不會改變,最好是從服務器拿到數據后緩存在本地,當請求失敗或者無網絡時仍不受影響。

ShopAddressModel類定義了如下幾個屬性和方法。

@interface ShopAddressModel : NSObject

@property (nonatomic, copy)NSString         *addresssId;
@property (nonatomic, copy)NSString         *name;
@property (nonatomic, strong)NSArray        *subArr;
#pragma mark - 地址緩存
+ (void)saveAddressArr:(NSArray *)addressArr;
+(NSArray*)cityAddressArr;
+(NSArray*)addressArr;
#pragma mark - 解析
+ (ShopAddressModel *)addressModelFromDict:(NSDictionary *)dict;
@end

當我們我們從服務器拿到返回而來的地址數據后,調用saveAddressArr:方法,將數據緩存在本地。

+ (void)saveAddressArr:(NSArray *)addressArr
{
    if (addressArr && addressArr.count > 0) {
        NSData *data = [NSKeyedArchiver archivedDataWithRootObject:addressArr];
        [[NSUserDefaults standardUserDefaults] setObject:data forKey:@"saveAddressArr"];
        
    }else
    {
        [[NSUserDefaults standardUserDefaults]setObject:nil forKey:@"saveAddressArr"];
    }
    
    [[NSUserDefaults standardUserDefaults] synchronize];
}

當創建好pickView后以下面方法將本地緩存數據讀出,賦給items作為數據源。

+(NSArray*)cityAddressArr
{
    NSArray *arr=[ShopAddressModel addressArr];
    ShopAddressModel *pro=[arr firstObject];
    if (pro.subArr.count>0) {
        return pro.subArr;
    }
    
    return nil;
}

+(NSArray*)addressArr
{
    NSData *data = [[NSUserDefaults standardUserDefaults] valueForKey:@"saveAddressArr"];
    NSArray *addrssArr=[NSKeyedUnarchiver unarchiveObjectWithData:data];
    
    if(addrssArr.count==0)
    {
        return nil;
    }
    
    NSMutableArray *areas=[[NSMutableArray alloc]init];
    for (int i=0; i<addrssArr.count; i++) {//省
        ShopAddressModel *prov=[ShopAddressModel  addressModelFromDict:addrssArr[i]];
        
        if (!prov) {
            continue;
        }
    
        NSMutableArray *cArr=[[NSMutableArray alloc]init];
        for (int j=0; j<prov.subArr.count; j++) {//市
            ShopAddressModel *city=[ShopAddressModel  addressModelFromDict:prov.subArr[j]];
            if (!city) {
                continue;
            }
            NSMutableArray *aArr=[[NSMutableArray alloc]init];
            for (int a=0; a<city.subArr.count; a++) {//區
                ShopAddressModel *are=[ShopAddressModel  addressModelFromDict:city.subArr[a]];
                if (!are) {
                    continue;
                }
                [aArr addObject:are];
            }
            
            
            if (aArr.count>0) {//市
                city.subArr=[NSArray arrayWithArray:aArr];
            }
            [cArr addObject:city];
        }
        
        
        if (cArr.count>0) {//省
            prov.subArr=[NSArray arrayWithArray:cArr];
        }
        
       [areas addObject:prov];
        
    }
    
    return areas;
}

注意:這也是為什么把創建pickView的代碼放在了填充cell數據的refreshContent:formModel:里,而不在創建cell界面元素時一氣創建pickView。因為那樣當用戶第一次打開這個界面,有可能數據來的比較慢,當代碼執行到賦數據源items時,本地還沒有被緩存上數據呢!這樣用戶第一次進入這個界面時彈出的pickView是空的,沒有數據。而放在refreshContent:formModel:中是安全穩妥的原因是,每次從接口拿到數據后我們會刷新tableView,便會執行refreshContent:formModel:方法。它能保證先拿到數據,再設置數據源的順序。


提交表單時校驗數據:

在將表單數據提交前,要先校驗所填寫的表單是否有問題,該填的是否都填了,已填的數據格式是否是對的。若有問題,則要出現紅框和提示信息提醒用戶完善,等數據無誤后才可以提交給服務器。

數據校驗代碼很繁長,寫在控制器里不太好。因為它是對表單數據的校驗,那我們就寫在CreateShopFormModel里,這樣既可以給控制器瘦身,也可以降低耦合度,數據的歸數據,邏輯的歸邏輯。

從前面CreateShopFormModel.h的代碼里我們其實已經看到了這個校驗方法:submitCheck:。若某條CreateShopFormModel實例的數據不達要求,則在相應的CreateShopModel數據源對象的errText屬性賦值,意為提示信息。該方法的返回值類型為BOOL值,有數據不合格則返回NO。此時,在調用該方法的外部,應該將tableView重新加載,因為此時在該方法內部,已將數據格式不合格的提示信息賦值給了相應的數據源model

- (BOOL)submitCheck:(NSArray*)dataArr
{
    BOOL isSubmit=YES;
    
    if(self.groupName.length==0){
        if (dataArr.count>0) {
            CreateShopModel *cellObj=dataArr[0];
            cellObj.errText=@"網店名不能為空";
        }
        isSubmit=NO;
    }
    
    if(self.groupName.length>0){
        if(dataArr.count>0){
            if(self.groupName.length>30){
                CreateShopModel *cellObj=dataArr[0];
                cellObj.errText=@"最多30個字";
                isSubmit=NO;
            }
        }
    }
    
    if(self.tag.length==0){
        if (dataArr.count>1) {
            CreateShopModel *cellObj=dataArr[1];
            cellObj.errText=@"標簽不能為空";
        }
        isSubmit=NO;
    }
    
    if(self.introduction.length==0){
        if (dataArr.count>2) {
            CreateShopModel *cellObj=dataArr[2];
            cellObj.errText=@"簡介不能為空";
        }
        isSubmit=NO;
    }
    
    if(self.introduction.length>0){
        if(dataArr.count>2){
            if(self.introduction.length>30){
                CreateShopModel *cellObj=dataArr[2];
                cellObj.errText=@"最多500個字";
                isSubmit=NO;
            }
        }
    }
    
    if(self.regionId.length==0){
        if (dataArr.count>3) {
            CreateShopModel *cellObj=dataArr[3];
            cellObj.errText=@"市區不能為空";
        }
        isSubmit=NO;
    }
    
    if(self.address.length==0){
        if (dataArr.count>4) {
            CreateShopModel *cellObj=dataArr[4];
            cellObj.errText=@"地址不能為空";
        }
        isSubmit=NO;
    }
    
    if(self.telephone.length==0){
        if (dataArr.count>5) {
            CreateShopModel *cellObj=dataArr[5];
            cellObj.errText=@"電話不能為空";
        }
        isSubmit=NO;
    }
    

    if (self.contactMail.length>0) {
        
        if (dataArr.count>6) {
            CreateShopModel *cellObj=dataArr[6];
            if(![PubicClassMethod isValidateEmail:self.contactMail]){
                cellObj.errText=@"郵箱格式不合法";
                isSubmit=NO;
            }
        }
    }
    
    if(self.logoUrl.length==0&&!self.logo){
        if (dataArr.count>7) {
            CreateShopModel *cellObj=dataArr[7];
            cellObj.errText=@"logo不能為空";
        }
        isSubmit=NO;
    }
    
    if(self.coverUrl.length==0&&!self.cover){
        if (dataArr.count>8) {
            CreateShopModel *cellObj=dataArr[8];
            cellObj.errText=@"封面圖不能為空";
        }
        isSubmit=NO;
    }
    
    return isSubmit;
}

上傳圖片到七牛:

當點擊了“提交”按鈕后,先校驗數據,若所填寫的數據不合格,則給出提示信息,讓用戶繼續完善數據;若數據無問題,校驗通過,則開始提交表單。但是,這里有圖片,圖片我們是上傳到七牛服務器的,提交表單是圖片項提交的應該是圖片在七牛的一個url。這個邏輯我在以前的這篇筆記已經捋過了APP上傳圖片至七牛的邏輯梳理

但是當時所有的邏輯都是寫在控制器里的。我們這個“創建網店”的控制器已經很龐大了,寫在控制器里不太好。所以在這里我將上傳圖片的邏輯拆分了出去,新建了一個類```QNUploadPicManager。只暴露一個允許傳入UIImage參數的接口方法,便可以通過successBlock來返回上傳到七牛成功后的url。以及通過failureBlock來返回上傳失敗后的error信息。而將所有的邏輯封裝在QNUploadPicManager``內部,這樣控制器里便精簡了不少代碼,清爽了許多。

** QNUploadPicManager.h **

@interface QNUploadPicManager : NSObject

- (void)uploadImage:(UIImage *)image successBlock:(void(^)(NSString *urlStr))successBlock failureBlock:(void(^)(NSError *error))failureBlock;

@end

** QNUploadPicManager.m **

#import "QNUploadManager.h"

#define kImageFilePath(name) [NSTemporaryDirectory() stringByAppendingPathComponent:name] // 圖片路徑

@implementation QNUploadPicManager

- (void)uploadImage:(UIImage *)image successBlock:(void(^)(NSString *urlStr))successBlock failureBlock:(void(^)(NSError *error))failureBlock
{
    NSString *logoFileName = [self fileNameWithPicture:image]; // fileName
    
    [self requestUploadToken:logoFileName successBlock:^(NSDictionary *dict) {
        [self uploadPicOnQNParameters:dict fileName:logoFileName complete:^(NSString *key, NSDictionary *resp) {
            [self getPictureUrlOnQN:key successBlock:^(NSString *urlStr) {
                successBlock(urlStr); // 成功回調
                
            } failure:^(NSError *error) {
                failureBlock(error);
            }];
        }];
        
    } failure:^(NSError *error) {
        failureBlock(error); // token獲取失敗回調
    }];
}


// get token
- (void)requestUploadToken:(NSString *)fileName successBlock:(void(^)(NSDictionary *dict))successBlock failure:(void(^)(NSError *error))failureBlock
{
    NSDictionary * parameters=[[NSDictionary alloc] initWithObjectsAndKeys:
                               @(1), @"count",
                               nil];
    
    NSString *url = [NSString stringWithFormat:@"%@/cbs/%@/upload/token",HTTPSURLEVER,Interface_Version];
    url =[url stringByReplacingOccurrencesOfString:@"http" withString:@"https"];
    AFHTTPRequestOperationManager *mgr = [AFHTTPRequestOperationManager manager];
    [mgr.requestSerializer setValue:[[REDUserModel shareInstance] token] forHTTPHeaderField:@"x-auth-token"];
    [mgr.requestSerializer setValue:@"ios" forHTTPHeaderField:@"_c"];
    [mgr.securityPolicy setAllowInvalidCertificates:YES];
    
    [mgr GET:url parameters:parameters success:^(AFHTTPRequestOperation *operation, id responseObject) {
        // key:5425734430926807040
        successBlock(DealWithJSONValue(responseObject[@"b"][0]));
        
    } failure:^(AFHTTPRequestOperation *operation, NSError *error) {
        failureBlock(error);
    }];
}

// upload on QN
- (void)uploadPicOnQNParameters:(NSDictionary *)parameters fileName:(NSString *)fileName complete:(void(^)(NSString *key, NSDictionary *resp))complete
{
    QNUploadManager *uploader = [[QNUploadManager alloc] init];
    
    // 異步多線程
    dispatch_async(dispatch_get_global_queue(DISPATCH_QUEUE_PRIORITY_DEFAULT, 0), ^{
        
        NSString *token = parameters[@"uploadToken"];
        NSString *key = parameters[@"key"];
        
        [uploader putFile:kImageFilePath(fileName) key:key token:token complete:^(QNResponseInfo *info, NSString *key, NSDictionary *resp) {
            // key:5425734430926807040
            complete(key, resp);
        } option:nil];
        
    });
}

//獲取上傳圖片的url
- (void)getPictureUrlOnQN:(NSString *)token successBlock:(void(^)(NSString *urlStr))successBlock failure:(void(^)(NSError *error))failureBlock
{
    if(!token){
        token = @"";
    }
    NSDictionary * parameters=[[NSDictionary alloc] initWithObjectsAndKeys:
                               token, @"token",
                               nil];
    NSString *url = [NSString stringWithFormat:@"%@/cbs/%@/upload/url",HTTPSURLEVER,Interface_Version];
    url =[url stringByReplacingOccurrencesOfString:@"http" withString:@"https"];
    
    AFHTTPRequestOperationManager *mgr = [AFHTTPRequestOperationManager manager];
    
    [mgr.requestSerializer setValue:[[REDUserModel shareInstance] token] forHTTPHeaderField:@"x-auth-token"];
    [mgr.requestSerializer setValue:@"ios" forHTTPHeaderField:@"_c"];
    [mgr.securityPolicy setAllowInvalidCertificates:YES];
    
    [mgr GET:url parameters:parameters success:^(AFHTTPRequestOperation *operation, id responseObject) {
        if (!responseObject[@"b"] || [responseObject[@"b"] isEqual:[NSNull null]]) {
            return;
        }
        successBlock(DealWithJSONStringValue(responseObject[@"b"][@"url"]));
        
    } failure:^(AFHTTPRequestOperation *operation, NSError *error) {
        failureBlock(error);
    }];
    
}

// save in file
- (NSString *)fileNameWithPicture:(UIImage *)image
{
    if(!image){
        return @"";
    }
    UIImage *newImage = [PubicClassMethod imageWithImageSimple:image scaledToSize:CGSizeMake(80, 80)]; // 圖片壓縮
    NSData *imageData = UIImageJPEGRepresentation(newImage, 1);
    NSString *fileName = [NSString stringWithFormat:@"%d.png",arc4random()];
    BOOL isWrited = [imageData writeToFile:kImageFilePath(fileName) atomically:YES];
    if(isWrited){
        return fileName;
    }
    return @"";
}

@end

總結:

這個界面比較核心的一個問題就是:要在控制器里提交表單,那怎樣把在UITableViewCell里的textField輸入的數據傳遞給控制器? 另外一個問題是一個邏輯比較復雜的界面,控制器勢必會很龐大,應該有意的給控制器瘦身,不能把所有的邏輯都寫在控制器里。有關視圖顯示的就考慮放入UITableViewCell,有關數據的就考慮放入model。這樣既為控制器瘦身,也使代碼職責變清晰,耦合度降低。

另外,今天2016最后一天班了,周日就坐車回家過年了。提前祝各位新春快樂。

最后編輯于
?著作權歸作者所有,轉載或內容合作請聯系作者
平臺聲明:文章內容(如有圖片或視頻亦包括在內)由作者上傳并發布,文章內容僅代表作者本人觀點,簡書系信息發布平臺,僅提供信息存儲服務。

推薦閱讀更多精彩內容

  • 發現 關注 消息 iOS 第三方庫、插件、知名博客總結 作者大灰狼的小綿羊哥哥關注 2017.06.26 09:4...
    肇東周閱讀 12,180評論 4 61
  • 文/郎溪縣地稅局 胡毓昕 收規“新鮮人”,展開雛鷹起飛的翅膀吧 很榮幸能參加此次宣城市國、地稅局...
    地稅青年小喇叭閱讀 601評論 0 0
  • 一 列車終于緩慢的駛入了杭州東站。天剛亮,窗外的景色有點朦朧,一大早就出現了這種不真實感。我晃了晃腦袋驅趕困意,努...
    白牙厚先生閱讀 408評論 0 0
  • 身邊的可愛的老人一個個故去,時常想寫一篇小文紀念他們,但是這個念頭持續了幾個年頭,還是懶惰不曾寫一個字,又一年過去...
    十年北山閱讀 621評論 0 1
  • 日清——付文豪——7月13日 地址:上海 一、昨日工作 1.深化安亭萬科的圖紙和方案。 2.整理金山村委光伏圖紙方...
    A文豪閱讀 224評論 0 0