session-ios/SignalMessaging/attachments/AttachmentApprovalViewController.swift

537 lines
20 KiB
Swift
Raw Normal View History

2017-12-06 00:09:05 +01:00
//
// Copyright (c) 2017 Open Whisper Systems. All rights reserved.
//
import Foundation
import MediaPlayer
@objc
public protocol AttachmentApprovalViewControllerDelegate: class {
func didApproveAttachment(attachment: SignalAttachment)
func didCancelAttachment(attachment: SignalAttachment)
2017-12-06 00:09:05 +01:00
}
@objc
public class AttachmentApprovalViewController: OWSViewController, CaptioningToolbarDelegate {
2017-12-06 00:09:05 +01:00
let TAG = "[AttachmentApprovalViewController]"
weak var delegate: AttachmentApprovalViewControllerDelegate?
// MARK: Properties
let attachment: SignalAttachment
2017-12-12 21:45:27 +01:00
private(set) var bottomToolbar: UIView!
private(set) var mediaMessageView: MediaMessageView!
private(set) var scrollView: UIScrollView!
2017-12-06 00:09:05 +01:00
// MARK: Initializers
@available(*, unavailable, message:"use attachment: constructor instead.")
required public init?(coder aDecoder: NSCoder) {
fatalError("unimplemented")
}
@objc
2017-12-06 00:09:05 +01:00
required public init(attachment: SignalAttachment, delegate: AttachmentApprovalViewControllerDelegate) {
assert(!attachment.hasError)
self.attachment = attachment
self.delegate = delegate
2017-12-06 00:09:05 +01:00
super.init(nibName: nil, bundle: nil)
}
// MARK: View Lifecycle
override public func viewDidLoad() {
super.viewDidLoad()
self.navigationItem.title = dialogTitle()
}
2017-12-06 00:09:05 +01:00
override public func viewWillLayoutSubviews() {
Logger.debug("\(logTag) in \(#function)")
super.viewWillLayoutSubviews()
2017-12-06 00:09:05 +01:00
// e.g. if flipping to/from landscape
updateMinZoomScaleForSize(view.bounds.size)
2017-12-06 00:09:05 +01:00
}
private func dialogTitle() -> String {
guard let filename = mediaMessageView.formattedFileName() else {
return NSLocalizedString("ATTACHMENT_APPROVAL_DIALOG_TITLE",
comment: "Title for the 'attachment approval' dialog.")
}
return filename
}
override public func viewWillAppear(_ animated: Bool) {
Logger.debug("\(logTag) in \(#function)")
2017-12-06 00:09:05 +01:00
super.viewWillAppear(animated)
mediaMessageView.viewWillAppear(animated)
}
override public func viewDidAppear(_ animated: Bool) {
Logger.debug("\(logTag) in \(#function)")
super.viewDidAppear(animated)
}
2017-12-06 00:09:05 +01:00
override public func viewWillDisappear(_ animated: Bool) {
Logger.debug("\(logTag) in \(#function)")
2017-12-06 00:09:05 +01:00
super.viewWillDisappear(animated)
mediaMessageView.viewWillDisappear(animated)
}
// MARK: - Create Views
public override func loadView() {
self.view = UIView()
self.mediaMessageView = MediaMessageView(attachment: attachment, mode: .attachmentApproval)
// Scroll View - used to zoom/pan on images and video
scrollView = UIScrollView()
view.addSubview(scrollView)
scrollView.delegate = self
scrollView.showsHorizontalScrollIndicator = false
scrollView.showsVerticalScrollIndicator = false
// Panning should stop pretty soon after the user stops scrolling
scrollView.decelerationRate = UIScrollViewDecelerationRateFast
// We want scroll view content up and behind the system status bar content
// but we want other content (e.g. bar buttons) to respect the top layout guide.
self.automaticallyAdjustsScrollViewInsets = false
scrollView.autoPinEdgesToSuperviewEdges()
let backgroundColor = UIColor.black
self.view.backgroundColor = backgroundColor
// Create full screen container view so the scrollView
// can compute an appropriate content size in which to center
// our media view.
let containerView = UIView.container()
scrollView.addSubview(containerView)
containerView.autoPinEdgesToSuperviewEdges()
containerView.autoMatch(.height, to: .height, of: self.view)
containerView.autoMatch(.width, to: .width, of: self.view)
containerView.addSubview(mediaMessageView)
mediaMessageView.autoPinEdgesToSuperviewEdges()
if isZoomable {
// Add top and bottom gradients to ensure toolbar controls are legible
// when placed over image/video preview which may be a clashing color.
let topGradient = GradientView(from: backgroundColor, to: UIColor.clear)
self.view.addSubview(topGradient)
topGradient.autoPinWidthToSuperview()
topGradient.autoPinEdge(toSuperviewEdge: .top)
topGradient.autoSetDimension(.height, toSize: ScaleFromIPhone5(60))
let bottomGradient = GradientView(from: UIColor.clear, to: backgroundColor)
self.view.addSubview(bottomGradient)
bottomGradient.autoPinWidthToSuperview()
bottomGradient.autoPinEdge(toSuperviewEdge: .bottom)
bottomGradient.autoSetDimension(.height, toSize: ScaleFromIPhone5(100))
}
// Hide the play button embedded in the MediaView and replace it with our own.
// This allows us to zoom in on the media view without zooming in on the button
if attachment.isVideo {
self.mediaMessageView.videoPlayButton?.isHidden = true
let playButton = UIButton()
playButton.accessibilityLabel = NSLocalizedString("PLAY_BUTTON_ACCESSABILITY_LABEL", comment: "accessability label for button to start media playback")
playButton.setBackgroundImage(#imageLiteral(resourceName: "play_button"), for: .normal)
playButton.contentMode = .scaleAspectFit
let playButtonWidth = ScaleFromIPhone5(70)
playButton.autoSetDimensions(to: CGSize(width: playButtonWidth, height: playButtonWidth))
self.view.addSubview(playButton)
playButton.addTarget(self, action: #selector(playButtonTapped), for: .touchUpInside)
playButton.autoCenterInSuperview()
}
2017-12-06 00:09:05 +01:00
// Top Toolbar
let topToolbar = makeClearToolbar()
self.view.addSubview(topToolbar)
topToolbar.autoPinWidthToSuperview()
topToolbar.autoPin(toTopLayoutGuideOf: self, withInset: 0)
topToolbar.setContentHuggingVerticalHigh()
topToolbar.setCompressionResistanceVerticalHigh()
let cancelButton = UIBarButtonItem(barButtonSystemItem: .stop, target: self, action: #selector(cancelPressed))
cancelButton.tintColor = UIColor.white
topToolbar.items = [cancelButton]
// Bottom Toolbar
let captioningToolbar = CaptioningToolbar()
captioningToolbar.captioningToolbarDelegate = self
self.bottomToolbar = captioningToolbar
2017-12-12 21:45:27 +01:00
}
override public var inputAccessoryView: UIView? {
2017-12-14 23:35:20 +01:00
self.bottomToolbar.layoutIfNeeded()
2017-12-15 15:24:40 +01:00
return self.bottomToolbar
2017-12-12 21:45:27 +01:00
}
override public var canBecomeFirstResponder: Bool {
return true
}
private func makeClearToolbar() -> UIToolbar {
let toolbar = UIToolbar()
2017-12-06 00:09:05 +01:00
toolbar.backgroundColor = UIColor.clear
2017-12-06 00:09:05 +01:00
// Making a toolbar transparent requires setting an empty uiimage
toolbar.setBackgroundImage(UIImage(), forToolbarPosition: .any, barMetrics: .default)
2017-12-06 00:09:05 +01:00
// hide 1px top-border
toolbar.clipsToBounds = true
2017-12-06 00:09:05 +01:00
return toolbar
2017-12-06 00:09:05 +01:00
}
// MARK: - Event Handlers
@objc
public func playButtonTapped() {
mediaMessageView.playVideo()
}
2017-12-06 00:09:05 +01:00
func cancelPressed(sender: UIButton) {
self.delegate?.didCancelAttachment(attachment: attachment)
2017-12-06 00:09:05 +01:00
}
// MARK: CaptioningToolbarDelegate
func captioningToolbarDidBeginEditing(_ captioningToolbar: CaptioningToolbar) {
self.shouldShrinkAttachment = true
}
func captioningToolbarDidEndEditing(_ captioningToolbar: CaptioningToolbar) {
self.shouldShrinkAttachment = false
}
func captioningToolbarDidTapSend(_ captioningToolbar: CaptioningToolbar, captionText: String?) {
self.sendAttachment(captionText: captionText)
}
func captioningToolbar(_ captioningToolbar: CaptioningToolbar, didChangeTextViewHeight newHeight: CGFloat) {
Logger.info("Changed height: \(newHeight)")
}
2017-12-20 04:26:27 +01:00
// MARK: Helpers
var isZoomable: Bool {
return attachment.isImage || attachment.isVideo
}
2017-12-20 04:26:27 +01:00
private func sendAttachment(captionText: String?) {
// disable controls after send was tapped.
self.bottomToolbar.isUserInteractionEnabled = false
// FIXME
// this is just a temporary hack to provide some UI
// until we have a proper progress indicator
let activityIndicatorView = UIActivityIndicatorView()
view.addSubview(activityIndicatorView)
activityIndicatorView.autoCenterInSuperview()
activityIndicatorView.startAnimating()
attachment.captionText = captionText
self.delegate?.didApproveAttachment(attachment: attachment)
}
// When the keyboard is popped, it can obscure the attachment view.
private var shouldShrinkAttachment: Bool = false {
didSet {
UIView.animate(withDuration: 0.2) {
if self.shouldShrinkAttachment {
let kScaleFactor: CGFloat = 0.7
let scale = CGAffineTransform(scaleX: kScaleFactor, y: kScaleFactor)
let originalHeight = self.scrollView.bounds.size.height
// Position the new scaled item to be centered with respect
// to it's new size.
let heightDelta = originalHeight * (1 - kScaleFactor)
let translate = CGAffineTransform(translationX: 0, y: -heightDelta / 2)
self.scrollView.transform = scale.concatenating(translate)
} else {
self.scrollView.transform = CGAffineTransform.identity
}
}
}
}
}
extension AttachmentApprovalViewController: UIScrollViewDelegate {
public func viewForZooming(in scrollView: UIScrollView) -> UIView? {
if isZoomable {
return mediaMessageView
} else {
// don't zoom for audio or generic attachments.
return nil
}
}
fileprivate func updateMinZoomScaleForSize(_ size: CGSize) {
Logger.debug("\(logTag) in \(#function)")
// Ensure bounds have been computed
mediaMessageView.layoutIfNeeded()
guard mediaMessageView.bounds.width > 0, mediaMessageView.bounds.height > 0 else {
Logger.warn("\(logTag) bad bounds in \(#function)")
return
}
let widthScale = size.width / mediaMessageView.bounds.width
let heightScale = size.height / mediaMessageView.bounds.height
let minScale = min(widthScale, heightScale)
scrollView.maximumZoomScale = minScale * 5.0
scrollView.minimumZoomScale = minScale
scrollView.zoomScale = minScale
}
// Keep the media view centered within the scroll view as you zoom
public func scrollViewDidZoom(_ scrollView: UIScrollView) {
// The scroll view has zoomed, so you need to re-center the contents
let scrollViewSize = self.scrollViewVisibleSize
// First assume that mediaMessageView center coincides with the contents center
// This is correct when the mediaMessageView is bigger than scrollView due to zoom
var contentCenter = CGPoint(x: (scrollView.contentSize.width / 2), y: (scrollView.contentSize.height / 2))
let scrollViewCenter = self.scrollViewCenter
// if mediaMessageView is smaller than the scrollView visible size - fix the content center accordingly
if self.scrollView.contentSize.width < scrollViewSize.width {
contentCenter.x = scrollViewCenter.x
}
if self.scrollView.contentSize.height < scrollViewSize.height {
contentCenter.y = scrollViewCenter.y
}
self.mediaMessageView.center = contentCenter
}
// return the scroll view center
private var scrollViewCenter: CGPoint {
let size = scrollViewVisibleSize
return CGPoint(x: (size.width / 2), y: (size.height / 2))
}
// Return scrollview size without the area overlapping with tab and nav bar.
private var scrollViewVisibleSize: CGSize {
let contentInset = scrollView.contentInset
let scrollViewSize = scrollView.bounds.standardized.size
let width = scrollViewSize.width - (contentInset.left + contentInset.right)
let height = scrollViewSize.height - (contentInset.top + contentInset.bottom)
return CGSize(width: width, height: height)
}
}
private class GradientView: UIView {
let gradientLayer = CAGradientLayer()
required init(from fromColor: UIColor, to toColor: UIColor) {
gradientLayer.colors = [fromColor.cgColor, toColor.cgColor]
super.init(frame: CGRect.zero)
self.layer.addSublayer(gradientLayer)
}
required init?(coder aDecoder: NSCoder) {
fatalError("init(coder:) has not been implemented")
}
override func layoutSubviews() {
super.layoutSubviews()
gradientLayer.frame = self.bounds
2017-12-06 00:09:05 +01:00
}
}
protocol CaptioningToolbarDelegate: class {
func captioningToolbarDidTapSend(_ captioningToolbar: CaptioningToolbar, captionText: String?)
func captioningToolbar(_ captioningToolbar: CaptioningToolbar, didChangeTextViewHeight newHeight: CGFloat)
func captioningToolbarDidBeginEditing(_ captioningToolbar: CaptioningToolbar)
func captioningToolbarDidEndEditing(_ captioningToolbar: CaptioningToolbar)
}
class CaptioningToolbar: UIView, UITextViewDelegate {
weak var captioningToolbarDelegate: CaptioningToolbarDelegate?
private let sendButton: UIButton
private let textView: UITextView
// Layout Constants
var maxTextViewHeight: CGFloat {
// About ~4 lines in portrait and ~3 lines in landscape.
// Otherwise we risk obscuring too much of the content.
return UIDevice.current.orientation.isPortrait ? 160 : 100
}
2017-12-20 04:26:27 +01:00
let kMinTextViewHeight: CGFloat = 38
var textViewHeight: CGFloat {
didSet {
self.captioningToolbarDelegate?.captioningToolbar(self, didChangeTextViewHeight: textViewHeight)
}
}
required init?(coder aDecoder: NSCoder) {
fatalError("init(coder:) has not been implemented")
}
class MessageTextView: UITextView {
// When creating new lines, contentOffset is animated, but because because
// we are simultaneously resizing the text view, this can cause the
// text in the textview to be "too high" in the text view.
// Solution is to disable animation for setting content offset.
override func setContentOffset(_ contentOffset: CGPoint, animated: Bool) {
super.setContentOffset(contentOffset, animated: false)
}
}
let kSendButtonShadowOffset: CGFloat = 1
init() {
self.textView = MessageTextView()
self.sendButton = UIButton(type: .system)
self.textViewHeight = kMinTextViewHeight
super.init(frame: CGRect.zero)
self.backgroundColor = UIColor.clear
textView.delegate = self
textView.backgroundColor = UIColor.white
textView.layer.cornerRadius = 4.0
textView.addBorder(with: UIColor.lightGray)
textView.font = UIFont.ows_dynamicTypeBody()
textView.returnKeyType = .done
let sendTitle = NSLocalizedString("ATTACHMENT_APPROVAL_SEND_BUTTON", comment: "Label for 'send' button in the 'attachment approval' dialog.")
sendButton.setTitle(sendTitle, for: .normal)
sendButton.addTarget(self, action: #selector(didTapSend), for: .touchUpInside)
sendButton.titleLabel?.font = UIFont.ows_mediumFont(withSize: 16)
sendButton.titleLabel?.textAlignment = .center
sendButton.tintColor = UIColor.white
sendButton.backgroundColor = UIColor.ows_systemPrimaryButton
sendButton.layer.cornerRadius = 4
// Send Button Shadow - without this the send button bottom doesn't align with the toolbar.
sendButton.layer.shadowColor = UIColor.darkGray.cgColor
sendButton.layer.shadowOffset = CGSize(width: 0, height: kSendButtonShadowOffset)
sendButton.layer.shadowOpacity = 0.8
sendButton.layer.shadowRadius = 0.0
sendButton.layer.masksToBounds = false
2017-12-14 23:35:20 +01:00
// Increase hit area of send button
sendButton.contentEdgeInsets = UIEdgeInsets(top: 6, left: 8, bottom: 6, right: 8)
2017-12-15 15:24:40 +01:00
2017-12-14 23:35:20 +01:00
addSubview(sendButton)
addSubview(textView)
2017-12-15 15:24:40 +01:00
sendButton.sizeToFit()
}
func didTapSend() {
self.captioningToolbarDelegate?.captioningToolbarDidTapSend(self, captionText: self.textView.text)
}
// MARK: - UIView Overrides
// We do progammatic layout, explicitly computing and setting frames since autoLayout does
// not seem to work with inputAccessory views, even when forcing a layout.
override func layoutSubviews() {
super.layoutSubviews()
Logger.debug("\(self.logTag) in \(#function)")
Logger.debug("Before layout >>> self: \(self.frame) textView: \(self.textView.frame), sendButton:\(sendButton.frame)")
let kToolbarMargin: CGFloat = 4
let sendButtonWidth = sendButton.frame.size.width
let kOriginalToolbarHeight = kMinTextViewHeight + 2 * kToolbarMargin
// Assume send button has proper size.
let textViewWidth = frame.size.width - 3 * kToolbarMargin - sendButtonWidth
// determine height given a fixed width
let textViewHeight = clampedTextViewHeight(fixedWidth: textViewWidth)
textView.frame = CGRect(x: kToolbarMargin, y: kToolbarMargin, width: textViewWidth, height: textViewHeight)
assert(self.textViewHeight == textViewHeight, "textView.height inconsistent with what was computed in textViewDidChange")
let newToolbarHeight = textViewHeight + 2 * kToolbarMargin
// frame origin is with respect to the initial height of the toolbar, so we must offset the toolbar frame
// by the difference, else the toolbar will extend into and behind the keyboard.
let toolbarHeightOffset = kOriginalToolbarHeight - newToolbarHeight
self.frame = CGRect(x: 0, y: toolbarHeightOffset, width: frame.size.width, height: newToolbarHeight)
// Send Button
// position in bottom right corner
let sendButtonX = frame.size.width - kToolbarMargin - sendButton.frame.size.width
let sendButtonY = frame.size.height - kToolbarMargin - sendButton.frame.size.height - kSendButtonShadowOffset
sendButton.frame = CGRect(origin: CGPoint(x: sendButtonX, y: sendButtonY), size: sendButton.frame.size)
Logger.debug("After layout >>> self: \(self.frame) textView: \(self.textView.frame), sendButton:\(sendButton.frame)")
}
// MARK: - UITextViewDelegate
public func textViewDidChange(_ textView: UITextView) {
Logger.debug("\(self.logTag) in \(#function)")
// compute new height assuming width is unchanged
let currentSize = textView.frame.size
let newHeight = clampedTextViewHeight(fixedWidth: currentSize.width)
if newHeight != self.textViewHeight {
Logger.debug("\(self.logTag) TextView height changed: \(self.textViewHeight) -> \(newHeight)")
self.textViewHeight = newHeight
self.setNeedsLayout()
self.layoutIfNeeded()
}
}
public func textView(_ textView: UITextView, shouldChangeTextIn range: NSRange, replacementText text: String) -> Bool {
// Though we can wrap the text, we don't want to encourage multline captions, plus a "done" button
// allows the user to get the keyboard out of the way while in the attachment approval view.
if text == "\n" {
textView.resignFirstResponder()
return false
} else {
return true
}
}
public func textViewDidBeginEditing(_ textView: UITextView) {
self.captioningToolbarDelegate?.captioningToolbarDidBeginEditing(self)
}
public func textViewDidEndEditing(_ textView: UITextView) {
self.captioningToolbarDelegate?.captioningToolbarDidEndEditing(self)
}
// MARK: - Helpers
private func clampedTextViewHeight(fixedWidth: CGFloat) -> CGFloat {
let contentSize = textView.sizeThatFits(CGSize(width: fixedWidth, height: CGFloat.greatestFiniteMagnitude))
return Clamp(contentSize.height, kMinTextViewHeight, maxTextViewHeight)
}
}