Установка пользовательского имени файла назначения Alamofire вместо использования предлагаемого DownloadDestination

У меня есть много списков файла счета-фактуры в представлении таблицы, а также много кнопок загрузки в каждой ячейке. Когда я нажимаю одну из них, он загружает файл счета-фактуры. Но проблема заключается в том, что ответ сервера предлагает имя файла «invoice. pdf» в каждом файле, который я загрузил. Итак, мне нужно отредактировать имя файла вручную, прежде чем я сохраняю его в документ после его загрузки. Итак, как отредактировать имя файла вручную после его успешной загрузки и сохранить его в документе как временный URL-адрес без используя Alamofire.Request.suggestedDownloadDestination.

Вот моя функция загрузки.

func downloadInvoice(invoice: Invoice, completionHandler: (Double?, NSError?) -> Void) {

guard isInvoiceDownloaded(invoice) == false else {
  completionHandler(1.0, nil) // already have it
  return
}

let params = [
    "AccessToken" : “xadijdiwjad12121”]

// Can’t use the destination file anymore because my server only return one file name “invoice.pdf” no matter which file i gonna download
// So I have to manually edit my file name which i saved after it was downloaded.    
let destination = Alamofire.Request.suggestedDownloadDestination(directory: .DocumentDirectory, domain: .UserDomainMask)
// So I have to save file name like that ““2016_04_02_car_invoice_10021.pdf” [Date_car_invoice_timestamp(Long).pdf]
// Please look comment on tableView code

Alamofire.Manager.sharedInstance.session.configuration.HTTPAdditionalHeaders?.updateValue("application/pdf",forKey: "Content-Type")

Alamofire.download(.POST, invoice.url,parameters:params, destination: destination)
      .progress { bytesRead, totalBytesRead, totalBytesExpectedToRead in
        print(totalBytesRead)
        dispatch_async(dispatch_get_main_queue()) {
          let progress = Double(totalBytesRead) / Double(totalBytesExpectedToRead)
          completionHandler(progress, nil)
        }
      }
      .responseString { response in
        print(response.result.error)
        completionHandler(nil, response.result.error)
    }
  }

Вот представление таблицы, которое проверит загруженный файл, и когда он щелкнет, показано при открытии в функции.

override func tableView(tableView: UITableView, didSelectRowAtIndexPath indexPath: NSIndexPath) {
if let invoice = dataController.invoices?[indexPath.row] {
  dataController.downloadInvoice(invoice) { progress, error in
    // TODO: handle error
    print(progress)
    print(error)
    if (progress < 1.0) {
      if let cell = self.tableView.cellForRowAtIndexPath(indexPath), invoiceCell = cell as? InvoiceCell, progressValue = progress {
        invoiceCell.progressBar.hidden = false
        invoiceCell.progressBar.progress = Float(progressValue)
        invoiceCell.setNeedsDisplay()
      }
    }
    if (progress == 1.0) {
    // Here where i gonna get the downloaded file name from my model.
        // invoice.filename = (Assume “2016_04_02_car_invoice_10021”)
        if let filename = invoice.filename{
            let paths = NSSearchPathForDirectoriesInDomains(.DocumentDirectory, .UserDomainMask, true)
            let docs = paths[0]
            let pathURL = NSURL(fileURLWithPath: docs, isDirectory: true)
            let fileURL = NSURL(fileURLWithPath: filename, isDirectory: false, relativeToURL: pathURL)

            self.docController = UIDocumentInteractionController(URL: fileURL)
            self.docController?.delegate = self
            if let cell = self.tableView.cellForRowAtIndexPath(indexPath) {
                self.docController?.presentOptionsMenuFromRect(cell.frame, inView: self.tableView, animated: true)
                if let invoiceCell = cell as? InvoiceCell {
                    invoiceCell.accessoryType = .Checkmark
                    invoiceCell.setNeedsDisplay()
                }
            }
        }
    }
  }
}
}

Итак, мой вопрос прост. Я просто не хочу использовать этот код.

let destination = Alamofire.Request.suggestedDownloadDestination(directory: .DocumentDirectory, domain: .UserDomainMask)

потому что он использует response.suggestedfilename. И я хочу сохранить имя файла вручную в выбранных данных ячейки представления таблицы. Любая помощь? Пожалуйста, не обращайте внимания на то, что я разместил некоторый код в своем вопросе, потому что я хочу, чтобы все это ясно видели.


person Thiha Aung    schedule 22.04.2016    source источник


Ответы (1)


Назначение имеет тип (NSURL, NSHTTPURLResponse) -> NSURL. так что вы можете сделать что-то вроде этого

 Alamofire.download(.POST, invoice.url,parameters:params, destination: { (url, response) -> NSURL in

    let pathComponent = "yourfileName"

    let fileManager = NSFileManager.defaultManager()
    let directoryURL = fileManager.URLsForDirectory(.DocumentDirectory, inDomains: .UserDomainMask)[0]
    let fileUrl = directoryURL.URLByAppendingPathComponent(pathComponent)
    return fileUrl
    })
  .progress { bytesRead, totalBytesRead, totalBytesExpectedToRead in
    print(totalBytesRead)
    dispatch_async(dispatch_get_main_queue()) {
      let progress = Double(totalBytesRead) / Double(totalBytesExpectedToRead)
      completionHandler(progress, nil)
    }
    }
    .responseString { response in
      print(response.result.error)
      completionHandler(nil, response.result.error)
  }
}

Свифт 3.0

в быстрой версии 3.0 это DownloadFileDestination

 Alamofire.download(url, method: .get, to: { (url, response) -> (destinationURL: URL, options: DownloadRequest.DownloadOptions) in
  return (filePathURL, [.removePreviousFile, .createIntermediateDirectories])
})
 .downloadProgress(queue: utilityQueue) { progress in
    print("Download Progress: \(progress.fractionCompleted)")
}
.responseData { response in
    if let data = response.result.value {
        let image = UIImage(data: data)
    }
}

чтобы узнать больше, посетите Alamofire

person Sahil    schedule 22.04.2016
comment
Спасибо за более подробный ответ. - person Thiha Aung; 22.04.2016
comment
как написать то же самое в Swift 3.0? - person Zubin Gala; 14.12.2016