Just Do IT !

Golang语言学习从入门到实战----基于Golang实现简单家庭收支项目

字数统计: 595阅读时长: 2 min
2020/03/17 Share

基于Golang实现简单家庭收支项目

GitHub地址:https://github.com/PlutoaCharon/Golang_FamilyAccount.git

该项目可以简单的进行,明细,登记收入和支出操作

实现界面:

1
2
3
4
5
6
-----------------家庭收支记账软件-----------------
1 收支明细
2 登记收入
3 登记支出
4 退出软件
请选择(1-4):

目录结构

1
2
3
4
5
6
7
8
└─FamilyAccount
│ README.md

├─main
│ mian.go

└─utils
familyAccount.go

familyAccount.go

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
package utils

import (
"fmt"
)

type FamilyAccount struct {
key string // 保存接受用户输入的选项
loop bool // 控制是否退出for
balance float64 // 定义账户的余额
money float64 // 每次收支的金额
note string // 每次收支的说明
flag bool // 记录是否有收支的行为
details string // 对收支进行拼接处理
}

//构造方法,返回一个*FamilyAccount实例
func NewFamilyAccount() *FamilyAccount {

return &FamilyAccount{
key: "",
loop: true,
balance: 10000.0,
money: 0.0,
note: "",
flag: false,
details: "收支\t账户金额\t收支金额\t说明",
}

}

// 显示明细
func (this *FamilyAccount) showDetails() {
fmt.Println("----------------------当前收支明细记录----------------------")
if this.flag {
fmt.Println(this.details)
} else {
fmt.Println("当前没有收支明细,来一笔吧!")
}
}

// 登记记录
func (this *FamilyAccount) income() {
fmt.Println("本次收入金额:")
fmt.Scanln(&this.money)
this.balance += this.money // 修改账户余额
fmt.Println("本次收入说明:")
fmt.Scanln(&this.note)
this.details += fmt.Sprintf("\n收入\t%v\t%v\t%v", this.balance, this.money, this.note)
this.flag = true
}

// 登记支出
func (this *FamilyAccount) pay() {
fmt.Println("本次支出金额:")
fmt.Scanln(&this.money)

if this.money > this.balance {
fmt.Println("余额不足")
}
this.balance -= this.money
fmt.Println("本次支出说明:")
fmt.Scanln(&this.note)
this.details += fmt.Sprintf("\n支出\t%v\t%v\t%v", this.balance, this.money, this.note)
this.flag = true
}

// 退出系统
func (this *FamilyAccount) exit() {
fmt.Println("确认退出吗? 确定退出请输入y 否则输入n")
choice := ""
for {
fmt.Scanln(&choice)
if choice == "y" {
this.loop = false
break
} else if choice == "n" {
break
}
fmt.Println("输入有误,请重新输入 y/n")
}
}

// 显示主菜单
func (this *FamilyAccount) MainMenu() {

for {
fmt.Println("\n-----------------家庭收支记账软件-----------------")
fmt.Println(" 1 收支明细")
fmt.Println(" 2 登记收入")
fmt.Println(" 3 登记支出")
fmt.Println(" 4 退出软件")
fmt.Print("请选择(1-4):")
fmt.Scanln(&this.key)
switch this.key {
case "1":
this.showDetails()
case "2":
this.income()
case "3":
this.pay()
case "4":
this.exit()
default:
fmt.Println("请输入正确的选项..")
}

if !this.loop {
break
}
}

}

mian.go

1
2
3
4
5
6
7
package main

import "FamilyAccount/utils"

func main() {
utils.NewFamilyAccount().MainMenu()
}
CATALOG
  1. 1. 基于Golang实现简单家庭收支项目
    1. 1.1. 目录结构
    2. 1.2. familyAccount.go
    3. 1.3. mian.go