Цель-C: Как запрограммировать последовательность событий - PullRequest
2 голосов
/ 23 апреля 2011

Objective-C сводит меня с ума. Я знаю, что это не язык, который обрабатывает каждую команду за другой, но что, если мне нужно сделать это?

Например, моя проблема в том, что я хотел бы:

  1. Сделайте снимок экрана моего текущего экрана iPhone
  2. Прежде чем добавить этот скриншот на мой экран, я бы хотел добавить еще один вид
  3. Затем добавьте снимок экрана, чтобы другой вид был СКРЫТЫМ БЕНЕАТ
  4. Затем создайте анимацию, которая снимает скриншот с экрана и показывает, что скрыто под

Прямо сейчас приложение сделает снимок экрана со всеми представлениями, добавленными в метод (полностью игнорируя мой порядок событий), и не будет скрывать добавленное представление ЗА СКОРОМ моего снимка экрана. Что бы я ни пытался сделать, все всегда происходит сразу, и это отстой.

Это мой код:

- (void)takeScreenShot
{
    screenShotView = [[UIImageView alloc] initWithImage:[self screenshot]];
    [screenShotView setFrame:CGRectMake(0, -20, 320, 480)];

    accessoryView.hidden = YES;
    [self.view addSubview:accessoryView]; // which is hidden beneath and about to be revealed
    [self.view addSubview:screenShotView];

    [self.view bringSubviewToFront:screenShotView];

    [self startAnimation];
}

- (void)startAnimation
{
    [UIView animateWithDuration:0.0
                          delay:0
                        options:UIViewAnimationOptionCurveEaseIn
                     animations:^{

                         accessoryView.hidden = NO;

                     }
                     completion:^(BOOL finished){
                         [UIView animateWithDuration:3.0
                                               delay:0
                                             options:UIViewAnimationOptionCurveLinear
                                          animations:^{
                                              screenShotView.transform = CGAffineTransformMakeTranslation(-320, 0);   
                                          }
                                          completion:^(BOOL finished){                                        
                                          }
                          ];    
                     }];
}



- (UIImage*)screenshot 
{
    // Create a graphics context with the target size
    // On iOS 4 and later, use UIGraphicsBeginImageContextWithOptions to take the scale into consideration
    // On iOS prior to 4, fall back to use UIGraphicsBeginImageContext
    CGSize imageSize = [[UIScreen mainScreen] bounds].size;
    if (NULL != UIGraphicsBeginImageContextWithOptions)
        UIGraphicsBeginImageContextWithOptions(imageSize, NO, 0);
    else
        UIGraphicsBeginImageContext(imageSize);

    CGContextRef context = UIGraphicsGetCurrentContext();

    // Iterate over every window from back to front
    for (UIWindow *window in [[UIApplication sharedApplication] windows]) 
    {
        if (![window respondsToSelector:@selector(screen)] || [window screen] == [UIScreen mainScreen])
        {
            // -renderInContext: renders in the coordinate space of the layer,
            // so we must first apply the layer's geometry to the graphics context
            CGContextSaveGState(context);
            // Center the context around the window's anchor point
            CGContextTranslateCTM(context, [window center].x, [window center].y);
            // Apply the window's transform about the anchor point
            CGContextConcatCTM(context, [window transform]);
            // Offset by the portion of the bounds left of and above the anchor point
            CGContextTranslateCTM(context,
                                  -[window bounds].size.width * [[window layer] anchorPoint].x,
                                  -[window bounds].size.height * [[window layer] anchorPoint].y);

            // Render the layer hierarchy to the current context
            [[window layer] renderInContext:context];

            // Restore the context
            CGContextRestoreGState(context);
        }
    }

    // Retrieve the screenshot image
    UIImage *image = UIGraphicsGetImageFromCurrentImageContext();

    UIGraphicsEndImageContext();

    return image;
}

1 Ответ

1 голос
/ 23 апреля 2011

Это не реальный ответ, но в комментариях недостаточно места.

Я просто воссоздал простой проект, чтобы посмотреть, влияет ли порядок добавления представлений на скриншот.

Я использовал шаблон приложения на основе представления.Перо имеет две кнопки, связанные со свойствами btn1 и btn2.Смотрите скриншот 1. Верхняя кнопка btn1 подключается к действию, чтобы начать снимать скриншот и добавлять его под кнопками, чтобы увидеть разницу.Вторая кнопка изначально скрыта.

снимок экрана 1

enter image description here

Вот мой код viewController.myView - это ваше вспомогательное представление, которое будет создано в viewWillAppear.Это представление содержит метку, как вы увидите позже.

Заголовок

...

@interface ScreenshotviewsViewController : UIViewController 
{
    UIButton *btn1;
    UIButton *btn2;

    UIView *myView;
}

@property (nonatomic ,retain) IBOutlet UIButton *btn1;
@property (nonatomic ,retain) IBOutlet UIButton *btn2;
@property (nonatomic ,retain) UIView *myView;

- (IBAction)doTheThings;

@end

Я пропущу ваш метод скриншота: ничего не изменилось, работает как шарм :).Результат в снимок экрана 2

  • сделать снимок экрана
  • show btn2
  • добавить myView как подпредставление
  • добавить снимок экрана в подпредставление

Как видите, на скриншоте другие виды не видны.Я просто добавил его под кнопками, чтобы увидеть различия.

Реализация: случай 1

- (void)viewWillAppear:(BOOL)animated
{
    self.myView = [[[UIView alloc] initWithFrame:CGRectMake(0, 20, 320, 50)] autorelease];

    UILabel *label = [[UILabel alloc] initWithFrame:CGRectMake(5, 5, 200, 40)];
    myView.backgroundColor = [UIColor greenColor];
    [myView addSubview:label];

    label.text = @"fooo";

    [label release];
}

- (IBAction)doTheThings
{
    UIImageView *screenShotView = [[UIImageView alloc] initWithImage:[self screenshot]];
    [screenShotView setFrame:CGRectMake(0, 230, 320, 480)];

    btn2.hidden = NO;

    [self.view addSubview:myView];
    [self.view addSubview:screenShotView];
    [screenShotView release];
}

снимок экрана 2

enter image description here

вариант два будет

  • show btn2
  • добавить myView в качестве подпредставления
  • сделать снимок экрана
  • добавить скриншот в качестве подпредставления

    • (IBAction) doTheThings {btn2.hidden = NO;[self.view addSubview: myView];

      UIImageView * screenShotView = [[UIImageView alloc] initWithImage: [self screenshot]];[screenShotView setFrame: CGRectMake (0, 230, 320, 480)];

      [self.view addSubview: screenShotView];[релиз screenShotView];}

снимок экрана 3

enter image description here

Как видно, заказ распознан,Я пропустил анимацию, хотя.Удалите анимацию и посмотрите, работает ли тогда.Еще попробуйте сделать это в отдельном проекте, как я, и посмотрите, работает ли он изолированно.Если да, нам придется больше вникать в ваше приложение.

...