2017-05-12 13:41:13 +00:00
|
|
|
package testutil
|
|
|
|
|
|
|
|
import (
|
|
|
|
"fmt"
|
|
|
|
"io/ioutil"
|
|
|
|
"os"
|
2017-05-19 08:48:28 +00:00
|
|
|
"strings"
|
2017-05-12 13:41:13 +00:00
|
|
|
"testing"
|
|
|
|
)
|
|
|
|
|
|
|
|
// tmpdir is the base directory for all temporary directories
|
|
|
|
// and files created with TempDir and TempFile. This could be
|
|
|
|
// achieved by setting a system environment variable but then
|
|
|
|
// the test execution would depend on whether or not the
|
|
|
|
// environment variable is set.
|
|
|
|
//
|
|
|
|
// On macOS the temp base directory is quite long and that
|
|
|
|
// triggers a problem with some tests that bind to UNIX sockets
|
|
|
|
// where the filename seems to be too long. Using a shorter name
|
|
|
|
// fixes this and makes the paths more readable.
|
|
|
|
//
|
|
|
|
// It also provides a single base directory for cleanup.
|
|
|
|
var tmpdir = "/tmp/consul-test"
|
|
|
|
|
|
|
|
func init() {
|
|
|
|
if err := os.MkdirAll(tmpdir, 0755); err != nil {
|
2017-05-12 19:56:18 +00:00
|
|
|
fmt.Printf("Cannot create %s. Reverting to /tmp\n", tmpdir)
|
2017-05-12 13:41:13 +00:00
|
|
|
tmpdir = "/tmp"
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
|
|
|
// TempDir creates a temporary directory within tmpdir
|
|
|
|
// with the name 'testname-name'. If the directory cannot
|
|
|
|
// be created t.Fatal is called.
|
|
|
|
func TempDir(t *testing.T, name string) string {
|
|
|
|
if t != nil && t.Name() != "" {
|
|
|
|
name = t.Name() + "-" + name
|
|
|
|
}
|
2017-05-19 08:48:28 +00:00
|
|
|
name = strings.Replace(name, "/", "_", -1)
|
2017-05-12 13:41:13 +00:00
|
|
|
d, err := ioutil.TempDir(tmpdir, name)
|
|
|
|
if err != nil {
|
2018-10-26 19:13:40 +00:00
|
|
|
if t == nil {
|
|
|
|
panic(err)
|
|
|
|
}
|
2017-05-12 13:41:13 +00:00
|
|
|
t.Fatalf("err: %s", err)
|
|
|
|
}
|
|
|
|
return d
|
|
|
|
}
|
|
|
|
|
|
|
|
// TempFile creates a temporary file within tmpdir
|
|
|
|
// with the name 'testname-name'. If the file cannot
|
|
|
|
// be created t.Fatal is called. If a temporary directory
|
|
|
|
// has been created before consider storing the file
|
|
|
|
// inside this directory to avoid double cleanup.
|
|
|
|
func TempFile(t *testing.T, name string) *os.File {
|
|
|
|
if t != nil && t.Name() != "" {
|
|
|
|
name = t.Name() + "-" + name
|
|
|
|
}
|
2019-04-30 23:27:16 +00:00
|
|
|
name = strings.Replace(name, "/", "_", -1)
|
2017-05-12 13:41:13 +00:00
|
|
|
f, err := ioutil.TempFile(tmpdir, name)
|
|
|
|
if err != nil {
|
2018-10-26 19:13:40 +00:00
|
|
|
if t == nil {
|
|
|
|
panic(err)
|
|
|
|
}
|
2017-05-12 13:41:13 +00:00
|
|
|
t.Fatalf("err: %s", err)
|
|
|
|
}
|
|
|
|
return f
|
|
|
|
}
|