UITextView: отключить выбор, разрешить ссылки
У меня есть UITextView
который отображает NSAttributedString
, TextView's editable
а также selectable
свойства оба установлены в false
,
AttributedString содержит URL, и я хотел бы разрешить касание URL, чтобы открыть браузер. Но взаимодействие с URL возможно только в том случае, если selectable
атрибут установлен в true
,
Как я могу разрешить взаимодействие с пользователем только при нажатии на ссылки, но не при выборе текста?
23 ответа
Я нахожу концепцию возиться с внутренними распознавателями жестов немного пугающей, поэтому попытался найти другое решение. Я обнаружил, что мы можем переопределить point(inside:with:)
чтобы эффективно разрешить "касание", когда пользователь не касается текста со ссылкой внутри него:
// Inside a UITextView subclass:
override func point(inside point: CGPoint, with event: UIEvent?) -> Bool {
guard let pos = closestPosition(to: point) else { return false }
guard let range = tokenizer.rangeEnclosingPosition(pos, with: .character, inDirection: UITextLayoutDirection.left.rawValue) else { return false }
let startIndex = offset(from: beginningOfDocument, to: range.start)
return attributedText.attribute(NSLinkAttributeName, at: startIndex, effectiveRange: nil) != nil
}
Это также означает, что если у вас есть UITextView
со ссылкой внутри UITableViewCell
, tableView(didSelectRowAt:)
по-прежнему вызывается при нажатии на несвязанную часть текста:)
Попробуйте, пожалуйста:
func textViewDidChangeSelection(_ textView: UITextView) {
textView.selectedTextRange = nil
}
Включите возможность выбора, чтобы сработало обнаружение ссылок, затем просто отмените выбор, когда будет обнаружено выделение, это сработает до того, как пользовательский интерфейс сможет обновить.
yourTextView.selectable = YES;
yourTextView.delegate = self;
-(void)textViewDidChangeSelection:(UITextView *)textView {
if (textView == yourTextView) {//selectable is required for clickable links, just unselect if they select
textView.selectedRange = NSMakeRange(0, 0);
}
}
если ваша минимальная цель развертывания - iOS 11.2 или новее
Вы можете отключить выделение текста путем создания подклассов UITextView
и запрещение жестов, которые могут выбрать что-то.
Ниже приведено решение:
- совместим с isEditable
- совместим с isScrollEnabled
- совместим со ссылками
/// Class to allow links but no selection.
/// Basically, it disables unwanted UIGestureRecognizer from UITextView.
/// https://stackru.com/a/49443814/1033581
class UnselectableTappableTextView: UITextView {
// required to prevent blue background selection from any situation
override var selectedTextRange: UITextRange? {
get { return nil }
set {}
}
override func gestureRecognizerShouldBegin(_ gestureRecognizer: UIGestureRecognizer) -> Bool {
if gestureRecognizer is UIPanGestureRecognizer {
// required for compatibility with isScrollEnabled
return super.gestureRecognizerShouldBegin(gestureRecognizer)
}
if let tapGestureRecognizer = gestureRecognizer as? UITapGestureRecognizer,
tapGestureRecognizer.numberOfTapsRequired == 1 {
// required for compatibility with links
return super.gestureRecognizerShouldBegin(gestureRecognizer)
}
// allowing smallDelayRecognizer for links
// https://stackru.com/questions/46143868/xcode-9-uitextview-links-no-longer-clickable
if let longPressGestureRecognizer = gestureRecognizer as? UILongPressGestureRecognizer,
// comparison value is used to distinguish between 0.12 (smallDelayRecognizer) and 0.5 (textSelectionForce and textLoupe)
longPressGestureRecognizer.minimumPressDuration < 0.325 {
return super.gestureRecognizerShouldBegin(gestureRecognizer)
}
// preventing selection from loupe/magnifier (_UITextSelectionForceGesture), multi tap, tap and a half, etc.
gestureRecognizer.isEnabled = false
return false
}
}
если ваша минимальная цель развертывания - iOS 11.1 или старше
Родные средства распознавания жестов ссылок UITextView не работают на iOS 11.0-11.1 и требуют небольшой задержки долгого нажатия вместо нажатия: ссылки Xcode 9 UITextView больше не активируются
Вы можете правильно поддерживать ссылки с помощью своего собственного распознавателя жестов, а также можете отключить выделение текста с помощью подклассов. UITextView
и запрещение жестов, которые могут выбрать что-то или нажать что-то.
Приведенное ниже решение запретит выбор и будет:
- совместим с isScrollEnabled
- совместим со ссылками
- Обходные ограничения iOS 11.0 и iOS 11.1, но теряет эффект пользовательского интерфейса при нажатии на текстовые вложения
/// Class to support links and to disallow selection.
/// It disables most UIGestureRecognizer from UITextView and adds a UITapGestureRecognizer.
/// https://stackru.com/a/49443814/1033581
class UnselectableTappableTextView: UITextView {
required init?(coder aDecoder: NSCoder) {
super.init(coder: aDecoder)
// Native UITextView links gesture recognizers are broken on iOS 11.0-11.1:
// https://stackru.com/questions/46143868/xcode-9-uitextview-links-no-longer-clickable
// So we add our own UITapGestureRecognizer.
linkGestureRecognizer = UITapGestureRecognizer(target: self, action: #selector(textTapped))
linkGestureRecognizer.numberOfTapsRequired = 1
addGestureRecognizer(linkGestureRecognizer)
linkGestureRecognizer.isEnabled = true
}
var linkGestureRecognizer: UITapGestureRecognizer!
// required to prevent blue background selection from any situation
override var selectedTextRange: UITextRange? {
get { return nil }
set {}
}
override func addGestureRecognizer(_ gestureRecognizer: UIGestureRecognizer) {
// Prevents drag and drop gestures,
// but also prevents a crash with links on iOS 11.0 and 11.1.
// https://stackru.com/a/49535011/1033581
gestureRecognizer.isEnabled = false
super.addGestureRecognizer(gestureRecognizer)
}
override func gestureRecognizerShouldBegin(_ gestureRecognizer: UIGestureRecognizer) -> Bool {
if gestureRecognizer == linkGestureRecognizer {
// Supporting links correctly.
return super.gestureRecognizerShouldBegin(gestureRecognizer)
}
if gestureRecognizer is UIPanGestureRecognizer {
// Compatibility support with isScrollEnabled.
return super.gestureRecognizerShouldBegin(gestureRecognizer)
}
// Preventing selection gestures and disabling broken links support.
gestureRecognizer.isEnabled = false
return false
}
@objc func textTapped(recognizer: UITapGestureRecognizer) {
guard recognizer == linkGestureRecognizer else {
return
}
var location = recognizer.location(in: self)
location.x -= textContainerInset.left
location.y -= textContainerInset.top
let characterIndex = layoutManager.characterIndex(for: location, in: textContainer, fractionOfDistanceBetweenInsertionPoints: nil)
let characterRange = NSRange(location: characterIndex, length: 1)
if let attachment = attributedText?.attribute(.attachment, at: index, effectiveRange: nil) as? NSTextAttachment {
if #available(iOS 10.0, *) {
_ = delegate?.textView?(self, shouldInteractWith: attachment, in: characterRange, interaction: .invokeDefaultAction)
} else {
_ = delegate?.textView?(self, shouldInteractWith: attachment, in: characterRange)
}
}
if let url = attributedText?.attribute(.link, at: index, effectiveRange: nil) as? URL {
if #available(iOS 10.0, *) {
_ = delegate?.textView?(self, shouldInteractWith: url, in: characterRange, interaction: .invokeDefaultAction)
} else {
_ = delegate?.textView?(self, shouldInteractWith: url, in: characterRange)
}
}
}
}
Как сказал Cœur, вы можете создать подкласс UITextView
переопределение метода selectedTextRange
, установив его на ноль. И ссылки по-прежнему будут кликабельными, но вы не сможете выделить остальную часть текста.
class CustomTextView: UITextView {
override public var selectedTextRange: UITextRange? {
get {
return nil
}
set { }
}
Решение только для интерактивных ссылок без выбора.
- Подкласс
UITextView
для обработки жестов, что делает его доступным только для нажатия. На основании ответа Cœur
class UnselectableTappableTextView: UITextView {
// required to prevent blue background selection from any situation
override var selectedTextRange: UITextRange? {
get { return nil }
set {}
}
override func gestureRecognizerShouldBegin(_ gestureRecognizer: UIGestureRecognizer) -> Bool {
if let tapGestureRecognizer = gestureRecognizer as? UITapGestureRecognizer,
tapGestureRecognizer.numberOfTapsRequired == 1 {
// required for compatibility with links
return super.gestureRecognizerShouldBegin(gestureRecognizer)
}
return false
}
}
- Настроить
delegate
отключить.preview
из 3D Touch. Взяв ссылку с hackingwithswift
class ViewController: UIViewController, UITextViewDelegate {
@IBOutlet var textView: UITextView!
override func viewDidLoad() {
//...
textView.delegate = self
}
func textView(_ textView: UITextView, shouldInteractWith URL: URL, in characterRange: NSRange, interaction: UITextItemInteraction) -> Bool {
UIApplication.shared.open(URL)
// Disable `.preview` by 3D Touch and other interactions
return false
}
}
Если вы хотите иметь UITextView
только для встраивания ссылок без жеста прокрутки, это может быть хорошим решением.
Поэтому после некоторого исследования я смог найти решение. Это хак, и я не знаю, сработает ли это в будущих версиях iOS, но работает на данный момент (iOS 9.3).
Просто добавь это UITextView
Категория (Gist здесь):
@implementation UITextView (NoFirstResponder)
- (void)addGestureRecognizer:(UIGestureRecognizer *)gestureRecognizer {
if ([gestureRecognizer isKindOfClass:[UILongPressGestureRecognizer class]]) {
@try {
id targetAndAction = ((NSMutableArray *)[gestureRecognizer valueForKey:@"_targets"]).firstObject;
NSArray <NSString *>*actions = @[@"action=loupeGesture:", // link: no, selection: shows circle loupe and blue selectors for a second
@"action=longDelayRecognizer:", // link: no, selection: no
/*@"action=smallDelayRecognizer:", // link: yes (no long press), selection: no*/
@"action=oneFingerForcePan:", // link: no, selection: shows rectangular loupe for a second, no blue selectors
@"action=_handleRevealGesture:"]; // link: no, selection: no
for (NSString *action in actions) {
if ([[targetAndAction description] containsString:action]) {
[gestureRecognizer setEnabled:false];
}
}
}
@catch (NSException *e) {
}
@finally {
[super addGestureRecognizer: gestureRecognizer];
}
}
}
Вот версия ответа от Objective C, которую написал Макс Чукимия.
- (BOOL) pointInside:(CGPoint)point withEvent:(UIEvent *)event
{
UITextPosition *position = [self closestPositionToPoint:point];
if (!position) {
return NO;
}
UITextRange *range = [self.tokenizer rangeEnclosingPosition:position
withGranularity:UITextGranularityCharacter
inDirection:UITextLayoutDirectionLeft];
if (!range) {
return NO;
}
NSInteger startIndex = [self offsetFromPosition:self.beginningOfDocument
toPosition:range.start];
return [self.attributedText attribute:NSLinkAttributeName
atIndex:startIndex
effectiveRange:nil] != nil;
}
Это работает для меня:
@interface MessageTextView : UITextView <UITextViewDelegate>
@end
@implementation MessageTextView
-(void)awakeFromNib{
[super awakeFromNib];
self.delegate = self;
}
- (BOOL)canBecomeFirstResponder {
return NO;
}
- (void)textViewDidChangeSelection:(UITextView *)textView
{
textView.selectedTextRange = nil;
[textView endEditing:YES];
}
@end
Вот решение Swift 4, которое позволяет касаниям проходить через все, кроме нажатия ссылки;
В родительском представлении
private(set) lazy var textView = YourCustomTextView()
func setupView() {
textView.isScrollEnabled = false
textView.isUserInteractionEnabled = false
let tapGr = UITapGestureRecognizer(target: textView, action: nil)
tapGr.delegate = textView
addGestureRecognizer(tapGr)
textView.translatesAutoresizingMaskIntoConstraints = false
addSubview(textView)
NSLayoutConstraint.activate(textView.edges(to: self))
}
Пользовательский UITextView
class YourCustomTextView: UITextView, UIGestureRecognizerDelegate {
var onLinkTapped: (URL) -> Void = { print($0) }
override func gestureRecognizerShouldBegin(_ gestureRecognizer: UIGestureRecognizer) -> Bool {
guard let gesture = gestureRecognizer as? UITapGestureRecognizer else {
return true
}
let location = gesture.location(in: self)
guard let closest = closestPosition(to: location), let startPosition = position(from: closest, offset: -1), let endPosition = position(from: closest, offset: 1) else {
return false
}
guard let textRange = textRange(from: startPosition, to: endPosition) else {
return false
}
let startOffset = offset(from: beginningOfDocument, to: textRange.start)
let endOffset = offset(from: beginningOfDocument, to: textRange.end)
let range = NSRange(location: startOffset, length: endOffset - startOffset)
guard range.location != NSNotFound, range.length != 0 else {
return false
}
guard let linkAttribute = attributedText.attributedSubstring(from: range).attribute(.link, at: 0, effectiveRange: nil) else {
return false
}
guard let linkString = linkAttribute as? String, let url = URL(string: linkString) else {
return false
}
guard delegate?.textView?(self, shouldInteractWith: url, in: range, interaction: .invokeDefaultAction) ?? true else {
return false
}
onLinkTapped(url)
return true
}
}
Swift 4.2
просто
class MyTextView: UITextView {
override func point(inside point: CGPoint, with event: UIEvent?) -> Bool {
guard let pos = closestPosition(to: point) else { return false }
guard let range = tokenizer.rangeEnclosingPosition(pos, with: .character, inDirection: UITextDirection(rawValue: UITextLayoutDirection.left.rawValue)) else { return false }
let startIndex = offset(from: beginningOfDocument, to: range.start)
return attributedText.attribute(NSAttributedString.Key.link, at: startIndex, effectiveRange: nil) != nil
}
}
Swift 4, Xcode 9.2
Ниже приведен другой подход к ссылке, сделать isSelectable
свойство UITextView для false
class TextView: UITextView {
//MARK: Properties
open var didTouchedLink:((URL,NSRange,CGPoint) -> Void)?
override init(frame: CGRect, textContainer: NSTextContainer?) {
super.init(frame: frame, textContainer: textContainer)
}
required init?(coder aDecoder: NSCoder) {
super.init(coder: aDecoder)
}
override func draw(_ rect: CGRect) {
super.draw(rect)
}
open override func touchesEnded(_ touches: Set<UITouch>, with event: UIEvent?) {
let touch = Array(touches)[0]
if let view = touch.view {
let point = touch.location(in: view)
self.tapped(on: point)
}
}
}
extension TextView {
fileprivate func tapped(on point:CGPoint) {
var location: CGPoint = point
location.x -= self.textContainerInset.left
location.y -= self.textContainerInset.top
let charIndex = layoutManager.characterIndex(for: location, in: self.textContainer, fractionOfDistanceBetweenInsertionPoints: nil)
guard charIndex < self.textStorage.length else {
return
}
var range = NSRange(location: 0, length: 0)
if let attributedText = self.attributedText {
if let link = attributedText.attribute(NSAttributedStringKey.link, at: charIndex, effectiveRange: &range) as? URL {
print("\n\t##-->You just tapped on '\(link)' withRange = \(NSStringFromRange(range))\n")
self.didTouchedLink?(link, range, location)
}
}
}
}
КАК ПОЛЬЗОВАТЬСЯ,
let textView = TextView()//Init your textview and assign attributedString and other properties you want.
textView.didTouchedLink = { (url,tapRange,point) in
//here goes your other logic for successfull URL location
}
SWIFT 5
Вот комбинация разных ответов и комментариев, которые сработали для меня:
Подкласс UITextView:
class DescriptionAndLinkTextView: UITextView {
// MARK: - Initialization
required init?(coder: NSCoder) {
super.init(coder: coder)
dataDetectorTypes = .all
backgroundColor = .clear
isSelectable = true
isEditable = false
isScrollEnabled = false
contentInset = .zero
textContainerInset = UIEdgeInsets.zero
textContainer.lineFragmentPadding = 0
linkTextAttributes = [.foregroundColor: UIColor.red,
.font: UIFont.systemFontSize,
.underlineStyle: 0,
.underlineColor: UIColor.clear]
}
override func point(inside point: CGPoint, with event: UIEvent?) -> Bool {
guard super.point(inside: point, with: event) else { return false }
guard let pos = closestPosition(to: point) else { return false }
guard let range = tokenizer.rangeEnclosingPosition(pos, with: .character, inDirection: .layout(.left)) else { return false }
let startIndex = offset(from: beginningOfDocument, to: range.start)
guard startIndex < self.attributedText.length - 1 else { return false } // to handle the case where the text ends with a link and the user taps in the space after the link.
return attributedText.attribute(.link, at: startIndex, effectiveRange: nil) != nil
}
}
Как его использовать (в данном случае в ячейке tableview):
class MyTableViewCell: UITableViewCell {
// MARK: - IBOutlets
@IBOutlet weak var infoTextView: DescriptionAndLinkTextView! {
didSet {
infoTextView.delegate = self
}
}
// MARK: - Lifecycle
override func awakeFromNib() {
super.awakeFromNib()
selectionStyle = .none
}
}
// MARK: - UITextViewDelegate
extension MyTableViewCell: UITextViewDelegate {
func textView(_ textView: UITextView, shouldInteractWith URL: URL, in characterRange: NSRange, interaction: UITextItemInteraction) -> Bool {
DispatchQueue.main.async {
UIApplication.shared.open(URL)
}
// Returning false, to prevent long-press-preview.
return false
}
func textViewDidChangeSelection(_ textView: UITextView) {
if (textView == infoTextView && textView.selectedTextRange != nil) {
// `selectable` is required for tappable links but we do not want
// regular text selection, so clear the selection immediately.
textView.delegate = nil // Disable delegate while we update the selectedTextRange otherwise this method will get called again, circularly, on some architectures (e.g. iPhone7 sim)
textView.selectedTextRange = nil // clear selection, will happen before copy/paste/etc GUI renders
textView.delegate = self // Re-enable delegate
}
}
}
Swift 3.0
Для вышеуказанной версии Objective-C через @Lukas
extension UITextView {
override open func addGestureRecognizer(_ gestureRecognizer: UIGestureRecognizer) {
if gestureRecognizer.isKind(of: UILongPressGestureRecognizer.self) {
do {
let array = try gestureRecognizer.value(forKey: "_targets") as! NSMutableArray
let targetAndAction = array.firstObject
let actions = ["action=oneFingerForcePan:",
"action=_handleRevealGesture:",
"action=loupeGesture:",
"action=longDelayRecognizer:"]
for action in actions {
print("targetAndAction.debugDescription: \(targetAndAction.debugDescription)")
if targetAndAction.debugDescription.contains(action) {
gestureRecognizer.isEnabled = false
}
}
} catch let exception {
print("TXT_VIEW EXCEPTION : \(exception)")
}
defer {
super.addGestureRecognizer(gestureRecognizer)
}
}
}
}
Уродливое, но приятное.
private class LinkTextView: UITextView {
override func selectionRects(for range: UITextRange) -> [UITextSelectionRect] {
[]
}
override func caretRect(for position: UITextPosition) -> CGRect {
CGRect.zero.offsetBy(dx: .greatestFiniteMagnitude, dy: .greatestFiniteMagnitude)
}
}
Протестировано с текстовым представлением, где прокрутка была отключена.
В итоге я объединил решения из /questions/3454824/uitextview-otklyuchit-vyibor-razreshit-ssyilki/3454864#3454864 и /questions/3454824/uitextview-otklyuchit-vyibor-razreshit-ssyilki/3454837#3454837 (вариант iOS < 11). Это работает, как ожидалось: доступный только для чтения, недоступный для выбора UITextView, гиперссылки на котором все еще работают. Одним из преимуществ решения Coeur является то, что обнаружение касания происходит мгновенно и не отображает выделение и не позволяет перетаскивать ссылку.
Вот полученный код:
class HyperlinkEnabledReadOnlyTextView: UITextView {
override init(frame: CGRect, textContainer: NSTextContainer?) {
super.init(frame: frame, textContainer: textContainer)
isEditable = false
isSelectable = false
initHyperLinkDetection()
}
required init?(coder aDecoder: NSCoder) {
super.init(coder: aDecoder)
isEditable = false
isSelectable = false
initHyperLinkDetection()
}
// MARK: - Prevent interaction except on hyperlinks
// Combining https://stackru.com/a/44878203/2015332 and https://stackru.com/a/49443814/1033581
private var linkGestureRecognizer: UITapGestureRecognizer!
private func initHyperLinkDetection() {
// Native UITextView links gesture recognizers are broken on iOS11.0-11.1:
// https://stackru.com/questions/46143868/xcode-9-uitextview-links-no-longer-clickable
// So we add our own UITapGestureRecognizer, which moreover detects taps faster than native one
linkGestureRecognizer = UITapGestureRecognizer(target: self, action: #selector(textTapped))
linkGestureRecognizer.numberOfTapsRequired = 1
addGestureRecognizer(linkGestureRecognizer)
linkGestureRecognizer.isEnabled = true // because previous call sets it to false
}
override func addGestureRecognizer(_ gestureRecognizer: UIGestureRecognizer) {
// Prevents drag and drop gestures, but also prevents a crash with links on iOS11.0 and 11.1.
// https://stackru.com/a/49535011/1033581
gestureRecognizer.isEnabled = false
super.addGestureRecognizer(gestureRecognizer)
}
override func point(inside point: CGPoint, with event: UIEvent?) -> Bool {
// Allow only taps located over an hyperlink
var location = point
location.x -= textContainerInset.left
location.y -= textContainerInset.top
guard location.x >= bounds.minX, location.x <= bounds.maxX, location.y >= bounds.minY, location.y <= bounds.maxY else { return false }
let charIndex = layoutManager.characterIndex(for: location, in: textContainer, fractionOfDistanceBetweenInsertionPoints: nil)
return attributedText.attribute(.link, at: charIndex, effectiveRange: nil) != nil
}
@objc private func textTapped(recognizer: UITapGestureRecognizer) {
guard recognizer == linkGestureRecognizer else { return }
var location = recognizer.location(in: self)
location.x -= textContainerInset.left
location.y -= textContainerInset.top
guard location.x >= bounds.minX, location.x <= bounds.maxX, location.y >= bounds.minY, location.y <= bounds.maxY else { return }
let characterIndex = layoutManager.characterIndex(for: location, in: textContainer, fractionOfDistanceBetweenInsertionPoints: nil)
let characterRange = NSRange(location: characterIndex, length: 1)
if let attachment = attributedText?.attribute(.attachment, at: index, effectiveRange: nil) as? NSTextAttachment {
if #available(iOS 10.0, *) {
_ = delegate?.textView?(self, shouldInteractWith: attachment, in: characterRange, interaction: .invokeDefaultAction)
} else {
_ = delegate?.textView?(self, shouldInteractWith: attachment, in: characterRange)
}
}
if let url = attributedText?.attribute(.link, at: characterIndex, effectiveRange: nil) as? URL {
if #available(iOS 10.0, *) {
_ = delegate?.textView?(self, shouldInteractWith: url, in: characterRange, interaction: .invokeDefaultAction)
} else {
_ = delegate?.textView?(self, shouldInteractWith: url, in: characterRange)
}
}
}
}
Учтите, что у меня возникли проблемы с компиляцией .attachment
enum case, я удалил его, потому что не использую.
Ответ @Max Chuquimia решит проблему. Но двойное нажатие по-прежнему будет отображать меню параметров TextView. Просто добавьте этот код ниже в свой собственный вид.
override func canPerformAction(_ action: Selector, withSender sender: (Any)?) -> Bool {
UIMenuController.shared.hideMenu()
//do not display the menu
self.resignFirstResponder()
//do not allow the user to selected anything
return false
}
Перекрывайте UITextView, как показано ниже, и используйте его для визуализации сшиваемой ссылки с сохранением стиля HTML.
открытый класс LinkTextView: UITextView {
override public var selectedTextRange: UITextRange? {
get {
return nil
}
set {}
}
public init() {
super.init(frame: CGRect.zero, textContainer: nil)
commonInit()
}
required public init?(coder aDecoder: NSCoder) {
super.init(coder: aDecoder)
commonInit()
}
private func commonInit() {
self.tintColor = UIColor.black
self.isScrollEnabled = false
self.delegate = self
self.dataDetectorTypes = []
self.isEditable = false
self.delegate = self
self.font = Style.font(.sansSerif11)
self.delaysContentTouches = true
}
@available(iOS 10.0, *)
public func textView(_ textView: UITextView, shouldInteractWith URL: URL, in characterRange: NSRange, interaction: UITextItemInteraction) -> Bool {
// Handle link
return false
}
public func textView(_ textView: UITextView, shouldInteractWith URL: URL, in characterRange: NSRange) -> Bool {
// Handle link
return false
}
}
То, что я делаю для Objective C, это создание подкласса и перезапись textViewdidChangeSelection: метод делегата, поэтому в классе реализации:
#import "CustomTextView.h"
@interface CustomTextView()<UITextViewDelegate>
@end
@implementation CustomTextView
,,,,,,,
- (void) textViewDidChangeSelection:(UITextView *)textView
{
UITextRange *selectedRange = [textView selectedTextRange];
NSString *selectedText = [textView textInRange:selectedRange];
if (selectedText.length > 1 && selectedText.length < textView.text.length)
{
textView.selectedRange = NSMakeRange(0, 0);
}
}
Не забудьте установить self.delegate = self
Я долго решал проблему своего пикера, нашел решение в этой теме: Достаточно "CGRect.null" , чтобы отключить "выбираемый" внутри UITextField
override func caretRect(for position: UITextPosition) -> CGRect {
return CGRect.null
}
override func selectionRects(for range: UITextRange) -> [UITextSelectionRect] {
return []
}
override func canPerformAction(_ action: Selector, withSender sender: Any?) -> Bool {
return false
}
Swift 5.9 — протестировано на iOS 15, 16 и 17.
Первая часть основана на ответе @nicolai-harbo.
class UnselectableTappableTextView: UITextView {
override func point(inside point: CGPoint, with event: UIEvent?) -> Bool {
guard super.point(inside: point, with: event) else { return false }
guard let pos = closestPosition(to: point) else { return false }
guard let range = tokenizer.rangeEnclosingPosition(pos, with: .character, inDirection: .layout(.left)) else { return false }
let startIndex = offset(from: beginningOfDocument, to: range.start)
guard startIndex < self.attributedText.length - 1 else { return false } // to handle the case where the text ends with a link and the user taps in the space after the link.
return attributedText.attribute(.link, at: startIndex, effectiveRange: nil) != nil
}
// 1. Prevent the user from selecting the link text
// 2. Disable magnifing glass
override func gestureRecognizerShouldBegin(_ gestureRecognizer: UIGestureRecognizer) -> Bool {
if let gestureDelegate = gestureRecognizer.delegate {
if gestureDelegate.description.localizedCaseInsensitiveContains("UITextSelectionInteraction") {
return false
}
}
return true
}
}
Мое решение выглядит следующим образом: решение Cœur .
Моя проблема заключается в том, чтобы добавить кликабельную ссылку для
UITableViewCell
без предварительного просмотра в 3D. Мое решение может помочь тем, кто ищет решение для tableView.
Для этого мне просто нужно добавить делегата к моей переменной TextView из моего tableView, который является переменной экземпляра UITableViewCell. Вот мой
tableView code
func tableView(_ tableView: UITableView, cellForRowAt indexPath: IndexPath) -> UITableViewCell {
guard let cell = tableView.dequeueReusableCell(withIdentifier: "TableViewCell", for: indexPath) as? TableViewCell else {
return UITableViewCell()
}
cell.update(text: text)
cell.textView.delegate = self
return cell
}
Вот мой собственный TaleViewCell
final class TableViewCell: UITableViewCell, UITextViewDelegate {
@IBOutlet weak var textView: UITextView!
func update(text: text) {
textView.isEditable = false
textView.isUserInteractionEnabled = true
}
}
Вот расширение
extension UITextView {
// To prevent blue background selection from any situation
open override func gestureRecognizerShouldBegin(_ gestureRecognizer: UIGestureRecognizer) -> Bool {
if let tapGestureRecognizer = gestureRecognizer as? UITapGestureRecognizer,
tapGestureRecognizer.numberOfTapsRequired == 1 {
// required for compatibility with links
return super.gestureRecognizerShouldBegin(gestureRecognizer)
}
return false
}
}
Вот как я решил эту проблему - я делаю свое выбираемое текстовое представление подклассом, который переопределяет canPerformAction для возврата false.
class CustomTextView: UITextView {
override public func canPerformAction(_ action: Selector, withSender sender: Any?) -> Bool {
return false
}
}