| 123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166 | // Copyright 2014 The Gogs Authors. All rights reserved.// Use of this source code is governed by a MIT-style// license that can be found in the LICENSE file.package markupimport (	"bytes"	"fmt"	"path"	"path/filepath"	"strings"	"github.com/russross/blackfriday"	"gogs.io/gogs/internal/conf"	"gogs.io/gogs/internal/lazyregexp"	"gogs.io/gogs/internal/tool")// IsMarkdownFile reports whether name looks like a Markdown file based on its extension.func IsMarkdownFile(name string) bool {	extension := strings.ToLower(filepath.Ext(name))	for _, ext := range conf.Markdown.FileExtensions {		if strings.ToLower(ext) == extension {			return true		}	}	return false}// MarkdownRenderer is a extended version of underlying Markdown render object.type MarkdownRenderer struct {	blackfriday.Renderer	urlPrefix string}var validLinksPattern = lazyregexp.New(`^[a-z][\w-]+://|^mailto:`)// isLink reports whether link fits valid format.func isLink(link []byte) bool {	return validLinksPattern.Match(link)}// Link defines how formal links should be processed to produce corresponding HTML elements.func (r *MarkdownRenderer) Link(out *bytes.Buffer, link, title, content []byte) {	if len(link) > 0 && !isLink(link) {		if link[0] != '#' {			link = []byte(path.Join(r.urlPrefix, string(link)))		}	}	r.Renderer.Link(out, link, title, content)}// AutoLink defines how auto-detected links should be processed to produce corresponding HTML elements.// Reference for kind: https://github.com/russross/blackfriday/blob/master/markdown.go#L69-L76func (r *MarkdownRenderer) AutoLink(out *bytes.Buffer, link []byte, kind int) {	if kind != blackfriday.LINK_TYPE_NORMAL {		r.Renderer.AutoLink(out, link, kind)		return	}	// Since this method could only possibly serve one link at a time,	// we do not need to find all.	if bytes.HasPrefix(link, []byte(conf.Server.ExternalURL)) {		m := CommitPattern.Find(link)		if m != nil {			m = bytes.TrimSpace(m)			i := bytes.Index(m, []byte("commit/"))			j := bytes.Index(m, []byte("#"))			if j == -1 {				j = len(m)			}			out.WriteString(fmt.Sprintf(` <code><a href="%s">%s</a></code>`, m, tool.ShortSHA1(string(m[i+7:j]))))			return		}		m = IssueFullPattern.Find(link)		if m != nil {			m = bytes.TrimSpace(m)			i := bytes.Index(m, []byte("issues/"))			j := bytes.Index(m, []byte("#"))			if j == -1 {				j = len(m)			}			index := string(m[i+7 : j])			fullRepoURL := conf.Server.ExternalURL + strings.TrimPrefix(r.urlPrefix, "/")			var link string			if strings.HasPrefix(string(m), fullRepoURL) {				// Use a short issue reference if the URL refers to this repository				link = fmt.Sprintf(`<a href="%s">#%s</a>`, m, index)			} else {				// Use a cross-repository issue reference if the URL refers to a different repository				repo := string(m[len(conf.Server.ExternalURL) : i-1])				link = fmt.Sprintf(`<a href="%s">%s#%s</a>`, m, repo, index)			}			out.WriteString(link)			return		}	}	r.Renderer.AutoLink(out, link, kind)}// ListItem defines how list items should be processed to produce corresponding HTML elements.func (r *MarkdownRenderer) ListItem(out *bytes.Buffer, text []byte, flags int) {	// Detect procedures to draw checkboxes.	switch {	case bytes.HasPrefix(text, []byte("[ ] ")):		text = append([]byte(`<input type="checkbox" disabled="" />`), text[3:]...)	case bytes.HasPrefix(text, []byte("[x] ")):		text = append([]byte(`<input type="checkbox" disabled="" checked="" />`), text[3:]...)	}	r.Renderer.ListItem(out, text, flags)}// RawMarkdown renders content in Markdown syntax to HTML without handling special links.func RawMarkdown(body []byte, urlPrefix string) []byte {	htmlFlags := 0	htmlFlags |= blackfriday.HTML_SKIP_STYLE	htmlFlags |= blackfriday.HTML_OMIT_CONTENTS	if conf.Smartypants.Enabled {		htmlFlags |= blackfriday.HTML_USE_SMARTYPANTS		if conf.Smartypants.Fractions {			htmlFlags |= blackfriday.HTML_SMARTYPANTS_FRACTIONS		}		if conf.Smartypants.Dashes {			htmlFlags |= blackfriday.HTML_SMARTYPANTS_DASHES		}		if conf.Smartypants.LatexDashes {			htmlFlags |= blackfriday.HTML_SMARTYPANTS_LATEX_DASHES		}		if conf.Smartypants.AngledQuotes {			htmlFlags |= blackfriday.HTML_SMARTYPANTS_ANGLED_QUOTES		}	}	renderer := &MarkdownRenderer{		Renderer:  blackfriday.HtmlRenderer(htmlFlags, "", ""),		urlPrefix: urlPrefix,	}	// set up the parser	extensions := 0	extensions |= blackfriday.EXTENSION_NO_INTRA_EMPHASIS	extensions |= blackfriday.EXTENSION_TABLES	extensions |= blackfriday.EXTENSION_FENCED_CODE	extensions |= blackfriday.EXTENSION_AUTOLINK	extensions |= blackfriday.EXTENSION_STRIKETHROUGH	extensions |= blackfriday.EXTENSION_SPACE_HEADERS	extensions |= blackfriday.EXTENSION_NO_EMPTY_LINE_BEFORE_BLOCK	if conf.Markdown.EnableHardLineBreak {		extensions |= blackfriday.EXTENSION_HARD_LINE_BREAK	}	return blackfriday.Markdown(body, renderer, extensions)}// Markdown takes a string or []byte and renders to HTML in Markdown syntax with special links.func Markdown(input any, urlPrefix string, metas map[string]string) []byte {	return Render(TypeMarkdown, input, urlPrefix, metas)}
 |