浏览代码

added handling of weight (may still need some fine tuning

bmallred 10 年之前
父节点
当前提交
e6923ad3d2

+ 17 - 17
app/controllers/app.go

1
package controllers
1
package controllers
2
2
3
import (
3
import (
4
    "github.com/revolvingcow/grassfed/app/models"
4
	"github.com/revolvingcow/grassfed/app/models"
5
)
5
)
6
6
7
type Application struct {
7
type Application struct {
8
    DatabaseController
8
	DatabaseController
9
}
9
}
10
10
11
func (c Application) Connected() *models.Account {
11
func (c Application) Connected() *models.Account {
12
    if c.RenderArgs["account"] != nil {
13
        return c.RenderArgs["account"].(*models.Account)
14
    }
12
	if c.RenderArgs["account"] != nil {
13
		return c.RenderArgs["account"].(*models.Account)
14
	}
15
15
16
    if id, ok := c.Session["account"]; ok {
17
        return c.getAccount(id)
18
    }
16
	if id, ok := c.Session["account"]; ok {
17
		return c.getAccount(id)
18
	}
19
19
20
    return nil
20
	return nil
21
}
21
}
22
22
23
func (c Application) getAccount(id string) *models.Account {
23
func (c Application) getAccount(id string) *models.Account {
24
    accounts, err := c.Transaction.Select(models.Account{}, `select * from Account where Profile = ?`, id)
24
	accounts, err := c.Transaction.Select(models.Account{}, `select * from Account where Profile = ?`, id)
25
25
26
    if err != nil {
27
        panic(err)
28
    }
26
	if err != nil {
27
		panic(err)
28
	}
29
29
30
    if len(accounts) == 0 {
31
        return nil
32
    }
30
	if len(accounts) == 0 {
31
		return nil
32
	}
33
33
34
    return accounts[0].(*models.Account)
34
	return accounts[0].(*models.Account)
35
}
35
}

+ 45 - 39
app/controllers/database.go

1
package controllers
1
package controllers
2
2
3
import (
3
import (
4
    "database/sql"
5
    "github.com/coopernurse/gorp"
6
    _ "github.com/mattn/go-sqlite3"
7
    "github.com/revel/revel"
8
    "github.com/revel/revel/modules/db/app"
9
    "github.com/revolvingcow/grassfed/app/models"
4
	"database/sql"
5
	"github.com/coopernurse/gorp"
6
	_ "github.com/mattn/go-sqlite3"
7
	"github.com/revel/revel"
8
	"github.com/revel/revel/modules/db/app"
9
	"github.com/revolvingcow/grassfed/app/models"
10
)
10
)
11
11
12
// DbMap is the database mapping used throughout the database controller.
12
var (
13
var (
13
    DbMap *gorp.DbMap
14
	DbMap *gorp.DbMap
14
)
15
)
15
16
17
// Initialize the database and create a database mapping.
16
func Initialize() {
18
func Initialize() {
17
    db.Init()
18
    DbMap = &gorp.DbMap{ Db: db.Db, Dialect: gorp.SqliteDialect{} }
19
	db.Init()
20
	DbMap = &gorp.DbMap{Db: db.Db, Dialect: gorp.SqliteDialect{}}
19
21
20
    DbMap.AddTable(models.Account{}).SetKeys(true, "Id")
21
    DbMap.AddTable(models.History{}).SetKeys(true, "Id")
22
    DbMap.AddTable(models.Goal{}).SetKeys(true, "Id")
23
    DbMap.AddTable(models.Weight{}).SetKeys(true, "Id")
22
	DbMap.AddTable(models.Account{}).SetKeys(true, "Id")
23
	DbMap.AddTable(models.History{}).SetKeys(true, "Id")
24
	DbMap.AddTable(models.Goal{}).SetKeys(true, "Id")
25
	DbMap.AddTable(models.Weight{}).SetKeys(true, "Id")
24
26
25
    DbMap.TraceOn("[db]", revel.INFO)
26
    DbMap.CreateTablesIfNotExists()
27
	DbMap.TraceOn("[db]", revel.INFO)
28
	DbMap.CreateTablesIfNotExists()
27
}
29
}
28
30
31
// DatabaseController wraps the Revel controller together with the database Transaction.
29
type DatabaseController struct {
32
type DatabaseController struct {
30
    *revel.Controller
31
    Transaction *gorp.Transaction
33
	*revel.Controller
34
	Transaction *gorp.Transaction
32
}
35
}
33
36
37
// Begin creates a new transaction to be used.
34
func (c *DatabaseController) Begin() revel.Result {
38
func (c *DatabaseController) Begin() revel.Result {
35
    transaction, err := DbMap.Begin()
39
	transaction, err := DbMap.Begin()
36
40
37
    if err != nil {
38
        panic(err)
39
    }
41
	if err != nil {
42
		panic(err)
43
	}
40
44
41
    c.Transaction = transaction
42
    return nil
45
	c.Transaction = transaction
46
	return nil
43
}
47
}
44
48
49
// Commit attempts to finalize all database commands.
45
func (c *DatabaseController) Commit() revel.Result {
50
func (c *DatabaseController) Commit() revel.Result {
46
    if c.Transaction == nil {
47
        return nil
48
    }
51
	if c.Transaction == nil {
52
		return nil
53
	}
49
54
50
    if err := c.Transaction.Commit(); err != nil && err != sql.ErrTxDone {
51
        panic(err)
52
    }
55
	if err := c.Transaction.Commit(); err != nil && err != sql.ErrTxDone {
56
		panic(err)
57
	}
53
58
54
    c.Transaction = nil
55
    return nil
59
	c.Transaction = nil
60
	return nil
56
}
61
}
57
62
63
// Rollback will revert all recent changes returning the database to its original state. 
58
func (c *DatabaseController) Rollback() revel.Result {
64
func (c *DatabaseController) Rollback() revel.Result {
59
    if c.Transaction == nil {
60
        return nil
61
    }
65
	if c.Transaction == nil {
66
		return nil
67
	}
62
68
63
    if err := c.Transaction.Rollback(); err != nil && err != sql.ErrTxDone {
64
        panic(err)
65
    }
69
	if err := c.Transaction.Rollback(); err != nil && err != sql.ErrTxDone {
70
		panic(err)
71
	}
66
72
67
    c.Transaction = nil
68
    return nil
73
	c.Transaction = nil
74
	return nil
69
}
75
}

+ 19 - 19
app/controllers/home.go

1
package controllers
1
package controllers
2
2
3
import (
3
import (
4
    "github.com/revel/revel"
5
    "github.com/revolvingcow/grassfed/app/models"
4
	"github.com/revel/revel"
5
	"github.com/revolvingcow/grassfed/app/models"
6
)
6
)
7
7
8
type Home struct {
8
type Home struct {
9
    Application
9
	Application
10
}
10
}
11
11
12
func (c Home) getNumberOfAccounts() (count int64) {
12
func (c Home) getNumberOfAccounts() (count int64) {
13
    count, err := c.Transaction.SelectInt(`select count(*) from Account`)
14
    if err != nil {
15
        return 0
16
    }
13
	count, err := c.Transaction.SelectInt(`select count(*) from Account`)
14
	if err != nil {
15
		return 0
16
	}
17
17
18
    return count
18
	return count
19
}
19
}
20
20
21
func (c Home) getNumberOfCalories() (calories int64) {
21
func (c Home) getNumberOfCalories() (calories int64) {
22
    calories, err := c.Transaction.SelectInt(`select sum(Calories) from History`)
23
    if err != nil {
24
        return 0
25
    }
22
	calories, err := c.Transaction.SelectInt(`select sum(Calories) from History`)
23
	if err != nil {
24
		return 0
25
	}
26
26
27
    return calories
27
	return calories
28
}
28
}
29
29
30
func (c Home) Index() revel.Result {
30
func (c Home) Index() revel.Result {
32
}
32
}
33
33
34
func (c Home) About() revel.Result {
34
func (c Home) About() revel.Result {
35
    return c.Render()
35
	return c.Render()
36
}
36
}
37
37
38
func (c Home) Overview() revel.Result {
38
func (c Home) Overview() revel.Result {
39
    model := models.Overview {
40
        Accounts: c.getNumberOfAccounts(),
41
        Calories: c.getNumberOfCalories(),
42
    }
39
	model := models.Overview{
40
		Accounts: c.getNumberOfAccounts(),
41
		Calories: c.getNumberOfCalories(),
42
	}
43
43
44
    return c.RenderJson(model)
44
	return c.RenderJson(model)
45
}
45
}

+ 5 - 5
app/controllers/init.go

3
import "github.com/revel/revel"
3
import "github.com/revel/revel"
4
4
5
func init() {
5
func init() {
6
    revel.OnAppStart(Initialize)
7
    revel.InterceptMethod((*DatabaseController).Begin, revel.BEFORE)
8
    //revel.InterceptMethod((*Profile).Index, revel.BEFORE)
9
    revel.InterceptMethod((*DatabaseController).Commit, revel.AFTER)
10
    revel.InterceptMethod((*DatabaseController).Rollback, revel.FINALLY)
6
	revel.OnAppStart(Initialize)
7
	revel.InterceptMethod((*DatabaseController).Begin, revel.BEFORE)
8
	//revel.InterceptMethod((*Profile).Index, revel.BEFORE)
9
	revel.InterceptMethod((*DatabaseController).Commit, revel.AFTER)
10
	revel.InterceptMethod((*DatabaseController).Rollback, revel.FINALLY)
11
}
11
}

+ 388 - 189
app/controllers/profile.go

1
package controllers
1
package controllers
2
2
3
import (
3
import (
4
    "fmt"
5
    "strings"
6
    "time"
7
    "github.com/revel/revel"
8
    "github.com/revolvingcow/grassfed/app/models"
4
	"fmt"
5
	"github.com/revel/revel"
6
	"github.com/revolvingcow/grassfed/app/models"
7
	"strings"
8
    "strconv"
9
	"time"
9
)
10
)
10
11
11
type Profile struct {
12
type Profile struct {
12
    Application
13
	Application
13
}
14
}
14
15
15
func (c Profile) getHistory(account *models.Account) []*models.History {
16
    if account == nil {
17
        return nil
18
    }
19
20
    results, err := c.Transaction.Select(
21
        models.History{},
22
        `select * from History where AccountId = ? order by Date desc`,
23
        account.Id)
24
25
    if err != nil {
26
        return nil
27
    }
16
const formatSmallDate = "2006-01-02"
17
18
func (c Profile) getGoals(account *models.Account, startDate time.Time) []*models.Goal {
19
	if account == nil {
20
		return nil
21
	}
22
23
    duration, _ := time.ParseDuration(fmt.Sprintf("%dh", 1*24))
24
    oneDayAhead := time.Now().Add(duration)
25
	results, err := c.Transaction.Select(
26
		models.Goal{},
27
		`select * from Goal where AccountId = ? and (Date between ? and ?) order by Date desc`,
28
		account.Id,
29
        startDate.Format(formatSmallDate),
30
        oneDayAhead.Format(formatSmallDate))
31
32
	if err != nil {
33
		return nil
34
	}
35
36
	rows := len(results)
37
	if rows == 0 {
38
		return nil
39
	}
40
41
	goals := make([]*models.Goal, 0)
42
	for i := 0; i < rows; i++ {
43
		goals = append(goals, results[i].(*models.Goal))
44
	}
45
46
	return goals
47
}
28
48
29
    rows := len(results)
30
    if rows == 0 {
31
        return nil
32
    }
49
func (c Profile) getDaysIn(month time.Month, year int) int {
50
    return time.Date(year, month+1, 0, 0, 0, 0, 0, time.UTC).Day()
51
}
33
52
34
    history := make([]*models.History, rows)
35
    for i := 0; i < rows; i++ {
36
        history = append(history, results[i].(*models.History))
37
    }
53
func (c Profile) getWeights(account *models.Account, startDate time.Time) []*models.Weight {
54
	if account == nil {
55
		return nil
56
	}
57
58
    duration, _ := time.ParseDuration(fmt.Sprintf("%dh", 1*24))
59
    oneDayAhead := time.Now().Add(duration)
60
	results, err := c.Transaction.Select(
61
		models.Weight{},
62
		`select * from Weight where AccountId = ? and (Date between ? and ?) order by Date desc`,
63
		account.Id,
64
        startDate.Format(formatSmallDate),
65
        oneDayAhead.Format(formatSmallDate))
66
67
	if err != nil {
68
		return nil
69
	}
70
71
	rows := len(results)
72
	if rows == 0 {
73
		return nil
74
	}
75
76
	weights := make([]*models.Weight, 0)
77
	for i := 0; i < rows; i++ {
78
		weights = append(weights, results[i].(*models.Weight))
79
	}
80
81
	return weights
82
}
38
83
39
    return history
84
func (c Profile) getHistory(account *models.Account, startDate time.Time) []*models.History {
85
	if account == nil {
86
		return nil
87
	}
88
89
    duration, _ := time.ParseDuration(fmt.Sprintf("%dh", 1*24))
90
    oneDayAhead := time.Now().Add(duration)
91
	results, err := c.Transaction.Select(
92
		models.History{},
93
		`select * from History where AccountId = ? and (Date between ? and ?) order by Date desc`,
94
		account.Id,
95
        startDate.Format(formatSmallDate),
96
        oneDayAhead.Format(formatSmallDate))
97
98
	if err != nil {
99
		return nil
100
	}
101
102
	rows := len(results)
103
	if rows == 0 {
104
		return nil
105
	}
106
107
	history := make([]*models.History, 0)
108
	for i := 0; i < rows; i++ {
109
		history = append(history, results[i].(*models.History))
110
	}
111
112
	return history
40
}
113
}
41
114
42
func (c Profile) getGoal(account *models.Account) (goal int64) {
43
    goal = 2000
115
func (c Profile) getLatestGoal(account *models.Account) (goal int64) {
116
	goal = 2000
44
117
45
    if account == nil {
46
        return goal
47
    }
118
	if account == nil {
119
		return goal
120
	}
48
121
49
    results := models.Goal{}
50
    err := c.Transaction.SelectOne(
51
        &results,
52
        `select * from Goal where AccountId = ? order by Date desc limit 1`,
53
        account.Id)
122
	results := models.Goal{}
123
	err := c.Transaction.SelectOne(
124
		&results,
125
		`select * from Goal where AccountId = ? order by Date desc limit 1`,
126
		account.Id)
54
127
55
    if err != nil {
56
        return goal
57
    }
128
	if err != nil {
129
		return goal
130
	}
58
131
59
    goal = results.Calories
60
    return goal
132
	goal = results.Calories
133
	return goal
61
}
134
}
62
135
63
func (c Profile) setGoal(account *models.Account, calories int64) {
136
func (c Profile) setGoal(account *models.Account, calories int64) {
64
    goals, err := c.Transaction.Select(
65
        models.Goal{},
66
        `select * from Goal where AccountId = ? order by Date desc limit 1`,
67
        account.Id)
68
69
    if err != nil {
70
        revel.INFO.Println(err)
71
        return
72
    }
137
	goals, err := c.Transaction.Select(
138
		models.Goal{},
139
		`select * from Goal where AccountId = ? order by Date desc limit 1`,
140
		account.Id)
141
142
	if err != nil {
143
		revel.INFO.Println(err)
144
		return
145
	}
146
147
	now := time.Now().Local()
148
149
	if len(goals) > 0 {
150
		goal := goals[0].(*models.Goal)
151
		local := goal.Date.Local()
152
153
		if now.Day() == local.Day() && now.Month() == local.Month() && now.Year() == local.Year() {
154
			goal.Calories = calories
155
			c.Transaction.Update(goal)
156
		} else {
157
			newGoal := models.Goal{AccountId: account.Id, Calories: calories, Date: now}
158
			c.Transaction.Insert(&newGoal)
159
		}
160
	} else {
161
		newGoal := models.Goal{AccountId: account.Id, Calories: calories, Date: now}
162
		c.Transaction.Insert(&newGoal)
163
	}
164
}
73
165
74
    now := time.Now().Local()
166
func (c Profile) getLatestWeight(account *models.Account) (weight float64) {
167
	weight = 0
75
168
76
    if len(goals) > 0 {
77
        goal := goals[0].(*models.Goal)
78
        local := goal.Date.Local()
169
	if account == nil {
170
		return weight
171
	}
79
172
80
        if now.Day() == local.Day() && now.Month() == local.Month() && now.Year() == local.Year() {
81
            goal.Calories = calories
82
            c.Transaction.Update(goal)
83
        } else {
84
            newGoal := models.Goal{ AccountId: account.Id, Calories: calories, Date: now }
85
            c.Transaction.Insert(&newGoal)
86
        }
87
    } else {
88
        newGoal := models.Goal{ AccountId: account.Id, Calories: calories, Date: now }
89
        c.Transaction.Insert(&newGoal)
90
    }
91
}
173
	results := models.Weight{}
174
	err := c.Transaction.SelectOne(
175
		&results,
176
		`select * from Weight where AccountId = ? order by Date desc limit 1`,
177
		account.Id)
92
178
93
func (c Profile) getCaloriesForDate(history []*models.History, date time.Time) (current int64) {
94
    current = 0
95
96
    if history != nil {
97
        for _, moment := range history {
98
            if moment != nil {
99
                local := moment.Date.Local()
100
                if local.Day() == date.Day() && local.Month() == date.Month() && local.Year() == date.Year() {
101
                    current += moment.Calories
102
                }
103
            }
104
        }
105
    }
179
	if err != nil {
180
		return weight
181
	}
106
182
107
    return current
183
	weight = results.Weight
184
	return weight
108
}
185
}
109
186
110
func (c Profile) getStreak(history []*models.History, ceiling int64) (streak int64) {
111
    now := time.Now()
112
    streak = 0
113
114
    if history != nil && len(history) > 0 {
115
        interval := 1
116
117
        for {
118
            s := fmt.Sprintf("-%dh", interval * 24)
119
            duration, _ := time.ParseDuration(s)
120
            count := c.getCaloriesForDate(history, now.Add(duration))
187
func (c Profile) setWeight(account *models.Account, weight float64) {
188
	weights, err := c.Transaction.Select(
189
		models.Weight{},
190
		`select * from Weight where AccountId = ? order by Date desc limit 1`,
191
		account.Id)
192
193
	if err != nil {
194
		revel.INFO.Println(err)
195
		return
196
	}
197
198
	now := time.Now().Local()
199
200
	if len(weights) > 0 {
201
		w := weights[0].(*models.Weight)
202
		local := w.Date.Local()
203
204
		if now.Day() == local.Day() && now.Month() == local.Month() && now.Year() == local.Year() {
205
			w.Weight = weight
206
			c.Transaction.Update(w)
207
		} else {
208
			newWeight := models.Weight{AccountId: account.Id, Weight: weight, Date: now}
209
			c.Transaction.Insert(&newWeight)
210
		}
211
	} else {
212
		newWeight := models.Weight{AccountId: account.Id, Weight: weight, Date: now}
213
		c.Transaction.Insert(&newWeight)
214
	}
215
}
121
216
122
            if count > 0 && ceiling > count {
123
                streak += 1
124
                interval += 1
125
            } else {
126
                break
127
            }
128
        }
129
    }
217
func (c Profile) getCaloriesForDate(history []*models.History, date time.Time) (current int64) {
218
	current = 0
219
220
	if history != nil {
221
		for _, moment := range history {
222
			if moment != nil {
223
				local := moment.Date.Local()
224
				if local.Day() == date.Day() && local.Month() == date.Month() && local.Year() == date.Year() {
225
					current += moment.Calories
226
				}
227
			}
228
		}
229
	}
230
231
	return current
232
}
130
233
131
    return streak
234
func (c Profile) getStreak(history []*models.History, ceiling int64) (streak int64) {
235
	now := time.Now()
236
	streak = 0
237
238
	if history != nil && len(history) > 0 {
239
		interval := 1
240
241
		for {
242
			s := fmt.Sprintf("-%dh", interval*24)
243
			duration, _ := time.ParseDuration(s)
244
			count := c.getCaloriesForDate(history, now.Add(duration))
245
246
			if count > 0 && ceiling > count {
247
				streak += 1
248
				interval += 1
249
			} else {
250
				break
251
			}
252
		}
253
	}
254
255
	return streak
132
}
256
}
133
257
134
func (c Profile) getMoment(id int64) *models.History {
258
func (c Profile) getMoment(id int64) *models.History {
135
    history, err := c.Transaction.Select(models.History{}, `select * from History where Id = ?`, id)
136
    if err != nil {
137
        panic(err)
138
    }
259
	history, err := c.Transaction.Select(models.History{}, `select * from History where Id = ?`, id)
260
	if err != nil {
261
		panic(err)
262
	}
139
263
140
    if len(history) == 0 {
141
        return nil
142
    }
264
	if len(history) == 0 {
265
		return nil
266
	}
143
267
144
    return history[0].(*models.History)
268
	return history[0].(*models.History)
145
}
269
}
146
270
147
func (c Profile) Index() revel.Result {
271
func (c Profile) Index() revel.Result {
148
    account := c.Connected()
149
    return c.Render(account)
272
	account := c.Connected()
273
	return c.Render(account)
150
}
274
}
151
275
152
func (c Profile) Logon(id string) revel.Result {
276
func (c Profile) Logon(id string) revel.Result {
153
    c.Response.ContentType = "application/json"
154
    c.Validation.Required(id).Message("You must be logged on.")
155
156
    if c.Validation.HasErrors() {
157
        revel.INFO.Println("Validation errors found.")
158
        c.Validation.Keep()
159
        c.FlashParams()
160
        return c.RenderJson(nil)
161
    }
162
163
    revel.INFO.Println("Setting up the variables for storage.")
164
    now := time.Now()
165
    account := c.getAccount(id)
166
167
    if account == nil {
168
        revel.INFO.Println("Creating account.")
169
        account = &models.Account{}
170
        account.Profile = id
171
        account.Created = now
172
        account.LastVisit = now
173
        c.Transaction.Insert(account)
174
    } else {
175
        revel.INFO.Println("Updating account.")
176
        account.LastVisit = now
177
        c.Transaction.Update(account)
178
    }
179
180
    c.Session["account"] = id
181
    c.Session.SetDefaultExpiration()
182
183
    return c.RenderJson(true)
277
	c.Response.ContentType = "application/json"
278
	c.Validation.Required(id).Message("You must be logged on.")
279
280
	if c.Validation.HasErrors() {
281
		revel.INFO.Println("Validation errors found.")
282
		c.Validation.Keep()
283
		c.FlashParams()
284
		return c.RenderJson(nil)
285
	}
286
287
	revel.INFO.Println("Setting up the variables for storage.")
288
	now := time.Now()
289
	account := c.getAccount(id)
290
291
	if account == nil {
292
		revel.INFO.Println("Creating account.")
293
		account = &models.Account{}
294
		account.Profile = id
295
		account.Created = now
296
		account.LastVisit = now
297
		c.Transaction.Insert(account)
298
	} else {
299
		revel.INFO.Println("Updating account.")
300
		account.LastVisit = now
301
		c.Transaction.Update(account)
302
	}
303
304
	c.Session["account"] = id
305
	c.Session.SetDefaultExpiration()
306
307
	return c.RenderJson(true)
184
}
308
}
185
309
186
func (c Profile) History() revel.Result {
310
func (c Profile) History() revel.Result {
187
    account := c.Connected()
188
    if account == nil {
189
        return c.RenderJson(nil)
190
    }
191
192
    history := c.getHistory(account)
193
    return c.RenderJson(history)
311
	account := c.Connected()
312
	if account == nil {
313
		return c.RenderJson(nil)
314
	}
315
316
    duration, _ := time.ParseDuration(fmt.Sprintf("-%dh", 8*24))
317
    sevenDaysAgo := time.Now().Add(duration)
318
	history := c.getHistory(account, sevenDaysAgo)
319
	return c.RenderJson(history)
194
}
320
}
195
321
196
func (c Profile) Stats() revel.Result {
322
func (c Profile) Stats() revel.Result {
323
	account := c.Connected()
324
	if account == nil {
325
		return c.RenderJson(nil)
326
	}
327
328
    duration, _ := time.ParseDuration(fmt.Sprintf("-%dh", 8*24))
329
    sevenDaysAgo := time.Now().Add(duration)
330
	goal := c.getLatestGoal(account)
331
	history := c.getHistory(account, sevenDaysAgo)
332
333
	response := models.ResponseStatistics{
334
		Goal:    goal,
335
		Current: c.getCaloriesForDate(history, time.Now()),
336
		Streak:  c.getStreak(history, goal),
337
	}
338
339
	return c.RenderJson(response)
340
}
341
342
func (c Profile) Trends() revel.Result {
197
    account := c.Connected()
343
    account := c.Connected()
198
    if account == nil {
344
    if account == nil {
199
        return c.RenderJson(nil)
345
        return c.RenderJson(nil)
200
    }
346
    }
201
347
202
    goal := c.getGoal(account)
203
    history := c.getHistory(account)
348
    now := time.Now()
349
    duration, _ := time.ParseDuration(fmt.Sprintf("-%dh", 31*24))
350
    oneMonthAgo := now.Add(duration)
204
351
205
    response := models.ResponseStatistics {
206
        Goal: goal,
207
        Current: c.getCaloriesForDate(history, time.Now()),
208
        Streak: c.getStreak(history, goal),
352
    labels := make([]int, 0)
353
    for i := 1; i < c.getDaysIn(now.Month(), now.Year()); i++ {
354
        labels = append(labels, i)
209
    }
355
    }
210
356
211
    return c.RenderJson(response)
212
}
213
214
func (c Profile) Add(product string, calories int64) revel.Result {
215
    account := c.Connected()
216
    if account == nil || strings.TrimSpace(product) == "" {
217
        return c.RenderJson(nil)
218
    }
357
    rawGoals := c.getGoals(account, oneMonthAgo)
358
    rawWeights := c.getWeights(account, oneMonthAgo)
359
    rawHistory := c.getHistory(account, oneMonthAgo)
360
361
    latestGoal := c.getLatestGoal(account)
362
    latestWeight := float64(0)
363
    goals := make(map[string]int64, 0)
364
    weights := make(map[string]float64, 0)
365
    calories := make(map[string]int64, 0)
366
367
    for _, day := range labels {
368
        dayAsString := strconv.Itoa(day)
369
        goals[dayAsString] = latestGoal
370
        weights[dayAsString] = latestWeight
371
        calories[dayAsString] = 0
372
373
        for _, goal := range rawGoals {
374
            if day == goal.Date.Day() {
375
                goals[dayAsString] = goal.Calories
376
            }
377
        }
219
378
220
    c.Validation.Required(product).Message("You must include a product.")
221
    c.Validation.Required(calories).Message("You must provide the amount of calories")
379
        for _, weight := range rawWeights {
380
            if day == weight.Date.Day() {
381
                weights[dayAsString] = weight.Weight
382
                latestWeight = weight.Weight
383
            }
384
        }
222
385
223
    if c.Validation.HasErrors() {
224
        c.Validation.Keep()
225
        c.FlashParams()
226
        return c.RenderJson(nil)
386
        for _, moment := range rawHistory {
387
            if day == moment.Date.Day() {
388
                calories[dayAsString] += moment.Calories
389
            }
390
        }
227
    }
391
    }
228
392
229
    moment := models.History {
230
        AccountId: account.Id,
231
        Product: product,
232
        Calories: calories,
233
        Date: time.Now(),
393
    response := models.ResponseTrends{
394
        Labels:     labels,
395
        Goals:      goals,
396
        Weights:    weights,
397
        History:    calories,
234
    }
398
    }
235
    c.Transaction.Insert(&moment)
236
399
237
    return c.RenderJson(moment)
400
    return c.RenderJson(response)
401
}
402
403
func (c Profile) Add(product string, calories int64) revel.Result {
404
	account := c.Connected()
405
	if account == nil || strings.TrimSpace(product) == "" {
406
		return c.RenderJson(nil)
407
	}
408
409
	c.Validation.Required(product).Message("You must include a product.")
410
	c.Validation.Required(calories).Message("You must provide the amount of calories")
411
412
	if c.Validation.HasErrors() {
413
		c.Validation.Keep()
414
		c.FlashParams()
415
		return c.RenderJson(nil)
416
	}
417
418
	moment := models.History{
419
		AccountId: account.Id,
420
		Product:   product,
421
		Calories:  calories,
422
		Date:      time.Now(),
423
	}
424
	c.Transaction.Insert(&moment)
425
426
	return c.RenderJson(moment)
238
}
427
}
239
428
240
func (c Profile) Delete(id int64) revel.Result {
429
func (c Profile) Delete(id int64) revel.Result {
241
    account := c.Connected()
242
    if account == nil {
243
        return c.RenderJson(nil)
244
    }
430
	account := c.Connected()
431
	if account == nil {
432
		return c.RenderJson(nil)
433
	}
434
435
	moment := c.getMoment(id)
436
	if moment == nil {
437
		return c.RenderJson(nil)
438
	}
439
	c.Transaction.Delete(moment)
440
441
	return c.RenderJson(true)
442
}
245
443
246
    moment := c.getMoment(id)
247
    if moment == nil {
248
        return c.RenderJson(nil)
249
    }
250
    c.Transaction.Delete(moment)
444
func (c Profile) Goal(calories int64) revel.Result {
445
	account := c.Connected()
446
	if account == nil {
447
		return c.RenderJson(nil)
448
	}
251
449
252
    return c.RenderJson(true)
450
	c.setGoal(account, calories)
451
	return c.RenderJson(true)
253
}
452
}
254
453
255
func (c Profile) Goal(calories int64) revel.Result {
454
func (c Profile) Weight(weight float64) revel.Result {
256
    account := c.Connected()
455
    account := c.Connected()
257
    if account == nil {
456
    if account == nil {
258
        return c.RenderJson(nil)
457
        return c.RenderJson(nil)
259
    }
458
    }
260
459
261
    c.setGoal(account, calories)
460
    c.setWeight(account, weight)
262
    return c.RenderJson(true)
461
    return c.RenderJson(true)
263
}
462
}

+ 20 - 20
app/init.go

1
package app
1
package app
2
2
3
import (
3
import (
4
    "strings"
5
    "github.com/revel/revel"
4
	"github.com/revel/revel"
5
	"strings"
6
)
6
)
7
7
8
func init() {
8
func init() {
9
	// Filters is the default set of global filters.
9
	// Filters is the default set of global filters.
10
	revel.Filters = []revel.Filter{
10
	revel.Filters = []revel.Filter{
11
        ContentTypeFilter,
11
		ContentTypeFilter,
12
		revel.PanicFilter,             // Recover from panics and display an error page instead.
12
		revel.PanicFilter,             // Recover from panics and display an error page instead.
13
		revel.RouterFilter,            // Use the routing table to select the right Action
13
		revel.RouterFilter,            // Use the routing table to select the right Action
14
		revel.FilterConfiguringFilter, // A hook for adding or removing per-Action filters.
14
		revel.FilterConfiguringFilter, // A hook for adding or removing per-Action filters.
33
// should probably also have a filter for CSRF
33
// should probably also have a filter for CSRF
34
// not sure if it can go in the same filter or not
34
// not sure if it can go in the same filter or not
35
var HeaderFilter = func(c *revel.Controller, fc []revel.Filter) {
35
var HeaderFilter = func(c *revel.Controller, fc []revel.Filter) {
36
    // This was commented out so I could mask the origins with DNS
37
    //c.Response.Out.Header().Add("X-Frame-Options", "SAMEORIGIN")
36
	// This was commented out so I could mask the origins with DNS
37
	//c.Response.Out.Header().Add("X-Frame-Options", "SAMEORIGIN")
38
38
39
    // Add some common security headers
39
	// Add some common security headers
40
	c.Response.Out.Header().Add("X-XSS-Protection", "1; mode=block")
40
	c.Response.Out.Header().Add("X-XSS-Protection", "1; mode=block")
41
	c.Response.Out.Header().Add("X-Content-Type-Options", "nosniff")
41
	c.Response.Out.Header().Add("X-Content-Type-Options", "nosniff")
42
42
44
}
44
}
45
45
46
var ContentTypeFilter = func(c *revel.Controller, fc []revel.Filter) {
46
var ContentTypeFilter = func(c *revel.Controller, fc []revel.Filter) {
47
    path := c.Request.Request.URL.Path
48
    formats := []string{"json", "xml"}
49
50
    for _, format := range formats {
51
        if strings.HasSuffix(path, "." + format) {
52
            trimmed := strings.TrimSuffix(path, "." + format)
53
            c.Request.Request.URL.Path = trimmed
54
            c.Request.Request.RequestURI = trimmed
55
            c.Request.Format = format
56
            break
57
        }
58
    }
59
60
    fc[0](c, fc[1:])
47
	path := c.Request.Request.URL.Path
48
	formats := []string{"json", "xml"}
49
50
	for _, format := range formats {
51
		if strings.HasSuffix(path, "."+format) {
52
			trimmed := strings.TrimSuffix(path, "."+format)
53
			c.Request.Request.URL.Path = trimmed
54
			c.Request.Request.RequestURI = trimmed
55
			c.Request.Format = format
56
			break
57
		}
58
	}
59
60
	fc[0](c, fc[1:])
61
}
61
}

+ 5 - 5
app/models/account.go

1
package models
1
package models
2
2
3
import (
3
import (
4
    "time"
4
	"time"
5
)
5
)
6
6
7
type Account struct {
7
type Account struct {
8
    Id              int64
9
    Profile         string
10
    Created         time.Time
11
    LastVisit       time.Time
8
	Id        int64
9
	Profile   string
10
	Created   time.Time
11
	LastVisit time.Time
12
}
12
}

+ 4 - 4
app/models/goal.go

3
import "time"
3
import "time"
4
4
5
type Goal struct {
5
type Goal struct {
6
    Id              int64
7
    AccountId       int64
8
    Calories        int64
9
    Date            time.Time
6
	Id        int64
7
	AccountId int64
8
	Calories  int64
9
	Date      time.Time
10
}
10
}

+ 6 - 6
app/models/history.go

1
package models
1
package models
2
2
3
import (
3
import (
4
    "time"
4
	"time"
5
)
5
)
6
6
7
type History struct {
7
type History struct {
8
    Id              int64
9
    AccountId       int64
10
    Product         string
11
    Calories        int64
12
    Date            time.Time
8
	Id        int64
9
	AccountId int64
10
	Product   string
11
	Calories  int64
12
	Date      time.Time
13
}
13
}

+ 2 - 2
app/models/overview.go

1
package models
1
package models
2
2
3
type Overview struct {
3
type Overview struct {
4
    Accounts int64
5
    Calories int64
4
	Accounts int64
5
	Calories int64
6
}
6
}

+ 4 - 3
app/models/statistics.go

1
package models
1
package models
2
2
3
type ResponseStatistics struct {
3
type ResponseStatistics struct {
4
    Goal int64
5
    Current int64
6
    Streak int64
4
	Goal    int64
5
	Current int64
6
	Streak  int64
7
    Weight  float64
7
}
8
}

+ 8 - 0
app/models/trends.go

1
package models
2
3
type ResponseTrends struct {
4
    Labels  []int
5
    Goals   map[string]int64
6
    Weights map[string]float64
7
    History map[string]int64
8
}

+ 4 - 4
app/models/weight.go

3
import "time"
3
import "time"
4
4
5
type Weight struct {
5
type Weight struct {
6
    Id              int64
7
    AccountId       int64
8
    Weight          float64
9
    Date            time.Time
6
	Id        int64
7
	AccountId int64
8
	Weight    float64
9
	Date      time.Time
10
}
10
}

+ 16 - 0
app/routes/routes.go

154
	return revel.MainRouter.Reverse("Profile.Stats", args).Url
154
	return revel.MainRouter.Reverse("Profile.Stats", args).Url
155
}
155
}
156
156
157
func (_ tProfile) Trends(
158
		) string {
159
	args := make(map[string]string)
160
	
161
	return revel.MainRouter.Reverse("Profile.Trends", args).Url
162
}
163
157
func (_ tProfile) Add(
164
func (_ tProfile) Add(
158
		product string,
165
		product string,
159
		calories int64,
166
		calories int64,
183
	return revel.MainRouter.Reverse("Profile.Goal", args).Url
190
	return revel.MainRouter.Reverse("Profile.Goal", args).Url
184
}
191
}
185
192
193
func (_ tProfile) Weight(
194
		weight float64,
195
		) string {
196
	args := make(map[string]string)
197
	
198
	revel.Unbind(args, "weight", weight)
199
	return revel.MainRouter.Reverse("Profile.Weight", args).Url
200
}
201
186
202

+ 19 - 4
app/tmp/main.go

155
				Args: []*revel.MethodArg{ 
155
				Args: []*revel.MethodArg{ 
156
				},
156
				},
157
				RenderArgNames: map[int][]string{ 
157
				RenderArgNames: map[int][]string{ 
158
					149: []string{ 
158
					273: []string{ 
159
						"account",
159
						"account",
160
					},
160
					},
161
				},
161
				},
182
				RenderArgNames: map[int][]string{ 
182
				RenderArgNames: map[int][]string{ 
183
				},
183
				},
184
			},
184
			},
185
			&revel.MethodType{
186
				Name: "Trends",
187
				Args: []*revel.MethodArg{ 
188
				},
189
				RenderArgNames: map[int][]string{ 
190
				},
191
			},
185
			&revel.MethodType{
192
			&revel.MethodType{
186
				Name: "Add",
193
				Name: "Add",
187
				Args: []*revel.MethodArg{ 
194
				Args: []*revel.MethodArg{ 
207
				RenderArgNames: map[int][]string{ 
214
				RenderArgNames: map[int][]string{ 
208
				},
215
				},
209
			},
216
			},
217
			&revel.MethodType{
218
				Name: "Weight",
219
				Args: []*revel.MethodArg{ 
220
					&revel.MethodArg{Name: "weight", Type: reflect.TypeOf((*float64)(nil)) },
221
				},
222
				RenderArgNames: map[int][]string{ 
223
				},
224
			},
210
			
225
			
211
		})
226
		})
212
	
227
	
213
	revel.DefaultValidationKeys = map[string]map[int]string{ 
228
	revel.DefaultValidationKeys = map[string]map[int]string{ 
214
		"github.com/revolvingcow/grassfed/app/controllers.Profile.Add": { 
229
		"github.com/revolvingcow/grassfed/app/controllers.Profile.Add": { 
215
			220: "product",
216
			221: "calories",
230
			409: "product",
231
			410: "calories",
217
		},
232
		},
218
		"github.com/revolvingcow/grassfed/app/controllers.Profile.Logon": { 
233
		"github.com/revolvingcow/grassfed/app/controllers.Profile.Logon": { 
219
			154: "id",
234
			278: "id",
220
		},
235
		},
221
	}
236
	}
222
	revel.TestSuites = []interface{}{ 
237
	revel.TestSuites = []interface{}{ 

+ 21 - 0
app/views/Profile/Index.html

75
            </div>
75
            </div>
76
        </form>
76
        </form>
77
77
78
        <h3>Trending</h3>
79
        <div class="text-center">
80
            <canvas id="trendsChart" width="400" height="250"></canvas>
81
        </div>
82
83
        <form id="recordWeight" action="/me/weight" method="post" role="form" class="form-horizontal">
84
            <div class="form-group">
85
                <div class="col-xs-offset-2 col-xs-3">
86
                    <label for="weight" class="form-label">Weight</label>
87
                </div>
88
                <div class="col-xs-5">
89
                    <input name="weight" type="number" min="0" max="1000" step="any" value="" class="col-xs-8 form-control" />
90
                </div>
91
            </div>
92
            <div class="form-group">
93
                <div class="col-xs-offset-6 col-xs-4">
94
                    <input type="submit" value="Record" class="form-control btn btn-primary" />
95
                </div>
96
            </div>
97
        </form>
98
78
        <h3>Streak</h3>
99
        <h3>Streak</h3>
79
        <h3 class="streak text-center">0</h3>
100
        <h3 class="streak text-center">0</h3>
80
        <h3 class="streak-units text-center">days</h3>
101
        <h3 class="streak-units text-center">days</h3>

+ 0 - 1
conf/app.conf

22
22
23
db.import = github.com/mattn/go-sqlite3
23
db.import = github.com/mattn/go-sqlite3
24
db.driver = sqlite3
24
db.driver = sqlite3
25
#db.spec   = :memory:
26
db.spec   = grassfed.db
25
db.spec   = grassfed.db
27
26
28
module.static=github.com/revel/revel/modules/static
27
module.static=github.com/revel/revel/modules/static

+ 2 - 0
conf/routes

12
GET     /me/history                             Profile.History
12
GET     /me/history                             Profile.History
13
DELETE  /me/history/:id                         Profile.Delete
13
DELETE  /me/history/:id                         Profile.Delete
14
GET     /me/stats                               Profile.Stats
14
GET     /me/stats                               Profile.Stats
15
GET     /me/trends                              Profile.Trends
15
POST    /me/add                                 Profile.Add
16
POST    /me/add                                 Profile.Add
16
POST    /me/goal                                Profile.Goal
17
POST    /me/goal                                Profile.Goal
18
POST    /me/weight                              Profile.Weight
17
19
18
# Ignore favicon requests
20
# Ignore favicon requests
19
GET     /favicon.ico                            404
21
GET     /favicon.ico                            404

+ 99 - 8
public/js/grassfed.js

9
})(jQuery);
9
})(jQuery);
10
10
11
$(function () {
11
$(function () {
12
    var chart = $("#goalChart")[0];
12
    var chart = $('#goalChart')[0];
13
    var trends = $('#trendsChart')[0];
13
    var doughnutChart;
14
    var doughnutChart;
15
    var lineChart;
16
    var trendData;
14
17
15
    function startEngine() {
18
    function startEngine() {
16
        // Pull the information we need first.
19
        // Pull the information we need first.
17
        loadStatistics();
20
        loadStatistics();
21
        loadTrends();
18
        loadHistory();
22
        loadHistory();
19
23
20
        // Set focus.
24
        // Set focus.
51
                    // Update the chart.
55
                    // Update the chart.
52
                    var previousCalories = parseInt($('input[name="current"][type="hidden"]').val());
56
                    var previousCalories = parseInt($('input[name="current"][type="hidden"]').val());
53
                    $('input[name="current"][type="hidden"]').val(previousCalories + response.Calories);
57
                    $('input[name="current"][type="hidden"]').val(previousCalories + response.Calories);
54
                    updateChart();
58
                    updateCalorieChart();
59
                    loadTrends();
55
60
56
                    // Reset focus.
61
                    // Reset focus.
57
                    $('input[name="products"][type="text"]').focus();
62
                    $('input[name="products"][type="text"]').focus();
61
        return false;
66
        return false;
62
    });
67
    });
63
68
69
    $('form#recordWeight').on('submit', function (e) {
70
        e.preventDefault();
71
72
        var weight = $('input[name="weight"][type="number"]').val();
73
74
        $.post('/me/weight', { 'weight': weight })
75
            .done(function (response) {
76
                if (response) {
77
                    // Reset the values.
78
                    $('input[name="weight"][type="number"]').val('');
79
                    loadTrends();
80
                }
81
            });
82
    });
83
64
    $(document).on('click', 'button.delete-history', function (e) {
84
    $(document).on('click', 'button.delete-history', function (e) {
65
        e.preventDefault();
85
        e.preventDefault();
66
        var moment = parseInt($(this).parents('div.media').attr('data-moment'));
86
        var moment = parseInt($(this).parents('div.media').attr('data-moment'));
81
101
82
                // Update our calorie chart.
102
                // Update our calorie chart.
83
                $('input[name="current"][type="hidden"]').val(previousCalories - calories);
103
                $('input[name="current"][type="hidden"]').val(previousCalories - calories);
84
                updateChart();
104
                updateCalorieChart();
105
                loadTrends();
85
106
86
                // Check if there are any more media elements in the panel. If not remove the panel.
107
                // Check if there are any more media elements in the panel. If not remove the panel.
87
                if ($(panel).find('div.media').length == 0) {
108
                if ($(panel).find('div.media').length == 0) {
101
        $('span.goal').text(goal);
122
        $('span.goal').text(goal);
102
123
103
        // Update the chart.
124
        // Update the chart.
104
        updateChart();
125
        updateCalorieChart();
126
        loadTrends();
105
    });
127
    });
106
128
107
    function prependProduct(id, product, calories) {
129
    function prependProduct(id, product, calories) {
151
                    $('.streak-unit').text('days');
173
                    $('.streak-unit').text('days');
152
                }
174
                }
153
175
154
                updateChart();
176
                updateCalorieChart();
177
            });
178
    }
179
180
    function loadTrends() {
181
        $.get('/me/trends')
182
            .done(function (response) {
183
                if (response) {
184
                    goals = [];
185
                    calories = [];
186
                    weights = [];
187
188
                    for (var i = 0; i < response.Labels.length; i++) {
189
                        goals.push(response.Goals[i]);
190
                        calories.push(response.History[i]);
191
                        weights.push(response.Weights[i]);
192
                    }
193
194
                    updateTrendChart(
195
                        response.Labels, 
196
                        goals, 
197
                        calories, 
198
                        weights);
199
                }
155
            });
200
            });
156
    }
201
    }
157
202
199
            });
244
            });
200
    }
245
    }
201
246
202
    function updateChart() {
247
    function updateTrendChart(labels, goals, calories, weights) {
248
        //if (!lineChart) {
249
            var ctxTrends = trends.getContext("2d");
250
            lineChart = new Chart(ctxTrends).Line(
251
                {
252
                    labels: labels, 
253
                    datasets: [
254
                        {
255
                            label: 'Goal',
256
                            fillColor: 'rgba(220, 220, 220, 0.2)',
257
                            strokeColor: 'rgba(220, 220, 220, 1)',
258
                            pointColor: 'rgba(220, 220, 220, 1)',
259
                            pointStrokeColor: '#fff',
260
                            pointHighlightFill: '#fff',
261
                            pointHighlightStroke: 'rgba(220, 220, 220, 1)',
262
                            data: goals 
263
                        },
264
                        {
265
                            label: 'Calories',
266
                            fillColor: 'rgba(196, 46, 42, 0.2)',
267
                            strokeColor: 'rgba(196, 46, 42, 0.5)',
268
                            pointColor: 'rgba(220, 220, 220, 1)',
269
                            pointStrokeColor: '#fff',
270
                            pointHighlightFill: '#fff',
271
                            pointHighlightStroke: 'rgba(220, 220, 220, 1)',
272
                            data: calories 
273
                        },
274
                        {
275
                            label: 'Weight',
276
                            fillColor: 'rgba(51, 51, 204, 0.2)',
277
                            strokeColor: 'rgba(51, 51, 204, 0.5)',
278
                            pointColor: 'rgba(51, 51, 204, 1)',
279
                            pointStrokeColor: '#fff',
280
                            pointHighlightFill: '#fff',
281
                            pointHighlightStroke: 'rgba(220, 220, 220, 1)',
282
                            data: weights 
283
                        }
284
                    ]
285
                },
286
                {
287
                    animateScale: true,
288
                    pointDot: false
289
                });
290
        //}
291
    };
292
293
    function updateCalorieChart() {
203
        var goal = getDailyCalories();
294
        var goal = getDailyCalories();
204
        var count = getCurrentCalories();
295
        var count = getCurrentCalories();
205
        var goalColor = "#ddd";
296
        var goalColor = "#ddd";
210
        }
301
        }
211
        
302
        
212
        if (!doughnutChart) {
303
        if (!doughnutChart) {
213
            var ctx = chart.getContext("2d");
214
            doughnutChart = new Chart(ctx).Doughnut(
304
            var ctxCalories = chart.getContext("2d");
305
            doughnutChart = new Chart(ctxCalories).Doughnut(
215
                [
306
                [
216
                    {
307
                    {
217
                        value: count, 
308
                        value: count,