我使用JavaScript代码在注册时清除了用户名。如果不允许使用字符,则将其替换为破折号。

我的问题是:当用户要在文本中间添加字符时,光标会自动置于输入的末尾。

您可以在这里进行测试:http://jsfiddle.net/tZv5X/

HTML:

Username : <input type="text" id="username" />​


JS:

// Clean username
function clean_username(s)
{
    var temp = s.replace(/[àâä@]/gi,"a");
    temp = temp.replace(/[éèêë]/gi,"e");
    temp = temp.replace(/[îï]/gi,"i");
    temp = temp.replace(/[ôö]/gi,"o");
    temp = temp.replace(/[ùûü]/gi,"u");
    temp = temp.replace(/[ç]/gi,"c");
    temp = temp.replace(/[. _,;?!&+'"()]/gi,"-");
    return temp;
}

var current_value;
$("#username").keyup(function(e)
{
    if($(this).val() != current_value)
    {
        $(this).val(clean_username($(this).val()));
        current_value = $(this).val();
    }
});​


任何的想法 ?

谢谢

最佳答案

您可以使用jCaret插件(也由@puppybeard提及)。一探究竟:

$("#username").bind({
    keydown: function() {
        var $this = $(this);
        $this.data("pos", $this.caret().start);
    },
    keyup: function() {
        var $this = $(this),
            pos = $this.data("pos"),
            value = clean_username(this.value);
        if (value !== this.value) {
            this.value = value;
            $this.caret(pos + 1, pos + 1);
        }
    }
});​


演示:http://jsfiddle.net/tZv5X/3/

09-12 11:11