检测_是lodash还是下划线

时间:2016-12-28 22:04:17

标签: javascript underscore.js lodash

什么是权威"检测_变量是否加载了lodash或下划线的方法?

我在lodash 有时可能加载的环境中使用underscore项目。

目前,我已经想出了这个:

/** 
 * lodash defines a variable PLACEHOLDER = '__lodash_placeholder__'
 * so check if that is defined / contains the string "lodash"
 */
if ( typeof( _.PLACEHOLDER ) == 'undefined' || _.PLACEHOLDER.indexOf( 'lodash' ) < 0 ) {
    // _ is underscore, do what I need to access lodash
}

重要更新:以上代码无效!

是否有权威的&#34;检测_是lodash还是下划线的方法?

备注:
这是一个特定的请求,以找到确定_变量中是否加载了lodash或下划线的方法:
1.无论是否加载下划线,我无法控制。 (lodash 在我的控制范围内,并且将始终加载) 2.不能依赖lodash /下划线的加载顺序 3.加载的下划线版本可能会发生变化(它是可以更新的CMS框架的一部分)。
4. Lodash 4.17.x有300多个功能。我的代码使用了lodash中很多的功能 5. Lodash包含许多强调提供的功能 6.两个库中存在的一些函数具有不同的实现。

2 个答案:

答案 0 :(得分:4)

与@bhantol已经注意到的类似,有一个Migrating doc,其中列出了 与之兼容的lodash和下划线之间的差异。不能使用它们吗?例如,

if ( typeof( _.invoke ) !== 'undefined' ){
    // it's lodash
}

但是,是的,放大@ felix-kling和@tadman等人的评论,如果可能的话,将问题限制在特征(例如:特定方法)级别而不是整个库可能更可靠。

答案 1 :(得分:2)

问题中发布的代码不起作用,因为PLACEHOLDER是在缩小时重命名的私有变量。

因此,我已经采用了&#34;特征检测的概念&#34;如评论中所述。请注意,如果未来版本的下划线在所有这些函数中滚动,或者如果lodash不赞成使用这些函数,则此方法可能会中断:

&#13;
&#13;
var isLodash = false;
// If _ is defined and the function _.forEach exists then we know underscore OR lodash are in place
if ( 'undefined' != typeof(_) && 'function' == typeof(_.forEach) ) {
  // A small sample of some of the functions that exist in lodash but not underscore
  var funcs = [ 'get', 'set', 'at', 'cloneDeep' ];
  // Simplest if assume exists to start
  isLodash  = true;
  funcs.forEach( function ( func ) {
    // If just one of the functions do not exist, then not lodash
    isLodash = ('function' != typeof(_[ func ])) ? false : isLodash;
  } );
}

if ( isLodash ) {
  // We know that lodash is loaded in the _ variable
  console.log( 'Is lodash: ' + isLodash );
} else {
  // We know that lodash is NOT loaded
}
&#13;
<script src="https://cdnjs.cloudflare.com/ajax/libs/lodash.js/4.17.3/lodash.js"></script>
&#13;
&#13;
&#13;