mirror of
https://github.com/gohugoio/hugo.git
synced 2024-11-07 20:30:36 -05:00
Provide (relative) reference funcs & shortcodes.
- `.Ref` and `.RelRef` take a reference (the logical filename for a page, including extension and/or a document fragment ID) and return a permalink (or relative permalink) to the referenced document. - If the reference is a page name (such as `about.md`), the page will be discovered and the permalink will be returned: `/about/` - If the reference is a page name with a fragment (such as `about.md#who`), the page will be discovered and used to add the `page.UniqueID()` to the resulting fragment and permalink: `/about/#who:deadbeef`. - If the reference is a fragment and `.*Ref` has been called from a `Node` or `SiteInfo`, it will be returned as is: `#who`. - If the reference is a fragment and `.*Ref` has been called from a `Page`, it will be returned with the page’s unique ID: `#who:deadbeef`. - `.*Ref` can be called from either `Node`, `SiteInfo` (e.g., `Node.Site`), `Page` objects, or `ShortcodeWithPage` objects in templates. - `.*Ref` cannot be used in content, so two shortcodes have been created to provide the functionality to content: `ref` and `relref`. These are intended to be used within markup, like `[Who]({{% ref about.md#who %}})` or `<a href="{{% ref about.md#who %}}">Who</a>`. - There are also `ref` and `relref` template functions (used to create the shortcodes) that expect a `Page` or `Node` object and the reference string (e.g., `{{ relref . "about.md" }}` or `{{ "about.md" | ref . }}`). It actually looks for `.*Ref` as defined on `Node` or `Page` objects. - Shortcode handling had to use a *differently unique* wrapper in `createShortcodePlaceholder` because of the way that the `ref` and `relref` are intended to be used in content.
This commit is contained in:
parent
14bce119b6
commit
112c3c5c04
7 changed files with 183 additions and 35 deletions
|
@ -104,6 +104,14 @@ func (n *Node) IsPage() bool {
|
||||||
return !n.IsNode()
|
return !n.IsNode()
|
||||||
}
|
}
|
||||||
|
|
||||||
|
func (n *Node) Ref(ref string) (string, error) {
|
||||||
|
return n.Site.Ref(ref, nil)
|
||||||
|
}
|
||||||
|
|
||||||
|
func (n *Node) RelRef(ref string) (string, error) {
|
||||||
|
return n.Site.RelRef(ref, nil)
|
||||||
|
}
|
||||||
|
|
||||||
type UrlPath struct {
|
type UrlPath struct {
|
||||||
Url string
|
Url string
|
||||||
Permalink template.HTML
|
Permalink template.HTML
|
||||||
|
|
|
@ -102,6 +102,14 @@ func (p *Page) UniqueId() string {
|
||||||
return p.Source.UniqueId()
|
return p.Source.UniqueId()
|
||||||
}
|
}
|
||||||
|
|
||||||
|
func (p *Page) Ref(ref string) (string, error) {
|
||||||
|
return p.Node.Site.Ref(ref, p)
|
||||||
|
}
|
||||||
|
|
||||||
|
func (p *Page) RelRef(ref string) (string, error) {
|
||||||
|
return p.Node.Site.RelRef(ref, p)
|
||||||
|
}
|
||||||
|
|
||||||
// for logging
|
// for logging
|
||||||
func (p *Page) lineNumRawContentStart() int {
|
func (p *Page) lineNumRawContentStart() int {
|
||||||
return bytes.Count(p.frontmatter, []byte("\n")) + 1
|
return bytes.Count(p.frontmatter, []byte("\n")) + 1
|
||||||
|
|
|
@ -41,6 +41,14 @@ type ShortcodeWithPage struct {
|
||||||
Page *Page
|
Page *Page
|
||||||
}
|
}
|
||||||
|
|
||||||
|
func (scp *ShortcodeWithPage) Ref(ref string) (string, error) {
|
||||||
|
return scp.Page.Ref(ref)
|
||||||
|
}
|
||||||
|
|
||||||
|
func (scp *ShortcodeWithPage) RelRef(ref string) (string, error) {
|
||||||
|
return scp.Page.RelRef(ref)
|
||||||
|
}
|
||||||
|
|
||||||
func (scp *ShortcodeWithPage) Get(key interface{}) interface{} {
|
func (scp *ShortcodeWithPage) Get(key interface{}) interface{} {
|
||||||
if reflect.ValueOf(scp.Params).Len() == 0 {
|
if reflect.ValueOf(scp.Params).Len() == 0 {
|
||||||
return nil
|
return nil
|
||||||
|
@ -120,7 +128,6 @@ func (sc shortcode) String() string {
|
||||||
// all in one go: extract, render and replace
|
// all in one go: extract, render and replace
|
||||||
// only used for testing
|
// only used for testing
|
||||||
func ShortcodesHandle(stringToParse string, page *Page, t tpl.Template) string {
|
func ShortcodesHandle(stringToParse string, page *Page, t tpl.Template) string {
|
||||||
|
|
||||||
tmpContent, tmpShortcodes := extractAndRenderShortcodes(stringToParse, page, t)
|
tmpContent, tmpShortcodes := extractAndRenderShortcodes(stringToParse, page, t)
|
||||||
|
|
||||||
if len(tmpShortcodes) > 0 {
|
if len(tmpShortcodes) > 0 {
|
||||||
|
@ -153,7 +160,7 @@ func isInnerShortcode(t *template.Template) bool {
|
||||||
}
|
}
|
||||||
|
|
||||||
func createShortcodePlaceholder(id int) string {
|
func createShortcodePlaceholder(id int) string {
|
||||||
return fmt.Sprintf("<div>%s-%d</div>", shortcodePlaceholderPrefix, id)
|
return fmt.Sprintf("{@{@%s-%d@}@}", shortcodePlaceholderPrefix, id)
|
||||||
}
|
}
|
||||||
|
|
||||||
func renderShortcodes(sc shortcode, p *Page, t tpl.Template) string {
|
func renderShortcodes(sc shortcode, p *Page, t tpl.Template) string {
|
||||||
|
@ -171,6 +178,10 @@ func renderShortcodes(sc shortcode, p *Page, t tpl.Template) string {
|
||||||
return shortcodes
|
return shortcodes
|
||||||
}
|
}
|
||||||
|
|
||||||
|
const innerNewlineRegexp = "\n"
|
||||||
|
const innerCleanupRegexp = `\A<p>(.*)</p>\n\z`
|
||||||
|
const innerCleanupExpand = "$1"
|
||||||
|
|
||||||
func renderShortcode(sc shortcode, tokenizedShortcodes map[string](string), cnt int, p *Page, t tpl.Template) string {
|
func renderShortcode(sc shortcode, tokenizedShortcodes map[string](string), cnt int, p *Page, t tpl.Template) string {
|
||||||
var data = &ShortcodeWithPage{Params: sc.params, Page: p}
|
var data = &ShortcodeWithPage{Params: sc.params, Page: p}
|
||||||
tmpl := GetTemplate(sc.name, t)
|
tmpl := GetTemplate(sc.name, t)
|
||||||
|
@ -201,7 +212,33 @@ func renderShortcode(sc shortcode, tokenizedShortcodes map[string](string), cnt
|
||||||
}
|
}
|
||||||
|
|
||||||
if sc.doMarkup {
|
if sc.doMarkup {
|
||||||
data.Inner = template.HTML(helpers.RenderBytes([]byte(inner), p.guessMarkupType(), p.UniqueId()))
|
newInner := helpers.RenderBytes([]byte(inner), p.guessMarkupType(), p.UniqueId())
|
||||||
|
|
||||||
|
// If the type is “unknown” or “markdown”, we assume the markdown
|
||||||
|
// generation has been performed. Given the input: `a line`, markdown
|
||||||
|
// specifies the HTML `<p>a line</p>\n`. When dealing with documents as a
|
||||||
|
// whole, this is OK. When dealing with an `{{ .Inner }}` block in Hugo,
|
||||||
|
// this is not so good. This code does two things:
|
||||||
|
//
|
||||||
|
// 1. Check to see if inner has a newline in it. If so, the Inner data is
|
||||||
|
// unchanged.
|
||||||
|
// 2 If inner does not have a newline, strip the wrapping <p> block and
|
||||||
|
// the newline. This was previously tricked out by wrapping shortcode
|
||||||
|
// substitutions in <div>HUGOSHORTCODE-1</div> which prevents the
|
||||||
|
// generation, but means that you can’t use shortcodes inside of
|
||||||
|
// markdown structures itself (e.g., `[foo]({{% ref foo.md %}})`).
|
||||||
|
switch p.guessMarkupType() {
|
||||||
|
case "unknown", "markdown":
|
||||||
|
if match, _ := regexp.MatchString(innerNewlineRegexp, inner); !match {
|
||||||
|
cleaner, err := regexp.Compile(innerCleanupRegexp)
|
||||||
|
|
||||||
|
if err == nil {
|
||||||
|
newInner = cleaner.ReplaceAll(newInner, []byte(innerCleanupExpand))
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
data.Inner = template.HTML(newInner)
|
||||||
} else {
|
} else {
|
||||||
data.Inner = template.HTML(inner)
|
data.Inner = template.HTML(inner)
|
||||||
}
|
}
|
||||||
|
@ -401,8 +438,8 @@ Loop:
|
||||||
// Replace prefixed shortcode tokens (HUGOSHORTCODE-1, HUGOSHORTCODE-2) with the real content.
|
// Replace prefixed shortcode tokens (HUGOSHORTCODE-1, HUGOSHORTCODE-2) with the real content.
|
||||||
// This assumes that all tokens exist in the input string and that they are in order.
|
// This assumes that all tokens exist in the input string and that they are in order.
|
||||||
// numReplacements = -1 will do len(replacements), and it will always start from the beginning (1)
|
// numReplacements = -1 will do len(replacements), and it will always start from the beginning (1)
|
||||||
// wrappendInDiv = true means that the token is wrapped in a <div></div>
|
// wrapped = true means that the token has been wrapped in {@{@/@}@}
|
||||||
func replaceShortcodeTokens(source []byte, prefix string, numReplacements int, wrappedInDiv bool, replacements map[string]string) ([]byte, error) {
|
func replaceShortcodeTokens(source []byte, prefix string, numReplacements int, wrapped bool, replacements map[string]string) ([]byte, error) {
|
||||||
|
|
||||||
if numReplacements < 0 {
|
if numReplacements < 0 {
|
||||||
numReplacements = len(replacements)
|
numReplacements = len(replacements)
|
||||||
|
@ -417,8 +454,8 @@ func replaceShortcodeTokens(source []byte, prefix string, numReplacements int, w
|
||||||
for i := 1; i <= numReplacements; i++ {
|
for i := 1; i <= numReplacements; i++ {
|
||||||
key := prefix + "-" + strconv.Itoa(i)
|
key := prefix + "-" + strconv.Itoa(i)
|
||||||
|
|
||||||
if wrappedInDiv {
|
if wrapped {
|
||||||
key = "<div>" + key + "</div>"
|
key = "{@{@" + key + "@}@}"
|
||||||
}
|
}
|
||||||
val := []byte(replacements[key])
|
val := []byte(replacements[key])
|
||||||
|
|
||||||
|
@ -433,16 +470,17 @@ func replaceShortcodeTokens(source []byte, prefix string, numReplacements int, w
|
||||||
for i := 0; i < numReplacements; i++ {
|
for i := 0; i < numReplacements; i++ {
|
||||||
tokenNum := i + 1
|
tokenNum := i + 1
|
||||||
oldVal := prefix + "-" + strconv.Itoa(tokenNum)
|
oldVal := prefix + "-" + strconv.Itoa(tokenNum)
|
||||||
if wrappedInDiv {
|
if wrapped {
|
||||||
oldVal = "<div>" + oldVal + "</div>"
|
oldVal = "{@{@" + oldVal + "@}@}"
|
||||||
}
|
}
|
||||||
newVal := []byte(replacements[oldVal])
|
newVal := []byte(replacements[oldVal])
|
||||||
j := start
|
j := start
|
||||||
|
|
||||||
k := bytes.Index(source[start:], []byte(oldVal))
|
k := bytes.Index(source[start:], []byte(oldVal))
|
||||||
|
|
||||||
if k < 0 {
|
if k < 0 {
|
||||||
// this should never happen, but let the caller decide to panic or not
|
// this should never happen, but let the caller decide to panic or not
|
||||||
return nil, fmt.Errorf("illegal state in content; shortcode token #%d is missing or out of order", tokenNum)
|
return nil, fmt.Errorf("illegal state in content; shortcode token #%d is missing or out of order (%q)", tokenNum, source)
|
||||||
}
|
}
|
||||||
j += k
|
j += k
|
||||||
|
|
||||||
|
|
|
@ -111,7 +111,9 @@ func TestNestedSC(t *testing.T) {
|
||||||
tem.AddInternalShortcode("scn1.html", `<div>Outer, inner is {{ .Inner }}</div>`)
|
tem.AddInternalShortcode("scn1.html", `<div>Outer, inner is {{ .Inner }}</div>`)
|
||||||
tem.AddInternalShortcode("scn2.html", `<div>SC2</div>`)
|
tem.AddInternalShortcode("scn2.html", `<div>SC2</div>`)
|
||||||
|
|
||||||
CheckShortCodeMatch(t, `{{% scn1 %}}{{% scn2 %}}{{% /scn1 %}}`, "<div>Outer, inner is <div>SC2</div>\n</div>", tem)
|
CheckShortCodeMatch(t, `{{% scn1 %}}{{% scn2 %}}{{% /scn1 %}}`, "<div>Outer, inner is <div>SC2</div></div>", tem)
|
||||||
|
|
||||||
|
CheckShortCodeMatch(t, `{{< scn1 >}}{{% scn2 %}}{{< /scn1 >}}`, "<div>Outer, inner is <div>SC2</div></div>", tem)
|
||||||
}
|
}
|
||||||
|
|
||||||
func TestNestedComplexSC(t *testing.T) {
|
func TestNestedComplexSC(t *testing.T) {
|
||||||
|
@ -121,11 +123,11 @@ func TestNestedComplexSC(t *testing.T) {
|
||||||
tem.AddInternalShortcode("aside.html", `-aside-{{ .Inner }}-asideStop-`)
|
tem.AddInternalShortcode("aside.html", `-aside-{{ .Inner }}-asideStop-`)
|
||||||
|
|
||||||
CheckShortCodeMatch(t, `{{< row >}}1-s{{% column %}}2-**s**{{< aside >}}3-**s**{{< /aside >}}4-s{{% /column %}}5-s{{< /row >}}6-s`,
|
CheckShortCodeMatch(t, `{{< row >}}1-s{{% column %}}2-**s**{{< aside >}}3-**s**{{< /aside >}}4-s{{% /column %}}5-s{{< /row >}}6-s`,
|
||||||
"-row-1-s-col-<p>2-<strong>s</strong>-aside-3-**s**-asideStop-4-s</p>\n-colStop-5-s-rowStop-6-s", tem)
|
"-row-1-s-col-2-<strong>s</strong>-aside-3-**s**-asideStop-4-s-colStop-5-s-rowStop-6-s", tem)
|
||||||
|
|
||||||
// turn around the markup flag
|
// turn around the markup flag
|
||||||
CheckShortCodeMatch(t, `{{% row %}}1-s{{< column >}}2-**s**{{% aside %}}3-**s**{{% /aside %}}4-s{{< /column >}}5-s{{% /row %}}6-s`,
|
CheckShortCodeMatch(t, `{{% row %}}1-s{{< column >}}2-**s**{{% aside %}}3-**s**{{% /aside %}}4-s{{< /column >}}5-s{{% /row %}}6-s`,
|
||||||
"-row-<p>1-s-col-2-**s**-aside-<p>3-<strong>s</strong></p>\n-asideStop-4-s-colStop-5-s</p>\n-rowStop-6-s", tem)
|
"-row-1-s-col-2-**s**-aside-3-<strong>s</strong>-asideStop-4-s-colStop-5-s-rowStop-6-s", tem)
|
||||||
}
|
}
|
||||||
|
|
||||||
func TestFigureImgWidth(t *testing.T) {
|
func TestFigureImgWidth(t *testing.T) {
|
||||||
|
@ -149,7 +151,7 @@ void do();
|
||||||
CheckShortCodeMatch(t, code, "\n<div class=\"highlight\" style=\"background: #ffffff\"><pre style=\"line-height: 125%\"><span style=\"font-weight: bold\">void</span> do();\n</pre></div>\n", tem)
|
CheckShortCodeMatch(t, code, "\n<div class=\"highlight\" style=\"background: #ffffff\"><pre style=\"line-height: 125%\"><span style=\"font-weight: bold\">void</span> do();\n</pre></div>\n", tem)
|
||||||
}
|
}
|
||||||
|
|
||||||
const testScPlaceholderRegexp = "<div>HUGOSHORTCODE-\\d+</div>"
|
const testScPlaceholderRegexp = "{@{@HUGOSHORTCODE-\\d+@}@}"
|
||||||
|
|
||||||
func TestExtractShortcodes(t *testing.T) {
|
func TestExtractShortcodes(t *testing.T) {
|
||||||
for i, this := range []struct {
|
for i, this := range []struct {
|
||||||
|
@ -182,18 +184,18 @@ func TestExtractShortcodes(t *testing.T) {
|
||||||
`inner([], false){[inner2-> inner2([\"param1\"], true){[inner2txt->inner3 inner3(%!q(<nil>), false){[inner3txt]}]} final close->`,
|
`inner([], false){[inner2-> inner2([\"param1\"], true){[inner2txt->inner3 inner3(%!q(<nil>), false){[inner3txt]}]} final close->`,
|
||||||
fmt.Sprintf("Inner->%s<-done", testScPlaceholderRegexp), ""},
|
fmt.Sprintf("Inner->%s<-done", testScPlaceholderRegexp), ""},
|
||||||
{"two inner", `Some text. {{% inner %}}First **Inner** Content{{% / inner %}} {{< inner >}}Inner **Content**{{< / inner >}}. Some more text.`,
|
{"two inner", `Some text. {{% inner %}}First **Inner** Content{{% / inner %}} {{< inner >}}Inner **Content**{{< / inner >}}. Some more text.`,
|
||||||
`map["<div>HUGOSHORTCODE-1</div>:inner([], true){[First **Inner** Content]}" "<div>HUGOSHORTCODE-2</div>:inner([], false){[Inner **Content**]}"]`,
|
`map["{@{@HUGOSHORTCODE-1@}@}:inner([], true){[First **Inner** Content]}" "{@{@HUGOSHORTCODE-2@}@}:inner([], false){[Inner **Content**]}"]`,
|
||||||
fmt.Sprintf("Some text. %s %s. Some more text.", testScPlaceholderRegexp, testScPlaceholderRegexp), ""},
|
fmt.Sprintf("Some text. %s %s. Some more text.", testScPlaceholderRegexp, testScPlaceholderRegexp), ""},
|
||||||
{"closed without content", `Some text. {{< inner param1 >}}{{< / inner >}}. Some more text.`, `inner([\"param1\"], false){[]}`,
|
{"closed without content", `Some text. {{< inner param1 >}}{{< / inner >}}. Some more text.`, `inner([\"param1\"], false){[]}`,
|
||||||
fmt.Sprintf("Some text. %s. Some more text.", testScPlaceholderRegexp), ""},
|
fmt.Sprintf("Some text. %s. Some more text.", testScPlaceholderRegexp), ""},
|
||||||
{"two shortcodes", "{{< sc1 >}}{{< sc2 >}}",
|
{"two shortcodes", "{{< sc1 >}}{{< sc2 >}}",
|
||||||
`map["<div>HUGOSHORTCODE-1</div>:sc1([], false){[]}" "<div>HUGOSHORTCODE-2</div>:sc2([], false){[]}"]`,
|
`map["{@{@HUGOSHORTCODE-1@}@}:sc1([], false){[]}" "{@{@HUGOSHORTCODE-2@}@}:sc2([], false){[]}"]`,
|
||||||
testScPlaceholderRegexp + testScPlaceholderRegexp, ""},
|
testScPlaceholderRegexp + testScPlaceholderRegexp, ""},
|
||||||
{"mix of shortcodes", `Hello {{< sc1 >}}world{{% sc2 p2="2"%}}. And that's it.`,
|
{"mix of shortcodes", `Hello {{< sc1 >}}world{{% sc2 p2="2"%}}. And that's it.`,
|
||||||
`map["<div>HUGOSHORTCODE-1</div>:sc1([], false){[]}" "<div>HUGOSHORTCODE-2</div>:sc2([\"p2:2\"]`,
|
`map["{@{@HUGOSHORTCODE-1@}@}:sc1([], false){[]}" "{@{@HUGOSHORTCODE-2@}@}:sc2([\"p2:2\"]`,
|
||||||
fmt.Sprintf("Hello %sworld%s. And that's it.", testScPlaceholderRegexp, testScPlaceholderRegexp), ""},
|
fmt.Sprintf("Hello %sworld%s. And that's it.", testScPlaceholderRegexp, testScPlaceholderRegexp), ""},
|
||||||
{"mix with inner", `Hello {{< sc1 >}}world{{% inner p2="2"%}}Inner{{%/ inner %}}. And that's it.`,
|
{"mix with inner", `Hello {{< sc1 >}}world{{% inner p2="2"%}}Inner{{%/ inner %}}. And that's it.`,
|
||||||
`map["<div>HUGOSHORTCODE-1</div>:sc1([], false){[]}" "<div>HUGOSHORTCODE-2</div>:inner([\"p2:2\"], true){[Inner]}"]`,
|
`map["{@{@HUGOSHORTCODE-1@}@}:sc1([], false){[]}" "{@{@HUGOSHORTCODE-2@}@}:inner([\"p2:2\"], true){[Inner]}"]`,
|
||||||
fmt.Sprintf("Hello %sworld%s. And that's it.", testScPlaceholderRegexp, testScPlaceholderRegexp), ""},
|
fmt.Sprintf("Hello %sworld%s. And that's it.", testScPlaceholderRegexp, testScPlaceholderRegexp), ""},
|
||||||
} {
|
} {
|
||||||
|
|
||||||
|
@ -286,24 +288,16 @@ func TestReplaceShortcodeTokens(t *testing.T) {
|
||||||
wrappedInDiv bool
|
wrappedInDiv bool
|
||||||
expect interface{}
|
expect interface{}
|
||||||
}{
|
}{
|
||||||
{[]byte("Hello PREFIX-1."), "PREFIX",
|
{[]byte("Hello PREFIX-1."), "PREFIX", map[string]string{"PREFIX-1": "World"}, -1, false, []byte("Hello World.")},
|
||||||
map[string]string{"PREFIX-1": "World"}, -1, false, []byte("Hello World.")},
|
{[]byte("A {@{@A-1@}@} asdf {@{@A-2@}@}."), "A", map[string]string{"{@{@A-1@}@}": "v1", "{@{@A-2@}@}": "v2"}, -1, true, []byte("A v1 asdf v2.")},
|
||||||
{[]byte("A <div>A-1</div> asdf <div>A-2</div>."), "A",
|
{[]byte("Hello PREFIX2-1. Go PREFIX2-2, Go, Go PREFIX2-3 Go Go!."), "PREFIX2", map[string]string{"PREFIX2-1": "Europe", "PREFIX2-2": "Jonny", "PREFIX2-3": "Johnny"}, -1, false, []byte("Hello Europe. Go Jonny, Go, Go Johnny Go Go!.")},
|
||||||
map[string]string{"<div>A-1</div>": "v1", "<div>A-2</div>": "v2"}, -1, true, []byte("A v1 asdf v2.")},
|
{[]byte("A PREFIX-2 PREFIX-1."), "PREFIX", map[string]string{"PREFIX-1": "A", "PREFIX-2": "B"}, -1, false, false},
|
||||||
{[]byte("Hello PREFIX2-1. Go PREFIX2-2, Go, Go PREFIX2-3 Go Go!."), "PREFIX2",
|
{[]byte("A PREFIX-1 PREFIX-2"), "PREFIX", map[string]string{"PREFIX-1": "A"}, -1, false, []byte("A A PREFIX-2")},
|
||||||
map[string]string{"PREFIX2-1": "Europe", "PREFIX2-2": "Jonny", "PREFIX2-3": "Johnny"},
|
{[]byte("A PREFIX-1 but not the second."), "PREFIX", map[string]string{"PREFIX-1": "A", "PREFIX-2": "B"}, -1, false, false},
|
||||||
-1, false, []byte("Hello Europe. Go Jonny, Go, Go Johnny Go Go!.")},
|
{[]byte("An PREFIX-1."), "PREFIX", map[string]string{"PREFIX-1": "A", "PREFIX-2": "B"}, 1, false, []byte("An A.")},
|
||||||
{[]byte("A PREFIX-2 PREFIX-1."), "PREFIX",
|
{[]byte("An PREFIX-1 PREFIX-2."), "PREFIX", map[string]string{"PREFIX-1": "A", "PREFIX-2": "B"}, 1, false, []byte("An A PREFIX-2.")},
|
||||||
map[string]string{"PREFIX-1": "A", "PREFIX-2": "B"}, -1, false, false},
|
|
||||||
{[]byte("A PREFIX-1 PREFIX-2"), "PREFIX",
|
|
||||||
map[string]string{"PREFIX-1": "A"}, -1, false, []byte("A A PREFIX-2")},
|
|
||||||
{[]byte("A PREFIX-1 but not the second."), "PREFIX",
|
|
||||||
map[string]string{"PREFIX-1": "A", "PREFIX-2": "B"}, -1, false, false},
|
|
||||||
{[]byte("An PREFIX-1."), "PREFIX",
|
|
||||||
map[string]string{"PREFIX-1": "A", "PREFIX-2": "B"}, 1, false, []byte("An A.")},
|
|
||||||
{[]byte("An PREFIX-1 PREFIX-2."), "PREFIX",
|
|
||||||
map[string]string{"PREFIX-1": "A", "PREFIX-2": "B"}, 1, false, []byte("An A PREFIX-2.")},
|
|
||||||
} {
|
} {
|
||||||
|
fmt.Printf("this<%#v>", this)
|
||||||
results, err := replaceShortcodeTokens(this.input, this.prefix, this.numReplacements, this.wrappedInDiv, this.replacements)
|
results, err := replaceShortcodeTokens(this.input, this.prefix, this.numReplacements, this.wrappedInDiv, this.replacements)
|
||||||
|
|
||||||
if b, ok := this.expect.(bool); ok && !b {
|
if b, ok := this.expect.(bool); ok && !b {
|
||||||
|
|
|
@ -19,6 +19,7 @@ import (
|
||||||
"fmt"
|
"fmt"
|
||||||
"html/template"
|
"html/template"
|
||||||
"io"
|
"io"
|
||||||
|
"net/url"
|
||||||
"os"
|
"os"
|
||||||
"strconv"
|
"strconv"
|
||||||
"strings"
|
"strings"
|
||||||
|
@ -128,6 +129,65 @@ func (s *SiteInfo) GetParam(key string) interface{} {
|
||||||
return nil
|
return nil
|
||||||
}
|
}
|
||||||
|
|
||||||
|
func (s *SiteInfo) refLink(ref string, page *Page, relative bool) (string, error) {
|
||||||
|
var refUrl *url.URL
|
||||||
|
var err error
|
||||||
|
|
||||||
|
refUrl, err = url.Parse(ref)
|
||||||
|
|
||||||
|
if err != nil {
|
||||||
|
return "", err
|
||||||
|
}
|
||||||
|
|
||||||
|
var target *Page = nil
|
||||||
|
var link string = ""
|
||||||
|
|
||||||
|
if refUrl.Path != "" {
|
||||||
|
var target *Page
|
||||||
|
|
||||||
|
for _, page := range []*Page(*s.Pages) {
|
||||||
|
if page.Source.Path() == refUrl.Path || page.Source.LogicalName() == refUrl.Path {
|
||||||
|
target = page
|
||||||
|
break
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
if target == nil {
|
||||||
|
return "", errors.New(fmt.Sprintf("No page found with path or logical name \"%s\".\n", refUrl.Path))
|
||||||
|
}
|
||||||
|
|
||||||
|
if relative {
|
||||||
|
link, err = target.RelPermalink()
|
||||||
|
} else {
|
||||||
|
link, err = target.Permalink()
|
||||||
|
}
|
||||||
|
|
||||||
|
if err != nil {
|
||||||
|
return "", err
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
if refUrl.Fragment != "" {
|
||||||
|
link = link + "#" + refUrl.Fragment
|
||||||
|
|
||||||
|
if refUrl.Path != "" {
|
||||||
|
link = link + ":" + target.UniqueId()
|
||||||
|
} else if page != nil {
|
||||||
|
link = link + ":" + page.UniqueId()
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
return link, nil
|
||||||
|
}
|
||||||
|
|
||||||
|
func (s *SiteInfo) Ref(ref string, page *Page) (string, error) {
|
||||||
|
return s.refLink(ref, page, false)
|
||||||
|
}
|
||||||
|
|
||||||
|
func (s *SiteInfo) RelRef(ref string, page *Page) (string, error) {
|
||||||
|
return s.refLink(ref, page, true)
|
||||||
|
}
|
||||||
|
|
||||||
type runmode struct {
|
type runmode struct {
|
||||||
Watching bool
|
Watching bool
|
||||||
}
|
}
|
||||||
|
|
|
@ -16,6 +16,7 @@ package tpl
|
||||||
import (
|
import (
|
||||||
"bytes"
|
"bytes"
|
||||||
"errors"
|
"errors"
|
||||||
|
"fmt"
|
||||||
"github.com/eknkc/amber"
|
"github.com/eknkc/amber"
|
||||||
"github.com/spf13/cast"
|
"github.com/spf13/cast"
|
||||||
"github.com/spf13/hugo/helpers"
|
"github.com/spf13/hugo/helpers"
|
||||||
|
@ -110,6 +111,8 @@ func New() Template {
|
||||||
"upper": func(a string) string { return strings.ToUpper(a) },
|
"upper": func(a string) string { return strings.ToUpper(a) },
|
||||||
"title": func(a string) string { return strings.Title(a) },
|
"title": func(a string) string { return strings.Title(a) },
|
||||||
"partial": Partial,
|
"partial": Partial,
|
||||||
|
"ref": Ref,
|
||||||
|
"relref": RelRef,
|
||||||
}
|
}
|
||||||
|
|
||||||
templates.Funcs(funcMap)
|
templates.Funcs(funcMap)
|
||||||
|
@ -427,6 +430,41 @@ func Markdownify(text string) template.HTML {
|
||||||
return template.HTML(helpers.RenderBytes([]byte(text), "markdown", ""))
|
return template.HTML(helpers.RenderBytes([]byte(text), "markdown", ""))
|
||||||
}
|
}
|
||||||
|
|
||||||
|
func refPage(page interface{}, ref, methodName string) template.HTML {
|
||||||
|
value := reflect.ValueOf(page)
|
||||||
|
|
||||||
|
method := value.MethodByName(methodName)
|
||||||
|
|
||||||
|
if method.IsValid() && method.Type().NumIn() == 1 && method.Type().NumOut() == 2 {
|
||||||
|
result := method.Call([]reflect.Value{reflect.ValueOf(ref)})
|
||||||
|
|
||||||
|
url, err := result[0], result[1]
|
||||||
|
|
||||||
|
if !err.IsNil() {
|
||||||
|
jww.ERROR.Printf("%s", err.Interface())
|
||||||
|
return template.HTML(fmt.Sprintf("%s", err.Interface()))
|
||||||
|
}
|
||||||
|
|
||||||
|
if url.String() == "" {
|
||||||
|
jww.ERROR.Printf("ref %s could not be found\n", ref)
|
||||||
|
return template.HTML(ref)
|
||||||
|
}
|
||||||
|
|
||||||
|
return template.HTML(url.String())
|
||||||
|
}
|
||||||
|
|
||||||
|
jww.ERROR.Printf("Can only create references from Page and Node objects.")
|
||||||
|
return template.HTML(ref)
|
||||||
|
}
|
||||||
|
|
||||||
|
func Ref(page interface{}, ref string) template.HTML {
|
||||||
|
return refPage(page, ref, "Ref")
|
||||||
|
}
|
||||||
|
|
||||||
|
func RelRef(page interface{}, ref string) template.HTML {
|
||||||
|
return refPage(page, ref, "RelRef")
|
||||||
|
}
|
||||||
|
|
||||||
func SafeHtml(text string) template.HTML {
|
func SafeHtml(text string) template.HTML {
|
||||||
return template.HTML(text)
|
return template.HTML(text)
|
||||||
}
|
}
|
||||||
|
|
|
@ -19,6 +19,8 @@ type Tmpl struct {
|
||||||
}
|
}
|
||||||
|
|
||||||
func (t *GoHtmlTemplate) EmbedShortcodes() {
|
func (t *GoHtmlTemplate) EmbedShortcodes() {
|
||||||
|
t.AddInternalShortcode("ref.html", `{{ .Get 0 | ref .Page }}`)
|
||||||
|
t.AddInternalShortcode("relref.html", `{{ .Get 0 | relref .Page }}`)
|
||||||
t.AddInternalShortcode("highlight.html", `{{ .Get 0 | highlight .Inner }}`)
|
t.AddInternalShortcode("highlight.html", `{{ .Get 0 | highlight .Inner }}`)
|
||||||
t.AddInternalShortcode("test.html", `This is a simple Test`)
|
t.AddInternalShortcode("test.html", `This is a simple Test`)
|
||||||
t.AddInternalShortcode("figure.html", `<!-- image -->
|
t.AddInternalShortcode("figure.html", `<!-- image -->
|
||||||
|
|
Loading…
Reference in a new issue