如何将参数传递给 setTimeout() 回调?
Posted
技术标签:
【中文标题】如何将参数传递给 setTimeout() 回调?【英文标题】:How can I pass a parameter to a setTimeout() callback? 【发布时间】:2010-11-14 12:11:22 【问题描述】:我有一些 javascript 代码,如下所示:
function statechangedPostQuestion()
//alert("statechangedPostQuestion");
if (xmlhttp.readyState==4)
var topicId = xmlhttp.responseText;
setTimeout("postinsql(topicId)",4000);
function postinsql(topicId)
//alert(topicId);
我得到一个错误,topicId
没有定义
在我使用 setTimeout()
函数之前,一切正常。
我希望我的 postinsql(topicId)
函数在一段时间后被调用。
我该怎么办?
【问题讨论】:
对这样一个老话题发表评论有点伤人,但我只需要提供第三个版本(我认为它更干净): setTimeout(postinsql.bind(null, topicId), 4000) 一切都清楚了:w3schools.com/jsref/met_win_settimeout.asp 相关:Why is the method executed immediately when I use setTimeout?、Calling functions with setTimeout()、what is the third param in setTimeout function?。 【参考方案1】:setTimeout(function()
postinsql(topicId);
, 4000)
您需要将匿名函数作为参数而不是字符串提供,后一种方法甚至不应该根据 ECMAScript 规范工作,但浏览器只是宽松的。这是正确的解决方案,在使用setTimeout()
或setInterval()
时,永远不要依赖将字符串作为“函数”传递,它会比较慢,因为它必须被评估而且它是不正确的。
更新:
正如 Hobblin 在他的 comments 中所说的那样,现在您可以使用 Function.prototype.bind()
将参数传递给 setTimeout 内的函数。
示例:
setTimeout(postinsql.bind(null, topicId), 4000);
【讨论】:
window.setTimeout
是一种 DOM 方法,因此不在 ECMAScript 规范中定义。传递字符串在浏览器中一直有效,并且是 de facto 标准——事实上,传递函数对象的能力是后来在 JavaScript 1.2 中添加的——它明确地是 html5 草案规范的一部分( whatwg.org/specs/web-apps/current-work/multipage/…)。但是,使用字符串而不是函数对象通常被认为是糟糕的风格,因为它本质上是一种延迟eval()
的形式。
var temp = setTimeout(function() postinsql(topicId); , 4000);清除超时(温度); ??
如果 topicId 在设置超时之后但在调用函数之前发生了变化?
@pilau 这正是我的问题:如果匿名函数中使用的变量在超时之前发生变化(例如在 for 循环中),那么它也会在函数内部发生变化。因此,在我的示例中,在 for 循环中设置 5 个不同的超时实际上最终使用了相同的变量。使用这个答案时要小心!
@pilau 使用另一个闭包将有助于 topicId=12;函数 postinsql(topicId) console.log(topicId); 函数 setTimeOutWithClosure(topicId) setTimeout(function() postinsql(topicId); , 1000) setTimeOutFunction(topicId); topicId=13;【参考方案2】:
替换
setTimeout("postinsql(topicId)", 4000);
与
setTimeout("postinsql(" + topicId + ")", 4000);
或者更好的是,用匿名函数替换字符串表达式
setTimeout(function () postinsql(topicId); , 4000);
编辑:
Brownstone 的评论不正确,这将按预期工作,如在 Firebug 控制台中运行所示
(function()
function postinsql(id)
console.log(id);
var topicId = 3
window.setTimeout("postinsql(" + topicId + ")",4000); // outputs 3 after 4 seconds
)();
请注意,我同意其他人的观点,即您应该避免将字符串传递给setTimeout
,因为这将在字符串上调用eval()
,而是传递一个函数。
【讨论】:
这不起作用,因为 postinsql(topicId) 的 result 将由 setTimeout 执行。您需要像第一个答案一样将其包装在一个函数中,或者使用 Prototype 的 .curry() 之类的帮助器 -- setTimeout(postinsql.curry(topidId),4000); @brownstone:这是不正确的。超时触发时将评估字符串。【参考方案3】:我想你想要:
setTimeout("postinsql(" + topicId + ")", 4000);
【讨论】:
我遇到过这种情况根本不起作用(总是导致“函数未定义”错误),但使用匿名函数确实有效。鉴于每个人似乎都说上述语法应该始终有效,这令人沮丧。 (会不会是 jQuery 以某种方式妨碍了 'quote as string' 方法?) 假设 topicId 是一个函数...或者一个对象。这行不通! 如果你真的想继续这个方法,对常规对象和数组使用JSON.stringify
,然后在函数内部使用JSON.parse
。但是,如果对象有方法,所有行为都将丢失。【参考方案4】:
请注意,根据错误消息“未定义”topicId 的原因是它在执行 setTimeout 时作为局部变量存在,但在延迟调用 postinsql 时不存在。变量生命周期特别需要注意,尤其是在尝试将“this”作为对象引用传递时。
听说可以将 topicId 作为第三个参数传递给 setTimeout 函数。没有给出太多细节,但我得到了足够的信息来让它工作,而且它在 Safari 中是成功的。不过,我不知道他们对“毫秒错误”的含义。在这里查看:
http://www.howtocreate.co.uk/tutorials/javascript/timers
【讨论】:
【参考方案5】:在现代浏览器(即 IE11 及更高版本)中,“setTimeout”接收第三个参数,该参数在计时器结束时作为参数发送给内部函数。
例子:
var hello = "Hello World";
setTimeout(alert, 1000, hello);
更多细节:
https://developer.mozilla.org/en-US/docs/Web/API/WindowTimers.setTimeout http://arguments.callee.info/2008/11/10/passing-arguments-to-settimeout-and-setinterval/【讨论】:
我不知道为什么这个答案没有被选为最佳答案。使用匿名函数当然可以,但是如果您可以简单地将第三个参数传递给原始的 setTimeout 函数调用......为什么不呢? 因为它在 IE 版本中不起作用,仍然非常流行。 这个答案实际上让我能够传递一个事件对象,其他方法没有。我已经有了一个匿名函数。 最好的答案。如果您的代码在“setTimeout”调用和匿名函数的实际执行之间修改了参数 - 匿名函数将收到修改后的值,而不是 setTimeout 调用时的值。例如: for(var i = 0; i 根据developer.mozilla.org/es/docs/Web/API/WindowTimers/setTimeout,Internet Explorer 的回调参数仅在 >=10 版本中受支持,请小心,因为在许多站点中 ie8 和 ie9 仍然获得一些相关份额。【参考方案6】:经过一些研究和测试,唯一正确的实现是:
setTimeout(yourFunctionReference, 4000, param1, param2, paramN);
setTimeout 会将所有额外参数传递给您的函数,以便在那里处理它们。
匿名函数可以用于非常基本的东西,但是在你必须使用“this”的对象实例中,没有办法让它工作。 任何匿名函数都会将“this”更改为指向窗口,因此您将丢失对象引用。
【讨论】:
我的心中充满了悲伤,我必须告知:这在 Internet Explorer 中不起作用。 :/ 所有额外的参数都是未定义的。 我只用var that = this; setTimeout( function() that.foo(); , 1000);
这个是正确的,在HTML5中有规定。 whatwg.org/specs/web-apps/current-work/multipage/…
这与Fabio's的答案完全相同。
根据developer.mozilla.org/es/docs/Web/API/WindowTimers/setTimeout,Internet Explorer 的回调参数仅在 >=10 版本中受支持,请小心,因为在许多站点中 ie8 和 ie9 仍然获得一些相关份额。【参考方案7】:
这是一个非常古老的问题,答案已经“正确”,但我想我会提到另一种在这里没有人提到的方法。这是从优秀的underscore库中复制粘贴的:
_.delay = function(func, wait)
var args = slice.call(arguments, 2);
return setTimeout(function() return func.apply(null, args); , wait);
;
您可以将任意数量的参数传递给 setTimeout 调用的函数和作为额外的奖励(嗯,通常是奖励)传递给函数的参数的值被冻结当您调用 setTimeout 时,因此如果它们在调用 setTimeout() 和超时之间的某个时间点更改值,那么......这不再那么令人沮丧了:)
Here's a fiddle 在那里你可以明白我的意思。
【讨论】:
该答案确实有效,但您似乎有一些我没有的库。这是让它工作的小修复:而不是 slice.call,使用 Array.prototype.slice.call(arguments, 2) @Melanie “某个图书馆”?我在答案中说它是下划线库 - underscorejs.org。但是,是的,Array.prototype.slice 被别名为在该库中切片,所以如果你不使用它,你必须自己做,好地方:)【参考方案8】:@Jiri Vetyska 感谢您的帖子,但您的示例中有问题。 我需要将悬停的目标(this)传递给超时函数,我尝试了你的方法。在 IE9 中测试 - 不起作用。 我也做了一些研究,似乎正如here 所指出的,第三个参数是正在使用的脚本语言。没有提及其他参数。
所以,我按照@meder 的回答用这段代码解决了我的问题:
$('.targetItemClass').hover(ItemHoverIn, ItemHoverOut);
function ItemHoverIn()
//some code here
function ItemHoverOut()
var THIS = this;
setTimeout(
function () ItemHoverOut_timeout(THIS); ,
100
);
function ItemHoverOut_timeout(target)
//do something with target which is hovered out
希望,这对其他人有用。
【讨论】:
【参考方案9】:Hobblin 已经对这个问题发表了评论,但这应该是一个真正的答案!
使用Function.prototype.bind()
是最简洁、最灵活的方法(另外还可以设置this
上下文):
setTimeout(postinsql.bind(null, topicId), 4000);
有关更多信息,请参阅以下 MDN 链接:https://developer.mozilla.org/en/docs/DOM/window.setTimeout#highlighter_547041 https://developer.mozilla.org/en/docs/JavaScript/Reference/Global_Objects/Function/bind#With_setTimeout
【讨论】:
this上下文可以用bindsetTimeout(postinsql.bind(this, topicId), 4000);
的第一个参数传递
@GiuseppeGalano 完全,我在回答中提到了这一点,但这个例子不需要它:)
使用bind
掩盖了部分应用程序令人着迷。它确实使一些可读的代码。
bind() 仅支持 IE9+,因此此方法不适用于 我是如何解决这个阶段的?
就这样:
setTimeout((function(_deepFunction ,_deepData)
var _deepResultFunction = function _deepResultFunction()
_deepFunction(_deepData);
;
return _deepResultFunction;
)(fromOuterFunction, fromOuterData ) , 1000 );
setTimeout 等待一个函数的引用,所以我在一个闭包中创建它,它解释我的数据并返回一个带有我数据的良好实例的函数!
也许你可以改进这部分:
_deepFunction(_deepData);
// change to something like :
_deepFunction.apply(contextFromParams , args);
我在 chrome、firefox 和 IE 上对其进行了测试,它运行良好,我不知道性能如何,但我需要它才能工作。
样本测试:
myDelay_function = function(fn , params , ctxt , _time)
setTimeout((function(_deepFunction ,_deepData, _deepCtxt)
var _deepResultFunction = function _deepResultFunction()
//_deepFunction(_deepData);
_deepFunction.call( _deepCtxt , _deepData);
;
return _deepResultFunction;
)(fn , params , ctxt)
, _time)
;
// the function to be used :
myFunc = function(param) console.log(param + this.name)
// note that we call this.name
// a context object :
myObjet =
id : "myId" ,
name : "myName"
// setting a parmeter
myParamter = "I am the outer parameter : ";
//and now let's make the call :
myDelay_function(myFunc , myParamter , myObjet , 1000)
// this will produce this result on the console line :
// I am the outer parameter : myName
也许您可以更改签名以使其更合规:
myNass_setTimeOut = function (fn , _time , params , ctxt )
return setTimeout((function(_deepFunction ,_deepData, _deepCtxt)
var _deepResultFunction = function _deepResultFunction()
//_deepFunction(_deepData);
_deepFunction.apply( _deepCtxt , _deepData);
;
return _deepResultFunction;
)(fn , params , ctxt)
, _time)
;
// and try again :
for(var i=0; i<10; i++)
myNass_setTimeOut(console.log ,1000 , [i] , console)
最后回答原来的问题:
myNass_setTimeOut( postinsql, 4000, topicId );
希望能帮到你!
ps:对不起,英语不是我的母语!
【讨论】:
与其他答案相比,这过于复杂。【参考方案11】:我最近遇到了需要在循环中使用setTimeout
的独特情况。了解这一点可以帮助您了解如何将参数传递给setTimeout
。
方法一
使用 forEach
和 Object.keys
,根据 Sukima 的 suggestion:
var testObject =
prop1: 'test1',
prop2: 'test2',
prop3: 'test3'
;
Object.keys(testObject).forEach(function(propertyName, i)
setTimeout(function()
console.log(testObject[propertyName]);
, i * 1000);
);
我推荐这种方法。
方法二
使用bind
:
var i = 0;
for (var propertyName in testObject)
setTimeout(function(propertyName)
console.log(testObject[propertyName]);
.bind(this, propertyName), i++ * 1000);
JSFiddle:http://jsfiddle.net/MsBkW/
方法3
或者,如果您不能使用forEach
或bind
,请使用IIFE:
var i = 0;
for (var propertyName in testObject)
setTimeout((function(propertyName)
return function()
console.log(testObject[propertyName]);
;
)(propertyName), i++ * 1000);
方法四
但是如果你不关心 IE suggestion:
var i = 0;
for (var propertyName in testObject)
setTimeout(function(propertyName)
console.log(testObject[propertyName]);
, i++ * 1000, propertyName);
方法 5 (ES6)
使用块范围的变量:
let i = 0;
for (let propertyName in testObject)
setTimeout(() => console.log(testObject[propertyName]), i++ * 1000);
虽然我仍然建议在 ES6 中使用 Object.keys
和 forEach
。
【讨论】:
注意:.bind
不适用于 IE8 及以下版本 [参考:developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/…]。我最终使用了 Schien 的解决方案:***.com/a/21213723/1876899
如果您在使用bind
的环境中,那么您也在提供Object.keys
和forEach
的环境中。您可以松开 for 循环并在此过程中获得“免费”(如两只鸟,一只石头免费而不是资源免费)功能范围。
@David Sherret 如果您以前没有使用过它,请务必查看 async
库 (github.com/caolan/async)。我们在 Sails 中广泛使用它,并且在过去 2 年中取得了很好的成果。它为异步forEach
、map
、reduce
等提供并行和串行方法。【参考方案12】:
我知道它很旧,但我想在其中添加我的(首选)风味。
我认为实现此目的的一种非常易读的方法是将topicId
传递给一个函数,该函数又使用参数在内部引用主题ID。即使外部的topicId
稍后会更改,此值也不会更改。
var topicId = xmlhttp.responseText;
var fDelayed = function(tid)
return function()
postinsql(tid);
;
setTimeout(fDelayed(topicId),4000);
或简称:
var topicId = xmlhttp.responseText;
setTimeout(function(tid)
return function() postinsql(tid); ;
(topicId), 4000);
【讨论】:
【参考方案13】:由于 IE 中的第三个可选参数存在问题,并且使用闭包会阻止我们更改变量(例如在循环中)并仍然达到预期的结果,我建议以下解决方案。
我们可以尝试像这样使用递归:
var i = 0;
var hellos = ["Hello World1!", "Hello World2!", "Hello World3!", "Hello World4!", "Hello World5!"];
if(hellos.length > 0) timeout();
function timeout()
document.write('<p>' + hellos[i] + '<p>');
i++;
if (i < hellos.length)
setTimeout(timeout, 500);
我们需要确保没有其他任何东西会改变这些变量,并且我们需要编写适当的递归条件以避免无限递归。
【讨论】:
【参考方案14】:有些答案是正确的,但令人费解。
4 年后我再次回答这个问题,因为我仍然会遇到过于复杂的代码来准确解决这个问题。有一个优雅的解决方案。
首先,在调用 setTimeout 时不要传入字符串作为第一个参数,因为它会有效地调用对慢速“eval”函数的调用。
那么我们如何将参数传递给超时函数呢?通过使用闭包:
settopic=function(topicid)
setTimeout(function()
//thanks to closure, topicid is visible here
postinsql(topicid);
,4000);
...
if (xhr.readyState==4)
settopic(xhr.responseText);
有人建议在调用超时函数时使用匿名函数:
if (xhr.readyState==4)
setTimeout(function()
settopic(xhr.responseText);
,4000);
语法成功了。但是到调用 settopic 时,即 4 秒后,XHR 对象可能不一样了。因此pre-bind the variables很重要。
【讨论】:
+1 是一个可读的解决方案,与我的略有不同。虽然您在 settopic 函数中有 setTimeout,但我在 setTimeout 函数中有 fDelayed(您的 settopic)函数。【参考方案15】:David Meister 的回答似乎处理了在调用 setTimeout() 之后但在调用匿名函数之前可能立即更改的参数。但是太麻烦了,也不是很明显。我发现了一种使用 IIFE(立即调用函数表达式)做几乎相同事情的优雅方式。
在下面的示例中,currentList
变量被传递给 IIFE,IIFE 将其保存在闭包中,直到调用延迟函数。即使变量currentList
在显示代码后立即更改,setInterval()
也会做正确的事情。
如果没有这种 IIFE 技术,setTimeout()
函数肯定会为 DOM 中的每个 h2
元素调用,但所有这些调用只会看到 last h2
的文本值元素。
<script>
// Wait for the document to load.
$(document).ready(function()
$("h2").each(function (index)
currentList = $(this).text();
(function (param1, param2)
setTimeout(function()
$("span").text(param1 + ' : ' + param2 );
, param1 * 1000);
)(index, currentList);
);
</script>
【讨论】:
【参考方案16】:这适用于所有浏览器(IE 很奇怪)
setTimeout( (function(x)
return function()
postinsql(x);
;
)(topicId) , 4000);
【讨论】:
【参考方案17】:支持setTimeout中参数的最简单的跨浏览器解决方案:
setTimeout(function()
postinsql(topicId);
, 4000)
如果您不介意不支持 IE 9 及更低版本:
setTimeout(postinsql, 4000, topicId);
https://developer.mozilla.org/en-US/docs/Web/API/WindowTimers/setTimeout
【讨论】:
【参考方案18】:我的回答:
setTimeout((function(topicId)
return function()
postinsql(topicId);
;
)(topicId), 4000);
解释:
创建的匿名函数返回另一个匿名函数。这个函数可以访问原来传递的
topicId
,所以不会出错。第一个匿名函数立即被调用,传入topicId
,因此延迟注册的函数在调用时可以通过闭包访问topicId
。
或
这基本上转换为:
setTimeout(function()
postinsql(topicId); // topicId inside higher scope (passed to returning function)
, 4000);
编辑:我看到了同样的答案,所以看看他的。但我没有偷他的答案!我只是忘了看。阅读说明,看看是否有助于理解代码。
【讨论】:
这是最好的答案。许多这些解决方案甚至不会遵守超时。但是,为什么要将第一个匿名函数放在括号中?我不认为他们有必要做到这一点。 这是最好的答案 ?,但必须进行克隆,因为当像topicId
这样的值被改变时,超时值也会改变。克隆修复了它【参考方案19】:
一般情况下,如果需要将函数作为带有特定参数的回调传递,则可以使用高阶函数。这在 ES6 中非常优雅:
const someFunction = (params) => () =>
//do whatever
;
setTimeout(someFunction(params), 1000);
或者如果someFunction
是一阶:
setTimeout(() => someFunction(params), 1000);
【讨论】:
这很不兼容 确实优雅!谢谢【参考方案20】:您可以尝试类似这样的“apply()”的默认功能,您可以在数组中传递更多数量的参数作为您的要求
function postinsql(topicId)
//alert(topicId);
setTimeout(
postinsql.apply(window,["mytopic"])
,500);
【讨论】:
【参考方案21】:如果你想将变量作为参数传递,让我们试试这个
如果要求是函数并且 var 作为 parmas,那么试试这个
setTimeout((param1,param2) =>
alert(param1 + param2);
postinsql(topicId);
,2000,'msg1', 'msg2')
如果要求只是作为参数的变量,那么试试这个
setTimeout((param1,param2) => alert(param1 + param2) ,2000,'msg1', 'msg2')
你可以用 ES5 和 ES6 试试这个
【讨论】:
【参考方案22】://这是三个非常简单明了的答案:
function fun()
console.log(this.prop1, this.prop2, this.prop3);
let obj = prop1: 'one', prop2: 'two', prop3: 'three' ;
let bound = fun.bind(obj);
setTimeout(bound, 3000);
// or
function funOut(par1, par2, par3)
return function()
console.log(par1, par2, par3);
;
setTimeout(funOut('one', 'two', 'three'), 5000);
// or
let funny = function(a, b, c) console.log(a, b, c); ;
setTimeout(funny, 2000, 'hello', 'worldly', 'people');
【讨论】:
【参考方案23】://这是三个非常简单明了的答案:
function fun()
console.log(this.prop1, this.prop2, this.prop3);
let obj = prop1: 'one', prop2: 'two', prop3: 'three' ;
let bound = fun.bind(obj);
setTimeout(bound, 3000);
// or
function funOut(par1, par2, par3)
return function()
console.log(par1, par2, par3);
;
setTimeout(funOut('one', 'two', 'three'), 5000);
// or
let funny = function(a, b, c) console.log(a, b, c); ;
setTimeout(funny, 2000, 'hello', 'worldly', 'people');
【讨论】:
【参考方案24】:您可以将参数传递给 setTimeout 回调函数:
setTimeout(函数, 毫秒, param1, param2, ...)
例如。
function myFunction()
setTimeout(alertMsg, 3000, "Hello");
function alertMsg(message)
alert(message)
【讨论】:
谁能告诉我为什么这个答案不是首选?这是我认为最简单的方法!就像setTimeout( (p) => console.log(p); , 1000, "hi" );
一样简单
是的!这应该是公认的答案。来自 MDN:developer.mozilla.org/en-US/docs/Web/API/…【参考方案25】:
setTimeout 是 WHAT WG 定义的 DOM 的一部分。
https://html.spec.whatwg.org/multipage/timers-and-user-prompts.html
你想要的方法是:——
handle = self.setTimeout( handler [, timeout [, arguments... ] ] )
在 timeout 毫秒后安排一个超时来运行处理程序。任何 参数直接传递给处理程序。
setTimeout(postinsql, 4000, topicId);
显然,IE10 支持额外的参数。或者,您可以使用setTimeout(postinsql.bind(null, topicId), 4000);
,但是传递额外的参数更简单,这是可取的。
历史事实:在 VBScript 时代,在 JScript 中,setTimeout 的第三个参数是语言,作为字符串,默认为“JScript”,但可以选择使用“VBScript”。 https://docs.microsoft.com/en-us/previous-versions/windows/internet-explorer/ie-developer/platform-apis/aa741500(v%3Dvs.85)
【讨论】:
【参考方案26】:我知道这个问题被问到已经 10 年了,但是,如果您滚动到这里,我认为您仍然面临一些问题。 Meder Omuraliev 的解决方案是最简单的,可能对我们大多数人都有帮助,但对于那些不想有任何约束力的人来说,这里是:
-
使用参数设置超时
setTimeout(function(p)
//p == param1
,3000,param1);
-
使用立即调用的函数表达式 (IIFE)
let param1 = 'demon';
setTimeout(function(p)
// p == 'demon'
,2000,(function()
return param1;
)()
);
-
问题的解决方案
function statechangedPostQuestion()
//alert("statechangedPostQuestion");
if (xmlhttp.readyState==4)
setTimeout(postinsql,4000,(function()
return xmlhttp.responseText;
)());
function postinsql(topicId)
//alert(topicId);
【讨论】:
【参考方案27】:通过带有 2 个参数的简单加法函数回答问题。
var x = 3, y = 4;
setTimeout(function(arg1, arg2)
delayedSum(arg1, arg2);
(x, y), 1000);
function delayedSum(param1, param2)
alert(param1 + param2); // 7
【讨论】:
这不起作用,因为该函数在定义时立即调用,它不使用超时值。请勿使用此方法。【参考方案28】:您必须像这样从 setTimeOut
函数调用中删除 quotes:
setTimeout(postinsql(topicId),4000);
【讨论】:
现在调用postinsql()
,而不是在 4000 毫秒内。【参考方案29】:
//Some function, with some arguments, that need to run with arguments
var a = function a(b, c, d, e)console.log(b, c, d, e);
//Another function, where setTimeout using for function "a", this have the same arguments
var f = function f(b, c, d, e) setTimeout(a.apply(this, arguments), 100);
f(1,2,3,4); //run
//Another function, where setTimeout using for function "a", but some another arguments using, in different order
var g = function g(b, c, d, e) setTimeout(function(d, c, b)a.apply(this, arguments);, 100, d, c, b);
g(1,2,3,4);
【讨论】:
请不要只发布代码作为答案,还要解释您的代码的作用以及它如何解决问题的问题。带有解释的答案通常更有帮助,质量更高,更有可能吸引投票。 我在 cmets 中为两种不同的情况添加了解释。并且这两种情况都允许以任何顺序接受参数(函数参数),因此这是解决问题的简短方法。以上是关于如何将参数传递给 setTimeout() 回调?的主要内容,如果未能解决你的问题,请参考以下文章