Buscar..
Cambiar texto
Rápido
textView.text = "Hello, world!"
C objetivo:
textView.text = @"Hello, world!";
Establecer texto atribuido
// Modify some of the attributes of the attributed string.
let attributedText = NSMutableAttributedString(attributedString: textView.attributedText!)
// Use NSString so the result of rangeOfString is an NSRange.
let text = textView.text! as NSString
// Find the range of each element to modify.
let tintedRange = text.range(of: NSLocalizedString("tinted", comment: ""))
let highlightedRange = text.range(of: NSLocalizedString("highlighted", comment: ""))
// Add tint.
attributedText.addAttribute(NSForegroundColorAttributeName, value: UIColor.blue, range: tintedRange)
// Add highlight.
attributedText.addAttribute(NSBackgroundColorAttributeName, value: UIColor.yellow, range: highlightedRange)
textView.attributedText = attributedText
Cambiar la alineación del texto
Rápido
textView.textAlignment = .left
C objetivo
textView.textAlignment = NSTextAlignmentLeft;
UITextViewDelegate métodos
Respondiendo a las notificaciones de edición
-
textViewShouldBeginEditing(_:)
-
textViewDidBeginEditing(_:)
-
textViewShouldEndEditing(_:)
-
textViewDidEndEditing(_:)
Respondiendo a cambios de texto
-
textView(_:shouldChangeTextIn:replacementText:)
-
textViewDidChange(_:)
Respondiendo a la URL
-
textView(_: UITextView, shouldInteractWithURL: NSURL, inRange: NSRange) -> Bool
Cambiar fuente
Rápido
//System Font
textView.font = UIFont.systemFont(ofSize: 12)
//Font of your choosing
textView.font = UIFont(name: "Font Name", size: 12)
C objetivo
//System Font
textView.font = [UIFont systemFontOfSize:12];
//Font of your choosing
textView.font = [UIFont fontWithName:@"Font Name" size:12];
Cambiar el color del texto
Rápido
textView.textColor = UIColor.red
C objetivo
textView.textColor = [UIColor redColor];
UITextView con texto HTML
NSString *htmlString = @"<p> This is an <b>HTML</b> text</p>";
NSAttributedString *attributedString = [[NSMutableAttributedString alloc]
initWithData: [htmlString dataUsingEncoding:NSUnicodeStringEncoding]
options: @{ NSDocumentTypeDocumentAttribute: NSHTMLTextDocumentType }
documentAttributes: nil
error: nil
];
_yourTextView.attributedText = attributedString;
// If you want to modify the font
field.font = [UIFont fontWithName:@"Raleway-Regular" size:15];
Detección automática de enlaces, direcciones, fechas y más
UITextView
ha incorporado soporte para detectar automáticamente una variedad de datos. Los datos que se pueden detectar automáticamente actualmente incluyen:
enum {
UIDataDetectorTypePhoneNumber = 1 << 0,
UIDataDetectorTypeLink = 1 << 1,
UIDataDetectorTypeAddress = 1 << 2,
UIDataDetectorTypeCalendarEvent = 1 << 3,
UIDataDetectorTypeNone = 0,
UIDataDetectorTypeAll = NSUIntegerMax
};
Habilitando la autodetección
// you may add as many as you like by using the `|` operator between options
textView.dataDetectorTypes = (UIDataDetectorTypeLink | UIDataDetectorTypePhoneNumber);
Si está habilitado, el texto aparecerá como un hipervínculo en la UITextView
Datos seleccionables
Para permitir que se haga clic en el enlace (que dará lugar a diferentes acciones según el tipo de datos), debe asegurarse de que el UITextView
sea seleccionable pero no editable y que la interacción del usuario esté habilitada.
textView.editable = NO;
textView.selectable = YES;
textView.userInteractionEnabled = YES; // YES by default
Compruebe si está vacío o nulo
Rápido
if let text = self.textView.text where !text.isEmpty {
// Do stuff for text
} else {
// Do stuff for nil text or empty string
}
C objetivo
if (self.textView.text.length > 0){
// Do stuff for text
} else {
// Do stuff for nil text or empty string
}
Obtención y configuración de la posición del cursor
Información útil
El principio del texto del campo de texto:
let startPosition: UITextPosition = textView.beginningOfDocument
El final del texto del campo de texto:
let endPosition: UITextPosition = textView.endOfDocument
El rango seleccionado actualmente:
let selectedRange: UITextRange? = textView.selectedTextRange
Obtener posicion del cursor
if let selectedRange = textView.selectedTextRange {
let cursorPosition = textView.offsetFromPosition(textView.beginningOfDocument, toPosition: selectedRange.start)
print("\(cursorPosition)")
}
Establecer la posición del cursor
Para establecer la posición, todos estos métodos están configurando un rango con los mismos valores de inicio y final.
Al Principio
let newPosition = textView.beginningOfDocument
textView.selectedTextRange = textView.textRangeFromPosition(newPosition, toPosition: newPosition)
Hasta el final
let newPosition = textView.endOfDocument
textView.selectedTextRange = textView.textRangeFromPosition(newPosition, toPosition: newPosition)
A una posición a la izquierda de la posición actual del cursor
// only if there is a currently selected range
if let selectedRange = textView.selectedTextRange {
// and only if the new position is valid
if let newPosition = textView.positionFromPosition(selectedRange.start, inDirection: UITextLayoutDirection.Left, offset: 1) {
// set the new position
textView.selectedTextRange = textView.textRangeFromPosition(newPosition, toPosition: newPosition)
}
}
A una posición arbitraria
Comienza por el principio y mueve 5 caracteres a la derecha.
let arbitraryValue: Int = 5
if let newPosition = textView.positionFromPosition(textView.beginningOfDocument, inDirection: UITextLayoutDirection.Right, offset: arbitraryValue) {
textView.selectedTextRange = textView.textRangeFromPosition(newPosition, toPosition: newPosition)
}
Relacionado
Seleccionar todo el texto
textView.selectedTextRange = textView.textRangeFromPosition(textView.beginningOfDocument, toPosition: textView.endOfDocument)
Seleccione un rango de texto
// Range: 3 to 7
let startPosition = textView.positionFromPosition(textView.beginningOfDocument, inDirection: UITextLayoutDirection.Right, offset: 3)
let endPosition = textView.positionFromPosition(textView.beginningOfDocument, inDirection: UITextLayoutDirection.Right, offset: 7)
if startPosition != nil && endPosition != nil {
textView.selectedTextRange = textView.textRangeFromPosition(startPosition!, toPosition: endPosition!)
}
Insertar texto en la posición actual del cursor
textView.insertText("Hello")
Notas
Este ejemplo proviene originalmente de una adaptación de esta respuesta de desbordamiento de pila .
Esta respuesta utiliza un campo de texto, pero los mismos conceptos se aplican a
UITextView
.Use
textView.becomeFirstResponder()
para enfocar el campo de texto y hacer que aparezca el teclado.Vea esta respuesta para saber cómo obtener el texto en algún rango.
Relacionado
- Cómo crear un rango en Swift (trata indirectamente el problema de por qué tenemos que usar
selectedTextRange
aquí en lugar de soloselectedRange
)
Elimine los rellenos adicionales para ajustar a un texto medido con precisión.
UITextView
tiene rellenos adicionales por defecto. A veces es molesto, especialmente si desea medir un texto sin una instancia de vista y ubicarlos en algún área con precisión.
Haga esto para eliminar tales rellenos.
messageTextView.textContainerInset = UIEdgeInsetsZero
messageTextView.textContainer.lineFragmentPadding = 0
Ahora puede medir el tamaño del texto usando NSAttributedString.boundingRectWithSize(...)
, y cambiar el tamaño de un UITextView
solo para ajustarlo al texto.
let budget = getSomeCGSizeBudget()
let text = getSomeAttributedString()
let textSize = text.boundingRectWithSize(budget, options: [.UsesLineFragmentOrigin, .UsesFontLeading], context: nil).size
messageTextView.frame.size = textSize // Just fits.