1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 439 440 441 442 443 444 445 446 447 448 449 450 451 452 453 454 455 456 457 458 459 460 461 462 463 464 465 466 467 468 469 470 471 472 473 474 475 476 477 478 479 480 481 482 483 484 485 486 487 488 489 490 491 492 493 494 495 496 497 498 499 500 501 502 503 504 505 506 507 508 509 510 511 512 513 514 515 516 517 518 519 520 521 522 523 524 525 526 527 528 529 530 531 532 533 534 535 536 537 538 539 540 541 542 543 544 545 546 547 548 549 550 551 552 553 554 555 556 557 558 559 560 561 562 563 564 565 566 567 568 569 570 571 572 573 574 575 576 577 578 579 580 581 582 583 584 585 586 587 588 589 590 591 592 593 594 595 596 597 598 599 600 601 602 603 604 605 606 607 608 609 610 611 612 613 614 615 616 617 618 619 620 621 622 623 624 625 626 627 628 629 630 631 632 633 634 635 636 637 638 639 640 641 642 643 644 645 646 647 648 649 650 651 652 653 654 655 656 657 658 659 660 661 662 663 664 665 666 667 668 669 670 671 672 673 674 675 676 677 678 679 680 681 682 683 684 685 686 687 688 689 690 691 692 693 694 695 696 697 698 699 700 701 702 703 704 705 706 707 708 709 710 711 712 713 714 715 716 717 718 719 720 721 722 723 724 725 726 727 728 729 730 731 732 733 734 735 736 737 738 739 740 741 742 743 744 745 746 747 748 749 750 751 752 753 754 755 756 757 758 759 760 761 762 763 764 765 766 767 768 769 770 771 772 773 774 775 776 777 778 779 780 781 782 783 784 785 786 787 788 789 790 791 792 793 794 795 796 797 798 799 800 801 802 803 804 805 806 807 808 809 810 811 812 813 814 815 816 817 818 819 820 821 822 823 824 825 826 827 828 829 830 831 832 833 834 835 836 837 838 839 840 841 842 843 844 845 846 847 848 849 850 851 852 853 854 855 856 857 858 859 860 861 862 863 864 865 866 867 868 869 870 871 872 873 874 875 876 877 878 879 880 881 882 883 884 885 886 887 888 889 890 891 892 893 894 895 896 897 898 899 900 901 902 903 904 905 906 907 908 909 910 911 912 913 914 915 916 917 918 919 920 921 922 923 924 925 926 927 928 929 930 931 932 933 934 935 936 937 938 939 940 941 942 943 944 945 946 947 948 949 950 951 952 953 954 955 956 957 958 959 960 961 962 963 964 965 966 967 968 969 970 971 972 973 974 975 976 977 978 979 980 981 982 983 984 985 986 987 988 989 990 991 992 993 994 995 996 997 998 999 1000 1001 1002 1003 1004 1005 1006 1007 1008 1009 1010 1011 1012 1013 1014 1015 1016 1017 1018 1019 1020 1021 1022 1023 1024 1025 1026 1027 1028 1029 1030 1031 1032 1033 1034 1035 1036 1037 1038 1039 1040 1041 1042 1043 1044 1045 1046 1047 1048 1049 1050 1051 1052 1053 1054 1055 1056 1057 1058 1059 1060 1061 1062 1063 1064 1065 1066 1067 1068 1069 1070 1071 1072 1073 1074 1075 1076 1077 1078 1079 1080 1081 1082 1083 1084 1085 1086 1087 1088 1089 1090 1091 1092 1093 1094 1095 1096 1097 1098 1099 1100 1101 1102 1103 1104 1105 1106 1107 1108 1109 1110 1111 1112 1113 1114 1115 1116 1117 1118 1119 1120 1121 1122 1123 1124 1125 1126 1127 1128 1129 1130 1131 1132 1133 1134 1135 1136 1137 1138 1139 1140 1141 1142 1143 1144 1145 1146 1147 1148 1149 1150 1151 1152 1153 1154 1155 1156 1157 1158 1159 1160 1161 1162 1163 1164 1165 1166 1167 1168 1169 1170 1171 1172 1173 1174 1175 1176 1177 1178 1179 1180 1181 1182 1183 1184 1185 1186 1187 1188 1189 1190 1191 1192 1193 1194 1195 1196 1197 1198 1199 1200 1201 1202 1203 1204 1205 1206 1207 1208 1209 1210 1211 1212 1213 1214 1215 1216 1217 1218 1219 1220 1221 1222 1223 1224 1225 1226 1227 1228 1229 1230 1231 1232 1233 1234 1235 1236 1237 1238 1239 1240 1241 1242 1243 1244 1245 1246 1247 1248 1249 1250 1251 1252 1253 1254 1255 1256 1257 1258 1259 1260 1261 1262 1263 1264 1265 1266 1267 1268 1269 1270 1271 1272 1273 1274 1275 1276 1277 1278 1279 1280 1281 1282 1283 1284 1285 1286 1287 1288 1289 1290 1291 1292 1293 1294 1295 1296 1297 1298 1299 1300 1301 1302 1303 1304 1305 1306 1307 1308 1309 1310 1311 1312 1313 1314 1315 1316 1317 1318 1319 1320 1321 1322 1323 1324 1325 1326 1327 1328 1329 1330 1331 1332 1333 1334 1335 1336 1337 1338 1339 1340 1341 1342 1343 1344 1345 1346 1347 1348 1349 1350 1351 1352 1353 1354 1355 1356 1357 1358 1359 1360 1361 1362 1363 1364 1365 1366 1367 1368 1369 1370 1371 1372 1373 1374 1375 1376 1377 1378 1379 1380 1381 1382 1383 1384 1385 1386 1387 1388 1389 1390 1391 1392 1393 1394 1395 1396 1397 1398 1399 1400 1401 1402 1403 1404 1405 1406 1407 1408 1409 1410 1411 1412 1413 1414 1415 1416 1417 1418 1419 1420 1421 1422 1423 1424 1425 1426 1427 1428 1429 1430 1431 1432 1433 1434 1435 1436 1437 1438 1439 1440 1441 1442 1443 1444 1445 1446 1447 1448 1449 1450 1451 1452 1453 1454 1455 1456 1457 1458 1459 1460 1461 1462 1463 1464 1465 1466 1467 1468 1469 1470 1471 1472 1473 1474 1475 1476 1477 1478 1479 1480 1481 1482 1483 1484 1485 1486 1487 1488 1489 1490 1491 1492 1493 1494 1495 1496 1497 1498 1499 1500 1501 1502 1503 1504 1505 1506 1507 1508 1509 1510 1511 1512 1513 1514 1515 1516 1517 1518 1519 1520 1521 1522 1523 1524 1525 1526 1527 1528 1529 1530 1531 1532 1533 1534 1535 1536 1537 1538 1539 1540 1541 1542 1543 1544 1545 1546 1547 1548 1549
|
// Package handler provides a input process handler implementation for usql.
package handler
import (
"bufio"
"bytes"
"context"
"database/sql"
"errors"
"fmt"
"io"
"log"
"net/url"
"os"
"os/exec"
"os/signal"
"os/user"
"path"
"path/filepath"
"regexp"
"sort"
"strconv"
"strings"
"syscall"
"time"
"unicode"
"github.com/alecthomas/chroma/v2"
"github.com/alecthomas/chroma/v2/formatters"
"github.com/alecthomas/chroma/v2/styles"
"github.com/go-git/go-billy/v5"
"github.com/xo/dburl"
"github.com/xo/dburl/passfile"
"github.com/xo/tblfmt"
"github.com/xo/usql/drivers"
"github.com/xo/usql/drivers/completer"
"github.com/xo/usql/drivers/metadata"
"github.com/xo/usql/env"
"github.com/xo/usql/metacmd"
"github.com/xo/usql/rline"
"github.com/xo/usql/stmt"
ustyles "github.com/xo/usql/styles"
"github.com/xo/usql/text"
)
// Handler is a input process handler.
//
// Glues together usql's components to provide a "read-eval-print loop" (REPL)
// for usql's interactive command-line and manages most of the core/high-level logic.
//
// Manages the active statement buffer, application IO, executing/querying SQL
// statements, and handles backslash (\) commands encountered in the input
// stream.
type Handler struct {
l rline.IO
user *user.User
// wd is the working directoyr.
wd string
// charts is the charts filesystem.
charts billy.Filesystem
// nopw indicates not asking for password.
nopw bool
// timing of every command executed
timing bool
// singleLineMode is single line mode
singleLineMode bool
// query statement buffer
buf *stmt.Stmt
// last statement
last string
lastPrefix string
lastRaw string
// batch
batch bool
batchEnd string
// bind are bound values for exec statements
bind []interface{}
// connection
u *dburl.URL
db *sql.DB
tx *sql.Tx
// out file or pipe
out io.WriteCloser
}
// New creates a new input handler.
func New(l rline.IO, user *user.User, wd string, charts billy.Filesystem, nopw bool) *Handler {
f, iactive := l.Next, l.Interactive()
if iactive {
f = func() ([]rune, error) {
// next line
r, err := l.Next()
if err != nil {
return nil, err
}
// save history
_ = l.Save(string(r))
return r, nil
}
}
h := &Handler{
l: l,
user: user,
wd: wd,
charts: charts,
nopw: nopw,
buf: stmt.New(f),
}
if iactive {
l.SetOutput(h.outputHighlighter)
l.Completer(completer.NewDefaultCompleter(completer.WithConnStrings(h.connStrings())))
}
return h
}
// SetSingleLineMode sets the single line mode toggle.
func (h *Handler) SetSingleLineMode(singleLineMode bool) {
h.singleLineMode = singleLineMode
}
// GetTiming gets the timing toggle.
func (h *Handler) GetTiming() bool {
return h.timing
}
// SetTiming sets the timing toggle.
func (h *Handler) SetTiming(timing bool) {
h.timing = timing
}
// outputHighlighter returns s as a highlighted string, based on the current
// buffer and syntax highlighting settings.
func (h *Handler) outputHighlighter(s string) string {
// bail when string is empty (ie, contains no printable, non-space
// characters) or if syntax highlighting is not enabled
if empty(s) || env.All()["SYNTAX_HL"] != "true" {
return s
}
// count end lines
var endl string
if m := linetermRE.FindStringSubmatch(s); m != nil {
s = strings.TrimSuffix(s, m[0])
endl += m[0]
}
// leading whitespace
var leading string
// capture current query statement buffer
orig := h.buf.RawString()
full := orig
if full != "" {
full += "\n"
} else {
// get leading whitespace
if i := strings.IndexFunc(s, func(r rune) bool {
return !stmt.IsSpaceOrControl(r)
}); i != -1 {
leading = s[:i]
}
}
full += s
// setup statement parser
st := drivers.NewStmt(h.u, func() func() ([]rune, error) {
y := strings.Split(orig, "\n")
if y[0] == "" {
y[0] = s
} else {
y = append(y, s)
}
return func() ([]rune, error) {
if len(y) > 0 {
z := y[0]
y = y[1:]
return []rune(z), nil
}
return nil, io.EOF
}
}())
// accumulate all "active" statements in buffer, breaking either at
// EOF or when a \ cmd has been encountered
var err error
var cmd, final string
loop:
for {
cmd, _, err = st.Next(env.Unquote(h.user, false, env.All()))
switch {
case err != nil && err != io.EOF:
return s + endl
case err == io.EOF:
break loop
}
if st.Ready() || cmd != "" {
final += st.RawString()
st.Reset(nil)
// grab remaining whitespace to add to final
l := len(final)
// find first non empty character
if i := strings.IndexFunc(full[l:], func(r rune) bool {
return !stmt.IsSpaceOrControl(r)
}); i != -1 {
final += full[l : l+i]
}
}
}
if !st.Ready() && cmd == "" {
final += st.RawString()
}
final = leading + final
// determine whatever is remaining after "active"
var remaining string
if fnl := len(final); fnl < len(full) {
remaining = full[fnl:]
}
// this happens when a read line is empty and/or has only
// whitespace and a \ cmd
if s == remaining {
return s + endl
}
// highlight entire final accumulated buffer
b := new(bytes.Buffer)
if err := h.Highlight(b, final); err != nil {
return s + endl
}
colored := b.String()
// return only last line plus whatever remaining string (ie, after
// a \ cmd) and the end line count
ss := strings.Split(colored, "\n")
return lastcolor(colored) + ss[len(ss)-1] + remaining + endl
}
// helpQuitExitRE is a regexp to use to match help, quit, or exit messages.
var helpQuitExitRE = regexp.MustCompile(fmt.Sprintf(`(?im)^(%s|%s|%s)\s*$`, text.HelpPrefix, text.QuitPrefix, text.ExitPrefix))
// Run executes queries and commands.
func (h *Handler) Run() error {
stdout, stderr, iactive := h.l.Stdout(), h.l.Stderr(), h.l.Interactive()
// display welcome info
if iactive && env.Get("QUIET") == "off" {
// logo
if typ := env.TermGraphics(); typ.Available() {
if err := typ.Encode(stdout, text.Logo); err != nil {
return err
}
}
// welcome text
fmt.Fprintln(stdout, text.WelcomeDesc)
fmt.Fprintln(stdout)
}
var lastErr error
for {
var execute bool
// set prompt
if iactive {
h.l.Prompt(h.Prompt(env.Get("PROMPT1")))
}
// read next statement/command
cmd, paramstr, err := h.buf.Next(env.Unquote(h.user, false, env.All()))
switch {
case h.singleLineMode && err == nil:
execute = h.buf.Len != 0
case err == rline.ErrInterrupt:
h.buf.Reset(nil)
continue
case err != nil:
if err == io.EOF {
return lastErr
}
return err
}
var opt metacmd.Option
if cmd != "" {
cmd = strings.TrimPrefix(cmd, `\`)
params := stmt.DecodeParams(paramstr)
// decode
r, err := metacmd.Decode(cmd, params)
if err != nil {
lastErr = WrapErr(cmd, err)
switch {
case err == text.ErrUnknownCommand:
fmt.Fprintln(stderr, fmt.Sprintf(text.InvalidCommand, cmd))
case err == text.ErrMissingRequiredArgument:
fmt.Fprintln(stderr, fmt.Sprintf(text.MissingRequiredArg, cmd))
default:
fmt.Fprintln(stderr, "error:", err)
}
continue
}
// run
opt, err = r.Run(h)
if err != nil && err != rline.ErrInterrupt {
lastErr = WrapErr(cmd, err)
fmt.Fprintln(stderr, "error:", err)
continue
}
// print unused command parameters
for {
ok, arg, err := params.Get(func(s string, isvar bool) (bool, string, error) {
return true, s, nil
})
if err != nil {
fmt.Fprintln(stderr, "error:", err)
}
if !ok {
break
}
fmt.Fprintln(stdout, fmt.Sprintf(text.ExtraArgumentIgnored, cmd, arg))
}
}
// help, exit, quit intercept
if iactive && len(h.buf.Buf) >= 4 {
i, first := stmt.RunesLastIndex(h.buf.Buf, '\n'), false
if i == -1 {
i, first = 0, true
}
if s := strings.ToLower(helpQuitExitRE.FindString(string(h.buf.Buf[i:]))); s != "" {
switch s {
case "help":
s = text.HelpDescShort
if first {
s = text.HelpDesc
h.buf.Reset(nil)
}
case "quit", "exit":
s = text.QuitDesc
if first {
return nil
}
}
fmt.Fprintln(stdout, s)
}
}
// quit
if opt.Quit {
if h.out != nil {
h.out.Close()
}
return nil
}
// execute buf
if execute || h.buf.Ready() || opt.Exec != metacmd.ExecNone {
// intercept batch query
if h.u != nil {
typ, end, batch := drivers.IsBatchQueryPrefix(h.u, h.buf.Prefix)
switch {
case h.batch && batch:
err = fmt.Errorf("cannot perform %s in existing batch", typ)
lastErr = WrapErr(h.buf.String(), err)
fmt.Fprintln(stderr, "error:", err)
continue
// cannot use \g* while accumulating statements for batch queries
case h.batch && typ != h.batchEnd && opt.Exec != metacmd.ExecNone:
err = errors.New("cannot force batch execution")
lastErr = WrapErr(h.buf.String(), err)
fmt.Fprintln(stderr, "error:", err)
continue
case batch:
h.batch, h.batchEnd = true, end
case h.batch:
var lend string
if len(h.last) != 0 {
lend = "\n"
}
// append to last
h.last += lend + h.buf.String()
h.lastPrefix = h.buf.Prefix
h.lastRaw += lend + h.buf.RawString()
h.buf.Reset(nil)
// break
if h.batchEnd != typ {
continue
}
h.lastPrefix = h.batchEnd
h.batch, h.batchEnd = false, ""
}
}
if h.buf.Len != 0 {
h.last, h.lastPrefix, h.lastRaw = h.buf.String(), h.buf.Prefix, h.buf.RawString()
h.buf.Reset(nil)
}
// log.Printf(">> PROCESS EXECUTE: (%s) `%s`", h.lastPrefix, h.last)
if !h.batch && h.last != "" && h.last != ";" {
// force a transaction for batched queries for certain drivers
var forceBatch bool
if h.u != nil {
_, _, forceBatch = drivers.IsBatchQueryPrefix(h.u, stmt.FindPrefix(h.last, true, true, true))
forceBatch = forceBatch && drivers.BatchAsTransaction(h.u)
}
// execute
out := stdout
if h.out != nil {
out = h.out
}
ctx, stop := signal.NotifyContext(context.Background(), os.Interrupt)
if err = h.Execute(ctx, out, opt, h.lastPrefix, h.last, forceBatch, h.unbind()...); err != nil {
lastErr = WrapErr(h.last, err)
if env.All()["ON_ERROR_STOP"] == "on" {
if iactive {
fmt.Fprintln(stderr, "error:", err)
h.buf.Reset([]rune{}) // empty the buffer so no other statements are run
continue
} else {
stop()
return err
}
} else {
fmt.Fprintln(stderr, "error:", err)
}
}
stop()
}
}
}
}
// Execute executes a query against the connected database.
func (h *Handler) Execute(ctx context.Context, w io.Writer, opt metacmd.Option, prefix, sqlstr string, forceTrans bool, bind ...interface{}) error {
if h.db == nil {
return text.ErrNotConnected
}
// determine type and pre process string
prefix, sqlstr, qtyp, err := drivers.Process(h.u, prefix, sqlstr)
if err != nil {
return drivers.WrapErr(h.u.Driver, err)
}
// start a transaction if forced
if forceTrans {
if err = h.BeginTx(ctx, nil); err != nil {
return err
}
}
f := h.doExecSingle
switch opt.Exec {
case metacmd.ExecExec:
f = h.doExecExec
case metacmd.ExecSet:
f = h.doExecSet
case metacmd.ExecWatch:
f = h.doExecWatch
}
if err = drivers.WrapErr(h.u.Driver, f(ctx, w, opt, prefix, sqlstr, qtyp, bind)); err != nil {
if forceTrans {
defer h.tx.Rollback()
h.tx = nil
}
return err
}
if forceTrans {
return h.Commit()
}
return nil
}
// Reset resets the handler's query statement buffer.
func (h *Handler) Reset(r []rune) {
h.buf.Reset(r)
h.last, h.lastPrefix, h.lastRaw, h.batch, h.batchEnd = "", "", "", false, ""
}
// Bind sets the bind parameters for the next query execution.
func (h *Handler) Bind(bind []interface{}) {
h.bind = bind
}
// unbind returns the bind parameters.
func (h *Handler) unbind() []interface{} {
v := h.bind
h.bind = nil
return v
}
// Prompt parses a prompt.
//
// NOTE: the documentation below is INCORRECT, as it is just copied from
// https://www.postgresql.org/docs/current/app-psql.html#APP-PSQL-PROMPTING
//
// TODO/FIXME: complete this functionality (from psql documentation):
//
// %M - The full host name (with domain name) of the database server, or
// [local] if the connection is over a Unix domain socket, or
// [local:/dir/name], if the Unix domain socket is not at the compiled in
// default location.
//
// %m - The host name of the database server, truncated at the first dot, or
// [local] if the connection is over a Unix domain socket.
//
// %> - The port number at which the database server is listening.
//
// %n - The database session user name. (The expansion of this value might
// change during a database session as the result of the command SET SESSION
// AUTHORIZATION.)
//
// %/ - The name of the current database.
//
// %~ - Like %/, but the output is ~ (tilde) if the database is your default
// database.
//
// %# - If the session user is a database superuser, then a #, otherwise a >.
// (The expansion of this value might change during a database session as the
// result of the command SET SESSION AUTHORIZATION.)
//
// %p - The process ID of the backend currently connected to.
//
// %R - In prompt 1 normally =, but @ if the session is in an inactive branch
// of a conditional block, or ^ if in single-line mode, or ! if the session is
// disconnected from the database (which can happen if \connect fails). In
// prompt 2 %R is replaced by a character that depends on why psql expects
// more input: - if the command simply wasn't terminated yet, but * if there
// is an unfinished /* ... */ comment, a single quote if there is an
// unfinished quoted string, a double quote if there is an unfinished quoted
// identifier, a dollar sign if there is an unfinished dollar-quoted string,
// or ( if there is an unmatched left parenthesis. In prompt 3 %R doesn't
// produce anything.
//
// %x - Transaction status: an empty string when not in a transaction block,
// or * when in a transaction block, or ! when in a failed transaction block,
// or ? when the transaction state is indeterminate (for example, because
// there is no connection).
//
// %l - The line number inside the current statement, starting from 1.
//
// %digits - The character with the indicated octal code is substituted.
//
// %:name: - The value of the psql variable name. See Variables, above, for
// details.
//
// %`command` - The output of command, similar to ordinary “back-tick”
// substitution.
//
// %[ ... %] - Prompts can contain terminal control characters which, for
// example, change the color, background, or style of the prompt text, or
// change the title of the terminal window. In order for the line editing
// features of Readline to work properly, these non-printing control
// characters must be designated as invisible by surrounding them with %[ and
// %]. Multiple pairs of these can occur within the prompt. For example:
//
// testdb=> \set PROMPT1 '%[%033[1;33;40m%]%n@%/%R%[%033[0m%]%# '
//
// results in a boldfaced (1;) yellow-on-black (33;40) prompt on
// VT100-compatible, color-capable terminals.
//
// %w - Whitespace of the same width as the most recent output of PROMPT1.
// This can be used as a PROMPT2 setting, so that multi-line statements are
// aligned with the first line, but there is no visible secondary prompt.
//
// To insert a percent sign into your prompt, write %%. The default prompts are
// '%/%R%x%# ' for prompts 1 and 2, and '>> ' for prompt 3.
func (h *Handler) Prompt(prompt string) string {
r, connected := []rune(prompt), h.db != nil
end := len(r)
var buf []byte
for i := 0; i < end; i++ {
if r[i] != '%' {
buf = append(buf, string(r[i])...)
continue
}
switch grab(r, i+1, end) {
case '%': // literal
buf = append(buf, '%')
case 'S': // short driver name
if connected {
s := dburl.ShortAlias(h.u.Scheme)
if s == "" {
s = dburl.ShortAlias(h.u.Driver)
}
if s == "" {
s = text.UnknownShortAlias
}
buf = append(buf, s+":"...)
} else {
buf = append(buf, text.NotConnected...)
}
case 'u': // dburl short
if connected {
buf = append(buf, h.u.Short()...)
} else {
buf = append(buf, text.NotConnected...)
}
case 'M': // full host name with domain
if connected {
buf = append(buf, h.u.Hostname()...)
}
case 'm': // host name truncated at first dot, or [local] if it's a domain socket
if connected {
s := h.u.Hostname()
if i := strings.Index(s, "."); i != -1 {
s = s[:i]
}
buf = append(buf, s...)
}
case '>': // the port number
if connected {
s := h.u.Port()
if s != "" {
s = ":" + s
}
buf = append(buf, s...)
}
case 'N': // database user
if connected && h.u.User != nil {
s := h.u.User.Username()
if s != "" {
buf = append(buf, s+"@"...)
}
}
case 'n': // database user
if connected && h.u.User != nil {
buf = append(buf, h.u.User.Username()...)
}
case '/': // database name
switch {
case connected && h.u.Opaque != "":
buf = append(buf, h.u.Opaque...)
case connected && h.u.Path != "" && h.u.Path != "/":
buf = append(buf, h.u.Path...)
}
case 'O':
if connected {
buf = append(buf, h.u.Opaque...)
}
case 'o':
if connected {
buf = append(buf, filepath.Base(h.u.Opaque)...)
}
case 'P':
if connected {
buf = append(buf, h.u.Path...)
}
case 'p':
if connected {
buf = append(buf, path.Base(h.u.Path)...)
}
case '0', '1', '2', '3', '4', '5', '6', '7', '8', '9':
j := i + 1
base := 10
if grab(r, j, end) == '0' {
j++
base = 8
}
if grab(r, j, end) == 'x' {
j++
base = 16
}
i = j
for unicode.IsDigit(grab(r, i+1, end)) {
i++
}
n, err := strconv.ParseInt(string(r[j:i+1]), base, 16)
if err == nil {
buf = append(buf, byte(n))
}
i--
case '~': // like %/ but ~ when default database
case '#': // when superuser, a #, otherwise >
if h.tx != nil || h.batch {
buf = append(buf, '~')
} else {
buf = append(buf, '>')
}
// case 'p': // the process id of the connected backend -- never going to be supported
case 'R': // statement state
buf = append(buf, h.buf.State()...)
case 'x': // empty when not in a transaction block, * in transaction block, ! in failed transaction block, or ? when indeterminate
case 'l': // line number
case ':': // variable value
case '`': // value of the evaluated command
case '[', ']':
case 'w':
}
i++
}
return string(buf)
}
// IO returns the io for the handler.
func (h *Handler) IO() rline.IO {
return h.l
}
// User returns the user for the handler.
func (h *Handler) User() *user.User {
return h.user
}
// URL returns the URL for the handler.
func (h *Handler) URL() *dburl.URL {
return h.u
}
// DB returns the sql.DB for the handler.
func (h *Handler) DB() drivers.DB {
if h.tx != nil {
return h.tx
}
return h.db
}
// Last returns the last executed statement.
func (h *Handler) Last() string {
return h.last
}
// LastRaw returns the last raw (non-interpolated) executed statement.
func (h *Handler) LastRaw() string {
return h.lastRaw
}
// Buf returns the current query statement buffer.
func (h *Handler) Buf() *stmt.Stmt {
return h.buf
}
// Highlight highlights using the current environment settings.
func (h *Handler) Highlight(w io.Writer, buf string) error {
vars := env.All()
// create lexer, formatter, styler
l := chroma.Coalesce(drivers.Lexer(h.u))
f := formatters.Get(vars["SYNTAX_HL_FORMAT"])
s := styles.Get(vars["SYNTAX_HL_STYLE"])
// override background
if vars["SYNTAX_HL_OVERRIDE_BG"] != "false" {
s = ustyles.Get(vars["SYNTAX_HL_STYLE"])
}
// tokenize stream
it, err := l.Tokenise(nil, buf)
if err != nil {
return err
}
// write formatted output
return f.Format(w, s, it)
}
// Open handles opening a specified database URL, passing either a single
// string in the form of a URL, or more than one string, in which case the
// first string is treated as a driver name, and the remaining strings are
// joined (with a space) and passed as a DSN to sql.Open.
//
// If there is only one parameter, and it is not a well formatted URL, but
// appears to be a file on disk, then an attempt will be made to open it with
// an appropriate driver (mysql, postgres, sqlite3) depending on the type (unix
// domain socket, directory, or regular file, respectively).
func (h *Handler) Open(ctx context.Context, params ...string) error {
if len(params) == 0 || params[0] == "" {
return nil
}
if h.tx != nil {
return text.ErrPreviousTransactionExists
}
if len(params) == 1 {
if v, ok := env.Cget(params[0]); ok {
params = v
}
}
if len(params) < 2 {
dsn := params[0]
// parse dsn
u, err := dburl.Parse(dsn)
if err != nil {
return err
}
h.u = u
// force parameters
h.forceParams(h.u)
} else {
h.u = &dburl.URL{
Driver: params[0],
DSN: strings.Join(params[1:], " "),
}
}
// open connection
var err error
h.db, err = drivers.Open(ctx, h.u, h.GetOutput, h.l.Stderr)
if err != nil && !drivers.IsPasswordErr(h.u, err) {
defer h.Close()
return err
}
// set buffer options
drivers.ConfigStmt(h.u, h.buf)
// force error/check connection
if err == nil {
if err = drivers.Ping(ctx, h.u, h.db); err == nil {
return h.Version(ctx)
}
}
// bail without getting password
if h.nopw || !drivers.IsPasswordErr(h.u, err) || len(params) > 1 || !h.l.Interactive() {
defer h.Close()
return err
}
// print the error
fmt.Fprintln(h.l.Stderr(), "error:", err)
// otherwise, try to collect a password ...
dsn, err := h.Password(params[0])
if err != nil {
// close connection
defer h.Close()
return err
}
// reconnect
return h.Open(ctx, dsn)
}
func (h *Handler) connStrings() []string {
entries, err := passfile.Entries(h.user.HomeDir, text.PassfileName)
if err != nil {
// ignore the error as this is only used for completer
// and it'll be reported again when trying to force params before opening a conn
entries = nil
}
available := drivers.Available()
names := make([]string, 0, len(available)+len(entries))
for schema := range available {
_, aliases := dburl.SchemeDriverAndAliases(schema)
// TODO should we create all combinations of space, :, :// and +transport ?
names = append(names, schema)
names = append(names, aliases...)
}
for _, entry := range entries {
if entry.Protocol == "*" {
continue
}
user, host, port, dbname := "", "", "", ""
if entry.Username != "*" {
user = entry.Username + "@"
if entry.Host != "*" {
host = entry.Host
if entry.Port != "*" {
port = ":" + entry.Port
}
if entry.DBName != "*" {
dbname = "/" + entry.DBName
}
}
}
names = append(names, fmt.Sprintf("%s://%s%s%s%s", entry.Protocol, user, host, port, dbname))
}
for name := range env.Call() {
names = append(names, name)
}
sort.Strings(names)
return names
}
// forceParams forces connection parameters on a database URL, adding any
// driver specific required parameters, and the username/password when a
// matching entry exists in the PASS file.
func (h *Handler) forceParams(u *dburl.URL) {
// force driver parameters
drivers.ForceParams(u)
// see if password entry is present
user, err := passfile.Match(u, h.user.HomeDir, text.PassfileName)
switch {
case err != nil:
fmt.Fprintln(h.l.Stderr(), "error:", err)
case user != nil:
u.User = user
}
// copy back to u
z, _ := dburl.Parse(u.String())
*u = *z
}
// Password collects a password from input, and returns a modified DSN
// including the collected password.
func (h *Handler) Password(dsn string) (string, error) {
switch v, ok := env.Cget(dsn); {
case dsn == "":
return "", text.ErrMissingDSN
case ok && len(v) < 2:
return "", text.ErrNamedConnectionIsNotAURL
case ok:
dsn = v[0]
}
u, err := dburl.Parse(dsn)
if err != nil {
return "", err
}
user := h.user.Username
if u.User != nil {
user = u.User.Username()
}
pass, err := h.l.Password(text.EnterPassword)
if err != nil {
return "", err
}
u.User = url.UserPassword(user, pass)
return u.String(), nil
}
// Close closes the database connection if it is open.
func (h *Handler) Close() error {
if h.tx != nil {
return text.ErrPreviousTransactionExists
}
if h.db != nil {
err := h.db.Close()
drv := h.u.Driver
h.db, h.u = nil, nil
return drivers.WrapErr(drv, err)
}
return nil
}
// ReadVar reads a variable from the interactive prompt, saving it to
// environment variables.
func (h *Handler) ReadVar(typ, prompt string) (string, error) {
var masked bool
// check type
switch typ {
case "password":
masked = true
case "string", "int", "uint", "float", "bool":
default:
return "", text.ErrInvalidType
}
var v string
var err error
if masked {
if prompt == "" {
prompt = text.EnterPassword
}
v, err = h.l.Password(prompt)
} else {
h.l.Prompt(prompt)
var r []rune
r, err = h.l.Next()
v = string(r)
}
switch typ {
case "int":
_, err = strconv.ParseInt(v, 10, 64)
case "uint":
_, err = strconv.ParseUint(v, 10, 64)
case "float":
_, err = strconv.ParseFloat(v, 64)
case "bool":
var b bool
b, err = strconv.ParseBool(v)
if err == nil {
v = fmt.Sprintf("%v", b)
}
}
if err != nil {
errstr := err.Error()
if i := strings.LastIndex(errstr, ":"); i != -1 {
errstr = strings.TrimSpace(errstr[i+1:])
}
return "", fmt.Errorf(text.InvalidValue, typ, v, errstr)
}
return v, nil
}
// ChangePassword changes a password for the user.
func (h *Handler) ChangePassword(user string) (string, error) {
if h.db == nil {
return "", text.ErrNotConnected
}
if !h.l.Interactive() {
return "", text.ErrNotInteractive
}
var err error
if err = drivers.CanChangePassword(h.u); err != nil {
return "", err
}
var newpw, newpw2, oldpw string
// ask for previous password
if user == "" && drivers.RequirePreviousPassword(h.u) {
oldpw, err = h.l.Password(text.EnterPreviousPassword)
if err != nil {
return "", err
}
}
// attempt to get passwords
for i := 0; i < 3; i++ {
if newpw, err = h.l.Password(text.NewPassword); err != nil {
return "", err
}
if newpw2, err = h.l.Password(text.ConfirmPassword); err != nil {
return "", err
}
if newpw == newpw2 {
break
}
fmt.Fprintln(h.l.Stderr(), text.PasswordsDoNotMatch)
}
// verify passwords match
if newpw != newpw2 {
return "", text.ErrPasswordAttemptsExhausted
}
return drivers.ChangePassword(h.u, h.DB(), user, newpw, oldpw)
}
// Version prints the database version information after a successful connection.
func (h *Handler) Version(ctx context.Context) error {
if env.Get("SHOW_HOST_INFORMATION") != "true" || !h.l.Interactive() {
return nil
}
if h.db == nil {
return text.ErrNotConnected
}
ver, err := drivers.Version(ctx, h.u, h.DB())
switch {
case err != nil:
ver = fmt.Sprintf("<unknown, error: %v>", err)
case ver == "":
ver = "<unknown>"
}
h.Print(text.ConnInfo, h.u.Driver, ver)
return nil
}
// Print formats according to a format specifier and writes to handler's standard output.
func (h *Handler) Print(s string, v ...interface{}) {
if env.Get("QUIET") == "on" {
return
}
fmt.Fprintln(h.l.Stdout(), fmt.Sprintf(s, v...))
}
// doExecWatch repeatedly executes a query against the database.
func (h *Handler) doExecWatch(ctx context.Context, w io.Writer, opt metacmd.Option, prefix, sqlstr string, qtyp bool, bind []interface{}) error {
for {
// the actual output that psql has: "Mon Jan 2006 3:04:05 PM MST" -- which is _slightly_ different than RFC1123
// fmt.Fprintf(w, "%s (every %fs)\n\n", time.Now().Format("Mon Jan 2006 3:04:05 PM MST"), float64(opt.Watch)/float64(time.Second))
fmt.Fprintf(w, "%s (every %v)\n", time.Now().Format(time.RFC1123), opt.Watch)
fmt.Fprintln(w)
if err := h.doExecSingle(ctx, w, opt, prefix, sqlstr, qtyp, bind); err != nil {
return err
}
select {
case <-ctx.Done():
if err := ctx.Err(); err != nil && !errors.Is(err, context.Canceled) {
return err
}
return nil
case <-time.After(opt.Watch):
}
}
}
// doExecSingle executes a single query against the database based on its query type.
func (h *Handler) doExecSingle(ctx context.Context, w io.Writer, opt metacmd.Option, prefix, sqlstr string, qtyp bool, bind []interface{}) error {
// exec or query
f := h.doExec
if qtyp {
f = h.doQuery
}
// exec
start := time.Now()
if err := f(ctx, w, opt, prefix, sqlstr, bind); err != nil {
return err
}
if h.timing {
d := time.Since(start)
s := text.TimingDesc
v := []interface{}{float64(d.Microseconds()) / 1000}
if d > 1*time.Second {
s += " (%v)"
v = append(v, d.Round(1*time.Millisecond))
}
fmt.Fprintln(h.l.Stdout(), fmt.Sprintf(s, v...))
}
return nil
}
// doExecSet executes a SQL query, setting all returned columns as variables.
func (h *Handler) doExecSet(ctx context.Context, w io.Writer, opt metacmd.Option, prefix, sqlstr string, _ bool, bind []interface{}) error {
// query
rows, err := h.DB().QueryContext(ctx, sqlstr, bind...)
if err != nil {
return err
}
// get cols
cols, err := drivers.Columns(h.u, rows)
if err != nil {
return err
}
// process row(s)
var i int
var row []string
clen, tfmt := len(cols), env.GoTime()
for rows.Next() {
if i == 0 {
row, err = h.scan(rows, clen, tfmt)
if err != nil {
return err
}
}
i++
}
if i > 1 {
return text.ErrTooManyRows
}
// set vars
for i, c := range cols {
n := opt.Params["prefix"] + c
if err = env.ValidIdentifier(n); err != nil {
return fmt.Errorf(text.CouldNotSetVariable, n)
}
_ = env.Set(n, row[i])
}
return nil
}
// doExecExec executes a query and re-executes all columns of all rows as if they
// were their own queries.
func (h *Handler) doExecExec(ctx context.Context, w io.Writer, _ metacmd.Option, prefix, sqlstr string, qtyp bool, bind []interface{}) error {
// query
rows, err := h.DB().QueryContext(ctx, sqlstr, bind...)
if err != nil {
return err
}
// exec resulting rows
if err := h.doExecRows(ctx, w, rows); err != nil {
return err
}
// check for additional result sets ...
for rows.NextResultSet() {
if err := h.doExecRows(ctx, w, rows); err != nil {
return err
}
}
return nil
}
// doQuery executes a doQuery against the database.
func (h *Handler) doQuery(ctx context.Context, w io.Writer, opt metacmd.Option, typ, sqlstr string, bind []interface{}) error {
// run query
rows, err := h.DB().QueryContext(ctx, sqlstr, bind...)
if err != nil {
return err
}
defer rows.Close()
params := env.Pall()
params["time"] = env.GoTime()
for k, v := range opt.Params {
params[k] = v
}
var pipe io.WriteCloser
var cmd *exec.Cmd
if pipeName := params["pipe"]; pipeName != "" || h.out != nil {
if params["expanded"] == "auto" && params["columns"] == "" {
// don't rely on terminal size when piping output to a file or cmd
params["expanded"] = "off"
}
if pipeName != "" {
if pipeName[0] == '|' {
pipe, cmd, err = env.Pipe(h.l.Stdout(), h.l.Stderr(), pipeName[1:])
} else {
pipe, err = os.OpenFile(pipeName, os.O_TRUNC|os.O_CREATE|os.O_WRONLY, 0o644)
}
if err != nil {
return err
}
w = pipe
}
} else if opt.Exec != metacmd.ExecWatch {
params["pager_cmd"] = env.All()["PAGER"]
}
// set up column type config
var extra []tblfmt.Option
switch f := drivers.ColumnTypes(h.u); {
case f != nil:
extra = append(extra, tblfmt.WithColumnTypesFunc(f))
case drivers.UseColumnTypes(h.u):
extra = append(extra, tblfmt.WithUseColumnTypes(true))
}
resultSet := tblfmt.ResultSet(rows)
// wrap query with crosstab
if opt.Exec == metacmd.ExecCrosstab {
var err error
if resultSet, err = tblfmt.NewCrosstabView(rows, append(extra, tblfmt.WithParams(opt.Crosstab...))...); err != nil {
return err
}
extra = nil
}
if drivers.LowerColumnNames(h.u) {
params["lower_column_names"] = "true"
}
// encode and handle error conditions
switch err := tblfmt.EncodeAll(w, resultSet, params, extra...); {
case err != nil && cmd != nil && errors.Is(err, syscall.EPIPE):
// broken pipe means pager quit before consuming all data, which might be expected
return nil
case err != nil && h.u.Driver == "sqlserver" && err == tblfmt.ErrResultSetHasNoColumns && strings.HasPrefix(typ, "EXEC"):
// sqlserver EXEC statements sometimes do not have results, fake that
// it was executed as a exec and not a query
fmt.Fprintln(w, typ)
case err != nil:
return err
case params["format"] == "aligned":
fmt.Fprintln(w)
}
if pipe != nil {
pipe.Close()
if cmd != nil {
cmd.Wait()
}
}
return err
}
// doExecRows executes all the columns in the row.
func (h *Handler) doExecRows(ctx context.Context, w io.Writer, rows *sql.Rows) error {
// get columns
cols, err := drivers.Columns(h.u, rows)
if err != nil {
return err
}
// process rows
res := metacmd.Option{Exec: metacmd.ExecOnly}
clen, tfmt := len(cols), env.GoTime()
for rows.Next() {
if clen != 0 {
row, err := h.scan(rows, clen, tfmt)
if err != nil {
return err
}
// execute
for _, sqlstr := range row {
if err = h.Execute(ctx, w, res, stmt.FindPrefix(sqlstr, true, true, true), sqlstr, false); err != nil {
return err
}
}
}
}
return nil
}
// scan scans a row.
func (h *Handler) scan(rows *sql.Rows, clen int, tfmt string) ([]string, error) {
// scan to []interface{}
r := make([]interface{}, clen)
for i := range r {
r[i] = new(interface{})
}
if err := rows.Scan(r...); err != nil {
return nil, err
}
// get conversion funcs
cb, cm, cs, cd := drivers.ConvertBytes(h.u), drivers.ConvertMap(h.u), drivers.ConvertSlice(h.u), drivers.ConvertDefault(h.u)
row := make([]string, clen)
for n, z := range r {
j := z.(*interface{})
switch x := (*j).(type) {
case []byte:
if x != nil {
var err error
if row[n], err = cb(x, tfmt); err != nil {
return nil, err
}
}
case string:
row[n] = x
case time.Time:
row[n] = x.Format(tfmt)
case fmt.Stringer:
row[n] = x.String()
case map[string]interface{}:
if x != nil {
var err error
if row[n], err = cm(x); err != nil {
return nil, err
}
}
case []interface{}:
if x != nil {
var err error
if row[n], err = cs(x); err != nil {
return nil, err
}
}
default:
if x != nil {
var err error
if row[n], err = cd(x); err != nil {
return nil, err
}
}
}
}
return row, nil
}
// doExec does a database exec.
func (h *Handler) doExec(ctx context.Context, w io.Writer, _ metacmd.Option, typ, sqlstr string, bind []interface{}) error {
res, err := h.DB().ExecContext(ctx, sqlstr, bind...)
if err != nil {
_ = env.Set("ROW_COUNT", "0")
return err
}
// get affected
count, err := drivers.RowsAffected(h.u, res)
if err != nil {
_ = env.Set("ROW_COUNT", "0")
return err
}
// print name
if env.Get("QUIET") == "off" {
fmt.Fprint(w, typ)
// print count
if count > 0 {
fmt.Fprint(w, " ", count)
}
fmt.Fprintln(w)
}
return env.Set("ROW_COUNT", strconv.FormatInt(count, 10))
}
// Begin begins a transaction.
func (h *Handler) Begin(txOpts *sql.TxOptions) error {
return h.BeginTx(context.Background(), txOpts)
}
// Begin begins a transaction in a context.
func (h *Handler) BeginTx(ctx context.Context, txOpts *sql.TxOptions) error {
if h.db == nil {
return text.ErrNotConnected
}
if h.tx != nil {
return text.ErrPreviousTransactionExists
}
var err error
h.tx, err = h.db.BeginTx(ctx, txOpts)
if err != nil {
return drivers.WrapErr(h.u.Driver, err)
}
return nil
}
// Commit commits a transaction.
func (h *Handler) Commit() error {
if h.db == nil {
return text.ErrNotConnected
}
if h.tx == nil {
return text.ErrNoPreviousTransactionExists
}
tx := h.tx
h.tx = nil
if err := tx.Commit(); err != nil {
return drivers.WrapErr(h.u.Driver, err)
}
return nil
}
// Rollback rollbacks a transaction.
func (h *Handler) Rollback() error {
if h.db == nil {
return text.ErrNotConnected
}
if h.tx == nil {
return text.ErrNoPreviousTransactionExists
}
tx := h.tx
h.tx = nil
if err := tx.Rollback(); err != nil {
return drivers.WrapErr(h.u.Driver, err)
}
return nil
}
// Include includes the specified path.
func (h *Handler) Include(path string, relative bool) error {
if relative && !filepath.IsAbs(path) {
path = filepath.Join(h.wd, path)
}
// open
path, f, err := env.OpenFile(h.user, path, relative)
if err != nil {
return err
}
defer f.Close()
r := bufio.NewReader(f)
// setup rline
l := &rline.Rline{
N: func() ([]rune, error) {
buf := new(bytes.Buffer)
var b []byte
var isPrefix bool
var err error
for {
// read
b, isPrefix, err = r.ReadLine()
// when not EOF
if err != nil && err != io.EOF {
return nil, err
}
// append
if _, werr := buf.Write(b); werr != nil {
return nil, werr
}
// end of line
if !isPrefix || err != nil {
break
}
}
// peek and read possible line ending \n or \r\n
if err != io.EOF {
if err := peekEnding(buf, r); err != nil {
return nil, err
}
}
return []rune(buf.String()), err
},
Out: h.l.Stdout(),
Err: h.l.Stderr(),
Pw: h.l.Password,
}
p := New(l, h.user, filepath.Dir(path), h.charts, h.nopw)
p.db, p.u = h.db, h.u
drivers.ConfigStmt(p.u, p.buf)
err = p.Run()
h.db, h.u = p.db, p.u
return err
}
// MetadataWriter loads the metadata writer for the
func (h *Handler) MetadataWriter(ctx context.Context) (metadata.Writer, error) {
if h.db == nil {
return nil, text.ErrNotConnected
}
return drivers.NewMetadataWriter(ctx, h.u, h.db, h.l.Stdout(), readerOpts()...)
}
// GetOutput gets the output writer.
func (h *Handler) GetOutput() io.Writer {
if h.out == nil {
return h.l.Stdout()
}
return h.out
}
// SetOutput sets the output writer.
func (h *Handler) SetOutput(o io.WriteCloser) {
if h.out != nil {
h.out.Close()
}
h.out = o
}
// FS is the filesystem interface.
type FS interface{}
// Error wraps handler errors.
type Error struct {
Buf string
Err error
}
// WrapErr wraps an [error] using the specified driver when err is not nil.
func WrapErr(buf string, err error) error {
if err == nil {
return nil
}
// avoid double wrapping error
if _, ok := err.(*Error); ok {
return err
}
return &Error{buf, err}
}
// Error satisfies the [error] interface, returning the original error message.
func (e *Error) Error() string {
return e.Err.Error()
}
// Unwrap returns the original error.
func (e *Error) Unwrap() error { return e.Err }
func readerOpts() []metadata.ReaderOption {
var opts []metadata.ReaderOption
envs := env.All()
if envs["ECHO_HIDDEN"] == "on" || envs["ECHO_HIDDEN"] == "noexec" {
if envs["ECHO_HIDDEN"] == "noexec" {
opts = append(opts, metadata.WithDryRun(true))
}
opts = append(
opts,
metadata.WithLogger(log.New(os.Stdout, "DEBUG: ", log.LstdFlags)),
metadata.WithTimeout(30*time.Second),
)
}
return opts
}
// peekEnding peeks to see if the next successive bytes in r is \n or \r\n,
// writing to w if it is. Does not advance r if the next bytes are not \n or
// \r\n.
func peekEnding(w io.Writer, r *bufio.Reader) error {
// peek first byte
buf, err := r.Peek(1)
switch {
case err != nil && err != io.EOF:
return err
case err == nil && buf[0] == '\n':
if _, rerr := r.ReadByte(); err != nil && err != io.EOF {
return rerr
}
_, werr := w.Write([]byte{'\n'})
return werr
case err == nil && buf[0] != '\r':
return nil
}
// peek second byte
buf, err = r.Peek(1)
switch {
case err != nil && err != io.EOF:
return err
case err == nil && buf[0] != '\n':
return nil
}
if _, rerr := r.ReadByte(); err != nil && err != io.EOF {
return rerr
}
_, werr := w.Write([]byte{'\n'})
return werr
}
// grab grabs i from r, or returns 0 if i >= end.
func grab(r []rune, i, end int) rune {
if i < end {
return r[i]
}
return 0
}
// linetermRE is the end of line terminal.
var linetermRE = regexp.MustCompile(`(?:\r?\n)+$`)
// empty reports whether s contains at least one printable, non-space character.
func empty(s string) bool {
i := strings.IndexFunc(s, func(r rune) bool {
return unicode.IsPrint(r) && !unicode.IsSpace(r)
})
return i == -1
}
var ansiRE = regexp.MustCompile(`\x1b[[0-9]+([:;][0-9]+)*m`)
// lastcolor returns the last defined color in s, if any.
func lastcolor(s string) string {
if i := strings.LastIndex(s, "\n"); i != -1 {
s = s[:i]
}
if i := strings.LastIndex(s, "\x1b[0m"); i != -1 {
s = s[i+4:]
}
return strings.Join(ansiRE.FindAllString(s, -1), "")
}
|