Configure Mistral AI CI/CD integration with GitHub Actions and testing. Use when setting up automated testing, configuring CI pipelines, or integrating Mistral AI tests into your build process. Trigger with phrases like "mistral CI", "mistral GitHub Actions", "mistral automated tests", "CI mistral".
Configures GitHub Actions workflows for automated testing with Mistral AI integrations.
/plugin marketplace add jeremylongshore/claude-code-plugins-plus-skills/plugin install mistral-pack@claude-code-plugins-plusThis skill is limited to using the following tools:
Set up CI/CD pipelines for Mistral AI integrations with automated testing.
Create .github/workflows/mistral-integration.yml:
name: Mistral AI Integration Tests
on:
push:
branches: [main, develop]
pull_request:
branches: [main]
env:
NODE_VERSION: '20'
jobs:
lint-and-type:
name: Lint & Type Check
runs-on: ubuntu-latest
steps:
- uses: actions/checkout@v4
- uses: actions/setup-node@v4
with:
node-version: ${{ env.NODE_VERSION }}
cache: 'npm'
- run: npm ci
- name: Type Check
run: npm run typecheck
- name: Lint
run: npm run lint
unit-tests:
name: Unit Tests
runs-on: ubuntu-latest
steps:
- uses: actions/checkout@v4
- uses: actions/setup-node@v4
with:
node-version: ${{ env.NODE_VERSION }}
cache: 'npm'
- run: npm ci
- name: Run Unit Tests
run: npm test -- --coverage
- name: Upload Coverage
uses: codecov/codecov-action@v3
with:
file: ./coverage/lcov.info
integration-tests:
name: Integration Tests
runs-on: ubuntu-latest
needs: [lint-and-type, unit-tests]
# Only run on main branch or manual trigger
if: github.ref == 'refs/heads/main' || github.event_name == 'workflow_dispatch'
env:
MISTRAL_API_KEY: ${{ secrets.MISTRAL_API_KEY }}
steps:
- uses: actions/checkout@v4
- uses: actions/setup-node@v4
with:
node-version: ${{ env.NODE_VERSION }}
cache: 'npm'
- run: npm ci
- name: Run Integration Tests
run: npm run test:integration
timeout-minutes: 10
- name: Upload Test Results
if: always()
uses: actions/upload-artifact@v3
with:
name: test-results
path: test-results/
# Add API key to repository secrets
gh secret set MISTRAL_API_KEY --body "your-test-api-key"
# Verify secret is set
gh secret list
// tests/integration/mistral.integration.test.ts
import { describe, it, expect, beforeAll } from 'vitest';
import Mistral from '@mistralai/mistralai';
describe('Mistral AI Integration', () => {
let client: Mistral;
beforeAll(() => {
const apiKey = process.env.MISTRAL_API_KEY;
if (!apiKey) {
throw new Error('MISTRAL_API_KEY required for integration tests');
}
client = new Mistral({ apiKey });
});
it('should list available models', async () => {
const models = await client.models.list();
expect(models.data).toBeDefined();
expect(models.data?.length).toBeGreaterThan(0);
const modelIds = models.data?.map(m => m.id) || [];
expect(modelIds).toContain('mistral-small-latest');
});
it('should complete a chat request', async () => {
const response = await client.chat.complete({
model: 'mistral-small-latest',
messages: [
{ role: 'user', content: 'Reply with exactly: Integration test passed' }
],
maxTokens: 20,
});
expect(response.choices).toBeDefined();
expect(response.choices?.[0]?.message?.content).toContain('Integration test');
expect(response.usage?.totalTokens).toBeGreaterThan(0);
});
it('should handle streaming responses', async () => {
const stream = await client.chat.stream({
model: 'mistral-small-latest',
messages: [
{ role: 'user', content: 'Count from 1 to 3' }
],
maxTokens: 20,
});
const chunks: string[] = [];
for await (const event of stream) {
const content = event.data?.choices?.[0]?.delta?.content;
if (content) {
chunks.push(content);
}
}
expect(chunks.length).toBeGreaterThan(0);
expect(chunks.join('')).toBeTruthy();
});
it('should generate embeddings', async () => {
const response = await client.embeddings.create({
model: 'mistral-embed',
inputs: ['Hello world'],
});
expect(response.data).toBeDefined();
expect(response.data[0].embedding.length).toBe(1024);
});
});
// vitest.integration.config.ts
import { defineConfig } from 'vitest/config';
export default defineConfig({
test: {
globals: true,
environment: 'node',
include: ['tests/integration/**/*.test.ts'],
testTimeout: 60000, // 60s for API calls
hookTimeout: 30000,
retry: 2, // Retry flaky tests
reporters: ['verbose', 'junit'],
outputFile: {
junit: 'test-results/junit.xml',
},
},
});
{
"scripts": {
"test": "vitest run",
"test:watch": "vitest",
"test:integration": "vitest run --config vitest.integration.config.ts",
"test:coverage": "vitest run --coverage",
"typecheck": "tsc --noEmit",
"lint": "eslint src tests --ext .ts"
}
}
| Issue | Cause | Solution |
|---|---|---|
| Secret not found | Missing configuration | Add secret via gh secret set |
| Tests timeout | Slow API | Increase timeout or mock |
| Auth failures | Invalid key | Check secret value |
| Rate limiting | Too many tests | Add delays or reduce test count |
# .github/workflows/release.yml
name: Release
on:
push:
tags: ['v*']
jobs:
validate:
runs-on: ubuntu-latest
env:
MISTRAL_API_KEY: ${{ secrets.MISTRAL_API_KEY_PROD }}
steps:
- uses: actions/checkout@v4
- uses: actions/setup-node@v4
with:
node-version: '20'
- run: npm ci
- name: Verify Mistral Integration
run: npm run test:integration
- name: Build
run: npm run build
- name: Publish
run: npm publish
env:
NODE_AUTH_TOKEN: ${{ secrets.NPM_TOKEN }}
- name: Comment PR with Results
if: github.event_name == 'pull_request'
uses: actions/github-script@v6
with:
script: |
const fs = require('fs');
const coverage = fs.readFileSync('coverage/coverage-summary.json', 'utf8');
const data = JSON.parse(coverage);
github.rest.issues.createComment({
owner: context.repo.owner,
repo: context.repo.repo,
issue_number: context.issue.number,
body: `## Test Results
| Metric | Coverage |
|--------|----------|
| Lines | ${data.total.lines.pct}% |
| Functions | ${data.total.functions.pct}% |
| Branches | ${data.total.branches.pct}% |
`
});
# Configure via GitHub UI or API
required_status_checks:
strict: true
contexts:
- "Lint & Type Check"
- "Unit Tests"
- "Integration Tests"
For deployment patterns, see mistral-deploy-integration.
Expert guidance for Next.js Cache Components and Partial Prerendering (PPR). **PROACTIVE ACTIVATION**: Use this skill automatically when working in Next.js projects that have `cacheComponents: true` in their next.config.ts/next.config.js. When this config is detected, proactively apply Cache Components patterns and best practices to all React Server Component implementations. **DETECTION**: At the start of a session in a Next.js project, check for `cacheComponents: true` in next.config. If enabled, this skill's patterns should guide all component authoring, data fetching, and caching decisions. **USE CASES**: Implementing 'use cache' directive, configuring cache lifetimes with cacheLife(), tagging cached data with cacheTag(), invalidating caches with updateTag()/revalidateTag(), optimizing static vs dynamic content boundaries, debugging cache issues, and reviewing Cache Component implementations.