Инверсируйте внедрение зависимостей, не вставляя зависимости в конструктор - PullRequest
0 голосов
/ 17 ноября 2018

Я следовал руководству по npm и github для inversify, чтобы настроить внедрение зависимостей в моем проекте Typescript.

У меня есть контроллер, служба и маршрутизатор.Служба внедряется в контроллер посредством инжектора конструктора, а контроллер извлекается из контейнера внедрения зависимостей непосредственно внутри маршрутизатора.

Я получаю сообщение об ошибке 'Cannot read property 'listingService' of undefined'.

Кажется, контроллердоступ, но по какой-то причине, когда я пытаюсь получить доступ к услуге, я нахожу, что это undefined.

Может кто-нибудь, пожалуйста, сообщите мне, в чем проблема?

Необходим соответствующий код скелетаобеспечить мою работу следующим образом:

// ts.config.json
{
  "compileOnSave": true,
  "compilerOptions": {
    "target": "es5",
    "lib": ["es6"],
    "types": ["reflect-metadata"],
    "module": "commonjs",
    "moduleResolution": "node",
    "experimentalDecorators": true,
    "emitDecoratorMetadata": true
  },
  "include": ["typings.d.ts", "server/**/*.ts"],
  "exclude": ["node_modules"]
}

// TYPES.ts
const TYPES = {
    ListingController: Symbol.for("ListingController"),
    ListingService: Symbol.for("ListingService")
};
export { TYPES };



// inversify.config.ts
import "reflect-metadata";
import { Container } from "inversify";
import {TYPES} from "./Types";
import {ListingController} from "./interfaces/ListingController";
import {ListingControllerImpl} from "../controllers/ListingControllerImpl";
import {ListingService} from "./interfaces/ListingService";
import {ListingServiceImpl} from "../services/ListingServiceImpl";

const myContainer = new Container();
myContainer.bind<ListingController>(TYPES.ListingController).to(ListingControllerImpl);
myContainer.bind<ListingService>(TYPES.ListingService).to(ListingServiceImpl);
export { myContainer };



// router.ts
import * as express from 'express';
const app = express();
import {myContainer} from "../d.i./inversify.config";
import {TYPES} from "../d.i./Types";
import {ListingController} from "../d.i./interfaces/ListingController";
const listingController = myContainer.get<ListingController>(TYPES.ListingController);
app.post('/', listingController.create);
export default app;



export interface ListingController {
    create(req: Request, res: Response): void;
}



export interface ListingService {
    create(body: any, id: string): Promise<any>;
}



@injectable()
export class ListingControllerImpl implements ListingController { 
    public listingService: ListingService;

    constructor()

    constructor(@inject(TYPES.ListingService) listingService: ListingService) {
        this.listingService = listingService;
    }

    public create(req: Request, res: Response): void {
       this.listingService.create();
    }
}



@injectable()
export class ListingServiceImpl implements ListingService {
    constructor()

    constructor() {
        
    }

    public all(uid: string, page: number, size): Promise<any> {
     //
    }

    public byId(id: string, uid: string): Promise<any> {
      //
    }

    public create(body: any, userId: string): Promise<any> {
        // do something
    }
}

1 Ответ

0 голосов
/ 17 ноября 2018

Хорошо, я обнаружил проблему.

На самом деле проблема не была связана с выбором или реализацией внедрения зависимостей, но на самом деле это было небольшое недоразумение, которое я имел со свойством closure.

Когда я попытался вызвать метод create listService из контроллера, используя this.listingService.create() 'this' не указывал на создание экземпляра класса контроллера.

Используя запись функции экземпляра, я получил доступ кобласть действия, которую я ожидал и теперь могу без проблем вызвать метод службы.

public create = (req: Request, res: Response, next: NextFunction): void => {
    this.listingService.create();
});

Надеюсь, это кому-нибудь поможет.

...