2015-06-19 2 views
0

Так что я искал весь день, и я исправил некоторые, но все же, я не могу отобразить. Итак, вот сделка:Невозможно отобразить на экране, Xcode6.1.1

Я начал писать Xcode в течение 3 дней, и я слежу за лекциями из Стэнфорда, так что коды выглядят как лекционные коды. Хотя почти все то же самое с кодами лекций, мой код не может отображать слова, взятые из Интернета. Цель состоит в том, чтобы построить словарь, и я перейду к написанию, если я смогу увидеть слова на своем симуляторе, iPhone 6.

Что я не понимаю, я посылаю сообщение в окно и сказал он должен взять контроллер навигации, в котором я нажал WordListViewController (вы можете видеть это в нижнем коде, в сегменте AppDelegate.m).

Вы можете найти свой код ниже:

WordListTableViewController.h

// 
// WordListTableViewController.h 
// Vocabulous 
// 
// Created by user30357 on 6/19/15. 
// Copyright (c) 2015 user30357. All rights reserved. 
// 

#import <UIKit/UIKit.h> 

@interface WordListTableViewController : UIViewController <UITableViewDelegate, UITableViewDataSource>{ 
    NSMutableDictionary *words; 
    NSArray *sections; 
} 

@end 

WordListTableViewController.m

// 
// WordListTableViewController.m 
// Vocabulous 
// 
// Created by user30357 on 6/19/15. 
// Copyright (c) 2015 user30357. All rights reserved. 
// 

#import "WordListTableViewController.h" 

@interface WordListTableViewController() 
@property (nonatomic, retain) NSMutableDictionary *words; 
@property (nonatomic, retain) NSArray *sections; 
@end 

@implementation WordListTableViewController 

@synthesize words, sections; 

- (NSMutableDictionary *) words{ 
    if(!words){ 
     NSURL *wordsURL = [NSURL URLWithString:@"http://cs193p.stanford.edu/vocabwords.txt"]; 
     words = [[NSMutableDictionary dictionaryWithContentsOfURL:wordsURL] retain]; 
    } 
    return words; 
} 

- (NSArray *) sections{ 
    if(!sections){ 
     sections = [[[self.words allKeys] sortedArrayUsingSelector:@selector(compare:)] retain]; 
    } 
    return sections; 
} 

- (void)viewDidLoad { 
    [super viewDidLoad]; 

    // Uncomment the following line to preserve selection between presentations. 
    // self.clearsSelectionOnViewWillAppear = NO; 

    // Uncomment the following line to display an Edit button in the navigation bar for this view controller. 
    // self.navigationItem.rightBarButtonItem = self.editButtonItem; 
} 

- (void)didReceiveMemoryWarning { 
    [super didReceiveMemoryWarning]; 
    // Dispose of any resources that can be recreated. 
} 

- (void)dealloc{ 
    [words release]; 
    [sections release]; 
    [super dealloc]; 
} 

#pragma mark - Table view data source 

- (NSInteger)numberOfSectionsInTableView:(UITableView *)tableView { 
    // Return the number of sections. 
    return self.sections.count; 
} 

- (NSInteger)tableView:(UITableView *)tableView numberOfRowsInSection:(NSInteger)section { 
    // Return the number of rows in the section. 
    NSArray *wordsInSection = [self.words objectForKey:[self.sections objectAtIndex:section]]; 
    return wordsInSection.count; 
} 

- (NSString *) wordAtIndexPath:(NSIndexPath *) indexPath{ 
    NSArray *wordsInSection = [self.words objectForKey:[self.sections objectAtIndex:indexPath.section]]; 
    return [wordsInSection objectAtIndex:indexPath.row]; 
} 

- (UITableViewCell *)tableView:(UITableView *)tableView cellForRowAtIndexPath:(NSIndexPath *)indexPath { 
    NSString *identifier = @"WordListTableViewCell"; 
    UITableViewCell *cell = [tableView dequeueReusableCellWithIdentifier:identifier]; 

    if(cell == nil) 
     cell = [[UITableViewCell alloc] initWithStyle:UITableViewCellStyleDefault reuseIdentifier:identifier]; 

    // Configure the cell... 
    cell.textLabel.text = [self wordAtIndexPath:indexPath]; 
    cell.accessoryType = UITableViewCellAccessoryDisclosureIndicator; 
    return cell; 
} 


/* 
// Override to support conditional editing of the table view. 
- (BOOL)tableView:(UITableView *)tableView canEditRowAtIndexPath:(NSIndexPath *)indexPath { 
    // Return NO if you do not want the specified item to be editable. 
    return YES; 
} 
*/ 

/* 
// Override to support editing the table view. 
- (void)tableView:(UITableView *)tableView commitEditingStyle:(UITableViewCellEditingStyle)editingStyle forRowAtIndexPath:(NSIndexPath *)indexPath { 
    if (editingStyle == UITableViewCellEditingStyleDelete) { 
     // Delete the row from the data source 
     [tableView deleteRowsAtIndexPaths:@[indexPath] withRowAnimation:UITableViewRowAnimationFade]; 
    } else if (editingStyle == UITableViewCellEditingStyleInsert) { 
     // Create a new instance of the appropriate class, insert it into the array, and add a new row to the table view 
    } 
} 
*/ 

/* 
// Override to support rearranging the table view. 
- (void)tableView:(UITableView *)tableView moveRowAtIndexPath:(NSIndexPath *)fromIndexPath toIndexPath:(NSIndexPath *)toIndexPath { 
} 
*/ 

/* 
// Override to support conditional rearranging of the table view. 
- (BOOL)tableView:(UITableView *)tableView canMoveRowAtIndexPath:(NSIndexPath *)indexPath { 
    // Return NO if you do not want the item to be re-orderable. 
    return YES; 
} 
*/ 

/* 
#pragma mark - Navigation 

// In a storyboard-based application, you will often want to do a little preparation before navigation 
- (void)prepareForSegue:(UIStoryboardSegue *)segue sender:(id)sender { 
    // Get the new view controller using [segue destinationViewController]. 
    // Pass the selected object to the new view controller. 
} 
*/ 

@end 

AppDelegate.h

// 
// AppDelegate.h 
// Vocabulous 
// 
// Created by user30357 on 6/19/15. 
// Copyright (c) 2015 user30357. All rights reserved. 
// 

#import <UIKit/UIKit.h> 

@interface AppDelegate : UIResponder <UIApplicationDelegate> 

@property (strong, nonatomic) UIWindow *window; 


@end 

AppDele gate.m

// 
// AppDelegate.m 
// Vocabulous 
// 
// Created by user30357 on 6/19/15. 
// Copyright (c) 2015 user30357. All rights reserved. 
// 

#import "AppDelegate.h" 
#import "WordListTableViewController.h" 
@interface AppDelegate() 

@end 

@implementation AppDelegate 

@synthesize window; 


- (BOOL)application:(UIApplication *)application didFinishLaunchingWithOptions:(NSDictionary *)launchOptions { 
    // Override point for customization after application launch. 

    WordListTableViewController *wltvc = [[WordListTableViewController alloc] init]; 
    UINavigationController *nav = [[UINavigationController alloc] init]; 
    [nav pushViewController:wltvc animated:NO]; 
    [wltvc release]; 
    [window addSubview:nav.view]; 
    [window makeKeyAndVisible]; 
    return YES; 
} 

- (void)applicationWillResignActive:(UIApplication *)application { 
    // Sent when the application is about to move from active to inactive state. This can occur for certain types of temporary interruptions (such as an incoming phone call or SMS message) or when the user quits the application and it begins the transition to the background state. 
    // Use this method to pause ongoing tasks, disable timers, and throttle down OpenGL ES frame rates. Games should use this method to pause the game. 
} 

- (void)applicationDidEnterBackground:(UIApplication *)application { 
    // Use this method to release shared resources, save user data, invalidate timers, and store enough application state information to restore your application to its current state in case it is terminated later. 
    // If your application supports background execution, this method is called instead of applicationWillTerminate: when the user quits. 
} 

- (void)applicationWillEnterForeground:(UIApplication *)application { 
    // Called as part of the transition from the background to the inactive state; here you can undo many of the changes made on entering the background. 
} 

- (void)applicationDidBecomeActive:(UIApplication *)application { 
    // Restart any tasks that were paused (or not yet started) while the application was inactive. If the application was previously in the background, optionally refresh the user interface. 
} 

- (void)applicationWillTerminate:(UIApplication *)application { 
    // Called when the application is about to terminate. Save data if appropriate. See also applicationDidEnterBackground:. 
} 

@end 

Эти 4 все, что у меня есть, как классы. Кроме того, моя раскадровка имеет класс WordListTableViewController, так как я удалил ViewController.

Надеюсь, вы можете мне помочь в ситуации, потому что я действительно собираюсь сходить с ума!

С благодарностью!

+0

Вы используете раскадровку? в вашем раскадровке вы дали имя контроллеру своего вида как WordListTableViewController? –

+0

Я не использую раскадровку, а Xcode6.1.1 –

+0

Вы не используете раскадровку, тогда где вы создаете пользовательский интерфейс? –

ответ

1

Вы не инициализируете окно. Это мой метод для запуска моего проекта.

В AppDelegate.h

@property (strong, nonatomic) UIWindow *window; 
@property (strong, nonatomic) UINavigationController *navigator; 

и @synthesize их.

- (BOOL)application:(UIApplication *)application didFinishLaunchingWithOptions:(NSDictionary *)launchOptions { 

    self.window=[[UIWindow alloc] initWithFrame:[[UIScreen mainScreen] bounds]]; 

    LoginViewController *controller=[[LoginViewController alloc] init]; 
    navigator = [[UINavigationController alloc] initWithRootViewController:controller]; 
    [self.window setRootViewController:navigator]; 
    [self.window makeKeyAndVisible]; 


    // Override point for customization after application launch. 
    return YES; 
} 
+0

Дала мне эту ошибку: В окнах приложений, как ожидается, будет установлен корневой контроллер в конце запуска приложения. –

+0

Прошу прощения, что я забыл фрагмент кода, чтобы установить корневой контроллер окна. Во всяком случае, я отредактировал свой ответ –

+0

На этот раз: однократное нажатие одного экземпляра контроллера экземпляра не поддерживается. Большое спасибо за вашу помощь! –

Смежные вопросы