问题
I try to convert an existing project to use Typescript and I have problems doing so with my testing setup.
I had a setup file for my tests that sets up jsdom so that all my DOM interacting code works during my tests. Using Typescript (ts-node with mocha) I always get errors like this:
Property 'window' does not exist on type 'Global'.
To prevent this I tried patching the NodeJS.Global interface like this:
declare namespace NodeJS{
interface Global {
document: Document;
window: Window;
navigator: Navigator;
}
}
But this didn't change anything.
How do I enable those browser properties on the NodeJS global variable?
Extras:
This is my mocha setup.ts
:
import { jsdom, changeURL } from 'jsdom';
const exposedProperties = ['window', 'navigator', 'document'];
global.document = jsdom('');
global.window = global.document.defaultView;
Object.keys(global.document.defaultView).forEach((property) => {
if (typeof global[property] === 'undefined') {
exposedProperties.push(property);
global[property] = global.document.defaultView[property];
}
});
global.navigator = {
userAgent: 'node.js',
};
changeURL(global.window, 'http://example.com/');
回答1:
Original Answer To Avoid Error
Put this at the top of your typescript file
const globalAny:any = global;
Then use globalAny instead.
globalAny.document = jsdom('');
globalAny.window = global.document.defaultView;
Updated Answer To Maintain Type Safety
If you want to keep your type safety, you can augment the existing NodeJS.Global
type definition.
You need to put your definition inside the global scope declare global {...}
Keep in mind that the typescript global
scope is not the same as the NodeJS interface Global
, or the node global property
called global
of type Global
...
declare global {
namespace NodeJS {
interface Global {
document: Document;
window: Window;
navigator: Navigator;
}
}
}
回答2:
In addition to other answers, you can also simply cast global
directly at the assignment site:
(global as any).myvar = myvar;
回答3:
I fixed this problem by doing this...
export interface Global {
document: Document;
window: Window;
}
declare var global: Global;
回答4:
declare namespace NodeJS {
export interface Global { window: any;
}
}
回答5:
Avoid typecasting any
, it removes the purpose of typings. Instead install the type definitions needed (e.g. yarn add --dev @types/jsdom @types/node
) and import to use:
import { DOMWindow, JSDOM } from 'jsdom'
interface Global extends NodeJS.Global {
window: DOMWindow,
document: Document,
navigator: {
userAgent: string
}
}
const globalNode: Global = {
window: window,
document: window.document,
navigator: {
userAgent: 'node.js',
},
...global
}
来源:https://stackoverflow.com/questions/40743131/how-to-prevent-property-does-not-exist-on-type-global-with-jsdom-and-t