だから私は私のアプリケーションでTwitter APIを使用するためにファブリックプラグイン/ Twitterキットを使用しています。有名人のプロフィール写真の画像URLを取得したいです。以下が私のコードです。
func getImageURL(celebrity :String) -> String{
var imageURL = ""
let client = TWTRAPIClient()
let statusesShowEndpoint = userSearch
let params = ["q": celebrity,
"page" : "1",
"count" : "1"
]
var clientError : NSError?
let request = client.URLRequestWithMethod("GET", URL: statusesShowEndpoint, parameters: params, error: &clientError)
client.sendTwitterRequest(request) { (response, data, connectionError) -> Void in
if connectionError != nil {
print("Error: \(connectionError)")
}
do {
let json = try NSJSONSerialization.JSONObjectWithData(data!, options: [])
print("json: \(json)")
let profileImageURL: String? = json[0].valueForKey("profile_image_url_https") as? String
imageURL = self.cropTheUrlOfImage(profileImageURL!)
print(imageURL)
//how do i return the value back. confused ?????
return imageURL
} catch let jsonError as NSError {
print("json error: \(jsonError.localizedDescription)")
}
}
return imageURL
}
クロージャが完全に実行される前にメソッドが終了するため、値を返す方法がわかりません。私はSwiftを初めて使用します。
このメソッドをtableViewのcellForRowIndexPathで使用して、imageURlから画像をダウンロードします。
正解です。sendTwitterRequest
は、関数が既に戻った後に戻ります。そのため、外部関数がimageURLを返す方法はありません。
代わりに、クロージャで、セルに必要な戻り値を取得し、それを(メンバー変数の)どこかに格納し、tableViewにそれ自体を更新させます(例:tableView.reloadData()
)。
これにより、セルが再度取得されます(cellForRow ...)。呼び出しからの値を格納したメンバー変数を使用するように実装を変更します。
@escapingクロージャーから戻る必要があります。関数を変更する
func getImageURL(celebrity: String) -> String {
}
に
func getImageURL(celebrity: String, completion: @escaping(String)->()) {
// your code
completion(imgURL)
}
以下のように使用できます
getImageURL(celebrity: String) { (imgURL) in
self.imgURL = imgURL // Using self as the closure is running in background
}
以下は、完了のためのクロージャーを使用して複数のメソッドを作成する方法の例です。
class ServiceManager: NSObject {
// Static Instance variable for Singleton
static var sharedSessionManager = ServiceManager()
// Function to execute GET request and pass data from escaping closure
func executeGetRequest(with urlString: String, completion: @escaping (Data?) -> ()) {
let url = URL.init(string: urlString)
let urlRequest = URLRequest(url: url!)
URLSession.shared.dataTask(with: urlRequest) { (data, response, error) in
// Log errors (if any)
if error != nil {
print(error.debugDescription)
} else {
// Passing the data from closure to the calling method
completion(data)
}
}.resume() // Starting the dataTask
}
// Function to perform a task - Calls executeGetRequest(with urlString:) and receives data from the closure.
func downloadMovies(from urlString: String, completion: @escaping ([Movie]) -> ()) {
// Calling executeGetRequest(with:)
executeGetRequest(with: urlString) { (data) in // Data received from closure
do {
// JSON parsing
let responseDict = try JSONSerialization.jsonObject(with: data!, options: .allowFragments) as? [String: Any]
if let results = responseDict!["results"] as? [[String:Any]] {
var movies = [Movie]()
for obj in results {
let movie = Movie(movieDict: obj)
movies.append(movie)
}
// Passing parsed JSON data from closure to the calling method.
completion(movies)
}
} catch {
print("ERROR: could not retrieve response")
}
}
}
}
以下は、値を渡すために使用する例です。
ServiceManager.sharedSessionManager.downloadMovies(from: urlBase) { (movies : [Movie]) in // Object received from closure
self.movies = movies
DispatchQueue.main.async {
// Updating UI on main queue
self.movieCollectionView.reloadData()
}
}
これが同じ解決策を探している人に役立つことを願っています。