This file is indexed.

/usr/share/pyshared/screenlets/plugins/iCal.py is in screenlets 0.1.2-8.

This file is owned by root:root, with mode 0o644.

The actual contents of the file can be viewed below.

  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
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
############################################################################
# Programmers: Jiva DeVoe <jiva@devoesquared.com>
# Filename: iCal.py
# http://www.devoesquared.com/Software/iCal_Module
#
# Contributors / Alterations:
# stefan natchev: april 15, 2005 - added support for dates with ranges
# stefan natchev: april 16, 2005 - added more recurrance support
# Aaron A. Seigo aseigo@kde.org: January 2006 - patches for event lookup for multi-day events. (see occursOn)
# Danil Dotsenko dd@accentsolution.com: June 15, 2006 - reworked file rutine in ICalReader to work with generic paths and added fileFilter and check for correct header.
# Danil Dotsenko dd@accentsolution.com: -----||------ - reworked other functions for efficiency.
# Paul van Erk: July 3, 2006 - fixed a bug where all-day events would be counted as 2 days (and 2-day events as 3, etc)
# Danil Dotsenko dd@accentsolution.com: Sept 04, 2006 - changed the iCalReader class init rutine to init on the basis of raw data list, not filenames. This allows reading files from remote sources.
#  Warning! with this version (20060904) I am braking backward compatibility in __init__() arguments of ICalReader
#
# version 20060904
#
# "2-Clause" BSD license
#
# Redistribution and use in source and binary forms, with or without
# modification, are permitted provided that the following conditions
# are met:
#
# 1. Redistributions of source code must retain the above copyright
#    notice, this list of conditions and the following disclaimer.
# 2. Redistributions in binary form must reproduce the above copyright
#    notice, this list of conditions and the following disclaimer in the
#    documentation and/or other materials provided with the distribution.
#
# THIS SOFTWARE IS PROVIDED BY THE AUTHOR ``AS IS'' AND ANY EXPRESS OR
# IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED WARRANTIES
# OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
# IN NO EVENT SHALL THE AUTHOR BE LIABLE FOR ANY DIRECT, INDIRECT,
# INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT
# NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE,
# DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY
# THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT
# (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF
# THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
############################################################################

import os
import os.path
import re
import datetime
import time

class ICalReader(object):
	def __init__(self, dataLines = None):
		'''
		iCal.ICalReader([dataList])

		Initializes the iCal reader and parses the list type object for events.
		The list type object with iCal contents is optional.
		You can call readFiles(file name list) and readEvents(iCal data lines) separately.
		'''
		self.events = []
		if dataLines:
			self.readEvents(dataLines)

	def readFiles(self, fileList):
		'''
		readFiles(fileList)

		This function accepts ARRAY with list of local file names.
		We put contents of the files into one big list and feed to readEvents()
		We only work with files, no folders or wildcards.
		'''
		dataLines = []
		for item in range(fileList.__len__()):
			if os.path.isfile(fileList[item]): # not sure why I am doing it, your code should...
				tempFile = open(fileList[item], 'r')
				dataLines.extend(tempFile.readlines())
				tempFile.close()
		if dataLines:
			self.readEvents(dataLines)

	def readURL(self, url):
		'''
		Put rutine to fetch and convert a resource into lines and feed it to readEvents()
		'''
		dataLines = None
		if str(url).lower().startswith('http') or str(url).lower().startswith('www'):
			try:
				import urllib2
			except: print 'Please install urllib2'
			tempFile = urllib2.urlopen(url)
			dataLines = tempFile.readlines()
			tempFile.close()
		else:
			
			tempFile = open(url,'r')
			dataLines = tempFile.readlines()
			tempFile.close()
		if dataLines:
			self.readEvents(dataLines)

	def readEvents(self, lines, emptyEvents=False):
		if emptyEvents:
			self.events = []
			# this is here for MY convenience. Don't rely on this.
			# Instead just to iCalObject.events = {} in your code.
			# The latter allows emptying events with functions like readURL and readFiles
		mask = {}
		mask['BEGIN'] = re.compile("^BEGIN:VEVENT")
		mask['END'] = re.compile("^END:VEVENT")
		inEvent= False
		for line in lines: # this will only work if there is no such thing as nested VEVENTs. It assumes there is one END:VEVENT fro every openning BEGIN
			if mask['BEGIN'].match(line):
				eventLines = []
				inEvent = True
			elif mask['END'].match(line) and inEvent:
				# note: BEGIN: and END: are not included in the list.
				self.events.append(self.parseEvent(eventLines))
				inEvent = False
			elif inEvent:
				eventLines.append(line)

	def parseEvent(self, lines):
		event = ICalEvent()
		startDate = None
		rule = None
		endDate = None
		#it has to have something for a summary(?) -s
		event.summary = ''
		mask={}
		mask['Summary']=re.compile("^SUMMARY:(.*)")
		mask['DTStart']=re.compile("^DTSTART;.*:(.*).*")
		mask['DTEnd']=re.compile("^DTEND;.*:(.*).*")
		mask['DTStartTZ']=re.compile("^DTSTART:(.*)T.*Z")
		mask['DTEndTZ']=re.compile("^DTEND:(.*)T.*Z")
		mask['ExDate']=re.compile("^EXDATE.*:(.*)")
		mask['RRule']=re.compile("^RRULE:(.*)")
		timed = '1'
		for line in lines:
			if mask['Summary'].match(line):
				event.summary = mask['Summary'].match(line).group(1)
			#these are the dtstart/dtend with no time range
			elif mask['DTStart'].match(line):
				startDate = self.parseDate(mask['DTStart'].match(line).group(1))
				timed = '0'
			elif mask['DTEnd'].match(line):
				endDate = self.parseDate(mask['DTEnd'].match(line).group(1))
				timed = '0'
			#these are the ones that are 'ranged'
			elif mask['DTStartTZ'].match(line):
				startDate = self.parseDate(mask['DTStartTZ'].match(line).group(1))
			elif mask['DTEndTZ'].match(line):
				endDate = self.parseDate(mask['DTEndTZ'].match(line).group(1))
			elif mask['ExDate'].match(line):
				event.addExceptionDate(self.parseDate(mask['ExDate'].match(line).group(1)))
			elif mask['RRule'].match(line):
				rule = mask['RRule'].match(line).group(1)
		event.startDate = startDate
		event.endDate = endDate
		event.timed = timed
		if rule:
			event.addRecurrenceRule(rule)
		return event

	#def parseTodo(self, lines):
	#	todo = ICalTodo()
	#	startDate = None
	#	endDate = None

	def parseDate(self, dateStr):
		year = int(dateStr[0:4])
		if year < 1970:
			year = 1970
		month = int(dateStr[4:4+2])
		day = int(dateStr[6:6+2])
		try:
			hour = int(dateStr[9:9+2])
			minute = int(dateStr[11:11+2])
		except:
			hour = 0
			minute = 0
		return datetime.datetime(year, month, day, hour, minute)

	def selectEvents(self, selectFunction):
		note = datetime.datetime.today()
		self.events.sort()
		events = filter(selectFunction, self.events)
		return events

	def todaysEvents(self, event):
		return event.startsToday()

	def tomorrowsEvents(self, event):
		return event.startsTomorrow()

	def afterTodaysEvents(self, event):
		return event.startsAfterToday()

	def eventsFor(self, date):
		note = datetime.datetime.today()
		self.events.sort()
		ret = []
		for event in self.events:
			#if event.startsOn(date):
			if event.occursOn(date):
				ret.append(event)
		return ret

		year = int(dateStr[0:4])
		if year < 1970:
			year = 1970

		month = int(dateStr[4:4+2])
		day = int(dateStr[6:6+2])
		try:
			hour = int(dateStr[9:9+2])
			minute = int(dateStr[11:11+2])
		except:
			hour = 0
			minute = 0

class ICalEvent(object):
	def __init__(self):
		self.exceptionDates = []
		self.dateSet = None

	def __str__(self):
		return self.summary

	def __eq__(self, otherEvent):
		return self.startDate == otherEvent.startDate

	def addExceptionDate(self, date):
		self.exceptionDates.append(date)

	def addRecurrenceRule(self, rule):
		self.dateSet = DateSet(self.startDate, self.endDate, rule)

	def startsToday(self):
		return self.startsOn(datetime.datetime.today())

	def startsTomorrow(self):
		tomorrow = datetime.datetime.fromtimestamp(time.time() + 86400)
		return self.startsOn(tomorrow)

	def startsAfterToday(self):
		return self.startsAfter(datetime.datetime.today())

	def startsOn(self, date):
		return (self.startDate.year == date.year and
			self.startDate.month == date.month and
			self.startDate.day == date.day or
			(self.dateSet and self.dateSet.includes(date)))

	def occursOn(self, date):
		if (self.timed == '0'):
			return (self.startsOn(date) or (self.startDate < date and self.endDate >= date) and self.endDate != date)
		else:
			return (self.startsOn(date) or (self.startDate < date and self.endDate >= date))

	def startsAfter(self, date):
		return (self.startDate > date)

	def startTime(self):
		return self.startDate

#class ICalTodo(object):

#strange...
#class DateParser(object):
def parse(dateStr):
	year = int(dateStr[0:4])
	if year < 1970:
		year = 1970

	month = int(dateStr[4:4+2])
	day = int(dateStr[6:6+2])
	try:
		hour = int(dateStr[9:9+2])
		minute = int(dateStr[11:11+2])
	except:
		hour = 0
		minute = 0
	return datetime.datetime(year, month, day, hour, minute)


class DateSet(object):
	def __init__(self, startDate, endDate, rule):
		self.startDate = startDate
		self.endDate = endDate
		self.startWeekNumber = startDate.isocalendar()[1]
		self.frequency = None
		self.count = None
		self.interval = 1
		self.untilDate = None
		self.byMonth = None
		self.byDate = None
		self.parseRecurrenceRule(rule)

	def parseRecurrenceRule(self, rule):
		if re.compile("FREQ=(.*?);").match(rule):
			self.frequency = re.compile("FREQ=(.*?);").match(rule).group(1)

		if re.compile("COUNT=(\d*)").search(rule):
			self.count = int(re.compile("COUNT=(\d*)").search(rule).group(1))

		if re.compile("UNTIL=(.*?);").search(rule):
			#homebrewed
			self.untilDate = parse(re.compile("UNTIL=(.*?);").search(rule).group(1))
		if re.compile("INTERVAL=(\d*);").search(rule):
			self.interval = int(re.compile("INTERVAL=(\d*);").search(rule).group(1))

		if re.compile("BYMONTH=(.*?);").search(rule):
			self.byMonth = re.compile("BYMONTH=(.*?);").search(rule).group(1)

		if re.compile("BYDAY=(.*?);").search(rule):
			self.byDay = re.compile("BYDAY=(.*?);").search(rule).group(1)



	def includes(self, date):
		if date == self.startDate:
			return True

		if self.untilDate and date > self.untilDate:
			return False

		if self.frequency == 'DAILY':
			if self.interval:
				increment = self.interval
			else:
				increment = 1
			d = self.startDate
			counter = 0
			while(d < date):
				if self.count:
					counter += 1
					if counter >= self.count:
						return False

				d = d.replace(day=d.day+1)

				if (d.day == date.day and
					d.year == date.year and
					d.month == date.month):
					return True

		elif self.frequency == 'WEEKLY':
			if self.startDate.weekday() == date.weekday():
			   #make sure the interval is proper -Milo
			   if self.startWeekNumber % self.interval == date.isocalendar()[1] % self.interval:
				  return True
			   else:
				  return False
			else:
				if self.endDate:
					for n in range(0, self.endDate.day - self.startDate.day):
						newDate = self.startDate.replace(day=self.startDate.day+n)
						if newDate.weekday() == date.weekday():
							return True

		elif self.frequency == 'MONTHLY':
			pass

		elif self.frequency == 'YEARLY':
			pass

		return False


if __name__ == '__main__':
	reader = ICalReader()
	# reader.readURL('http://www.google.com/calendar/ical/4dmslp71qlvjhl1q6g6f88gfv4@group.calendar.google.com/public/basic.ics')
	reader.readURL('file:///home/dd/musor/icalout.ics')
	for event in reader.events:
		print event