improve dry render

add cover file
use tree and don't skip any struct for file render
fix toc render
This commit is contained in:
Celogeek 2023-04-09 19:52:26 +02:00
parent 50203b9804
commit 07381d1f71
Signed by: celogeek
SSH Key Fingerprint: SHA256:njNJLzoLQdbV9PC6ehcruRb0QnEgxABoCYZ+0+aUIYc
2 changed files with 68 additions and 23 deletions

View File

@ -203,32 +203,20 @@ func (e *ePub) getToc(images []*Image) *TocChildren {
}
func (e *ePub) getTree(images []*Image, skip_files bool) string {
r := []string{}
c := []string{}
t := NewTree()
for _, img := range images {
n := []string{}
if len(img.Path) > 0 {
n = strings.Split(filepath.Clean(img.Path), string(filepath.Separator))
}
for l, p := range n {
f := fmt.Sprintf("%%%ds- %%s", l*2)
if len(c) > l && c[l] == p {
continue
}
r = append(r, fmt.Sprintf(f, "", p))
}
c = n
if skip_files {
continue
t.Add(img.Path)
} else {
t.Add(filepath.Join(img.Path, img.Name))
}
f := fmt.Sprintf("%%%ds- %%s", len(n)*2+2)
r = append(r, fmt.Sprintf(f, "", img.Name))
}
if len(r) > 0 {
r = append(r, "")
c := t.Root()
if skip_files && e.StripFirstDirectoryFromToc && len(c.Children) == 1 {
c = c.Children[0]
}
return strings.Join(r, "\n")
return c.toString("")
}
func (e *ePub) Write() error {
@ -243,9 +231,13 @@ func (e *ePub) Write() error {
}
if e.Dry {
fmt.Fprintf(os.Stderr, "TOC:\n- %s\n%s\n", e.Title, e.getTree(epubParts[0].Images, true))
p := epubParts[0]
fmt.Fprintf(os.Stderr, "TOC:\n - %s\n%s\n", e.Title, e.getTree(p.Images, true))
if e.DryVerbose {
fmt.Fprintf(os.Stderr, "Files:\n%s\n", e.getTree(epubParts[0].Images, false))
if e.HasCover {
fmt.Fprintf(os.Stderr, "Cover:\n%s\n", e.getTree([]*Image{p.Cover}, false))
}
fmt.Fprintf(os.Stderr, "Files:\n%s\n", e.getTree(p.Images, false))
}
return nil
}

53
internal/epub/tree.go Normal file
View File

@ -0,0 +1,53 @@
package epub
import (
"path/filepath"
"strings"
)
type Tree struct {
Nodes map[string]*Node
}
type Node struct {
Value string
Children []*Node
}
func NewTree() *Tree {
return &Tree{map[string]*Node{
".": {".", []*Node{}},
}}
}
func (n *Tree) Root() *Node {
return n.Nodes["."]
}
func (n *Tree) Add(filename string) {
cn := n.Root()
cp := ""
for _, p := range strings.Split(filepath.Clean(filename), string(filepath.Separator)) {
cp = filepath.Join(cp, p)
if _, ok := n.Nodes[cp]; !ok {
n.Nodes[cp] = &Node{Value: p, Children: []*Node{}}
cn.Children = append(cn.Children, n.Nodes[cp])
}
cn = n.Nodes[cp]
}
}
func (n *Node) toString(indent string) string {
r := strings.Builder{}
if indent != "" {
r.WriteString(indent)
r.WriteString("- ")
r.WriteString(n.Value)
r.WriteString("\n")
}
indent += " "
for _, c := range n.Children {
r.WriteString(c.toString(indent))
}
return r.String()
}