Ejemplo n.º 1
0
class NewModule(models.Model):
    _name = 'mvb.calendar.work'
    _rec_name = 'name'
    _inherit = ['mail.thread', 'mail.activity.mixin']
    _description = 'Lịch công tác'

    name = fields.Char('Chủ đề', required=True)
    employee_id = fields.Many2one(comodel_name="res.users", string="Nhân viên", required=False, default=lambda self: self.env.user, readonly=False)
    # employee_ids = fields.Many2many(comodel_name="res.users", relation="calendar_users", column1="calendar_id", column2="employee_id", string="Nhân viên", )
    content = fields.Text(string="Nội dung lịch công tác", required=False, )
    work_date_start = fields.Datetime(string="Thời gian bắt đầu", required=False, )
    work_date_end = fields.Datetime(string="Thời gian kết thúc", required=False, )
    address = fields.Char(string="Địa điểm", required=False, )

    api.constrains('employee_id')
    def get_name(self):
        for employee in self:
            employee.employee_id = self.employee_id.name
class UniversityStudent(models.Model):
    _name = 'university.student'

    f_name = fields.Char(string='Fist name', required=True)
    l_name = fields.Char('Last name', required=True)
    sexe = fields.Selection([('male', 'Male'), ('female', 'Female')],
                            required=True)
    identity_card = fields.Char('Identity card', help="blablabla")
    address = fields.Text('Address', readonly=True, default="Adresse")
    birthday = fields.Date('Birthday')
    registration_date = fields.Date('Registration Date')
    email = fields.Char()
    phone = fields.Integer()
    age = fields.Integer()
    state = fields.Selection([('non_enregistrer', 'Non enregistrer'),
                              ('enregistrer', 'Enregistrer')],
                             default="non_enregistrer")

    departement_id = fields.Many2one('university.department', 'Department')
    classroom_id = fields.Many2one('university.classroom')

    subject_ids = fields.Many2many(
        'university.subject',
        'student_id',
        domain="[('department_id', '=', departement_id)]")

    api.constrains('registration_date', 'birthday')

    def check_regis(self):
        if self.birthday > self.registration_date:
            raise ValueError("ffff")

    def enregistrer(self):
        if self.sexe == 'female':
            self.state = 'enregistrer'
        else:
            raise ValidationError("This Course is open just for ladies, sorry")

    def annuler(self):
        self.state = 'non_enregistrer'
Ejemplo n.º 3
0
   def check_trimestre(self):
       for rec in self:
           if rec.trimestre > 3 or rec.trimestre <= 0:
               raise ValidationError(_('trimestre incorrect.')) \
\
   @api.constrains('year')
Ejemplo n.º 4
0
 def __init__(self, pool, cr):
     api.constrains(self._sequence_field, self._sequence_date_field)(
         type(self)._constrains_date_sequence)
     return super().__init__(pool, cr)
Ejemplo n.º 5
0
        ("I", "[I] IVA ad esigibilità immediata"),
        ("D", "[D] IVA ad esigibilità differita"),
        ("S", "[S] Scissione dei pagamenti")], default="I", string="VAT due date")

    l10n_it_has_exoneration = fields.Boolean(string="Has exoneration of tax (Italy)", help="Tax has a tax exoneration.")
    l10n_it_kind_exoneration = fields.Selection(selection=[
            ("N1", "[N1] Escluse ex art. 15"),
            ("N2", "[N2] Non soggette"),
            ("N3", "[N3] Non imponibili"),
            ("N4", "[N4] Esenti"),
            ("N5", "[N5] Regime del margine / IVA non esposta in fattura"),
            ("N6", "[N6] Inversione contabile (per le operazioni in reverse charge ovvero nei casi di autofatturazione per acquisti extra UE di servizi ovvero per importazioni di beni nei soli casi previsti)"),
            ("N7", "[N7] IVA assolta in altro stato UE (vendite a distanza ex art. 40 c. 3 e 4 e art. 41 c. 1 lett. b,  DL 331/93; prestazione di servizi di telecomunicazioni, tele-radiodiffusione ed elettronici ex art. 7-sexies lett. f, g, art. 74-sexies DPR 633/72)")],
        string="Exoneration",
        help="Exoneration type",
        default="N1")
    l10n_it_law_reference = fields.Char(string="Law Reference", size=100)

    @api.constrains('l10n_it_has_exoneration',
                    'l10n_it_kind_exoneration',
                    'l10n_it_law_reference',
                    'amount',
                    'l10n_it_vat_due_date')
    def _check_exoneration_with_no_tax(self):
        for tax in self:
            if tax.l10n_it_has_exoneration:
                if not tax.l10n_it_kind_exoneration or not tax.l10n_it_law_reference or tax.amount != 0:
                    raise ValidationError(_("If the tax has exoneration, you must enter a kind of exoneration, a law reference and the amount of the tax must be 0.0."))
                if tax.l10n_it_kind_exoneration == 'N6' and tax.l10n_it_vat_due_date == 'S':
                    raise UserError(_("'Scissione dei pagamenti' is not compatible with exoneration of kind 'N6'"))
Ejemplo n.º 6
0
        'account.account', 'Stock Input Account', company_dependent=True,
        domain="[('company_id', '=', allowed_company_ids[0]), ('deprecated', '=', False)]", check_company=True,
        help="""Counterpart journal items for all incoming stock moves will be posted in this account, unless there is a specific valuation account
                set on the source location. This is the default value for all products in this category. It can also directly be set on each product.""")
    property_stock_account_output_categ_id = fields.Many2one(
        'account.account', 'Stock Output Account', company_dependent=True,
        domain="[('company_id', '=', allowed_company_ids[0]), ('deprecated', '=', False)]", check_company=True,
        help="""When doing automated inventory valuation, counterpart journal items for all outgoing stock moves will be posted in this account,
                unless there is a specific valuation account set on the destination location. This is the default value for all products in this category.
                It can also directly be set on each product.""")
    property_stock_valuation_account_id = fields.Many2one(
        'account.account', 'Stock Valuation Account', company_dependent=True,
        domain="[('company_id', '=', allowed_company_ids[0]), ('deprecated', '=', False)]", check_company=True,
        help="""When automated inventory valuation is enabled on a product, this account will hold the current value of the products.""",)

    @api.constrains('property_stock_valuation_account_id', 'property_stock_account_output_categ_id', 'property_stock_account_input_categ_id')
    def _check_valuation_accouts(self):
        # Prevent to set the valuation account as the input or output account.
        for category in self:
            valuation_account = category.property_stock_valuation_account_id
            input_and_output_accounts = category.property_stock_account_input_categ_id | category.property_stock_account_output_categ_id
            if valuation_account and valuation_account in input_and_output_accounts:
                raise ValidationError(_('The Stock Input and/or Output accounts cannot be the same than the Stock Valuation account.'))

    @api.onchange('property_cost_method')
    def onchange_property_valuation(self):
        if not self._origin:
            # don't display the warning when creating a product category
            return
        return {
            'warning': {
Ejemplo n.º 7
0
class StudentStudent(models.Model):
	''' Defining a student information '''
	_name = 'student.student'
	_table = "student_student"
	_description = 'Student Information'
	_order = "roll_no"
	_inherit = ['ir.needaction_mixin']


	api.constrains('email')
	def email_validating(self):
		for x in self:
			if re.match(r"^[a-zA-Z0-9][\w-]*@[a-zA-Z]+\.[a-zA-Z]{1,3}$",x.email)==None:
				raise ValidationError("Please Provide valid Email Address: %s" % x.email)

	@api.constrains('mobile')	
	def mobile_validation(self):
		for x in self:
			if len(str(x.mobile))==10:
				res=re.match(r"^0[0-9]{1,10}$",x.mobile)
				if res:
					return True
				else:
					raise UserError(_("Please Check your Valid Number"))
			else:
				raise UserError(_("Invlid Mobile Number"))
	@api.constrains('nid')	
	def mobile_validation(self):
		for x in self:
			
			res=re.match(r"^[0-9]{1,10}$",x.nid)
			if res:
				return True
			
			else:
				raise UserError(_("Invlid  Your Tazkira Number Please Enter Numbers only"))

	
	@api.constrains('student_name')
	def name_validation_firstname(self):
		for y in self:
			if y.student_name>=3:
				res=re.match(r"^[^\W0-9_]+([ \-'‧][^\W0-9_]+)*?$",y.student_name)
				if res:
					return True
				else:
					raise UserError(_("Your name must be have character"))
			else:
				raise UserError(_("Your name must be more than 3 Characters"))
	@api.constrains('last')
	def name_validation(self):
		for y in self:
			if y.last>=3:
				res=re.match(r"^[^\W0-9_]+([ \-'‧][^\W0-9_]+)*?$",y.last)
				if res:
					return True
				else:
					raise UserError(_("Your name must be have character"))
			else:
				raise UserError(_("Your name must be more than 3 Characters"))




	@api.multi
	def action_view_leave(self):
		leave = self.env['studentleave.request'].search([('student_id','=',self.id)])
		action = self.env.ref('school_attendance.action_student_leave_form').read()[0]
		if len(leave) > 1:
			action['domain'] = [('id', 'in', leave.ids)]
		elif len(leave) == 1:
			action['views'] = [(self.env.ref('school_attendance.student_leave_req_form').id, 'form')]
			action['res_id'] = leave.ids[0]
		else:
			action['views'] = [(self.env.ref('school_attendance.student_leave_req_form').id, 'form')]
		return action
	
	@api.multi
	def action_view_transfer(self):
		transfer = self.env['student.transfer'].search([('student_name','=',self.id)])
		action = self.env.ref('school.action_student_transfer_request_form').read()[0]
		if len(transfer) > 1:
			action['domain'] = [('id', 'in', transfer.ids)]
		elif len(transfer) == 1:
			action['views'] = [(self.env.ref('school.student_transfer_request_menu_form').id, 'form')]
			action['res_id'] = transfer.ids[0]
		else:
			action['views'] = [(self.env.ref('school.student_transfer_request_menu_form').id, 'form')]
		return action
	
	@api.multi
	def action_view_exam_eligibility(self):
		eligibility = self.env['exam.eligible'].search([('student_name_id','=',self.id)])
		action = self.env.ref('school.action_exam_eligible_request_form').read()[0]
		if len(eligibility) > 1:
			action['domain'] = [('id', 'in', eligibility.ids)]
		elif len(eligibility) == 1:
			action['views'] = [(self.env.ref('school.exam_eligible_request_menu_form').id, 'form')]
			action['res_id'] = eligibility.ids[0]
		else:
			action['views'] = [(self.env.ref('school.exam_eligible_request_menu_form').id, 'form')]
		return action
	
	# @api.onchange('program_id')
	# def change_shift_name(self):
	# 	ee=self.env['standard.medium'].search([])
	# 	for x in ee:
	# 		print x.name,"000000000000000000000000000000000"
			
	
	# @api.multi
	# def action_view_feedback(self):
	# 	feedback = self.env['student.feedback'].search([('student_id','=',self.id)])
	# 	action = self.env.ref('ss_customization.student_feedback_action_form').read()[0]
	# 	if len(feedback) > 1:
	# 		action['domain'] = [('id', 'in', feedback.ids)]
	# 	elif len(feedback) == 1:
	# 		action['views'] = [(self.env.ref('ss_customization.student_feedback_form').id, 'form')]
	# 		action['res_id'] = feedback.ids[0]
	# 	else:
	# 		action['views'] = [(self.env.ref('ss_customization.student_feedback_form').id, 'form')]
	# 	return action
	
	@api.multi
	def action_view_withdraw(self):
		withdraw = self.env['student.withdrawal'].search([('student_name','=',self.id)])
		action = self.env.ref('school.action_student_withdrawal_request_form').read()[0]
		if len(withdraw) > 1:
			action['domain'] = [('id', 'in', withdraw.ids)]
		elif len(withdraw) == 1:
			action['views'] = [(self.env.ref('school.student_withdrawal_request_menu_form').id, 'form')]
			action['res_id'] = withdraw.ids[0]
		else:
			action['views'] = [(self.env.ref('school.student_withdrawal_request_menu_form').id, 'form')]
		return action
#Developer 2
	@api.multi
	@api.depends('date_of_birth')
	def _compute_student_age(self):
		'''Method to calculate student age'''
		current_dt = datetime.today()
		for rec in self:
			if rec.date_of_birth:
				start = datetime.strptime(rec.date_of_birth,
										  DEFAULT_SERVER_DATE_FORMAT)
				age_calc = ((current_dt - start).days / 365)
				# Age should be greater than 0
				if age_calc > 0.0:
					rec.age = age_calc

	@api.constrains('date_of_birth')
	def check_age(self):
		'''Method to check age should be greater than 5'''
		current_dt = datetime.today()
		if self.date_of_birth:
			start = datetime.strptime(self.date_of_birth,
									  DEFAULT_SERVER_DATE_FORMAT)
			age_calc = ((current_dt - start).days / 365)
			# Check if age less than 5 years
			if age_calc < 5:
				raise ValidationError(_('''Age of student should be greater
				than 5 years!'''))

	# @api.constrains('nid')
	# def check_nid(self):
	# 	'''Method to check age should be greater than 5'''
	# 	num = self.search([('nid','=',self.nid)])
	# 	raise UserError(str(self.nid))
	# 	nidnum = self.env['student.student'].search([('nid','=',self.nid)]).mapped('nid')
	# 	raise UserError(str(nidnum))

	# 	if self.nid == nidnum:
	# 		raise ValidationError(_('''xcvbhnm,'''))	
	# 	else:
	# 		raise UserError(str("sdfghjk"))				

	# @api.multi
	# @api.depends('student_code')	
	# def _generate_qr_code(self):
	# 	qr = qrcode.QRCode(version=1, error_correction=qrcode.constants.ERROR_CORRECT_L, box_size=20, border=4)
	# 	if self.student_code:
	# 		crnt_time = datetime.now().strftime("%Y-%m-%d %H:%M")	
	# 		name = self.student_code + '_ code.png'
	# 		qr.add_data(self.student_code+str(crnt_time))
	# 		qr.make(fit=True)
	# 		img = qr.make_image()
	# 		buffer = cStringIO.StringIO()
	# 		img.save(buffer, format="PNG")
	# 		qrcode_img = base64.b64encode(buffer.getvalue())
	# 		self.qr_code=qrcode_img
			# c= open("/home/bassam5/error.txt", "a")
			# c.write(str(qrcode_img+'------------'+self.student_code+'///////////'))
			# c.close()

	# @api.onchange('program_id')
	# def filtering_shift(self):
	# 	fe=self.env['standard.medium'].search([])
	# 	for x in fe:
	# 		x.program.name,"6666666666666666666666666666666"
			# if self.program_id.name==x.program.name:
			# 	if 
			# else:
			# 	pass








	@api.model
	def create(self, vals):
		'''Method to create user when student is created'''
		ir_sequence = self.env['ir.sequence']
		student_app = ir_sequence.next_by_code('student.student')
		date_today=datetime.now().strftime("%d%m%Y")
		school_id=vals['school_id']
		school=self.env['school.school'].search([('id','=',school_id)])
		school_code=school.code
		student_obj=self.env['student.student']
		date=datetime.today().strftime("%Y-%m-%d")
		app_no=student_obj.search([('admission_date','=',date),('school_id','=',school_id)],count=True)
		if vals.get('pid', _('New')) == _('New'):
			vals['pid'] = school_code+'/'+str(date_today) + str('/') +str(app_no+1) or _('New')
		if vals.get('pid', False):
			vals['login'] = vals['pid']
			vals['password'] = vals['pid']
			vals['user_type'] ='student'
		else:
			raise except_orm(_('Error!'),
							 _('''PID not valid
								 so record will not be saved.'''))
		if vals.get('cmp_id', False):
			company_vals = {'company_ids': [(4, vals.get('cmp_id'))],
							'company_id': vals.get('cmp_id')}
			vals.update(company_vals)
		# if vals.get('email'):
		#     school.emailvalidation(vals.get('email'))
		res = super(StudentStudent, self).create(vals)
		# Assign group to student based on condition
		emp_grp = self.env.ref('base.group_user')
		if res.state == 'draft':
			admission_group = self.env.ref('school.group_is_admission')
			new_grp_list = [admission_group.id, emp_grp.id]
			res.user_id.write({'groups_id': [(6, 0, new_grp_list)]})
		elif res.state == 'done':
			done_student = self.env.ref('school.group_school_student')
			group_list = [done_student.id, emp_grp.id]
			res.user_id.write({'groups_id': [(6, 0, group_list)]})
		return res

	@api.multi
	def unlink(self):
		for data in self:
			if data.pid:
				raise UserError(_('You cannot delete this document.'))
		return super(StudentStudent, self).unlink()
	@api.model
	def _get_default_image(self, is_company, colorize=False):
		'''Method to get default Image'''
		# added in try-except because import statements are in try-except
		try:
			img_path = get_module_resource('base', 'static/src/img',
										   'avatar.png')
			with open(img_path, 'rb') as f:
				image = f.read()
			image = image_colorize(image)
			return image_resize_image_big(image.encode('base64'))
		except:
			return False

	@api.multi
	@api.depends('state')
	def _compute_teacher_user(self):
		for rec in self:
			if rec.state == 'done':
				teacher = self.env.user.has_group("school.group_school_teacher"
												  )
				if teacher:
					rec.teachr_user_grp = True

	@api.model
	def check_current_year(self):
		'''Method to get default value of logged in Student'''
		res = self.env['academic.year'].search([('current', '=',
												 True)])
		
	division = fields.Char('Room Number')
	start_class = fields.Char('Class Start On')

	@api.onchange('standard_id')
	def onchange_standard_id(self):
		if self.standard_id:
			self.division_id = self.standard_id.division_id 
			self.remaining_seats = self.standard_id.remaining_seats
			self.division = str(self.division_id.name) +' - ' + str(self.remaining_seats)
			self.start_class = str(self.standard_id.start_date)+ '  to  ' + str(self.standard_id.end_date)
			
	@api.multi
	@api.depends('state')
	def _generate_seat(self):
		for val in self:
			
			student_obj = self.env['school.standard'].search([('school_id','=',val.school_id.id),
							('standard_id','=',val.program_id.id),
							('medium_id','=',val.medium_id.id),
							('semester_id','=',val.semester_id.id),
							('state','!=','close')])
			for res in student_obj:
				if res.remaining_seats > 0:
					num = student_obj.search_count([('school_id','=',val.school_id.id),
								('standard_id','=',val.program_id.id),
								('medium_id','=',val.medium_id.id),
								('semester_id','=',val.semester_id.id),
								('state','!=','close')])
					val.availability = num
	
	def _warning_count(self):
		for order in self:
			warning_obj = self.env['student.warning'].search([('student_id','=',self.id)])
			self.warning_count = len(warning_obj)

	# def _feedback_count(self):
	# 	for order in self:
	# 		feedback_obj = self.env['student.feedback'].search([('student_id','=',self.id)])
	# 		self.feedback_obj = len(feedback_obj)

	@api.multi
	@api.depends('state')
	def _generate_class(self):
		for val in self:
			student_obj = self.env['student.payslip'].search([('student_id','=',val.id),('semester_id','=',val.semester_id.id)])
			# for res in student_obj:
			if student_obj:
				val.is_class = True
			else:
				val.is_class = False	


	@api.multi
	def _compute_leaves_count(self):
		leave = self.env['studentleave.request'].search([('student_id','=',self.id)])
		print ("=======res",leave)
		self.leaves_count= len(leave)
		
	@api.multi
	def _compute_transfer_request_count(self):
		transfer = self.env['student.transfer'].search([('student_name','=',self.id)])
		self.transfer_req_count= len(transfer)
		
	@api.multi
	def _compute_exam_eligibility_count(self):
		eligibility = self.env['exam.eligible'].search([('student_name_id','=',self.id)])
		self.exam_eligibility_count= len(eligibility)
	
	@api.multi
	def _compute_withdraw_count(self):
		withdraw = self.env['student.withdrawal'].search([('student_name','=',self.id)])
		self.withdraw_count= len(withdraw)
	
	def _copy_name(self):
		self.temp_name = self.name
		self.temp_middle = self.middle
		self.temp_last = self.last


	is_same_address = fields.Boolean(string="Click here if both the addresses are same")
	is_shift = fields.Selection(related='program_id.is_shift', store=True)
	leaves_count = fields.Integer('Number of Leaves', compute='_compute_leaves_count')
	feedback_count = fields.Integer('Number of Feedback')
	transfer_req_count = fields.Integer('Transfer Request', compute='_compute_transfer_request_count')
	exam_eligibility_count = fields.Integer('Transfer Request', compute='_compute_exam_eligibility_count')
	withdraw_count = fields.Integer('Transfer Request', compute='_compute_withdraw_count')
	is_class = fields.Boolean(default=False,compute="_generate_class")			
	availability = fields.Integer("No of Classes",compute="_generate_seat")	
	warning_count = fields.Integer(compute="_warning_count", default=0)	
	line_ids = fields.One2many('student.transfer.line','line_id')
	user_id = fields.Many2one('res.users', 'User ID', ondelete="cascade",
							  required=True, delegate=True)
	student_name = fields.Char('Student Name', related='user_id.name',
							   store=True, readonly=True)
	pid = fields.Char('Application No', required=True,
					  default=lambda self: _('New'),
					  help='Personal IDentification Number')
	reg_code = fields.Char('Registration Code',
						   help='Student Registration Code')
	student_code = fields.Char('Student Code')
	contact_phone1 = fields.Char('Phone no.',)
	contact_mobile1 = fields.Char('Mobile no',)
	roll_no = fields.Integer('Roll No.')
	photo = fields.Binary('Photo', default=lambda self: self._get_default_image
						  (self._context.get('default_is_company',
											 False)))
	year = fields.Many2one('academic.year', 'Academic Year', readonly=True,
						   default=check_current_year)
	cast_id = fields.Many2one('student.cast', 'Religion/Caste')
	relation = fields.Many2one('student.relation.master', 'Relation')

	admission_date = fields.Date('Application Date', default=lambda self: fields.Date.today())
	admission_donedate = fields.Date('Admission Date')

	expired_date = fields.Date('Expired Date')
	temp_name = fields.Char('Name', compute='_copy_name',
						 states={'done': [('readonly', True)]})
	temp_middle = fields.Char('Middle Name',compute='_copy_name',
						 states={'done': [('readonly', True)]})
	temp_last = fields.Char('Last Name',compute='_copy_name',
						 states={'done': [('readonly', True)]})
	middle = fields.Char('Middle Name',
						 states={'done': [('readonly', True)]})
	last = fields.Char('Last Name',
						 states={'done': [('readonly', True)]},required=True)
	
	gender = fields.Selection([('male', 'Male'), ('female', 'Female')],
							  'Gender', states={'done': [('readonly', True)]})
	date_of_birth = fields.Date('BirthDate',
								states={'done': [('readonly', True)]})
	mother_tongue = fields.Many2one('mother.toungue', "Mother Tongue")
	age = fields.Integer(compute='_compute_student_age', string='Age',
						 readonly=True)
	maritual_status = fields.Selection([('unmarried', 'Unmarried'),
										('married', 'Married')],
									   'Marital Status',
									   states={'done': [('readonly', True)]})
	reference_ids = fields.One2many('student.reference', 'reference_id',
									'References',
									states={'done': [('readonly', True)]})
	previous_school_ids = fields.One2many('student.previous.school',
										  'previous_school_id',
										  'Previous Campus Detail',
										  states={'done': [('readonly',
															True)]})
	designation = fields.Char('Designation')
	remark = fields.Text('Remark', states={'done': [('readonly', True)]})
	school_id = fields.Many2one('school.school', 'Campus',
								states={'done': [('readonly', True)]})
	state = fields.Selection([('draft', 'Draft'),
							  ('invoiced','Invoiced'),
							  ('done', 'Done'),
							  ('movesemester','Move Course Level'),
							  ('repeat','Repeat'),
							  ('terminate', 'Terminate'),
							  ('cancel', 'Cancel'),
							  ('alumni', 'Alumni'),
							  ('followup', 'Follow Up')],
							 'State', readonly=True, default="draft")
	history_ids = fields.One2many('student.history', 'student_id', 'History')
	certificate_ids = fields.One2many('student.certificate', 'student_id',
									  'Certificate')
	student_discipline_line = fields.One2many('student.descipline',
											  'student_id', 'Descipline')
	document = fields.One2many('student.document', 'doc_id', 'Documents')
	description = fields.One2many('student.description', 'des_id',
								  'Description')
	student_id = fields.Many2one('student.student', 'Name')
	contact_phone = fields.Char('Phone No', related='student_id.phone',
								readonly=True)
	contact_mobile = fields.Char('Mobile No', related='student_id.mobile',
								 readonly=True)
	contact_email = fields.Char('Email', related='student_id.email',
								readonly=True)
	contact_website = fields.Char('WebSite', related='student_id.website',
								  readonly=True)
	# award_list = fields.One2many('student.award', 'award_list_id',
	#                              'Award List')
	student_status = fields.Selection('Status', related='student_id.state',
									  help="Shows Status Of Student",
									  readonly=True)
	stu_name = fields.Char('First Name', related='user_id.name',
						   readonly=True)
	Acadamic_year = fields.Char('Academic Year', related='year.name',
								help='Academic Year', readonly=True)
	division_id = fields.Many2one('standard.division', 'Class Room',states={'alumni': [('readonly', True)]})
	medium_id = fields.Many2one('standard.medium', 'Shift',states={'alumni': [('readonly', True)]})
	cmp_id = fields.Many2one('res.company', 'Company Name',
							 related='school_id.company_id', store=True)
	standard_id = fields.Many2one('school.standard', 'Class',states={'alumni': [('readonly', True)]})
	parent_id = fields.Char("Father Name")
	grandparent_id = fields.Char("Grand Father Name")  
	terminate_reason = fields.Text('Reason')
	active = fields.Boolean(default=True)
	teachr_user_grp = fields.Boolean("Teacher Group",
									 compute="_compute_teacher_user",
									 )
	followup_id = fields.Text('Reason',store=True)
	nid = fields.Char('NID/Tazkira Number')

	semester_id = fields.Many2one('standard.semester',"Course Level",store=True,states={'alumni': [('readonly', True)]})

	occupation = fields.Char("Occupation")


	city=fields.Char('Campus Name')
	street=fields.Char('Street')
	zip=fields.Char('District')
	street2=fields.Char('Street2')
	state_id = fields.Many2one("res.country.state", string='State', ondelete='restrict')
	country_id = fields.Many2one('res.country', string='Country', ondelete='restrict',default=lambda self: self.env['res.country'].browse([(3)]))
	currency_id = fields.Many2one('res.currency', string='Currency',default=lambda self: self.env.user.company_id.currency_id,readonly=True)
	company_id = fields.Many2one('res.company', string='Company',default=lambda self: self.env.user.company_id)

	permanent_city=fields.Char('Campus Name',store=True)
	permanent_street=fields.Char('Street',store=True)
	permanent_zip=fields.Char('District',store=True)
	permanent_street2=fields.Char('Street2',store=True)
	permanent_state_id = fields.Many2one("res.country.state", string='State', ondelete='restrict',store=True)
	permanent_country_id = fields.Many2one('res.country', string='Country', ondelete='restrict',store=True,default=lambda self: self.env['res.country'].browse([(3)]))
	program_id = fields .Many2one('standard.standard',"Program")
	# program_shift =fields.Many2one('standard.medium',"Shift")
	remaining_seats = fields.Integer("Available Seats")
	app_no = fields.Char('Application No', required=True,
					  default=lambda self: _('New'),
					  help='Application Number')
	# att_device = fields .Many2one('zkteco.machine',"Select Device")


	percentage = fields.Float("Attendance(%)")
	percentage_id = fields.Many2one('exam.schedule.line','Percentage')
	eligible = fields.Boolean('Eligible')
	qr_code = fields.Binary('QR Code')
	admission_user_id = fields.Many2one('res.users', 'Admission Taken by',default=lambda self: self.env.user)
	class_added_by = fields.Many2one('res.users','Class Added By')

	_sql_constraints = [
		('nid_unique', 'unique(nid)',
		 'Nid/Tazkira number should be unique!'),
	]	

 	@api.onchange('program_id')
 	def get_shifts(self):
 		print "6666666666666666666666666666666666"
 		print self.program_id,"222222222222222222222"
 		rec=self.env['standard.medium'].search([])
 		# dict_names={}
 		# count=1
 		# for x in rec:
 		# 	if x.program.name==self.program_id.name:
 		# 		dict_names = x.read(['name'])
 		# print dict_names,"11111111111111111"

 		list_names=[]
 		for x in rec:
 			if x.program.name==self.program_id.name:
 				list_names.append(x.name)


 				


	
				

			


	@api.onchange('is_same_address')
	def _same_address(self):
		if self.is_same_address == True:
			# raise UserError(str(self.same_address))
			self.permanent_city = self.city
			self.permanent_street = self.street
			self.permanent_zip = self.zip
			self.permanent_street2 = self.street2
			self.permanent_state_id = self.state_id
			self.permanent_country_id = self.country_id
			
	@api.model
	def _needaction_domain_get(self):
		return [('state','in',('followup','terminate','draft'))]

	@api.multi
	def same_address(self):
		self.permanent_city = self.city
		self.permanent_street = self.street
		self.permanent_zip = self.zip
		self.permanent_street2 = self.street2
		self.permanent_state_id = self.state_id
		self.permanent_country_id = self.country_id

   

	@api.model
	def name_search(self,name, args=None, operator='ilike', limit=100):
		args = args or []
		domain = []
		if name:
			domain = ['|', ('student_name', '=ilike', name + '%'), ('student_code', operator, name)]
			if operator in expression.NEGATIVE_TERM_OPERATORS:
				domain = ['&', '!'] + domain[1:]
		jobs = self.search(domain + args, limit=limit)
		return jobs.name_get()

	@api.multi
	@api.depends('student_name','student_code')
	def name_get(self):
		result = []
		for job in self:
			if job.student_code:
				name = str(job.student_code) + ' - ' + str(job.student_name)
			else:
				name = str(job.student_name)
			result.append((job.id, name))
		return result
		

	@api.multi
	def set_to_draft(self):
		'''Method to change state to draft'''
		self.write({'state': 'draft'})

	@api.multi
	def set_alumni(self):
		'''Method to change state to alumni'''
		self.write({'state': 'alumni'})

	@api.multi
	def set_done(self):
		'''Method to change state to done'''
		self.write({'state': 'done'})

	@api.multi
	def admission_draft(self):
		'''Set the state to draft'''
		self.write({'state': 'draft'})

	@api.multi
	def set_terminate(self):
		self.write({'state': 'terminate'})

	@api.multi
	def cancel_admission(self):
		self.write({'state': 'cancel'})

	@api.multi
	def set_reset(self):
# 		if self.env['school.standard'].search([('id','=',self.standard_id.id),('state','=','running')]):
# 			self.write({'state': 'done'})
# 
# 		if self.env['school.standard'].search([('id','=',self.standard_id.id),('state','=','close')]):	
# 			self.write({'state': 'draft'})	
		
		self.state='draft'
		
		
	@api.multi
	def admission_done(self):
		ir_sequence = self.env['ir.sequence']
		student_group = self.env.ref('school.group_school_student')
		emp_group = self.env.ref('base.group_user')
		
		
		for rec in self:
			domain = [('school_id', '=', rec.school_id.id)]
			if not rec.student_code:
				fees = self.env['student.payslip'].search([('student_id','=',rec.id),('state','=','paid')])
				print fees,"666666666666666666666666666666"
				fees.write({
						'program_id':rec.program_id.id,
						'standard_id':rec.standard_id.id,
					})
				reg_code = ir_sequence.next_by_code('student.registration')
				registation_code = (str(rec.school_id.state_id.name) + str('/') +
									str(rec.school_id.city) + str('/') +
									str(rec.school_id.name) + str('/') +
									str(reg_code))
				stu_code = ir_sequence.next_by_code('student.code')
				self.student_code = (str(rec.program_id.code)+'/'+str(rec.school_id.code) + str('/')+str(stu_code))
		de=self.env['student.payslip'].search([])
		for x in de:
			if self.stu_name==x.student_id.stu_name:
				if x.state=="paid":
					self.admission_donedate=datetime.now()
					self.write({'state':'done'})

	# @api.constrains('state')
	# def change_fee_status(self):
	# 	fe=self.env['student.payslip'].search([])
	# 	for x in fe:
	# 		if self.stu_name==x.student_id.stu_name:
	# 			if x.state=='paid':
	# 				self.write({'state':'invoiced'})


	@api.onchange('standard_id','division','start_class')
	def get_values(self):
		print "3333333333333333333333333"
		rec=self.env['school.standard'].search([('standard','=',self.standard_id.standard)])
		print rec,"1111111111111"
		count=1
		for obj in rec.student_ids:
			count += 1

		self.roll_no = count


	










	@api.multi
	def re_open_application(self):
		self.write({'state':'draft'})






			
			
			
		





		'''Method to confirm admission'''