def test_draw_winners_test_less_prizes_then_participants(self):
     file_content = [
         Participant(1, "Aaa", "Bbb"),
         Participant(1, "Aaa", "Bbb")
     ]
     prizes = [Prize("1", "Annual Vim subscription")]
     assert len(draw_winners(file_content, prizes)) == 1
Esempio n. 2
0
 def __init__(self, white, black):
     self.__white = white
     self.__black = black
     self.__winner = Participant()
     self.__loser = Participant()
     self.link = None
     self.status = 'pending'
Esempio n. 3
0
    def get(self):
        user = users.get_current_user()
        if user:
            user_query = Participant.query(Participant.email == user.email())
            saved_user = user_query.fetch(1)
            participants_query = Participant.query().order(-Participant.date)
            participants = participants_query.fetch()
            template_values = {'participants': participants}

            if len(saved_user) > 0:
                template = 'joined.html'
                result_query = DrawResult.query(
                    DrawResult.email == user.email())
                result = result_query.fetch(1)
                if len(result) > 0:
                    template_values[
                        'result'] = '<h6>Your giftee is <b>%s</b></h6>' % result[
                            0].giftee

            else:
                template = 'index.html'
                template_values['name'] = user.nickname()
                template_values['email'] = user.email()

            utils.fillTemplate(self.response, template, template_values)
        else:
            self.redirect(users.create_login_url(self.request.uri))
Esempio n. 4
0
def parseLog(file):
    participant = Participant()

    print("%-25s %s" % ("Parsing log:", file))
    f = open(file, "r", encoding=my_utils.getFileEncoding(file))

    for line in f:
        line_split = line.split()
        try:
            if len(line_split) == 0:
                pass
            elif line_split[0] == "CALLSIGN:":
                participant.callsign = line_split[1].upper()
            elif line_split[0] == "NAME:":
                participant.name = " ".join(line_split[1:])
            elif line_split[0] == "CATEGORY:":
                participant.category = " ".join(line_split[1:])
            elif line_split[0] == "QSO:":
                participant.log.append(Qso(line_split))
        except:
            print("Error in line: " + line)
            pass  # empty line

    if len(participant.callsign):
        print("Success!")
    else:
        print("Error!")

    return participant
Esempio n. 5
0
    def get(self):
		user = users.get_current_user()
		if user:
			user_query = Participant.query(Participant.email == user.email())
			saved_user = user_query.fetch(1)
			participants_query = Participant.query().order(-Participant.date)
			participants = participants_query.fetch()
			template_values = {
				'participants': participants
			}
			
			if len(saved_user) > 0:
				template = 'joined.html'
				result_query = DrawResult.query(DrawResult.email == user.email())
				result = result_query.fetch(1)
				if len(result) > 0:
					template_values['result'] = '<h6>Your giftee is <b>%s</b></h6>' % result[0].giftee
				
			else:
				template = 'index.html'
				template_values['name'] = user.nickname()
				template_values['email'] = user.email()

			utils.fillTemplate(self.response, template, template_values)
		else:
			self.redirect(users.create_login_url(self.request.uri))
Esempio n. 6
0
    def read_by_location(self):
        """
        Read the file and create Participant objects
        Group participants into 3 groups based on location
            - far
            - near
            - inda (because they are in da hood, sorry, 'in' is reserved)
        :return: dict with 3 fields, each holding a list of Participant objects
        """

        far = []
        near = []
        inda = []
        with open(self.file) as csv_file:
            rdr = csv.reader(csv_file, delimiter=self.delimiter)
            hdr = next(rdr, None)
            self.check_header(hdr, location=True)
            for row in rdr:
                if row[3] == "Far":
                    far.append(Participant(row[0], row[1], row[2]))
                elif row[3] == "Near":
                    near.append(Participant(row[0], row[1], row[2]))
                else:
                    inda.append(Participant(row[0], row[1], row[2]))
        if (len(inda) + len(far) + len(near)) < 18:
            print("Currently you need to have at least 18 participants!")
            sys.exit()
        participants = {"near": near, "far": far, "inda": inda}

        return participants
Esempio n. 7
0
 def __init__(self):
     self.participants = []
     f = open(self.fileName(), 'r')
     lines = f.readlines()
     f.close()
     for line in lines:
         participant = Participant()
         participant.setFromLine(line)
         self.participants.append(participant)
     self.sort()
 def __init__(self):
     self.participants = []
     f = open(self.fileName(), 'r')
     lines = f.readlines()
     f.close()
     for line in lines:
         participant = Participant()
         participant.setFromLine(line)
         self.participants.append(participant)
     self.sort()
 def test_reply_to_engine(self):
     self._amqp()
     participant = Participant("bar", "localhost", 
                               "guest", "guest", "/")
     class WorkitemStub:
         @property
         def to_dict(self):
             return {"foo" : "bar"} 
     participant.workitem = WorkitemStub()
     participant.reply_to_engine()        
     self.channel.wait()
 def __init__(self, fileNameString="./participants.txt"):
     self.fileName = fileNameString
     self.participants = []
     f = open(self.fileName, "r")
     lines = f.readlines()
     f.close()
     for line in lines:
         participant = Participant()
         participant.setFromLine(line)
         self.participants.append(participant)
     self.sort()
 def __init__(self, fileNameString='./participants.txt'):
     self.fileName = fileNameString
     self.participants = []
     f = open(self.fileName, 'r')
     lines = f.readlines()
     f.close()
     for line in lines:
         participant = Participant()
         participant.setFromLine(line)
         self.participants.append(participant)
     self.sort()
Esempio n. 12
0
    def _resolve_participant(self, finalist):
        search_name = normalize(finalist.Name)
        if finalist.Name in self._name_exceptions:
            search_name = self._name_exceptions[finalist.Name]

        for part in self._participants:
            if part.NormalizedName == search_name:
                part.Participations.append(finalist)
                return part

        new_participant = Participant(finalist)
        new_participant.NormalizedName = search_name # To make exceptions work properly.
        self._participants.append(new_participant)
        return new_participant
Esempio n. 13
0
    def handle_stream(self, stream, address):
        """
        When a new incoming connection is found, this function is called. Wrap
        the incoming connection in a Participant, then make it the most recent
        connection. Tell the oldest connection to use the new one as its
        write target.
        """
        r = Participant(stream, self.db)

        if self.last_connection is not None:
            self.last_connection.add_destination(r)

        self.last_connection = r

        r.wait_for_headers()
def open_file(path):

    reader = csv.reader(open(path, 'r'), delimiter=',', dialect='excel')
    participants = []
    participant = None
    rownum = 0
    for row in reader:
        participant_id = None
        marathon_date = None
        marathon_name = None
        marathon_type = None
        marathon_time = None
        marathon_category = None
        #participant.append(row)
        if rownum == 0:
            header = row
        else:
            colnum = 0
            for col in row:
                if header[colnum] == "PARTICIPANT ID":
                    participant_id = col
                    participant = Participant(col)
                elif header[colnum] == "EVENT DATE":
                    marathon_date = col
                elif header[colnum] == "EVENT NAME":
                    marathon_name = col
                elif header[colnum] == "EVENT TYPE":
                    marathon_type = col
                elif header[colnum] == "TIME":
                    marathon_time = col
                    if marathon_time == "-1":
                        participant.failed_times += 1
                elif header[colnum] == "CATEGORY":
                    marathon_category = col
                    participant.total_marathons += 1
                    participant.add_marathon(marathon_date, marathon_name,
                                             marathon_type, marathon_time,
                                             marathon_category)
                else:
                    print("Exception!")

                colnum += 1

        participants.append(participant)

        rownum += 1

    return participants
Esempio n. 15
0
def parseLogs(logs_dir):
    """
    Reads all the logs in the supplied directory and parses the data into dictionary that is returned

    :param logs_dir: Directory where the log files are located
    :return: Dictonary of particpants. {callsign, participant object}
    :rtype: dict
    """
    participants = {}

    for filename in glob.glob(os.path.join(logs_dir, "*.*")):

        participant = Participant()

        logger.info("parsing log: " + filename)
        logfile = open(filename,
                       "r",
                       encoding=my_utils.getFileEncoding(filename))

        try:
            for line in logfile:
                line_split = line.split()
                try:
                    if len(line_split) == 0:
                        pass
                    elif line_split[0] == "CALLSIGN:":
                        participant.callsign = line_split[1].upper()
                    elif line_split[0] == "NAME:":
                        participant.name = " ".join(line_split[1:])
                    elif line_split[0] == "CATEGORY:":
                        participant.category = " ".join(line_split[1:])
                    elif line_split[0] == "QSO:":
                        participant.log.append(Qso(line_split))
                except:
                    logger.warning("Error in line (will be ignored): " + line)
                    pass  # empty line
        except Exception as e:
            logger.warning("Error in file (will be ignored): " + filename)
            logger.warning("Error: " + str(e))
            pass

        if len(participant.callsign):
            participants[participant.callsign] = participant
            logger.info("Parsed log for: " + participant.callsign + "\n")
        else:
            logger.error("Couldn't parse the file: " + filename + "\n")

    return participants
Esempio n. 16
0
def index():
    if request.method == 'GET':
        alert = ""
        return render_template('index.html', alert=alert)

    name = request.form.get("name")
    surname = request.form.get("surname")
    email = request.form.get("email")
    passport = request.form.get("passport")
    address = request.form.get("address")
    profession = request.form.get("profession")
    participant = Participant(firstname=name,
                              lastname=surname,
                              email=email,
                              passport=passport,
                              address=address,
                              profession=profession)
    db.session.add(participant)
    db.session.commit()
    alert = f"Դուք Գրանցված եք!! Ստուգեք ձեր էլեկտրոնային հասցեն {email}"

    msg = Message('Confirm Email',
                  sender='*****@*****.**',
                  recipients=[email])
    msg.body = f"Հարգելի {name}, \n\nՁեր հայտը ընդունված է: \nԽնդրում եմ ստորև ստուգեք ձեր տվյալները;\n\nԱնձնագիր- {passport}\nՀասցե- {address} \n\nՎճարում կատարելու համար 1 օրվա ընթացքում կատարել փոխանցում հետևյալ հաշվեհամարին՝ Հայէկոնոմբանկ Սպանդարյանի մասնաճյուղ, 163048123489, Անհատ ձեռնարկատեր Սերոբ Խաչատրյան։ Վճարման նպատակը՝ դասընթացի մասնակցության մուտքավճար։\n\nԼավագnւյն Մաղթանքներով,\nՍերոբ"
    mail.send(msg)

    return render_template('index.html', alert=alert)
class TestEverything(unittest.TestCase):

	def setUp(self):
		self.p_week1 = Participant(16169162477,17348884244,0,datetime.now(),10,20)
		self.p_week5 = Participant(16169162477,17348884244,0,datetime.now()-timedelta(weeks=4,days=2),10,20)
		self.p_week6 = Participant(16169162477,17348884244,0,datetime.now()-timedelta(weeks=5,days=2),10,20)
		self.p_targt = Participant(16169162477,17348884244,0,datetime.now(),0,20)

	def test_next_day_start_time(self):
		now = datetime.now()
		start = self.p_week1.next_day_start_time()
		self.assertNotEqual(start.day, now.day)
		self.assertGreaterEqual(start.hour, 10)
		self.assertLess(start.hour, 16)

		start = self.p_week5.next_day_start_time()
		self.assertNotEqual(start.day, now.day)
		self.assertEqual(start.hour, 10)

		start = self.p_week6.next_day_start_time()
		self.assertNotEqual(start.day, now.day)
		self.assertGreaterEqual(start.hour, 10)
		self.assertLess(start.hour, 22)
		return

	def test_next_time(self):
		now = datetime.now()
		next = self.p_week1.next_message_time()
		self.assertEqual(next.day, now.day)
		self.assertGreaterEqual(next.hour, 10)
		self.assertLess(next.hour, 22)
		return 

	def test_database(self):
		db = Database()
		db.create_and_empty_tables()
		db.log(1234, 'test', 'content')
		logs = db.fetch_logs()
		self.assertEqual(logs[0]['event'],'test')
		db.new_participant(123456789, 987654321, '2014-05-04', '2014-06-05')
		db.update_participant(123456789,"twilio", 1111111111)
		participants = db.load_participants()
		self.assertEqual(participants[0][0],123456789)
		db.log_email('test@test','$0.36')
		emails = db.fetch_email()
		self.assertEqual(emails[0]['email'],'test@test')
		db.create_and_empty_tables()
Esempio n. 18
0
def first_contact():
  json = request.get_json()
  userid = json['userid']
  rows[userid] = Participant(userid)
  if 'features' in json:
    features = json['features']
    rows[userid].features.update(json['features'])
  return jsonify(initial_argument())
Esempio n. 19
0
 def from_list(cls, attrs):
     print(attrs)
     return cls(
         posted_by=Participant(attrs[0]),
         stock_symbol=attrs[1],
         direction=attrs[2],
         amount=int(attrs[3]),
         price=float(attrs[4]),
     )
Esempio n. 20
0
def loadParticipants(trials, names):
    outParticipants = []

    for trial in trials:
        for name in names:
            p = Participant(date, name, trial, fileType='.mat')
            outParticipants.append(p)

    return outParticipants
	def createSide(self, side):
		print "creating side", side.id
		side_node = self.rootNode.createChildSceneNode("%s_node" % side.id)
		i = 0
		cur_pos = 0
		for entity in side.entities:
			i += 1
			print "creating", entity.name, entity.type
			node = side_node.createChildSceneNode("%s_node" % entity.id)
			media = self.media[entity.type]
			mesh = "%s.mesh" % media[0]
			entity_object = self.sceneManager.createEntity("%s" % entity.id, mesh)
			#entity_object.setNormaliseNormals(True)
			if entity.type == 'planet':
				entity_object.setMaterialName("Starmap/Planet/Terran")
				node.position = [-media[1] / 2 - media[1], 0, 0]
				#node.yaw(ogre.Radian(1.57))
				userObject = Participant(entity_object, entity)
			else:
				cur_pos += media[1]*2+1
				node.position = [0, cur_pos, 0]
				node.yaw(ogre.Radian(1.57))
				node.roll(ogre.Radian(1.57))

				# orient ships to face each other
				node.yaw(ogre.Radian(3.13 * len(self.sides)))
				#node.pitch(ogre.Radian(3.14))
				# Create the engine particle system
				engine = self.sceneManager.createParticleSystem(entity.name + "/Engine", "%s/Engine" % entity.type)
				userObject = Participant(entity_object, entity, engine=engine)
				engine_node = node.createChildSceneNode("%s_engine_node" % entity.id)
				engine_node.attachObject(engine)
			self.initial_positions.append((entity.id, node.position))
			obj_scale = media[1] / entity_object.mesh.boundingSphereRadius
			entity_object.setUserObject(userObject)
			self.wfl.registerEntity(entity_object, node)
			self.mfl.registerEntity(entity_object, node)
			node.attachObject(entity_object)
			node.setScale(ogre.Vector3(obj_scale, obj_scale, obj_scale))
			entity_object.setVisible(False)
			self.userobjects[entity.id] = userObject
			self.nodes[entity.id] = node

		self.sides.append(side_node)
Esempio n. 22
0
    def parse_file(path):
        """This method takes the directory path and returns a list\nwith the mapped contents"""
        pathfile = open(str(path), 'r')
        reader = csv.reader(pathfile)
        lista = []
        for row in reader:
            #print(row)
            lista.append(Participant(row[0], row[1]))

        return lista
Esempio n. 23
0
    def post(self):
		user = users.get_current_user()
		if user:
			name = self.request.get('name')
			email = self.request.get('email')

			participant = Participant(id=email, name=name, email=email)
			participant.put()

			participants_query = Participant.query().order(-Participant.date)
			participants = participants_query.fetch()

			template_values = {
				'participants': participants
	    	}

			utils.fillTemplate(self.response, 'joined.html', template_values)
		else:
			self.redirect(users.create_login_url(self.request.uri))
Esempio n. 24
0
def solo():
    """ Only one participant, its too few. """
    try:
        _ = participants_shuffler([Participant("", "")])
    except AssertionError:
        print('Exception catched. Great')
        return 1, 1
    else:
        print('Error: Exception not catched')
        return 0, 1
Esempio n. 25
0
def read_participants():
    participants = []
    raw_data = str(read_data(Path("participants.txt"))).strip("\n")
    raw_participants = raw_data.split("\n")
    for raw_participant in raw_participants:
        raw_participant = raw_participant.split(",")
        participants.append(
            Participant(
                raw_participant[0], raw_participant[1],
                Address(raw_participant[2], raw_participant[3],
                        raw_participant[4], raw_participant[5])))
    return participants
    def test_amqp_message_callback(self):
        participant = Participant("foo", "localhost", 
                                  "guest", "guest", "/")
        fields = {'params':{'forget':1}}
        fei_dict = {'expid': '1_2_3',
                    'wfid': 'wfid_value',
                    'sub_wfid': 'sub_wfid_value',
                    'engine_id': 'engine_id_value'}
        params_dict = {'forget': 'baz'}
        fields_dict = {'__result__': False,
                       '__timed_out__': True,
                       '__error__': 'err',
                       'dispatched_at': 'bar',
                       'params': params_dict}


        class MessageStub:
             body = json.dumps({'fei': fei_dict, 
                               'fields': fields_dict,
                                'participant_name': "foo"})
        participant.workitem_callback(MessageStub())
        self.assertEquals("foo", participant.workitem.participant_name)
Esempio n. 27
0
def registerUser():
    global confirm
    global registerAnother
    confirm = input("Papel: " + str(role) + " Nível: " + str(level) +
                    ". Podemos confirmar sua inscrição ? (s/n) ")
    if confirm == "S" or confirm == "s":
        participantsList.append(Participant(name, role, level))
        print("Inscrição confirmada com sucesso!")
        print(participantsList)
        registerAnother = input("Deseja registrar outro usuário? (s/n)")
    else:
        print("Inscrição cancelada!")
        registerAnother = input("Deseja registrar outro usuário? (s/n)")
Esempio n. 28
0
	def draw():

		participants_query = Participant.query()
		participants = participants_query.fetch()

		results = []
		length = len(participants)

		while length > 0:
			index = random.randrange(length)
			results.append(participants[index])
			del participants[index]
			length = len(participants)

		rs = ' -> '.join(str(p) for p in results)

		length = len(results)

		for i in range(0, length):
			result = results[i]
			giftee = ''
			if i == length - 1:
				giftee = results[0].name
			else:
				giftee = results[i+1].name

			draw_result = DrawResult(id=result.email, 
				name=result.name,
				email=result.email,
				giftee=giftee)
			draw_result.put()

			mail.send_mail(sender="*****@*****.**",
				to=result.email,
				subject="#new-york Secret Santya",
				body='Hi %s,\n\nYour secret-santya giftee is %s!\n\nLove,\nSatya' % (result.name, giftee),
				html="""
				<html><body>
				Hi %s,<br><br>
				Your secret-santya giftee is <b>%s</b>!<br><br>
				Love,<br>
				Satya
				</body></html>
				""" % (result.name, giftee))

		template_values = {
			'results': 'OK'
    	}

		utils.fillTemplate(self.response, 'draw.html', template_values)
Esempio n. 29
0
def main(argv):

    #set url for serverRequests
    url = ridertrackUrl

    participants = []
    
    if(len(argv) >= 1):
        eventId = argv

    f = open('users.txt','r')

    startingLine = True
    counting = 0
    while (True):
        l = f.readline().strip()
        if (startingLine  == True):
            startingLine = False
            continue
    
        if counting > 5:
            break

        line = l.split(',')
        user = Participant(line[0],line[1],line[2],line[3])
        participants.append(user)
        print (user.email)
        counting = counting + 1
    f.close()

    for p in participants:
        #login or register
        tupleTokenId = ()
        try:
            tupleTokenId = serverRequests.login(url,p.email,p.password)
        except:
            tupleTokenId = serverRequests.register(url,p.name,p.surname,p.email,p.password)
        p.token = tupleTokenId[0]
        p.userId = tupleTokenId[1]
        #enroll users
        serverRequests.enroll(url,p.token,p.userId,eventId)

    #get route
    print ("Enrollment part finished")
    coordinates = serverRequests.getRoute(url,eventId)
    print (coordinates)
    r = Route(coordinates)
    #simulate
    simulator.simulate(url,eventId,participants,r)
Esempio n. 30
0
    def load_participants(self):
        """create instances of storage node for participants in this cluster"""
        self._participants = {}

        try:
            instances = self.functions.get_instances(self.cluster)
            for instance in instances:
                ident = instance["id"]
                enabled = instance["simpleFields"]["HELIX_ENABLED"]
                alive = instance["simpleFields"]["Alive"]
                data = instance
                participant = Participant(ident, alive, enabled, data)
                self._participants[instance["id"]] = participant
        except HelixException:
            pass
Esempio n. 31
0
def info_input(participants):
    participant_number = 0
    # loop for information input
    for numParticipant in range(0, MAXPARTICIPANT + 1):

        name = input("What is the name?\n")
        paid = input("How much did %s pay in total?\n" % (name))
        # insert into the participants list
        temp = Participant(name, float(paid))
        participants.append(temp)
        repeat = input("Add another participant? ")
        participant_number = participant_number + 1
        if repeat != "y" and repeat != "Y":
            break
    return participant_number
Esempio n. 32
0
    def read_simple(self):
        """
        Read the file and create Participant objects without grouping
        :return: list of Participant objects
        """

        participants = []
        with open(self.file) as csv_file:
            rdr = csv.reader(csv_file, delimiter=self.delimiter)
            hdr = next(rdr, None)
            self.check_header(hdr, location=False)
            for row in rdr:
                participants.append(Participant(row[0], row[1], row[2]))
        if len(participants) < 18:
            print("Currently you need to have at least 18 participants!")
            sys.exit()
        return participants
Esempio n. 33
0
File: bridge.py Progetto: Armael/xib
    def add_participant(self, from_protocol, nickname, real_jid=None):
        """Add a participant to the bridge."""
        if (from_protocol == 'irc' and nickname == self.bot.nickname) or (
                from_protocol == 'xmpp' and nickname == self.bot.nickname):
            return
        try:
            p = self.get_participant(nickname)
            if p.protocol != from_protocol:
                if from_protocol == 'irc' and isinstance(
                        p.irc_connection, irclib.ServerConnection
                ) and p.irc_connection.channels.has_key(
                        self.irc_room
                ) and p.irc_connection.channels[
                        self.
                        irc_room].state >= irclib.JOINING or from_protocol == 'xmpp' and isinstance(
                            p.muc, xmpp.muc) and p.muc.state >= p.muc.JOINING:
                    return p
                p.set_both_sides()
            return p
        except self.NoSuchParticipantException:
            pass

        if nickname == 'ChanServ' and from_protocol == 'irc':
            return

        self.bot.error(3,
                       'adding participant "' + nickname + '" from "' +
                       from_protocol + '" to bridge "' + str(self) + '"',
                       debug=True)
        try:
            p = Participant(self, from_protocol, nickname, real_jid=real_jid)
        except:
            self.bot.error(
                say_levels.debug, 'unknown error while adding participant "' +
                nickname + '" from "' + from_protocol + '" to bridge "' +
                str(self) + '"\n' + traceback.format_exc())
            return
        self.lock.acquire()
        self.participants.append(p)
        self.lock.release()
        if self.mode not in ['normal', 'bypass']:
            if from_protocol == 'xmpp':
                self.show_participants_list_on(protocols=['irc'])
            elif self.mode == 'minimal' and from_protocol == 'irc':
                self.show_participants_list_on(protocols=['xmpp'])
        return p
    def __init__(self, strategies, rounds, round_player_count):
        """
    Creates a new round-robin tournament.

    Parameters:
     strategies: array of participating strategies
     rounds: number of rounds to play in each match
     round_player_count: number of duplicated representatives of each strategy in matches

    Fields:
     result_matrix: dictionary where key is pair of participants and value is average_payoff of the first in match
    """

        self._participants = [Participant(strategy) for strategy in strategies]
        self._rounds = rounds
        self._round_player_count = round_player_count
        self._result_matrix = {}
Esempio n. 35
0
 def select_lucky_winner(self):
     winner = None
     with open("participants.csv") as peeps:
         reader = csv.reader(peeps)
         next(reader)  # skip header
         choices = list(reader)
         chore_log = pandas.read_csv("chore_log.csv")
         filtered_by_chore = chore_log[chore_log['chore_type'] ==
                                       self.state.chore_type]
         if len(filtered_by_chore.index) >= 2:
             recent_winners = self.get_recent_winners(
                 self.state.chore_type, 2)
             choices = [x for x in choices if x not in recent_winners]
         winner = random.choice(choices)
         winner = Participant(winner[0], winner[1])
         print("winner")
         print(winner)
     return winner
Esempio n. 36
0
    def generate_web(self, template, dst):
        timetable_headings, timetables = TimeTable(self.timetable_source_file).gen_tables()
        abst_headings, abst_tables = AbstTable(self.timetable_source_file).gen_tables()
        room_headings, room_tables = Room(self.room_source_file).gen_room_table_t()

        env = Environment(loader=FileSystemLoader('./', encoding='utf-8'))
        tmpl = env.get_template(template)
        v = {
            'timetables': timetables,
            'timetable_headings': timetable_headings,
            'abst_headings': abst_headings,
            'abst_tables': abst_tables,
            'info': self.md_converter('info'),
            'room_headings': room_headings,
            'room_tables': room_tables,
            'sponsor': self.gen_sponsor_table(self.sponsor_source_file),
            'ryokan': self.md_converter('ryokan'),
            'participant_table': Participant(self.participant_source_file).gen_table()
        }
        with open(dst, 'w') as f:
            f.write(tmpl.render(v))
Esempio n. 37
0
    def assign_data_to_participants(self):

        for i in range(self.num_of_participants):
            self.participants.append(
                Participant(self, self.X_train[i], self.y_train[i],
                            self.upload_percentage))
	def setUp(self):
		self.p_week1 = Participant(16169162477,17348884244,0,datetime.now(),10,20)
		self.p_week5 = Participant(16169162477,17348884244,0,datetime.now()-timedelta(weeks=4,days=2),10,20)
		self.p_week6 = Participant(16169162477,17348884244,0,datetime.now()-timedelta(weeks=5,days=2),10,20)
		self.p_targt = Participant(16169162477,17348884244,0,datetime.now(),0,20)
 def addNewParticipantNamed(self, nameString):
     if not self.hasParticipantNamed(nameString):
         participant = Participant()
         participant.name = nameString
         self.participants.append(participant)
     self.sort()
Esempio n. 40
0
from room import Room
from message import Message
from participant import Participant

room = Room()
janet = Participant(room)
room.add_participant(janet)
john = Participant(room)
room.add_participant(john)
fred = Participant(room)
room.add_participant(fred)

first_message = Message("Hello everyone!")

janet.say(first_message)