-
Notifications
You must be signed in to change notification settings - Fork 302
/
layout.go
398 lines (347 loc) · 12.1 KB
/
layout.go
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
// Copyright (c) 2013-2024 by Michael Dvorkin and contributors. All Rights Reserved.
// Use of this source code is governed by a MIT-style license that can
// be found in the LICENSE file.
package mop
import (
"bytes"
"fmt"
"reflect"
"regexp"
"strconv"
"strings"
"text/template"
"time"
"unicode"
)
var currencies = map[string]string{
"RUB": "₽",
"GBP": "£",
"GBp": "p",
"SEK": "kr",
"EUR": "€",
"JPY": "¥",
}
// Column describes formatting rules for individual column within the list
// of stock quotes.
type Column struct {
width int // Column width.
name string // The name of the field in the Stock struct.
title string // Column title to display in the header.
formatter func(...string) string // Optional function to format the contents of the column.
}
// Layout is used to format and display all the collected data, i.e. market
// updates and the list of stock quotes.
type Layout struct {
columns []Column // List of stock quotes columns.
sorter *Sorter // Pointer to sorting receiver.
filter *Filter // Pointer to filtering receiver.
regex *regexp.Regexp // Pointer to regular expression to align decimal points.
marketTemplate *template.Template // Pointer to template to format market data.
quotesTemplate *template.Template // Pointer to template to format the list of stock quotes.
}
// Creates the layout and assigns the default values that stay unchanged.
func NewLayout() *Layout {
layout := &Layout{}
layout.columns = []Column{
{-10, `Ticker`, `Ticker`, nil},
{10, `LastTrade`, `Last`, currency},
{10, `Change`, `Change`, currency},
{10, `ChangePct`, `Change%`, last},
{10, `Open`, `Open`, currency},
{10, `Low`, `Low`, currency},
{10, `High`, `High`, currency},
{10, `Low52`, `52w Low`, currency},
{10, `High52`, `52w High`, currency},
{11, `Volume`, `Volume`, integer},
{11, `AvgVolume`, `AvgVolume`, integer},
{9, `PeRatio`, `P/E`, blank},
{9, `Dividend`, `Dividend`, zero},
{9, `Yield`, `Yield`, percent},
{11, `MarketCap`, `MktCap`, currency},
{13, `PreOpen`, `PreMktChg%`, percent},
{13, `AfterHours`, `AfterMktChg%`, percent},
}
layout.regex = regexp.MustCompile(`(\.\d+)[TBMK]?$`)
layout.marketTemplate = buildMarketTemplate()
layout.quotesTemplate = buildQuotesTemplate()
return layout
}
// Market merges given market data structure with the market template and
// returns formatted string that includes highlighting markup.
func (layout *Layout) Market(market *Market) string {
if ok, err := market.Ok(); !ok { // If there was an error fetching market data...
return err // then simply return the error string.
}
highlight(market.Dow, market.Sp500, market.Nasdaq,
market.Tokyo, market.HongKong, market.London, market.Frankfurt,
market.Yield, market.Oil, market.Euro, market.Yen, market.Gold)
buffer := new(bytes.Buffer)
layout.marketTemplate.Execute(buffer, market)
return buffer.String()
}
// Quotes uses quotes template to format timestamp, stock quotes header,
// and the list of given stock quotes. It returns formatted string with
// all the necessary markup.
func (layout *Layout) Quotes(quotes *Quotes) string {
zonename, _ := time.Now().In(time.Local).Zone()
if ok, err := quotes.Ok(); !ok { // If there was an error fetching stock quotes...
return err // then simply return the error string.
}
vars := struct {
Now string // Current timestamp.
Header string // Formatted header line.
Stocks []Stock // List of formatted stock quotes.
}{
time.Now().Format(`3:04:05pm ` + zonename),
layout.Header(quotes.profile),
layout.prettify(quotes),
}
buffer := new(bytes.Buffer)
layout.quotesTemplate.Execute(buffer, vars)
return buffer.String()
}
// Header iterates over column titles and formats the header line. The
// formatting includes placing an arrow next to the sorted column title.
// When the column editor is active it knows how to highlight currently
// selected column title.
func (layout *Layout) Header(profile *Profile) string {
str, selectedColumn := ``, profile.selectedColumn
for i, col := range layout.columns {
arrow := arrowFor(i, profile)
if i != selectedColumn {
str += fmt.Sprintf(`%*s`, col.width, arrow+col.title)
} else {
str += fmt.Sprintf(`<r>%*s</r>`, col.width, arrow+col.title)
}
}
return `<u>` + str + `</u>`
}
// TotalColumns is the utility method for the column editor that returns
// total number of columns.
func (layout *Layout) TotalColumns() int {
return len(layout.columns)
}
// -----------------------------------------------------------------------------
func (layout *Layout) prettify(quotes *Quotes) []Stock {
pretty := make([]Stock, len(quotes.stocks))
//
// Iterate over the list of stocks to get the longest ticker name (some tickers will exceed the allotted 10 char length for the Ticker column)
// Save the longest ticker length and use max(longestlength, column.width) later in the second loop to keep the ticker indentations consistent
//
tickerWidth := 0
for _, stock := range quotes.stocks {
value := reflect.ValueOf(&stock).Elem().FieldByName(`Ticker`).String()
currentLength := len(value)
if currentLength > tickerWidth {
tickerWidth = currentLength
}
}
//
// Iterate over the list of stocks and properly format all its columns.
//
for i, stock := range quotes.stocks {
pretty[i].Direction = stock.Direction
//
// Iterate over the list of stock columns. For each column name:
// - Get current column value.
// - If the column has the formatter method then call it.
// - Set the column value padding it to the given width.
//
for _, column := range layout.columns {
// ex. value = stock.Change
value := reflect.ValueOf(&stock).Elem().FieldByName(column.name).String()
if column.formatter != nil {
// ex. value = currency(value)
value = column.formatter(value, stock.Currency)
}
// ex. pretty[i].Change = layout.pad(value, 10)
if column.name == `Ticker` && (0-tickerWidth) < column.width {
column.width = (0 - tickerWidth)
}
reflect.ValueOf(&pretty[i]).Elem().FieldByName(column.name).SetString(layout.pad(value, column.width))
}
}
profile := quotes.profile
if profile.Filter != "" { // Fix for blank display if invalid filter expression was cleared.
if profile.filterExpression != nil {
if layout.filter == nil { // Initialize filter on first invocation.
layout.filter = NewFilter(profile)
}
pretty = layout.filter.Apply(pretty)
}
}
if layout.sorter == nil { // Initialize sorter on first invocation.
layout.sorter = NewSorter(profile)
}
layout.sorter.SortByCurrentColumn(pretty)
//
// Group stocks by advancing/declining unless sorted by Chanage or Change%
// in which case the grouping has been done already.
//
if profile.Grouped && (profile.SortColumn < 2 || profile.SortColumn > 3) {
pretty = group(pretty)
}
return pretty
}
// -----------------------------------------------------------------------------
func (layout *Layout) pad(str string, width int) string {
match := layout.regex.FindStringSubmatch(str)
if len(match) > 0 {
switch len(match[1]) {
case 2:
str = strings.Replace(str, match[1], match[1]+`0`, 1)
case 4, 5:
str = strings.Replace(str, match[1], match[1][0:3], 1)
}
}
return fmt.Sprintf(`%*s`, width, str)
}
// -----------------------------------------------------------------------------
func buildMarketTemplate() *template.Template {
markup := `<tag>Dow</> {{.Dow.change}} ({{.Dow.percent}}) at {{.Dow.latest}} <tag>S&P 500</> {{.Sp500.change}} ({{.Sp500.percent}}) at {{.Sp500.latest}} <tag>NASDAQ</> {{.Nasdaq.change}} ({{.Nasdaq.percent}}) at {{.Nasdaq.latest}}
<tag>Tokyo</> {{.Tokyo.change}} ({{.Tokyo.percent}}) at {{.Tokyo.latest}} <tag>HK</> {{.HongKong.change}} ({{.HongKong.percent}}) at {{.HongKong.latest}} <tag>London</> {{.London.change}} ({{.London.percent}}) at {{.London.latest}} <tag>Frankfurt</> {{.Frankfurt.change}} ({{.Frankfurt.percent}}) at {{.Frankfurt.latest}} {{if .IsClosed}}<right>U.S. markets closed</right>{{end}}
<tag>10-Year Yield</> {{.Yield.latest}} ({{.Yield.change}}) <tag>Euro</> ${{.Euro.latest}} ({{.Euro.change}}) <tag>Yen</> ¥{{.Yen.latest}} ({{.Yen.change}}) <tag>Oil</> ${{.Oil.latest}} ({{.Oil.change}}) <tag>Gold</> ${{.Gold.latest}} ({{.Gold.change}})`
return template.Must(template.New(`market`).Parse(markup))
}
// -----------------------------------------------------------------------------
func buildQuotesTemplate() *template.Template {
markup := `<right><time>{{.Now}}</></right>
<header>{{.Header}}</>
{{range.Stocks}}{{if eq .Direction 1}}<gain>{{else if eq .Direction -1}}<loss>{{end}}{{.Ticker}}{{.LastTrade}}{{.Change}}{{.ChangePct}}{{.Open}}{{.Low}}{{.High}}{{.Low52}}{{.High52}}{{.Volume}}{{.AvgVolume}}{{.PeRatio}}{{.Dividend}}{{.Yield}}{{.MarketCap}}{{.PreOpen}}{{.AfterHours}}</>
{{end}}`
return template.Must(template.New(`quotes`).Parse(markup))
}
// -----------------------------------------------------------------------------
func highlight(collections ...map[string]string) {
for _, collection := range collections {
change := collection[`change`]
if change[len(change)-1:] == `%` {
change = change[0 : len(change)-1]
}
adv, err := strconv.ParseFloat(change, 64)
if err == nil {
if adv < 0.0 {
collection[`change`] = `<loss>` + collection[`change`] + `</>`
} else if adv > 0.0 {
collection[`change`] = `<gain>` + collection[`change`] + `</>`
}
}
}
}
// -----------------------------------------------------------------------------
func group(stocks []Stock) []Stock {
grouped := make([]Stock, len(stocks))
current := 0
for _, stock := range stocks {
if stock.Direction >= 0 {
grouped[current] = stock
current++
}
}
for _, stock := range stocks {
if stock.Direction < 0 {
grouped[current] = stock
current++
}
}
return grouped
}
// -----------------------------------------------------------------------------
func arrowFor(column int, profile *Profile) string {
if column == profile.SortColumn {
if profile.Ascending {
return string('▲')
}
return string('▼')
}
return ``
}
// -----------------------------------------------------------------------------
func blank(str ...string) string {
if len(str) < 1 {
return "ERR"
}
if (len(str[0]) == 3 && str[0][0:3] == `N/A`) || len(str[0]) == 0 {
return `-`
}
return str[0]
}
// -----------------------------------------------------------------------------
func zero(str ...string) string {
if len(str) < 2 {
return "ERR"
}
if str[0] == `0.00` {
return `-`
}
return currency(str[0], str[1])
}
// -----------------------------------------------------------------------------
func last(str ...string) string {
if len(str) < 1 {
return "ERR"
}
if len(str[0]) >= 6 && str[0][0:6] == `N/A - ` {
return str[0][6:]
}
return percent(str[0])
}
// -----------------------------------------------------------------------------
func currency(str ...string) string {
if len(str) < 2 {
return "ERR"
}
//default to $
symbol := "$"
c, ok := currencies[str[1]]
if ok {
symbol = c
}
if str[0] == `N/A` || len(str[0]) == 0 {
return `-`
}
if sign := str[0][0:1]; sign == `+` || sign == `-` {
return sign + symbol + str[0][1:]
}
return symbol + str[0]
}
// Returns percent value truncated at 2 decimal points.
// -----------------------------------------------------------------------------
func percent(str ...string) string {
if len(str) < 1 {
return "ERR"
}
if str[0] == `N/A` || len(str[0]) == 0 {
return `-`
}
split := strings.Split(str[0], ".")
if len(split) == 2 {
digits := len(split[1])
if digits > 2 {
digits = 2
}
str[0] = split[0] + "." + split[1][0:digits]
}
if str[0][len(str)-1] != '%' {
str[0] += `%`
}
return str[0]
}
// Returns value as integer (no trailing digits after a '.').
// -----------------------------------------------------------------------------
func integer(str ...string) string {
if len(str) < 1 {
return "ERR"
}
if str[0] == `N/A` || len(str[0]) == 0 {
return `-`
}
// Don't strip after the '.' if we have a value such as 123.45M
if unicode.IsDigit(rune(str[0][len(str[0])-1])) {
split := strings.Split(str[0], ".")
if len(split) == 2 {
return split[0]
}
}
return str[0]
}