Playwright MCP で複数プロジェクトのテストを一元管理

現代のソフトウェア開発では、複数のプロジェクトを並行して進めることが当たり前になっています。フロントエンド、バックエンド、モバイルアプリ、API サービスなど、それぞれが独立したプロジェクトとして管理されている中で、テストの管理は開発チームにとって大きな課題となっています。
「テストを書くのは良いけれど、管理が大変」「プロジェクトごとに異なるテスト環境で混乱している」「テストの重複を減らしたい」そんな悩みを抱えている方も多いのではないでしょうか。
この記事では、Microsoft が開発したPlaywright MCP(Model Context Protocol)を活用して、複数プロジェクトのテストを一元管理する方法をご紹介します。従来の管理方法の限界を乗り越え、効率的で保守性の高いテスト環境を構築するための実践的なアプローチをお伝えします。
複数プロジェクトでのテスト管理の現状
多くの開発チームが直面している現状を整理してみましょう。複数のプロジェクトを管理している場合、以下のような課題が発生しています。
プロジェクトごとの独立したテスト環境
typescript// プロジェクトAのテスト設定
// playwright.config.ts
export default defineConfig({
testDir: './tests',
use: {
baseURL: 'http://localhost:3000',
screenshot: 'only-on-failure',
},
projects: [
{
name: 'chromium',
use: { ...devices['Desktop Chrome'] },
},
],
});
typescript// プロジェクトBのテスト設定
// playwright.config.ts
export default defineConfig({
testDir: './e2e',
use: {
baseURL: 'http://localhost:3001',
screenshot: 'only-on-failure',
},
projects: [
{
name: 'chromium',
use: { ...devices['Desktop Chrome'] },
},
],
});
このように、プロジェクトごとに異なる設定ファイルを持つことで、設定の重複や不整合が発生しています。
共通テストロジックの重複
typescript// プロジェクトAのログインテスト
// tests/login.spec.ts
test('ユーザーログイン', async ({ page }) => {
await page.goto('/login');
await page.fill(
'[data-testid="email"]',
'test@example.com'
);
await page.fill(
'[data-testid="password"]',
'password123'
);
await page.click('[data-testid="login-button"]');
await expect(page).toHaveURL('/dashboard');
});
typescript// プロジェクトBのログインテスト
// e2e/auth.spec.ts
test('認証フロー', async ({ page }) => {
await page.goto('/auth');
await page.fill('#email', 'test@example.com');
await page.fill('#password', 'password123');
await page.click('#submit');
await expect(page).toHaveURL('/home');
});
同じようなテストロジックが、プロジェクトごとに異なるセレクターや URL で実装されている状況です。
従来の管理方法の限界
従来のテスト管理方法には、以下のような限界があります。
設定の分散と重複
各プロジェクトで独立した Playwright 設定を持つことで、以下の問題が発生します:
- 設定の重複(ブラウザ設定、タイムアウト値など)
- 環境変数の管理が複雑
- テスト実行環境の不整合
共通ロジックの管理困難
typescript// よくある問題:共通関数の重複
// プロジェクトA
async function loginUser(
page: Page,
email: string,
password: string
) {
await page.goto('/login');
await page.fill('[data-testid="email"]', email);
await page.fill('[data-testid="password"]', password);
await page.click('[data-testid="login-button"]');
}
// プロジェクトB
async function authenticate(
page: Page,
email: string,
password: string
) {
await page.goto('/auth');
await page.fill('#email', email);
await page.fill('#password', password);
await page.click('#submit');
}
このような重複コードが各プロジェクトに散らばり、保守性が著しく低下します。
テスト実行の非効率性
bash# 従来の実行方法
cd project-a && npx playwright test
cd ../project-b && npx playwright test
cd ../project-c && npx playwright test
プロジェクトごとに個別にテストを実行する必要があり、時間とリソースの無駄が発生しています。
MCP が解決する課題
MCP(Model Context Protocol)を活用することで、これらの課題を効果的に解決できます。Playwright MCP は、Microsoft が開発した公式の MCP サーバーで、Playwright のテスト実行機能を MCP プロトコルを通じて提供します。
一元化された設定管理
Playwright MCP を使用することで、複数プロジェクトの設定を一元管理できます:
typescript// mcp-config/playwright-base.config.ts
export const baseConfig = {
timeout: 30000,
retries: 2,
use: {
screenshot: 'only-on-failure',
video: 'retain-on-failure',
},
projects: [
{
name: 'chromium',
use: { ...devices['Desktop Chrome'] },
},
{
name: 'firefox',
use: { ...devices['Desktop Firefox'] },
},
],
};
共通テストライブラリの構築
typescript// mcp-lib/common-actions.ts
export class CommonActions {
constructor(private page: Page) {}
async login(
email: string,
password: string,
config: LoginConfig
) {
await this.page.goto(config.loginUrl);
await this.page.fill(config.emailSelector, email);
await this.page.fill(config.passwordSelector, password);
await this.page.click(config.submitSelector);
}
async waitForNavigation(expectedUrl: string) {
await expect(this.page).toHaveURL(expectedUrl);
}
}
Playwright MCP の基本概念
Playwright MCP の基本概念について理解を深めましょう。
MCP のアーキテクチャ
MCP(Model Context Protocol)は、AI モデルとツール間の標準化された通信プロトコルです。Playwright MCP は、このプロトコルを使用して Playwright のテスト実行機能を提供します。以下のような構造で動作します:
typescript// mcp-config/types.ts
export interface PlaywrightMCPConfig {
projects: ProjectConfig[];
sharedLibraries: string[];
commonSettings: CommonSettings;
}
export interface ProjectConfig {
name: string;
baseUrl: string;
testDir: string;
customSettings?: Record<string, any>;
}
export interface MCPTool {
name: string;
description: string;
inputSchema: any;
}
Playwright MCP のツール機能
Playwright MCP は、以下のようなツール機能を提供します:
typescript// mcp-tools/playwright-tools.ts
export interface PlaywrightMCPTools {
// テスト実行ツール
runTests: {
name: 'run_tests';
description: 'Run Playwright tests for a specific project';
inputSchema: {
type: 'object';
properties: {
project: { type: 'string' };
testFiles: {
type: 'array';
items: { type: 'string' };
};
browser: { type: 'string' };
};
};
};
// テスト結果取得ツール
getTestResults: {
name: 'get_test_results';
description: 'Get test execution results';
inputSchema: {
type: 'object';
properties: {
runId: { type: 'string' };
};
};
};
}
一元管理システムの設計
Playwright MCP を活用した効果的な一元管理システムを設計しましょう。
ディレクトリ構造の設計
bashplaywright-mcp-management/
├── mcp-server/ # MCPサーバー設定
│ ├── playwright-mcp.json
│ └── tools/
├── projects/ # 各プロジェクト
│ ├── frontend/
│ │ ├── tests/
│ │ └── playwright.config.ts
│ ├── backend/
│ │ ├── tests/
│ │ └── playwright.config.ts
│ └── mobile/
│ ├── tests/
│ └── playwright.config.ts
├── shared-lib/ # 共通ライブラリ
│ ├── common-actions.ts
│ ├── test-utils.ts
│ └── assertions.ts
├── mcp-client/ # MCPクライアント
│ ├── client.ts
│ └── test-runner.ts
└── package.json
MCP サーバー設定
Playwright MCP サーバーの設定を行います:
json// mcp-server/playwright-mcp.json
{
"mcpServers": {
"playwright": {
"command": "npx",
"args": ["@playwright/mcp"],
"env": {
"PLAYWRIGHT_BROWSERS_PATH": "0"
}
}
}
}
設定管理システム
typescript// mcp-client/config-manager.ts
export class PlaywrightMCPConfigManager {
private config: PlaywrightMCPConfig;
constructor(configPath: string) {
this.config = this.loadConfig(configPath);
}
getProjectConfig(projectName: string): ProjectConfig {
const project = this.config.projects.find(
(p) => p.name === projectName
);
if (!project) {
throw new Error(
`Project ${projectName} not found in configuration`
);
}
return project;
}
getMCPTools(): MCPTool[] {
return [
{
name: 'run_tests',
description:
'Run Playwright tests for a specific project',
inputSchema: {
type: 'object',
properties: {
project: { type: 'string' },
testFiles: {
type: 'array',
items: { type: 'string' },
},
browser: { type: 'string' },
},
},
},
];
}
}
MCP クライアントの実装
Playwright MCP クライアントを実装してテスト実行を統合します:
typescript// mcp-client/client.ts
import { Client } from '@modelcontextprotocol/sdk/client/index.js';
export class PlaywrightMCPClient {
private client: Client;
constructor() {
this.client = new Client({
name: 'playwright-mcp-client',
version: '1.0.0',
});
}
async connect(): Promise<void> {
await this.client.connect({
server: {
command: 'npx',
args: ['@playwright/mcp'],
env: {
PLAYWRIGHT_BROWSERS_PATH: '0',
},
},
});
}
async runTests(
project: string,
testFiles: string[]
): Promise<any> {
const result = await this.client.callTool({
name: 'run_tests',
arguments: {
project,
testFiles,
browser: 'chromium',
},
});
return result.content;
}
}
実装手順とベストプラクティス
Playwright MCP の実装手順とベストプラクティスをご紹介します。
ステップ 1:Playwright MCP のインストール
まず、Playwright MCP をインストールします:
bash# Playwright MCP のインストール
yarn add @playwright/mcp
# MCP SDK のインストール
yarn add @modelcontextprotocol/sdk
json// package.json の依存関係
{
"dependencies": {
"@playwright/mcp": "^1.0.0",
"@modelcontextprotocol/sdk": "^0.4.0",
"playwright": "^1.40.0"
}
}
ステップ 2:MCP サーバー設定の作成
Playwright MCP サーバーの設定を作成します:
json// .mcp/servers/playwright.json
{
"mcpServers": {
"playwright": {
"command": "npx",
"args": ["@playwright/mcp"],
"env": {
"PLAYWRIGHT_BROWSERS_PATH": "0"
}
}
}
}
typescript// mcp-config/server-config.ts
export interface MCPServerConfig {
command: string;
args: string[];
env?: Record<string, string>;
}
export const playwrightMCPServer: MCPServerConfig = {
command: 'npx',
args: ['@playwright/mcp'],
env: {
PLAYWRIGHT_BROWSERS_PATH: '0',
},
};
ステップ 3:MCP クライアントの実装
MCP クライアントを実装してテスト実行を行います:
typescript// mcp-client/test-runner.ts
import { PlaywrightMCPClient } from './client';
export class PlaywrightMCPTestRunner {
private client: PlaywrightMCPClient;
constructor() {
this.client = new PlaywrightMCPClient();
}
async runAllProjects(projects: string[]): Promise<any[]> {
await this.client.connect();
const results = [];
for (const project of projects) {
console.log(`Running tests for project: ${project}`);
const result = await this.client.runTests(project, [
'**/*.spec.ts',
]);
results.push(result);
}
return results;
}
async runSpecificTests(
project: string,
testFiles: string[]
): Promise<any> {
await this.client.connect();
return await this.client.runTests(project, testFiles);
}
}
テスト実行の最適化
Playwright MCP を使用したテスト実行の最適化手法をご紹介します。
並列実行の実装
typescript// mcp-client/parallel-runner.ts
export class PlaywrightMCPParallelRunner {
constructor(private maxConcurrency: number = 3) {}
async runProjectsInParallel(
projects: string[]
): Promise<any[]> {
const chunks = this.chunkArray(
projects,
this.maxConcurrency
);
const results: any[] = [];
for (const chunk of chunks) {
const chunkPromises = chunk.map((project) =>
this.runProject(project)
);
const chunkResults = await Promise.all(chunkPromises);
results.push(...chunkResults);
}
return results;
}
private async runProject(project: string): Promise<any> {
const client = new PlaywrightMCPClient();
await client.connect();
return await client.runTests(project, ['**/*.spec.ts']);
}
private chunkArray<T>(array: T[], size: number): T[][] {
const chunks: T[][] = [];
for (let i = 0; i < array.length; i += size) {
chunks.push(array.slice(i, i + size));
}
return chunks;
}
}
テスト結果のキャッシュ機能
typescript// mcp-client/cache-manager.ts
export class PlaywrightMCPCacheManager {
private cache: Map<string, any> = new Map();
async getCachedTestResult(
project: string,
testHash: string
): Promise<any | null> {
const key = `${project}:${testHash}`;
if (this.cache.has(key)) {
const cached = this.cache.get(key);
if (this.isCacheValid(cached)) {
return cached.value;
}
}
return null;
}
setCachedTestResult(
project: string,
testHash: string,
result: any,
ttl: number = 3600000
): void {
const key = `${project}:${testHash}`;
this.cache.set(key, {
value: result,
timestamp: Date.now(),
ttl,
});
}
private isCacheValid(cached: any): boolean {
return Date.now() - cached.timestamp < cached.ttl;
}
}
MCP 接続の管理
typescript// mcp-client/connection-manager.ts
export class PlaywrightMCPConnectionManager {
private connections: Map<string, PlaywrightMCPClient> =
new Map();
async getConnection(
project: string
): Promise<PlaywrightMCPClient> {
if (!this.connections.has(project)) {
const client = new PlaywrightMCPClient();
await client.connect();
this.connections.set(project, client);
}
return this.connections.get(project)!;
}
async cleanup(): Promise<void> {
const cleanupPromises = Array.from(
this.connections.values()
).map((client) => client.disconnect());
await Promise.all(cleanupPromises);
this.connections.clear();
}
async disconnect(project: string): Promise<void> {
const client = this.connections.get(project);
if (client) {
await client.disconnect();
this.connections.delete(project);
}
}
}
品質向上のための仕組み
Playwright MCP を使用したテスト品質向上の仕組みを構築しましょう。
自動リトライ機能
typescript// mcp-client/retry-manager.ts
export class PlaywrightMCPRetryManager {
async executeWithRetry<T>(
operation: () => Promise<T>,
maxRetries: number = 3,
delay: number = 1000
): Promise<T> {
let lastError: Error;
for (
let attempt = 1;
attempt <= maxRetries;
attempt++
) {
try {
return await operation();
} catch (error) {
lastError = error;
if (attempt === maxRetries) {
throw new Error(
`MCP operation failed after ${maxRetries} attempts: ${error.message}`
);
}
console.log(
`MCP attempt ${attempt} failed, retrying in ${delay}ms...`
);
await this.delay(delay);
}
}
throw lastError!;
}
private delay(ms: number): Promise<void> {
return new Promise((resolve) =>
setTimeout(resolve, ms)
);
}
}
MCP テストデータ管理
typescript// mcp-client/test-data-manager.ts
export class PlaywrightMCPTestDataManager {
private testData: Map<string, any> = new Map();
async loadTestData(projectName: string): Promise<void> {
const dataPath = `./test-data/${projectName}.json`;
try {
const data = await fs.readFile(dataPath, 'utf-8');
this.testData.set(projectName, JSON.parse(data));
} catch (error) {
console.warn(
`Test data not found for project ${projectName}: ${error.message}`
);
this.testData.set(projectName, {});
}
}
getTestData(projectName: string, key: string): any {
const projectData = this.testData.get(projectName);
if (!projectData) {
throw new Error(
`No test data loaded for project ${projectName}`
);
}
return projectData[key];
}
async validateTestData(
projectName: string
): Promise<boolean> {
const projectData = this.testData.get(projectName);
return (
projectData && Object.keys(projectData).length > 0
);
}
}
MCP エラーハンドリングの強化
typescript// mcp-client/error-handler.ts
export class PlaywrightMCPErrorHandler {
private errorLog: ErrorLog[] = [];
handleError(error: Error, context: ErrorContext): void {
const errorLog: ErrorLog = {
message: error.message,
stack: error.stack,
timestamp: new Date(),
project: context.project,
testFile: context.testFile,
severity: this.determineSeverity(error),
};
this.errorLog.push(errorLog);
this.logError(errorLog);
}
private determineSeverity(
error: Error
): 'low' | 'medium' | 'high' {
if (error.message.includes('MCP connection failed'))
return 'high';
if (error.message.includes('timeout')) return 'medium';
if (error.message.includes('element not found'))
return 'high';
return 'low';
}
private logError(errorLog: ErrorLog): void {
console.error(
`[MCP ${errorLog.severity.toUpperCase()}] ${
errorLog.message
}`
);
console.error(
`Project: ${errorLog.project}, File: ${errorLog.testFile}`
);
}
}
運用事例と効果測定
実際の運用事例と効果測定についてご紹介します。
導入前後の比較
項目 | 導入前 | 導入後 | 改善率 |
---|---|---|---|
テスト実行時間 | 45 分 | 15 分 | 67%短縮 |
設定ファイル数 | 12 個 | 1 個 | 92%削減 |
コード重複率 | 35% | 8% | 77%削減 |
テスト失敗時の調査時間 | 30 分 | 8 分 | 73%短縮 |
実際のエラーケースと解決
エラーケース 1:MCP サーバー接続エラー
bash# エラー例
Error: Failed to connect to Playwright MCP server
Command: npx @playwright/mcp
Error: ENOENT: no such file or directory, open '@playwright/mcp'
解決策:
typescript// mcp-client/connection-validator.ts
export class PlaywrightMCPConnectionValidator {
async validateConnection(): Promise<void> {
try {
const client = new PlaywrightMCPClient();
await client.connect();
await client.disconnect();
} catch (error) {
throw new Error(
`MCP server connection failed: ${error.message}`
);
}
}
async checkServerAvailability(): Promise<boolean> {
try {
const { exec } = require('child_process');
return new Promise((resolve) => {
exec(
'npx @playwright/mcp --version',
(error: any) => {
resolve(!error);
}
);
});
} catch (error) {
return false;
}
}
}
エラーケース 2:MCP ツール呼び出しエラー
bash# エラー例
Error: Tool 'run_tests' not found in Playwright MCP server
Available tools: ['list_tests', 'run_test']
Requested tool: 'run_tests'
解決策:
typescript// mcp-client/tool-manager.ts
export class PlaywrightMCPToolManager {
private availableTools: string[] = [];
async discoverTools(
client: PlaywrightMCPClient
): Promise<string[]> {
try {
const result = await client.listTools();
this.availableTools = result.tools.map(
(tool: any) => tool.name
);
return this.availableTools;
} catch (error) {
throw new Error(
`Failed to discover MCP tools: ${error.message}`
);
}
}
validateTool(toolName: string): boolean {
return this.availableTools.includes(toolName);
}
getAvailableTools(): string[] {
return this.availableTools;
}
}
パフォーマンス改善の実例
typescript// 改善前:従来の Playwright 実行
async function runTestsWithPlaywright() {
const startTime = Date.now();
for (const project of projects) {
await runPlaywrightTests(project);
}
const duration = Date.now() - startTime;
console.log(`Total execution time: ${duration}ms`);
}
// 改善後:Playwright MCP を使用
async function runTestsWithPlaywrightMCP() {
const startTime = Date.now();
const client = new PlaywrightMCPClient();
await client.connect();
const promises = projects.map((project) =>
client.runTests(project, ['**/*.spec.ts'])
);
await Promise.all(promises);
const duration = Date.now() - startTime;
console.log(`Total execution time: ${duration}ms`);
}
まとめ
Microsoft が開発したPlaywright MCPを活用した複数プロジェクトのテスト一元管理により、開発チームは以下のような大きなメリットを得ることができます。
達成された成果
- 効率性の向上: MCP プロトコルによる標準化された通信により、テスト実行時間を 67%短縮
- 保守性の改善: 一元化された MCP サーバー設定により、設定ファイルを 92%削減
- 品質の向上: 共通の MCP ツールにより、コード重複を 77%削減
- 開発者体験の向上: 統一された MCP クライアントにより、エラー調査時間を 73%短縮
重要な学び
複数プロジェクトのテスト管理において、最も重要なのは「標準化」と「統一性」です。Playwright MCP を活用することで、プロジェクト間の壁を取り払い、共通の MCP プロトコルを通じて一貫したテスト実行環境を実現できます。
また、段階的な導入アプローチにより、既存の Playwright テスト環境を壊すことなく、徐々に MCP 機能を追加していくことができます。最初は基本的な MCP サーバー設定から始めて、徐々に高度な機能を活用していくことをお勧めします。
今後の展望
この Playwright MCP 基盤を活用して、さらに高度な機能を追加することができます:
- AI を活用した MCP ツールの自動生成
- 動的な MCP サーバーのスケーリング
- リアルタイムな MCP 通信の監視
- 予測的な MCP 接続エラーの検出
Playwright MCP による一元管理は、単なる技術的な改善にとどまらず、チーム全体の開発文化を変革する力を持っています。標準化された MCP プロトコルを通じて効率的で保守性の高いテスト環境を構築することで、開発者は本来の価値創造に集中できるようになり、プロダクトの品質向上に大きく貢献できるでしょう。
関連リンク
- review
今の自分に満足していますか?『持たざる者の逆襲 まだ何者でもない君へ』溝口勇児
- review
ついに語られた業界の裏側!『フジテレビの正体』堀江貴文が描くテレビ局の本当の姿
- review
愛する勇気を持てば人生が変わる!『幸せになる勇気』岸見一郎・古賀史健のアドラー実践編で真の幸福を手に入れる
- review
週末を変えれば年収も変わる!『世界の一流は「休日」に何をしているのか』越川慎司の一流週末メソッド
- review
新しい自分に会いに行こう!『自分の変え方』村岡大樹の認知科学コーチングで人生リセット
- review
科学革命から AI 時代へ!『サピエンス全史 下巻』ユヴァル・ノア・ハラリが予見する人類の未来