带有两个输入字段的 SweetAlert 提示

SweetAlert prompt with two input fields

目前正在进行个人项目。我希望用户单击一个按钮,系统会显示一个 SweetAlert 提示,供用户验证其凭据。但是,我在 SweetAlert 网站上看到的代码只允许一个输入字段。这是我的代码:

swal({
  title: "Authenicating for continuation",
  text: "Test",
  type: "input",
  showCancelButton: true,
  closeOnConfirm: false,
  animation: "slide-from-top",
  inputPlaceholder: "Write something"
}, function(inputValue) {
  if (inputValue === false) return false;
  if (inputValue === "") {
    swal.showInputError("You need to write something!");
    return false
  }
  // swal("Nice!", "You wrote: " + inputValue, "success");
});

那么,有没有办法让我获得两个输入字段?一个输入字段用于密码,另一个输入字段用于文本。

据我所知,您无法做到这一点。您可以分叉并实施,或者只使用 HTML 元素作为模态(例如 Bootstrap's modals)。

$(document).ready(function(){
    $("a").click(function(){
        swal({
            title: "Teste",   
            text: "Test:",   
            type: "input",
            showCancelButton: true,   
            closeOnConfirm: false,   
            animation: "slide-from-top",   
            inputPlaceholder: "User" 
        },
        function(inputValue){
            if (inputValue === false) return false;      
            if (inputValue === "") {
                swal.showInputError("Error");     
                return false;
            }
            swal({
                title: "Teste",   
                text: "E-mail:",   
                type: "input",
                showCancelButton: true,   
                closeOnConfirm: false,   
                animation: "slide-from-top",   
                inputPlaceholder: "Digite seu e-mail" 
            },
            function(inputValue){
                if (inputValue === false) return false;      
                if (inputValue === "") {     
                    swal.showInputError("E-mail error");     
                    return false;
                }
                swal("Nice!", "You wrote: " + inputValue, "success"); 
            });
        });                 
    });
});

只要将 html 属性 设置为 true,就可以使用默认的 SweetAlert 类型进行输入。问题是,除非类型设置为 "input",否则 SweetAlert 会向输入字段添加一个 display: none

这是一种解决方法,但您可以在 js 文件中更改它

<input type=\"text\" tabIndex=\"3\" />\n

<input id=\"swalInput\" type=\"text\" tabIndex=\"3\" />\n

并从

更改 css 文件
.sweet-alert input {

.sweet-alert #swalInput {

然后你可以在调用时简单地将你的html添加到文本参数中,就像这样:

swal({
    title: "Log In to Continue",
    html: true,
    text: "Username: <input type='text'><br>Password: <input type='password'>"
});

此方法仅指定唯一以这种方式设置样式的输入是由 SweetAlert 生成的输入,这样您添加到文本中的任何输入都不会受到该样式的影响。

不支持多路输入,可以通过html和preConfirm参数实现。 请注意,在 preConfirm 函数中,您可以将自定义结果传递给 resolve():

你可以用这样的方式做到这一点:

swal({
title: 'Multiple inputs',
html:
'<h2>Login details for waybill generation</h2>'+
'<input id="swal-input1" class="swal2-input" autofocus placeholder="User ID">' +
'<input id="swal-input2" class="swal2-input" placeholder="Password">',
 preConfirm: function() {
   return new Promise(function(resolve) {
   if (true) {
    resolve([
      document.getElementById('swal-input1').value,
      document.getElementById('swal-input2').value
    ]);
   }
  });
 }
 }).then(function(result) {
swal(JSON.stringify(result));
})
}
The link here: https://limonte.github.io/sweetalert2/

现在 SweetAlert2 可用: https://sweetalert2.github.io

根据他们在底部的信息:

Multiple inputs aren't supported, you can achieve them by using html and preConfirm parameters. Inside the preConfirm() function you can pass the custom result to the resolve() function as a parameter:

swal({
  title: 'Multiple inputs',
  html:
    '<input id="swal-input1" class="swal2-input">' +
    '<input id="swal-input2" class="swal2-input">',
  preConfirm: function () {
    return new Promise(function (resolve) {
      resolve([
        $('#swal-input1').val(),
        $('#swal-input2').val()
      ])
    })
  },
  onOpen: function () {
    $('#swal-input1').focus()
  }
}).then(function (result) {
  swal(JSON.stringify(result))
}).catch(swal.noop)

是的,你可以!!!

swal({
                  title: "An input!",
                  text: "Write something interesting:",
                  type: "input",
                  showCancelButton: true,
                  closeOnConfirm: false,
                  animation: "slide-from-top",
                  inputPlaceholder: "Write something"
                },
                function(inputValue){
                  if (inputValue === false) return false;

                  if (inputValue === "") {
                    swal.showInputError("You need to write something!");
                    return false
                  }

                  swal("Nice!", "You wrote: " + inputValue, "success");
                });

这是一个使用 sweetalert@^2.1.0 的示例,显示了一种拥有多个输入字段的方法。该示例使用 jQuery,但此技术不需要 jQuery。

// ==============================================================
//swal does not block, and the last swal wins
//so these swals are closed by later calls to swal, before you can see them
// ==============================================================
swal("aaa");
swal("bbb");

// ==============================================================
//for multiple inputs, use content: anHtmlElement
// ==============================================================
const div = document.createElement("div");
console.log(div);
$(div).html("first<input id='111' value='one'></input></br>second<input id='222' value='two'></input></br>third<input id='333' value='three'></input>");
swal({
    title: "Three Inputs",
    content: div,
    // ==============================================================
    //true means show cancel button, with default values
    // ==============================================================
    buttons: [true, "Do It"]
}).then(value => {
    if (value) {
        const outputString = `
            value is true for confirm (i.e. OK); false for cancel
            value: ${value}
            ` + $("#111").val() + " " + $("#222").val() + " " + $("#333").val();
        // ==============================================================
        // there are no open swals at this point, so another call to swal  is OK here
        // ==============================================================
        swal(outputString);
    } else {
        swal("You cancelled");
    }
});

alert("swal is not blocking: " + $("#111").val() + " " + $("#222").val() + " " + $("#333").val());

看看这个 https://sweetalert2.github.io/

"AJAX request example" + "Chaining modals (queue) example" 有输入,您可以使用它们

通过preConfirm方法和在sweetalert2中使用ok按钮作为提交按钮就很简单了

swal.fire({
showCancelButton:true,

html:`input1:<input id="input1" type="text">
      input2: <input id="input2" type="text">
      input3: <input id="input3" type="text">`,

preConfirm:function(){
                in1= $('#input1').val();
                in2= $('#input2').val();
                in3 = $('#input3').val();
                console.log(in1,in2,in3) // use user input value freely 
                     }
         })

不支持多输入,您可以使用HTMLpreConfirm参数来实现。 在 preConfirm() 函数中,您可以 return (或者,如果异步,解析为)自定义结果:

function sweetAlert(){
  (async () => {

  const { value: formValues } = await Swal.fire({
    title: 'Multiple inputs',
    html:
      '<input id="swal-input1" class="swal2-input">' +
      '<input id="swal-input2" class="swal2-input">',
    focusConfirm: false,
    preConfirm: () => {
      return [
        document.getElementById('swal-input1').value,
        document.getElementById('swal-input2').value
      ]
    }
  })

  if (formValues) {
    Swal.fire(JSON.stringify(formValues))
  }

  })()
}
body {
  font-family: "Open Sans", -apple-system, BlinkMacSystemFont, "Segoe UI", Roboto, Oxygen-Sans, Ubuntu, Cantarell, "Helvetica Neue", Helvetica, Arial, sans-serif; 
}
<script src="https://cdn.jsdelivr.net/npm/sweetalert2@9.3.4/dist/sweetalert2.all.min.js"></script>


<button onclick="sweetAlert()">Try me!</button>

来源:INPUT TYPES

试试这个方法

swal({
  text: 'First Input',
  content: "input",
  button: {
    text: "Add New",
    closeModal: false,
  },
})
.then(name => {
    swal({
        text: 'Second Input',
        content: "input",
        button: {
        text: "Add New",
            closeModal: false,
        },
    }).then(id => {
      //save code here.
    }) 
}).catch(err => { 
    swal("Error");
});

在 SweetAlert 2.x 上,您可以使用这个 vanilla Javascript 来获取/设置一个输入。你可以将更多元素链接到内容,这样你就可以有多个输入:

  var slider = document.createElement("input");
      slider.type = "number";
      slider.value = 5;
      slider.step=1;
      slider.min = 5;
      slider.max = 50;

      this.swal({
        title: 'Request time to XXX',
        text: 'Select values',
        content: slider,
        buttons: {
          cancel: "Run away!",
          catch: {
            text: "Throw Pokéball",
            value: slider.value,
          },
          defeat: true,
        }
      }).then((value) => {
        console.log(slider.value); // Here you receive the input data value
        //swal(`You typed: ${value}`);
      });

使用 Tikky 在上面的回答中发布的示例,并根据要求对该答案进行验证的问题。您可以尝试以下方法对此方法进行验证:

swal({
            title: 'Multiple inputs',
            html:
                '<input id="swal-input1" class="swal2-input">' +
                '<input id="swal-input2" class="swal2-input">',
            preConfirm: function () {
                return new Promise(function (resolve) {
                    // Validate input
                    if ($('#swal-input1').val() == '' || $('#swal-input2').val() == '') {
                        swal.showValidationMessage("Enter a value in both fields"); // Show error when validation fails.
                        swal.enableConfirmButton(); // Enable the confirm button again.
                    } else {
                        swal.resetValidationMessage(); // Reset the validation message.
                        resolve([
                            $('#swal-input1').val(),
                            $('#swal-input2').val()
                        ]);
                    }
                })
            },
            onOpen: function () {
                $('#swal-input1').focus()
            }
        }).then(function (result) {
            // If validation fails, the value is undefined. Break out here.
            if (typeof(result.value) == 'undefined') {
                return false;
            }
            swal(JSON.stringify(result))
        }).catch(swal.noop)

Asp.Net 核心 MVC 中的电子邮件和密码登录双输入框与 ajax 清除应用程序会话并重新登录以重新分配会话。应在 javascript 中调用“sweetModal”函数,用于触发 sweetalert 模式弹出窗口的应用程序 5 分钟空闲计时器触发器。调整以满足您的需要。请注意,这适用于 https://sweetalert.js.org/ 和 jQuery v3.5.1

的 SweeetAlert 2.0
sweetModal = () => {
swal({
    icon: '../../../images/yourlogo.png',
    title: 'Relogin',
    content: {
        element: "input",
        attributes: {
            placeholder: "Enter username",
        },
    },
    buttons: {
        confirm: {
            text: "Submit",
            value: true,
            visible: true,
            className: "",
            closeModal: false
        },
        cancel: {
            text: "Cancel",
            value: null,
            visible: true,
            className: "",
            closeModal: true
        },
    },
    closeOnClickOutside: false,
    closeOnEsc: false,
})
.then((user) => {
    if (user) {
        swal({
            icon: '../../../images/yourlogo.png',
            title: 'Relogin',
            content: {
                element: "input",
                attributes: {
                    placeholder: "Enter password",
                    type: "password",
                },
            },
            buttons: {
                confirm: {
                    text: "Submit",
                    value: true,
                    visible: true,
                    className: "",
                    closeModal: false
                },
                cancel: {
                    text: "Cancel",
                    value: null,
                    visible: true,
                    className: "",
                    closeModal: true
                },
            },
            closeOnClickOutside: false,
            closeOnEsc: false,
        })
        .then((pwd) => {
            if (pwd) {
                $.post("/account/refreshsession", { user: user, pwd: pwd }, () => swal(`Successful!`));
                //swal(`The returned value is: ${user} ${pwd}`);
            }
        });
    }
});

}

我添加2个或更多输入字段的方式是;我将 html 设置为 true 并使用文本向您写入输入,只需确保将 class“显示”(显示:块)添加到您的输入即可。 Swal 将隐藏您的输入。示例:

swal({
    title: "Test",
    html: true,
    text: ` <input class="show" tabindex="1" placeholder="">
            <input class="show" tabindex="1" placeholder="">
          `
}