我知道我可以使用placeholder="some text here..."
,但是如何使它在按键而不是焦点时删除文本?是否可以使用 CSS 或如何使用 jQuery 来实现它?
问问题
3609 次
5 回答
2
如果您想要一个允许您轻松考虑任何默认文本值的通用解决方案,请考虑以下解决方案:
所有具有“填充文本”类名称的输入将默认为它们初始化的文本,如果您在字段中留下空文本,则会重置。
JavaScript:
jQuery(function ($) {
// Removes the defualt text on key press
function keyDown (e) {
var input = $(e.target);
if (input && !input.data('data-entered')) {
input.data('data-entered', true);
input.val("");
}
}
// Restore the default text if empty on blur
function blur(e) {
var input = $(e.target);
if (input && input.val() === "") {
input.data('data-entered', false);
input.val(input.data('blank-value'));
}
}
$('.populated-text').each(function () {
var input = $(this);
input.data('blank-value', input.val());
input.data('data-entered', false);
input.keydown(keyDown);
input.blur(blur);
});
});
示例输入:
<input type="text" value="Some text here..." class="populated-text">
<input type="text" value="Any default text you like" class="populated-text">
<input type="text" value="Will be used as empty" class="populated-text">
于 2012-04-05T19:55:25.723 回答
1
它并不完美,但这里有一个像新浏览器这样的占位符的尝试:
JS--
//when the input is clicked, select it's text so the cursor doesn't start typing in the middle of your placeholder text
$('input').on('click', function () {
//by selecting the input on click we mimic the focus event
$(this).select();
}).on('keyup', function () {
//if the input is un-touched
if (this.value == '' || this.value == '[Your Name]') {
//make the input in-active
this.className = '';
//and make sure the placeholder is still showing
this.value = '[Your Name]';
} else {
//since something has been entered into the input, add the active class to make the text black
this.className = 'active';
}
});
CSS——
input {
color : grey;
}
input.active {
color : black;
}
这使得输入默认为灰色文本,当用户输入内容时,它会变为黑色。
HTML --
<input type="text" value="[Your Name]" />
这是一个演示:http: //jsfiddle.net/2VfwW/
您可以将占位符添加到placeholder
属性中,然后检查对该属性的支持,如果它不存在,您可以运行上面的代码,但首先将每个输入的值设置为placeholder
属性的值:
$(function () {
//find all input elements with a placeholder attribute
$('input[placeholder]').val(function () {
//set the value of this input to the value of its placeholder
return $(this).attr('placeholder');
});
});
于 2012-04-05T19:14:20.800 回答
0
像下面这样的 jQuery 应该可以工作。
$('#myElement').keypress(function() { this.val = ''; }
于 2012-04-05T19:11:26.567 回答
0
使用 Javacript:
<input type="text" onfocus="if(this.value == 'Your text'){this.value=''}" value='Your text' />
于 2012-04-05T19:11:44.597 回答
0
如果您在文本字段中有值并且只想在用户在文本字段中输入键时清除它,您可以这样做:
$("#myTextfield").keypress(function() {
$(this).val("");
});
下一位检查用户是否在文本字段中输入了任何内容;如果没有,当它失去焦点时添加一个占位符。
$("#myTextfield").blur(function() {
if($(this).val() === "") {
$(this).val("Search...");
}
});
于 2012-04-05T19:12:26.387 回答