remote-snake/server/api/api.lisp

76 lines
2.8 KiB
Common Lisp
Raw Normal View History

2019-05-09 13:39:11 +02:00
(in-package :remote-snake-server-api)
(defclass api ()
((gm
2019-05-10 08:51:16 +02:00
:initform (make-instance 'game-manager))))
2019-05-09 18:38:31 +02:00
2019-05-10 12:30:40 +02:00
;;; Parse the request and return it as a plist
2019-05-09 18:38:31 +02:00
(defun parse-request (request)
2019-05-10 12:30:40 +02:00
(flet ((normalizer (key) (string-upcase key)))
(let* ((p-request (parse request :normalize-all t :keyword-normalizer #'normalizer ))
(type (getf p-request :type :not-found)))
(cond
((eq type :not-found)
(error "Invalid request: Bad request type"))
((equal type "update")
(progn
(unless (getf p-request :game-id) (error "Invalid request: No game id"))
(let ((dir (getf p-request :direction :not-found)))
(when (eq :not-found dir) (error "Invalid request: No snake direction provided"))
(unless (or (equal "up" dir) (equal "down" dir) (equal "left" dir) (equal "right" dir) (eq nil dir)) (error "Invalid request: Bad direction"))
(cond
((equal dir "up") (setf (getf p-request :direction) :up))
((equal dir "down") (setf (getf p-request :direction) :down))
((equal dir "left") (setf (getf p-request :direction) :left))
((equal dir "right") (setf (getf p-request :direction) :right))))))
((not (equal type "new-game"))
(error "Invalid request: Unknow request type")))
p-request)))
2019-05-09 18:38:31 +02:00
(defmethod handle-new-game ((api api) data)
(with-slots (gm) api
2019-05-10 08:51:16 +02:00
(let* ((game-id (create-game gm)))
2019-05-09 18:38:31 +02:00
(let ((game-dump (dump gm game-id)))
(setf (getf game-dump :game-over) :null) ; Define nil as null (for json)
(to-json
2019-05-10 08:51:16 +02:00
(append (list :type "state") game-dump))))))
2019-05-09 18:38:31 +02:00
(defmethod handle-update ((api api) data)
(with-slots (gm) api
(let* ((dir (getf data :direction))
(game-id (getf data :game-id))
(game (get-game gm game-id)))
(cond
((equal dir "up") (setf dir :up))
((equal dir "down") (setf dir :down))
((equal dir "left") (setf dir :left))
((equal dir "right") (setf dir :right))
(t (setf dir nil)))
(if dir
(refresh game :dir dir)
2019-05-10 08:51:16 +02:00
(refresh game))
2019-05-10 13:29:26 +02:00
(to-json
(append (list :type "state") (dump gm game-id))))))
2019-05-09 18:38:31 +02:00
2019-05-10 14:01:55 +02:00
;;; TODO: Improve error management
2019-05-09 18:38:31 +02:00
(defmethod handle-request ((api api) request)
2019-05-10 14:01:24 +02:00
(flet ((handle-fun ()
(let* ((data (parse-request request))
(type (getf data :type)))
(cond
((equal type "new-game") (handle-new-game api data))
((equal type "update") (handle-update api data))
(t (format t "Unknow type"))))))
(handler-case
(handle-fun)
(t (c)
(format t "Got an exception: ~a~%" c)
"Bad request"))))
2019-05-09 18:38:31 +02:00
2019-05-09 13:39:11 +02:00