solo numeros maximo limitar length contar characters caracteres atxy2k java swing

java - numeros - ¿Cómo limitar el número de caracteres en JTextField?



maximo de caracteres java (8)

¿Cómo limitar el número de caracteres ingresados ​​en un JTextField?

Supongamos que quiero ingresar, digamos 5 caracteres como máximo. Después de eso, no se pueden ingresar caracteres en él.


Gran pregunta, y es extraño que el kit de herramientas Swing no incluya esta funcionalidad de forma nativa para JTextFields. Pero, aquí hay una gran respuesta de mi curso de Udemy.com "Aprender Java como un niño":

txtGuess = new JTextField(); txtGuess.addKeyListener(new KeyAdapter() { public void keyTyped(KeyEvent e) { if (txtGuess.getText().length() >= 3 ) // limit textfield to 3 characters e.consume(); } });

Esto limita el número de caracteres en un campo de texto de adivinar el juego a 3 caracteres, anulando el evento KeyTyped y comprobando si el campo de texto ya tiene 3 caracteres; si es así, está "consumiendo" el evento clave (e) para que no se procesa como lo hace normalmente


He resuelto este problema usando el siguiente segmento de código:

private void jTextField1KeyTyped(java.awt.event.KeyEvent evt) { boolean max = jTextField1.getText().length() > 4; if ( max ){ evt.consume(); } }


Lea la sección del tutorial de Swing en Implementing a DocumentFilter para obtener una solución más actual.

Esta solución funcionará en cualquier documento, no solo en un documento simple.

Esta es una solución más actual que la aceptada.


Si quieres tener todo en una sola pieza de código, entonces puedes mezclar la respuesta de tim con el enfoque del ejemplo que se encuentra en la API para JTextField , y obtendrás algo como esto:

public class JTextFieldLimit extends JTextField { private int limit; public JTextFieldLimit(int limit) { super(); this.limit = limit; } @Override protected Document createDefaultModel() { return new LimitDocument(); } private class LimitDocument extends PlainDocument { @Override public void insertString( int offset, String str, AttributeSet attr ) throws BadLocationException { if (str == null) return; if ((getLength() + str.length()) <= limit) { super.insertString(offset, str, attr); } } } }

Entonces no hay necesidad de agregar un documento al JTextFieldLimit debido a que JTextFieldLimit ya tiene la funcionalidad dentro.


Simplemente coloque este código en el evento KeyTyped:

if ((jtextField.getText() + evt.getKeyChar()).length() > 20) { evt.consume(); }

Donde "20" es la cantidad máxima de caracteres que desea.


Solo prueba esto:

textfield.addKeyListener(new java.awt.event.KeyAdapter() { public void keyTyped(java.awt.event.KeyEvent evt) { if(textfield.getText().length()>=5&&!(evt.getKeyChar()==KeyEvent.VK_DELETE||evt.getKeyChar()==KeyEvent.VK_BACK_SPACE)) { getToolkit().beep(); evt.consume(); } } });


http://www.rgagnon.com/javadetails/java-0198.html

import javax.swing.text.PlainDocument public class JTextFieldLimit extends PlainDocument { private int limit; JTextFieldLimit(int limit) { super(); this.limit = limit; } public void insertString( int offset, String str, AttributeSet attr ) throws BadLocationException { if (str == null) return; if ((getLength() + str.length()) <= limit) { super.insertString(offset, str, attr); } } }

Entonces

import java.awt.*; import javax.swing.*; public class DemoJTextFieldWithLimit extends JApplet{ JTextField textfield1; JLabel label1; public void init() { getContentPane().setLayout(new FlowLayout()); // label1 = new JLabel("max 10 chars"); textfield1 = new JTextField(15); getContentPane().add(label1); getContentPane().add(textfield1); textfield1.setDocument (new JTextFieldLimit(10)); } }

(primer resultado de google)


import java.awt.KeyboardFocusManager; import javax.swing.InputVerifier; import javax.swing.JTextField; import javax.swing.text.AbstractDocument; import javax.swing.text.AttributeSet; import javax.swing.text.BadLocationException; import javax.swing.text.DocumentFilter; import javax.swing.text.DocumentFilter.FilterBypass; /** * * @author Igor */ public class CustomLengthTextField extends JTextField { protected boolean upper = false; protected int maxlength = 0; public CustomLengthTextField() { this(-1); } public CustomLengthTextField(int length, boolean upper) { this(length, upper, null); } public CustomLengthTextField(int length, InputVerifier inpVer) { this(length, false, inpVer); } /** * * @param length - maksimalan length * @param upper - turn it to upercase * @param inpVer - InputVerifier */ public CustomLengthTextField(int length, boolean upper, InputVerifier inpVer) { super(); this.maxlength = length; this.upper = upper; if (length > 0) { AbstractDocument doc = (AbstractDocument) getDocument(); doc.setDocumentFilter(new DocumentSizeFilter()); } setInputVerifier(inpVer); } public CustomLengthTextField(int length) { this(length, false); } public void setMaxLength(int length) { this.maxlength = length; } class DocumentSizeFilter extends DocumentFilter { public void insertString(FilterBypass fb, int offs, String str, AttributeSet a) throws BadLocationException { //This rejects the entire insertion if it would make //the contents too long. Another option would be //to truncate the inserted string so the contents //would be exactly maxCharacters in length. if ((fb.getDocument().getLength() + str.length()) <= maxlength) { super.insertString(fb, offs, str, a); } } public void replace(FilterBypass fb, int offs, int length, String str, AttributeSet a) throws BadLocationException { if (upper) { str = str.toUpperCase(); } //This rejects the entire replacement if it would make //the contents too long. Another option would be //to truncate the replacement string so the contents //would be exactly maxCharacters in length. int charLength = fb.getDocument().getLength() + str.length() - length; if (charLength <= maxlength) { super.replace(fb, offs, length, str, a); if (charLength == maxlength) { focusNextComponent(); } } else { focusNextComponent(); } } private void focusNextComponent() { if (CustomLengthTextField.this == KeyboardFocusManager.getCurrentKeyboardFocusManager().getFocusOwner()) { KeyboardFocusManager.getCurrentKeyboardFocusManager().focusNextComponent(); } } } }