使用jQuery更改输入字段的类型


205
$(document).ready(function() {
    // #login-box password field
    $('#password').attr('type', 'text');
    $('#password').val('Password');
});

这应该更改的#password输入字段(带有id="password"type password为普通文本字段,然后填写文本“ Password”。

但是,它不起作用。为什么?

形式如下:

<form enctype="application/x-www-form-urlencoded" method="post" action="/auth/sign-in">
  <ol>
    <li>
      <div class="element">
        <input type="text" name="username" id="username" value="Prihlasovacie meno" class="input-text" />
      </div>
    </li>
    <li>
      <div class="element">
        <input type="password" name="password" id="password" value="" class="input-text" />
      </div>
    </li>
    <li class="button">
      <div class="button">
        <input type="submit" name="sign_in" id="sign_in" value="Prihlásiť" class="input-submit" />
      </div>
    </li>
  </ol>
</form>

为什么要更改它?
2009年

我想让用户在输入中认真地输入“密码”文本,以便用户知道要填写的内容(因为没有标签)。
理查德·诺普

1
观看此视频:youtube.com/watch?
v=5YeSqtB0kfE

Answers:


258

作为浏览器安全模型的一部分,很可能会阻止此操作。

编辑:确实,现在在Safari中测试,我得到了错误 type property cannot be changed

编辑2:这似乎是jQuery的错误。使用以下简单的DOM代码就可以了:

var pass = document.createElement('input');
pass.type = 'password';
document.body.appendChild(pass);
pass.type = 'text';
pass.value = 'Password';

编辑3:直接来自jQuery来源,这似乎与IE有关(并且可能是bug或其安全模型的一部分,但jQuery并非特定):

// We can't allow the type property to be changed (since it causes problems in IE)
if ( name == "type" && jQuery.nodeName( elem, "input" ) && elem.parentNode )
    throw "type property can't be changed";

12
必须说,这是我见过的最无用的安全措施。快速更改字段的类型并将其替换为全新的字段之间似乎没有太大区别。很奇怪……反正为我工作。谢谢!

2
它不是安全模型的东西,我可以确认它在IE7,IE8中不起作用,并显示错误:无法获取类型属性
代码Novitiate

通过搜索找到了这个答案,这是一个很大的帮助。但是,我的解决方案是从jquery中删除该检查。很棒。
2012年

2
@Michael,我建议您不要直接更改jQuery。除此以外,它还会产生冲突责任,该检查可能是有原因的。如果您不需要担心IE支持,则可以实现一个与jQuery并行attr但允许更改元素type属性的jQuery扩展input
眼睑滑倒2012年

1
刚刚添加了更新4-希望它能帮助您解释事物以及如何解决它们。
ClarkeyBoy

76

甚至更容易...不需要所有动态元素的创建。只需创建两个单独的字段,将一个字段设置为“真实”密码字段(type =“ password”),将一个设置为“伪”密码字段(type =“ text”),将假字段中的文本设置为浅灰色,然后将初始值设置为“密码”。然后使用jQuery添加几行Javascript,如下所示:

    <script type="text/javascript">

        function pwdFocus() {
            $('#fakepassword').hide();
            $('#password').show();
            $('#password').focus();
        }

        function pwdBlur() {
            if ($('#password').attr('value') == '') {
                $('#password').hide();
                $('#fakepassword').show();
            }
        }
    </script>

    <input style="color: #ccc" type="text" name="fakepassword" id="fakepassword" value="Password" onfocus="pwdFocus()" />
    <input style="display: none" type="password" name="password" id="password" value="" onblur="pwdBlur()" />

因此,当用户输入“假”密码字段时,它将被隐藏,将显示真实字段,并且焦点将移至真实字段。他们将永远无法在假字段中输入文本。

当用户离开真实密码字段时,脚本将查看其是否为空,如果是,它将隐藏真实字段并显示伪造的字段。

请注意不要在两个输入元素之间留出空格,因为IE会在另一个输入元素之后一点一点放置(渲染该空间),并且当用户输入/退出该字段时,该字段似乎会移动。


2
:您可以链接下面的功能以及$('#password').show(); $('#password').focus();$('#password').show().focus();
Anriëtte迈伯勒

我将两个字段合并在一起,如下所示:<input type =“ text” /> <input type =“ password” />,当它们交换时,IE(9)仍然会发生垂直移位。链接方法($('#password')。show()。focus();)并没有帮助,但这是一个有趣的优化步骤。总体而言,这是最好的解决方案。
AVProgrammer 2011年

如果用户将焦点移到另一个控件上并且onblur触发了焦点,则焦点将返回到假密码字段
Allan Chua 2013年

您应该使用:if($('#password')。val()==''){而不是:if($('#password')。attr('value')==''){否则,密码值将始终显示“ password”。
Stephen Paul

75

一步解决

$('#password').get(0).type = 'text';

5
document.getElementById应该足够了,您不需要jQuery!;-)
Gandaro 2012年

2
实际上,根据问题,这是jQuery解决方案。
Sanket Sahu 2012年

17
甚至更短的一个,$('#password')[0] .type ='text';
Sanket Sahu

2
这可能导致IE9出现问题,类型未定义。不过非常适合其他浏览器。
kravits88

1
如果您尝试以这种方式将类型从“密码”更改为“文本”,则IE 8实际上将引发错误。错误消息为“无法获取type属性。不支持此命令。”
allieferr

41

如今,您可以使用

$("#password").prop("type", "text");

但是,当然,您应该真正做到这一点

<input type="password" placeholder="Password" />

除了IE。也有占位符填充以模仿IE中的功能。



1
IE 8现在已经死了。本机HTML解决方案万岁。将占位符扔掉并庆祝。
安德鲁(Andrew)

14

一个跨浏览器的解决方案……我希望其要旨可以帮助某个人。

此解决方案尝试设置type属性,如果失败,则仅创建一个新属性<input>元素,保留元素属性和事件处理程序。

changeTypeAttr.jsGitHub Gist):

/* x is the <input/> element
   type is the type you want to change it to.
   jQuery is required and assumed to be the "$" variable */
function changeType(x, type) {
    x = $(x);
    if(x.prop('type') == type)
        return x; //That was easy.
    try {
        return x.prop('type', type); //Stupid IE security will not allow this
    } catch(e) {
        //Try re-creating the element (yep... this sucks)
        //jQuery has no html() method for the element, so we have to put into a div first
        var html = $("<div>").append(x.clone()).html();
        var regex = /type=(\")?([^\"\s]+)(\")?/; //matches type=text or type="text"
        //If no match, we add the type attribute to the end; otherwise, we replace
        var tmp = $(html.match(regex) == null ?
            html.replace(">", ' type="' + type + '">') :
            html.replace(regex, 'type="' + type + '"') );
        //Copy data from old element
        tmp.data('type', x.data('type') );
        var events = x.data('events');
        var cb = function(events) {
            return function() {
                //Bind all prior events
                for(i in events)
                {
                    var y = events[i];
                    for(j in y)
                        tmp.bind(i, y[j].handler);
                }
            }
        }(events);
        x.replaceWith(tmp);
        setTimeout(cb, 10); //Wait a bit to call function
        return tmp;
    }
}

太糟糕了,如果每个人都说F ...,那么什么都行不通,应该可以跨浏览器运行,或者根本不行。
2012年

说到要点...您应该为此代码创建一个。gist.github.com
Christopher Parker

8

这对我有用。

$('#password').replaceWith($('#password').clone().attr('type', 'text'));

谢谢!这解决了我在IE中无法正常工作的其他问题。请记住,这是一个新对象,因此,如果您将$('#password')存储在变量中,则必须从DOM中重新获取它。
kravits88

1
这在IE8中不起作用。您仍然会收到“无法更改type属性”错误。
jcoffland

6

使用jQuery的终极方法:


将原始输入字段从屏幕上隐藏起来。

$("#Password").hide(); //Hide it first
var old_id = $("#Password").attr("id"); //Store ID of hidden input for later use
$("#Password").attr("id","Password_hidden"); //Change ID for hidden input

通过JavaScript即时创建新的输入字段。

var new_input = document.createElement("input");

将ID和值从隐藏的输入字段迁移到新的输入字段。

new_input.setAttribute("id", old_id); //Assign old hidden input ID to new input
new_input.setAttribute("type","text"); //Set proper type
new_input.value = $("#Password_hidden").val(); //Transfer the value to new input
$("#Password_hidden").after(new_input); //Add new input right behind the hidden input

为了解决IE上的错误 type property cannot be changed,您可能会发现以下有用:

将click / focus / change事件附加到新的输入元素,以便在隐藏的输入上触发相同的事件。

$(new_input).click(function(){$("#Password_hidden").click();});
//Replicate above line for all other events like focus, change and so on...

旧的隐藏输入元素仍位于DOM内,因此将对新输入元素触发的事件做出反应。交换ID后,新的输入元素将像旧的输入元素一样,并对旧隐藏输入的ID的任何函数调用做出响应,但外观有所不同。

有点棘手,但可行!!!;-)



4

我尚未在IE中进行过测试(因为我需要在iPad网站上使用它)-无法更改HTML的表单,但可以添加JS:

document.getElementById('phonenumber').type = 'tel';

(老式JS在所有jQuery旁边都很丑陋!)

但是,http : //bugs.jquery.com/ticket/1957链接到MSDN:“从Microsoft Internet Explorer 5开始,type属性是一次读/写操作,但仅当使用createElement方法创建输入元素时,在将其添加到文档之前。” 所以也许您可以复制元素,更改类型,添加到DOM并删除旧元素?


3

只需创建一个新字段来绕过此安全措施即可:

var $oldPassword = $("#password");
var $newPassword = $("<input type='text' />")
                          .val($oldPassword.val())
                          .appendTo($oldPassword.parent());
$oldPassword.remove();
$newPassword.attr('id','password');

3

尝试在Firefox 5中执行此操作时收到相同的错误消息。

我使用下面的代码解决了它:

<script type="text/javascript" language="JavaScript">

$(document).ready(function()
{
    var passfield = document.getElementById('password_field_id');
    passfield.type = 'text';
});

function focusCheckDefaultValue(field, type, defaultValue)
{
    if (field.value == defaultValue)
    {
        field.value = '';
    }
    if (type == 'pass')
    {
        field.type = 'password';
    }
}
function blurCheckDefaultValue(field, type, defaultValue)
{
    if (field.value == '')
    {
        field.value = defaultValue;
    }
    if (type == 'pass' && field.value == defaultValue)
    {
        field.type = 'text';
    }
    else if (type == 'pass' && field.value != defaultValue)
    {
        field.type = 'password';
    }
}

</script>

要使用它,只需将字段的onFocus和onBlur属性设置为如下所示:

<input type="text" value="Username" name="username" id="username" 
    onFocus="javascript:focusCheckDefaultValue(this, '', 'Username -OR- Email Address');"
    onBlur="javascript:blurCheckDefaultValue(this, '', 'Username -OR- Email Address');">

<input type="password" value="Password" name="pass" id="pass"
    onFocus="javascript:focusCheckDefaultValue(this, 'pass', 'Password');"
    onBlur="javascript:blurCheckDefaultValue(this, 'pass', 'Password');">

我也将其用于用户名字段,因此它会切换默认值。调用时,只需将函数的第二个参数设置为“”即可。

另外,值得注意的是,我的密码字段的默认类型实际上是密码,以防万一用户未启用JavaScript或出现问题,这样仍然可以保护他们的密码。

$(document).ready函数是jQuery,在文档完成加载后加载。然后,这会将密码字段更改为文本字段。显然,您必须将“ password_field_id”更改为密码字段的ID。

随时使用和修改代码!

希望这能对遇到我同样问题的所有人有所帮助:)

-CJ肯特

编辑:好的解决方案,但不是绝对的。在FF8和IE8 BUT上无法完全在Chrome(16.0.912.75 ver)上运行。页面加载时,Chrome不会显示“ 密码”文本。另外-开启自动填充功能时,FF将显示您的密码。


3

适用于所有需要在所有浏览器中使用的功能的简单解决方案:

的HTML

<input type="password" id="password">
<input type="text" id="passwordHide" style="display:none;">
<input type="checkbox" id="passwordSwitch" checked="checked">Hide password

jQuery的

$("#passwordSwitch").change(function(){
    var p = $('#password');
    var h = $('#passwordHide');
    h.val(p.val());
    if($(this).attr('checked')=='checked'){
        h.hide();
        p.show();
    }else{
        p.hide();
        h.show();
    }
});

3

这为我工作。

$('#newpassword_field').attr("type", 'text');


2

我猜您可以使用包含单词“ password”的背景图像,然后将其更改回空的背景图像。 .focus()

.blur() ---->带有“密码”的图片

.focus() ----->没有“密码”的图片

您也可以使用一些CSS和jQuery来实现。在密码字段的正上方显示一个文本字段,hide()在focus()上,然后将焦点放在密码字段上...


2

试试这个
演示在这里

$(document).delegate('input[type="text"]','click', function() {
    $(this).replaceWith('<input type="password" value="'+this.value+'" id="'+this.id+'">');
}); 
$(document).delegate('input[type="password"]','click', function() {
    $(this).replaceWith('<input type="text" value="'+this.value+'" id="'+this.id+'">');
}); 

2

这样做更容易:

document.querySelector('input[type=password]').setAttribute('type', 'text');

并再次将其返回到密码字段(假设密码字段是文本类型的第二个输入标签):

document.querySelectorAll('input[type=text]')[1].setAttribute('type', 'password')

1

用这个很容易

<input id="pw" onclick="document.getElementById('pw').type='password';
  document.getElementById('pw').value='';"
  name="password" type="text" value="Password" />

1
$('#pass').focus(function() { 
$('#pass').replaceWith("<input id='password' size='70' type='password' value='' name='password'>");
$('#password').focus();
});

<input id='pass' size='70' type='text' value='password' name='password'>

1
jQuery.fn.outerHTML = function() {
    return $(this).clone().wrap('<div>').parent().html();
};
$('input#password').replaceWith($('input.password').outerHTML().replace(/text/g,'password'));

1

这将达到目的。尽管可以改进以忽略现在不相关的属性。

插入:

(function($){
  $.fn.changeType = function(type) {  
    return this.each(function(i, elm) {
        var newElm = $("<input type=\""+type+"\" />");
        for(var iAttr = 0; iAttr < elm.attributes.length; iAttr++) {
            var attribute = elm.attributes[iAttr].name;
            if(attribute === "type") {
                continue;
            }
            newElm.attr(attribute, elm.attributes[iAttr].value);
        }
        $(elm).replaceWith(newElm);
    });
  };
})(jQuery);

用法:

$(":submit").changeType("checkbox");

小提琴:

http://jsfiddle.net/joshcomley/yX23U/


1

简单地说:

this.type = 'password';

$("#password").click(function(){
    this.type = 'password';
});

这是假设您的输入字段事先已设置为“文本”。


1

这是一个小片段,可让您更改type文档中的元素。

jquery.type.jsGitHub Gist):

var rtype = /^(?:button|input)$/i;

jQuery.attrHooks.type.set = function(elem, value) {
    // We can't allow the type property to be changed (since it causes problems in IE)
    if (rtype.test(elem.nodeName) && elem.parentNode) {
        // jQuery.error( "type property can't be changed" );

        // JB: Or ... can it!?
        var $el = $(elem);
        var insertionFn = 'after';
        var $insertionPoint = $el.prev();
        if (!$insertionPoint.length) {
            insertionFn = 'prepend';
            $insertionPoint = $el.parent();
        }

        $el.detach().attr('type', value);
        $insertionPoint[insertionFn]($el);
        return value;

    } else if (!jQuery.support.radioValue && value === "radio" && jQuery.nodeName(elem, "input")) {
        // Setting the type on a radio button after the value resets the value in IE6-9
        // Reset value to it's default in case type is set after value
        // This is for element creation
        var val = elem.value;
        elem.setAttribute("type", value);
        if (val) {
            elem.value = val;
        }
        return value;
    }
}

通过input从文档中删除,更改type,然后将其放回原始位置。

请注意,此代码段仅针对WebKit浏览器进行了测试-不保证其他任何功能!


实际上,忘记了这一点-仅用于delete jQuery.attrHooks.type删除jQuery对输入类型的特殊处理。
jb。

1

这是一种使用密码字段旁边的图像在查看密码(文本输入)和不查看密码(密码输入)之间切换的方法。我使用“睁眼”和“闭眼”图像,但是您可以使用任何适合您的图像。它的工作方式是有两个输入/图像,然后单击图像,将值从可见输入复制到隐藏的输入,然后交换其可见性。与其他许多使用硬编码名称的答案不同,该答案足够通用,可以在页面上多次使用。如果JavaScript不可用,它也会正常降级。

这是页面上其中两个的外观。在此示例中,通过单击密码-A可以看到它。

看起来如何

$(document).ready(function() {
  $('img.eye').show();
  $('span.pnt').on('click', 'img', function() {
    var self = $(this);
    var myinp = self.prev();
    var myspan = self.parent();
    var mypnt = myspan.parent();
    var otspan = mypnt.children().not(myspan);
    var otinp = otspan.children().first();
    otinp.val(myinp.val());
    myspan.hide();
    otspan.show();
  });
});
img.eye {
  vertical-align: middle;
}
<script src="https://ajax.googleapis.com/ajax/libs/jquery/1.11.1/jquery.min.js"></script>

<form>
<b>Password-A:</b>
<span class="pnt">
<span>
<input type="password" name="passa">
<img src="eye-open.png" class="eye" alt="O" style="display:none">
</span>
<span style="display:none">
<input type="text">
<img src="eye-closed.png" class="eye" alt="*">
</span>
</span>
</form>

<form>
<b>Password-B:</b>
<span class="pnt">
<span>             
<input type="password" name="passb">
<img src="eye-open.png" class="eye" alt="O" style="display:none">
</span> 
<span style="display:none">            
<input type="text">
<img src="eye-closed.png" class="eye" alt="*">
</span> 
</span>
</form>


0

我喜欢这种方式,可以更改输入元素的类型:old_input.clone()...。这是一个示例。有一个复选框“ id_select_multiple”。如果将其更改为“选定”,则应将名称为“ foo”的输入元素更改为复选框。如果未选中,则应再次将其变为单选按钮。

  $(function() {
    $("#id_select_multiple").change(function() {
     var new_type='';
     if ($(this).is(":checked")){ // .val() is always "on"
          new_type='checkbox';
     } else {
         new_type="radio";
     }
     $('input[name="foo"]').each(function(index){
         var new_input = $(this).clone();
         new_input.attr("type", new_type);
         new_input.insertBefore($(this));
         $(this).remove();
     });
    }
  )});

这在IE8中不起作用。您仍然会收到“无法更改type属性”错误。
jcoffland

0

继承人的DOM解决方案

myInput=document.getElementById("myinput");
oldHtml=myInput.outerHTML;
text=myInput.value;
newHtml=oldHtml.replace("password","text");
myInput.outerHTML=newHtml;
myInput=document.getElementById("myinput");
myInput.value=text;

0

我创建了一个jQuery扩展以在文本和密码之间切换。可在IE8中运行(可能也为6&7,但未经测试),不会失去您的价值或属性:

$.fn.togglePassword = function (showPass) {
    return this.each(function () {
        var $this = $(this);
        if ($this.attr('type') == 'text' || $this.attr('type') == 'password') {
            var clone = null;
            if((showPass == null && ($this.attr('type') == 'text')) || (showPass != null && !showPass)) {
                clone = $('<input type="password" />');
            }else if((showPass == null && ($this.attr('type') == 'password')) || (showPass != null && showPass)){
                clone = $('<input type="text" />');
            }
            $.each($this.prop("attributes"), function() {
                if(this.name != 'type') {
                    clone.attr(this.name, this.value);
                }
            });
            clone.val($this.val());
            $this.replaceWith(clone);
        }
    });
};

奇迹般有效。您可以简单地调用$('#element').togglePassword();来在两者之间切换,也可以选择基于其他内容(例如复选框)“强制”执行操作:$('#element').togglePassword($checkbox.prop('checked'));


0

对于所有IE8爱好者来说,这只是另一个选择,它在较新的浏览器中可以完美运行。您可以只为文本加上颜色以匹配输入的背景。如果您只有一个字段,则在单击/关注该字段时,它将颜色更改为黑色。我不会在公共站点上使用它,因为它会使大多数人“迷惑”,但是我在ADMIN部分中使用它,其中只有一个人可以访问用户密码。

$('#MyPass').click(function() {
    $(this).css('color', '#000000');
});

-要么-

$('#MyPass').focus(function() {
    $(this).css('color', '#000000');
});

离开该字段时,也需要将文本更改为白色。简单,简单,简单。

$("#MyPass").blur(function() {
    $(this).css('color', '#ffffff');
});

[另一种选择]现在,如果要检查的多个字段都具有相同的ID(与我使用的ID相同),请向要在其中隐藏文本的字段中添加一个“ pass”类。密码字段键入为“文本”。这样,仅具有“通过”类的字段将被更改。

<input type="text" class="pass" id="inp_2" value="snoogle"/>

$('[id^=inp_]').click(function() {
    if ($(this).hasClass("pass")) {
        $(this).css('color', '#000000');
    }
    // rest of code
});

这是第二部分。离开字段后,这会将文本更改为白色。

$("[id^=inp_]").blur(function() {
    if ($(this).hasClass("pass")) {
        $(this).css('color', '#ffffff');
    }
    // rest of code
});

By using our site, you acknowledge that you have read and understand our Cookie Policy and Privacy Policy.
Licensed under cc by-sa 3.0 with attribution required.