Como posso fazer com que uma área de texto se expanda automaticamente usando o jQuery?
Eu tenho uma caixa de texto para explicar a agenda da reunião, então quero expandi-la quando o texto da minha agenda continuar crescendo nessa área.
Como posso fazer com que uma área de texto se expanda automaticamente usando o jQuery?
Eu tenho uma caixa de texto para explicar a agenda da reunião, então quero expandi-la quando o texto da minha agenda continuar crescendo nessa área.
Respostas:
Eu tentei muitos e
este é ótimo. Link está morto. A versão mais recente está disponível aqui . Veja abaixo a versão antiga.
Você pode tentar pressionar e segurar a tecla Enter na área de texto. Compare o efeito com o outro plug-in de expansão automática de área de texto ....
editar com base no comentário
$(function() {
$('#txtMeetingAgenda').autogrow();
});
nota: você deve incluir os arquivos js necessários ...
Para evitar que a barra de rolagem na textarea de piscar e desligar durante a expansão / contração, você pode definir o overflow
que hidden
bem:
$('#textMeetingAgenda').css('overflow', 'hidden').autogrow()
Atualizar:
O link acima está quebrado. Mas você ainda pode obter os arquivos javascript aqui .
Se você não quer um plugin, existe uma solução muito simples
$("textarea").keyup(function(e) {
while($(this).outerHeight() < this.scrollHeight + parseFloat($(this).css("borderTopWidth")) + parseFloat($(this).css("borderBottomWidth"))) {
$(this).height($(this).height()+1);
};
});
Veja-o trabalhando em um jsFiddle que eu costumava responder a outra pergunta da área de texto aqui .
Para responder à pergunta de fazer isso ao contrário ou diminuí-lo à medida que o texto é removido: jsFiddle
E se você quiser um plugin
if (this.clientHeight < this.scrollHeight) { this.style.height = this.scrollHeight + 'px'; }
Aumenta / diminui a área de texto. Esta demonstração utiliza jQuery para ligação de eventos, mas não é uma obrigação de forma alguma.
( sem suporte do IE - o IE não responde à alteração do atributo de linhas )
<textarea class='autoExpand' rows='3' data-min-rows='3' placeholder='Auto-Expanding Textarea'></textarea>
textarea{
display:block;
box-sizing: padding-box;
overflow:hidden;
padding:10px;
width:250px;
font-size:14px;
margin:50px auto;
border-radius:8px;
border:6px solid #556677;
}
$(document)
.one('focus.textarea', '.autoExpand', function(){
var savedValue = this.value;
this.value = '';
this.baseScrollHeight = this.scrollHeight;
this.value = savedValue;
})
.on('input.textarea', '.autoExpand', function(){
var minRows = this.getAttribute('data-min-rows')|0,
rows;
this.rows = minRows;
rows = Math.ceil((this.scrollHeight - this.baseScrollHeight) / 16);
this.rows = minRows + rows;
});
Você pode tentar este
$('#content').on('change keyup keydown paste cut', 'textarea', function () {
$(this).height(0).height(this.scrollHeight);
}).find('textarea').change();
<script src="https://ajax.googleapis.com/ajax/libs/jquery/1.11.1/jquery.min.js"></script>
<div id="content">
<textarea>How about it</textarea><br />
<textarea rows="5">111111
222222
333333
444444
555555
666666</textarea>
</div>
Graças ao SpYk3HH, comecei com a solução dele e a transformei nessa solução, que adiciona a funcionalidade de redução e é ainda mais simples e rápida, presumo.
$("textarea").keyup(function(e) {
$(this).height(30);
$(this).height(this.scrollHeight + parseFloat($(this).css("borderTopWidth")) + parseFloat($(this).css("borderBottomWidth")));
});
Testado no navegador atual Chrome, Firefox e Android 2.3.3.
Você pode ver os flashes das barras de rolagem em alguns navegadores. Adicione este CSS para resolver isso.
textarea{ overflow:hidden; }
1px
parecer melhor)
Para definir uma área de texto expansível automaticamente, é necessário fazer duas coisas:
Aqui está uma função artesanal para realizar a tarefa.
Funcionando bem com quase todos os navegadores (<IE7) . Aqui está o método:
//Here is an event to get TextArea expand when you press Enter Key in it.
// intiate a keypress event
$('textarea').keypress(function (e) {
if(e.which == 13) {
var control = e.target;
var controlHeight = $(control).height();
//add some height to existing height of control, I chose 17 as my line-height was 17 for the control
$(control).height(controlHeight+17);
}
});
$('textarea').blur(function (e) {
var textLines = $(this).val().trim().split(/\r*\n/).length;
$(this).val($(this).val().trim()).height(textLines*17);
});
AQUI é um post sobre isso.
Eu usei o plugin jQuery do Textarea Expander antes com bons resultados.
Todos devem experimentar este plugin jQuery: xautoresize-jquery . É muito bom e deve resolver seu problema.
function autosize(textarea) {
$(textarea).height(1); // temporarily shrink textarea so that scrollHeight returns content height when content does not fill textarea
$(textarea).height($(textarea).prop("scrollHeight"));
}
$(document).ready(function () {
$(document).on("input", "textarea", function() {
autosize(this);
});
$("textarea").each(function () {
autosize(this);
});
});
(Isso não funcionará no Internet Explorer 9 ou anterior, pois utiliza o input
evento)
Acabei de criar essa função para expandir as áreas de texto no carregamento de página. Apenas mude each
para keyup
e ocorrerá quando a área de texto for digitada.
// On page-load, auto-expand textareas to be tall enough to contain initial content
$('textarea').each(function(){
var pad = parseInt($(this).css('padding-top'));
if ($.browser.mozilla)
$(this).height(1);
var contentHeight = this.scrollHeight;
if (!$.browser.mozilla)
contentHeight -= pad * 2;
if (contentHeight > $(this).height())
$(this).height(contentHeight);
});
Testado no Chrome, IE9 e Firefox. Infelizmente, o Firefox possui esse bug que retorna o valor incorreto para scrollHeight
, portanto, o código acima contém uma solução alternativa (hacky) para ele.
Corrigi alguns bugs na resposta fornecida por Reigel (a resposta aceita):
Ainda existem alguns problemas relacionados a espaços. Não vejo uma solução para espaços duplos, eles são exibidos como espaços únicos na sombra (renderização em html). Isso não pode ser resolvido usando o & nbsp ;, porque os espaços devem se romper. Além disso, a área de texto quebra uma linha após um espaço, se não houver espaço para esse espaço, ela quebrará a linha em um ponto anterior. Sugestões são bem vindas.
Código corrigido:
(function ($) {
$.fn.autogrow = function (options) {
var $this, minHeight, lineHeight, shadow, update;
this.filter('textarea').each(function () {
$this = $(this);
minHeight = $this.height();
lineHeight = $this.css('lineHeight');
$this.css('overflow','hidden');
shadow = $('<div></div>').css({
position: 'absolute',
'word-wrap': 'break-word',
top: -10000,
left: -10000,
width: $this.width(),
fontSize: $this.css('fontSize'),
fontFamily: $this.css('fontFamily'),
lineHeight: $this.css('lineHeight'),
resize: 'none'
}).appendTo(document.body);
update = function () {
shadow.css('width', $(this).width());
var val = this.value.replace(/&/g, '&')
.replace(/</g, '<')
.replace(/>/g, '>')
.replace(/\n/g, '<br/>')
.replace(/\s/g,' ');
if (val.indexOf('<br/>', val.length - 5) !== -1) { val += '#'; }
shadow.html(val);
$(this).css('height', Math.max(shadow.height(), minHeight));
};
$this.change(update).keyup(update).keydown(update);
update.apply(this);
});
return this;
};
}(jQuery));
Código de SpYk3HH com adição para diminuir o tamanho.
function get_height(elt) {
return elt.scrollHeight + parseFloat($(elt).css("borderTopWidth")) + parseFloat($(elt).css("borderBottomWidth"));
}
$("textarea").keyup(function(e) {
var found = 0;
while (!found) {
$(this).height($(this).height() - 10);
while($(this).outerHeight() < get_height(this)) {
$(this).height($(this).height() + 1);
found = 1;
};
}
});
Isso funcionou para mim melhor:
$('.resiText').on('keyup input', function() {
$(this).css('height', 'auto').css('height', this.scrollHeight + (this.offsetHeight - this.clientHeight));
});
.resiText {
box-sizing: border-box;
resize: none;
}
<script src="https://ajax.googleapis.com/ajax/libs/jquery/2.1.1/jquery.min.js"></script>
<textarea class="resiText"></textarea>
As pessoas parecem ter muito mais soluções trabalhadas ...
É assim que eu faço:
$('textarea').keyup(function()
{
var
$this = $(this),
height = parseInt($this.css('line-height'), 10),
padTop = parseInt($this.css('padding-top'), 10),
padBot = parseInt($this.css('padding-bottom'), 10);
$this.height(0);
var
scroll = $this.prop('scrollHeight'),
lines = (scroll - padTop - padBot) / height;
$this.height(height * lines);
});
Isso funcionará com linhas longas, além de quebras de linha. Cresce e diminui.
Eu escrevi essa função jquery que parece funcionar.
Você precisa especificar min-height em css e, a menos que queira codificar, ele precisa ter dois dígitos. ou seja, 12px;
$.fn.expand_ta = function() {
var val = $(this).val();
val = val.replace(/</g, "<");
val = val.replace(/>/g, ">");
val += "___";
var ta_class = $(this).attr("class");
var ta_width = $(this).width();
var min_height = $(this).css("min-height").substr(0, 2);
min_height = parseInt(min_height);
$("#pixel_height").remove();
$("body").append('<pre class="'+ta_class+'" id="pixel_height" style="position: absolute; white-space: pre-wrap; visibility: hidden; word-wrap: break-word; width: '+ta_width+'px; height: auto;"></pre>');
$("#pixel_height").html(val);
var height = $("#pixel_height").height();
if (val.substr(-6) == "<br />"){
height = height + min_height;
};
if (height >= min_height) $(this).css("height", height+"px");
else $(this).css("height", min_height+"px");
}
Para quem estiver usando o plug-in postado por Reigel, lembre-se de que isso desabilitará a funcionalidade de desfazer no Internet Explorer (experimente a demonstração).
Se esse é um problema para você, sugiro usar o plugin postado por @richsage, pois ele não sofre com esse problema. Consulte o segundo marcador em Pesquisando a área de texto final de redimensionamento para obter mais informações.
Há também um bgrins/ExpandingTextareas (github)
projeto muito legal , baseado em uma publicação de Neill Jenkins chamada Expanding Text Areas Made Elegant
Eu queria animações e encolher automaticamente. A combinação é aparentemente difícil, porque as pessoas criaram soluções bastante intensas para isso. Também a fiz à prova de múltiplas texturas. E não é tão ridiculamente pesado quanto o plugin jQuery.
Baseei-me na resposta do vsync (e na melhoria que ele fez para isso), http://codepen.io/anon/pen/vlIwj é o codepen da minha melhoria.
HTML
<textarea class='autoExpand' rows='3' data-min-rows='3' placeholder='Auto-Expanding Textarea'></textarea>
CSS
body{ background:#728EB2; }
textarea{
display:block;
box-sizing: padding-box;
overflow:hidden;
padding:10px;
width:250px;
font-size:14px;
margin:50px auto;
border-radius:8px;
border:6px solid #556677;
transition:all 1s;
-webkit-transition:all 1s;
}
JS
var rowheight = 0;
$(document).on('input.textarea', '.autoExpand', function(){
var minRows = this.getAttribute('data-min-rows')|0,
rows = this.value.split("\n").length;
$this = $(this);
var rowz = rows < minRows ? minRows : rows;
var rowheight = $this.attr('data-rowheight');
if(!rowheight){
this.rows = rowz;
$this.attr('data-rowheight', (this.clientHeight - parseInt($this.css('padding-top')) - parseInt($this.css('padding-bottom')))/ rowz);
}else{
rowz++;
this.style.cssText = 'height:' + rowz * rowheight + 'px';
}
});
Há muitas respostas para isso, mas achei algo muito simples, anexe um evento de keyup à área de texto e verifique se a tecla Enter é pressionada, o código da tecla é 13
keyPressHandler(e){
if(e.keyCode == 13){
e.target.rows = e.target.rows + 1;
}
}
Isso adicionará outra linha à sua área de texto e você poderá estilizar a largura usando CSS.
Digamos que você esteja tentando fazer isso usando o Knockout ... veja como:
Na página:
<textarea data-bind="event: { keyup: $root.GrowTextArea }"></textarea>
No modelo de exibição:
self.GrowTextArea = function (data, event) {
$('#' + event.target.id).height(0).height(event.target.scrollHeight);
}
Isso deve funcionar mesmo se você tiver várias áreas de texto criadas por um forock de Knockout, como eu.
Solução Simples:
HTML:
<textarea class='expand'></textarea>
JS:
$('textarea.expand').on('input', function() {
$(this).scrollTop($(this).height());
});
$('textarea.expand').scroll(function() {
var h = $(this).scrollTop();
if (h > 0)
$(this).height($(this).height() + h);
});
A solução mais simples:
html:
<textarea class="auto-expand"></textarea>
css:
.auto-expand {
overflow:hidden;
min-height: 80px;
}
js (jquery):
$(document).ready(function () {
$("textarea.auto-expand").focus(function () {
var $minHeight = $(this).css('min-height');
$(this).on('input', function (e) {
$(this).css('height', $minHeight);
var $newHeight = $(this)[0].scrollHeight;
$(this).css('height', $newHeight);
});
});
});
Solução com JS puro
function autoSize() {
if (element) {
element.setAttribute('rows', 2) // minimum rows
const rowsRequired = parseInt(
(element.scrollHeight - TEXTAREA_CONFIG.PADDING) / TEXTAREA_CONFIG.LINE_HEIGHT
)
if (rowsRequired !== parseInt(element.getAttribute('rows'))) {
element.setAttribute('rows', rowsRequired)
}
}
}
Esta é a solução que acabei usando. Eu queria uma solução em linha, e isso até agora parece funcionar muito bem:
<textarea onkeyup="$(this).css('height', 'auto').css('height', this.scrollHeight + this.offsetHeight - this.clientHeight);"></textarea>
function autoResizeTextarea() {
for (let index = 0; index < $('textarea').length; index++) {
let element = $('textarea')[index];
let offset = element.offsetHeight - element.clientHeight;
$(element).css('resize', 'none');
$(element).on('input', function() {
$(this).height(0).height(this.scrollHeight - offset - parseInt($(this).css('padding-top')));
});
}
}
https://codepen.io/nanachi1/pen/rNNKrzQ
isso deve funcionar.
@Georgiy Ivankin fez uma sugestão em um comentário, usei-a com sucesso :) -, mas com pequenas alterações:
$('#note').on('keyup',function(e){
var maxHeight = 200;
var f = document.getElementById('note');
if (f.clientHeight < f.scrollHeight && f.scrollHeight < maxHeight )
{ f.style.height = f.scrollHeight + 'px'; }
});
Ele para de se expandir após atingir a altura máxima de 200px
Pergunta antiga, mas você poderia fazer algo assim:
html:
<textarea class="text-area" rows="1"></textarea>
jquery:
var baseH; // base scroll height
$('body')
.one('focus.textarea', '.text-area', function(e) {
baseH = this.scrollHeight;
})
.on('input.textarea', '.text-area', function(e) {
if(baseH < this.scrollHeight) {
$(this).height(0).height(this.scrollHeight);
}
else {
$(this).height(0).height(baseH);
}
});
Dessa forma, o redimensionamento automático será aplicado a qualquer área de texto com a classe "área de texto". Também diminui quando o texto é removido.
jsfiddle:
Solução jQuery simples:
$("textarea").keyup(function() {
var scrollHeight = $(this).prop('scrollHeight') - parseInt($(this).css("paddingTop")) - parseInt($(this).css("paddingBottom"));
if (scrollHeight > $(this).height()) {
$(this).height(scrollHeight + "px");
}
});
HTML:
<textarea rows="2" style="padding: 20px; overflow: hidden; resize: none;"></textarea>
O estouro deve estar oculto . Redimensionar é nenhum se você não deseja redimensioná-lo com o mouse.