Index: VERSION ================================================================== --- VERSION +++ VERSION @@ -1,1 +1,1 @@ -0.19.0 +0.20.0 Index: ast/ast.go ================================================================== --- ast/ast.go +++ ast/ast.go @@ -15,24 +15,24 @@ package ast import ( "net/url" + "t73f.de/r/zsc/domain/id" + "t73f.de/r/zsc/domain/meta" "zettelstore.de/z/zettel" - "zettelstore.de/z/zettel/id" - "zettelstore.de/z/zettel/meta" ) // ZettelNode is the root node of the abstract syntax tree. // It is *not* part of the visitor pattern. type ZettelNode struct { - Meta *meta.Meta // Original metadata - Content zettel.Content // Original content - Zid id.Zid // Zettel identification. - InhMeta *meta.Meta // Metadata of the zettel, with inherited values. - Ast BlockSlice // Zettel abstract syntax tree is a sequence of block nodes. - Syntax string // Syntax / parser that produced the Ast + Meta *meta.Meta // Original metadata + Content zettel.Content // Original content + Zid id.Zid // Zettel identification. + InhMeta *meta.Meta // Metadata of the zettel, with inherited values. + BlocksAST BlockSlice // Zettel abstract syntax tree is a sequence of block nodes. + Syntax string // Syntax / parser that produced the Ast } // Node is the interface, all nodes must implement. type Node interface { WalkChildren(v Visitor) Index: ast/block.go ================================================================== --- ast/block.go +++ ast/block.go @@ -78,11 +78,11 @@ // Constants for VerbatimCode const ( _ VerbatimKind = iota VerbatimZettel // Zettel content - VerbatimProg // Program code + VerbatimCode // Program code VerbatimEval // Code to be externally interpreted. Syntax is stored in default attribute. VerbatimComment // Block comment VerbatimHTML // Block HTML, e.g. for Markdown VerbatimMath // Block math mode ) @@ -251,11 +251,11 @@ // WalkChildren walks down to the cells. func (tn *TableNode) WalkChildren(v Visitor) { if header := tn.Header; header != nil { for i := range header { - Walk(v, &header[i].Inlines) // Otherwise changes will not go back + Walk(v, header[i]) // Otherwise changes will not go back } } if rows := tn.Rows; rows != nil { for _, row := range rows { for i := range row { @@ -262,24 +262,30 @@ Walk(v, &row[i].Inlines) // Otherwise changes will not go back } } } } + +// WalkChildren walks the list of inline elements. +func (cell *TableCell) WalkChildren(v Visitor) { + Walk(v, &cell.Inlines) // Otherwise changes will not go back +} //-------------------------------------------------------------------------- // TranscludeNode specifies block content from other zettel to embedded in // current zettel type TranscludeNode struct { - Attrs attrs.Attributes - Ref *Reference + Attrs attrs.Attributes + Ref *Reference + Inlines InlineSlice // Optional text. } func (*TranscludeNode) blockNode() { /* Just a marker */ } -// WalkChildren does nothing. -func (*TranscludeNode) WalkChildren(Visitor) { /* No children*/ } +// WalkChildren walks the associated text. +func (tn *TranscludeNode) WalkChildren(v Visitor) { Walk(v, &tn.Inlines) } //-------------------------------------------------------------------------- // BLOBNode contains just binary data that must be interpreted according to // a syntax. Index: ast/inline.go ================================================================== --- ast/inline.go +++ ast/inline.go @@ -24,12 +24,14 @@ func (*InlineSlice) inlineNode() { /* Just a marker */ } // WalkChildren walks down to the list. func (is *InlineSlice) WalkChildren(v Visitor) { - for _, in := range *is { - Walk(v, in) + if is != nil { + for _, in := range *is { + Walk(v, in) + } } } // -------------------------------------------------------------------------- @@ -195,18 +197,16 @@ type LiteralKind int // Constants for LiteralCode const ( _ LiteralKind = iota - LiteralZettel // Zettel content - LiteralProg // Inline program code + LiteralCode // Inline program code LiteralInput // Computer input, e.g. Keyboard strokes LiteralOutput // Computer output LiteralComment // Inline comment - LiteralHTML // Inline HTML, e.g. for Markdown LiteralMath // Inline math mode ) func (*LiteralNode) inlineNode() { /* Just a marker */ } // WalkChildren does nothing. func (*LiteralNode) WalkChildren(Visitor) { /* No children*/ } Index: ast/ref.go ================================================================== --- ast/ref.go +++ ast/ref.go @@ -16,11 +16,11 @@ import ( "net/url" "strings" "t73f.de/r/zsc/api" - "zettelstore.de/z/zettel/id" + "t73f.de/r/zsc/domain/id" ) // QueryPrefix is the prefix that denotes a query expression. const QueryPrefix = api.QueryPrefix @@ -77,16 +77,16 @@ return RefStateInvalid, false } // String returns the string representation of a reference. func (r Reference) String() string { + if r.State == RefStateQuery { + return QueryPrefix + r.Value + } if r.URL != nil { return r.URL.String() } - if r.State == RefStateQuery { - return QueryPrefix + r.Value - } return r.Value } // IsValid returns true if reference is valid func (r *Reference) IsValid() bool { return r.State != RefStateInvalid } ADDED ast/sztrans/sztrans.go Index: ast/sztrans/sztrans.go ================================================================== --- /dev/null +++ ast/sztrans/sztrans.go @@ -0,0 +1,578 @@ +//----------------------------------------------------------------------------- +// Copyright (c) 2025-present Detlef Stern +// +// This file is part of Zettelstore. +// +// Zettelstore is licensed under the latest version of the EUPL (European Union +// Public License). Please see file LICENSE.txt for your rights and obligations +// under this license. +// +// SPDX-License-Identifier: EUPL-1.2 +// SPDX-FileCopyrightText: 2025-present Detlef Stern +//----------------------------------------------------------------------------- + +// Package sztrans allows to transform a sz representation of text into an +// abstract syntax tree. +package sztrans + +import ( + "fmt" + "log" + + "t73f.de/r/sx" + "t73f.de/r/zsc/sz" + "zettelstore.de/z/ast" +) + +type transformer struct{} + +// GetBlockSlice returns the sz representations as a AST BlockSlice +func GetBlockSlice(pair *sx.Pair) (ast.BlockSlice, error) { + if pair == nil { + return nil, nil + } + var t transformer + if obj := sz.Walk(&t, pair, nil); !obj.IsNil() { + if sxn, isNode := obj.(sxNode); isNode { + if bs, ok := sxn.node.(*ast.BlockSlice); ok { + return *bs, nil + } + return nil, fmt.Errorf("no BlockSlice AST: %T/%v for %v", sxn.node, sxn.node, pair) + } + return nil, fmt.Errorf("no AST for %v: %v", pair, obj) + } + return nil, fmt.Errorf("error walking %v", pair) +} + +func (t *transformer) VisitBefore(pair *sx.Pair, _ *sx.Pair) (sx.Object, bool) { + if sym, isSymbol := sx.GetSymbol(pair.Car()); isSymbol { + switch sym { + case sz.SymText: + if p := pair.Tail(); p != nil { + if s, isString := sx.GetString(p.Car()); isString { + return sxNode{&ast.TextNode{Text: s.GetValue()}}, true + } + } + case sz.SymSoft: + return sxNode{&ast.BreakNode{Hard: false}}, true + case sz.SymHard: + return sxNode{&ast.BreakNode{Hard: true}}, true + case sz.SymLiteralCode: + return handleLiteral(ast.LiteralCode, pair.Tail()) + case sz.SymLiteralComment: + return handleLiteral(ast.LiteralComment, pair.Tail()) + case sz.SymLiteralInput: + return handleLiteral(ast.LiteralInput, pair.Tail()) + case sz.SymLiteralMath: + return handleLiteral(ast.LiteralMath, pair.Tail()) + case sz.SymLiteralOutput: + return handleLiteral(ast.LiteralOutput, pair.Tail()) + case sz.SymThematic: + return sxNode{&ast.HRuleNode{Attrs: sz.GetAttributes(pair.Tail().Head())}}, true + case sz.SymVerbatimComment: + return handleVerbatim(ast.VerbatimComment, pair.Tail()) + case sz.SymVerbatimEval: + return handleVerbatim(ast.VerbatimEval, pair.Tail()) + case sz.SymVerbatimHTML: + return handleVerbatim(ast.VerbatimHTML, pair.Tail()) + case sz.SymVerbatimMath: + return handleVerbatim(ast.VerbatimMath, pair.Tail()) + case sz.SymVerbatimCode: + return handleVerbatim(ast.VerbatimCode, pair.Tail()) + case sz.SymVerbatimZettel: + return handleVerbatim(ast.VerbatimZettel, pair.Tail()) + } + } + return sx.Nil(), false +} + +func handleLiteral(kind ast.LiteralKind, rest *sx.Pair) (sx.Object, bool) { + if rest != nil { + attrs := sz.GetAttributes(rest.Head()) + if curr := rest.Tail(); curr != nil { + if s, isString := sx.GetString(curr.Car()); isString { + return sxNode{&ast.LiteralNode{ + Kind: kind, + Attrs: attrs, + Content: []byte(s.GetValue())}}, true + } + } + } + return nil, false +} + +func handleVerbatim(kind ast.VerbatimKind, rest *sx.Pair) (sx.Object, bool) { + if rest != nil { + attrs := sz.GetAttributes(rest.Head()) + if curr := rest.Tail(); curr != nil { + if s, isString := sx.GetString(curr.Car()); isString { + return sxNode{&ast.VerbatimNode{ + Kind: kind, + Attrs: attrs, + Content: []byte(s.GetValue()), + }}, true + } + } + } + return nil, false +} + +func (t *transformer) VisitAfter(pair *sx.Pair, _ *sx.Pair) sx.Object { + if sym, isSymbol := sx.GetSymbol(pair.Car()); isSymbol { + switch sym { + case sz.SymBlock: + bns := collectBlocks(pair.Tail()) + return sxNode{&bns} + case sz.SymPara: + return sxNode{&ast.ParaNode{Inlines: collectInlines(pair.Tail())}} + case sz.SymHeading: + return handleHeading(pair.Tail()) + case sz.SymListOrdered: + return sxNode{&ast.NestedListNode{ + Kind: ast.NestedListOrdered, + Items: collectItemSlices(pair.Tail()), + Attrs: nil}} + case sz.SymListUnordered: + return sxNode{&ast.NestedListNode{ + Kind: ast.NestedListUnordered, + Items: collectItemSlices(pair.Tail()), + Attrs: nil}} + case sz.SymListQuote: + return sxNode{&ast.NestedListNode{ + Kind: ast.NestedListQuote, + Items: collectItemSlices(pair.Tail()), + Attrs: nil}} + case sz.SymDescription: + return handleDescription(pair.Tail()) + case sz.SymTable: + return handleTable(pair.Tail()) + case sz.SymCell: + return handleCell(ast.AlignDefault, pair.Tail()) + case sz.SymCellCenter: + return handleCell(ast.AlignCenter, pair.Tail()) + case sz.SymCellLeft: + return handleCell(ast.AlignLeft, pair.Tail()) + case sz.SymCellRight: + return handleCell(ast.AlignRight, pair.Tail()) + case sz.SymRegionBlock: + return handleRegion(ast.RegionSpan, pair.Tail()) + case sz.SymRegionQuote: + return handleRegion(ast.RegionQuote, pair.Tail()) + case sz.SymRegionVerse: + return handleRegion(ast.RegionVerse, pair.Tail()) + case sz.SymTransclude: + return handleTransclude(pair.Tail()) + + case sz.SymLinkHosted: + return handleLink(ast.RefStateHosted, pair.Tail()) + case sz.SymLinkInvalid: + return handleLink(ast.RefStateInvalid, pair.Tail()) + case sz.SymLinkZettel: + return handleLink(ast.RefStateZettel, pair.Tail()) + case sz.SymLinkSelf: + return handleLink(ast.RefStateSelf, pair.Tail()) + case sz.SymLinkFound: + return handleLink(ast.RefStateFound, pair.Tail()) + case sz.SymLinkBroken: + return handleLink(ast.RefStateBroken, pair.Tail()) + case sz.SymLinkHosted: + return handleLink(ast.RefStateHosted, pair.Tail()) + case sz.SymLinkBased: + return handleLink(ast.RefStateBased, pair.Tail()) + case sz.SymLinkQuery: + return handleLink(ast.RefStateQuery, pair.Tail()) + case sz.SymLinkExternal: + return handleLink(ast.RefStateExternal, pair.Tail()) + case sz.SymEmbed: + return handleEmbed(pair.Tail()) + case sz.SymCite: + return handleCite(pair.Tail()) + case sz.SymMark: + return handleMark(pair.Tail()) + case sz.SymEndnote: + return handleEndnote(pair.Tail()) + case sz.SymFormatDelete: + return handleFormat(ast.FormatDelete, pair.Tail()) + case sz.SymFormatEmph: + return handleFormat(ast.FormatEmph, pair.Tail()) + case sz.SymFormatInsert: + return handleFormat(ast.FormatInsert, pair.Tail()) + case sz.SymFormatMark: + return handleFormat(ast.FormatMark, pair.Tail()) + case sz.SymFormatQuote: + return handleFormat(ast.FormatQuote, pair.Tail()) + case sz.SymFormatSpan: + return handleFormat(ast.FormatSpan, pair.Tail()) + case sz.SymFormatSub: + return handleFormat(ast.FormatSub, pair.Tail()) + case sz.SymFormatSuper: + return handleFormat(ast.FormatSuper, pair.Tail()) + case sz.SymFormatStrong: + return handleFormat(ast.FormatStrong, pair.Tail()) + } + log.Println("MISS", pair) + } + return pair +} + +func collectBlocks(lst *sx.Pair) (result ast.BlockSlice) { + for val := range lst.Values() { + if sxn, isNode := val.(sxNode); isNode { + if bn, isInline := sxn.node.(ast.BlockNode); isInline { + result = append(result, bn) + } + } + } + return result +} + +func collectInlines(lst *sx.Pair) (result ast.InlineSlice) { + for val := range lst.Values() { + if sxn, isNode := val.(sxNode); isNode { + if in, isInline := sxn.node.(ast.InlineNode); isInline { + result = append(result, in) + } + } + } + return result +} + +func handleHeading(rest *sx.Pair) sx.Object { + if rest != nil { + if num, isNumber := rest.Car().(sx.Int64); isNumber && num > 0 && num < 6 { + if curr := rest.Tail(); curr != nil { + attrs := sz.GetAttributes(curr.Head()) + if curr = curr.Tail(); curr != nil { + if sSlug, isSlug := sx.GetString(curr.Car()); isSlug { + if curr = curr.Tail(); curr != nil { + if sUniq, isUniq := sx.GetString(curr.Car()); isUniq { + return sxNode{&ast.HeadingNode{ + Level: int(num), + Attrs: attrs, + Slug: sSlug.GetValue(), + Fragment: sUniq.GetValue(), + Inlines: collectInlines(curr.Tail()), + }} + } + } + } + } + } + } + } + log.Println("HEAD", rest) + return rest +} + +func collectItemSlices(lst *sx.Pair) (result []ast.ItemSlice) { + for val := range lst.Values() { + if sxn, isNode := val.(sxNode); isNode { + if bns, isBlockSlice := sxn.node.(*ast.BlockSlice); isBlockSlice { + items := make(ast.ItemSlice, len(*bns)) + for i, bn := range *bns { + if it, ok := bn.(ast.ItemNode); ok { + items[i] = it + } + } + result = append(result, items) + } + if ins, isInline := sxn.node.(*ast.InlineSlice); isInline { + items := make(ast.ItemSlice, len(*ins)) + for i, bn := range *ins { + if it, ok := bn.(ast.ItemNode); ok { + items[i] = it + } + } + result = append(result, items) + } + } + } + return result +} + +func handleDescription(rest *sx.Pair) sx.Object { + var descs []ast.Description + for curr := rest; curr != nil; { + term := collectInlines(curr.Head()) + curr = curr.Tail() + if curr == nil { + descr := ast.Description{Term: term, Descriptions: nil} + descs = append(descs, descr) + break + } + + car := curr.Car() + if sx.IsNil(car) { + descs = append(descs, ast.Description{Term: term, Descriptions: nil}) + curr = curr.Tail() + continue + } + + sxn, isNode := car.(sxNode) + if !isNode { + descs = nil + break + } + blocks, isBlocks := sxn.node.(*ast.BlockSlice) + if !isBlocks { + descs = nil + break + } + + descSlice := make([]ast.DescriptionSlice, 0, len(*blocks)) + for _, bn := range *blocks { + bns, isBns := bn.(*ast.BlockSlice) + if !isBns { + continue + } + ds := make(ast.DescriptionSlice, 0, len(*bns)) + for _, b := range *bns { + if defNode, isDef := b.(ast.DescriptionNode); isDef { + ds = append(ds, defNode) + } + } + descSlice = append(descSlice, ds) + } + + descr := ast.Description{Term: term, Descriptions: descSlice} + descs = append(descs, descr) + + curr = curr.Tail() + } + if len(descs) > 0 { + return sxNode{&ast.DescriptionListNode{Descriptions: descs}} + } + log.Println("DESC", rest) + return rest +} + +func handleTable(rest *sx.Pair) sx.Object { + if rest != nil { + header := collectRow(rest.Head()) + cols := len(header) + + var rows []ast.TableRow + for curr := range rest.Tail().Pairs() { + row := collectRow(curr.Head()) + rows = append(rows, row) + cols = max(cols, len(row)) + } + align := make([]ast.Alignment, cols) + for i := range cols { + align[i] = ast.AlignDefault + } + + return sxNode{&ast.TableNode{ + Header: header, + Align: align, + Rows: rows, + }} + } + log.Println("TABL", rest) + return rest +} + +func collectRow(lst *sx.Pair) (row ast.TableRow) { + for curr := range lst.Values() { + if sxn, isNode := curr.(sxNode); isNode { + if cell, isCell := sxn.node.(*ast.TableCell); isCell { + row = append(row, cell) + } + } + } + return row +} + +func handleCell(align ast.Alignment, rest *sx.Pair) sx.Object { + return sxNode{&ast.TableCell{ + Align: align, + Inlines: collectInlines(rest), + }} +} + +func handleRegion(kind ast.RegionKind, rest *sx.Pair) sx.Object { + if rest != nil { + attrs := sz.GetAttributes(rest.Head()) + if curr := rest.Tail(); curr != nil { + if blockList := curr.Head(); blockList != nil { + return sxNode{&ast.RegionNode{ + Kind: kind, + Attrs: attrs, + Blocks: collectBlocks(blockList), + Inlines: collectInlines(curr.Tail()), + }} + } + } + } + log.Println("REGI", rest) + return rest +} + +func handleTransclude(rest *sx.Pair) sx.Object { + if rest != nil { + attrs := sz.GetAttributes(rest.Head()) + if curr := rest.Tail(); curr != nil { + ref := collectReference(curr.Head()) + return sxNode{&ast.TranscludeNode{ + Attrs: attrs, + Ref: ref, + Inlines: collectInlines(curr.Tail()), + }} + } + } + log.Println("TRAN", rest) + return rest +} + +func handleLink(state ast.RefState, rest *sx.Pair) sx.Object { + if rest != nil { + attrs := sz.GetAttributes(rest.Head()) + if curr := rest.Tail(); curr != nil { + if sref, isString := sx.GetString(curr.Car()); isString { + ref := ast.ParseReference(sref.GetValue()) + ref.State = state + ins := collectInlines(curr.Tail()) + return sxNode{&ast.LinkNode{ + Attrs: attrs, + Ref: ref, + Inlines: ins, + }} + } + } + } + log.Println("LINK", state, rest) + return rest +} + +func handleEmbed(rest *sx.Pair) sx.Object { + if rest != nil { + attrs := sz.GetAttributes(rest.Head()) + if curr := rest.Tail(); curr != nil { + if ref := collectReference(curr.Head()); ref != nil { + if curr = curr.Tail(); curr != nil { + if syntax, isString := sx.GetString(curr.Car()); isString { + return sxNode{&ast.EmbedRefNode{ + Attrs: attrs, + Ref: ref, + Syntax: syntax.GetValue(), + Inlines: collectInlines(curr.Tail()), + }} + } + } + } + } + } + log.Println("EMBE", rest) + return rest +} + +func collectReference(pair *sx.Pair) *ast.Reference { + if pair != nil { + if sym, isSymbol := sx.GetSymbol(pair.Car()); isSymbol { + if next := pair.Tail(); next != nil { + if sRef, isString := sx.GetString(next.Car()); isString { + ref := ast.ParseReference(sRef.GetValue()) + switch sym { + case sz.SymRefStateInvalid: + ref.State = ast.RefStateInvalid + case sz.SymRefStateZettel: + ref.State = ast.RefStateZettel + case sz.SymRefStateSelf: + ref.State = ast.RefStateSelf + case sz.SymRefStateFound: + ref.State = ast.RefStateFound + case sz.SymRefStateBroken: + ref.State = ast.RefStateBroken + case sz.SymRefStateHosted: + ref.State = ast.RefStateHosted + case sz.SymRefStateBased: + ref.State = ast.RefStateBased + case sz.SymRefStateQuery: + ref.State = ast.RefStateQuery + case sz.SymRefStateExternal: + ref.State = ast.RefStateExternal + } + return ref + } + } + } + } + return nil +} + +func handleCite(rest *sx.Pair) sx.Object { + if rest != nil { + attrs := sz.GetAttributes(rest.Head()) + if curr := rest.Tail(); curr != nil { + if sKey, isString := sx.GetString(curr.Car()); isString { + return sxNode{&ast.CiteNode{ + Attrs: attrs, + Key: sKey.GetValue(), + Inlines: collectInlines(curr.Tail()), + }} + } + } + } + log.Println("CITE", rest) + return rest +} + +func handleMark(rest *sx.Pair) sx.Object { + if rest != nil { + if sMark, isMarkS := sx.GetString(rest.Car()); isMarkS { + if curr := rest.Tail(); curr != nil { + if sSlug, isSlug := sx.GetString(curr.Car()); isSlug { + if curr = curr.Tail(); curr != nil { + if sUniq, isUniq := sx.GetString(curr.Car()); isUniq { + return sxNode{&ast.MarkNode{ + Mark: sMark.GetValue(), + Slug: sSlug.GetValue(), + Fragment: sUniq.GetValue(), + Inlines: collectInlines(curr.Tail()), + }} + } + } + } + } + } + } + log.Println("MARK", rest) + return rest +} + +func handleEndnote(rest *sx.Pair) sx.Object { + if rest != nil { + attrs := sz.GetAttributes(rest.Head()) + return sxNode{&ast.FootnoteNode{ + Attrs: attrs, + Inlines: collectInlines(rest.Tail()), + }} + } + log.Println("ENDN", rest) + return rest +} + +func handleFormat(kind ast.FormatKind, rest *sx.Pair) sx.Object { + if rest != nil { + attrs := sz.GetAttributes(rest.Head()) + return sxNode{&ast.FormatNode{ + Kind: kind, + Attrs: attrs, + Inlines: collectInlines(rest.Tail()), + }} + } + log.Println("FORM", kind, rest) + return rest +} + +type sxNode struct { + node ast.Node +} + +func (sxNode) IsNil() bool { return false } +func (sxNode) IsAtom() bool { return true } +func (n sxNode) String() string { return fmt.Sprintf("%T/%v", n.node, n.node) } +func (n sxNode) GoString() string { return n.String() } +func (n sxNode) IsEqual(other sx.Object) bool { + return n.String() == other.String() +} Index: ast/walk_test.go ================================================================== --- ast/walk_test.go +++ ast/walk_test.go @@ -61,12 +61,12 @@ Inlines: ast.InlineSlice{&ast.TextNode{Text: "URL text."}}, }, ), } v := benchVisitor{} - b.ResetTimer() - for range b.N { + + for b.Loop() { ast.Walk(&v, &root) } } type benchVisitor struct{} Index: auth/auth.go ================================================================== --- auth/auth.go +++ auth/auth.go @@ -15,14 +15,14 @@ package auth import ( "time" + "t73f.de/r/zsc/domain/id" + "t73f.de/r/zsc/domain/meta" "zettelstore.de/z/box" "zettelstore.de/z/config" - "zettelstore.de/z/zettel/id" - "zettelstore.de/z/zettel/meta" ) // BaseManager allows to check some base auth modes. type BaseManager interface { // IsReadonly returns true, if the systems is configured to run in read-only-mode. Index: auth/cred/cred.go ================================================================== --- auth/cred/cred.go +++ auth/cred/cred.go @@ -16,11 +16,12 @@ import ( "bytes" "golang.org/x/crypto/bcrypt" - "zettelstore.de/z/zettel/id" + + "t73f.de/r/zsc/domain/id" ) // HashCredential returns a hashed vesion of the given credential func HashCredential(zid id.Zid, ident, credential string) (string, error) { fullCredential := createFullCredential(zid, ident, credential) Index: auth/impl/impl.go ================================================================== --- auth/impl/impl.go +++ auth/impl/impl.go @@ -19,19 +19,18 @@ "hash/fnv" "io" "time" "t73f.de/r/sx" - "t73f.de/r/zsc/api" + "t73f.de/r/zsc/domain/id" + "t73f.de/r/zsc/domain/meta" "t73f.de/r/zsc/sexp" "zettelstore.de/z/auth" "zettelstore.de/z/auth/policy" "zettelstore.de/z/box" "zettelstore.de/z/config" "zettelstore.de/z/kernel" - "zettelstore.de/z/zettel/id" - "zettelstore.de/z/zettel/meta" ) type myAuth struct { readonly bool owner id.Zid @@ -82,19 +81,19 @@ // ErrNoZid signals that the 'zid' key is missing. var ErrNoZid = errors.New("auth: missing zettel id") // GetToken returns a token to be used for authentification. func (a *myAuth) GetToken(ident *meta.Meta, d time.Duration, kind auth.TokenKind) ([]byte, error) { - subject, ok := ident.Get(api.KeyUserID) + subject, ok := ident.Get(meta.KeyUserID) if !ok || subject == "" { return nil, ErrNoIdent } now := time.Now().Round(time.Second) sClaim := sx.MakeList( sx.Int64(kind), - sx.MakeString(subject), + sx.MakeString(string(subject)), sx.Int64(now.Unix()), sx.Int64(now.Add(d).Unix()), sx.Int64(ident.Zid), ) return sign(sClaim, a.secret) @@ -165,16 +164,16 @@ return meta.UserRoleOwner } if a.IsOwner(user.Zid) { return meta.UserRoleOwner } - if val, ok := user.Get(api.KeyUserRole); ok { - if ur := meta.GetUserRole(val); ur != meta.UserRoleUnknown { + if val, ok := user.Get(meta.KeyUserRole); ok { + if ur := val.AsUserRole(); ur != meta.UserRoleUnknown { return ur } } return meta.UserRoleReader } func (a *myAuth) BoxWithPolicy(unprotectedBox box.Box, rtConfig config.Config) (box.Box, auth.Policy) { return policy.BoxWithPolicy(a, unprotectedBox, rtConfig) } Index: auth/policy/anon.go ================================================================== --- auth/policy/anon.go +++ auth/policy/anon.go @@ -12,13 +12,13 @@ //----------------------------------------------------------------------------- package policy import ( + "t73f.de/r/zsc/domain/meta" "zettelstore.de/z/auth" "zettelstore.de/z/config" - "zettelstore.de/z/zettel/meta" ) type anonPolicy struct { authConfig config.AuthConfig pre auth.Policy Index: auth/policy/box.go ================================================================== --- auth/policy/box.go +++ auth/policy/box.go @@ -14,18 +14,19 @@ package policy import ( "context" + "t73f.de/r/zsc/domain/id" + "t73f.de/r/zsc/domain/id/idset" + "t73f.de/r/zsc/domain/meta" "zettelstore.de/z/auth" "zettelstore.de/z/box" "zettelstore.de/z/config" "zettelstore.de/z/query" "zettelstore.de/z/web/server" "zettelstore.de/z/zettel" - "zettelstore.de/z/zettel/id" - "zettelstore.de/z/zettel/meta" ) // BoxWithPolicy wraps the given box inside a policy box. func BoxWithPolicy(manager auth.AuthzManager, box box.Box, authConfig config.AuthConfig) (box.Box, auth.Policy) { pol := newPolicy(manager, authConfig) @@ -76,11 +77,11 @@ func (pp *polBox) GetAllZettel(ctx context.Context, zid id.Zid) ([]zettel.Zettel, error) { return pp.box.GetAllZettel(ctx, zid) } -func (pp *polBox) FetchZids(ctx context.Context) (*id.Set, error) { +func (pp *polBox) FetchZids(ctx context.Context) (*idset.Set, error) { return nil, box.NewErrNotAllowed("fetch-zids", server.GetUser(ctx), id.Invalid) } func (pp *polBox) GetMeta(ctx context.Context, zid id.Zid) (*meta.Meta, error) { m, err := pp.box.GetMeta(ctx, zid) Index: auth/policy/default.go ================================================================== --- auth/policy/default.go +++ auth/policy/default.go @@ -12,13 +12,12 @@ //----------------------------------------------------------------------------- package policy import ( - "t73f.de/r/zsc/api" + "t73f.de/r/zsc/domain/meta" "zettelstore.de/z/auth" - "zettelstore.de/z/zettel/meta" ) type defaultPolicy struct { manager auth.AuthzManager } @@ -31,29 +30,29 @@ func (d *defaultPolicy) CanDelete(user, m *meta.Meta) bool { return d.canChange(user, m) } func (*defaultPolicy) CanRefresh(user *meta.Meta) bool { return user != nil } func (d *defaultPolicy) canChange(user, m *meta.Meta) bool { - metaRo, ok := m.Get(api.KeyReadOnly) + metaRo, ok := m.Get(meta.KeyReadOnly) if !ok { return true } if user == nil { // If we are here, there is no authentication. // See owner.go:CanWrite. // No authentication: check for owner-like restriction, because the user // acts as an owner - return metaRo != api.ValueUserRoleOwner && !meta.BoolValue(metaRo) + return metaRo != meta.ValueUserRoleOwner && !metaRo.AsBool() } userRole := d.manager.GetUserRole(user) switch metaRo { - case api.ValueUserRoleReader: + case meta.ValueUserRoleReader: return userRole > meta.UserRoleReader - case api.ValueUserRoleWriter: + case meta.ValueUserRoleWriter: return userRole > meta.UserRoleWriter - case api.ValueUserRoleOwner: + case meta.ValueUserRoleOwner: return userRole > meta.UserRoleOwner } - return !meta.BoolValue(metaRo) + return !metaRo.AsBool() } Index: auth/policy/owner.go ================================================================== --- auth/policy/owner.go +++ auth/policy/owner.go @@ -12,14 +12,13 @@ //----------------------------------------------------------------------------- package policy import ( - "t73f.de/r/zsc/api" + "t73f.de/r/zsc/domain/meta" "zettelstore.de/z/auth" "zettelstore.de/z/config" - "zettelstore.de/z/zettel/meta" ) type ownerPolicy struct { manager auth.AuthzManager authConfig config.AuthConfig @@ -35,11 +34,11 @@ func (o *ownerPolicy) userCanCreate(user, newMeta *meta.Meta) bool { if o.manager.GetUserRole(user) == meta.UserRoleReader { return false } - if _, ok := newMeta.Get(api.KeyUserID); ok { + if _, ok := newMeta.Get(meta.KeyUserID); ok { return false } return true } @@ -61,11 +60,11 @@ return true } if user == nil { return false } - if _, ok := m.Get(api.KeyUserID); ok { + if _, ok := m.Get(meta.KeyUserID); ok { // Only the user can read its own zettel return user.Zid == m.Zid } switch o.manager.GetUserRole(user) { case meta.UserRoleReader, meta.UserRoleWriter, meta.UserRoleOwner: @@ -76,14 +75,14 @@ return false } } var noChangeUser = []string{ - api.KeyID, - api.KeyRole, - api.KeyUserID, - api.KeyUserRole, + meta.KeyID, + meta.KeyRole, + meta.KeyUserID, + meta.KeyUserRole, } func (o *ownerPolicy) CanWrite(user, oldMeta, newMeta *meta.Meta) bool { if user == nil || !o.pre.CanWrite(user, oldMeta, newMeta) { return false @@ -96,11 +95,11 @@ return true } if !o.userCanRead(user, oldMeta, vis) { return false } - if _, ok := oldMeta.Get(api.KeyUserID); ok { + if _, ok := oldMeta.Get(meta.KeyUserID); ok { // Here we know, that user.Zid == newMeta.Zid (because of userCanRead) and // user.Zid == newMeta.Zid (because oldMeta.Zid == newMeta.Zid) for _, key := range noChangeUser { if oldMeta.GetDefault(key, "") != newMeta.GetDefault(key, "") { return false @@ -147,10 +146,10 @@ return false } if o.manager.IsOwner(user.Zid) { return true } - if val, ok := user.Get(api.KeyUserRole); ok && val == api.ValueUserRoleOwner { + if val, ok := user.Get(meta.KeyUserRole); ok && val == meta.ValueUserRoleOwner { return true } return false } Index: auth/policy/policy.go ================================================================== --- auth/policy/policy.go +++ auth/policy/policy.go @@ -13,13 +13,13 @@ // Package policy provides some interfaces and implementation for authorizsation policies. package policy import ( + "t73f.de/r/zsc/domain/meta" "zettelstore.de/z/auth" "zettelstore.de/z/config" - "zettelstore.de/z/zettel/meta" ) // newPolicy creates a policy based on given constraints. func newPolicy(manager auth.AuthzManager, authConfig config.AuthConfig) auth.Policy { var pol auth.Policy Index: auth/policy/policy_test.go ================================================================== --- auth/policy/policy_test.go +++ auth/policy/policy_test.go @@ -15,14 +15,13 @@ import ( "fmt" "testing" - "t73f.de/r/zsc/api" + "t73f.de/r/zsc/domain/id" + "t73f.de/r/zsc/domain/meta" "zettelstore.de/z/auth" - "zettelstore.de/z/zettel/id" - "zettelstore.de/z/zettel/meta" ) func TestPolicies(t *testing.T) { t.Parallel() testScene := []struct { @@ -84,12 +83,12 @@ return meta.UserRoleOwner } if a.IsOwner(user.Zid) { return meta.UserRoleOwner } - if val, ok := user.Get(api.KeyUserRole); ok { - if ur := meta.GetUserRole(val); ur != meta.UserRoleUnknown { + if val, ok := user.Get(meta.KeyUserRole); ok { + if ur := val.AsUserRole(); ur != meta.UserRoleUnknown { return ur } } return meta.UserRoleReader } @@ -98,12 +97,12 @@ func (ac *authConfig) GetSimpleMode() bool { return ac.simple } func (ac *authConfig) GetExpertMode() bool { return ac.expert } func (*authConfig) GetVisibility(m *meta.Meta) meta.Visibility { - if vis, ok := m.Get(api.KeyVisibility); ok { - return meta.GetVisibility(vis) + if val, ok := m.Get(meta.KeyVisibility); ok { + return val.AsVisibility() } return meta.VisibilityLogin } func testCreate(t *testing.T, pol auth.Policy, withAuth, readonly bool) { @@ -261,11 +260,11 @@ loginZettel := newLoginZettel() ownerZettel := newOwnerZettel() expertZettel := newExpertZettel() userZettel := newUserZettel() writerNew := writer.Clone() - writerNew.Set(api.KeyUserRole, owner.GetDefault(api.KeyUserRole, "")) + writerNew.Set(meta.KeyUserRole, owner.GetDefault(meta.KeyUserRole, "")) roFalse := newRoFalseZettel() roTrue := newRoTrueZettel() roReader := newRoReaderZettel() roWriter := newRoWriterZettel() roOwner := newRoOwnerZettel() @@ -523,109 +522,109 @@ ) func newAnon() *meta.Meta { return nil } func newCreator() *meta.Meta { user := meta.New(creatorZid) - user.Set(api.KeyTitle, "Creator") - user.Set(api.KeyUserID, "ceator") - user.Set(api.KeyUserRole, api.ValueUserRoleCreator) + user.Set(meta.KeyTitle, "Creator") + user.Set(meta.KeyUserID, "ceator") + user.Set(meta.KeyUserRole, meta.ValueUserRoleCreator) return user } func newReader() *meta.Meta { user := meta.New(readerZid) - user.Set(api.KeyTitle, "Reader") - user.Set(api.KeyUserID, "reader") - user.Set(api.KeyUserRole, api.ValueUserRoleReader) + user.Set(meta.KeyTitle, "Reader") + user.Set(meta.KeyUserID, "reader") + user.Set(meta.KeyUserRole, meta.ValueUserRoleReader) return user } func newWriter() *meta.Meta { user := meta.New(writerZid) - user.Set(api.KeyTitle, "Writer") - user.Set(api.KeyUserID, "writer") - user.Set(api.KeyUserRole, api.ValueUserRoleWriter) + user.Set(meta.KeyTitle, "Writer") + user.Set(meta.KeyUserID, "writer") + user.Set(meta.KeyUserRole, meta.ValueUserRoleWriter) return user } func newOwner() *meta.Meta { user := meta.New(ownerZid) - user.Set(api.KeyTitle, "Owner") - user.Set(api.KeyUserID, "owner") - user.Set(api.KeyUserRole, api.ValueUserRoleOwner) + user.Set(meta.KeyTitle, "Owner") + user.Set(meta.KeyUserID, "owner") + user.Set(meta.KeyUserRole, meta.ValueUserRoleOwner) return user } func newOwner2() *meta.Meta { user := meta.New(owner2Zid) - user.Set(api.KeyTitle, "Owner 2") - user.Set(api.KeyUserID, "owner-2") - user.Set(api.KeyUserRole, api.ValueUserRoleOwner) + user.Set(meta.KeyTitle, "Owner 2") + user.Set(meta.KeyUserID, "owner-2") + user.Set(meta.KeyUserRole, meta.ValueUserRoleOwner) return user } func newZettel() *meta.Meta { m := meta.New(zettelZid) - m.Set(api.KeyTitle, "Any Zettel") + m.Set(meta.KeyTitle, "Any Zettel") return m } func newPublicZettel() *meta.Meta { m := meta.New(visZid) - m.Set(api.KeyTitle, "Public Zettel") - m.Set(api.KeyVisibility, api.ValueVisibilityPublic) + m.Set(meta.KeyTitle, "Public Zettel") + m.Set(meta.KeyVisibility, meta.ValueVisibilityPublic) return m } func newCreatorZettel() *meta.Meta { m := meta.New(visZid) - m.Set(api.KeyTitle, "Creator Zettel") - m.Set(api.KeyVisibility, api.ValueVisibilityCreator) + m.Set(meta.KeyTitle, "Creator Zettel") + m.Set(meta.KeyVisibility, meta.ValueVisibilityCreator) return m } func newLoginZettel() *meta.Meta { m := meta.New(visZid) - m.Set(api.KeyTitle, "Login Zettel") - m.Set(api.KeyVisibility, api.ValueVisibilityLogin) + m.Set(meta.KeyTitle, "Login Zettel") + m.Set(meta.KeyVisibility, meta.ValueVisibilityLogin) return m } func newOwnerZettel() *meta.Meta { m := meta.New(visZid) - m.Set(api.KeyTitle, "Owner Zettel") - m.Set(api.KeyVisibility, api.ValueVisibilityOwner) + m.Set(meta.KeyTitle, "Owner Zettel") + m.Set(meta.KeyVisibility, meta.ValueVisibilityOwner) return m } func newExpertZettel() *meta.Meta { m := meta.New(visZid) - m.Set(api.KeyTitle, "Expert Zettel") - m.Set(api.KeyVisibility, api.ValueVisibilityExpert) + m.Set(meta.KeyTitle, "Expert Zettel") + m.Set(meta.KeyVisibility, meta.ValueVisibilityExpert) return m } func newRoFalseZettel() *meta.Meta { m := meta.New(zettelZid) - m.Set(api.KeyTitle, "No r/o Zettel") - m.Set(api.KeyReadOnly, api.ValueFalse) + m.Set(meta.KeyTitle, "No r/o Zettel") + m.Set(meta.KeyReadOnly, meta.ValueFalse) return m } func newRoTrueZettel() *meta.Meta { m := meta.New(zettelZid) - m.Set(api.KeyTitle, "A r/o Zettel") - m.Set(api.KeyReadOnly, api.ValueTrue) + m.Set(meta.KeyTitle, "A r/o Zettel") + m.Set(meta.KeyReadOnly, meta.ValueTrue) return m } func newRoReaderZettel() *meta.Meta { m := meta.New(zettelZid) - m.Set(api.KeyTitle, "Reader r/o Zettel") - m.Set(api.KeyReadOnly, api.ValueUserRoleReader) + m.Set(meta.KeyTitle, "Reader r/o Zettel") + m.Set(meta.KeyReadOnly, meta.ValueUserRoleReader) return m } func newRoWriterZettel() *meta.Meta { m := meta.New(zettelZid) - m.Set(api.KeyTitle, "Writer r/o Zettel") - m.Set(api.KeyReadOnly, api.ValueUserRoleWriter) + m.Set(meta.KeyTitle, "Writer r/o Zettel") + m.Set(meta.KeyReadOnly, meta.ValueUserRoleWriter) return m } func newRoOwnerZettel() *meta.Meta { m := meta.New(zettelZid) - m.Set(api.KeyTitle, "Owner r/o Zettel") - m.Set(api.KeyReadOnly, api.ValueUserRoleOwner) + m.Set(meta.KeyTitle, "Owner r/o Zettel") + m.Set(meta.KeyReadOnly, meta.ValueUserRoleOwner) return m } func newUserZettel() *meta.Meta { m := meta.New(userZid) - m.Set(api.KeyTitle, "Any User") - m.Set(api.KeyUserID, "any") + m.Set(meta.KeyTitle, "Any User") + m.Set(meta.KeyUserID, "any") return m } Index: auth/policy/readonly.go ================================================================== --- auth/policy/readonly.go +++ auth/policy/readonly.go @@ -11,11 +11,11 @@ // SPDX-FileCopyrightText: 2020-present Detlef Stern //----------------------------------------------------------------------------- package policy -import "zettelstore.de/z/zettel/meta" +import "t73f.de/r/zsc/domain/meta" type roPolicy struct{} func (*roPolicy) CanCreate(_, _ *meta.Meta) bool { return false } func (*roPolicy) CanRead(_, _ *meta.Meta) bool { return true } Index: box/box.go ================================================================== --- box/box.go +++ box/box.go @@ -19,15 +19,15 @@ "errors" "fmt" "io" "time" - "t73f.de/r/zsc/api" + "t73f.de/r/zsc/domain/id" + "t73f.de/r/zsc/domain/id/idset" + "t73f.de/r/zsc/domain/meta" "zettelstore.de/z/query" "zettelstore.de/z/zettel" - "zettelstore.de/z/zettel/id" - "zettelstore.de/z/zettel/meta" ) // BaseBox is implemented by all Zettel boxes. type BaseBox interface { // Location returns some information where the box is located. @@ -130,11 +130,11 @@ type Box interface { BaseBox WriteBox // FetchZids returns the set of all zettel identifer managed by the box. - FetchZids(ctx context.Context) (*id.Set, error) + FetchZids(ctx context.Context) (*idset.Set, error) // GetMeta returns the metadata of the zettel with the given identifier. GetMeta(context.Context, id.Zid) (*meta.Meta, error) // SelectMeta returns a list of metadata that comply to the given selection criteria. @@ -288,15 +288,15 @@ return fmt.Sprintf("operation %q not allowed for not authorized user", err.Op) } if err.Zid.IsValid() { return fmt.Sprintf( "operation %q on zettel %v not allowed for user %v/%v", - err.Op, err.Zid, err.User.GetDefault(api.KeyUserID, "?"), err.User.Zid) + err.Op, err.Zid, err.User.GetDefault(meta.KeyUserID, "?"), err.User.Zid) } return fmt.Sprintf( "operation %q not allowed for user %v/%v", - err.Op, err.User.GetDefault(api.KeyUserID, "?"), err.User.Zid) + err.Op, err.User.GetDefault(meta.KeyUserID, "?"), err.User.Zid) } // Is return true, if the error is of type ErrNotAllowed. func (*ErrNotAllowed) Is(error) bool { return true } Index: box/compbox/compbox.go ================================================================== --- box/compbox/compbox.go +++ box/compbox/compbox.go @@ -16,19 +16,18 @@ import ( "context" "net/url" - "t73f.de/r/zsc/api" + "t73f.de/r/zsc/domain/id" + "t73f.de/r/zsc/domain/meta" "zettelstore.de/z/box" "zettelstore.de/z/box/manager" "zettelstore.de/z/kernel" "zettelstore.de/z/logger" "zettelstore.de/z/query" "zettelstore.de/z/zettel" - "zettelstore.de/z/zettel/id" - "zettelstore.de/z/zettel/meta" ) func init() { manager.Register( " comp", @@ -46,26 +45,26 @@ var myConfig *meta.Meta var myZettel = map[id.Zid]struct { meta func(id.Zid) *meta.Meta content func(context.Context, *compBox) []byte }{ - id.MustParse(api.ZidVersion): {genVersionBuildM, genVersionBuildC}, - id.MustParse(api.ZidHost): {genVersionHostM, genVersionHostC}, - id.MustParse(api.ZidOperatingSystem): {genVersionOSM, genVersionOSC}, - id.MustParse(api.ZidLog): {genLogM, genLogC}, - id.MustParse(api.ZidMemory): {genMemoryM, genMemoryC}, - id.MustParse(api.ZidSx): {genSxM, genSxC}, - // id.MustParse(api.ZidHTTP): {genHttpM, genHttpC}, - // id.MustParse(api.ZidAPI): {genApiM, genApiC}, - // id.MustParse(api.ZidWebUI): {genWebUiM, genWebUiC}, - // id.MustParse(api.ZidConsole): {genConsoleM, genConsoleC}, - id.MustParse(api.ZidBoxManager): {genManagerM, genManagerC}, - // id.MustParse(api.ZidIndex): {genIndexM, genIndexC}, - // id.MustParse(api.ZidQuery): {genQueryM, genQueryC}, - id.MustParse(api.ZidMetadataKey): {genKeysM, genKeysC}, - id.MustParse(api.ZidParser): {genParserM, genParserC}, - id.MustParse(api.ZidStartupConfiguration): {genConfigZettelM, genConfigZettelC}, + id.ZidVersion: {genVersionBuildM, genVersionBuildC}, + id.ZidHost: {genVersionHostM, genVersionHostC}, + id.ZidOperatingSystem: {genVersionOSM, genVersionOSC}, + id.ZidLog: {genLogM, genLogC}, + id.ZidMemory: {genMemoryM, genMemoryC}, + id.ZidSx: {genSxM, genSxC}, + // id.ZidHTTP: {genHttpM, genHttpC}, + // id.ZidAPI: {genApiM, genApiC}, + // id.ZidWebUI: {genWebUiM, genWebUiC}, + // id.ZidConsole: {genConsoleM, genConsoleC}, + id.ZidBoxManager: {genManagerM, genManagerC}, + // id.ZidIndex: {genIndexM, genIndexC}, + // id.ZidQuery: {genQueryM, genQueryC}, + id.ZidMetadataKey: {genKeysM, genKeysC}, + id.ZidParser: {genParserM, genParserC}, + id.ZidStartupConfiguration: {genConfigZettelM, genConfigZettelC}, } // Get returns the one program box. func getCompBox(boxNumber int, mf box.Enricher) *compBox { return &compBox{ @@ -156,23 +155,23 @@ cb.log.Trace().Int("zettel", int64(st.Zettel)).Msg("ReadStats") } func getTitledMeta(zid id.Zid, title string) *meta.Meta { m := meta.New(zid) - m.Set(api.KeyTitle, title) + m.Set(meta.KeyTitle, meta.Value(title)) return m } func updateMeta(m *meta.Meta) { - if _, ok := m.Get(api.KeySyntax); !ok { - m.Set(api.KeySyntax, meta.SyntaxZmk) - } - m.Set(api.KeyRole, api.ValueRoleConfiguration) - if _, ok := m.Get(api.KeyCreated); !ok { - m.Set(api.KeyCreated, kernel.Main.GetConfig(kernel.CoreService, kernel.CoreStarted).(string)) - } - m.Set(api.KeyLang, api.ValueLangEN) - m.Set(api.KeyReadOnly, api.ValueTrue) - if _, ok := m.Get(api.KeyVisibility); !ok { - m.Set(api.KeyVisibility, api.ValueVisibilityExpert) + if _, ok := m.Get(meta.KeySyntax); !ok { + m.Set(meta.KeySyntax, meta.ValueSyntaxZmk) + } + m.Set(meta.KeyRole, meta.ValueRoleConfiguration) + if _, ok := m.Get(meta.KeyCreated); !ok { + m.Set(meta.KeyCreated, meta.Value(kernel.Main.GetConfig(kernel.CoreService, kernel.CoreStarted).(string))) + } + m.Set(meta.KeyLang, meta.ValueLangEN) + m.Set(meta.KeyReadOnly, meta.ValueTrue) + if _, ok := m.Get(meta.KeyVisibility); !ok { + m.Set(meta.KeyVisibility, meta.ValueVisibilityExpert) } } Index: box/compbox/config.go ================================================================== --- box/compbox/config.go +++ box/compbox/config.go @@ -15,12 +15,12 @@ import ( "bytes" "context" - "zettelstore.de/z/zettel/id" - "zettelstore.de/z/zettel/meta" + "t73f.de/r/zsc/domain/id" + "t73f.de/r/zsc/domain/meta" ) func genConfigZettelM(zid id.Zid) *meta.Meta { if myConfig == nil { return nil @@ -28,20 +28,22 @@ return getTitledMeta(zid, "Zettelstore Startup Configuration") } func genConfigZettelC(context.Context, *compBox) []byte { var buf bytes.Buffer - for i, p := range myConfig.Pairs() { - if i > 0 { + second := false + for key, val := range myConfig.All() { + if second { buf.WriteByte('\n') } + second = true buf.WriteString("; ''") - buf.WriteString(p.Key) + buf.WriteString(key) buf.WriteString("''") - if p.Value != "" { + if val != "" { buf.WriteString("\n: ``") - for _, r := range p.Value { + for _, r := range val { if r == '`' { buf.WriteByte('\\') } buf.WriteRune(r) } Index: box/compbox/keys.go ================================================================== --- box/compbox/keys.go +++ box/compbox/keys.go @@ -16,20 +16,19 @@ import ( "bytes" "context" "fmt" - "t73f.de/r/zsc/api" + "t73f.de/r/zsc/domain/id" + "t73f.de/r/zsc/domain/meta" "zettelstore.de/z/kernel" - "zettelstore.de/z/zettel/id" - "zettelstore.de/z/zettel/meta" ) func genKeysM(zid id.Zid) *meta.Meta { m := getTitledMeta(zid, "Zettelstore Supported Metadata Keys") - m.Set(api.KeyCreated, kernel.Main.GetConfig(kernel.CoreService, kernel.CoreVTime).(string)) - m.Set(api.KeyVisibility, api.ValueVisibilityLogin) + m.Set(meta.KeyCreated, meta.Value(kernel.Main.GetConfig(kernel.CoreService, kernel.CoreVTime).(string))) + m.Set(meta.KeyVisibility, meta.ValueVisibilityLogin) return m } func genKeysC(context.Context, *compBox) []byte { keys := meta.GetSortedKeyDescriptions() Index: box/compbox/log.go ================================================================== --- box/compbox/log.go +++ box/compbox/log.go @@ -15,20 +15,19 @@ import ( "bytes" "context" - "t73f.de/r/zsc/api" + "t73f.de/r/zsc/domain/id" + "t73f.de/r/zsc/domain/meta" "zettelstore.de/z/kernel" - "zettelstore.de/z/zettel/id" - "zettelstore.de/z/zettel/meta" ) func genLogM(zid id.Zid) *meta.Meta { m := getTitledMeta(zid, "Zettelstore Log") - m.Set(api.KeySyntax, meta.SyntaxText) - m.Set(api.KeyModified, kernel.Main.GetLastLogTime().Local().Format(id.TimestampLayout)) + m.Set(meta.KeySyntax, meta.ValueSyntaxText) + m.Set(meta.KeyModified, meta.Value(kernel.Main.GetLastLogTime().Local().Format(id.TimestampLayout))) return m } func genLogC(context.Context, *compBox) []byte { const tsFormat = "2006-01-02 15:04:05.999999" Index: box/compbox/manager.go ================================================================== --- box/compbox/manager.go +++ box/compbox/manager.go @@ -16,13 +16,13 @@ import ( "bytes" "context" "fmt" + "t73f.de/r/zsc/domain/id" + "t73f.de/r/zsc/domain/meta" "zettelstore.de/z/kernel" - "zettelstore.de/z/zettel/id" - "zettelstore.de/z/zettel/meta" ) func genManagerM(zid id.Zid) *meta.Meta { return getTitledMeta(zid, "Zettelstore Box Manager") } Index: box/compbox/memory.go ================================================================== --- box/compbox/memory.go +++ box/compbox/memory.go @@ -18,13 +18,13 @@ "context" "fmt" "os" "runtime" + "t73f.de/r/zsc/domain/id" + "t73f.de/r/zsc/domain/meta" "zettelstore.de/z/kernel" - "zettelstore.de/z/zettel/id" - "zettelstore.de/z/zettel/meta" ) func genMemoryM(zid id.Zid) *meta.Meta { return getTitledMeta(zid, "Zettelstore Memory") } Index: box/compbox/parser.go ================================================================== --- box/compbox/parser.go +++ box/compbox/parser.go @@ -18,21 +18,20 @@ "context" "fmt" "slices" "strings" - "t73f.de/r/zsc/api" + "t73f.de/r/zsc/domain/id" + "t73f.de/r/zsc/domain/meta" "zettelstore.de/z/kernel" "zettelstore.de/z/parser" - "zettelstore.de/z/zettel/id" - "zettelstore.de/z/zettel/meta" ) func genParserM(zid id.Zid) *meta.Meta { m := getTitledMeta(zid, "Zettelstore Supported Parser") - m.Set(api.KeyCreated, kernel.Main.GetConfig(kernel.CoreService, kernel.CoreVTime).(string)) - m.Set(api.KeyVisibility, api.ValueVisibilityLogin) + m.Set(meta.KeyCreated, meta.Value(kernel.Main.GetConfig(kernel.CoreService, kernel.CoreVTime).(string))) + m.Set(meta.KeyVisibility, meta.ValueVisibilityLogin) return m } func genParserC(context.Context, *compBox) []byte { var buf bytes.Buffer Index: box/compbox/sx.go ================================================================== --- box/compbox/sx.go +++ box/compbox/sx.go @@ -17,12 +17,12 @@ "bytes" "context" "fmt" "t73f.de/r/sx" - "zettelstore.de/z/zettel/id" - "zettelstore.de/z/zettel/meta" + "t73f.de/r/zsc/domain/id" + "t73f.de/r/zsc/domain/meta" ) func genSxM(zid id.Zid) *meta.Meta { return getTitledMeta(zid, "Zettelstore Sx Engine") } Index: box/compbox/version.go ================================================================== --- box/compbox/version.go +++ box/compbox/version.go @@ -14,20 +14,19 @@ package compbox import ( "context" - "t73f.de/r/zsc/api" + "t73f.de/r/zsc/domain/id" + "t73f.de/r/zsc/domain/meta" "zettelstore.de/z/kernel" - "zettelstore.de/z/zettel/id" - "zettelstore.de/z/zettel/meta" ) func genVersionBuildM(zid id.Zid) *meta.Meta { m := getTitledMeta(zid, "Zettelstore Version") - m.Set(api.KeyCreated, kernel.Main.GetConfig(kernel.CoreService, kernel.CoreVTime).(string)) - m.Set(api.KeyVisibility, api.ValueVisibilityLogin) + m.Set(meta.KeyCreated, meta.Value(kernel.Main.GetConfig(kernel.CoreService, kernel.CoreVTime).(string))) + m.Set(meta.KeyVisibility, meta.ValueVisibilityLogin) return m } func genVersionBuildC(context.Context, *compBox) []byte { return []byte(kernel.Main.GetConfig(kernel.CoreService, kernel.CoreVersion).(string)) } Index: box/constbox/base.sxn ================================================================== --- box/constbox/base.sxn +++ box/constbox/base.sxn @@ -38,13 +38,11 @@ ))) ) (div (@ (class "zs-dropdown")) (button "Lists") (nav (@ (class "zs-dropdown-content")) - (a (@ (href ,list-zettel-url)) "List Zettel") - (a (@ (href ,list-roles-url)) "List Roles") - (a (@ (href ,list-tags-url)) "List Tags") + ,@list-urls ,@(if (bound? 'refresh-url) `((a (@ (href ,refresh-url)) "Refresh"))) )) ,@(if new-zettel-links `((div (@ (class "zs-dropdown")) (button "New") Index: box/constbox/constbox.go ================================================================== --- box/constbox/constbox.go +++ box/constbox/constbox.go @@ -17,19 +17,18 @@ import ( "context" _ "embed" // Allow to embed file content "net/url" - "t73f.de/r/zsc/api" + "t73f.de/r/zsc/domain/id" + "t73f.de/r/zsc/domain/meta" "zettelstore.de/z/box" "zettelstore.de/z/box/manager" "zettelstore.de/z/kernel" "zettelstore.de/z/logger" "zettelstore.de/z/query" "zettelstore.de/z/zettel" - "zettelstore.de/z/zettel/id" - "zettelstore.de/z/zettel/meta" ) func init() { manager.Register( " const", @@ -114,310 +113,321 @@ st.Zettel = len(cb.zettel) cb.log.Trace().Int("zettel", int64(st.Zettel)).Msg("ReadStats") } var constZettelMap = map[id.Zid]constZettel{ - id.ConfigurationZid: { + id.ZidConfiguration: { constHeader{ - api.KeyTitle: "Zettelstore Runtime Configuration", - api.KeyRole: api.ValueRoleConfiguration, - api.KeySyntax: meta.SyntaxNone, - api.KeyCreated: "20200804111624", - api.KeyVisibility: api.ValueVisibilityOwner, + meta.KeyTitle: "Zettelstore Runtime Configuration", + meta.KeyRole: meta.ValueRoleConfiguration, + meta.KeySyntax: meta.ValueSyntaxNone, + meta.KeyCreated: "20200804111624", + meta.KeyVisibility: meta.ValueVisibilityOwner, }, zettel.NewContent(nil)}, - id.MustParse(api.ZidLicense): { + id.ZidLicense: { constHeader{ - api.KeyTitle: "Zettelstore License", - api.KeyRole: api.ValueRoleConfiguration, - api.KeySyntax: meta.SyntaxText, - api.KeyCreated: "20210504135842", - api.KeyLang: api.ValueLangEN, - api.KeyModified: "20220131153422", - api.KeyReadOnly: api.ValueTrue, - api.KeyVisibility: api.ValueVisibilityPublic, + meta.KeyTitle: "Zettelstore License", + meta.KeyRole: meta.ValueRoleConfiguration, + meta.KeySyntax: meta.ValueSyntaxText, + meta.KeyCreated: "20210504135842", + meta.KeyLang: meta.ValueLangEN, + meta.KeyModified: "20220131153422", + meta.KeyReadOnly: meta.ValueTrue, + meta.KeyVisibility: meta.ValueVisibilityPublic, }, zettel.NewContent(contentLicense)}, - id.MustParse(api.ZidAuthors): { + id.ZidAuthors: { constHeader{ - api.KeyTitle: "Zettelstore Contributors", - api.KeyRole: api.ValueRoleConfiguration, - api.KeySyntax: meta.SyntaxZmk, - api.KeyCreated: "20210504135842", - api.KeyLang: api.ValueLangEN, - api.KeyReadOnly: api.ValueTrue, - api.KeyVisibility: api.ValueVisibilityLogin, + meta.KeyTitle: "Zettelstore Contributors", + meta.KeyRole: meta.ValueRoleConfiguration, + meta.KeySyntax: meta.ValueSyntaxZmk, + meta.KeyCreated: "20210504135842", + meta.KeyLang: meta.ValueLangEN, + meta.KeyReadOnly: meta.ValueTrue, + meta.KeyVisibility: meta.ValueVisibilityLogin, }, zettel.NewContent(contentContributors)}, - id.MustParse(api.ZidDependencies): { + id.ZidDependencies: { constHeader{ - api.KeyTitle: "Zettelstore Dependencies", - api.KeyRole: api.ValueRoleConfiguration, - api.KeySyntax: meta.SyntaxZmk, - api.KeyLang: api.ValueLangEN, - api.KeyReadOnly: api.ValueTrue, - api.KeyVisibility: api.ValueVisibilityPublic, - api.KeyCreated: "20210504135842", - api.KeyModified: "20240418095500", + meta.KeyTitle: "Zettelstore Dependencies", + meta.KeyRole: meta.ValueRoleConfiguration, + meta.KeySyntax: meta.ValueSyntaxZmk, + meta.KeyLang: meta.ValueLangEN, + meta.KeyReadOnly: meta.ValueTrue, + meta.KeyVisibility: meta.ValueVisibilityPublic, + meta.KeyCreated: "20210504135842", + meta.KeyModified: "20250212202400", }, zettel.NewContent(contentDependencies)}, - id.BaseTemplateZid: { + id.ZidBaseTemplate: { constHeader{ - api.KeyTitle: "Zettelstore Base HTML Template", - api.KeyRole: api.ValueRoleConfiguration, - api.KeySyntax: meta.SyntaxSxn, - api.KeyCreated: "20230510155100", - api.KeyModified: "20240219145300", - api.KeyVisibility: api.ValueVisibilityExpert, + meta.KeyTitle: "Zettelstore Base HTML Template", + meta.KeyRole: meta.ValueRoleConfiguration, + meta.KeySyntax: meta.ValueSyntaxSxn, + meta.KeyCreated: "20230510155100", + meta.KeyModified: "20241227212000", + meta.KeyVisibility: meta.ValueVisibilityExpert, }, zettel.NewContent(contentBaseSxn)}, - id.LoginTemplateZid: { + id.ZidLoginTemplate: { constHeader{ - api.KeyTitle: "Zettelstore Login Form HTML Template", - api.KeyRole: api.ValueRoleConfiguration, - api.KeySyntax: meta.SyntaxSxn, - api.KeyCreated: "20200804111624", - api.KeyModified: "20240219145200", - api.KeyVisibility: api.ValueVisibilityExpert, + meta.KeyTitle: "Zettelstore Login Form HTML Template", + meta.KeyRole: meta.ValueRoleConfiguration, + meta.KeySyntax: meta.ValueSyntaxSxn, + meta.KeyCreated: "20200804111624", + meta.KeyModified: "20240219145200", + meta.KeyVisibility: meta.ValueVisibilityExpert, }, zettel.NewContent(contentLoginSxn)}, - id.ZettelTemplateZid: { + id.ZidZettelTemplate: { constHeader{ - api.KeyTitle: "Zettelstore Zettel HTML Template", - api.KeyRole: api.ValueRoleConfiguration, - api.KeySyntax: meta.SyntaxSxn, - api.KeyCreated: "20230510155300", - api.KeyModified: "20241127170400", - api.KeyVisibility: api.ValueVisibilityExpert, + meta.KeyTitle: "Zettelstore Zettel HTML Template", + meta.KeyRole: meta.ValueRoleConfiguration, + meta.KeySyntax: meta.ValueSyntaxSxn, + meta.KeyCreated: "20230510155300", + meta.KeyModified: "20250214153100", + meta.KeyVisibility: meta.ValueVisibilityExpert, }, zettel.NewContent(contentZettelSxn)}, - id.InfoTemplateZid: { + id.ZidInfoTemplate: { constHeader{ - api.KeyTitle: "Zettelstore Info HTML Template", - api.KeyRole: api.ValueRoleConfiguration, - api.KeySyntax: meta.SyntaxSxn, - api.KeyCreated: "20200804111624", - api.KeyModified: "20241127170500", - api.KeyVisibility: api.ValueVisibilityExpert, + meta.KeyTitle: "Zettelstore Info HTML Template", + meta.KeyRole: meta.ValueRoleConfiguration, + meta.KeySyntax: meta.ValueSyntaxSxn, + meta.KeyCreated: "20200804111624", + meta.KeyModified: "20241127170500", + meta.KeyVisibility: meta.ValueVisibilityExpert, }, zettel.NewContent(contentInfoSxn)}, - id.FormTemplateZid: { + id.ZidFormTemplate: { constHeader{ - api.KeyTitle: "Zettelstore Form HTML Template", - api.KeyRole: api.ValueRoleConfiguration, - api.KeySyntax: meta.SyntaxSxn, - api.KeyCreated: "20200804111624", - api.KeyModified: "20240219145200", - api.KeyVisibility: api.ValueVisibilityExpert, + meta.KeyTitle: "Zettelstore Form HTML Template", + meta.KeyRole: meta.ValueRoleConfiguration, + meta.KeySyntax: meta.ValueSyntaxSxn, + meta.KeyCreated: "20200804111624", + meta.KeyModified: "20240219145200", + meta.KeyVisibility: meta.ValueVisibilityExpert, }, zettel.NewContent(contentFormSxn)}, - id.DeleteTemplateZid: { + id.ZidDeleteTemplate: { constHeader{ - api.KeyTitle: "Zettelstore Delete HTML Template", - api.KeyRole: api.ValueRoleConfiguration, - api.KeySyntax: meta.SyntaxSxn, - api.KeyCreated: "20200804111624", - api.KeyModified: "20241127170530", - api.KeyVisibility: api.ValueVisibilityExpert, + meta.KeyTitle: "Zettelstore Delete HTML Template", + meta.KeyRole: meta.ValueRoleConfiguration, + meta.KeySyntax: meta.ValueSyntaxSxn, + meta.KeyCreated: "20200804111624", + meta.KeyModified: "20241127170530", + meta.KeyVisibility: meta.ValueVisibilityExpert, }, zettel.NewContent(contentDeleteSxn)}, - id.ListTemplateZid: { + id.ZidListTemplate: { constHeader{ - api.KeyTitle: "Zettelstore List Zettel HTML Template", - api.KeyRole: api.ValueRoleConfiguration, - api.KeySyntax: meta.SyntaxSxn, - api.KeyCreated: "20230704122100", - api.KeyModified: "20240219145200", - api.KeyVisibility: api.ValueVisibilityExpert, + meta.KeyTitle: "Zettelstore List Zettel HTML Template", + meta.KeyRole: meta.ValueRoleConfiguration, + meta.KeySyntax: meta.ValueSyntaxSxn, + meta.KeyCreated: "20230704122100", + meta.KeyModified: "20240219145200", + meta.KeyVisibility: meta.ValueVisibilityExpert, }, zettel.NewContent(contentListZettelSxn)}, - id.ErrorTemplateZid: { + id.ZidErrorTemplate: { constHeader{ - api.KeyTitle: "Zettelstore Error HTML Template", - api.KeyRole: api.ValueRoleConfiguration, - api.KeySyntax: meta.SyntaxSxn, - api.KeyCreated: "20210305133215", - api.KeyModified: "20240219145200", - api.KeyVisibility: api.ValueVisibilityExpert, + meta.KeyTitle: "Zettelstore Error HTML Template", + meta.KeyRole: meta.ValueRoleConfiguration, + meta.KeySyntax: meta.ValueSyntaxSxn, + meta.KeyCreated: "20210305133215", + meta.KeyModified: "20240219145200", + meta.KeyVisibility: meta.ValueVisibilityExpert, }, zettel.NewContent(contentErrorSxn)}, - id.StartSxnZid: { + id.ZidSxnStart: { constHeader{ - api.KeyTitle: "Zettelstore Sxn Start Code", - api.KeyRole: api.ValueRoleConfiguration, - api.KeySyntax: meta.SyntaxSxn, - api.KeyCreated: "20230824160700", - api.KeyModified: "20240219145200", - api.KeyVisibility: api.ValueVisibilityExpert, - api.KeyPrecursor: string(api.ZidSxnBase), + meta.KeyTitle: "Zettelstore Sxn Start Code", + meta.KeyRole: meta.ValueRoleConfiguration, + meta.KeySyntax: meta.ValueSyntaxSxn, + meta.KeyCreated: "20230824160700", + meta.KeyModified: "20240219145200", + meta.KeyVisibility: meta.ValueVisibilityExpert, + meta.KeyPrecursor: id.ZidSxnBase.String(), }, zettel.NewContent(contentStartCodeSxn)}, - id.BaseSxnZid: { + id.ZidSxnBase: { constHeader{ - api.KeyTitle: "Zettelstore Sxn Base Code", - api.KeyRole: api.ValueRoleConfiguration, - api.KeySyntax: meta.SyntaxSxn, - api.KeyCreated: "20230619132800", - api.KeyModified: "20241118173500", - api.KeyReadOnly: api.ValueTrue, - api.KeyVisibility: api.ValueVisibilityExpert, - api.KeyPrecursor: string(api.ZidSxnPrelude), + meta.KeyTitle: "Zettelstore Sxn Base Code", + meta.KeyRole: meta.ValueRoleConfiguration, + meta.KeySyntax: meta.ValueSyntaxSxn, + meta.KeyCreated: "20230619132800", + meta.KeyModified: "20241118173500", + meta.KeyReadOnly: meta.ValueTrue, + meta.KeyVisibility: meta.ValueVisibilityExpert, + meta.KeyPrecursor: id.ZidSxnPrelude.String(), }, zettel.NewContent(contentBaseCodeSxn)}, - id.PreludeSxnZid: { + id.ZidSxnPrelude: { constHeader{ - api.KeyTitle: "Zettelstore Sxn Prelude", - api.KeyRole: api.ValueRoleConfiguration, - api.KeySyntax: meta.SyntaxSxn, - api.KeyCreated: "20231006181700", - api.KeyModified: "20240222121200", - api.KeyReadOnly: api.ValueTrue, - api.KeyVisibility: api.ValueVisibilityExpert, + meta.KeyTitle: "Zettelstore Sxn Prelude", + meta.KeyRole: meta.ValueRoleConfiguration, + meta.KeySyntax: meta.ValueSyntaxSxn, + meta.KeyCreated: "20231006181700", + meta.KeyModified: "20240222121200", + meta.KeyReadOnly: meta.ValueTrue, + meta.KeyVisibility: meta.ValueVisibilityExpert, }, zettel.NewContent(contentPreludeSxn)}, - id.MustParse(api.ZidBaseCSS): { + id.ZidBaseCSS: { constHeader{ - api.KeyTitle: "Zettelstore Base CSS", - api.KeyRole: api.ValueRoleConfiguration, - api.KeySyntax: meta.SyntaxCSS, - api.KeyCreated: "20200804111624", - api.KeyModified: "20240827143500", - api.KeyVisibility: api.ValueVisibilityPublic, + meta.KeyTitle: "Zettelstore Base CSS", + meta.KeyRole: meta.ValueRoleConfiguration, + meta.KeySyntax: meta.ValueSyntaxCSS, + meta.KeyCreated: "20200804111624", + meta.KeyModified: "20240827143500", + meta.KeyVisibility: meta.ValueVisibilityPublic, }, zettel.NewContent(contentBaseCSS)}, - id.MustParse(api.ZidUserCSS): { + id.ZidUserCSS: { constHeader{ - api.KeyTitle: "Zettelstore User CSS", - api.KeyRole: api.ValueRoleConfiguration, - api.KeySyntax: meta.SyntaxCSS, - api.KeyCreated: "20210622110143", - api.KeyVisibility: api.ValueVisibilityPublic, + meta.KeyTitle: "Zettelstore User CSS", + meta.KeyRole: meta.ValueRoleConfiguration, + meta.KeySyntax: meta.ValueSyntaxCSS, + meta.KeyCreated: "20210622110143", + meta.KeyVisibility: meta.ValueVisibilityPublic, }, zettel.NewContent([]byte("/* User-defined CSS */"))}, - id.EmojiZid: { + id.ZidEmoji: { constHeader{ - api.KeyTitle: "Zettelstore Generic Emoji", - api.KeyRole: api.ValueRoleConfiguration, - api.KeySyntax: meta.SyntaxGif, - api.KeyReadOnly: api.ValueTrue, - api.KeyCreated: "20210504175807", - api.KeyVisibility: api.ValueVisibilityPublic, + meta.KeyTitle: "Zettelstore Generic Emoji", + meta.KeyRole: meta.ValueRoleConfiguration, + meta.KeySyntax: meta.ValueSyntaxGif, + meta.KeyReadOnly: meta.ValueTrue, + meta.KeyCreated: "20210504175807", + meta.KeyVisibility: meta.ValueVisibilityPublic, }, zettel.NewContent(contentEmoji)}, - id.TOCNewTemplateZid: { - constHeader{ - api.KeyTitle: "New Menu", - api.KeyRole: api.ValueRoleConfiguration, - api.KeySyntax: meta.SyntaxZmk, - api.KeyLang: api.ValueLangEN, - api.KeyCreated: "20210217161829", - api.KeyModified: "20231129111800", - api.KeyVisibility: api.ValueVisibilityCreator, - }, - zettel.NewContent(contentNewTOCZettel)}, - id.MustParse(api.ZidTemplateNewZettel): { - constHeader{ - api.KeyTitle: "New Zettel", - api.KeyRole: api.ValueRoleConfiguration, - api.KeySyntax: meta.SyntaxZmk, - api.KeyCreated: "20201028185209", - api.KeyModified: "20230929132900", - meta.NewPrefix + api.KeyRole: api.ValueRoleZettel, - api.KeyVisibility: api.ValueVisibilityCreator, - }, - zettel.NewContent(nil)}, - id.MustParse(api.ZidTemplateNewRole): { - constHeader{ - api.KeyTitle: "New Role", - api.KeyRole: api.ValueRoleConfiguration, - api.KeySyntax: meta.SyntaxZmk, - api.KeyCreated: "20231129110800", - meta.NewPrefix + api.KeyRole: api.ValueRoleRole, - meta.NewPrefix + api.KeyTitle: "", - api.KeyVisibility: api.ValueVisibilityCreator, - }, - zettel.NewContent(nil)}, - id.MustParse(api.ZidTemplateNewTag): { - constHeader{ - api.KeyTitle: "New Tag", - api.KeyRole: api.ValueRoleConfiguration, - api.KeySyntax: meta.SyntaxZmk, - api.KeyCreated: "20230929132400", - meta.NewPrefix + api.KeyRole: api.ValueRoleTag, - meta.NewPrefix + api.KeyTitle: "#", - api.KeyVisibility: api.ValueVisibilityCreator, - }, - zettel.NewContent(nil)}, - id.MustParse(api.ZidTemplateNewUser): { - constHeader{ - api.KeyTitle: "New User", - api.KeyRole: api.ValueRoleConfiguration, - api.KeySyntax: meta.SyntaxNone, - api.KeyCreated: "20201028185209", - meta.NewPrefix + api.KeyCredential: "", - meta.NewPrefix + api.KeyUserID: "", - meta.NewPrefix + api.KeyUserRole: api.ValueUserRoleReader, - api.KeyVisibility: api.ValueVisibilityOwner, - }, - zettel.NewContent(nil)}, - id.MustParse(api.ZidRoleZettelZettel): { - constHeader{ - api.KeyTitle: api.ValueRoleZettel, - api.KeyRole: api.ValueRoleRole, - api.KeySyntax: meta.SyntaxZmk, - api.KeyCreated: "20231129161400", - api.KeyLang: api.ValueLangEN, - api.KeyVisibility: api.ValueVisibilityLogin, + id.ZidTOCListsMenu: { + constHeader{ + meta.KeyTitle: "Lists Menu", + meta.KeyRole: meta.ValueRoleConfiguration, + meta.KeySyntax: meta.ValueSyntaxZmk, + meta.KeyLang: meta.ValueLangEN, + meta.KeyCreated: "20241223205400", + meta.KeyVisibility: meta.ValueVisibilityPublic, + }, + zettel.NewContent(contentMenuListsZettel)}, + id.ZidTOCNewTemplate: { + constHeader{ + meta.KeyTitle: "New Menu", + meta.KeyRole: meta.ValueRoleConfiguration, + meta.KeySyntax: meta.ValueSyntaxZmk, + meta.KeyLang: meta.ValueLangEN, + meta.KeyCreated: "20210217161829", + meta.KeyModified: "20231129111800", + meta.KeyVisibility: meta.ValueVisibilityCreator, + }, + zettel.NewContent(contentMenuNewZettel)}, + id.ZidTemplateNewZettel: { + constHeader{ + meta.KeyTitle: "New Zettel", + meta.KeyRole: meta.ValueRoleConfiguration, + meta.KeySyntax: meta.ValueSyntaxZmk, + meta.KeyCreated: "20201028185209", + meta.KeyModified: "20230929132900", + meta.NewPrefix + meta.KeyRole: meta.ValueRoleZettel, + meta.KeyVisibility: meta.ValueVisibilityCreator, + }, + zettel.NewContent(nil)}, + id.ZidTemplateNewRole: { + constHeader{ + meta.KeyTitle: "New Role", + meta.KeyRole: meta.ValueRoleConfiguration, + meta.KeySyntax: meta.ValueSyntaxZmk, + meta.KeyCreated: "20231129110800", + meta.NewPrefix + meta.KeyRole: meta.ValueRoleRole, + meta.NewPrefix + meta.KeyTitle: "", + meta.KeyVisibility: meta.ValueVisibilityCreator, + }, + zettel.NewContent(nil)}, + id.ZidTemplateNewTag: { + constHeader{ + meta.KeyTitle: "New Tag", + meta.KeyRole: meta.ValueRoleConfiguration, + meta.KeySyntax: meta.ValueSyntaxZmk, + meta.KeyCreated: "20230929132400", + meta.NewPrefix + meta.KeyRole: meta.ValueRoleTag, + meta.NewPrefix + meta.KeyTitle: "#", + meta.KeyVisibility: meta.ValueVisibilityCreator, + }, + zettel.NewContent(nil)}, + id.ZidTemplateNewUser: { + constHeader{ + meta.KeyTitle: "New User", + meta.KeyRole: meta.ValueRoleConfiguration, + meta.KeySyntax: meta.ValueSyntaxNone, + meta.KeyCreated: "20201028185209", + meta.NewPrefix + meta.KeyCredential: "", + meta.NewPrefix + meta.KeyUserID: "", + meta.NewPrefix + meta.KeyUserRole: meta.ValueUserRoleReader, + meta.KeyVisibility: meta.ValueVisibilityOwner, + }, + zettel.NewContent(nil)}, + id.ZidRoleZettelZettel: { + constHeader{ + meta.KeyTitle: meta.ValueRoleZettel, + meta.KeyRole: meta.ValueRoleRole, + meta.KeySyntax: meta.ValueSyntaxZmk, + meta.KeyCreated: "20231129161400", + meta.KeyLang: meta.ValueLangEN, + meta.KeyVisibility: meta.ValueVisibilityLogin, }, zettel.NewContent(contentRoleZettel)}, - id.MustParse(api.ZidRoleConfigurationZettel): { + id.ZidRoleConfigurationZettel: { constHeader{ - api.KeyTitle: api.ValueRoleConfiguration, - api.KeyRole: api.ValueRoleRole, - api.KeySyntax: meta.SyntaxZmk, - api.KeyCreated: "20241213103100", - api.KeyLang: api.ValueLangEN, - api.KeyVisibility: api.ValueVisibilityLogin, + meta.KeyTitle: meta.ValueRoleConfiguration, + meta.KeyRole: meta.ValueRoleRole, + meta.KeySyntax: meta.ValueSyntaxZmk, + meta.KeyCreated: "20241213103100", + meta.KeyLang: meta.ValueLangEN, + meta.KeyVisibility: meta.ValueVisibilityLogin, }, zettel.NewContent(contentRoleConfiguration)}, - id.MustParse(api.ZidRoleRoleZettel): { + id.ZidRoleRoleZettel: { constHeader{ - api.KeyTitle: api.ValueRoleRole, - api.KeyRole: api.ValueRoleRole, - api.KeySyntax: meta.SyntaxZmk, - api.KeyCreated: "20231129162900", - api.KeyLang: api.ValueLangEN, - api.KeyVisibility: api.ValueVisibilityLogin, + meta.KeyTitle: meta.ValueRoleRole, + meta.KeyRole: meta.ValueRoleRole, + meta.KeySyntax: meta.ValueSyntaxZmk, + meta.KeyCreated: "20231129162900", + meta.KeyLang: meta.ValueLangEN, + meta.KeyVisibility: meta.ValueVisibilityLogin, }, zettel.NewContent(contentRoleRole)}, - id.MustParse(api.ZidRoleTagZettel): { + id.ZidRoleTagZettel: { constHeader{ - api.KeyTitle: api.ValueRoleTag, - api.KeyRole: api.ValueRoleRole, - api.KeySyntax: meta.SyntaxZmk, - api.KeyCreated: "20231129162000", - api.KeyLang: api.ValueLangEN, - api.KeyVisibility: api.ValueVisibilityLogin, + meta.KeyTitle: meta.ValueRoleTag, + meta.KeyRole: meta.ValueRoleRole, + meta.KeySyntax: meta.ValueSyntaxZmk, + meta.KeyCreated: "20231129162000", + meta.KeyLang: meta.ValueLangEN, + meta.KeyVisibility: meta.ValueVisibilityLogin, }, zettel.NewContent(contentRoleTag)}, - id.MustParse(api.ZidAppDirectory): { + id.ZidAppDirectory: { constHeader{ - api.KeyTitle: "Zettelstore Application Directory", - api.KeyRole: api.ValueRoleConfiguration, - api.KeySyntax: meta.SyntaxNone, - api.KeyLang: api.ValueLangEN, - api.KeyCreated: "20240703235900", - api.KeyVisibility: api.ValueVisibilityLogin, + meta.KeyTitle: "Zettelstore Application Directory", + meta.KeyRole: meta.ValueRoleConfiguration, + meta.KeySyntax: meta.ValueSyntaxNone, + meta.KeyLang: meta.ValueLangEN, + meta.KeyCreated: "20240703235900", + meta.KeyVisibility: meta.ValueVisibilityLogin, }, zettel.NewContent(nil)}, - id.DefaultHomeZid: { + id.ZidDefaultHome: { constHeader{ - api.KeyTitle: "Home", - api.KeyRole: api.ValueRoleZettel, - api.KeySyntax: meta.SyntaxZmk, - api.KeyLang: api.ValueLangEN, - api.KeyCreated: "20210210190757", + meta.KeyTitle: "Home", + meta.KeyRole: meta.ValueRoleZettel, + meta.KeySyntax: meta.ValueSyntaxZmk, + meta.KeyLang: meta.ValueLangEN, + meta.KeyCreated: "20210210190757", + meta.KeyModified: "20241216105800", }, zettel.NewContent(contentHomeZettel)}, } //go:embed license.txt @@ -466,12 +476,15 @@ var contentBaseCSS []byte //go:embed emoji_spin.gif var contentEmoji []byte -//go:embed newtoc.zettel -var contentNewTOCZettel []byte +//go:embed menu_lists.zettel +var contentMenuListsZettel []byte + +//go:embed menu_new.zettel +var contentMenuNewZettel []byte //go:embed rolezettel.zettel var contentRoleZettel []byte //go:embed roleconfiguration.zettel Index: box/constbox/dependencies.zettel ================================================================== --- box/constbox/dependencies.zettel +++ box/constbox/dependencies.zettel @@ -128,19 +128,21 @@ LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE. ``` -=== Sx, SxWebs, Webs, Zettelstore-Client +=== Sx, SxWebs, Webs, Zero, Zettelstore-Client These are companion projects, written by the main developer of Zettelstore. They are published under the same license, [[EUPL v1.2, or later|00000000000004]]. ; URL & Source Sx : [[https://t73f.de/r/sx]] ; URL & Source SxWebs : [[https://t73f.de/r/sxwebs]] ; URL & Source Webs : [[https://t73f.de/r/webs]] +; URL & Source Zero +: [[https://t73f.de/r/zero]] ; URL & Source Zettelstore-Client : [[https://t73f.de/r/zsc]] ; License: : European Union Public License, version 1.2 (EUPL v1.2), or later. Index: box/constbox/home.zettel ================================================================== --- box/constbox/home.zettel +++ box/constbox/home.zettel @@ -1,32 +1,31 @@ === Thank you for using Zettelstore! -You will find the lastest information about Zettelstore at [[https://zettelstore.de]]. -Check that website regulary for [[upgrades|https://zettelstore.de/home/doc/trunk/www/download.wiki]] to the latest version. -You should consult the [[change log|https://zettelstore.de/home/doc/trunk/www/changes.wiki]] before upgrading. -Sometimes, you have to edit some of your Zettelstore-related zettel before upgrading. -Since Zettelstore is currently in a development state, every upgrade might fix some of your problems. - -If you have problems concerning Zettelstore, -do not hesitate to get in [[contact with the main developer|mailto:ds@zettelstore.de]]. +You will find the latest information about Zettelstore at [[https://zettelstore.de]]. +Check this website regularly for [[updates|https://zettelstore.de/home/doc/trunk/www/download.wiki]] to the latest version. +You should consult the [[change log|https://zettelstore.de/home/doc/trunk/www/changes.wiki]] before updating. +Sometimes, you have to edit some of your Zettelstore-related zettel before updating. +Since Zettelstore is currently in a development state, every update might fix some of your problems. + +If you have problems concerning Zettelstore, do not hesitate to get in [[contact with the main developer|mailto:ds@zettelstore.de]]. === Reporting errors If you have encountered an error, please include the content of the following zettel in your mail (if possible): * [[Zettelstore Version|00000000000001]]: {{00000000000001}} * [[Zettelstore Operating System|00000000000003]] * [[Zettelstore Startup Configuration|00000000000096]] * [[Zettelstore Runtime Configuration|00000000000100]] -Additionally, you have to describe, what you have done before that error occurs -and what you have expected instead. +Additionally, you have to describe, what you did before that error occurs +and what you expected instead. Please do not forget to include the error message, if there is one. Some of above Zettelstore zettel can only be retrieved if you enabled ""expert mode"". Otherwise, only some zettel are linked. To enable expert mode, edit the zettel [[Zettelstore Runtime Configuration|00000000000100]]: please set the metadata value of the key ''expert-mode'' to true. -To do you, enter the string ''expert-mode:true'' inside the edit view of the metadata. +To do so, enter the string ''expert-mode:true'' inside the edit view of the metadata. === Information about this zettel This zettel is your home zettel. It is part of the Zettelstore software itself. Every time you click on the [[Home|//]] link in the menu bar, you will be redirected to this zettel. ADDED box/constbox/menu_lists.zettel Index: box/constbox/menu_lists.zettel ================================================================== --- /dev/null +++ box/constbox/menu_lists.zettel @@ -0,0 +1,7 @@ +This zettel lists all entries of the ""Lists"" menu. + +* [[List Zettel|query:]] +* [[List Roles|query:|role]] +* [[List Tags|query:|tags]] + +An additional ""Refresh"" menu item is automatically added if appropriate. ADDED box/constbox/menu_new.zettel Index: box/constbox/menu_new.zettel ================================================================== --- /dev/null +++ box/constbox/menu_new.zettel @@ -0,0 +1,6 @@ +This zettel lists all zettel that should act as a template for new zettel. +These zettel will be included in the ""New"" menu of the WebUI. +* [[New Zettel|00000000090001]] +* [[New Role|00000000090004]] +* [[New Tag|00000000090003]] +* [[New User|00000000090002]] DELETED box/constbox/newtoc.zettel Index: box/constbox/newtoc.zettel ================================================================== --- box/constbox/newtoc.zettel +++ /dev/null @@ -1,6 +0,0 @@ -This zettel lists all zettel that should act as a template for new zettel. -These zettel will be included in the ""New"" menu of the WebUI. -* [[New Zettel|00000000090001]] -* [[New Role|00000000090004]] -* [[New Tag|00000000090003]] -* [[New User|00000000090002]] Index: box/constbox/zettel.sxn ================================================================== --- box/constbox/zettel.sxn +++ box/constbox/zettel.sxn @@ -22,22 +22,24 @@ ,@(if (and (bound? 'folge-role-url) (bound? 'meta-folge-role)) `((@H " → ") (a (@ (href ,folge-role-url)) ,meta-folge-role))) ")" ,@(if tag-refs `((@H " · ") ,@tag-refs)) ,@(ROLE-DEFAULT-actions (current-binding)) + ,@(if superior-refs `((br) "Superior: " ,superior-refs)) ,@(if predecessor-refs `((br) "Predecessor: " ,predecessor-refs)) - ,@(if precursor-refs `((br) "Precursor: " ,precursor-refs)) ,@(if prequel-refs `((br) "Prequel: " ,prequel-refs)) + ,@(if precursor-refs `((br) "Precursor: " ,precursor-refs)) ,@(ROLE-DEFAULT-heading (current-binding)) ) ) ,@content ,endnotes - ,@(if (or folge-links sequel-links back-links successor-links) + ,@(if (or folge-links sequel-links back-links successor-links subordinate-links) `((nav ,@(if folge-links `((details (@ (,folge-open)) (summary "Folgezettel") (ul ,@(map wui-item-link folge-links))))) ,@(if sequel-links `((details (@ (,sequel-open)) (summary "Sequel") (ul ,@(map wui-item-link sequel-links))))) - ,@(if back-links `((details (@ (,back-open)) (summary "Incoming") (ul ,@(map wui-item-link back-links))))) ,@(if successor-links `((details (@ (,successor-open)) (summary "Successors") (ul ,@(map wui-item-link successor-links))))) + ,@(if subordinate-links `((details (@ (,subordinate-open)) (summary "Subordinates") (ul ,@(map wui-item-link subordinate-links))))) + ,@(if back-links `((details (@ (,back-open)) (summary "Incoming") (ul ,@(map wui-item-link back-links))))) )) ) ) Index: box/dirbox/dirbox.go ================================================================== --- box/dirbox/dirbox.go +++ box/dirbox/dirbox.go @@ -20,19 +20,19 @@ "net/url" "os" "path/filepath" "sync" + "t73f.de/r/zsc/domain/id" + "t73f.de/r/zsc/domain/meta" "zettelstore.de/z/box" "zettelstore.de/z/box/manager" "zettelstore.de/z/box/notify" "zettelstore.de/z/kernel" "zettelstore.de/z/logger" "zettelstore.de/z/query" "zettelstore.de/z/zettel" - "zettelstore.de/z/zettel/id" - "zettelstore.de/z/zettel/meta" ) func init() { manager.Register("dir", func(u *url.URL, cdata *manager.ConnectData) (box.ManagedBox, error) { var log *logger.Logger Index: box/dirbox/service.go ================================================================== --- box/dirbox/service.go +++ box/dirbox/service.go @@ -19,18 +19,18 @@ "io" "os" "path/filepath" "time" + "t73f.de/r/zsc/domain/id" + "t73f.de/r/zsc/domain/meta" "t73f.de/r/zsc/input" "zettelstore.de/z/box/filebox" "zettelstore.de/z/box/notify" "zettelstore.de/z/kernel" "zettelstore.de/z/logger" "zettelstore.de/z/zettel" - "zettelstore.de/z/zettel/id" - "zettelstore.de/z/zettel/meta" ) func fileService(i uint32, log *logger.Logger, dirPath string, cmds <-chan fileCmd) { // Something may panic. Ensure a running service. defer func() { Index: box/filebox/filebox.go ================================================================== --- box/filebox/filebox.go +++ box/filebox/filebox.go @@ -18,16 +18,15 @@ "errors" "net/url" "path/filepath" "strings" - "t73f.de/r/zsc/api" + "t73f.de/r/zsc/domain/id" + "t73f.de/r/zsc/domain/meta" "zettelstore.de/z/box" "zettelstore.de/z/box/manager" "zettelstore.de/z/kernel" - "zettelstore.de/z/zettel/id" - "zettelstore.de/z/zettel/meta" ) func init() { manager.Register("file", func(u *url.URL, cdata *manager.ConnectData) (box.ManagedBox, error) { path := getFilepathFromURL(u) @@ -57,41 +56,41 @@ return "/" + fileName } return fileName } -var alternativeSyntax = map[string]string{ +var alternativeSyntax = map[string]meta.Value{ "htm": "html", } -func calculateSyntax(ext string) string { +func calculateSyntax(ext string) meta.Value { ext = strings.ToLower(ext) if syntax, ok := alternativeSyntax[ext]; ok { return syntax } - return ext + return meta.Value(ext) } // CalcDefaultMeta returns metadata with default values for the given entry. func CalcDefaultMeta(zid id.Zid, ext string) *meta.Meta { m := meta.New(zid) - m.Set(api.KeySyntax, calculateSyntax(ext)) + m.Set(meta.KeySyntax, calculateSyntax(ext)) return m } // CleanupMeta enhances the given metadata. func CleanupMeta(m *meta.Meta, zid id.Zid, ext string, inMeta bool, uselessFiles []string) { if inMeta { - if syntax, ok := m.Get(api.KeySyntax); !ok || syntax == "" { + if syntax, ok := m.Get(meta.KeySyntax); !ok || syntax == "" { dm := CalcDefaultMeta(zid, ext) - syntax, ok = dm.Get(api.KeySyntax) + syntax, ok = dm.Get(meta.KeySyntax) if !ok { panic("Default meta must contain syntax") } - m.Set(api.KeySyntax, syntax) + m.Set(meta.KeySyntax, syntax) } } if len(uselessFiles) > 0 { - m.Set(api.KeyUselessFiles, strings.Join(uselessFiles, " ")) + m.Set(meta.KeyUselessFiles, meta.Value(strings.Join(uselessFiles, " "))) } } Index: box/filebox/zipbox.go ================================================================== --- box/filebox/zipbox.go +++ box/filebox/zipbox.go @@ -18,18 +18,18 @@ "context" "fmt" "io" "strings" + "t73f.de/r/zsc/domain/id" + "t73f.de/r/zsc/domain/meta" "t73f.de/r/zsc/input" "zettelstore.de/z/box" "zettelstore.de/z/box/notify" "zettelstore.de/z/logger" "zettelstore.de/z/query" "zettelstore.de/z/zettel" - "zettelstore.de/z/zettel/id" - "zettelstore.de/z/zettel/meta" ) type zipBox struct { log *logger.Logger number int Index: box/helper.go ================================================================== --- box/helper.go +++ box/helper.go @@ -16,11 +16,11 @@ import ( "net/url" "strconv" "time" - "zettelstore.de/z/zettel/id" + "t73f.de/r/zsc/domain/id" ) // GetNewZid calculates a new and unused zettel identifier, based on the current date and time. func GetNewZid(testZid func(id.Zid) (bool, error)) (id.Zid, error) { withSeconds := false Index: box/manager/anteroom.go ================================================================== --- box/manager/anteroom.go +++ box/manager/anteroom.go @@ -14,11 +14,12 @@ package manager import ( "sync" - "zettelstore.de/z/zettel/id" + "t73f.de/r/zsc/domain/id" + "t73f.de/r/zsc/domain/id/idset" ) type arAction int const ( @@ -27,11 +28,11 @@ arZettel ) type anteroom struct { next *anteroom - waiting *id.Set + waiting *idset.Set curLoad int reload bool } type anteroomQueue struct { @@ -75,11 +76,11 @@ func (ar *anteroomQueue) makeAnteroom(zid id.Zid) *anteroom { if zid == id.Invalid { panic(zid) } - waiting := id.NewSetCap(max(ar.maxLoad, 100), zid) + waiting := idset.NewCap(max(ar.maxLoad, 100), zid) return &anteroom{next: nil, waiting: waiting, curLoad: 1, reload: false} } func (ar *anteroomQueue) Reset() { ar.mx.Lock() @@ -86,11 +87,11 @@ defer ar.mx.Unlock() ar.first = &anteroom{next: nil, waiting: nil, curLoad: 0, reload: true} ar.last = ar.first } -func (ar *anteroomQueue) Reload(allZids *id.Set) { +func (ar *anteroomQueue) Reload(allZids *idset.Set) { ar.mx.Lock() defer ar.mx.Unlock() ar.deleteReloadedRooms() if !allZids.IsEmpty() { Index: box/manager/anteroom_test.go ================================================================== --- box/manager/anteroom_test.go +++ box/manager/anteroom_test.go @@ -14,11 +14,12 @@ package manager import ( "testing" - "zettelstore.de/z/zettel/id" + "t73f.de/r/zsc/domain/id" + "t73f.de/r/zsc/domain/id/idset" ) func TestSimple(t *testing.T) { t.Parallel() ar := newAnteroomQueue(2) @@ -60,11 +61,11 @@ ar.Reset() action, zid, _ := ar.Dequeue() if action != arReload || zid != id.Invalid { t.Errorf("Expected reload & invalid Zid, but got %v/%v", action, zid) } - ar.Reload(id.NewSet(3, 4)) + ar.Reload(idset.New(3, 4)) ar.EnqueueZettel(id.Zid(5)) ar.EnqueueZettel(id.Zid(5)) if ar.first == ar.last || ar.first.next != ar.last /*|| ar.first.next.next != ar.last*/ { t.Errorf("Expected 2 rooms") } @@ -87,11 +88,11 @@ if action != arNothing || zid != id.Invalid { t.Errorf("Expected nothing & invalid Zid, but got %v/%v", action, zid) } ar = newAnteroomQueue(1) - ar.Reload(id.NewSet(id.Zid(6))) + ar.Reload(idset.New(id.Zid(6))) action, zid, _ = ar.Dequeue() if zid != id.Zid(6) || action != arZettel { t.Errorf("Expected 6/arZettel, but got %v/%v", zid, action) } action, zid, _ = ar.Dequeue() Index: box/manager/box.go ================================================================== --- box/manager/box.go +++ box/manager/box.go @@ -16,15 +16,16 @@ import ( "context" "errors" "strings" + "t73f.de/r/zsc/domain/id" + "t73f.de/r/zsc/domain/id/idset" + "t73f.de/r/zsc/domain/meta" "zettelstore.de/z/box" "zettelstore.de/z/query" "zettelstore.de/z/zettel" - "zettelstore.de/z/zettel/id" - "zettelstore.de/z/zettel/meta" ) // Conatains all box.Box related functions // Location returns some information where the box is located. @@ -63,15 +64,15 @@ } mgr.mgrMx.RLock() defer mgr.mgrMx.RUnlock() if box, isWriteBox := mgr.boxes[0].(box.WriteBox); isWriteBox { ztl.Meta = mgr.cleanMetaProperties(ztl.Meta) - zidO, err := box.CreateZettel(ctx, ztl) + zid, err := box.CreateZettel(ctx, ztl) if err == nil { mgr.idxUpdateZettel(ctx, ztl) } - return zidO, err + return zid, err } return id.Invalid, box.ErrReadOnly } // GetZettel retrieves a specific zettel. @@ -114,42 +115,36 @@ } return result, nil } // FetchZids returns the set of all zettel identifer managed by the box. -func (mgr *Manager) FetchZids(ctx context.Context) (*id.Set, error) { +func (mgr *Manager) FetchZids(ctx context.Context) (*idset.Set, error) { mgr.mgrLog.Debug().Msg("FetchZids") if err := mgr.checkContinue(ctx); err != nil { return nil, err } mgr.mgrMx.RLock() defer mgr.mgrMx.RUnlock() return mgr.fetchZids(ctx) } -func (mgr *Manager) fetchZids(ctx context.Context) (*id.Set, error) { +func (mgr *Manager) fetchZids(ctx context.Context) (*idset.Set, error) { numZettel := 0 for _, p := range mgr.boxes { var mbstats box.ManagedBoxStats p.ReadStats(&mbstats) numZettel += mbstats.Zettel } - result := id.NewSetCap(numZettel) + result := idset.NewCap(numZettel) for _, p := range mgr.boxes { err := p.ApplyZid(ctx, func(zid id.Zid) { result.Add(zid) }, query.AlwaysIncluded) if err != nil { return nil, err } } return result, nil } -// FetchZidsO returns the set of all old-style zettel identifer managed by the box. -func (mgr *Manager) FetchZidsO(ctx context.Context) (*id.Set, error) { - mgr.mgrLog.Debug().Msg("FetchZidsO") - return mgr.fetchZids(ctx) -} - func (mgr *Manager) hasZettel(ctx context.Context, zid id.Zid) bool { mgr.mgrLog.Debug().Zid(zid).Msg("HasZettel") if err := mgr.checkContinue(ctx); err != nil { return false } @@ -196,11 +191,11 @@ mgr.mgrLog.Trace().Int("count", int64(len(result))).Msg("found without ApplyMeta") return result, nil } selected := map[id.Zid]*meta.Meta{} for _, term := range compSearch.Terms { - rejected := id.NewSet() + rejected := idset.New() handleMeta := func(m *meta.Meta) { zid := m.Zid if rejected.Contains(zid) { mgr.mgrLog.Trace().Zid(zid).Msg("SelectMeta/alreadyRejected") return @@ -280,36 +275,36 @@ } return false } // DeleteZettel removes the zettel from the box. -func (mgr *Manager) DeleteZettel(ctx context.Context, zidO id.Zid) error { - mgr.mgrLog.Debug().Zid(zidO).Msg("DeleteZettel") +func (mgr *Manager) DeleteZettel(ctx context.Context, zid id.Zid) error { + mgr.mgrLog.Debug().Zid(zid).Msg("DeleteZettel") if err := mgr.checkContinue(ctx); err != nil { return err } mgr.mgrMx.RLock() defer mgr.mgrMx.RUnlock() for _, p := range mgr.boxes { - err := p.DeleteZettel(ctx, zidO) + err := p.DeleteZettel(ctx, zid) if err == nil { - mgr.idxDeleteZettel(ctx, zidO) + mgr.idxDeleteZettel(ctx, zid) return err } var errZNF box.ErrZettelNotFound if !errors.As(err, &errZNF) && !errors.Is(err, box.ErrReadOnly) { return err } } - return box.ErrZettelNotFound{Zid: zidO} + return box.ErrZettelNotFound{Zid: zid} } // Remove all (computed) properties from metadata before storing the zettel. func (mgr *Manager) cleanMetaProperties(m *meta.Meta) *meta.Meta { result := m.Clone() - for _, p := range result.ComputedPairsRest() { - if mgr.propertyKeys.Has(p.Key) { - result.Delete(p.Key) + for key := range result.ComputedRest() { + if mgr.propertyKeys.Contains(key) { + result.Delete(key) } } return result } Index: box/manager/collect.go ================================================================== --- box/manager/collect.go +++ box/manager/collect.go @@ -14,34 +14,31 @@ package manager import ( "strings" + "t73f.de/r/zsc/domain/id" + "t73f.de/r/zsc/domain/id/idset" "zettelstore.de/z/ast" "zettelstore.de/z/box/manager/store" "zettelstore.de/z/strfun" - "zettelstore.de/z/zettel/id" ) type collectData struct { - refs *id.Set + refs *idset.Set words store.WordSet urls store.WordSet } func (data *collectData) initialize() { - data.refs = id.NewSet() + data.refs = idset.New() data.words = store.NewWordSet() data.urls = store.NewWordSet() } func collectZettelIndexData(zn *ast.ZettelNode, data *collectData) { - ast.Walk(data, &zn.Ast) -} - -func collectInlineIndexData(is *ast.InlineSlice, data *collectData) { - ast.Walk(data, is) + ast.Walk(data, &zn.BlocksAST) } func (data *collectData) Visit(node ast.Node) ast.Visitor { switch n := node.(type) { case *ast.VerbatimNode: Index: box/manager/enrich.go ================================================================== --- box/manager/enrich.go +++ box/manager/enrich.go @@ -15,66 +15,51 @@ import ( "context" "strconv" - "t73f.de/r/zsc/api" + "t73f.de/r/zsc/domain/id" + "t73f.de/r/zsc/domain/meta" "zettelstore.de/z/box" - "zettelstore.de/z/zettel/id" - "zettelstore.de/z/zettel/meta" ) // Enrich computes additional properties and updates the given metadata. func (mgr *Manager) Enrich(ctx context.Context, m *meta.Meta, boxNumber int) { // Calculate computed, but stored values. - _, hasCreated := m.Get(api.KeyCreated) - if !hasCreated { - m.Set(api.KeyCreated, computeCreated(m.Zid)) + if _, hasCreated := m.Get(meta.KeyCreated); !hasCreated { + m.Set(meta.KeyCreated, computeCreated(m.Zid)) } if box.DoEnrich(ctx) { computePublished(m) if boxNumber > 0 { - m.Set(api.KeyBoxNumber, strconv.Itoa(boxNumber)) + m.Set(meta.KeyBoxNumber, meta.Value(strconv.Itoa(boxNumber))) } mgr.idxStore.Enrich(ctx, m) } - - if !hasCreated { - m.Set(meta.KeyCreatedMissing, api.ValueTrue) - } } -func computeCreated(zid id.Zid) string { +func computeCreated(zid id.Zid) meta.Value { if zid <= 10101000000 { // A year 0000 is not allowed and therefore an artificial Zid. // In the year 0001, the month must be > 0. // In the month 000101, the day must be > 0. return "00010101000000" } - seconds := zid % 100 - if seconds > 59 { - seconds = 59 - } - zid /= 100 - minutes := zid % 100 - if minutes > 59 { - minutes = 59 - } - zid /= 100 - hours := zid % 100 - if hours > 23 { - hours = 23 - } + seconds := min(zid%100, 59) + zid /= 100 + minutes := min(zid%100, 59) + zid /= 100 + hours := min(zid%100, 23) zid /= 100 day := zid % 100 zid /= 100 month := zid % 100 year := zid / 100 month, day = sanitizeMonthDay(year, month, day) created := ((((year*100+month)*100+day)*100+hours)*100+minutes)*100 + seconds - return created.String() + return meta.Value(created.String()) } func sanitizeMonthDay(year, month, day id.Zid) (id.Zid, id.Zid) { if day < 1 { day = 1 @@ -108,29 +93,29 @@ } return month, day } func computePublished(m *meta.Meta) { - if _, ok := m.Get(api.KeyPublished); ok { + if _, ok := m.Get(meta.KeyPublished); ok { return } - if modified, ok := m.Get(api.KeyModified); ok { - if _, ok = meta.TimeValue(modified); ok { - m.Set(api.KeyPublished, modified) + if modified, ok := m.Get(meta.KeyModified); ok { + if _, ok = modified.AsTime(); ok { + m.Set(meta.KeyPublished, modified) return } } - if created, ok := m.Get(api.KeyCreated); ok { - if _, ok = meta.TimeValue(created); ok { - m.Set(api.KeyPublished, created) + if created, ok := m.Get(meta.KeyCreated); ok { + if _, ok = created.AsTime(); ok { + m.Set(meta.KeyPublished, created) return } } - zid := m.Zid.String() - if _, ok := meta.TimeValue(zid); ok { - m.Set(api.KeyPublished, zid) + zidValue := meta.Value(m.Zid.String()) + if _, ok := zidValue.AsTime(); ok { + m.Set(meta.KeyPublished, zidValue) return } // Neither the zettel was modified nor the zettel identifer contains a valid // timestamp. In this case do not set the "published" property. } Index: box/manager/indexer.go ================================================================== --- box/manager/indexer.go +++ box/manager/indexer.go @@ -17,23 +17,24 @@ "context" "fmt" "net/url" "time" + "t73f.de/r/zsc/domain/id" + "t73f.de/r/zsc/domain/id/idset" + "t73f.de/r/zsc/domain/meta" "zettelstore.de/z/box" "zettelstore.de/z/box/manager/store" "zettelstore.de/z/kernel" "zettelstore.de/z/parser" "zettelstore.de/z/strfun" "zettelstore.de/z/zettel" - "zettelstore.de/z/zettel/id" - "zettelstore.de/z/zettel/meta" ) // SearchEqual returns all zettel that contains the given exact word. // The word must be normalized through Unicode NKFD, trimmed and not empty. -func (mgr *Manager) SearchEqual(word string) *id.Set { +func (mgr *Manager) SearchEqual(word string) *idset.Set { found := mgr.idxStore.SearchEqual(word) mgr.idxLog.Debug().Str("word", word).Int("found", int64(found.Length())).Msg("SearchEqual") if msg := mgr.idxLog.Trace(); msg.Enabled() { msg.Str("ids", fmt.Sprint(found)).Msg("IDs") } @@ -40,11 +41,11 @@ return found } // SearchPrefix returns all zettel that have a word with the given prefix. // The prefix must be normalized through Unicode NKFD, trimmed and not empty. -func (mgr *Manager) SearchPrefix(prefix string) *id.Set { +func (mgr *Manager) SearchPrefix(prefix string) *idset.Set { found := mgr.idxStore.SearchPrefix(prefix) mgr.idxLog.Debug().Str("prefix", prefix).Int("found", int64(found.Length())).Msg("SearchPrefix") if msg := mgr.idxLog.Trace(); msg.Enabled() { msg.Str("ids", fmt.Sprint(found)).Msg("IDs") } @@ -51,11 +52,11 @@ return found } // SearchSuffix returns all zettel that have a word with the given suffix. // The suffix must be normalized through Unicode NKFD, trimmed and not empty. -func (mgr *Manager) SearchSuffix(suffix string) *id.Set { +func (mgr *Manager) SearchSuffix(suffix string) *idset.Set { found := mgr.idxStore.SearchSuffix(suffix) mgr.idxLog.Debug().Str("suffix", suffix).Int("found", int64(found.Length())).Msg("SearchSuffix") if msg := mgr.idxLog.Trace(); msg.Enabled() { msg.Str("ids", fmt.Sprint(found)).Msg("IDs") } @@ -62,11 +63,11 @@ return found } // SearchContains returns all zettel that contains the given string. // The string must be normalized through Unicode NKFD, trimmed and not empty. -func (mgr *Manager) SearchContains(s string) *id.Set { +func (mgr *Manager) SearchContains(s string) *idset.Set { found := mgr.idxStore.SearchContains(s) mgr.idxLog.Debug().Str("s", s).Int("found", int64(found.Length())).Msg("SearchContains") if msg := mgr.idxLog.Trace(); msg.Enabled() { msg.Str("ids", fmt.Sprint(found)).Msg("IDs") } @@ -172,36 +173,33 @@ func mustIndexZettel(m *meta.Meta) bool { return m.Zid >= id.Zid(999999900) } func (mgr *Manager) idxCollectFromMeta(ctx context.Context, m *meta.Meta, zi *store.ZettelIndex, cData *collectData) { - for _, pair := range m.ComputedPairs() { - descr := meta.GetDescription(pair.Key) + for key, val := range m.Computed() { + descr := meta.GetDescription(key) if descr.IsProperty() { continue } switch descr.Type { case meta.TypeID: - mgr.idxUpdateValue(ctx, descr.Inverse, pair.Value, zi) + mgr.idxUpdateValue(ctx, descr.Inverse, string(val), zi) case meta.TypeIDSet: - for _, val := range meta.ListFromValue(pair.Value) { + for val := range val.Fields() { mgr.idxUpdateValue(ctx, descr.Inverse, val, zi) } - case meta.TypeZettelmarkup: - is := parser.ParseMetadata(pair.Value) - collectInlineIndexData(&is, cData) case meta.TypeURL: - if _, err := url.Parse(pair.Value); err == nil { - cData.urls.Add(pair.Value) + if _, err := url.Parse(string(val)); err == nil { + cData.urls.Add(string(val)) } default: if descr.Type.IsSet { - for _, val := range meta.ListFromValue(pair.Value) { + for val := range val.Fields() { idxCollectMetaValue(cData.words, val) } } else { - idxCollectMetaValue(cData.words, pair.Value) + idxCollectMetaValue(cData.words, string(val)) } } } } @@ -246,10 +244,10 @@ func (mgr *Manager) idxDeleteZettel(ctx context.Context, zid id.Zid) { toCheck := mgr.idxStore.DeleteZettel(ctx, zid) mgr.idxCheckZettel(toCheck) } -func (mgr *Manager) idxCheckZettel(s *id.Set) { +func (mgr *Manager) idxCheckZettel(s *idset.Set) { s.ForEach(func(zid id.Zid) { mgr.idxAr.EnqueueZettel(zid) }) } Index: box/manager/manager.go ================================================================== --- box/manager/manager.go +++ box/manager/manager.go @@ -19,20 +19,20 @@ "io" "net/url" "sync" "time" + "t73f.de/r/zero/set" + "t73f.de/r/zsc/domain/id" + "t73f.de/r/zsc/domain/meta" "zettelstore.de/z/auth" "zettelstore.de/z/box" "zettelstore.de/z/box/manager/mapstore" "zettelstore.de/z/box/manager/store" "zettelstore.de/z/config" "zettelstore.de/z/kernel" "zettelstore.de/z/logger" - "zettelstore.de/z/strfun" - "zettelstore.de/z/zettel/id" - "zettelstore.de/z/zettel/meta" ) // ConnectData contains all administration related values. type ConnectData struct { Number int // number of the box, starting with 1. @@ -91,11 +91,11 @@ boxes []box.ManagedBox observers []box.UpdateFunc mxObserver sync.RWMutex done chan struct{} infos chan box.UpdateInfo - propertyKeys strfun.Set // Set of property key names + propertyKeys *set.Set[string] // Set of property key names // Indexer data idxLog *logger.Logger idxStore store.Store idxAr *anteroomQueue @@ -123,14 +123,14 @@ } // New creates a new managing box. func New(boxURIs []*url.URL, authManager auth.BaseManager, rtConfig config.Config) (*Manager, error) { descrs := meta.GetSortedKeyDescriptions() - propertyKeys := make(strfun.Set, len(descrs)) + propertyKeys := set.New[string]() for _, kd := range descrs { if kd.IsProperty() { - propertyKeys.Set(kd.Name) + propertyKeys.Add(kd.Name) } } boxLog := kernel.Main.GetLogger(kernel.BoxService) mgr := &Manager{ mgrLog: boxLog.Clone().Str("box", "manager").Child(), @@ -247,22 +247,22 @@ reason: reason, } return false } -func (mgr *Manager) idxEnqueue(reason box.UpdateReason, zidO id.Zid) { +func (mgr *Manager) idxEnqueue(reason box.UpdateReason, zid id.Zid) { switch reason { case box.OnReady: return case box.OnReload: mgr.idxAr.Reset() case box.OnZettel: - mgr.idxAr.EnqueueZettel(zidO) + mgr.idxAr.EnqueueZettel(zid) case box.OnDelete: - mgr.idxAr.EnqueueZettel(zidO) + mgr.idxAr.EnqueueZettel(zid) default: - mgr.mgrLog.Error().Uint("reason", uint64(reason)).Zid(zidO).Msg("Unknown notification reason") + mgr.mgrLog.Error().Uint("reason", uint64(reason)).Zid(zid).Msg("Unknown notification reason") return } select { case mgr.idxReady <- struct{}{}: default: Index: box/manager/mapstore/mapstore.go ================================================================== --- box/manager/mapstore/mapstore.go +++ box/manager/mapstore/mapstore.go @@ -16,35 +16,35 @@ import ( "context" "fmt" "io" + "maps" "slices" "strings" "sync" - "t73f.de/r/zsc/api" - "t73f.de/r/zsc/maps" + "t73f.de/r/zsc/domain/id" + "t73f.de/r/zsc/domain/id/idset" + "t73f.de/r/zsc/domain/meta" "zettelstore.de/z/box" "zettelstore.de/z/box/manager/store" - "zettelstore.de/z/zettel/id" - "zettelstore.de/z/zettel/meta" ) type zettelData struct { meta *meta.Meta // a local copy of the metadata, without computed keys - dead *id.Set // set of dead references in this zettel - forward *id.Set // set of forward references in this zettel - backward *id.Set // set of zettel that reference with zettel + dead *idset.Set // set of dead references in this zettel + forward *idset.Set // set of forward references in this zettel + backward *idset.Set // set of zettel that reference with zettel otherRefs map[string]bidiRefs words []string // list of words of this zettel urls []string // list of urls of this zettel } type bidiRefs struct { - forward *id.Set - backward *id.Set + forward *idset.Set + backward *idset.Set } func (zd *zettelData) optimize() { zd.dead.Optimize() zd.forward.Optimize() @@ -57,26 +57,26 @@ type mapStore struct { mx sync.RWMutex intern map[string]string // map to intern strings idx map[id.Zid]*zettelData - dead map[id.Zid]*id.Set // map dead refs where they occur + dead map[id.Zid]*idset.Set // map dead refs where they occur words stringRefs urls stringRefs // Stats mxStats sync.Mutex updates uint64 } -type stringRefs map[string]*id.Set +type stringRefs map[string]*idset.Set // New returns a new memory-based index store. func New() store.Store { return &mapStore{ intern: make(map[string]string, 1024), idx: make(map[id.Zid]*zettelData), - dead: make(map[id.Zid]*id.Set), + dead: make(map[id.Zid]*idset.Set), words: make(stringRefs), urls: make(stringRefs), } } @@ -105,43 +105,43 @@ if !ok { return false } var updated bool if !zi.dead.IsEmpty() { - m.Set(api.KeyDead, zi.dead.MetaString()) + m.Set(meta.KeyDead, zi.dead.MetaValue()) updated = true } back := removeOtherMetaRefs(m, zi.backward.Clone()) if !zi.backward.IsEmpty() { - m.Set(api.KeyBackward, zi.backward.MetaString()) + m.Set(meta.KeyBackward, zi.backward.MetaValue()) updated = true } if !zi.forward.IsEmpty() { - m.Set(api.KeyForward, zi.forward.MetaString()) + m.Set(meta.KeyForward, zi.forward.MetaValue()) back.ISubstract(zi.forward) updated = true } for k, refs := range zi.otherRefs { if !refs.backward.IsEmpty() { - m.Set(k, refs.backward.MetaString()) + m.Set(k, refs.backward.MetaValue()) back.ISubstract(refs.backward) updated = true } } if !back.IsEmpty() { - m.Set(api.KeyBack, back.MetaString()) + m.Set(meta.KeyBack, back.MetaValue()) updated = true } return updated } // SearchEqual returns all zettel that contains the given exact word. // The word must be normalized through Unicode NKFD, trimmed and not empty. -func (ms *mapStore) SearchEqual(word string) *id.Set { +func (ms *mapStore) SearchEqual(word string) *idset.Set { ms.mx.RLock() defer ms.mx.RUnlock() - result := id.NewSet() + result := idset.New() if refs, ok := ms.words[word]; ok { result = result.IUnion(refs) } if refs, ok := ms.urls[word]; ok { result = result.IUnion(refs) @@ -158,11 +158,11 @@ return addBackwardZids(result, zid, zi) } // SearchPrefix returns all zettel that have a word with the given prefix. // The prefix must be normalized through Unicode NKFD, trimmed and not empty. -func (ms *mapStore) SearchPrefix(prefix string) *id.Set { +func (ms *mapStore) SearchPrefix(prefix string) *idset.Set { ms.mx.RLock() defer ms.mx.RUnlock() result := ms.selectWithPred(prefix, strings.HasPrefix) l := len(prefix) if l > 14 { @@ -189,11 +189,11 @@ return result } // SearchSuffix returns all zettel that have a word with the given suffix. // The suffix must be normalized through Unicode NKFD, trimmed and not empty. -func (ms *mapStore) SearchSuffix(suffix string) *id.Set { +func (ms *mapStore) SearchSuffix(suffix string) *idset.Set { ms.mx.RLock() defer ms.mx.RUnlock() result := ms.selectWithPred(suffix, strings.HasSuffix) l := len(suffix) if l > 14 { @@ -215,11 +215,11 @@ return result } // SearchContains returns all zettel that contains the given string. // The string must be normalized through Unicode NKFD, trimmed and not empty. -func (ms *mapStore) SearchContains(s string) *id.Set { +func (ms *mapStore) SearchContains(s string) *idset.Set { ms.mx.RLock() defer ms.mx.RUnlock() result := ms.selectWithPred(s, strings.Contains) if len(s) > 14 { return result @@ -233,13 +233,13 @@ } } return result } -func (ms *mapStore) selectWithPred(s string, pred func(string, string) bool) *id.Set { +func (ms *mapStore) selectWithPred(s string, pred func(string, string) bool) *idset.Set { // Must only be called if ms.mx is read-locked! - result := id.NewSet() + result := idset.New() for word, refs := range ms.words { if !pred(word, s) { continue } result.IUnion(refs) @@ -251,39 +251,39 @@ result.IUnion(refs) } return result } -func addBackwardZids(result *id.Set, zid id.Zid, zi *zettelData) *id.Set { +func addBackwardZids(result *idset.Set, zid id.Zid, zi *zettelData) *idset.Set { // Must only be called if ms.mx is read-locked! result = result.Add(zid) result = result.IUnion(zi.backward) for _, mref := range zi.otherRefs { result = result.IUnion(mref.backward) } return result } -func removeOtherMetaRefs(m *meta.Meta, back *id.Set) *id.Set { - for _, p := range m.PairsRest() { - switch meta.Type(p.Key) { +func removeOtherMetaRefs(m *meta.Meta, back *idset.Set) *idset.Set { + for key, val := range m.Rest() { + switch meta.Type(key) { case meta.TypeID: - if zid, err := id.Parse(p.Value); err == nil { + if zid, err := id.Parse(string(val)); err == nil { back = back.Remove(zid) } case meta.TypeIDSet: - for _, val := range meta.ListFromValue(p.Value) { + for val := range val.Fields() { if zid, err := id.Parse(val); err == nil { back = back.Remove(zid) } } } } return back } -func (ms *mapStore) UpdateReferences(_ context.Context, zidx *store.ZettelIndex) *id.Set { +func (ms *mapStore) UpdateReferences(_ context.Context, zidx *store.ZettelIndex) *idset.Set { ms.mx.Lock() defer ms.mx.Unlock() m := ms.makeMeta(zidx) zi, ziExist := ms.idx[zidx.Zid] if !ziExist || zi == nil { @@ -290,11 +290,11 @@ zi = &zettelData{} ziExist = false } // Is this zettel an old dead reference mentioned in other zettel? - var toCheck *id.Set + var toCheck *idset.Set if refs, ok := ms.dead[zidx.Zid]; ok { // These must be checked later again toCheck = refs delete(ms.dead, zidx.Zid) } @@ -315,15 +315,15 @@ zi.optimize() return toCheck } var internableKeys = map[string]bool{ - api.KeyRole: true, - api.KeySyntax: true, - api.KeyFolgeRole: true, - api.KeyLang: true, - api.KeyReadOnly: true, + meta.KeyRole: true, + meta.KeySyntax: true, + meta.KeyFolgeRole: true, + meta.KeyLang: true, + meta.KeyReadOnly: true, } func isInternableValue(key string) bool { if internableKeys[key] { return true @@ -340,16 +340,16 @@ } func (ms *mapStore) makeMeta(zidx *store.ZettelIndex) *meta.Meta { origM := zidx.GetMeta() copyM := meta.New(origM.Zid) - for _, p := range origM.Pairs() { - key := ms.internString(p.Key) + for key, val := range origM.All() { + key = ms.internString(key) if isInternableValue(key) { - copyM.Set(key, ms.internString(p.Value)) - } else if key == api.KeyBoxNumber || !meta.IsComputed(key) { - copyM.Set(key, p.Value) + copyM.Set(key, meta.Value(ms.internString(string(val)))) + } else if key == meta.KeyBoxNumber || !meta.IsComputed(key) { + copyM.Set(key, val) } } return copyM } @@ -364,17 +364,17 @@ newRefs.ForEach(func(ref id.Zid) { ms.dead[ref] = ms.dead[ref].Add(zidx.Zid) }) } -func (ms *mapStore) updateForwardBackwardReferences(zidx *store.ZettelIndex, zi *zettelData) *id.Set { +func (ms *mapStore) updateForwardBackwardReferences(zidx *store.ZettelIndex, zi *zettelData) *idset.Set { // Must only be called if ms.mx is write-locked! brefs := zidx.GetBackRefs() newRefs, remRefs := zi.forward.Diff(brefs) zi.forward = brefs - var toCheck *id.Set + var toCheck *idset.Set remRefs.ForEach(func(ref id.Zid) { bzi := ms.getOrCreateEntry(ref) bzi.backward = bzi.backward.Remove(zidx.Zid) if bzi.meta == nil { toCheck = toCheck.Add(ref) @@ -388,11 +388,11 @@ } }) return toCheck } -func (ms *mapStore) updateMetadataReferences(zidx *store.ZettelIndex, zi *zettelData) *id.Set { +func (ms *mapStore) updateMetadataReferences(zidx *store.ZettelIndex, zi *zettelData) *idset.Set { // Must only be called if ms.mx is write-locked! inverseRefs := zidx.GetInverseRefs() for key, mr := range zi.otherRefs { if _, ok := inverseRefs[key]; ok { continue @@ -400,11 +400,11 @@ ms.removeInverseMeta(zidx.Zid, key, mr.forward) } if zi.otherRefs == nil { zi.otherRefs = make(map[string]bidiRefs) } - var toCheck *id.Set + var toCheck *idset.Set for key, mrefs := range inverseRefs { mr := zi.otherRefs[key] newRefs, remRefs := mr.forward.Diff(mrefs) mr.forward = mrefs zi.otherRefs[key] = mr @@ -455,17 +455,17 @@ zi := &zettelData{} ms.idx[zid] = zi return zi } -func (ms *mapStore) DeleteZettel(_ context.Context, zid id.Zid) *id.Set { +func (ms *mapStore) DeleteZettel(_ context.Context, zid id.Zid) *idset.Set { ms.mx.Lock() defer ms.mx.Unlock() return ms.doDeleteZettel(zid) } -func (ms *mapStore) doDeleteZettel(zid id.Zid) *id.Set { +func (ms *mapStore) doDeleteZettel(zid id.Zid) *idset.Set { // Must only be called if ms.mx is write-locked! zi, ok := ms.idx[zid] if !ok { return nil } @@ -492,29 +492,29 @@ } } }) } -func (ms *mapStore) deleteForwardBackward(zid id.Zid, zi *zettelData) *id.Set { +func (ms *mapStore) deleteForwardBackward(zid id.Zid, zi *zettelData) *idset.Set { // Must only be called if ms.mx is write-locked! zi.forward.ForEach(func(ref id.Zid) { if fzi, ok := ms.idx[ref]; ok { fzi.backward = fzi.backward.Remove(zid) } }) - var toCheck *id.Set + var toCheck *idset.Set zi.backward.ForEach(func(ref id.Zid) { if bzi, ok := ms.idx[ref]; ok { bzi.forward = bzi.forward.Remove(zid) toCheck = toCheck.Add(ref) } }) return toCheck } -func (ms *mapStore) removeInverseMeta(zid id.Zid, key string, forward *id.Set) { +func (ms *mapStore) removeInverseMeta(zid id.Zid, key string, forward *idset.Set) { // Must only be called if ms.mx is write-locked! forward.ForEach(func(ref id.Zid) { bzi, ok := ms.idx[ref] if !ok || bzi.otherRefs == nil { return @@ -592,15 +592,15 @@ func (ms *mapStore) dumpIndex(w io.Writer) { if len(ms.idx) == 0 { return } io.WriteString(w, "==== Zettel Index\n") - zids := make(id.Slice, 0, len(ms.idx)) + zids := make([]id.Zid, 0, len(ms.idx)) for id := range ms.idx { zids = append(zids, id) } - zids.Sort() + slices.Sort(zids) for _, id := range zids { fmt.Fprintln(w, "=====", id) zi := ms.idx[id] if !zi.dead.IsEmpty() { fmt.Fprintln(w, "* Dead:", zi.dead) @@ -626,22 +626,22 @@ func (ms *mapStore) dumpDead(w io.Writer) { if len(ms.dead) == 0 { return } fmt.Fprintf(w, "==== Dead References\n") - zids := make(id.Slice, 0, len(ms.dead)) + zids := make([]id.Zid, 0, len(ms.dead)) for id := range ms.dead { zids = append(zids, id) } - zids.Sort() + slices.Sort(zids) for _, id := range zids { fmt.Fprintln(w, ";", id) fmt.Fprintln(w, ":", ms.dead[id]) } } -func dumpSet(w io.Writer, prefix string, s *id.Set) { +func dumpSet(w io.Writer, prefix string, s *idset.Set) { if !s.IsEmpty() { io.WriteString(w, prefix) s.ForEach(func(zid id.Zid) { io.WriteString(w, " ") w.Write(zid.Bytes()) @@ -664,10 +664,10 @@ func dumpStringRefs(w io.Writer, title, preString, postString string, srefs stringRefs) { if len(srefs) == 0 { return } fmt.Fprintln(w, "====", title) - for _, s := range maps.Keys(srefs) { + for _, s := range slices.Sorted(maps.Keys(srefs)) { fmt.Fprintf(w, "; %s%s%s\n", preString, s, postString) fmt.Fprintln(w, ":", srefs[s]) } } Index: box/manager/store/store.go ================================================================== --- box/manager/store/store.go +++ box/manager/store/store.go @@ -16,13 +16,14 @@ import ( "context" "io" + "t73f.de/r/zsc/domain/id" + "t73f.de/r/zsc/domain/id/idset" + "t73f.de/r/zsc/domain/meta" "zettelstore.de/z/query" - "zettelstore.de/z/zettel/id" - "zettelstore.de/z/zettel/meta" ) // Stats records statistics about the store. type Stats struct { // Zettel is the number of zettel managed by the indexer. @@ -49,15 +50,15 @@ // Entrich metadata with data from store. Enrich(ctx context.Context, m *meta.Meta) // UpdateReferences for a specific zettel. // Returns set of zettel identifier that must also be checked for changes. - UpdateReferences(context.Context, *ZettelIndex) *id.Set + UpdateReferences(context.Context, *ZettelIndex) *idset.Set // DeleteZettel removes index data for given zettel. // Returns set of zettel identifier that must also be checked for changes. - DeleteZettel(context.Context, id.Zid) *id.Set + DeleteZettel(context.Context, id.Zid) *idset.Set // Optimize removes unneeded space. Optimize() // ReadStats populates st with store statistics. Index: box/manager/store/zettel.go ================================================================== --- box/manager/store/zettel.go +++ box/manager/store/zettel.go @@ -12,33 +12,36 @@ //----------------------------------------------------------------------------- package store import ( - "zettelstore.de/z/zettel/id" - "zettelstore.de/z/zettel/meta" + "maps" + + "t73f.de/r/zsc/domain/id" + "t73f.de/r/zsc/domain/id/idset" + "t73f.de/r/zsc/domain/meta" ) // ZettelIndex contains all index data of a zettel. type ZettelIndex struct { - Zid id.Zid // zid of the indexed zettel - meta *meta.Meta // full metadata - backrefs *id.Set // set of back references - inverseRefs map[string]*id.Set // references of inverse keys - deadrefs *id.Set // set of dead references + Zid id.Zid // zid of the indexed zettel + meta *meta.Meta // full metadata + backrefs *idset.Set // set of back references + inverseRefs map[string]*idset.Set // references of inverse keys + deadrefs *idset.Set // set of dead references words WordSet urls WordSet } // NewZettelIndex creates a new zettel index. func NewZettelIndex(m *meta.Meta) *ZettelIndex { return &ZettelIndex{ Zid: m.Zid, meta: m, - backrefs: id.NewSet(), - inverseRefs: make(map[string]*id.Set), - deadrefs: id.NewSet(), + backrefs: idset.New(), + inverseRefs: make(map[string]*idset.Set), + deadrefs: idset.New(), } } // AddBackRef adds a reference to a zettel where the current zettel links to // without any more information. @@ -49,11 +52,11 @@ func (zi *ZettelIndex) AddInverseRef(key string, zid id.Zid) { if zids, ok := zi.inverseRefs[key]; ok { zids.Add(zid) return } - zi.inverseRefs[key] = id.NewSet(zid) + zi.inverseRefs[key] = idset.New(zid) } // AddDeadRef adds a dead reference to a zettel. func (zi *ZettelIndex) AddDeadRef(zid id.Zid) { zi.deadrefs.Add(zid) @@ -64,30 +67,23 @@ // SetUrls sets the words to the given value. func (zi *ZettelIndex) SetUrls(urls WordSet) { zi.urls = urls } // GetDeadRefs returns all dead references as a sorted list. -func (zi *ZettelIndex) GetDeadRefs() *id.Set { return zi.deadrefs } +func (zi *ZettelIndex) GetDeadRefs() *idset.Set { return zi.deadrefs } // GetMeta return just the raw metadata. func (zi *ZettelIndex) GetMeta() *meta.Meta { return zi.meta } // GetBackRefs returns all back references as a sorted list. -func (zi *ZettelIndex) GetBackRefs() *id.Set { return zi.backrefs } +func (zi *ZettelIndex) GetBackRefs() *idset.Set { return zi.backrefs } // GetInverseRefs returns all inverse meta references as a map of strings to a sorted list of references -func (zi *ZettelIndex) GetInverseRefs() map[string]*id.Set { - if len(zi.inverseRefs) == 0 { - return nil - } - result := make(map[string]*id.Set, len(zi.inverseRefs)) - for key, refs := range zi.inverseRefs { - result[key] = refs - } - return result +func (zi *ZettelIndex) GetInverseRefs() map[string]*idset.Set { + return maps.Clone(zi.inverseRefs) } // GetWords returns a reference to the set of words. It must not be modified. func (zi *ZettelIndex) GetWords() WordSet { return zi.words } // GetUrls returns a reference to the set of URLs. It must not be modified. func (zi *ZettelIndex) GetUrls() WordSet { return zi.urls } Index: box/membox/membox.go ================================================================== --- box/membox/membox.go +++ box/membox/membox.go @@ -17,17 +17,17 @@ import ( "context" "net/url" "sync" + "t73f.de/r/zsc/domain/id" "zettelstore.de/z/box" "zettelstore.de/z/box/manager" "zettelstore.de/z/kernel" "zettelstore.de/z/logger" "zettelstore.de/z/query" "zettelstore.de/z/zettel" - "zettelstore.de/z/zettel/id" ) func init() { manager.Register( "mem", @@ -94,11 +94,11 @@ return len(mb.zettel) < mb.maxZettel } func (mb *memBox) CreateZettel(_ context.Context, zettel zettel.Zettel) (id.Zid, error) { mb.mx.Lock() - newBytes := mb.curBytes + zettel.Length() + newBytes := mb.curBytes + zettel.ByteSize() if mb.maxZettel < len(mb.zettel) || mb.maxBytes < newBytes { mb.mx.Unlock() return id.Invalid, box.ErrCapacity } zid, err := box.GetNewZid(func(zid id.Zid) (bool, error) { @@ -172,13 +172,13 @@ zid := zettel.Meta.Zid if !zid.IsValid() { return false } - newBytes := mb.curBytes + zettel.Length() + newBytes := mb.curBytes + zettel.ByteSize() if prevZettel, found := mb.zettel[zid]; found { - newBytes -= prevZettel.Length() + newBytes -= prevZettel.ByteSize() } return newBytes < mb.maxBytes } func (mb *memBox) UpdateZettel(_ context.Context, zettel zettel.Zettel) error { @@ -186,13 +186,13 @@ if !m.Zid.IsValid() { return box.ErrInvalidZid{Zid: m.Zid.String()} } mb.mx.Lock() - newBytes := mb.curBytes + zettel.Length() + newBytes := mb.curBytes + zettel.ByteSize() if prevZettel, found := mb.zettel[m.Zid]; found { - newBytes -= prevZettel.Length() + newBytes -= prevZettel.ByteSize() } if mb.maxBytes < newBytes { mb.mx.Unlock() return box.ErrCapacity } @@ -219,11 +219,11 @@ if !found { mb.mx.Unlock() return box.ErrZettelNotFound{Zid: zid} } delete(mb.zettel, zid) - mb.curBytes -= oldZettel.Length() + mb.curBytes -= oldZettel.ByteSize() mb.mx.Unlock() mb.notifyChanged(zid, box.OnDelete) mb.log.Trace().Msg("DeleteZettel") return nil } Index: box/notify/directory.go ================================================================== --- box/notify/directory.go +++ box/notify/directory.go @@ -18,17 +18,19 @@ "fmt" "path/filepath" "regexp" "sync" + "slices" + + "t73f.de/r/zero/set" + "t73f.de/r/zsc/domain/id" "zettelstore.de/z/box" "zettelstore.de/z/kernel" "zettelstore.de/z/logger" "zettelstore.de/z/parser" "zettelstore.de/z/query" - "zettelstore.de/z/strfun" - "zettelstore.de/z/zettel/id" ) type entrySet map[id.Zid]*DirEntry // DirServiceState signal the internal state of the service. @@ -274,19 +276,19 @@ ds.log.Error().Str("event", fmt.Sprintf("%v", ev)).Msg("Unknown zettel notification event") } return newEntries, true } -func getNewZids(entries entrySet) id.Slice { - zids := make(id.Slice, 0, len(entries)) +func getNewZids(entries entrySet) []id.Zid { + zids := make([]id.Zid, 0, len(entries)) for zid := range entries { zids = append(zids, zid) } return zids } -func (ds *DirService) onCreateDirectory(zids id.Slice, prevEntries entrySet) { +func (ds *DirService) onCreateDirectory(zids []id.Zid, prevEntries entrySet) { for _, zid := range zids { ds.notifyChange(zid, box.OnZettel) delete(prevEntries, zid) } @@ -501,14 +503,12 @@ return addUselessFile(entry, contentName), "" } return addUselessFile(entry, name), "" } func addUselessFile(entry *DirEntry, name string) string { - for _, dupName := range entry.UselessFiles { - if name == dupName { - return "" - } + if slices.Contains(entry.UselessFiles, name) { + return "" } entry.UselessFiles = append(entry.UselessFiles, name) return name } @@ -525,25 +525,25 @@ return false } return oldName > newName } -var supportedSyntax, primarySyntax strfun.Set +var supportedSyntax, primarySyntax *set.Set[string] func init() { syntaxList := parser.GetSyntaxes() - supportedSyntax = strfun.NewSet(syntaxList...) - primarySyntax = make(map[string]struct{}, len(syntaxList)) + supportedSyntax = set.New(syntaxList...) + primarySyntax = set.New[string]() for _, syntax := range syntaxList { if parser.Get(syntax).Name == syntax { - primarySyntax.Set(syntax) + primarySyntax.Add(syntax) } } } func newExtIsBetter(oldExt, newExt string) bool { - oldSyntax := supportedSyntax.Has(oldExt) - if oldSyntax != supportedSyntax.Has(newExt) { + oldSyntax := supportedSyntax.Contains(oldExt) + if oldSyntax != supportedSyntax.Contains(newExt) { return !oldSyntax } if oldSyntax { if oldExt == "zmk" { return false @@ -560,11 +560,11 @@ return !oldTextFormat } if oldImageFormat := oldInfo.IsImageFormat; oldImageFormat != newInfo.IsImageFormat { return oldImageFormat } - if oldPrimary := primarySyntax.Has(oldExt); oldPrimary != primarySyntax.Has(newExt) { + if oldPrimary := primarySyntax.Contains(oldExt); oldPrimary != primarySyntax.Contains(newExt) { return !oldPrimary } } oldLen := len(oldExt) Index: box/notify/directory_test.go ================================================================== --- box/notify/directory_test.go +++ box/notify/directory_test.go @@ -14,18 +14,18 @@ package notify import ( "testing" + "t73f.de/r/zsc/domain/id" + "t73f.de/r/zsc/domain/meta" _ "zettelstore.de/z/parser/blob" // Allow to use BLOB parser. _ "zettelstore.de/z/parser/draw" // Allow to use draw parser. _ "zettelstore.de/z/parser/markdown" // Allow to use markdown parser. _ "zettelstore.de/z/parser/none" // Allow to use none parser. _ "zettelstore.de/z/parser/plain" // Allow to use plain parser. _ "zettelstore.de/z/parser/zettelmark" // Allow to use zettelmark parser. - "zettelstore.de/z/zettel/id" - "zettelstore.de/z/zettel/meta" ) func TestSeekZid(t *testing.T) { testcases := []struct { name string @@ -50,19 +50,19 @@ } func TestNewExtIsBetter(t *testing.T) { extVals := []string{ // Main Formats - meta.SyntaxZmk, meta.SyntaxDraw, meta.SyntaxMarkdown, meta.SyntaxMD, + meta.ValueSyntaxZmk, meta.ValueSyntaxDraw, meta.ValueSyntaxMarkdown, meta.ValueSyntaxMD, // Other supported text formats - meta.SyntaxCSS, meta.SyntaxSxn, meta.SyntaxTxt, meta.SyntaxHTML, - meta.SyntaxText, meta.SyntaxPlain, + meta.ValueSyntaxCSS, meta.ValueSyntaxSxn, meta.ValueSyntaxTxt, meta.ValueSyntaxHTML, + meta.ValueSyntaxText, meta.ValueSyntaxPlain, // Supported text graphics formats - meta.SyntaxSVG, - meta.SyntaxNone, + meta.ValueSyntaxSVG, + meta.ValueSyntaxNone, // Supported binary graphic formats - meta.SyntaxGif, meta.SyntaxPNG, meta.SyntaxJPEG, meta.SyntaxWebp, meta.SyntaxJPG, + meta.ValueSyntaxGif, meta.ValueSyntaxPNG, meta.ValueSyntaxJPEG, meta.ValueSyntaxWebp, meta.ValueSyntaxJPG, // Unsupported syntax values "gz", "cpp", "tar", "cppc", } for oldI, oldExt := range extVals { Index: box/notify/entry.go ================================================================== --- box/notify/entry.go +++ box/notify/entry.go @@ -14,15 +14,16 @@ package notify import ( "path/filepath" - "t73f.de/r/zsc/api" + "slices" + + "t73f.de/r/zsc/domain/id" + "t73f.de/r/zsc/domain/meta" "zettelstore.de/z/parser" "zettelstore.de/z/zettel" - "zettelstore.de/z/zettel/id" - "zettelstore.de/z/zettel/meta" ) const ( extZettel = "zettel" // file contains metadata and content extBin = "bin" // file contains binary content @@ -49,11 +50,11 @@ func (e *DirEntry) HasMetaInContent() bool { return e.IsValid() && extIsMetaAndContent(e.ContentExt) } // SetupFromMetaContent fills entry data based on metadata and zettel content. -func (e *DirEntry) SetupFromMetaContent(m *meta.Meta, content zettel.Content, getZettelFileSyntax func() []string) { +func (e *DirEntry) SetupFromMetaContent(m *meta.Meta, content zettel.Content, getZettelFileSyntax func() []meta.Value) { if e.Zid != m.Zid { panic("Zid differ") } if contentName := e.ContentName; contentName != "" { if !extIsMetaAndContent(e.ContentExt) && e.MetaName == "" { @@ -60,11 +61,11 @@ e.MetaName = e.calcBaseName(contentName) } return } - syntax := m.GetDefault(api.KeySyntax, meta.DefaultSyntax) + syntax := m.GetDefault(meta.KeySyntax, meta.DefaultSyntax) ext := calcContentExt(syntax, m.YamlSep, getZettelFileSyntax) metaName := e.MetaName eimc := extIsMetaAndContent(ext) if eimc { if metaName != "" { @@ -81,38 +82,36 @@ e.MetaName = e.calcBaseName(e.ContentName) } } } -func contentExtWithMeta(syntax string, content zettel.Content) string { - p := parser.Get(syntax) +func contentExtWithMeta(syntax meta.Value, content zettel.Content) string { + p := parser.Get(string(syntax)) if content.IsBinary() { if p.IsImageFormat { - return syntax + return string(syntax) } return extBin } if p.IsImageFormat { return extTxt } - return syntax + return string(syntax) } -func calcContentExt(syntax string, yamlSep bool, getZettelFileSyntax func() []string) string { +func calcContentExt(syntax meta.Value, yamlSep bool, getZettelFileSyntax func() []meta.Value) string { if yamlSep { return extZettel } switch syntax { - case meta.SyntaxNone, meta.SyntaxZmk: + case meta.ValueSyntaxNone, meta.ValueSyntaxZmk: + return extZettel + } + if slices.Contains(getZettelFileSyntax(), syntax) { return extZettel } - for _, s := range getZettelFileSyntax() { - if s == syntax { - return extZettel - } - } - return syntax + return string(syntax) } func (e *DirEntry) calcBaseName(name string) string { if name == "" { Index: cmd/cmd_file.go ================================================================== --- cmd/cmd_file.go +++ cmd/cmd_file.go @@ -19,16 +19,16 @@ "fmt" "io" "os" "t73f.de/r/zsc/api" + "t73f.de/r/zsc/domain/id" + "t73f.de/r/zsc/domain/meta" "t73f.de/r/zsc/input" "zettelstore.de/z/encoder" "zettelstore.de/z/parser" "zettelstore.de/z/zettel" - "zettelstore.de/z/zettel/id" - "zettelstore.de/z/zettel/meta" ) // ---------- Subcommand: file ----------------------------------------------- func cmdFile(fs *flag.FlagSet) (int, error) { @@ -41,19 +41,21 @@ context.Background(), zettel.Zettel{ Meta: m, Content: zettel.NewContent(inp.Src[inp.Pos:]), }, - m.GetDefault(api.KeySyntax, meta.DefaultSyntax), + string(m.GetDefault(meta.KeySyntax, meta.DefaultSyntax)), nil, ) - encdr := encoder.Create(api.Encoder(enc), &encoder.CreateParameter{Lang: m.GetDefault(api.KeyLang, api.ValueLangEN)}) + encdr := encoder.Create( + api.Encoder(enc), + &encoder.CreateParameter{Lang: string(m.GetDefault(meta.KeyLang, meta.ValueLangEN))}) if encdr == nil { fmt.Fprintf(os.Stderr, "Unknown format %q\n", enc) return 2, nil } - _, err = encdr.WriteZettel(os.Stdout, z, parser.ParseMetadata) + _, err = encdr.WriteZettel(os.Stdout, z) if err != nil { return 2, err } fmt.Println() Index: cmd/cmd_password.go ================================================================== --- cmd/cmd_password.go +++ cmd/cmd_password.go @@ -18,13 +18,13 @@ "fmt" "os" "golang.org/x/term" - "t73f.de/r/zsc/api" + "t73f.de/r/zsc/domain/id" + "t73f.de/r/zsc/domain/meta" "zettelstore.de/z/auth/cred" - "zettelstore.de/z/zettel/id" ) // ---------- Subcommand: password ------------------------------------------- func cmdPassword(fs *flag.FlagSet) (int, error) { @@ -61,12 +61,12 @@ hashedPassword, err := cred.HashCredential(zid, ident, password) if err != nil { return 2, err } fmt.Printf("%v: %s\n%v: %s\n", - api.KeyCredential, hashedPassword, - api.KeyUserID, ident, + meta.KeyCredential, hashedPassword, + meta.KeyUserID, ident, ) return 0, nil } func getPassword(prompt string) (string, error) { Index: cmd/cmd_run.go ================================================================== --- cmd/cmd_run.go +++ cmd/cmd_run.go @@ -16,19 +16,19 @@ import ( "context" "flag" "net/http" + "t73f.de/r/zsc/domain/meta" "zettelstore.de/z/auth" "zettelstore.de/z/box" "zettelstore.de/z/config" "zettelstore.de/z/kernel" "zettelstore.de/z/usecase" "zettelstore.de/z/web/adapter/api" "zettelstore.de/z/web/adapter/webui" "zettelstore.de/z/web/server" - "zettelstore.de/z/zettel/meta" ) // ---------- Subcommand: run ------------------------------------------------ func flgRun(fs *flag.FlagSet) { Index: cmd/command.go ================================================================== --- cmd/command.go +++ cmd/command.go @@ -13,12 +13,13 @@ package cmd import ( "flag" + "maps" + "slices" - "t73f.de/r/zsc/maps" "zettelstore.de/z/logger" ) // Command stores information about commands / sub-commands. type Command struct { @@ -64,6 +65,6 @@ cmd, ok := commands[name] return cmd, ok } // List returns a sorted list of all registered command names. -func List() []string { return maps.Keys(commands) } +func List() []string { return slices.Sorted(maps.Keys(commands)) } Index: cmd/main.go ================================================================== --- cmd/main.go +++ cmd/main.go @@ -24,10 +24,12 @@ "strconv" "strings" "time" "t73f.de/r/zsc/api" + "t73f.de/r/zsc/domain/id" + "t73f.de/r/zsc/domain/meta" "t73f.de/r/zsc/input" "zettelstore.de/z/auth" "zettelstore.de/z/auth/impl" "zettelstore.de/z/box" "zettelstore.de/z/box/compbox" @@ -34,12 +36,10 @@ "zettelstore.de/z/box/manager" "zettelstore.de/z/config" "zettelstore.de/z/kernel" "zettelstore.de/z/logger" "zettelstore.de/z/web/server" - "zettelstore.de/z/zettel/id" - "zettelstore.de/z/zettel/meta" ) const strRunSimple = "run-simple" func init() { @@ -123,38 +123,38 @@ func getConfig(fs *flag.FlagSet) (string, *meta.Meta) { filename, cfg := fetchStartupConfiguration(fs) fs.Visit(func(flg *flag.Flag) { switch flg.Name { case "p": - cfg.Set(keyListenAddr, net.JoinHostPort("127.0.0.1", flg.Value.String())) + cfg.Set(keyListenAddr, meta.Value(net.JoinHostPort("127.0.0.1", flg.Value.String()))) case "a": - cfg.Set(keyAdminPort, flg.Value.String()) + cfg.Set(keyAdminPort, meta.Value(flg.Value.String())) case "d": val := flg.Value.String() if strings.HasPrefix(val, "/") { val = "dir://" + val } else { val = "dir:" + val } deleteConfiguredBoxes(cfg) - cfg.Set(keyBoxOneURI, val) + cfg.Set(keyBoxOneURI, meta.Value(val)) case "l": - cfg.Set(keyLogLevel, flg.Value.String()) + cfg.Set(keyLogLevel, meta.Value(flg.Value.String())) case "debug": - cfg.Set(keyDebug, flg.Value.String()) + cfg.Set(keyDebug, meta.Value(flg.Value.String())) case "r": - cfg.Set(keyReadOnly, flg.Value.String()) + cfg.Set(keyReadOnly, meta.Value(flg.Value.String())) case "v": - cfg.Set(keyVerbose, flg.Value.String()) + cfg.Set(keyVerbose, meta.Value(flg.Value.String())) } }) return filename, cfg } func deleteConfiguredBoxes(cfg *meta.Meta) { - for _, p := range cfg.PairsRest() { - if key := p.Key; strings.HasPrefix(key, kernel.BoxURIs) { + for key := range cfg.Rest() { + if strings.HasPrefix(key, kernel.BoxURIs) { cfg.Delete(key) } } } @@ -184,11 +184,11 @@ debugMode := cfg.GetBool(keyDebug) if debugMode && kernel.Main.GetKernelLogger().Level() > logger.DebugLevel { kernel.Main.SetLogLevel(logger.DebugLevel.String()) } if logLevel, found := cfg.Get(keyLogLevel); found { - kernel.Main.SetLogLevel(logLevel) + kernel.Main.SetLogLevel(string(logLevel)) } err := setConfigValue(nil, kernel.CoreService, kernel.CoreDebug, debugMode) err = setConfigValue(err, kernel.CoreService, kernel.CoreVerbose, cfg.GetBool(keyVerbose)) if val, found := cfg.Get(keyAdminPort); found { err = setConfigValue(err, kernel.CoreService, kernel.CorePort, val) @@ -279,15 +279,15 @@ if len(secret) < 16 && cfg.GetDefault(keyOwner, "") != "" { fmt.Fprintf(os.Stderr, "secret must have at least length 16 when authentication is enabled, but is %q\n", secret) return 2 } cfg.Delete("secret") - secret = fmt.Sprintf("%x", sha256.Sum256([]byte(secret))) + secretHash := fmt.Sprintf("%x", sha256.Sum256([]byte(string(secret)))) kern.SetCreators( func(readonly bool, owner id.Zid) (auth.Manager, error) { - return impl.New(readonly, owner, secret), nil + return impl.New(readonly, owner, secretHash), nil }, createManager, func(srv server.Server, plMgr box.Manager, authMgr auth.Manager, rtConfig config.Config) error { setupRouting(srv, plMgr, authMgr, rtConfig) return nil Index: collect/collect.go ================================================================== --- collect/collect.go +++ collect/collect.go @@ -24,11 +24,11 @@ } // References returns all references mentioned in the given zettel. This also // includes references to images. func References(zn *ast.ZettelNode) (s Summary) { - ast.Walk(&s, &zn.Ast) + ast.Walk(&s, &zn.BlocksAST) return s } // Visit all node to collect data for the summary. func (s *Summary) Visit(node ast.Node) ast.Visitor { Index: collect/collect_test.go ================================================================== --- collect/collect_test.go +++ collect/collect_test.go @@ -37,11 +37,11 @@ t.Error("No links/images expected, but got:", summary.Links, "and", summary.Embeds) } intNode := &ast.LinkNode{Ref: parseRef("01234567890123")} para := ast.CreateParaNode(intNode, &ast.LinkNode{Ref: parseRef("https://zettelstore.de/z")}) - zn.Ast = ast.BlockSlice{para} + zn.BlocksAST = ast.BlockSlice{para} summary = collect.References(zn) if summary.Links == nil || summary.Embeds != nil { t.Error("Links expected, and no images, but got:", summary.Links, "and", summary.Embeds) } @@ -53,12 +53,12 @@ } func TestEmbed(t *testing.T) { t.Parallel() zn := &ast.ZettelNode{ - Ast: ast.BlockSlice{ast.CreateParaNode(&ast.EmbedRefNode{Ref: parseRef("12345678901234")})}, + BlocksAST: ast.BlockSlice{ast.CreateParaNode(&ast.EmbedRefNode{Ref: parseRef("12345678901234")})}, } summary := collect.References(zn) if summary.Embeds == nil { t.Error("Only image expected, but got: ", summary.Embeds) } } Index: collect/order.go ================================================================== --- collect/order.go +++ collect/order.go @@ -14,59 +14,56 @@ // Package collect provides functions to collect items from a syntax tree. package collect import "zettelstore.de/z/ast" -// Order of internal reference within the given zettel. -func Order(zn *ast.ZettelNode) (result []*ast.Reference) { - for _, bn := range zn.Ast { +// Order of internal links within the given zettel. +func Order(zn *ast.ZettelNode) (result []*ast.LinkNode) { + for _, bn := range zn.BlocksAST { ln, ok := bn.(*ast.NestedListNode) if !ok { continue } switch ln.Kind { case ast.NestedListOrdered, ast.NestedListUnordered: for _, is := range ln.Items { - if ref := firstItemZettelReference(is); ref != nil { - result = append(result, ref) + if ln := firstItemZettelLink(is); ln != nil { + result = append(result, ln) } } } } return result } -func firstItemZettelReference(is ast.ItemSlice) *ast.Reference { +func firstItemZettelLink(is ast.ItemSlice) *ast.LinkNode { for _, in := range is { if pn, ok := in.(*ast.ParaNode); ok { - if ref := firstInlineZettelReference(pn.Inlines); ref != nil { - return ref + if ln := firstInlineZettelLink(pn.Inlines); ln != nil { + return ln } } } return nil } -func firstInlineZettelReference(is ast.InlineSlice) (result *ast.Reference) { +func firstInlineZettelLink(is ast.InlineSlice) (result *ast.LinkNode) { for _, inl := range is { switch in := inl.(type) { case *ast.LinkNode: - if ref := in.Ref; ref.IsZettel() { - return ref - } - result = firstInlineZettelReference(in.Inlines) + return in case *ast.EmbedRefNode: - result = firstInlineZettelReference(in.Inlines) + result = firstInlineZettelLink(in.Inlines) case *ast.EmbedBLOBNode: - result = firstInlineZettelReference(in.Inlines) + result = firstInlineZettelLink(in.Inlines) case *ast.CiteNode: - result = firstInlineZettelReference(in.Inlines) + result = firstInlineZettelLink(in.Inlines) case *ast.FootnoteNode: // Ignore references in footnotes continue case *ast.FormatNode: - result = firstInlineZettelReference(in.Inlines) + result = firstInlineZettelLink(in.Inlines) default: continue } if result != nil { return result Index: config/config.go ================================================================== --- config/config.go +++ config/config.go @@ -15,21 +15,23 @@ package config import ( "context" - "zettelstore.de/z/zettel/meta" + "t73f.de/r/zsc/domain/meta" ) // Key values that are supported by Config.Get const ( - KeyFooterZettel = "footer-zettel" - KeyHomeZettel = "home-zettel" - KeyShowBackLinks = "show-back-links" - KeyShowFolgeLinks = "show-folge-links" - KeyShowSequelLinks = "show-sequel-links" - KeyShowSuccessorLinks = "show-successor-links" + KeyFooterZettel = "footer-zettel" + KeyHomeZettel = "home-zettel" + KeyListsMenuZettel = "lists-menu-zettel" + KeyShowBackLinks = "show-back-links" + KeyShowFolgeLinks = "show-folge-links" + KeyShowSequelLinks = "show-sequel-links" + KeyShowSubordinateLinks = "show-subordinate-links" + KeyShowSuccessorLinks = "show-successor-links" // api.KeyLang ) // Config allows to retrieve all defined configuration values that can be changed during runtime. type Config interface { @@ -53,11 +55,11 @@ // GetYAMLHeader returns the current value of the "yaml-header" key. GetYAMLHeader() bool // GetZettelFileSyntax returns the current value of the "zettel-file-syntax" key. - GetZettelFileSyntax() []string + GetZettelFileSyntax() []meta.Value } // AuthConfig are relevant configuration values for authentication. type AuthConfig interface { // GetSimpleMode returns true if system tuns in simple-mode. @@ -96,14 +98,15 @@ // AllowHTML returns true, if the given HTML insecurity level matches the given syntax value. func (hi HTMLInsecurity) AllowHTML(syntax string) bool { switch hi { case SyntaxHTML: - return syntax == meta.SyntaxHTML + return syntax == meta.ValueSyntaxHTML case MarkdownHTML: - return syntax == meta.SyntaxHTML || syntax == meta.SyntaxMarkdown || syntax == meta.SyntaxMD + return syntax == meta.ValueSyntaxHTML || syntax == meta.ValueSyntaxMarkdown || + syntax == meta.ValueSyntaxMD case ZettelmarkupHTML: - return syntax == meta.SyntaxZmk || syntax == meta.SyntaxHTML || - syntax == meta.SyntaxMarkdown || syntax == meta.SyntaxMD + return syntax == meta.ValueSyntaxZmk || syntax == meta.ValueSyntaxHTML || + syntax == meta.ValueSyntaxMarkdown || syntax == meta.ValueSyntaxMD } return false } Index: docs/manual/00001001000000.zettel ================================================================== --- docs/manual/00001001000000.zettel +++ docs/manual/00001001000000.zettel @@ -2,16 +2,16 @@ title: Introduction to the Zettelstore role: manual tags: #introduction #manual #zettelstore syntax: zmk created: 20210126175322 -modified: 20240710184612 +modified: 20250102181246 [[Personal knowledge management|https://en.wikipedia.org/wiki/Personal_knowledge_management]] involves collecting, classifying, storing, searching, retrieving, assessing, evaluating, and sharing knowledge as a daily activity. It's done by most individuals, not necessarily as part of their main business. It's essential for knowledge workers, such as students, researchers, lecturers, software developers, scientists, engineers, architects, etc. Many hobbyists build up a significant amount of knowledge, even if they do not need to think for a living. Personal knowledge management can be seen as a prerequisite for many kinds of collaboration. Zettelstore is software that collects and relates your notes (""zettel"") to represent and enhance your knowledge, supporting the ""[[Zettelkasten method|https://en.wikipedia.org/wiki/Zettelkasten]]"". -The method is based on creating many individual notes, each with one idea or piece of information, that is related to each other. +The method is based on creating many individual notes, each containing one idea or piece of information, which are related to each other. Since knowledge is typically built up gradually, one major focus is a long-term store of these notes, hence the name ""Zettelstore"". Index: docs/manual/00001002000000.zettel ================================================================== --- docs/manual/00001002000000.zettel +++ docs/manual/00001002000000.zettel @@ -2,20 +2,20 @@ title: Design goals for the Zettelstore role: manual tags: #design #goal #manual #zettelstore syntax: zmk created: 20210126175322 -modified: 20230624171152 +modified: 20250102191434 Zettelstore supports the following design goals: ; Longevity of stored notes / zettel : Every zettel you create should be readable without the help of any tool, even without Zettelstore. -: It should be not hard to write other software that works with your zettel. +: It should not hard to write other software that works with your zettel. : Normal zettel should be stored in a single file. If this is not possible: at most in two files: one for the metadata, one for the content. - The only exception are [[predefined zettel|00001005090000]] stored in the Zettelstore executable. + The only exceptions are [[predefined zettel|00001005090000]] stored in the Zettelstore executable. : There is no additional database. ; Single user : All zettel belong to you, only to you. Zettelstore provides its services only to one person: you. If the computer running Zettelstore is securely configured, there should be no risk that others are able to read or update your zettel. @@ -26,18 +26,18 @@ ; Ease of operation : There is only one executable for Zettelstore and one directory, where your zettel are stored. : If you decide to use multiple directories, you are free to configure Zettelstore appropriately. ; Multiple modes of operation : You can use Zettelstore as a standalone software on your device, but you are not restricted to it. -: You can install the software on a central server, or you can install it on all your devices with no restrictions how to synchronize your zettel. +: You can install the software on a central server, or you can install it on all your devices with no restrictions on how to synchronize your zettel. ; Multiple user interfaces : Zettelstore provides a default [[web-based user interface|00001014000000]]. - Anybody can provide alternative user interfaces, e.g. for special purposes. + Anyone can provide alternative user interfaces, e.g. for special purposes. ; Simple service : The purpose of Zettelstore is to safely store your zettel and to provide some initial relations between them. : External software can be written to deeply analyze your zettel and the structures they form. ; Security by default : Without any customization, Zettelstore provides its services in a safe and secure manner and does not expose you (or other users) to security risks. -: If you know what use are doing, Zettelstore allows you to relax some security-related preferences. +: If you know what you are doing, Zettelstore allows you to relax some security-related preferences. However, even in this case, the more secure way is chosen. : The Zettelstore software uses a minimal design and uses other software dependencies only is essential needed. : There will be no plugin mechanism, which allows external software to control the inner workings of the Zettelstore software. Index: docs/manual/00001003000000.zettel ================================================================== --- docs/manual/00001003000000.zettel +++ docs/manual/00001003000000.zettel @@ -2,28 +2,28 @@ title: Installation of the Zettelstore software role: manual tags: #installation #manual #zettelstore syntax: zmk created: 20210126175322 -modified: 20241213101917 +modified: 20250102185359 === The curious user You just want to check out the Zettelstore software -* Grab the appropriate executable and copy it into any directory +* Grab the appropriate executable and copy it to any directory * Start the Zettelstore software, e.g. with a double click[^On Windows and macOS, the operating system tries to protect you from possible malicious software. - If you encounter a problem, please take a look on the [[Troubleshooting|00001018000000]] page.] + If you encounter a problem, please refer to the [[Troubleshooting|00001018000000]] page.] * A sub-directory ""zettel"" will be created in the directory where you put the executable. It will contain your future zettel. * Open the URI [[http://localhost:23123]] with your web browser. - It will present you a mostly empty Zettelstore. + A mostly empty Zettelstore is presented. There will be a zettel titled ""[[Home|00010000000000]]"" that contains some helpful information. * Please read the instructions for the [[web-based user interface|00001014000000]] and learn about the various ways to write zettel. * If you restart your device, please make sure to start your Zettelstore again. === The intermediate user -You already tried the Zettelstore software and now you want to use it permanently. +You have already tried the Zettelstore software and now you want to use it permanently. Zettelstore should start automatically when you log into your computer. Please follow [[these instructions|00001003300000]]. === The server administrator Index: docs/manual/00001003300000.zettel ================================================================== --- docs/manual/00001003300000.zettel +++ docs/manual/00001003300000.zettel @@ -2,13 +2,13 @@ title: Zettelstore installation for the intermediate user role: manual tags: #installation #manual #zettelstore syntax: zmk created: 20211125191727 -modified: 20220114175754 +modified: 20250227220050 -You already tried the Zettelstore software and now you want to use it permanently. +You have already tried the Zettelstore software and now you want to use it permanently. Zettelstore should start automatically when you log into your computer. * Grab the appropriate executable and copy it into the appropriate directory * If you want to place your zettel into another directory, or if you want more than one [[Zettelstore box|00001004011200]], or if you want to [[enable authentication|00001010040100]], or if you want to tweak your Zettelstore in some other way, create an appropriate [[startup configuration file|00001004010000]]. * If you created a startup configuration file, you need to test it: @@ -17,11 +17,17 @@ In most cases, this is done by the command ``cd DIR``, where ''DIR'' denotes the directory, where you placed the executable. ** Start the Zettelstore: *** On Windows execute the command ``zettelstore.exe run -c CONFIG_FILE`` *** On macOS execute the command ``./zettelstore run -c CONFIG_FILE`` *** On Linux execute the command ``./zettelstore run -c CONFIG_FILE`` -** In all cases ''CONFIG_FILE'' must be substituted by file name where you wrote the startup configuration. +** In all cases ''CONFIG_FILE'' must be replaced with the file name where you wrote the startup configuration. ** If you encounter some error messages, update the startup configuration, and try again. * Depending on your operating system, there are different ways to register Zettelstore to start automatically: ** [[Windows|00001003305000]] ** [[macOS|00001003310000]] ** [[Linux|00001003315000]] + +A word of caution: Never expose Zettelstore directly to the Internet. +As a personal service, Zettelstore is not designed to handle all aspects of the open web. +For instance, it lacks support for certificate handling, which is necessary for encrypted HTTP connections. +To ensure security, [[install Zettelstore on a server|00001003600000]] and place it behind a proxy server designed for Internet exposure. +For more details, see: [[External server to encrypt message transport|00001010090100]]. Index: docs/manual/00001003315000.zettel ================================================================== --- docs/manual/00001003315000.zettel +++ docs/manual/00001003315000.zettel @@ -2,11 +2,11 @@ title: Enable Zettelstore to start automatically on Linux role: manual tags: #installation #manual #zettelstore syntax: zmk created: 20220114181521 -modified: 20220307104944 +modified: 20250102221716 Since there is no such thing as the one Linux, there are too many different ways to automatically start Zettelstore. * One way is to interpret your Linux desktop system as a server and use the [[recipe to install Zettelstore on a server|00001003600000]]. ** See below for a lighter alternative. @@ -17,11 +17,11 @@ * [[LXDE|https://www.lxde.org/]] uses [[LXSession Edit|https://wiki.lxde.org/en/LXSession_Edit]] to allow users to specify autostart applications. If you use a different desktop environment, it often helps to to provide its name and the string ""autostart"" to google for it with the search engine of your choice. Yet another way is to make use of the middleware that is provided. -Many Linux distributions make use of [[systemd|https://systemd.io/]], which allows to start processes on behalf of an user. +Many Linux distributions make use of [[systemd|https://systemd.io/]], which allows to start processes on behalf of a user. On the command line, adapt the following script to your own needs and execute it: ``` # mkdir -p "$HOME/.config/systemd/user" # cd "$HOME/.config/systemd/user" # cat <<__EOF__ > zettelstore.service Index: docs/manual/00001003600000.zettel ================================================================== --- docs/manual/00001003600000.zettel +++ docs/manual/00001003600000.zettel @@ -2,11 +2,11 @@ title: Installation of Zettelstore on a server role: manual tags: #installation #manual #zettelstore syntax: zmk created: 20211125191727 -modified: 20211125185833 +modified: 20250227220033 You want to provide a shared Zettelstore that can be used from your various devices. Installing Zettelstore as a Linux service is not that hard. Grab the appropriate executable and copy it into the appropriate directory: @@ -50,5 +50,11 @@ Use the commands ``systemctl``{=sh} and ``journalctl``{=sh} to manage the service, e.g.: ```sh # sudo systemctl status zettelstore # verify that it is running # sudo journalctl -u zettelstore # obtain the output of the running zettelstore ``` + +A word of caution: Never expose Zettelstore directly to the Internet. +As a personal service, Zettelstore is not designed to handle all aspects of the open web. +For instance, it lacks support for certificate handling, which is necessary for encrypted HTTP connections. +To ensure security, place Zettelstore behind a proxy server designed for Internet exposure. +For more details, see: [[External server to encrypt message transport|00001010090100]]. Index: docs/manual/00001004000000.zettel ================================================================== --- docs/manual/00001004000000.zettel +++ docs/manual/00001004000000.zettel @@ -2,13 +2,13 @@ title: Configuration of Zettelstore role: manual tags: #configuration #manual #zettelstore syntax: zmk created: 20210126175322 -modified: 20210510153233 +modified: 20250102181034 -There are some levels to change the behavior and/or the appearance of Zettelstore. +There are several levels to change the behavior and/or the appearance of Zettelstore. # The first level is the way to start Zettelstore services and to manage it via command line (and, in part, via a graphical user interface). #* [[Command line parameters|00001004050000]] # As an intermediate user, you usually want to have more control over how Zettelstore is started. This may include the URI under which your Zettelstore is accessible, or the directories in which your Zettel are stored. Index: docs/manual/00001004010000.zettel ================================================================== --- docs/manual/00001004010000.zettel +++ docs/manual/00001004010000.zettel @@ -2,11 +2,11 @@ title: Zettelstore startup configuration role: manual tags: #configuration #manual #zettelstore syntax: zmk created: 20210126175322 -modified: 20240926144803 +modified: 20250102180346 The configuration file, specified by the ''-c CONFIGFILE'' [[command line option|00001004051000]], allows you to specify some startup options. These cannot be stored in a [[configuration zettel|00001004020000]] because they are needed before Zettelstore can start or because of security reasons. For example, Zettelstore needs to know in advance on which network address it must listen or where zettel are stored. An attacker that is able to change the owner can do anything. @@ -24,11 +24,11 @@ On most operating systems, the value must be greater than ""1024"" unless you start Zettelstore with the full privileges of a system administrator (which is not recommended). Default: ""0"" ; [!asset-dir|''asset-dir''] -: Allows to specify a directory whose files are allowed be transferred directly with the help of the web server. +: Allows to specify a directory whose files are allowed to be transferred directly with the help of the web server. The URL prefix for these files is ''/assets/''. You can use this if you want to transfer files that are too large for a zettel, such as presentation, PDF, music or video files. Files within the given directory will not be managed by Zettelstore.[^They will be managed by Zettelstore just in the very special case that the directory is one of the configured [[boxes|#box-uri-x]].] Index: docs/manual/00001004011200.zettel ================================================================== --- docs/manual/00001004011200.zettel +++ docs/manual/00001004011200.zettel @@ -2,17 +2,17 @@ title: Zettelstore boxes role: manual tags: #configuration #manual #zettelstore syntax: zmk created: 20210126175322 -modified: 20220307121547 +modified: 20250102185551 A Zettelstore must store its zettel somehow and somewhere. In most cases you want to store your zettel as files in a directory. Under certain circumstances you may want to store your zettel elsewhere. -An example are the [[predefined zettel|00001005090000]] that come with a Zettelstore. +An example is the [[predefined zettel|00001005090000]] that come with a Zettelstore. They are stored within the software itself. In another situation you may want to store your zettel volatile, e.g. if you want to provide a sandbox for experimenting. To cope with these (and more) situations, you configure Zettelstore to use one or more __boxes__. This is done via the ''box-uri-X'' keys of the [[startup configuration|00001004010000#box-uri-X]] (X is a number). Index: docs/manual/00001004011400.zettel ================================================================== --- docs/manual/00001004011400.zettel +++ docs/manual/00001004011400.zettel @@ -2,20 +2,20 @@ title: Configure file directory boxes role: manual tags: #configuration #manual #zettelstore syntax: zmk created: 20210126175322 -modified: 20240710180215 +modified: 20250102180416 Under certain circumstances, it is preferable to further configure a file directory box. This is done by appending query parameters after the base box URI ''dir:\//DIR''. The following parameters are supported: |= Parameter:|Description|Default value:| |type|(Sub-) Type of the directory service|(value of ""[[default-dir-box-type|00001004010000#default-dir-box-type]]"") -|worker|Number of worker that can access the directory in parallel|7 +|worker|Number of workers that can access the directory in parallel|7 |readonly|Allow only operations that do not create or change zettel|n/a === Type On some operating systems, Zettelstore tries to detect changes to zettel files outside of Zettelstore's control[^This includes Linux, Windows, and macOS.]. On other operating systems, this may be not possible, due to technical limitations. Index: docs/manual/00001004011600.zettel ================================================================== --- docs/manual/00001004011600.zettel +++ docs/manual/00001004011600.zettel @@ -2,11 +2,11 @@ title: Configure memory boxes role: manual tags: #configuration #manual #zettelstore syntax: zmk created: 20220307112918 -modified: 20220307122554 +modified: 20250102222236 Under most circumstances, it is preferable to further configure a memory box. This is done by appending query parameters after the base box URI ''mem:''. The following parameters are supported: @@ -15,12 +15,12 @@ |max-bytes|Maximum number of bytes the box will store|65535|1073741824 (1 GiB) |max-zettel|Maximum number of zettel|127|65535 The default values are somehow arbitrarily, but applicable for many use cases. -While the number of zettel should be easily calculable by an user, the number of bytes might be a little more difficult. +While the number of zettel should be easily calculable by a user, the number of bytes might be a little more difficult. Metadata consumes 6 bytes for the zettel identifier and for each metadata value one byte for the separator, plus the length of key and data. Then size of the content is its size in bytes. For text content, its the number of bytes for its UTF-8 encoding. If one of the limits are exceeded, Zettelstore will give an error indication, based on the HTTP status code 507. Index: docs/manual/00001004020000.zettel ================================================================== --- docs/manual/00001004020000.zettel +++ docs/manual/00001004020000.zettel @@ -1,12 +1,12 @@ id: 00001004020000 -title: Configure the running Zettelstore +title: Configure a running Zettelstore role: manual tags: #configuration #manual #zettelstore syntax: zmk created: 20210126175322 -modified: 20241118175216 +modified: 20250131151530 show-back-links: false You can configure a running Zettelstore by modifying the special zettel with the ID [[00000000000100]]. This zettel is called __configuration zettel__. The following metadata keys change the appearance / behavior of Zettelstore. @@ -39,32 +39,40 @@ May be [[overwritten|00001004020200]] in a user zettel. Default: (an invalid zettel identifier) ; [!home-zettel|''home-zettel''] -: Specifies the identifier of the zettel, that should be presented for the default view / home view. +: Specifies the identifier of the zettel that should be presented for the default view / home view. If not given or if the identifier does not identify a zettel, the zettel with the identifier ''00010000000000'' is shown. May be [[overwritten|00001004020200]] in a user zettel. - ; [!lang|''lang''] : Language to be used when displaying content. Default: ""en"". - This value is used as a default value, if it is not set in an user's zettel or in a zettel. + This value is used as a default value, if it is not set in a user's zettel or in a zettel. It is also used to specify the language for all non-zettel content, e.g. lists or search results. Use values according to the language definition of [[RFC-5646|https://tools.ietf.org/html/rfc5646]]. +; [!lists-menu-zettel|''lists-menu-zettel''] +: Identifier of the zettel that specifies entries of the ""Lists"" menu (in the [[Web user interface|00001014000000]]). + Every list item with a [[link|00001007040310]] is translated into a menu entry. + + If not given or if the identifier does not identify a zettel, or the zettel is not accessible for the current user, the zettel with the identifier ''00000000080001'' is used. + + May be [[overwritten|00001004020200]] in a user zettel. + + Default: ""00000000080001"". ; [!max-transclusions|''max-transclusions''] : Maximum number of indirect transclusion. This is used to avoid an exploding ""transclusion bomb"", a form of a [[billion laughs attack|https://en.wikipedia.org/wiki/Billion_laughs_attack]]. Default: ""1024"". -; [!show-back-links|''show-back-links''], [!show-folge-links|''show-folge-links''], [!show-sequel-links|''show-sequel-links''], [!show-successor-links|''show-successor-links''] +; [!show-back-links|''show-back-links''], [!show-folge-links|''show-folge-links''], [!show-sequel-links|''show-sequel-links''], [!show-subordinate-links|''show-subordinate-links''], [!show-successor-links|''show-successor-links''] : When displaying a zettel in the web user interface, references to other zettel are normally shown below the content of the zettel. - This affects the metadata keys [[''back''|00001006020000#back]], [[''folge''|00001006020000#folge]], [[''sequel''|00001006020000#sequel]], and [[''prequel''|00001006020000#prequel]]. + This affects the metadata keys [[''back''|00001006020000#back]], [[''folge''|00001006020000#folge]], [[''sequel''|00001006020000#sequel]], [[''subordinates''|00001006020000#subordinates]], and [[''successors''|00001006020000#successors]]. These configuration keys may be used to show, not to show, or to close the list of referenced zettel. Allowed values are: ""false"" (will not show the list), ""close"" (will show the list closed), and ""open"" / """" (will show the list). Index: docs/manual/00001004020200.zettel ================================================================== --- docs/manual/00001004020200.zettel +++ docs/manual/00001004020200.zettel @@ -2,21 +2,23 @@ title: Runtime configuration data that may be user specific or zettel specific role: manual tags: #configuration #manual #zettelstore syntax: zmk created: 20221205155521 -modified: 20241118175124 +modified: 20250131151259 Some metadata of the [[runtime configuration|00001004020000]] may be overwritten in an [[user zettel|00001010040200]]. -A subset of those may be overwritten in zettel that is currently used. +A subset of those may be overwritten in the zettel that is currently used. This allows to specify user specific or zettel specific behavior. The following metadata keys are supported to provide a more specific behavior: |=Key|User:|Zettel:|Remarks |[[''footer-zettel''|00001004020000#footer-zettel]]|Y|N| |[[''home-zettel''|00001004020000#home-zettel]]|Y|N| |[[''lang''|00001004020000#lang]]|Y|Y|Making it user-specific could make zettel for other user less useful +|[[''lists-menu-zettel''|00001004020000#lists-menu-zettel]]|Y|N| |[[''show-back-links''|00001004020000#show-back-links]]|Y|Y| |[[''show-folge-links''|00001004020000#show-folge-links]]|Y|Y| |[[''show-sequel-links''|00001004020000#show-sequel-links]]|Y|Y| +|[[''show-subordinate-links''|00001004020000#show-subordinate-links]]|Y|Y| |[[''show-successor-links''|00001004020000#show-successor-links]]|Y|Y| Index: docs/manual/00001004050000.zettel ================================================================== --- docs/manual/00001004050000.zettel +++ docs/manual/00001004050000.zettel @@ -2,14 +2,14 @@ title: Command line parameters role: manual tags: #command #configuration #manual #zettelstore syntax: zmk created: 20210126175322 -modified: 20221128161932 +modified: 20250102174436 Zettelstore is not just a service that provides services of a zettelkasten. -It allows to some tasks to be executed at the command line. +It allows some tasks to be executed at the command line. Typically, the task (""sub-command"") will be given at the command line as the first parameter. If no parameter is given, the Zettelstore is called as ``` zettelstore @@ -17,16 +17,16 @@ This is equivalent to call it this way: ```sh mkdir -p ./zettel zettelstore run -d ./zettel -c ./.zscfg ``` -Typically this is done by starting Zettelstore via a graphical user interface by double-clicking to its file icon. +Typically this is done by starting Zettelstore via a graphical user interface by double-clicking its file icon. === Sub-commands * [[``zettelstore help``|00001004050200]] lists all available sub-commands. * [[``zettelstore version``|00001004050400]] to display version information of Zettelstore. * [[``zettelstore run``|00001004051000]] to start the Zettelstore service. -* [[``zettelstore run-simple``|00001004051100]] is typically called, when you start Zettelstore by a double.click in your GUI. +* [[``zettelstore run-simple``|00001004051100]] is typically called, when you start Zettelstore by double-clicking in your GUI. * [[``zettelstore file``|00001004051200]] to render files manually without activated/running Zettelstore services. * [[``zettelstore password``|00001004051400]] to calculate data for [[user authentication|00001010040200]]. Every sub-command allows the following command line options: ; [!h|''-h''] (or ''--help'') Index: docs/manual/00001004051100.zettel ================================================================== --- docs/manual/00001004051100.zettel +++ docs/manual/00001004051100.zettel @@ -2,23 +2,23 @@ title: The ''run-simple'' sub-command role: manual tags: #command #configuration #manual #zettelstore syntax: zmk created: 20210126175322 -modified: 20221128161922 +modified: 20250102221633 === ``zettelstore run-simple`` -This sub-command is implicitly called, when an user starts Zettelstore by double-clicking on its GUI icon. -It is s simplified variant of the [[''run'' sub-command|00001004051000]]. +This sub-command is implicitly called, when a user starts Zettelstore by double-clicking on its GUI icon. +It is a simplified variant of the [[''run'' sub-command|00001004051000]]. First, this sub-command checks if it can read a [[Zettelstore startup configuration|00001004010000]] file by trying the [[default values|00001004051000#c]]. If this is the case, ''run-simple'' just continues as the [[''run'' sub-command|00001004051000]], but ignores any command line options (including ''-d DIR'').[^This allows a [[curious user|00001003000000]] to become an intermediate user.] If no startup configuration was found, the sub-command allows only to specify a zettel directory. The directory will be created automatically, if it does not exist. -This is a difference to the ''run'' sub-command, where the directory must exists. +This is a difference to the ''run'' sub-command, where the directory must exist. In contrast to the ''run'' sub-command, other command line parameter are not allowed. ``` zettelstore run-simple [-d DIR] ``` Index: docs/manual/00001004051400.zettel ================================================================== --- docs/manual/00001004051400.zettel +++ docs/manual/00001004051400.zettel @@ -2,13 +2,13 @@ title: The ''password'' sub-command role: manual tags: #command #configuration #manual #zettelstore syntax: zmk created: 20210126175322 -modified: 20210712234305 +modified: 20250102221851 -This sub-command is used to create a hashed password for to be authenticated users. +This sub-command is used to create a hashed password for users to be authenticated. It reads a password from standard input (two times, both must be equal) and writes the hashed password to standard output. The general usage is: ``` @@ -16,11 +16,11 @@ ``` ``IDENT`` is the identification for the user that should be authenticated. ``ZETTEL-ID`` is the [[identifier of the zettel|00001006050000]] that later acts as a user zettel. -See [[Creating an user zettel|00001010040200]] for some background information. +See [[Creating a user zettel|00001010040200]] for some background information. An example: ``` # zettelstore password bob 20200911115600 @@ -33,7 +33,7 @@ This will produce a hashed password (""credential"") for the new user ""bob"" to be stored in zettel ""20200911115600"". You should copy the relevant output to the zettel of the user to be secured, especially by setting the meta keys ''credential'' and ''user-id'' to the copied values. Please note that the generated hashed password is tied to the given user identification (''user-id'') and to the identifier of its zettel. -Changing one of those will stop authenticating the user with the given password. +Changing one of these will prevent the user from being authenticated with the given password. In this case you have to re-run this sub-command. Index: docs/manual/00001004100000.zettel ================================================================== --- docs/manual/00001004100000.zettel +++ docs/manual/00001004100000.zettel @@ -2,13 +2,13 @@ title: Zettelstore Administrator Console role: manual tags: #configuration #manual #zettelstore syntax: zmk created: 20210510141304 -modified: 20211103162926 +modified: 20250102212543 -The administrator console is a service accessible only on the same computer on which Zettelstore is running. +The administrator console is a service that is accessible only on the same computer on which Zettelstore is running. It allows an experienced user to monitor and control some of the inner workings of Zettelstore. You enable the administrator console by specifying a TCP port number greater than zero (better: greater than 1024) for it, either via the [[command-line parameter ''-a''|00001004051000#a]] or via the ''admin-port'' key of the [[startup configuration file|00001004010000#admin-port]]. After you enable the administrator console, you can use tools such as [[PuTTY|https://www.chiark.greenend.org.uk/~sgtatham/putty/]] or other telnet software to connect to the administrator console. @@ -17,10 +17,10 @@ Therefore, you can also use tools like [[netcat|https://nc110.sourceforge.io/]], [[socat|http://www.dest-unreach.org/socat/]], etc. After connecting to the administrator console, there is no further authentication. It is not needed because you must be logged in on the same computer where Zettelstore is running. You cannot connect to the administrator console if you are on a different computer. -Of course, on multi-user systems with encrusted users, you should not enable the administrator console. +Of course, on multi-user systems with untrusted users, you should not enable the administrator console. * Enable via [[command line|00001004051000#a]] * Enable via [[configuration file|00001004010000#admin-port]] * [[List of supported commands|00001004101000]] Index: docs/manual/00001004101000.zettel ================================================================== --- docs/manual/00001004101000.zettel +++ docs/manual/00001004101000.zettel @@ -2,11 +2,11 @@ title: List of supported commands of the administrator console role: manual tags: #configuration #manual #zettelstore syntax: zmk created: 20210510141304 -modified: 20220823194553 +modified: 20250102190201 ; [!bye|''bye''] : Closes the connection to the administrator console. ; [!config|''config SERVICE''] : Displays all valid configuration keys for the given service. @@ -38,11 +38,11 @@ ``get-config SERVICE`` shows only the current configuration data of the given service. ``get-config SERVICE KEY`` shows the current configuration data for the given service and key. ; [!header|''header''] -: Toggles the header mode, where each table is show with a header nor not. +: Toggles the header mode, where each table is shown with a header nor not. ; [!log-level|''log-level''] : Displays or sets the [[logging level|00001004059700]] for the kernel or a service. ``log-level`` shows all known log level. @@ -77,11 +77,11 @@ ; [!refresh|''refresh''] : Refresh all internal data about zettel. ; [!restart|''restart SERVICE''] : Restart the given service and all other that depend on this. ; [!services|''services''] -: Displays s list of all available services and their current status. +: Displays a list of all available services and their current status. ; [!set-config|''set-config SERVICE KEY VALUE''] : Sets a single configuration value for the next configuration of a given service. It will become effective if the service is restarted. If the key specifies a list value, all other list values with a number greater than the given key are deleted. Index: docs/manual/00001005000000.zettel ================================================================== --- docs/manual/00001005000000.zettel +++ docs/manual/00001005000000.zettel @@ -2,19 +2,19 @@ title: Structure of Zettelstore role: manual tags: #design #manual #zettelstore syntax: zmk created: 20210126175322 -modified: 20241213101751 +modified: 20250102191502 Zettelstore is a software that manages your zettel. -Since every zettel must be readable without any special tool, most zettel has to be stored as ordinary files within specific directories. -Typically, file names and file content must comply to specific rules so that Zettelstore can manage them. +Since every zettel must be readable without any special tool, most zettel have to be stored as ordinary files within specific directories. +Typically, file names and file content must comply with specific rules so that Zettelstore can manage them. If you add, delete, or change zettel files with other tools, e.g. a text editor, Zettelstore will monitor these actions. Zettelstore provides additional services to the user. -Via the builtin [[web user interface|00001014000000]] you can work with zettel in various ways. +Via the built-in [[web user interface|00001014000000]] you can work with zettel in various ways. For example, you are able to list zettel, to create new zettel, to edit them, or to delete them. You can view zettel details and relations between zettel. In addition, Zettelstore provides an ""application programming interface"" ([[API|00001012000000]]) that allows other software to communicate with the Zettelstore. Zettelstore becomes extensible by external software. @@ -39,28 +39,28 @@ These are ignored by Zettelstore. Two filename extensions are used by Zettelstore: # ''.zettel'' is a format that stores metadata and content together in one file, # the empty file extension is used, when the content must be stored in its own file, e.g. image data; - in this case, the filename just the 14 digits of the zettel identifier, and optional characters except the period ''"."''. + in this case, the filename contains just the 14 digits of the zettel identifier, and optional characters except the period ''"."''. Other filename extensions are used to determine the ""syntax"" of a zettel. This allows to use other content within the Zettelstore, e.g. images or HTML templates. For example, you want to store an important figure in the Zettelstore that is encoded as a ''.png'' file. -Since each zettel contains some metadata, e.g. the title of the figure, the question arises where these data should be stores. +Since each zettel contains some metadata, e.g. the title of the figure, the question arises where these data should be stored. The solution is a meta-file with the same zettel identifier, but without a filename extension. Zettelstore recognizes this situation and reads in both files for the one zettel containing the figure. -It maintains this relationship as long as these files exists. +It maintains this relationship as long as these files exist. In case of some textual zettel content you do not want to store the metadata and the zettel content in two different files. -Here the ''.zettel'' extension will signal that the metadata and the zettel content will be put in the same file, separated by an empty line or a line with three dashes (""''-\-\-''"", also known as ""YAML separator""). +Here the ''.zettel'' extension will signal that the metadata and the zettel content will be stored in the same file, separated by an empty line or a line with three dashes (""''-\-\-''"", also known as ""YAML separator""). === Predefined zettel Zettelstore contains some [[predefined zettel|00001005090000]] to work properly. The [[configuration zettel|00001004020000]] is one example. -To render the builtin [[web user interface|00001014000000]], some templates are used, as well as a [[layout specification in CSS|00000000020001]]. +To render the built-in [[web user interface|00001014000000]], some templates are used, as well as a [[layout specification in CSS|00000000020001]]. The icon that visualizes a broken image is a [[predefined GIF image|00000000040001]]. All of these are visible to the Zettelstore as zettel. One reason for this is to allow you to modify these zettel to adapt Zettelstore to your needs and visual preferences. @@ -67,11 +67,11 @@ Where are these zettel stored? They are stored within the Zettelstore software itself, because one [[design goal|00001002000000]] was to have just one executable file to use Zettelstore. But data stored within an executable program cannot be changed later[^Well, it can, but it is a very bad idea to allow this. Mostly for security reasons.]. To allow changing predefined zettel, both the file store and the internal zettel store are internally chained together. -If you change a zettel, it will be always stored as a file. +If you change a zettel, it will be stored as a file. If a zettel is requested, Zettelstore will first try to read that zettel from a file. If such a file was not found, the internal zettel store is searched secondly. Therefore, the file store ""shadows"" the internal zettel store. If you want to read the original zettel, you have to delete the zettel (which removes it from the file directory). @@ -78,15 +78,15 @@ Now we have two places where zettel are stored: in the specific directory and within the Zettelstore software. * [[List of predefined zettel|00001005090000]] === Boxes: alternative ways to store zettel -As described above, a zettel may be stored as a file inside a directory or inside the Zettelstore software itself. +As described above, a zettel may be stored either as a file inside a directory or within the Zettelstore software itself. Zettelstore allows other ways to store zettel by providing an abstraction called __box__.[^Formerly, zettel were stored physically in boxes, often made of wood.] A file directory which stores zettel is called a ""directory box"". But zettel may be also stored in a ZIP file, which is called ""file box"". For testing purposes, zettel may be stored in volatile memory (called __RAM__). This way is called ""memory box"". Other types of boxes could be added to Zettelstore. What about a ""remote Zettelstore box""? Index: docs/manual/00001005090000.zettel ================================================================== --- docs/manual/00001005090000.zettel +++ docs/manual/00001005090000.zettel @@ -2,11 +2,11 @@ title: List of predefined zettel role: manual tags: #manual #reference #zettelstore syntax: zmk created: 20210126175322 -modified: 20241202102358 +modified: 20250131151733 The following table lists all predefined zettel with their purpose. The content of most[^To be more exact: zettel with an identifier greater or equal ''00000999999900'' will have their content indexed.] of these zettel will not be indexed by Zettelstore. You will not find zettel when searched for some content, e.g. ""[[query:european]]"" will not find the [[Zettelstore License|00000000000004]]. @@ -20,11 +20,11 @@ | [[00000000000005]] | Zettelstore Contributors | Lists all contributors of Zettelstore | [[00000000000006]] | Zettelstore Dependencies | Lists all licensed content | [[00000000000007]] | Zettelstore Log | Lists the last 8192 log messages | [[00000000000008]] | Zettelstore Memory | Some statistics about main memory usage | [[00000000000009]] | Zettelstore Sx Engine | Statistics about the [[Sx|https://t73f.de/r/sx]] engine, which interprets symbolic expressions -| [[00000000000020]] | Zettelstore Box Manager | Contains some statistics about zettel boxes and the the index process +| [[00000000000020]] | Zettelstore Box Manager | Contains some statistics about zettel boxes and the index process | [[00000000000090]] | Zettelstore Supported Metadata Keys | Contains all supported metadata keys, their [[types|00001006030000]], and more | [[00000000000092]] | Zettelstore Supported Parser | Lists all supported values for metadata [[syntax|00001006020000#syntax]] that are recognized by Zettelstore | [[00000000000096]] | Zettelstore Startup Configuration | Contains the effective values of the [[startup configuration|00001004010000]] | [[00000000000100]] | Zettelstore Runtime Configuration | Allows to [[configure Zettelstore at runtime|00001004020000]] | [[00000000010100]] | Zettelstore Base HTML Template | Contains the general layout of the HTML view @@ -39,13 +39,14 @@ | [[00000000019990]] | Zettelstore Sxn Base Code | Base sxn functions to build the templates | [[00000000020001]] | Zettelstore Base CSS | System-defined CSS file that is included by the [[Base HTML Template|00000000010100]] | [[00000000025001]] | Zettelstore User CSS | User-defined CSS file that is included by the [[Base HTML Template|00000000010100]] | [[00000000040001]] | Generic Emoji | Image that is shown if [[original image reference|00001007040322]] is invalid | [[00000000060010]] | zettel | [[Role zettel|00001012051800]] for the role ""[[zettel|00001006020100#zettel]]"" -| [[00000000060020]] | confguration | [[Role zettel|00001012051800]] for the role ""[[confguration|00001006020100#confguration]]"" +| [[00000000060020]] | configuration | [[Role zettel|00001012051800]] for the role ""[[confguration|00001006020100#configuration]]"" | [[00000000060030]] | role | [[Role zettel|00001012051800]] for the role ""[[role|00001006020100#role]]"" | [[00000000060040]] | tag | [[Role zettel|00001012051800]] for the role ""[[tag|00001006020100#tag]]"" +| [[00000000080001]] | Lists Menu | Default items of the ""Lists"" menu; see [[lists-menu-zettel|00001004020000#lists-menu-zettel]] for customization options | [[00000000090000]] | New Menu | Contains items that should be in the zettel template menu | [[00000000090001]] | New Zettel | Template for a new zettel with role ""[[zettel|00001006020100#zettel]]"" | [[00000000090002]] | New User | Template for a new [[user zettel|00001010040200]] | [[00000000090003]] | New Tag | Template for a new [[tag zettel|00001006020100#tag]] | [[00000000090004]] | New Role | Template for a new [[role zettel|00001006020100#role]] @@ -53,6 +54,6 @@ | [[00010000000000]] | Home | Default home zettel, contains some welcome information If a zettel is not linked, it is not accessible for the current user. In most cases, you must at least enable [[''expert-mode''|00001004020000#expert-mode]]. -**Important:** All identifier may change until a stable version of the software is released. +**Important:** All identifiers may change until a stable version of the software is released. Index: docs/manual/00001006000000.zettel ================================================================== --- docs/manual/00001006000000.zettel +++ docs/manual/00001006000000.zettel @@ -2,11 +2,11 @@ title: Layout of a Zettel role: manual tags: #design #manual #zettelstore syntax: zmk created: 20210126175322 -modified: 20230403123541 +modified: 20250102190828 A zettel consists of two parts: the metadata and the zettel content. Metadata gives some information mostly about the zettel content, how it should be interpreted, how it is sorted within Zettelstore. The zettel content is, well, the actual content. In many cases, the content is in plain text form. @@ -40,10 +40,10 @@ It can be presented in various [[encodings|00001012920500]].[^The [[zmk encoding|00001012920522]] allows you to compare the plain, the parsed, and the evaluated form of a zettel.] However, a zettel such as this one you are currently reading, is a ""[[evaluated zettel|00001012053500]]"", also retrieved with the [[endpoint|00001012920000]] ''/z/{ID}'' and specifying an encoding. The biggest difference to a parsed zettel is the inclusion of [[block transclusions|00001007031100]] or [[inline transclusions|00001007040324]] for an evaluated zettel. It can also be presented in various encoding, including the ""zmk"" encoding. -Evaluations also applies to metadata of a zettel, if appropriate. +Evaluations also applies to metadata of a zettel, when appropriate. Please note, that searching for content is based on parsed zettel. Transcluded content will only be found in transcluded zettel, but not in the zettel that transcluded the content. -However, you will easily pick up that zettel by follow the [[backward|00001006020000#backward]] metadata key of the transcluded zettel. +However, you will easily pick up that zettel by following the [[backward|00001006020000#backward]] metadata key of the transcluded zettel. Index: docs/manual/00001006020000.zettel ================================================================== --- docs/manual/00001006020000.zettel +++ docs/manual/00001006020000.zettel @@ -2,11 +2,11 @@ title: Supported Metadata Keys role: manual tags: #manual #meta #reference #zettel #zettelstore syntax: zmk created: 20210126175322 -modified: 20241118175033 +modified: 20250115163835 Although you are free to define your own metadata, by using any key (according to the [[syntax|00001006010000]]), some keys have a special meaning that is enforced by Zettelstore. See the [[computed list of supported metadata keys|00000000000090]] for details. Most keys conform to a [[type|00001006030000]]. @@ -31,30 +31,24 @@ If you create a zettel with an editor software outside Zettelstore, you should set it manually to an appropriate value. This is a computed value. There is no need to set it via Zettelstore. - If it is not stored within a zettel, it will be computed based on the value of the [[Zettel Identifier|00001006050000]]: if it contains a value >= 19700101000000, it will be coerced to da date/time; otherwise the version time of the running software will be used. + If it is not stored within a zettel, it will be computed based on the value of the [[Zettel Identifier|00001006050000]]: if it contains a value >= 19700101000000, it will be coerced to a date/time; otherwise the version time of the running software will be used. Please note that the value von ''created'' will be different (in most cases) to the value of [[''id''|#id]] / the zettel identifier, because it is exact up to the second. When calculating a zettel identifier, Zettelstore tries to set the second value to zero, if possible. -; [!created-missing|''created-missing''] -: If set to ""true"", the value of [[''created''|#created]] was not stored within a zettel. - To allow the migration of [[zettel identifier|00001006050000]] to a new scheme, you should update the value of ''created'' to a reasonable value. - Otherwise you might lose that information in future releases. - - This key will be removed when the migration to a new zettel identifier format has been completed. ; [!credential|''credential''] : Contains the hashed password, as it was emitted by [[``zettelstore password``|00001004051400]]. It is internally created by hashing the password, the [[zettel identifier|00001006050000]], and the value of the ''ident'' key. It is only used for zettel with a ''role'' value of ""user"". ; [!dead|''dead''] : Property that contains all references that does __not__ identify a zettel. ; [!expire|''expire''] : A user-entered time stamp that document the point in time when the zettel should expire. - When a zettel is expires, Zettelstore does nothing. + When a zettel expires, Zettelstore does nothing. It is up to you to define required actions. ''expire'' is just a documentation. You could define a query and execute it regularly, for example [[query:expire? ORDER expire]]. Alternatively, a Zettelstore client software could define some actions when it detects expired zettel. ; [!folge|''folge''] @@ -89,13 +83,13 @@ : References the zettel that contains a previous version of the content. In contrast to [[''precursor''|#precurso]] / [[''folge''|#folge]], this is a reference because of technical reasons, not because of content-related reasons. Basically the inverse of key [[''successors''|#successors]]. ; [!prequel|''prequel''] : Specifies a zettel that is conceptually a prequel zettel. - This is a zettel that occured somehow before the current zettel. + This is a zettel that occurred somehow before the current zettel. ; [!published|''published''] -: This property contains the timestamp of the mast modification / creation of the zettel. +: This property contains the timestamp of the last modification / creation of the zettel. If [[''modified''|#modified]] is set with a valid timestamp, it contains the its value. Otherwise, if [[''created''|#created]] is set with a valid timestamp, it contains the its value. Otherwise, if the zettel identifier contains a valid timestamp, the identifier is used. In all other cases, this property is not set. @@ -114,19 +108,23 @@ Can be used for selecting zettel. See [[supported zettel roles|00001006020100]]. If not given, it is ignored. ; [!sequel|''sequel''] : Is a property that contains identifier of all zettel that reference this zettel through the [[''prequel''|#prequel]] value. +; [!subordinates|''subordinates''] +: Is a property that contains identifier of all zettel that reference this zettel through the [[''superior''|#superior]] value. ; [!successors|''successors''] : Is a property that contains identifier of all zettel that reference this zettel through the [[''predecessor''|#predecessor]] value. Therefore, it references all zettel that contain a new version of the content and/or metadata. In contrast to [[''folge''|#folge]], these are references because of technical reasons, not because of content-related reasons. In most cases, zettel referencing the current zettel should be updated to reference a successor zettel. The [[query reference|00001007040310]] [[query:backward? successors?]] lists all such zettel. ; [!summary|''summary''] -: Summarizes the content of the zettel. - You may use all [[inline-structued elements|00001007040000]] of Zettelmarkup. +: Summarizes the content of the zettel using plain text. +; [!superior|''superior''] +: Specifies a zettel that is conceptually a superior zettel. + This might be a more abstract zettel, or a zettel that should be higher in a hierarchy. ; [!syntax|''syntax''] : Specifies the syntax that should be used for interpreting the zettel. The zettel about [[other markup languages|00001008000000]] defines supported values. If it is not given, it defaults to ''plain''. ; [!tags|''tags''] @@ -134,11 +132,11 @@ Each Tag must begin with the number sign character (""''#''"", U+0023). ; [!title|''title''] : Specifies the title of the zettel. If not given, the value of [[''id''|#id]] will be used. ; [!url|''url''] -: Defines an URL / URI for this zettel that possibly references external material. +: Defines a URL / URI for this zettel that possibly references external material. One use case is to specify the document that the current zettel comments on. The URL will be rendered special in the [[web user interface|00001014000000]] if you use the default template. ; [!useless-files|''useless-files''] : Contains the file names that are rejected to serve the content of a zettel. Is used for [[directory boxes|00001004011400]] and [[file boxes|00001004011200#file]]. Index: docs/manual/00001006020100.zettel ================================================================== --- docs/manual/00001006020100.zettel +++ docs/manual/00001006020100.zettel @@ -2,11 +2,11 @@ title: Supported Zettel Roles role: manual tags: #manual #meta #reference #zettel #zettelstore syntax: zmk created: 20210126175322 -modified: 20231129173620 +modified: 20250102175032 The [[''role'' key|00001006020000#role]] defines what kind of zettel you are writing. You are free to define your own roles. It is allowed to set an empty value or to omit the role. @@ -18,14 +18,14 @@ ; [!manual|''manual''] : All zettel that document the inner workings of the Zettelstore software. This role is only used in this specific Zettelstore. ; [!role|''role''] : A zettel with the role ""role"" and a title, which names a [[role|00001006020000#role]], is treated as a __role zettel__. - Basically, role zettel describe the role, and form a hierarchiy of meta-roles. + Basically, role zettel describe the role, and form a hierarchy of meta-roles. ; [!tag|''tag''] : A zettel with the role ""tag"" and a title, which names a [[tag|00001006020000#tags]], is treated as a __tag zettel__. - Basically, tag zettel describe the tag, and form a hierarchiy of meta-tags. + Basically, tag zettel describe the tag, and form a hierarchy of meta-tags. ; [!zettel|''zettel''] : A zettel that contains your own thoughts. The real reason to use this software. If you adhere to the process outlined by Niklas Luhmann, a zettel could have one of the following three roles: Index: docs/manual/00001006020400.zettel ================================================================== --- docs/manual/00001006020400.zettel +++ docs/manual/00001006020400.zettel @@ -2,41 +2,33 @@ title: Supported values for metadata key ''read-only'' role: manual tags: #manual #meta #reference #zettel #zettelstore syntax: zmk created: 20210126175322 -modified: 20211124132040 +modified: 20250102205707 A zettel can be marked as read-only, if it contains a metadata value for key [[''read-only''|00001006020000#read-only]]. -If user authentication is [[enabled|00001010040100]], it is possible to allow some users to change the zettel, -depending on their [[user role|00001010070300]]. +If user authentication is [[enabled|00001010040100]], it is possible to allow some users to change the zettel, depending on their [[user role|00001010070300]]. Otherwise, the read-only mark is just a binary value. === No authentication -If there is no metadata value for key ''read-only'' or if its [[boolean value|00001006030500]] -is interpreted as ""false"", anybody can modify the zettel. +If there is no metadata value for key ''read-only'' or if its [[boolean value|00001006030500]] is interpreted as ""false"", anybody can modify the zettel. -If the metadata value is something else (the value ""true"" is recommended), -the user cannot modify the zettel through the [[web user interface|00001014000000]]. -However, if the zettel is stored as a file in a [[directory box|00001004011400]], -the zettel could be modified using an external editor. +If the metadata value is something else (the value ""true"" is recommended), the user cannot modify the zettel through the [[web user interface|00001014000000]]. +However, if the zettel is stored as a file in a [[directory box|00001004011400]], the zettel could be modified using an external editor. === Authentication enabled -If there is no metadata value for key ''read-only'' or if its [[boolean value|00001006030500]] -is interpreted as ""false"", anybody can modify the zettel. +If there is no metadata value for key ''read-only'' or if its [[boolean value|00001006030500]] is interpreted as ""false"", anybody can modify the zettel. -If the metadata value is the same as an explicit [[user role|00001010070300]], -users with that role (or a role with lower rights) are not allowed to modify the zettel. +If the metadata value is the same as an explicit [[user role|00001010070300]], users with that role (or a role with lower rights) are not allowed to modify the zettel. ; ""reader"" : Neither an unauthenticated user nor a user with role ""reader"" is allowed to modify the zettel. Users with role ""writer"" or the owner itself still can modify the zettel. ; ""writer"" : Neither an unauthenticated user, nor users with roles ""reader"" or ""writer"" are allowed to modify the zettel. Only the owner of the Zettelstore can modify the zettel. -If the metadata value is something else (one of the values ""true"" or ""owner"" is recommended), -no user is allowed modify the zettel through the [[web user interface|00001014000000]]. -However, if the zettel is accessible as a file in a [[directory box|00001004011400]], -the zettel could be modified using an external editor. -Typically the owner of a Zettelstore have such an access. +If the metadata value is something else (one of the values ""true"" or ""owner"" is recommended), no user is allowed to modify the zettel through the [[web user interface|00001014000000]]. +However, if the zettel is accessible as a file in a [[directory box|00001004011400]], the zettel could be modified using an external editor. +Typically the owner of a Zettelstore has such access. Index: docs/manual/00001006030000.zettel ================================================================== --- docs/manual/00001006030000.zettel +++ docs/manual/00001006030000.zettel @@ -2,11 +2,11 @@ title: Supported Key Types role: manual tags: #manual #meta #reference #zettel #zettelstore syntax: zmk created: 20210126175322 -modified: 20240219161909 +modified: 20250115172354 All [[supported metadata keys|00001006020000]] conform to a type. User-defined metadata keys conform also to a type, based on the suffix of the key. @@ -13,11 +13,10 @@ |=Suffix|Type | ''-date'' | [[Timestamp|00001006034500]] | ''-number'' | [[Number|00001006033000]] | ''-role'' | [[Word|00001006035500]] | ''-time'' | [[Timestamp|00001006034500]] -| ''-title'' | [[Zettelmarkup|00001006036500]] | ''-url'' | [[URL|00001006035000]] | ''-zettel'' | [[Identifier|00001006032000]] | ''-zid'' | [[Identifier|00001006032000]] | ''-zids'' | [[IdentifierSet|00001006032500]] | any other suffix | [[EString|00001006031500]] @@ -36,6 +35,5 @@ * [[String|00001006033500]] * [[TagSet|00001006034000]] * [[Timestamp|00001006034500]] * [[URL|00001006035000]] * [[Word|00001006035500]] -* [[Zettelmarkup|00001006036500]] Index: docs/manual/00001006031500.zettel ================================================================== --- docs/manual/00001006031500.zettel +++ docs/manual/00001006031500.zettel @@ -2,13 +2,13 @@ title: EString Key Type role: manual tags: #manual #meta #reference #zettel #zettelstore syntax: zmk created: 20210212135017 -modified: 20230419175525 +modified: 20250102164729 -Values of this type are just a sequence of character, possibly an empty sequence. +Values of this type are just a sequence of characters, possibly an empty sequence. An EString is the most general metadata key type, as it places no restrictions to the character sequence.[^Well, there are some minor restrictions that follow from the [[metadata syntax|00001006010000]].] === Allowed values All printable characters are allowed. Index: docs/manual/00001006033000.zettel ================================================================== --- docs/manual/00001006033000.zettel +++ docs/manual/00001006033000.zettel @@ -2,21 +2,21 @@ title: Number Key Type role: manual tags: #manual #meta #reference #zettel #zettelstore syntax: zmk created: 20210212135017 -modified: 20230612183900 +modified: 20250102220057 Values of this type denote a numeric integer value. === Allowed values Must be a sequence of digits (""0""--""9""), optionally prefixed with a ""-"" or a ""+"" character. === Query comparison [[Search operators|00001007705000]] for equality (""equal"" or ""not equal"", ""has"" or ""not has""), for lesser values (""less"" or ""not less""), or for greater values (""greater"" or ""not greater"") are executed by converting both the [[search value|00001007706000]] and the metadata value into integer values and then comparing them numerically. Integer values must be in the range -9223372036854775808 … 9223372036854775807. -Comparisons with metadata values outside this range always returns a negative match. +Comparisons with metadata values outside this range always return a negative match. Comparisons with search values outside this range will be executed as a comparison of the string representation values. All other comparisons (""match"", ""not match"", ""prefix"", ""not prefix"", ""suffix"", and ""not suffix"") are done on the given string representation of the number. In this case, the number ""+12"" will be treated as different to the number ""12"". Index: docs/manual/00001006034000.zettel ================================================================== --- docs/manual/00001006034000.zettel +++ docs/manual/00001006034000.zettel @@ -2,18 +2,18 @@ title: TagSet Key Type role: manual tags: #manual #meta #reference #zettel #zettelstore syntax: zmk created: 20210212135017 -modified: 20230419175642 +modified: 20250102205826 Values of this type denote a (sorted) set of tags. A set is different to a list, as no duplicate values are allowed. === Allowed values -Every tag must must begin with the number sign character (""''#''"", U+0023), followed by at least one printable character. +Every tag must begin with the number sign character (""''#''"", U+0023), followed by at least one printable character. Tags are separated by space characters. All characters are mapped to their lower case values. === Query comparison Index: docs/manual/00001006035000.zettel ================================================================== --- docs/manual/00001006035000.zettel +++ docs/manual/00001006035000.zettel @@ -2,16 +2,16 @@ title: URL Key Type role: manual tags: #manual #meta #reference #zettel #zettelstore syntax: zmk created: 20210212135017 -modified: 20230419175725 +modified: 20250102205855 -Values of this type denote an URL. +Values of this type denote a URL. === Allowed values -All characters of an URL / URI are allowed. +All characters of a URL / URI are allowed. === Query comparison All comparisons are done case-insensitive. For example, ""hello"" is the suffix of ""http://example.com/Hello"". DELETED docs/manual/00001006036500.zettel Index: docs/manual/00001006036500.zettel ================================================================== --- docs/manual/00001006036500.zettel +++ /dev/null @@ -1,27 +0,0 @@ -id: 00001006036500 -title: Zettelmarkup Key Type -role: manual -tags: #manual #meta #reference #zettel #zettelstore -syntax: zmk -created: 20210212135017 -modified: 20230419175441 - -Values of this type are [[String|00001006033500]] values, interpreted as [[Zettelmarkup|00001007000000]]. - -=== Allowed values -All printable characters are allowed. -There must be at least one such character. - -=== Query comparison -Comparison is done similar to the full-text search: both the value to compare and the metadata value are normalized according to Unicode NKFD, ignoring everything except letters and numbers. -Letters are mapped to the corresponding lower-case value. - -For example, ""Brücke"" will be the prefix of ""(Bruckenpfeiler,"". - -=== Sorting -To sort two values, the underlying encoding is used to determine which value is less than the other. - -Uppercase letters are typically interpreted as less than their corresponding lowercase letters, i.e. ``A < a``. - -Comparison is done character-wise by finding the first difference in the respective character sequence. -For example, ``abc > aBc``. Index: docs/manual/00001006050000.zettel ================================================================== --- docs/manual/00001006050000.zettel +++ docs/manual/00001006050000.zettel @@ -2,29 +2,26 @@ title: Zettel identifier role: manual tags: #design #manual #zettelstore syntax: zmk created: 20210126175322 -modified: 20241128141443 +modified: 20250102165749 Each zettel is given a unique identifier. To some degree, the zettel identifier is part of the metadata. Basically, the identifier is given by the [[Zettelstore|00001005000000]] software. Every zettel identifier consists of 14 digits. -They resemble a timestamp: the first four digits could represent the year, the -next two represent the month, following by day, hour, minute, and second. +They resemble a timestamp: the first four digits could represent the year, the next two represent the month, followed by day, hour, minute, and second. This allows to order zettel chronologically in a canonical way. In most cases the zettel identifier is the timestamp when the zettel was created. However, the Zettelstore software just checks for exactly 14 digits. -Anybody is free to assign a ""non-timestamp"" identifier to a zettel, e.g. with -a month part of ""35"" or with ""99"" as the last two digits. +Anybody is free to assign a ""non-timestamp"" identifier to a zettel, e.g. with a month part of ""35"" or with ""99"" as the last two digits. Some zettel identifier are [[reserved|00001006055000]] and should not be used otherwise. All identifiers of zettel initially provided by an empty Zettelstore begin with ""000000"", except the home zettel ''00010000000000''. -Zettel identifier of this manual have be chosen to begin with ""000010"". +Zettel identifier of this manual have been chosen to begin with ""000010"". -A zettel can have any identifier that contains 14 digits and that is not in use -by another zettel managed by the same Zettelstore. +A zettel can have any identifier that contains 14 digits and that is not in use by another zettel managed by the same Zettelstore. Index: docs/manual/00001006055000.zettel ================================================================== --- docs/manual/00001006055000.zettel +++ docs/manual/00001006055000.zettel @@ -2,18 +2,18 @@ title: Reserved zettel identifier role: manual tags: #design #manual #zettelstore syntax: zmk created: 20210721105704 -modified: 20241202100917 +modified: 20250102222416 -[[Zettel identifier|00001006050000]] are typically created by examine the current date and time. +[[Zettel identifier|00001006050000]] are typically created by examining the current date and time. By renaming the name of the underlying zettel file, you are able to provide any sequence of 14 digits. To make things easier, you must not use zettel identifier that begin with four zeroes (''0000''). -All zettel provided by an empty zettelstore begin with six zeroes[^Exception: the predefined home zettel ''00010000000000''. But you can [[configure|00001004020000#home-zettel]] another zettel with another identifier as the new home zettel.]. +All zettel provided by an empty zettelstore begin with six zeroes[^Exception: the predefined home zettel is ''00010000000000''. But you can [[configure|00001004020000#home-zettel]] another zettel with another identifier as the new home zettel.]. Zettel identifier of this manual have be chosen to begin with ''000010''. However, some external applications may need at least one defined zettel identifier to work properly. Zettel [[Zettelstore Application Directory|00000999999999]] (''00000999999999'') can be used to associate a name to a zettel identifier. For example, if your application is named ""app"", you create a metadata key ''app-zid''. @@ -28,6 +28,6 @@ | 00001100000000 | 00008999999999 | Reserved, do not use | 00009000000000 | 00009999999999 | Reserved for applications ==== External Applications |= From | To | Description -| 00009000001000 | 00009000001999 | [[Zettel Presenter|https://zettelstore.de/contrib]], an application to display zettel as a HTML-based slideshow +| 00009000001000 | 00009000001999 | [[Zettel Presenter|https://zettelstore.de/contrib]], an application to display zettel as an HTML-based slideshow Index: docs/manual/00001007010000.zettel ================================================================== --- docs/manual/00001007010000.zettel +++ docs/manual/00001007010000.zettel @@ -2,31 +2,31 @@ title: Zettelmarkup: General Principles role: manual tags: #manual #zettelmarkup #zettelstore syntax: zmk created: 20210126175322 -modified: 20241213101524 +modified: 20250106174703 -Any document can be thought as a sequence of paragraphs and other [[block-structured elements|00001007030000]] (""blocks""), such as [[headings|00001007030300]], [[lists|00001007030200]], quotations, and code blocks. +Any document can be thought of as a sequence of paragraphs and other [[block-structured elements|00001007030000]] (""blocks""), such as [[headings|00001007030300]], [[lists|00001007030200]], quotations, and code blocks. Some of these blocks can contain other blocks, for example lists may contain other lists or paragraphs. Other blocks contain [[inline-structured elements|00001007040000]] (""inlines""), such as text, [[links|00001007040310]], emphasized text, and images. With the exception of lists and tables, the markup for blocks always begins at the first position of a line with three or more identical characters. List blocks also begin at the first position of a line, but may need one or more identical character, plus a space character. [[Table blocks|00001007031000]] begin at the first position of a line with the character ""``|``"". Non-list blocks are either fully specified on that line or they span multiple lines and are delimited with the same three or more character. It depends on the block kind, whether blocks are specified on one line or on at least two lines. -If a line does not begin with an explicit block element. the line is treated as a (implicit) paragraph block element that contains inline elements. +If a line does not begin with an explicit block element, the line is treated as a (implicit) paragraph block element that contains inline elements. This paragraph ends when a block element is detected at the beginning of a next line or when an empty line occurs. Some blocks may also contain inline elements, e.g. a heading. -Inline elements mostly begins with two non-space, often identical characters. +Inline elements mostly begin with two non-space, often identical characters. With some exceptions, two identical non-space characters begins a formatting range that is ended with the same two characters. Exceptions are: links, images, edits, comments, and both the ""en-dash"" and the ""horizontal ellipsis"". -A link is given with ``[[...]]``{=zmk}, an images with ``{{...}}``{=zmk}, and an edit formatting with ``((...))``{=zmk}. +A link is given with ``[[...]]``{=zmk}, an image with ``{{...}}``{=zmk}, and an edit formatting with ``((...))``{=zmk}. An inline comment, beginning with the sequence ``%%``{=zmk}, always ends at the end of the line where it begins. The ""en-dash"" (""--"") is specified as ``--``{=zmk}, the ""horizontal ellipsis"" (""..."") as ``...``{=zmk}[^If put at the end of non-space text.]. Some inline elements do not follow the rule of two identical character, especially to specify [[footnotes|00001007040330]], [[citation keys|00001007040340]], and local marks. These elements begin with one opening square bracket (""``[``""), use a character for specifying the kind of the inline, typically allow to specify some content, and end with one closing square bracket (""``]``""). @@ -37,11 +37,11 @@ For example, an ""n-dash"" could also be specified as ``–``{==zmk}. The backslash character (""``\\``"") possibly gives the next character a special meaning. This allows to resolve some left ambiguities. For example, a list of depth 2 will begin a line with ``** Item 2.2``{=zmk}. -An inline element to strongly emphasize some text begin with a space will be specified as ``** Text**``{=zmk}. +An inline element to strongly emphasize some text that begins with a space will be specified as ``** Text**``{=zmk}. To force the inline element formatting at the beginning of a line, ``**\\ Text**``{=zmk} should better be specified. Many block and inline elements can be refined by additional [[attributes|00001007050000]]. Attributes resemble roughly HTML attributes and are put near the corresponding elements by using the syntax ``{...}``{=zmk}. One example is to make space characters visible inside a inline literal element: ``1 + 2 = 3``{-} was specified by using the default attribute: ``\`\`1 + 2 = 3\`\`{-}``. @@ -49,13 +49,13 @@ To summarize: * With some exceptions, block-structural elements begins at the for position of a line with three identical characters. * The most important exception to this rule is the specification of lists. * If no block element is found, a paragraph with inline elements is assumed. -* With some exceptions, inline-structural elements begins with two characters, quite often the same two characters. +* With some exceptions, inline-structural elements begin with two characters, quite often the same two characters. * The most important exceptions are links. * The backslash character can help to resolve possible ambiguities. * Attributes refine some block and inline elements. * Block elements have a higher priority than inline elements. -These principles makes automatic recognizing zettelmarkup an (relatively) easy task. -By looking at the reference implementation, a moderately skilled software developer should be able to create a appropriate software in a different programming language. +These principles make automatic recognizing zettelmarkup an (relatively) easy task. +By looking at the reference implementation, a moderately skilled software developer should be able to create an appropriate software in a different programming language. Index: docs/manual/00001007030100.zettel ================================================================== --- docs/manual/00001007030100.zettel +++ docs/manual/00001007030100.zettel @@ -2,14 +2,14 @@ title: Zettelmarkup: Description Lists role: manual tags: #manual #zettelmarkup #zettelstore syntax: zmk created: 20210126175322 -modified: 20220218131155 +modified: 20250102180137 A description list is a sequence of terms to be described together with the descriptions of each term. -Every term can described in multiple ways. +Every term can be described in multiple ways. A description term (short: __term__) is specified with one semicolon (""'';''"", U+003B) at the first position, followed by a space character and the described term, specified as a sequence of line elements. If the following lines should also be part of the term, exactly two spaces must be given at the beginning of each following line. The description of a term is given with one colon (""'':''"", U+003A) at the first position, followed by a space character and the description itself, specified as a sequence of [[inline elements|00001007040000]]. Index: docs/manual/00001007030300.zettel ================================================================== --- docs/manual/00001007030300.zettel +++ docs/manual/00001007030300.zettel @@ -2,11 +2,11 @@ title: Zettelmarkup: Headings role: manual tags: #manual #zettelmarkup #zettelstore syntax: zmk created: 20210126175322 -modified: 20220218133755 +modified: 20250102210039 To specify a (sub-) section of a zettel, you should use the headings syntax: at the beginning of a new line type at least three equal signs (""''=''"", U+003D), plus at least one space and enter the text of the heading as [[inline elements|00001007040000]]. @@ -28,11 +28,11 @@ ======== Level 5 Heading ::: === Notes -The heading level is translated to a HTML heading by adding 1 to the level, e.g. ``=== Level 1 Heading``{=zmk} translates to ==
h1 | h2 | h3 |
---|---|---|
c1 | c2 | c3 |
f1 | f2 | =f3 |