Go CLI based Todo app
Install External Library used
go get github.com/aquasecurity/table
Directory structure
main.go
package main func main() { todos := Todos{} storage := NewStorage[Todos]("todos.json") storage.Load(&todos) CmdFlags := NewCmdflags() CmdFlags.Execute(&todos) storage.Save(todos) }
- Creating a slice of of structure name Todos
- Create a dynamic memory for the existing todos in the system locally in "todo.json" file that was earlier created with storage.Save
- If not it will load as empty
- Parse and validate the command flags provided by the user
- Execute based on the flags provided
Functionality implementation
package main import ( "errors" "fmt" "os" "strconv" "time" "github.com/aquasecurity/table" ) type Todo struct { Title string Completed bool CreatedAt time.Time // this field here is a pointer reference because it can be null CompletedAt *time.Time } // a slice(array) of Todo type Todos []Todo // Passing Todo slice here as a reference // declares a parameter named todos that is a pointer to a Todos slice. // the function receives a copy of the slice under the name todos func (todos *Todos) add(title string) { todo := Todo{ Title: title, Completed: false, CompletedAt: nil, CreatedAt: time.Now(), } *todos = append(*todos, todo) } func (todos *Todos) validateIndex(index int) error { if index < 0 || index >= len(*todos) { err := errors.New("invalid index") fmt.Println(err) } return nil } func (todos *Todos) delete(index int) error { t := *todos if err := t.validateIndex(index); err != nil { return err } *todos = append(t[:index], t[index+1:]...) return nil } func (todos *Todos) toggle(index int) error { t := *todos if err := t.validateIndex(index); err != nil { return err } isCompleted := t[index].Completed if !isCompleted { completionTime := time.Now() t[index].CompletedAt = &completionTime } t[index].Completed = !isCompleted return nil } func (todos *Todos) edit(index int, title string) error { t := *todos if err := t.validateIndex(index); err != nil { return err } t[index].Title = title return nil } func (todos *Todos) print() { table := table.New(os.Stdout) table.SetRowLines(false) table.SetHeaders("#", "Title", "Status", "Created", "Completed") for index, t := range *todos { mark := "❌" completedAt := "" if t.Completed { mark = "✅" if t.CompletedAt != nil { completedAt = t.CompletedAt.Format(time.RFC1123) } } table.AddRow(strconv.Itoa(index), t.Title, mark, t.CreatedAt.Format(time.RFC1123), completedAt) } table.Render() }
Storage implementation
package main import ( "encoding/json" "os" ) type Storage[T any] struct { FileName string } func NewStorage[T any](filename string) *Storage[T] { return &Storage[T]{FileName: filename} } func (s *Storage[T]) Save(data T) error { fileData, err := json.MarshalIndent(data, "", "\t") if err != nil { return err } return os.WriteFile(s.FileName, fileData, 0644) } func (s *Storage[T]) Load(data *T) error { fileData, err := os.ReadFile(s.FileName) if err != nil { return err } return json.Unmarshal(fileData, data) }
Command Line Flags Validation and Execution
package main import ( "flag" "fmt" "os" "strconv" "strings" ) type CmdFlags struct { Help bool Add string Del int Edit string Update int List bool } func NewCmdflags() *CmdFlags { cf := CmdFlags{} flag.BoolVar(&cf.Help, "help", false, "List existing commands") flag.StringVar(&cf.Add, "add", "", "Add a new todo specify title") flag.StringVar(&cf.Edit, "edit", "", "Edit an existing todo, enter #index and specify a new title. \"id:new title\"") flag.IntVar(&cf.Del, "del", -1, "Specify a todo by #index to delete") flag.IntVar(&cf.Update, "update", -1, "Specify a todo #index to update") flag.BoolVar(&cf.List, "list", false, "List all todos") for _, arg := range os.Args[1:] { if strings.HasPrefix(arg, "-") && !isValidFlag(arg) { fmt.Printf("Unknown flag: %s\n", arg) fmt.Println("try --help to know more") os.Exit(0) } } flag.Parse() return &cf } func isValidFlag(flag string) bool { validFlags := []string{ "-help", "--help", "-add", "--add", "-edit", "--edit", "-del", "--del", "-update", "--update", "-list", "--list", } if idx := strings.Index(flag, "="); idx != -1 { flag = flag[:idx] } for _, validFlag := range validFlags { if flag == validFlag { return true } } return false } func (cf *CmdFlags) Execute(todos *Todos) { switch { case cf.List: todos.print() case cf.Add != "": todos.add(cf.Add) case cf.Edit != "": parts := strings.SplitN(cf.Edit, ":", 2) if len(parts) != 2 { fmt.Printf("Error, invalid format for edit.\nCorrect Format: \"id:new title\" ") os.Exit(1) } index, err := strconv.Atoi(parts[0]) if err != nil { fmt.Printf("Error, Invalid index for edit") os.Exit(1) } todos.edit(index, parts[1]) case cf.Update != -1: todos.toggle(cf.Update) case cf.Del != -1: todos.delete(cf.Del) case cf.Help: fmt.Println("usage:") fmt.Println("--help\t\t| List existing commands") fmt.Println("--add\t\t| Add new task") fmt.Println("--del\t\t| Delete an existing task") fmt.Println("--update\t| Check/Uncheck existing task") fmt.Println("--edit\t\t| Edit an existing task") } }
Github Repo: CLI Todo App
The above is the detailed content of Go CLI based Todo app. For more information, please follow other related articles on the PHP Chinese website!

Hot AI Tools

Undresser.AI Undress
AI-powered app for creating realistic nude photos

AI Clothes Remover
Online AI tool for removing clothes from photos.

Undress AI Tool
Undress images for free

Clothoff.io
AI clothes remover

Video Face Swap
Swap faces in any video effortlessly with our completely free AI face swap tool!

Hot Article

Hot Tools

Notepad++7.3.1
Easy-to-use and free code editor

SublimeText3 Chinese version
Chinese version, very easy to use

Zend Studio 13.0.1
Powerful PHP integrated development environment

Dreamweaver CS6
Visual web development tools

SublimeText3 Mac version
God-level code editing software (SublimeText3)

Hot Topics

OpenSSL, as an open source library widely used in secure communications, provides encryption algorithms, keys and certificate management functions. However, there are some known security vulnerabilities in its historical version, some of which are extremely harmful. This article will focus on common vulnerabilities and response measures for OpenSSL in Debian systems. DebianOpenSSL known vulnerabilities: OpenSSL has experienced several serious vulnerabilities, such as: Heart Bleeding Vulnerability (CVE-2014-0160): This vulnerability affects OpenSSL 1.0.1 to 1.0.1f and 1.0.2 to 1.0.2 beta versions. An attacker can use this vulnerability to unauthorized read sensitive information on the server, including encryption keys, etc.

The library used for floating-point number operation in Go language introduces how to ensure the accuracy is...

Queue threading problem in Go crawler Colly explores the problem of using the Colly crawler library in Go language, developers often encounter problems with threads and request queues. �...

Backend learning path: The exploration journey from front-end to back-end As a back-end beginner who transforms from front-end development, you already have the foundation of nodejs,...

The difference between string printing in Go language: The difference in the effect of using Println and string() functions is in Go...

This article introduces a variety of methods and tools to monitor PostgreSQL databases under the Debian system, helping you to fully grasp database performance monitoring. 1. Use PostgreSQL to build-in monitoring view PostgreSQL itself provides multiple views for monitoring database activities: pg_stat_activity: displays database activities in real time, including connections, queries, transactions and other information. pg_stat_replication: Monitors replication status, especially suitable for stream replication clusters. pg_stat_database: Provides database statistics, such as database size, transaction commit/rollback times and other key indicators. 2. Use log analysis tool pgBadg

Under the BeegoORM framework, how to specify the database associated with the model? Many Beego projects require multiple databases to be operated simultaneously. When using Beego...

The problem of using RedisStream to implement message queues in Go language is using Go language and Redis...
