我有一个打字稿.ts
文件,内容如下
我使用的是webpack版本2.2.1
import { module } from "angular";
import "typeahead";
class TypeAheadController {
static $inject = ["$log", "$timeout", "$http", "$interpolate"];
constructor(
public $log: ng.ILogService,
public $timeout: ng.ITimeoutService,
public $http: ng.IHttpService,
public $interpolate: ng.IInterpolateService) {
// do stuff with Typeahead / Bloodhound.
var bloodhoundSuggestions = new Bloodhound({
datumTokenizer: _ => Bloodhound.tokenizers.obj.whitespace(_[this.inputValue]),
queryTokenizer: Bloodhound.tokenizers.whitespace,
}
因为预先定义位于@types/typeahead
且实施位于typeahead.js
,所以必须在webpack.config.js
globule = require("globule");
var configuration = {
context: __dirname,
resolve:
{
alias: {
typeahead: "typeahead.js"
}
},
entry: [
...globule.find("client/*.ts", { srcBase: "wwwroot/js/admin" })
],
output: {
filename: "./wwwroot/js/admin/admin.js"
},
module: {
rules: [
{ test: /\.ts$/, use: 'ts-loader' }
]
}
};
console.log(configuration);
module.exports = configuration;
不幸的是,在生成的javascript文件中,Bloodhound
未定义。
Webpack似乎包含并使用相关的require(323),但它显然不起作用,因为Bloodhound
未定义。
在输出文件中,在定义控制器之前就存在require。
Object.defineProperty(exports, "__esModule", { value: true });
var angular_1 = __webpack_require__(16);
__webpack_require__(323);
/**
* initialise and use a type ahead to find suggestions.
*/
var TypeAheadController = (function () {
在文件的下方,我找到了323。
/***/ }),
/* 323 */
/***/ (function(module, exports, __webpack_require__) {
/* WEBPACK VAR INJECTION */(function(setImmediate) {var __WEBPACK_AMD_DEFINE_ARRAY__, __WEBPACK_AMD_DEFINE_RESULT__;var __WEBPACK_AMD_DEFINE_ARRAY__, __WEBPACK_AMD_DEFINE_RESULT__;/*!
* typeahead.js 0.11.1
* https://github.com/twitter/typeahead.js
如何修复未定义的Bloodhound?
答案 0 :(得分:2)
这个包很奇怪。它名为 typeahead.js ,但package.json中的"main"
条目实际上是导出 Bloodhound
函数,而附加 jQuery.fn
的预先输入功能。更糟糕的是,它的@types
包具有错误的名称(缺少.js
),并且使用要求您从"bloodhound"
导入的声明格式编写。这很痛苦,但可以解决。
以下是您需要采取的步骤:
使用npm安装 typeahead.js (因为您使用的是Webpack)
npm install --save typeahead.js
安装@types
包(注意没有.js
,这很烦人)
npm install --save @types/typeahead
删除不需要的别名。具体而言,必须从 webpack.config.js :
中删除以下行typeahead: "typeahead.js"
创建声明文件 ambience.d.ts (名称不重要)
declare module "typeahead.js" {
export = Bloodhound;
}
不幸的是,上面的代码引用了Bloodhound
无条件声明的全局@types/typeahead
。幸运的是,它在运行时不会是全局的。
调整您的代码,使其大致如下
import angular from "angular";
import Bloodhound from "typeahead.js"; // note the `.js`
class TypeAheadController {
static $inject = ["$log", "$timeout", "$http", "$interpolate"];
constructor(
readonly $log: angular.ILogService,
readonly $timeout: angular.ITimeoutService,
readonly $http: angular.IHttpService,
readonly $interpolate: angular.IInterpolateService) {
// do stuff with Typeahead / Bloodhound.
const bloodhoundSuggestions = new Bloodhound({
datumTokenizer: _ => Bloodhound.tokenizers.obj
.whitespace(_[this.inputValue]),
queryTokenizer: Bloodhound.tokenizers.whitespace
});
}
}