Monotouch: визуализация предварительного просмотра страницы PDF в отдельных потоках время от времени - PullRequest
1 голос
/ 11 октября 2011

У меня есть UISlider. Он используется для быстрой навигации по PDF. Всякий раз, когда достигается порог для следующей страницы, я показываю UIView рядом с ручкой ползунка, которая содержит небольшой предварительный просмотр целевой страницы. Код слайдера выглядит ниже этого (некоторые части удалены). Если следующая страница достигнута, создается новый предварительный просмотр, в противном случае существующий перемещается вдоль ползунка.

Я получаю различные эффекты:

  • При просмотре множества страниц приложение вылетает на

    MonoTouch.CoreGraphics.CGContext.Dispose (bool) <0x00047> 11 октября 17:21:13 неизвестный UIKitApplication: com.brainloop.brainloopbrowser [0x1a2d] [2951]: at MonoTouch.CoreGraphics.CGContext.Finalize () <0x0002f>

  • или если я удалю вызовы Dispose () в последнем методе: [NSAutoreleasePool release]: This pool has already been released, do not drain it (double release).

Посмотрев на код, кто-нибудь понимает, что не так? Или весь подход использования потока неправильный?

this.oScrollSlider = new UISlider ();
this.oScrollSlider.TouchDragInside += delegate( object oSender, EventArgs oArgs )
{
this.iCurrentPage = (int)Math.Round (oScrollSlider.Value);
    if (this.iCurrentPage != this.iLastScrollSliderPage)
    {
        this.iLastScrollSliderPage = this.iCurrentPage;
        this.RenderScrollPreviewImage(this.iCurrentPage);
    }
};
this.oScrollSlider.ValueChanged += delegate
{
    if (this.oScrollSliderPreview != null)
    {
        this.oScrollSliderPreview.RemoveFromSuperview ();
        this.oScrollSliderPreview.Dispose();
        this.oScrollSliderPreview = null;
    }
    // Go to the selected page.
};

Метод создания предварительного просмотра - это выделение нового потока. Если пользователь изменяет страницы, пока поток все еще идет, он прерывается и следующая страница просматривается:

private void RenderScrollPreviewImage (int iPage)
{
// Create a new preview view if not there.  
if(this.oScrollSliderPreview == null)
    {
        SizeF oSize = new SizeF(150, 200);
        RectangleF oFrame = new RectangleF(new PointF (this.View.Bounds.Width - oSize.Width - 50, this.GetScrollSliderOffset (oSize)), oSize);
        this.oScrollSliderPreview = new UIView(oFrame);
        this.oScrollSliderPreview.BackgroundColor = UIColor.White;
        this.View.AddSubview(this.oScrollSliderPreview);    

        UIActivityIndicatorView oIndicator = new UIActivityIndicatorView(UIActivityIndicatorViewStyle.Gray);
        oIndicator.Center = new PointF(this.oScrollSliderPreview.Bounds.Width/2, this.oScrollSliderPreview.Bounds.Height/2);
        this.oScrollSliderPreview.AddSubview(oIndicator);
        oIndicator.StartAnimating();
}
            // Remove all subviews, except the activity indicator.
            if(this.oScrollSliderPreview.Subviews.Length > 0)
            {
                foreach(UIView oSubview in this.oScrollSliderPreview.Subviews)
                {
                    if(!(oSubview is UIActivityIndicatorView))
                    {
                        oSubview.RemoveFromSuperview();
                    }
                }
            }

// Kill the currently running thread that renders a preview.
            if(this.oRenderScrollPreviewImagesThread != null)
            {
                try
                {
                    this.oRenderScrollPreviewImagesThread.Abort();
                }
                catch(ThreadAbortException)
                {
                    // Expected.
                }
            }

// Start a new rendering thread.
            this.oRenderScrollPreviewImagesThread = new Thread (delegate()
            {
                using (var oPool = new NSAutoreleasePool())
                {
                    try
                    {
// Create a quick preview.
                        UIImageView oImgView = PdfViewerHelpers.GetLowResPagePreview (this.oPdfDoc.GetPage (iPage), new RectangleF (0, 0, 150, 200));
                        this.InvokeOnMainThread(delegate
                        {
                            if(this.oScrollSliderPreview != null)
                            {
                                oImgView.Center = new PointF(this.oScrollSliderPreview.Bounds.Width/2, this.oScrollSliderPreview.Bounds.Height/2);
// Add the PDF image to the preview view.                               
this.oScrollSliderPreview.AddSubview(oImgView);
                            }
                        });
                    }
                    catch (Exception)
                    {
                    }
                }
            });
// Start the thread.
            this.oRenderScrollPreviewImagesThread.Start ();
        }

Для рендеринга изображения PDF я использую это:

internal static UIImageView GetLowResPagePreview (CGPDFPage oPdfPage, RectangleF oTargetRect)
        {
            RectangleF oPdfPageRect = oPdfPage.GetBoxRect (CGPDFBox.Media);

            // If preview is requested for the PDF index view, render a smaller version.
            float fAspectScale = 1.0f;
            if (!oTargetRect.IsEmpty)
            {
                fAspectScale = GetAspectZoomFactor (oTargetRect.Size, oPdfPageRect.Size, false);
                // Resize the PDF page so that it fits the target rectangle.
                oPdfPageRect = new RectangleF (new PointF (0, 0), GetFittingBox (oTargetRect.Size, oPdfPageRect.Size));
            }

            // Create a low res image representation of the PDF page to display before the TiledPDFView
            // renders its content.
            int iWidth = Convert.ToInt32 ( oPdfPageRect.Size.Width );
            int iHeight = Convert.ToInt32 ( oPdfPageRect.Size.Height );
            CGColorSpace oColorSpace = CGColorSpace.CreateDeviceRGB();
            CGBitmapContext oContext = new CGBitmapContext(null, iWidth, iHeight, 8, iWidth * 4, oColorSpace, CGImageAlphaInfo.PremultipliedLast);

            // First fill the background with white.
            oContext.SetFillColor (1.0f, 1.0f, 1.0f, 1.0f);
            oContext.FillRect (oPdfPageRect);

            // Scale the context so that the PDF page is rendered 
            // at the correct size for the zoom level.
            oContext.ScaleCTM (fAspectScale, fAspectScale);
            oContext.DrawPDFPage (oPdfPage);

            CGImage oImage = oContext.ToImage();
            UIImage oBackgroundImage = UIImage.FromImage( oImage);
            oContext.Dispose();
            oImage.Dispose ();
            oColorSpace.Dispose ();

            UIImageView oBackgroundImageView = new UIImageView (oBackgroundImage);
            oBackgroundImageView.Frame = new RectangleF (new PointF (0, 0), oPdfPageRect.Size);
            oBackgroundImageView.ContentMode = UIViewContentMode.ScaleToFill;
            oBackgroundImageView.UserInteractionEnabled = false;
            oBackgroundImageView.AutoresizingMask = UIViewAutoresizing.None;

            return oBackgroundImageView;
        }

Ответы [ 2 ]

0 голосов
/ 15 ноября 2012

Избавьтесь от Thread.Abort (), как предлагает Джонатан.

Не запускайте новый поток для каждого изображения, вместо этого создайте один фоновый поток с рабочей очередью. Затем просто поместите самую важную страницу в начало очереди, чтобы она отображалась как можно быстрее. Вы также можете по желанию ограничить размер очереди или удалить из нее ненужные элементы.

0 голосов
/ 12 октября 2011

Избегайте Thread.Abort().

Да, вот несколько ссылок, говорящих об этом:

http://www.interact -sw.co.uk / iangblog / 2004/11/12 / отмена

http://haacked.com/archive/2004/11/12/how-to-stop-a-thread.aspx

Если вы можете использовать функции .Net 4.0, используйте их. С Task<T>, вероятно, легче работать в вашем случае.

Кроме того, я думаю, что было бы полезно создать некоторое регулирование и запускать новый поток только после 25-100 миллисекунд бездействия пользователя.

...