Ricerca…


introduzione

Il test unitario in generale offre maggiore sicurezza a un prodotto per prevenire problemi durante la modifica / aggiunta di funzionalità. Una rete di sicurezza che dice "TUTTO SEMPRE FUNZIONA". I test delle unità non sostituiscono in alcun modo l'utente effettivo che un QA appropriato può eseguire.

In questo documento baseremo gli esempi su questo repository: https://github.com/driftyco/ionic-unit-testing-example

Test unitari con Karma / Jasmine

Il test unitario in ionico è lo stesso di qualsiasi app angolare.

Useremo alcuni framework per farlo.

Karma: una struttura per eseguire test

Jasmine: una struttura per i test di scrittura

PhantomJS - un'applicazione che esegue javascript senza browser

Prima di tutto, installiamo tutto, quindi assicurati che il tuo pacchetto.json includa queste linee nelle dipendenze di sviluppo. Sento che è importante notare che le dipendenze degli sviluppatori non influenzano affatto la tua app e sono lì solo per aiutare lo sviluppatore.

"@ionic/app-scripts": "1.1.4",
"@ionic/cli-build-ionic-angular": "0.0.3",
"@ionic/cli-plugin-cordova": "0.0.9",
"@types/jasmine": "^2.5.41",
"@types/node": "^7.0.8",
"angular2-template-loader": "^0.6.2",
"html-loader": "^0.4.5",
"jasmine": "^2.5.3",
"karma": "^1.5.0",
"karma-chrome-launcher": "^2.0.0",
"karma-jasmine": "^1.1.0",
"karma-jasmine-html-reporter": "^0.2.2",
"karma-sourcemap-loader": "^0.3.7",
"karma-webpack": "^2.0.3",
"null-loader": "^0.1.1",
"ts-loader": "^2.0.3",
"typescript": "2.0.9"

Ripassare un po 'i pacchetti

"angular2-template-loader": "^0.6.2", - will load and compile the angular2 html files.

"ts-loader": "^2.0.3", - will compile the actual typescript files

"null-loader": "^0.1.1", - will not load the assets that will be missing, such as fonts and images. We are testing, not image lurking.

Dovremmo anche aggiungere questo script ai nostri script package.json:

"test": "karma start ./test-config/karma.conf.js"

Prendere nota anche in tsconfig che si stanno escludendo i file spec.ts dalla compilazione:

 "exclude": [
    "node_modules",
    "src/**/*.spec.ts"
  ],

Ok, ora prendiamo la configurazione di test effettiva. Creare una cartella test-config nella cartella del progetto. (Proprio come è stato menzionato nello script package.json) All'interno della cartella crea 3 file:

webpack.test.js - che dirà al webpack quali file caricare per il processo di test

var webpack = require('webpack');
var path = require('path');

module.exports = {
  devtool: 'inline-source-map',

  resolve: {
    extensions: ['.ts', '.js']
  },

  module: {
    rules: [
      {
        test: /\.ts$/,
        loaders: [
          {
            loader: 'ts-loader'
          } , 'angular2-template-loader'
        ]
      },
      {
        test: /\.html$/,
        loader: 'html-loader'
      },
      {
        test: /\.(png|jpe?g|gif|svg|woff|woff2|ttf|eot|ico)$/,
        loader: 'null-loader'
      }
    ]
  },

  plugins: [
    new webpack.ContextReplacementPlugin(
      // The (\\|\/) piece accounts for path separators in *nix and Windows
      /angular(\\|\/)core(\\|\/)(esm(\\|\/)src|src)(\\|\/)linker/,
      root('./src'), // location of your src
      {} // a map of your routes
    )
  ]
};

function root(localPath) {
  return path.resolve(__dirname, localPath);
}

karma-test-shim.js - che caricherà le librerie angolari, come le librerie di zone e di test, e configurerà il modulo per il test.

Error.stackTraceLimit = Infinity;

require('core-js/es6');
require('core-js/es7/reflect');

require('zone.js/dist/zone');
require('zone.js/dist/long-stack-trace-zone');
require('zone.js/dist/proxy');
require('zone.js/dist/sync-test');
require('zone.js/dist/jasmine-patch');
require('zone.js/dist/async-test');
require('zone.js/dist/fake-async-test');

var appContext = require.context('../src', true, /\.spec\.ts/);

appContext.keys().forEach(appContext);

var testing = require('@angular/core/testing');
var browser = require('@angular/platform-browser-dynamic/testing');

testing.TestBed.initTestEnvironment(browser.BrowserDynamicTestingModule, browser.platformBrowserDynamicTesting());

karma.conf.js - definisce la configurazione di come testare il karma. Qui puoi passare da Chrome a PhantomJS per rendere questo processo invisibile e più veloce tra le altre cose.

var webpackConfig = require('./webpack.test.js');

module.exports = function (config) {
  var _config = {
    basePath: '',

    frameworks: ['jasmine'],

    files: [
      {pattern: './karma-test-shim.js', watched: true}
    ],

    preprocessors: {
      './karma-test-shim.js': ['webpack', 'sourcemap']
    },

    webpack: webpackConfig,

    webpackMiddleware: {
      stats: 'errors-only'
    },

    webpackServer: {
      noInfo: true
    },

    browserConsoleLogOptions: {
      level: 'log',
      format: '%b %T: %m',
      terminal: true
    },

    reporters: ['kjhtml', 'dots'],
    port: 9876,
    colors: true,
    logLevel: config.LOG_INFO,
    autoWatch: true,
    browsers: ['Chrome'],
    singleRun: false
  };

  config.set(_config);
};

Ora che abbiamo configurato tutto, scriviamo alcuni test effettivi. Per questo esempio scriveremo un file spec app.component. Se desideri vedere i test per una pagina e non il componente principale, puoi guardare qui: https://github.com/driftyco/ionic-unit-testing-example/blob/master/src/pages/page1/page1. spec.ts

Quello che dobbiamo fare prima è testare il nostro costruttore. Questo creerà ed eseguirà il costruttore del nostro app.component

  beforeEach(async(() => {
    TestBed.configureTestingModule({
      declarations: [MyApp],
      imports: [
        IonicModule.forRoot(MyApp)
      ],
      providers: [
        StatusBar,
        SplashScreen
      ]
    })
  }));

La dichiarazione includerà la nostra app ionica principale. Le importazioni saranno le importazioni necessarie per questo test. Non tutto.

I provider includeranno le cose che sono state iniettate nel costruttore ma che non fanno parte dell'importazione. Ad esempio, app.component inietta il servizio Piattaforma ma, poiché è parte di IonicModule, non è necessario menzionarlo nei provider.

Per i prossimi test avremo bisogno di ottenere un'istanza del nostro componente:

  beforeEach(() => {
    fixture = TestBed.createComponent(MyApp);
    component = fixture.componentInstance;
  });

Successivamente alcuni test per vedere che tutto è in ordine:

  it ('should be created', () => {
    expect(component instanceof MyApp).toBe(true);
  });

  it ('should have two pages', () => {
    expect(component.pages.length).toBe(2);
  });

Quindi alla fine avremo qualcosa di simile a questo:

import { async, TestBed } from '@angular/core/testing';
import { IonicModule } from 'ionic-angular';

import { StatusBar } from '@ionic-native/status-bar';
import { SplashScreen } from '@ionic-native/splash-screen';

import { MyApp } from './app.component';

describe('MyApp Component', () => {
  let fixture;
  let component;

  beforeEach(async(() => {
    TestBed.configureTestingModule({
      declarations: [MyApp],
      imports: [
        IonicModule.forRoot(MyApp)
      ],
      providers: [
        StatusBar,
        SplashScreen
      ]
    })
  }));

  beforeEach(() => {
    fixture = TestBed.createComponent(MyApp);
    component = fixture.componentInstance;
  });

  it ('should be created', () => {
    expect(component instanceof MyApp).toBe(true);
  });

  it ('should have two pages', () => {
    expect(component.pages.length).toBe(2);
  });

});

Esegui i test di

npm run test

E questo è tutto per il test di base. Ci sono alcuni modi per collegare la scrittura del test come scrivere il tuo TestBed e avere ereditarietà nei test che potrebbero aiutarti nel lungo periodo.



Modified text is an extract of the original Stack Overflow Documentation
Autorizzato sotto CC BY-SA 3.0
Non affiliato con Stack Overflow