我有一个定义如下的函数
postEvent = (data) ->
throw new Error("category is required for structured events") if not category
throw new Error("action is required for structured events") if not action
$window.submit 'type1', data.category, data.action, data.label, data.property, data.value
类别和操作是必需的,但其余的不是。如果data
对象不包含给定值,则不应传递它。
我可以使用荒谬的if语句,但我怀疑这是一种更好的方法。 所以我正在寻找一种解开对象值并传递给另一个函数的方法。
实施例
data = {category: 'cat1', action: 'action1', value: 1.2}
postEvent(data)
这应该导致以下
$window.submit 'type1', 'cat1', 'action1', 1.2
答案 0 :(得分:1)
收集所需的参数
params = [data.category, data.action]
收集所有可选参数
OPTIONAL = ['label', 'property', 'value']
for prop in OPTIONAL
params.push(data[prop]) if data.hasOwnProperty(prop)
使用apply
$window.submit.apply($window, params)
答案 1 :(得分:0)
您可以使用destructuring:
postEvent = ({category, action, value}) ->
console.log category, action, value
postEvent({ category: 'foo', value: 'bar' }) #logs foo, undefined, bar
然后您可以使用call
来应用所有参数:
$window.sumbit.call $window, category, action, value
如果您需要验证,我建议采用不同的方法:
DATA_ORDERING = ['category', 'action', 'value']
postEvent = (data) ->
let stuff = Object.keys data
.sort (a, b) -> DATA_ORDERING.indexOf(a) - DATA_ORDERING.indexOf(b)
.map (k) -> data[k]
let valid = stuff.every (item) -> item? #make sure non-null
if valid then $window.submit.apply $window, stuff