ios – 在Share Extension(Swift)中处理NSItemProvider数据类型

前端之家收集整理的这篇文章主要介绍了ios – 在Share Extension(Swift)中处理NSItemProvider数据类型前端之家小编觉得挺不错的,现在分享给大家,也给大家做个参考。
我在 Swift(3)中遇到Share Extension编程问题.
我的主要问题是处理NSItemProvider的数据类型.
这是问题所在:根据我启动扩展程序的应用程序,我得到了不同类型的数据.例如:
我告诉申请:
  1. let IMAGE_TYPE = kUTTypeImage as String
  2. if attachment.hasItemConformingToTypeIdentifier(IMAGE_TYPE){
  3. attachment.loadItem(forTypeIdentifier: IMAGE_TYPE,options: nil){ data,error in
  4. ...
  5. }

(注意:附件的类型为NSItemProvider)
从照片应用程序执行时,数据是一个URL,所以我从中创建一个UIImage并继续.
问题是,对于某些应用程序,数据已经是UIImage,我无法找到如何区分大小写.
最好的方法可能是检查数据对象的数据类型,但至少对我来说并不是微不足道的.

在此先感谢您的帮助!

解决方法

据我测试,在某些情况下,您将拥有数据数据.因此,如果您不想为此方法编写Objective-C包装器,则可能需要编写类似这样的内容
  1. if attachment.hasItemConformingToTypeIdentifier(IMAGE_TYPE) {
  2. attachment.loadItem(forTypeIdentifier: IMAGE_TYPE,options: nil) { data,error in
  3. let myImage: UIImage?
  4. switch data {
  5. case let image as UIImage:
  6. myImage = image
  7. case let data as Data:
  8. myImage = UIImage(data: data)
  9. case let url as URL:
  10. myImage = UIImage(contentsOfFile: url.path)
  11. default:
  12. //There may be other cases...
  13. print("Unexpected data:",type(of: data))
  14. myImage = nil
  15. }
  16. //...
  17. }
  18. }

(未经测试,您可能需要修复某些部件.)

在Objective-C中,您可以将一个Objective-C块(UIImage * item,NSError * error)传递给loadItemForTypeIdentifier的completionHandler:options:completionHandler:.在这种情况下,项目提供程序尝试将所有排序的图像数据转换为UIImage.

NSItemProviderCompletionHandler

Discussion

item

The item to be loaded. When specifying your block,set the type of this parameter to the specific data type you want. … The item provider attempts to coerce the data to the class you specify.

所以,如果你不介意编写一些Objective-C包装器,你可以写这样的东西:

NSItemProvider Swift.h:

  1. @import UIKit;
  2.  
  3. typedef void (^NSItemProviderCompletionHandlerForImage)(UIImage *image,NSError *error);
  4.  
  5. @interface NSItemProvider(Swift)
  6. - (void)loadImageForTypeIdentifier:(NSString *)typeIdentifier
  7. options:(NSDictionary *)options
  8. completionHandler:(NSItemProviderCompletionHandlerForImage)completionHandler;
  9. @end

NSItemProvider Swift.m:

  1. #import "NSItemProvider+Swift.h"
  2.  
  3. @implementation NSItemProvider(Swift)
  4.  
  5. - (void)loadImageForTypeIdentifier:(NSString *)typeIdentifier
  6. options:(NSDictionary *)options
  7. completionHandler:(NSItemProviderCompletionHandlerForImage)completionHandler {
  8. [self loadItemForTypeIdentifier:typeIdentifier
  9. options:options
  10. completionHandler:completionHandler];
  11. }
  12.  
  13. @end

{YourProject} -Bridging-Header.h:

  1. #import "NSItemProvider+Swift.h"

并使用Swift作为:

  1. if attachment.hasItemConformingToTypeIdentifier(IMAGE_TYPE) {
  2. attachment.loadImage(forTypeIdentifier: IMAGE_TYPE,options: nil) { myImage,error in
  3. //...
  4. }
  5. }

在我看来,Apple应提供NSItemProvider的这种类型安全扩展,您可以使用Apple的Bug Reporter编写功能请求.

猜你在找的iOS相关文章