forked from elParaguayo/RPI-Info-Screen
-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathdefault.py
328 lines (272 loc) · 8.56 KB
/
default.py
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
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
import sys
import pygame
import imp
import os
import getopt
import traceback
# Set some variables
# Plugin location and names
PluginFolder = "./plugins"
PluginScript = "screen.py"
MainModule = "screen"
pluginScreens = []
loadAll = False
pluginsConf = "plugins.ini"
selectedPlugins = []
# Screen size (currently fixed)
size = width, height = 320, 240
# Automatically cycle screens
automode = False
# Mouse related variables
minSwipe = 50
maxClick = 15
longPressTime = 200
# Background about the script
def usage():
print "RPi Info Screen by elParaguayo"
print "Displays custom screens on attached display\n"
print "Usage: " + sys.argv[0] + " [options]"
print "\t-l\tList available screens"
print "\t-h\tDisplay this screen"
print "\t-s\tSet size of display e.g. '-s 600,400'"
# Try to set the plugins that should be loaded
def getSelectedPlugins():
try:
pluginsConfFile = open(pluginsConf, 'r')
for line in pluginsConfFile:
selectedPlugins.append(line.rstrip('\n'))
except IOError:
loadAll = True
# Plugin handling code adapted from: http://lkubuntu.wordpress.com/2012/10/02/writing-a-python-plugin-api/
# Only selected plugins will be loaded
def getPlugins():
getSelectedPlugins()
plugins = []
possibleplugins = os.listdir(PluginFolder)
a=1
for i in possibleplugins:
if(loadAll or i in selectedPlugins):
location = os.path.join(PluginFolder,i)
print location
if not os.path.isdir(location) or not PluginScript in os.listdir(location):
continue
inf = imp.find_module(MainModule, [location])
plugins.append({"name": i, "info": inf, "id": a})
print plugins
a=a+1
return plugins
def loadPlugin(plugin):
return imp.load_module(MainModule, *plugin["info"])
# Collect a list of plugins found
def getScreens():
a = []
for i in getPlugins():
plugin = loadPlugin(i)
try:
# The plugin should have the myScreen function
# We send the screen size for future proofing (i.e. plugins should be able to cater
# for various screen resolutions
#
# TO DO: Work out whether plugin can return more than one screen!
a.append(plugin.myScreen(size))
except Exception, err:
# If it doesn't work, ignore that plugin and move on
print traceback.format_exc()
return a
def screenSize(arg):
try:
newsize = tuple([int(x) for x in a.split(",")])
if len(newsize) == 2:
global size
global pluginScreens
size = width, height = newsize
pluginScreens = getScreens()
except:
pass
# Function for displaying list of plugins that should work
def listPlugins():
global pluginScreens
print "RPi Info Screen\n"
print "Available screens:"
a=1
for i in pluginScreens:
id = str(a)
print "\t" + id + "\t" + i.showInfo()
a = a + 1
# Function to detect swipes
# -1 is that it was not detected as a swipe or click
# It will return 1 , 2 for horizontal swipe
# If the swipe is vertical will return 3, 4
# If it was a click it will return 0
def getSwipeType():
x,y=pygame.mouse.get_rel()
if abs(x)<=minSwipe:
if abs(y)<=minSwipe:
if abs(x) < maxClick and abs(y)< maxClick:
return 0
else:
return -1
elif y>minSwipe:
return 3
elif y<-minSwipe:
return 4
elif abs(y)<=minSwipe:
if x>minSwipe:
return 1
elif x<-minSwipe:
return 2
return 0
#Control if there is a longPress
def longPress(downTime):
if pygame.time.get_ticks()-longPressTime>downTime:
return True
else:
return False
# This is where we start
# Initialise pygame
pygame.init()
# Get list of screens that can be provided by plugins
pluginScreens = getScreens()
# Parse some options
try:
opts, args = getopt.getopt(sys.argv[1:], 'alhs:', ['auto', 'help', 'list', 'size'])
except getopt.GetoptError as err:
print(err)
usage()
sys.exit()
for o,a in opts:
# Show installed plugins
if o in ("-l", "--list"):
listPlugins()
sys.exit()
# Show help
if o in ("-h", "--help"):
usage()
sys.exit()
# Screen size
if o in ("-s", "--size"):
print "size", a
screenSize(a)
# Automatically change screens
if o in ("-a", "--auto"):
automode = True
# TO DO: add option for automatic screen change (with timeout)
# Set our screen size
# Should this detect attached display automatically?
screen = pygame.display.set_mode(size)
# Set header (useful for testing, not so much for full screen mode!)
pygame.display.set_caption("Info screen")
# Hide mouse
pygame.mouse.set_visible(True)
# Stop keys repeating
pygame.key.set_repeat()
# Display a temporary screen to show it's working
# May not display for long because of later code to show plugin loading
screen.fill([0,0,0])
myfont = pygame.font.SysFont(None, 20)
label = myfont.render("Initialising screens...", 1, (255,255,255))
labelpos = label.get_rect()
labelpos.centerx = screen.get_rect().centerx
labelpos.centery = screen.get_rect().centery
screen.blit(label, labelpos)
pygame.display.flip()
# Set some useful variables for controlling the display
quit=False
a=0
b=pygame.time.get_ticks()
c=-1
d=0
newscreen=False
newwait=0
refresh = 60000
refreshNow = False
mouseDownTime = 0
mouseDownPos = (0,0)
#Create a clock and set max FPS (This reduces a lot CPU ussage)
FPS=30
clock = pygame.time.Clock()
# Check if one or more plugin(s) where loaded
if(len(pluginScreens)==0):
print "ERROR: No plugin loaded. Check configuration"
quit = True
# Run our main loop
while not quit:
for event in pygame.event.get():
# Handle quit message received
if event.type == pygame.QUIT:
quit=True
# 'Q' to quit
if (event.type == pygame.KEYUP):
if (event.key == pygame.K_q):
quit = True
# 'N' to change screen
if (event.type == pygame.KEYDOWN):
if (event.key == pygame.K_n):
a = a + 1
if a > len(pluginScreens) - 1: a = 0
# 'S' saves screenshot
if (event.type == pygame.KEYDOWN):
if (event.key == pygame.K_s):
filename = "screen" + str(a) + ".jpeg"
pygame.image.save(screen, filename)
if (event.type == pygame.KEYDOWN):
if (event.key == pygame.K_f):
pygame.display.toggle_fullscreen()
# Mouse presed
if (event.type == pygame.MOUSEBUTTONDOWN):
mouseDownTime = pygame.time.get_ticks()
mouseDownPos = pygame.mouse.get_pos()
pygame.mouse.get_rel()
# Mouse released
if (event.type == pygame.MOUSEBUTTONUP):
swipe = getSwipeType()
if(swipe != -1):
if (swipe == 1):
a = a + swipe
if a > len(pluginScreens) - 1: a = 0
else:
try:
# Pass to the plugin currently displayed
pluginScreens[a].mouseReleased(swipe, mouseDownPos, pygame.mouse.get_pos(),longPress(mouseDownTime))
# Force to refresh the displayed plugin
refreshNow = True
except AttributeError:
pass
# only update the screen if it has changed
#
# TO DO: automatic screen change
if a <> c:
# Tell the user we're loading next screen
screen.fill((0,0,0))
holdtext = myfont.render("Loading screen: " + pluginScreens[a].screenName(),1, (255,255,255))
holdrect = holdtext.get_rect()
holdrect.centerx = screen.get_rect().centerx
holdrect.centery = screen.get_rect().centery
screen.blit(holdtext, holdrect)
pygame.display.flip()
newscreen=True
newwait=pygame.time.get_ticks()+2000
c=a
if newscreen and (pygame.time.get_ticks()>newwait or automode):
# Get the next screen
newscreen = False
screen = pluginScreens[a].showScreen()
pygame.display.flip()
# time how long do we display screen
nextscreen = pluginScreens[a].displaytime * 1000
refresh = pluginScreens[a].refreshtime * 1000
# refresh current screen
if pygame.time.get_ticks() >= (b + refresh) or refreshNow:
screen = pluginScreens[a].showScreen()
pygame.display.flip()
b = pygame.time.get_ticks()
refreshNow = False
if automode and (pygame.time.get_ticks() >= (d + nextscreen)):
a = a + 1
if a > len(pluginScreens) - 1: a = 0
d = pygame.time.get_ticks()
#Control FPS
clock.tick(FPS)
# If we're here we've exited the display loop...
print "Exiting..."
sys.exit()