* feat(go): make go fmt git-aware by default - By default, only check changed Go files (modified, staged, untracked) - Add --all flag to check all files (previous behaviour) - Reduces noise when running fmt on large codebases Co-Authored-By: Claude Opus 4.5 <noreply@anthropic.com> * feat(build): minimal output by default, add missing i18n - Default output now shows single line: "Success Built N artifacts (dir)" - Add --verbose/-v flag to show full detailed output - Add all missing i18n translations for build commands - Errors still show failure reason in minimal mode Co-Authored-By: Claude Opus 4.5 <noreply@anthropic.com> * feat: add root-level `core git` command - Create pkg/gitcmd with git workflow commands as root menu - Export command builders from pkg/dev (AddCommitCommand, etc.) - Commands available under both `core git` and `core dev` for compatibility - Git commands: health, commit, push, pull, work, sync, apply - GitHub orchestration stays in dev: issues, reviews, ci, impact Co-Authored-By: Claude Opus 4.5 <noreply@anthropic.com> * feat(qa): add docblock coverage checking Implement docblock/docstring coverage analysis for Go code: - New `core qa docblock` command to check coverage - Shows compact file:line list when under threshold - Integrate with `core go qa` as a default check - Add --docblock-threshold flag (default 80%) The checker uses Go AST parsing to find exported symbols (functions, types, consts, vars) without documentation. Co-Authored-By: Claude Opus 4.5 <noreply@anthropic.com> * fix: address CodeRabbit review feedback - Fix doc comment: "status" → "health" in gitcmd package - Implement --check flag for `core go fmt` (exits non-zero if files need formatting) Co-Authored-By: Claude Opus 4.5 <noreply@anthropic.com> * docs: add docstrings for 100% coverage Add documentation comments to all exported symbols: - pkg/build: ProjectType constants - pkg/cli: LogLevel, RenderStyle, TableStyle - pkg/framework: ServiceFor, MustServiceFor, Core.Core - pkg/git: GitError.Error, GitError.Unwrap - pkg/i18n: Handler Match/Handle methods - pkg/log: Level constants - pkg/mcp: Tool input/output types - pkg/php: Service constants, QA types, service methods - pkg/process: ServiceError.Error - pkg/repos: RepoType constants - pkg/setup: ChangeType, ChangeCategory constants - pkg/workspace: AddWorkspaceCommands Co-Authored-By: Claude Opus 4.5 <noreply@anthropic.com> * chore: standardize line endings to LF Add .gitattributes to enforce LF line endings for all text files. Normalize all existing files to use Unix-style line endings. Co-Authored-By: Claude Opus 4.5 <noreply@anthropic.com> * fix: address CodeRabbit review feedback - cmd_format.go: validate --check/--fix mutual exclusivity, capture stderr - cmd_docblock.go: return error instead of os.Exit(1) for proper error handling Co-Authored-By: Claude Opus 4.5 <noreply@anthropic.com> * fix: address CodeRabbit review feedback (round 2) - linuxkit.go: propagate state update errors, handle cmd.Wait() errors in waitForExit - mcp.go: guard against empty old_string in editDiff to prevent runaway edits - cmd_docblock.go: log parse errors instead of silently skipping Co-Authored-By: Claude Opus 4.5 <noreply@anthropic.com> --------- Co-authored-by: Claude Opus 4.5 <noreply@anthropic.com>
193 lines
4.4 KiB
Go
193 lines
4.4 KiB
Go
package php
|
|
|
|
import (
|
|
"context"
|
|
"io"
|
|
"os"
|
|
"os/exec"
|
|
"path/filepath"
|
|
|
|
"github.com/host-uk/core/pkg/cli"
|
|
)
|
|
|
|
// TestOptions configures PHP test execution.
|
|
type TestOptions struct {
|
|
// Dir is the project directory (defaults to current working directory).
|
|
Dir string
|
|
|
|
// Filter filters tests by name pattern.
|
|
Filter string
|
|
|
|
// Parallel runs tests in parallel.
|
|
Parallel bool
|
|
|
|
// Coverage generates code coverage.
|
|
Coverage bool
|
|
|
|
// CoverageFormat is the coverage output format (text, html, clover).
|
|
CoverageFormat string
|
|
|
|
// Groups runs only tests in the specified groups.
|
|
Groups []string
|
|
|
|
// JUnit outputs results in JUnit XML format via --log-junit.
|
|
JUnit bool
|
|
|
|
// Output is the writer for test output (defaults to os.Stdout).
|
|
Output io.Writer
|
|
}
|
|
|
|
// TestRunner represents the detected test runner.
|
|
type TestRunner string
|
|
|
|
// Test runner type constants.
|
|
const (
|
|
// TestRunnerPest indicates Pest testing framework.
|
|
TestRunnerPest TestRunner = "pest"
|
|
// TestRunnerPHPUnit indicates PHPUnit testing framework.
|
|
TestRunnerPHPUnit TestRunner = "phpunit"
|
|
)
|
|
|
|
// DetectTestRunner detects which test runner is available in the project.
|
|
// Returns Pest if tests/Pest.php exists, otherwise PHPUnit.
|
|
func DetectTestRunner(dir string) TestRunner {
|
|
// Check for Pest
|
|
pestFile := filepath.Join(dir, "tests", "Pest.php")
|
|
if _, err := os.Stat(pestFile); err == nil {
|
|
return TestRunnerPest
|
|
}
|
|
|
|
return TestRunnerPHPUnit
|
|
}
|
|
|
|
// RunTests runs PHPUnit or Pest tests.
|
|
func RunTests(ctx context.Context, opts TestOptions) error {
|
|
if opts.Dir == "" {
|
|
cwd, err := os.Getwd()
|
|
if err != nil {
|
|
return cli.WrapVerb(err, "get", "working directory")
|
|
}
|
|
opts.Dir = cwd
|
|
}
|
|
|
|
if opts.Output == nil {
|
|
opts.Output = os.Stdout
|
|
}
|
|
|
|
// Detect test runner
|
|
runner := DetectTestRunner(opts.Dir)
|
|
|
|
// Build command based on runner
|
|
var cmdName string
|
|
var args []string
|
|
|
|
switch runner {
|
|
case TestRunnerPest:
|
|
cmdName, args = buildPestCommand(opts)
|
|
default:
|
|
cmdName, args = buildPHPUnitCommand(opts)
|
|
}
|
|
|
|
cmd := exec.CommandContext(ctx, cmdName, args...)
|
|
cmd.Dir = opts.Dir
|
|
cmd.Stdout = opts.Output
|
|
cmd.Stderr = opts.Output
|
|
cmd.Stdin = os.Stdin
|
|
|
|
// Set XDEBUG_MODE=coverage to avoid PHPUnit 11 warning
|
|
cmd.Env = append(os.Environ(), "XDEBUG_MODE=coverage")
|
|
|
|
return cmd.Run()
|
|
}
|
|
|
|
// RunParallel runs tests in parallel using the appropriate runner.
|
|
func RunParallel(ctx context.Context, opts TestOptions) error {
|
|
opts.Parallel = true
|
|
return RunTests(ctx, opts)
|
|
}
|
|
|
|
// buildPestCommand builds the command for running Pest tests.
|
|
func buildPestCommand(opts TestOptions) (string, []string) {
|
|
// Check for vendor binary first
|
|
vendorBin := filepath.Join(opts.Dir, "vendor", "bin", "pest")
|
|
cmdName := "pest"
|
|
if _, err := os.Stat(vendorBin); err == nil {
|
|
cmdName = vendorBin
|
|
}
|
|
|
|
var args []string
|
|
|
|
if opts.Filter != "" {
|
|
args = append(args, "--filter", opts.Filter)
|
|
}
|
|
|
|
if opts.Parallel {
|
|
args = append(args, "--parallel")
|
|
}
|
|
|
|
if opts.Coverage {
|
|
switch opts.CoverageFormat {
|
|
case "html":
|
|
args = append(args, "--coverage-html", "coverage")
|
|
case "clover":
|
|
args = append(args, "--coverage-clover", "coverage.xml")
|
|
default:
|
|
args = append(args, "--coverage")
|
|
}
|
|
}
|
|
|
|
for _, group := range opts.Groups {
|
|
args = append(args, "--group", group)
|
|
}
|
|
|
|
if opts.JUnit {
|
|
args = append(args, "--log-junit", "test-results.xml")
|
|
}
|
|
|
|
return cmdName, args
|
|
}
|
|
|
|
// buildPHPUnitCommand builds the command for running PHPUnit tests.
|
|
func buildPHPUnitCommand(opts TestOptions) (string, []string) {
|
|
// Check for vendor binary first
|
|
vendorBin := filepath.Join(opts.Dir, "vendor", "bin", "phpunit")
|
|
cmdName := "phpunit"
|
|
if _, err := os.Stat(vendorBin); err == nil {
|
|
cmdName = vendorBin
|
|
}
|
|
|
|
var args []string
|
|
|
|
if opts.Filter != "" {
|
|
args = append(args, "--filter", opts.Filter)
|
|
}
|
|
|
|
if opts.Parallel {
|
|
// PHPUnit uses paratest for parallel execution
|
|
paratestBin := filepath.Join(opts.Dir, "vendor", "bin", "paratest")
|
|
if _, err := os.Stat(paratestBin); err == nil {
|
|
cmdName = paratestBin
|
|
}
|
|
}
|
|
|
|
if opts.Coverage {
|
|
switch opts.CoverageFormat {
|
|
case "html":
|
|
args = append(args, "--coverage-html", "coverage")
|
|
case "clover":
|
|
args = append(args, "--coverage-clover", "coverage.xml")
|
|
default:
|
|
args = append(args, "--coverage-text")
|
|
}
|
|
}
|
|
|
|
for _, group := range opts.Groups {
|
|
args = append(args, "--group", group)
|
|
}
|
|
|
|
if opts.JUnit {
|
|
args = append(args, "--log-junit", "test-results.xml", "--testdox")
|
|
}
|
|
|
|
return cmdName, args
|
|
}
|