Skip to content

Commit 089eb17

Browse files
committed
fix: --stdin flag
This was incorrectly ported from Rust to Go. When `--stdin` is provided, `treefmt` copy the `stdin` into a temporary file, using the first path argument as the filename. This allows the user to control which formatters will match this temp file based on their `treefmt` config. After the formatters have been applied, the contents of this temporary file are then printed to stdout and the temp file is removed. Signed-off-by: Brian McGee <[email protected]>
1 parent 4f086c2 commit 089eb17

File tree

8 files changed

+130
-82
lines changed

8 files changed

+130
-82
lines changed

cli/cli.go

+3
Original file line numberDiff line numberDiff line change
@@ -1,6 +1,8 @@
11
package cli
22

33
import (
4+
"os"
5+
46
"git.numtide.com/numtide/treefmt/walk"
57
"github.com/alecthomas/kong"
68
"github.com/charmbracelet/log"
@@ -33,6 +35,7 @@ type Format struct {
3335

3436
func configureLogging() {
3537
log.SetReportTimestamp(false)
38+
log.SetOutput(os.Stderr)
3639

3740
if Cli.Verbosity == 0 {
3841
log.SetLevel(log.WarnLevel)

cli/format.go

+56-37
Original file line numberDiff line numberDiff line change
@@ -1,16 +1,15 @@
11
package cli
22

33
import (
4-
"bufio"
54
"context"
65
"errors"
76
"fmt"
7+
"io"
88
"os"
99
"os/signal"
1010
"path/filepath"
1111
"runtime"
1212
"runtime/pprof"
13-
"strings"
1413
"syscall"
1514

1615
"git.numtide.com/numtide/treefmt/format"
@@ -173,6 +172,10 @@ func updateCache(ctx context.Context) func() error {
173172

174173
// apply a batch
175174
processBatch := func() error {
175+
if Cli.Stdin {
176+
// do nothing
177+
return nil
178+
}
176179
if err := cache.Update(batch); err != nil {
177180
return err
178181
}
@@ -192,6 +195,24 @@ func updateCache(ctx context.Context) func() error {
192195
// channel has been closed, no further files to process
193196
break LOOP
194197
}
198+
199+
if Cli.Stdin {
200+
// dump file into stdout
201+
f, err := os.Open(file.Path)
202+
if err != nil {
203+
return fmt.Errorf("failed to open %s: %w", file.Path, err)
204+
}
205+
if _, err = io.Copy(os.Stdout, f); err != nil {
206+
return fmt.Errorf("failed to copy %s to stdout: %w", file.Path, err)
207+
}
208+
if err = os.Remove(f.Name()); err != nil {
209+
return fmt.Errorf("failed to remove temp file %s: %w", file.Path, err)
210+
}
211+
212+
stats.Add(stats.Formatted, 1)
213+
continue
214+
}
215+
195216
// append to batch and process if we have enough
196217
batch = append(batch, file)
197218
if len(batch) == BatchSize {
@@ -212,8 +233,10 @@ func updateCache(ctx context.Context) func() error {
212233
return ErrFailOnChange
213234
}
214235

215-
// print stats to stdout
216-
stats.Print()
236+
// print stats to stdout unless we are processing stdin and printing the results to stdout
237+
if !Cli.Stdin {
238+
stats.Print()
239+
}
217240

218241
return nil
219242
}
@@ -224,6 +247,32 @@ func walkFilesystem(ctx context.Context) func() error {
224247
eg, ctx := errgroup.WithContext(ctx)
225248
pathsCh := make(chan string, BatchSize)
226249

250+
// By default, we use the cli arg, but if the stdin flag has been set we force a filesystem walk
251+
// since we will only be processing one file from a temp directory
252+
walkerType := Cli.Walk
253+
254+
if Cli.Stdin {
255+
walkerType = walk.Filesystem
256+
257+
// check we have only received one path arg which we use for the file extension / matching to formatters
258+
if len(Cli.Paths) != 1 {
259+
return fmt.Errorf("only one path should be specified when using the --stdin flag")
260+
}
261+
262+
// read stdin into a temporary file with the same file extension
263+
pattern := fmt.Sprintf("*%s", filepath.Ext(Cli.Paths[0]))
264+
file, err := os.CreateTemp("", pattern)
265+
if err != nil {
266+
return fmt.Errorf("failed to create a temporary file for processing stdin: %w", err)
267+
}
268+
269+
if _, err = io.Copy(file, os.Stdin); err != nil {
270+
return fmt.Errorf("failed to copy stdin into a temporary file")
271+
}
272+
273+
Cli.Paths[0] = file.Name()
274+
}
275+
227276
walkPaths := func() error {
228277
defer close(pathsCh)
229278

@@ -241,55 +290,25 @@ func walkFilesystem(ctx context.Context) func() error {
241290
return nil
242291
}
243292

244-
walkStdin := func() error {
245-
defer close(pathsCh)
246-
247-
// determine the current working directory
248-
cwd, err := os.Getwd()
249-
if err != nil {
250-
return fmt.Errorf("failed to determine current working directory: %w", err)
251-
}
252-
253-
// read in all the paths
254-
scanner := bufio.NewScanner(os.Stdin)
255-
256-
for scanner.Scan() {
257-
select {
258-
case <-ctx.Done():
259-
return ctx.Err()
260-
default:
261-
path := scanner.Text()
262-
if !strings.HasPrefix(path, "/") {
263-
// append the cwd
264-
path = filepath.Join(cwd, path)
265-
}
266-
pathsCh <- path
267-
}
268-
}
269-
return nil
270-
}
271-
272293
if len(Cli.Paths) > 0 {
273294
eg.Go(walkPaths)
274-
} else if Cli.Stdin {
275-
eg.Go(walkStdin)
276295
} else {
277296
// no explicit paths to process, so we only need to process root
278297
pathsCh <- Cli.TreeRoot
279298
close(pathsCh)
280299
}
281300

282301
// create a filesystem walker
283-
walker, err := walk.New(Cli.Walk, Cli.TreeRoot, pathsCh)
302+
walker, err := walk.New(walkerType, Cli.TreeRoot, pathsCh)
284303
if err != nil {
285304
return fmt.Errorf("failed to create walker: %w", err)
286305
}
287306

288307
// close the files channel when we're done walking the file system
289308
defer close(filesCh)
290309

291-
// if no cache has been configured, we invoke the walker directly
292-
if Cli.NoCache {
310+
// if no cache has been configured, or we are processing from stdin, we invoke the walker directly
311+
if Cli.NoCache || Cli.Stdin {
293312
return walker.Walk(ctx, func(file *walk.File, err error) error {
294313
select {
295314
case <-ctx.Done():

cli/format_test.go

+29-34
Original file line numberDiff line numberDiff line change
@@ -573,54 +573,49 @@ func TestStdIn(t *testing.T) {
573573
// capture current cwd, so we can replace it after the test is finished
574574
cwd, err := os.Getwd()
575575
as.NoError(err)
576-
577576
t.Cleanup(func() {
578577
// return to the previous working directory
579578
as.NoError(os.Chdir(cwd))
580579
})
581580

582581
tempDir := test.TempExamples(t)
583-
configPath := filepath.Join(tempDir, "/treefmt.toml")
584-
585-
// change working directory to temp root
586-
as.NoError(os.Chdir(tempDir))
587-
588-
// basic config
589-
cfg := config.Config{
590-
Formatters: map[string]*config.Formatter{
591-
"echo": {
592-
Command: "echo",
593-
Includes: []string{"*"},
594-
},
595-
},
596-
}
597-
test.WriteConfig(t, configPath, cfg)
598582

599-
// swap out stdin
583+
// capture current stdin and replace it on test cleanup
600584
prevStdIn := os.Stdin
601-
stdin, err := os.CreateTemp("", "stdin")
602-
as.NoError(err)
603-
604-
os.Stdin = stdin
605-
606585
t.Cleanup(func() {
607586
os.Stdin = prevStdIn
608-
_ = os.Remove(stdin.Name())
609587
})
610588

611-
go func() {
612-
_, err := stdin.WriteString(`treefmt.toml
613-
elm/elm.json
614-
go/main.go
615-
`)
616-
as.NoError(err, "failed to write to stdin")
617-
as.NoError(stdin.Sync())
618-
_, _ = stdin.Seek(0, 0)
619-
}()
589+
//
590+
contents := `{ foo, ... }: "hello"`
591+
os.Stdin = test.TempFile(t, "", "stdin", &contents)
592+
593+
out, err := cmd(t, "-C", tempDir, "--allow-missing-formatter", "--stdin", "test.nix")
594+
as.NoError(err)
595+
assertStats(t, as, 1, 1, 1, 1)
596+
597+
// the nix formatters should have reduced the example to the following
598+
as.Equal(`{ ...}: "hello"
599+
`, string(out))
600+
601+
// try some markdown instead
602+
contents = `
603+
| col1 | col2 |
604+
| ---- | ---- |
605+
| nice | fits |
606+
| oh no! | it's ugly |
607+
`
608+
os.Stdin = test.TempFile(t, "", "stdin", &contents)
620609

621-
_, err = cmd(t, "-C", tempDir, "--stdin")
610+
out, err = cmd(t, "-C", tempDir, "--allow-missing-formatter", "--stdin", "test.md")
622611
as.NoError(err)
623-
assertStats(t, as, 3, 3, 3, 0)
612+
assertStats(t, as, 1, 1, 1, 1)
613+
614+
as.Equal(`| col1 | col2 |
615+
| ------ | --------- |
616+
| nice | fits |
617+
| oh no! | it's ugly |
618+
`, string(out))
624619
}
625620

626621
func TestDeterministicOrderingInPipeline(t *testing.T) {

cli/helpers_test.go

+1-2
Original file line numberDiff line numberDiff line change
@@ -4,7 +4,6 @@ import (
44
"fmt"
55
"io"
66
"os"
7-
"path/filepath"
87
"testing"
98

109
"github.com/charmbracelet/log"
@@ -42,7 +41,7 @@ func cmd(t *testing.T, args ...string) ([]byte, error) {
4241
}
4342

4443
tempDir := t.TempDir()
45-
tempOut := test.TempFile(t, filepath.Join(tempDir, "combined_output"))
44+
tempOut := test.TempFile(t, tempDir, "combined_output", nil)
4645

4746
// capture standard outputs before swapping them
4847
stdout := os.Stdout

config/config_test.go

+1-1
Original file line numberDiff line numberDiff line change
@@ -65,7 +65,7 @@ func TestReadConfigFile(t *testing.T) {
6565
deadnix, ok := cfg.Formatters["deadnix"]
6666
as.True(ok, "deadnix formatter not found")
6767
as.Equal("deadnix", deadnix.Command)
68-
as.Nil(deadnix.Options)
68+
as.Equal([]string{"-e"}, deadnix.Options)
6969
as.Equal([]string{"*.nix"}, deadnix.Includes)
7070
as.Nil(deadnix.Excludes)
7171
as.Equal(2, deadnix.Priority)

test/examples/treefmt.toml

+1
Original file line numberDiff line numberDiff line change
@@ -35,6 +35,7 @@ priority = 1
3535

3636
[formatter.deadnix]
3737
command = "deadnix"
38+
options = ["-e"]
3839
includes = ["*.nix"]
3940
priority = 2
4041

test/temp.go

+24-4
Original file line numberDiff line numberDiff line change
@@ -1,6 +1,7 @@
11
package test
22

33
import (
4+
"io"
45
"os"
56
"testing"
67

@@ -29,15 +30,34 @@ func TempExamples(t *testing.T) string {
2930
return tempDir
3031
}
3132

32-
func TempFile(t *testing.T, path string) *os.File {
33+
func TempFile(t *testing.T, dir string, pattern string, contents *string) *os.File {
3334
t.Helper()
34-
file, err := os.Create(path)
35-
if err != nil {
36-
t.Fatalf("failed to create temporary file: %v", err)
35+
36+
file, err := os.CreateTemp(dir, pattern)
37+
require.NoError(t, err, "failed to create temp file")
38+
39+
if contents == nil {
40+
return file
3741
}
42+
43+
_, err = file.WriteString(*contents)
44+
require.NoError(t, err, "failed to write contents to temp file")
45+
require.NoError(t, file.Close(), "failed to close temp file")
46+
47+
file, err = os.Open(file.Name())
48+
require.NoError(t, err, "failed to open temp file")
49+
3850
return file
3951
}
4052

53+
func ReadStdout(t *testing.T) string {
54+
_, err := os.Stdout.Seek(0, 0)
55+
require.NoError(t, err, "failed to seek to 0")
56+
bytes, err := io.ReadAll(os.Stdout)
57+
require.NoError(t, err, "failed to read")
58+
return string(bytes)
59+
}
60+
4161
func RecreateSymlink(t *testing.T, path string) error {
4262
t.Helper()
4363
src, err := os.Readlink(path)

walk/filesystem.go

+15-4
Original file line numberDiff line numberDiff line change
@@ -2,6 +2,7 @@ package walk
22

33
import (
44
"context"
5+
"fmt"
56
"io/fs"
67
"path/filepath"
78
)
@@ -18,17 +19,27 @@ func (f filesystemWalker) Root() string {
1819
func (f filesystemWalker) Walk(_ context.Context, fn WalkFunc) error {
1920
relPathOffset := len(f.root) + 1
2021

21-
relPathFn := func(path string) (relPath string) {
22+
relPathFn := func(path string) (string, error) {
23+
// quick optimisation for the majority of use cases
24+
// todo check that root is a prefix in path?
2225
if len(path) >= relPathOffset {
23-
relPath = path[relPathOffset:]
26+
return path[relPathOffset:], nil
2427
}
25-
return
28+
return filepath.Rel(f.root, path)
2629
}
2730

2831
walkFn := func(path string, info fs.FileInfo, err error) error {
32+
if info == nil {
33+
return fmt.Errorf("no such file or directory '%s'", path)
34+
}
35+
36+
relPath, err := relPathFn(path)
37+
if err != nil {
38+
return fmt.Errorf("failed to determine a relative path for %s: %w", path, err)
39+
}
2940
file := File{
3041
Path: path,
31-
RelPath: relPathFn(path),
42+
RelPath: relPath,
3243
Info: info,
3344
}
3445
return fn(&file, err)

0 commit comments

Comments
 (0)