web-dev-qa-db-ja.com

タイプ「StorageMetadata」の値にメンバー「downloadURL」がありません

Firebase Storageを5.0.0に更新したところ、metadata.downloadURL()が認識されなくなったようです。 (Value of type 'StorageMetadata' has no member 'downloadURL'

ただし、ドキュメントを調べた後でも利用できるはずです。

https://firebase.google.com/docs/reference/Swift/firebasestorage/api/reference/Classes/StorageMetadata#/c:objc(cs)FIRStorageMetadata(im)downloadURL

プロジェクトは既にクリーンアップされ、再構築されています。

何か不足していますか?

6
vbuzze

試して頂けますか

// Create a reference to the file you want to download
let starsRef = storageRef.child("images/stars.jpg")

// Fetch the download URL
starsRef.downloadURL { url, error in
  if let error = error {
    // Handle any errors
  } else {
    // Get the download URL for 'images/stars.jpg'
  }
}
15
Sh_Khan

これはSwift 3/Swift 4。

コードで何が起きるかの説明。

これは、Sh_Khanの答えと本質的に同じです。しかし、彼の例では、ユーザーはすでにバケットのパスを知っています。私の例では、アップロードタスクからパスを取得します。これがこの質問に私を導いたものであり、opがmetadata.downloadURL()の置き換えを探していたときにopが探していたものだと思います。

class StorageManagager {


    private let storageReference: StorageReference

    init() {

        // first we create a reference to our storage
        // replace the URL with your firebase URL
        self.storageReference = Storage.storage().reference(forURL: "gs://MYAPP.appspot.com")
    }

    // MARK: - UPLOAD DATA
    open func uploadData(_ data: Data, named filename: String, completion: @escaping (URL? , Error?) -> Void) {

        let reference = self.storageReference.child(filename)
        let metadata = StorageMetadata()
        metadata.contentType = "ourType" // in my example this was "PDF"

        // we create an upload task using our reference and upload the 
        // data using the metadata object
        let uploadTask = reference.putData(data, metadata: metadata) { metadata, error in

            // first we check if the error is nil
            if let error = error {

                completion(nil, error)
                return
            }

            // then we check if the metadata and path exists
            // if the error was nil, we expect the metadata and path to exist
            // therefore if not, we return an error
            guard let metadata = metadata, let path = metadata.path else {
                completion(nil, NSError(domain: "core", code: 0, userInfo: [NSLocalizedDescriptionKey: "Unexpected error. Path is nil."]))
                return
            }

            // now we get the download url using the path
            // and the basic reference object (without child paths)
            self.getDownloadURL(from: path, completion: completion)
        }

        // further we are able to use the uploadTask for example to 
        // to get the progress
    }

    // MARK: - GET DOWNLOAD URL
    private func getDownloadURL(from path: String, completion: @escaping (URL?, Error?) -> Void) {

        self.storageReference.child(path).downloadURL(completion: completion)
    }

}
4
David Seek

Swift 4.2でこのコードを試してみましょう:

let imgData = UIImage.jpegData(self.imageView.image!)

let imageName = UUID().uuidString
let ref = Storage.storage().reference().child("pictures/\(imageName).jpg")
let meta = StorageMetadata()
meta.contentType = "image/jpeg"

self.uploadToCloud(data: imgData(0.5)!, ref: ref, meta: meta)

UploadToCloudメソッド:

` Method UploadToCloud
func uploadToCloud(data:Data, ref:StorageReference, meta:StorageMetadata) {
    ref.putData(data, metadata: meta) { (metaData, error) in
        if let e = error {
            print("==> error: \(e.localizedDescription)")
        }
        else 
        {
            ref.downloadURL(completion: { (url, error) in
                print("Image URL: \((url?.absoluteString)!)")
            })
        }
    }
}
2
Soeng Saravit

この質問は、すべての言語検索でポップアップします。したがって、Kotlinの場合、解決策は次のようなものです。

val photoRef = FirebaseStorage.getInstance()
                .reference.child("images/stars.jpg")

// Code ommited - Do some saving - putFile

    photoRef.downloadUrl.addOnSuccessListener({ uri ->
                         product.imageUrl = uri.toString()
                     })

ただし、これは良い解決策ではありません。パスを保存し、オンデマンドで完全なURLを再構築する方がよいでしょう。例えば:

photoRef.downloadUrl.addOnSuccessListener({ uri ->  
            val imagePath = uri.toString()
            // Save to database
        })

これで、後でそれをオンデマンドでのみ使用できます。

FirebaseStorage.getInstance().reference.child(product.imageUrl).downloadUrl
                    .addOnSuccessListener { uri ->
                        String imageUrl = uri.toString()
                        // Load in images
                    }
1
Rowland Mtetezi