How do I use namespaces with TypeScript external m

2018-12-31 16:25发布

问题:

I have some code:

baseTypes.ts

export module Living.Things {
  export class Animal {
    move() { /* ... */ }
  }
  export class Plant {
    photosynthesize() { /* ... */ }
  }
}

dog.ts

import b = require(\'./baseTypes\');

export module Living.Things {
  // Error, can\'t find name \'Animal\', ??
  export class Dog extends Animal {
    woof() { }
  }
}

tree.ts

// Error, can\'t use the same name twice, ??
import b = require(\'./baseTypes\');
import b = require(\'./dogs\');

module Living.Things {
  // Why do I have to write b.Living.Things.Plant instead of b.Plant??
  class Tree extends b.Living.Things.Plant {

  }
}

This is all very confusing. I want to have a bunch of external modules all contribute types to the same namespace, Living.Things. It seems that this doesn\'t work at all -- I can\'t see Animal in dogs.ts. I have to write the full namespace name b.Living.Things.Plant in tree.ts. It doesn\'t work to combine multiple objects in the same namespace across file. How do I do this?

回答1:

Candy Cup Analogy

Version 1: A cup for every candy

Let\'s say you wrote some code like this:

Mod1.ts

export namespace A {
    export class Twix { ... }
}

Mod2.ts

export namespace A {
    export class PeanutButterCup { ... }
}

Mod3.ts

export namespace A {
     export class KitKat { ... }
}

You\'ve created this setup: \"enter

Each module (sheet of paper) gets its own cup named A. This is useless - you\'re not actually organizing your candy here, you\'re just adding an additional step (taking it out of the cup) between you and the treats.


Version 2: One cup in the global scope

If you weren\'t using modules, you might write code like this (note the lack of export declarations):

global1.ts

namespace A {
    export class Twix { ... }
}

global2.ts

namespace A {
    export class PeanutButterCup { ... }
}

global3.ts

namespace A {
     export class KitKat { ... }
}

This code creates a merged namespace A in the global scope:

\"enter

This setup is useful, but doesn\'t apply in the case of modules (because modules don\'t pollute the global scope).


Version 3: Going cupless

Going back to the original example, the cups A, A, and A aren\'t doing you any favors. Instead, you could write the code as:

Mod1.ts

export class Twix { ... }

Mod2.ts

export class PeanutButterCup { ... }

Mod3.ts

export class KitKat { ... }

to create a picture that looks like this:

\"enter

Much better!

Now, if you\'re still thinking about how much you really want to use namespace with your modules, read on...


These Aren\'t the Concepts You\'re Looking For

We need to go back to the origins of why namespaces exist in the first place and examine whether those reasons make sense for external modules.

Organization: Namespaces are handy for grouping together logically-related objects and types. For example, in C#, you\'re going to find all the collection types in System.Collections. By organizing our types into hierarchical namespaces, we provide a good \"discovery\" experience for users of those types.

Name Conflicts: Namespaces are important to avoid naming collisions. For example, you might have My.Application.Customer.AddForm and My.Application.Order.AddForm -- two types with the same name, but a different namespace. In a language where all identifiers exist in the same root scope and all assemblies load all types, it\'s critical to have everything be in a namespace.

Do those reasons make sense in external modules?

Organization: External modules are already present in a file system, necessarily. We have to resolve them by path and filename, so there\'s a logical organization scheme for us to use. We can have a /collections/generic/ folder with a list module in it.

Name Conflicts: This doesn\'t apply at all in external modules. Within a module, there\'s no plausible reason to have two objects with the same name. From the consumption side, the consumer of any given module gets to pick the name that they will use to refer to the module, so accidental naming conflicts are impossible.


Even if you don\'t believe that those reasons are adequately addressed by how modules work, the \"solution\" of trying to use namespaces in external modules doesn\'t even work.

Boxes in Boxes in Boxes

A story:

Your friend Bob calls you up. \"I have a great new organization scheme in my house\", he says, \"come check it out!\". Neat, let\'s go see what Bob has come up with.

You start in the kitchen and open up the pantry. There are 60 different boxes, each labelled \"Pantry\". You pick a box at random and open it. Inside is a single box labelled \"Grains\". You open up the \"Grains\" box and find a single box labelled \"Pasta\". You open the \"Pasta\" box and find a single box labelled \"Penne\". You open this box and find, as you expect, a bag of penne pasta.

Slightly confused, you pick up an adjacent box, also labelled \"Pantry\". Inside is a single box, again labelled \"Grains\". You open up the \"Grains\" box and, again, find a single box labelled \"Pasta\". You open the \"Pasta\" box and find a single box, this one is labelled \"Rigatoni\". You open this box and find... a bag of rigatoni pasta.

\"It\'s great!\" says Bob. \"Everything is in a namespace!\".

\"But Bob...\" you reply. \"Your organization scheme is useless. You have to open up a bunch of boxes to get to anything, and it\'s not actually any more convenient to find anything than if you had just put everything in one box instead of three. In fact, since your pantry is already sorted shelf-by-shelf, you don\'t need the boxes at all. Why not just set the pasta on the shelf and pick it up when you need it?\"

\"You don\'t understand -- I need to make sure that no one else puts something that doesn\'t belong in the \'Pantry\' namespace. And I\'ve safely organized all my pasta into the Pantry.Grains.Pasta namespace so I can easily find it\"

Bob is a very confused man.

Modules are Their Own Box

You\'ve probably had something similar happen in real life: You order a few things on Amazon, and each item shows up in its own box, with a smaller box inside, with your item wrapped in its own packaging. Even if the interior boxes are similar, the shipments are not usefully \"combined\".

Going with the box analogy, the key observation is that external modules are their own box. It might be a very complex item with lots of functionality, but any given external module is its own box.


Guidance for External Modules

Now that we\'ve figured out that we don\'t need to use \'namespaces\', how should we organize our modules? Some guiding principles and examples follow.

Export as close to top-level as possible

  • If you\'re only exporting a single class or function, use export default:

MyClass.ts

export default class SomeType {
  constructor() { ... }
}

MyFunc.ts

function getThing() { return \'thing\'; }
export default getThing;

Consumption

import t from \'./MyClass\';
import f from \'./MyFunc\';
var x = new t();
console.log(f());

This is optimal for consumers. They can name your type whatever they want (t in this case) and don\'t have to do any extraneous dotting to find your objects.

  • If you\'re exporting multiple objects, put them all at top-level:

MyThings.ts

export class SomeType { ... }
export function someFunc() { ... }

Consumption

import * as m from \'./MyThings\';
var x = new m.SomeType();
var y = m.someFunc();
  • If you\'re exporting a large number of things, only then should you use the module/namespace keyword:

MyLargeModule.ts

export namespace Animals {
  export class Dog { ... }
  export class Cat { ... }
}
export namespace Plants {
  export class Tree { ... }
}

Consumption

import { Animals, Plants} from \'./MyLargeModule\';
var x = new Animals.Dog();

Red Flags

All of the following are red flags for module structuring. Double-check that you\'re not trying to namespace your external modules if any of these apply to your files:

  • A file whose only top-level declaration is export module Foo { ... } (remove Foo and move everything \'up\' a level)
  • A file that has a single export class or export function that isn\'t export default
  • Multiple files that have the same export module Foo { at top-level (don\'t think that these are going to combine into one Foo!)


回答2:

Nothing wrong with Ryan\'s answer, but for people who came here looking for how to maintain a one-class-per-file structure while still using ES6 namespaces correctly please refer to this helpful resource from Microsoft.

One thing that\'s unclear to me after reading the doc is: how to import the entire (merged) module with a single import.

Edit Circling back to update this answer. A few approaches to namespacing emerge in TS.

All module classes in one file.

export namespace Shapes {
    export class Triangle {}
    export class Square {}      
}

Import files into namespace, and reassign

import { Triangle as _Triangle } from \'./triangle\';
import { Square as _Square } from \'./square\';

export namespace Shapes {
  export const Triangle = _Triangle;
  export const Square = _Square;
}

Barrels

// ./shapes/index.ts
export { Triangle } from \'./triangle\';
export { Square } from \'./square\';

// in importing file:
import * as Shapes from \'./shapes/index.ts\';
// by node module convention, you can ignore \'/index.ts\':
import * as Shapes from \'./shapes\';
let myTriangle = new Shapes.Triangle();

A final consideration. You could namespace each file

// triangle.ts
export namespace Shapes {
    export class Triangle {}
}

// square.ts
export namespace Shapes {
    export class Square {}
}

But as one imports two classes from the same namespace, TS will complain there\'s a duplicate identifier. The only solution as this time is to then alias the namespace.

import { Shapes } from \'./square\';
import { Shapes as _Shapes } from \'./triangle\';

// ugh
let myTriangle = new _Shapes.Shapes.Triangle();

This aliasing is absolutely abhorrent, so don\'t do it. You\'re better off with an approach above. Personally, I prefer the \'barrel\'.



回答3:

Try to organize by folder:

baseTypes.ts

export class Animal {
    move() { /* ... */ }
}

export class Plant {
    photosynthesize() { /* ... */ }
}

dog.ts

import b = require(\'./baseTypes\');

export class Dog extends b.Animal {
    woof() { }
}   

tree.ts

import b = require(\'./baseTypes\');

class Tree extends b.Plant {
}

LivingThings.ts

import dog = require(\'./dog\')
import tree = require(\'./tree\')

export = {
    dog: dog,
    tree: tree
}

main.ts

import LivingThings = require(\'./LivingThings\');
console.log(LivingThings.Tree)
console.log(LivingThings.Dog)

The idea is that your module themselves shouldn\'t care / know they are participating in a namespace, but this exposes your API to the consumer in a compact, sensible way which is agnostic to which type of module system you are using for the project.



回答4:

Small impovement of Albinofrenchy answer:

base.ts

export class Animal {
move() { /* ... */ }
}

export class Plant {
  photosynthesize() { /* ... */ }
}

dog.ts

import * as b from \'./base\';

export class Dog extends b.Animal {
   woof() { }
} 

things.ts

import { Dog } from \'./dog\'

namespace things {
  export const dog = Dog;
}

export = things;

main.ts

import * as things from \'./things\';

console.log(things.dog);


回答5:

OP I\'m with you man. again too, there is nothing wrong with that answer with 300+ up votes, but my opinion is:

  1. what is wrong with putting classes into their cozy warm own files individually? I mean this will make things looks much better right? (or someone just like a 1000 line file for all the models)

  2. so then, if the first one will be achieved, we have to import import import... import just in each of the model files like man, srsly, a model file, a .d.ts file, why there are so many *s in there? it should just be simple, tidy, and that\'s it. Why I need imports there? why? C# got namespaces for a reason.

  3. And by then, you are literally using \"filenames.ts\" as identifiers. As identifiers... Come on its 2017 now and we still do that? Ima go back to Mars and sleep for another 1000 years.

So sadly, my answer is: nop, you cannot make the \"namespace\" thing functional if you do not using all those imports or using those filenames as identifiers (which I think is really silly). Another option is: put all of those dependencies into a box called filenameasidentifier.ts and use

export namespace(or module) boxInBox {} .

wrap them so they wont try to access other classes with same name when they are just simply trying to get a reference from the class sit right on top of them.



回答6:

Several of the questions/comments I\'ve seen around this subject sound to me as if the person is using Namespace where they mean \'module alias\'. As Ryan Cavanaugh mentioned in one of his comments you can have a \'Wrapper\' module re-export several modules.

If you really want to import it all from the same module name/alias, combine a wrapper module with a paths mapping in your tsconfig.json.

Example:

./path/to/CompanyName.Products/Foo.ts

export class Foo {
    ...
}


./path/to/CompanyName.Products/Bar.ts

export class Bar {
    ...
}


./path/to/CompanyName.Products/index.ts

export { Foo } from \'./Foo\';
export { Bar } from \'./Bar\';



tsconfig.json

{
    \"compilerOptions\": {
        ...
        paths: {
            ...
            \"CompanyName.Products\": [\"./path/to/CompanyName.Products/index\"],
            ...
        }
        ...
    }
    ...
}



main.ts

import { Foo, Bar } from \'CompanyName.Products\'

Note: The module resolution in the output .js files will need to be handled somehow, such as with this https://github.com/tleunen/babel-plugin-module-resolver

Example .babelrc to handle the alias resolution:

{
    \"plugins\": [
        [ \"module-resolver\", {
            \"cwd\": \"babelrc\",
            \"alias\": {
                \"CompanyName.Products\": \"./path/to/typescript/build/output/CompanyName.Products/index.js\"
            }
        }],
        ... other plugins ...
    ]
}


回答7:

dog.ts

import b = require(\'./baseTypes\');

export module Living.Things {
    // Error, can\'t find name \'Animal\', ??
    // Solved: can find, if properly referenced; exporting modules is useless, anyhow
    export class Dog extends b.Living.Things.Animal {
        public woof(): void {
            return;
        }
    }
}

tree.ts

// Error, can\'t use the same name twice, ??
// Solved: cannot declare let or const variable twice in same scope either: just use a different name
import b = require(\'./baseTypes\');
import d = require(\'./dog\');

module Living.Things {
    // Why do I have to write b.Living.Things.Plant instead of b.Plant??
    class Tree extends b.Living.Things.Plant {
    }
}


回答8:

Try this namespaces module

namespaceModuleFile.ts

export namespace Bookname{
export class Snows{
    name:any;
    constructor(bookname){
        console.log(bookname);
    }
}
export class Adventure{
    name:any;
    constructor(bookname){
        console.log(bookname);
    }
}
}





export namespace TreeList{
export class MangoTree{
    name:any;
    constructor(treeName){
        console.log(treeName);
    }
}
export class GuvavaTree{
    name:any;
    constructor(treeName){
        console.log(treeName);
    }
}
}

bookTreeCombine.ts

---compilation part---

import {Bookname , TreeList} from \'./namespaceModule\';
import b = require(\'./namespaceModule\');
let BooknameLists = new Bookname.Adventure(\'Pirate treasure\');
BooknameLists = new Bookname.Snows(\'ways to write a book\'); 
const TreeLis = new TreeList.MangoTree(\'trees present in nature\');
const TreeLists = new TreeList.GuvavaTree(\'trees are the celebraties\');


回答9:

Necromancing.
If I understand right, you\'re asking how to have all your classes in one separate file while preserving a single namespace for them all.

Since nobody seems to have a good solution - here\'s an idea to a simple solution that doesn\'t even involve typescript: That solution is called Gulp.

Just put all your classes that need to be in one namespace into the same folder (useful for code-organisation anyway). Then add a gulp-task that merges all the files in this directory into one file (gulp-concat). Then, add a namespace with the same name as the top directory, then add the concatenated files, then add a closing brace, and save into one file.
Done.
Then add a gulp-task that watches for changes (and additions/removals) in the same directory. On change/add, trigger the concat-function.

Now you have all classes in one file, and one file that contains all the classes in one namespace.
Sample code - along the lines of:

gulp.task(\"js:min:all\", function ()
{
    return gulp.src([\"./wwwroot/app/**/*.js\", \"!\" + \"./wwwroot/app/**/*.min.js\"
        , \"./wwwroot/GeneratedScripts/**/*.js\", \"!\" + \"./wwwroot/GeneratedScripts/**/*.min.js\"], { base: \".\" })
        .pipe(concat(\"./wwwroot/js/myscripts.min.js\"))
        .pipe(uglify())
        .pipe(gulp.dest(\".\"));
});



gulp.task(\'watch:js\', function ()
{
    gulp.watch(\'js/**/*.js\', [\'js:min:all\']);
});

There\'s a gulp append-prepend module here: https://www.npmjs.com/package/gulp-append-prepend

var gap = require(\'gulp-append-prepend\');

gulp.task(\'myawesometask\', function(){
    gulp.src(\'index.html\')
    .pipe(gap.prependFile(\'header.html\'))
    .pipe(gap.prependText(\'<!-- HEADER -->\'))
    .pipe(gap.appendText(\'<!-- FOOTER -->\'))
    .pipe(gap.appendFile(\'footer.html\'))
    .pipe(gulp.dest(\'www/\'));
});

Finally, set the watcher to start on solution load, and you\'re done.