code stringlengths 2 1.05M | repo_name stringlengths 5 104 | path stringlengths 4 251 | language stringclasses 1 value | license stringclasses 15 values | size int32 2 1.05M |
|---|---|---|---|---|---|
# -*- coding: utf-8 -*-
# Generated by Django 1.10.5 on 2017-08-31 14:18
from __future__ import unicode_literals
from django.db import migrations, models
import django.db.models.deletion
class Migration(migrations.Migration):
dependencies = [
('checkout', '0010_auto_20170614_1434'),
]
operations = [
migrations.DeleteModel(
name='Payment',
),
migrations.AlterField(
model_name='orderitem',
name='product',
field=models.ForeignKey(null=True, on_delete=django.db.models.deletion.SET_NULL, related_name='order_items', to='products.Product'),
),
]
| martinstastny/django-simplestore | simplestore/checkout/migrations/0011_auto_20170831_1618.py | Python | mit | 654 |
import copy
import demistomock as demisto # noqa: F401
from CommonServerPython import * # noqa: F401
QUERIES = {
"tag": "get_taginfo",
"signature": "get_siginfo",
"file_type": "get_file_type",
"clamav": "get_clamavinfo",
"imphash": "get_imphash",
"yara_rule": "get_yarainfo",
"issuer_cn": "get_issuerinfo"
}
EXCEPTIONS_MESSAGES = {
'illegal_sha256_hash': 'Illegal SHA256 hash provided.',
'file_not_found': 'The file was not found or is unknown to MalwareBazaar.',
'hash_not_found': 'The file (hash) you wanted to query is unknown to MalwareBazaar.',
'illegal_hash': 'The hash you provided is not a valid SHA256 hash.',
'user_blacklisted': 'Your API key is blacklisted.',
'no_results': 'Your query yield no results.',
'not_found': 'Tha value you wanted to query is unknown to MalwareBazaar.',
'illegal': 'The text you provided is not valid.'
}
VENDOR_NAME = 'MalwareBazaar'
LIST_HEADERS = ['md5_hash', 'sha256_hash', 'sha1_hash', 'file_name', 'file_type', 'file_size', 'tags', 'first_seen',
'last_seen']
FILE_HEADERS = ['md5_hash', 'sha256_hash', 'sha1_hash', 'file_name', 'file_type', 'file_size', 'tags', 'first_seen',
'last_seen', 'signature', 'ssdeep', 'reporter', 'imphash', 'yara_rules_names']
class Client(BaseClient):
def __init__(self, server_url, verify, proxy, headers, api_key):
self.api_key = api_key
super().__init__(base_url=server_url, verify=verify, proxy=proxy, headers=headers)
def file_request(self, hash):
response = self._http_request('POST',
files={
'query': (None, "get_info"),
'hash': (None, hash)
})
return response
def malwarebazaar_download_sample_request(self, sha256_hash):
response = self._http_request('POST',
files={
'query': (None, "get_file"),
'sha256_hash': (None, sha256_hash)
},
resp_type="response")
return response
def malwarebazaar_comment_add_request(self, sha256_hash, comment):
if self.api_key is None:
raise Exception('API Key is required for this command')
response = self._http_request('POST',
headers={"API-KEY": self.api_key},
files={
'query': (None, "add_comment"),
'sha256_hash': (None, sha256_hash),
'comment': (None, comment)
})
return response
def malwarebazaar_samples_list_request(self, sample_input, value, limit, query):
files = {
'query': (None, query),
sample_input: (None, value),
}
if not sample_input == 'issuer_cn':
files.update({'limit': (None, limit)})
response = self._http_request('POST',
files=files)
return response
def file_process(hash, reliability, raw_response, response_data) -> CommandResults:
"""
creates CommandResults for every file in the list inserted to file_command
Args:
hash:
raw_response:
response_data:
Returns:
CommandResults for the relevant file
"""
dbot_score = Common.DBotScore(
indicator=hash,
indicator_type=DBotScoreType.FILE,
integration_name=VENDOR_NAME,
score=Common.DBotScore.BAD,
reliability=reliability,
malicious_description=response_data.get('comment')
)
signature = response_data.get('signature')
relationship = EntityRelationship(name='indicator-of',
entity_a=hash,
entity_a_type='File',
entity_b=signature,
entity_b_type=FeedIndicatorType.indicator_type_by_server_version(
"STIX Malware"),
source_reliability=reliability,
brand=VENDOR_NAME)
table_name = f'{VENDOR_NAME} File reputation for: {hash}'
humam_readable_data = copy.deepcopy(response_data)
humam_readable_data.update({'yara_rules_names': []})
for rule in humam_readable_data.get('yara_rules', []):
humam_readable_data.get('yara_rules_names').append(rule.get('rule_name'))
md = tableToMarkdown(table_name, t=humam_readable_data, headerTransform=string_to_table_header, removeNull=True,
headers=FILE_HEADERS)
file_object = Common.File(md5=response_data.get('md5_hash'), sha256=response_data.get('sha256_hash'),
sha1=response_data.get('sha1_hash'), size=response_data.get('file_size'),
file_type=response_data.get('file_type'), dbot_score=dbot_score,
relationships=[relationship])
return CommandResults(
outputs_prefix='MalwareBazaar.File',
outputs_key_field='md5_hash',
outputs=response_data,
raw_response=raw_response,
indicator=file_object,
relationships=[relationship],
readable_output=md
)
def check_query_status(response, is_list_command=False, sample_type=None):
"""
checks whether the request to the API returned with the proper result
Args:
sample_type: string, type of sample (tag, signature, etc.)
is_list_command: bool
response: response from API
"""
not_found_error = '_not_found'
illegal_error = 'illegal_'
query_status = response.get("query_status")
if not query_status == "ok" and not query_status == "success":
if is_list_command:
if query_status == sample_type + not_found_error:
raise Exception(EXCEPTIONS_MESSAGES.get('not_found'))
if query_status == sample_type + illegal_error:
raise Exception(EXCEPTIONS_MESSAGES.get('illegal'))
if query_status in EXCEPTIONS_MESSAGES:
raise Exception(EXCEPTIONS_MESSAGES.get(query_status))
else:
raise Exception(query_status)
def file_command(client: Client, args: Dict[str, Any]) -> List[CommandResults]:
"""
Args:
client:
args: file - list of files hash
Returns:
file reputation for the given hashes
"""
reliability = demisto.params().get('integrationReliability', DBotScoreReliability.A)
if DBotScoreReliability.is_valid_type(reliability):
reliability = DBotScoreReliability.get_dbot_score_reliability_from_str(reliability)
else:
raise Exception("Please provide a valid value for the Source Reliability parameter.")
file_list = argToList(args.get('file'))
command_results: List[CommandResults] = []
for hash in file_list:
raw_response = client.file_request(hash)
check_query_status(raw_response)
response_data = raw_response.get('data')[0]
command_results.append(file_process(hash, reliability, raw_response, response_data))
return command_results
def malwarebazaar_download_sample_command(client: Client, args: Dict[str, Any]) -> CommandResults:
"""
Args:
client:
args: sha256_hash of file
Returns:
zip file contains the malware sample from MalwareBazaar
"""
sha256_hash = args.get("sha256_hash")
response = client.malwarebazaar_download_sample_request(sha256_hash)
filename = f'{sha256_hash}.zip'
return fileResult(filename, response.content)
def malwarebazaar_comment_add_command(client: Client, args: Dict[str, Any]) -> CommandResults:
"""
Args:
client:
args: sha256_hash of file, comment to add in context of this file
Returns:
query status of the request to MalwareBazaar (success or error)
"""
sha256_hash = args.get("sha256_hash")
comment = args.get("comment")
response = client.malwarebazaar_comment_add_request(sha256_hash, comment)
check_query_status(response)
readable_output = f'Comment added to {sha256_hash} malware sample successfully'
outputs = {
'sha256_hash': sha256_hash,
'comment': comment,
}
return CommandResults(
outputs_prefix='MalwareBazaar.MalwarebazaarCommentAdd',
outputs_key_field='sha256_hash',
outputs=outputs,
readable_output=readable_output,
raw_response=response,
)
def malwarebazaar_samples_list_command(client: Client, args: Dict[str, Any]) -> CommandResults:
"""
Args:
client:
args: sample_type - {clamav, file_type, imphash, signature, tag, yara_rule}
sample_value
limit (optional) - number of results (default 50)
Returns:
query results from API
"""
sample_input = args.get("sample_type") or ''
value = args.get("sample_value")
limit = arg_to_number(args.get("limit")) if "limit" in args else None
page = arg_to_number(args.get("page")) if "page" in args else None
page_size = arg_to_number(args.get("page_size")) if "page_size" in args else None
# # if limit was provided, request limit results from api, else, use pagination (if nothing is used 50 results will
# # be requested as default)
if limit is None:
if page is not None and page_size is not None:
if page <= 0:
raise Exception('Chosen page number must be greater than 0')
limit = page_size * page
else:
limit = 50
# # 1000 is the maximal value we can get from tha API
limit = min(limit, 1000)
query = QUERIES.get(sample_input)
response = client.malwarebazaar_samples_list_request(sample_input, value, limit, query)
check_query_status(response, True, args.get('sample_type'))
response_data = response.get('data')
# take required results from response if pagination by page and page_size
if page is not None and page_size is not None:
response_data = response_data[-1 * page_size:]
readable_output = tableToMarkdown('Sample List', t=response_data, headerTransform=string_to_table_header,
removeNull=True, headers=LIST_HEADERS)
return CommandResults(
outputs_prefix='MalwareBazaar.MalwarebazaarSamplesList',
outputs_key_field='sha256_hash',
readable_output=readable_output,
outputs=response_data,
raw_response=response
)
def test_module(client: Client) -> None:
if client.api_key:
response = client.malwarebazaar_comment_add_request(
"094fd325049b8a9cf6d3e5ef2a6d4cc6a567d7d49c35f8bb8dd9e3c6acf3d78d",
"test comment")
else:
response = client.malwarebazaar_samples_list_request('tag', 'TrickBot', '2', QUERIES.get('tag'))
check_query_status(response)
return_results('ok')
def main() -> None:
params: Dict[str, Any] = demisto.params()
args: Dict[str, Any] = demisto.args()
url = params.get('url')
api_key = params.get('credentials', {}).get('password') or None
verify_certificate: bool = not params.get('insecure', False)
proxy = params.get('proxy', False)
command = demisto.command()
demisto.debug(f'Command being called is {command}')
try:
requests.packages.urllib3.disable_warnings()
client: Client = Client(urljoin(url, '/api/v1/'), verify_certificate, proxy, headers={}, api_key=api_key)
commands = {
'file': file_command,
'malwarebazaar-download-sample': malwarebazaar_download_sample_command,
'malwarebazaar-comment-add': malwarebazaar_comment_add_command,
'malwarebazaar-samples-list': malwarebazaar_samples_list_command,
}
if command == 'test-module':
test_module(client)
elif command in commands:
return_results(commands[command](client, args))
else:
raise NotImplementedError(f'{command} command is not implemented.')
except Exception as e:
return_error(str(e))
if __name__ in ['__main__', 'builtin', 'builtins']:
main()
| VirusTotal/content | Packs/MalwareBazaar/Integrations/MalwareBazaar/MalwareBazaar.py | Python | mit | 12,522 |
# -*-coding:Utf-8 -*
from abcmodels import AModel
from mplotlab.utils.abctypes import FLOAT,LIST,STRING,BOOL,RegisterType
class AProjection(AModel):
parametersInfo = list(AModel.parametersInfo)
parametersInfo.extend([
("plotmodels",LIST,lambda:[],"plotModels"),
("title", STRING,lambda:"title","axes title"),
("xlabel", STRING,lambda:"","axes xlabel"),
("ylabel", STRING,lambda:"","axes ylabel"),
])
class Projection2D(AProjection):
parametersInfo = list(AProjection.parametersInfo)
parametersInfo.extend([
("autolim",BOOL,lambda:True,"Auto lim axis. Won't use x/y min/max"),
("xmin", FLOAT,lambda:0.0,"axes xmin"),
("xmax", FLOAT,lambda:1.0,"axes xmax"),
("ymin", FLOAT,lambda:0.0,"axes ymin"),
("ymax", FLOAT,lambda:1.0,"axes ymax"),
])
RegisterType(AProjection)
RegisterType(Projection2D)
| astyl/wxPlotLab | mplotlab/models/projections.py | Python | mit | 920 |
# You are climbing a stair case. It takes n steps to reach to the top.
#
# Each time you can either climb 1 or 2 steps. In how many distinct ways can you climb to the top?
#
# Note: Given n will be a positive integer.
#
# Example 1:
#
# Input: 2
# Output: 2
# Explanation: There are two ways to climb to the top.
# 1. 1 step + 1 step
# 2. 2 steps
#
# Example 2:
#
# Input: 3
# Output: 3
# Explanation: There are three ways to climb to the top.
# 1. 1 step + 1 step + 1 step
# 2. 1 step + 2 steps
# 3. 2 steps + 1 step
class Solution(object):
def climbStairs(self, n):
"""
:type n: int
:rtype: int
"""
table = [1, 2]
i = 2
while i < n:
table.append(table[i-1] + table[i-2])
i += 1
return table[n-1]
# Note:
# Generate two trees one with 1 step and other with 2 step and add both
| jigarkb/CTCI | LeetCode/070-E-ClimbingStairs.py | Python | mit | 877 |
# -*- coding: utf-8 -*-
# python-holidays
# ---------------
# A fast, efficient Python library for generating country, province and state
# specific sets of holidays on the fly. It aims to make determining whether a
# specific date is a holiday as fast and flexible as possible.
#
# Authors: dr-prodigy <maurizio.montel@gmail.com> (c) 2017-2022
# ryanss <ryanssdev@icloud.com> (c) 2014-2017
# Website: https://github.com/dr-prodigy/python-holidays
# License: MIT (see LICENSE file)
from datetime import date
from dateutil.easter import easter
from dateutil.relativedelta import relativedelta as rd
from holidays.constants import TUE, THU, SUN
from holidays.constants import FEB, APR, MAY, JUN, SEP, OCT, NOV, DEC
from holidays.holiday_base import HolidayBase
class Mozambique(HolidayBase):
country = "MZ"
def __init__(self, **kwargs):
HolidayBase.__init__(self, **kwargs)
def _populate(self, year):
if year > 1974:
self[date(year, 1, 1)] = "Ano novo"
e = easter(year)
good_friday = e - rd(days=2)
self[good_friday] = "Sexta-feira Santa"
# carnival is the Tuesday before Ash Wednesday
# which is 40 days before easter excluding sundays
carnival = e - rd(days=46)
while carnival.weekday() != TUE:
carnival = carnival - rd(days=1)
self[carnival] = "Carnaval"
self[date(year, FEB, 3)] = "Dia dos Heróis Moçambicanos"
self[date(year, APR, 7)] = "Dia da Mulher Moçambicana"
self[date(year, MAY, 1)] = "Dia Mundial do Trabalho"
self[date(year, JUN, 25)] = "Dia da Independência Nacional"
self[date(year, SEP, 7)] = "Dia da Vitória"
self[date(year, SEP, 25)] = "Dia das Forças Armadas"
self[date(year, OCT, 4)] = "Dia da Paz e Reconciliação"
self[date(year, DEC, 25)] = "Dia de Natal e da Família"
# whenever a public holiday falls on a Sunday,
# it rolls over to the following Monday
for k, v in list(self.items()):
if self.observed and year > 1974:
if k.weekday() == SUN:
self[k + rd(days=1)] = v + " (PONTE)"
class MZ(Mozambique):
pass
class MOZ(Mozambique):
pass
| ryanss/holidays.py | holidays/countries/mozambique.py | Python | mit | 2,356 |
from protocols.forms import forms
from core.utils import TIME_UNITS
class DiscardForm(forms.VerbForm):
name = "Discard"
slug = "discard"
has_manual = True
layers = ['item_to_act','item_to_retain','conditional_statement','settify']
item_to_act = forms.CharField(required=False, label='item to discard')
item_to_retain = forms.CharField()
conditional_statement = forms.CharField(required = False, help_text ='if X happens, do Y')
min_time = forms.FloatField(required=False, help_text='this is the minimal time this should take', widget=forms.NumberInput(attrs={'step':'any'}))
max_time = forms.FloatField(required=False, widget=forms.NumberInput(attrs={'step':'any'}))
time_units = forms.ChoiceField(required=False, choices=TIME_UNITS, help_text='in seconds', initial = 'sec' )
time_comment = forms.CharField(required=False)
| Bionetbook/bionetbook | bnbapp/protocols/forms/verbs/discard.py | Python | mit | 870 |
from django.views.generic import ListView, DetailView, CreateView, \
DeleteView, UpdateView, \
ArchiveIndexView, DateDetailView, \
DayArchiveView, MonthArchiveView, \
TodayArchiveView, WeekArchiveView, \
YearArchiveView, View
from schoolnew.models import *
from schoolnew.forms import *
from django.db.models import *
from django.shortcuts import render
from django.core.paginator import Paginator, PageNotAnInteger
from django.core.urlresolvers import reverse
from django.contrib import messages
from itertools import *
from datetime import datetime
from django.http import HttpResponse,HttpResponseRedirect
from django.shortcuts import redirect
import reportlab
import cStringIO as StringIO
from xhtml2pdf import pisa
from django.template.loader import get_template
from django.template import Context
from cgi import escape
from excel_response import ExcelResponse
import json
from django.utils import simplejson
import os
from django.conf import settings
from django.contrib.auth import authenticate, login
from django.core.cache import cache
class myview1(View):
def get(self,request,**kwargs):
if request.user.is_authenticated():
pk=self.kwargs.get('pk')
basic=Basicinfo.objects.get(id=pk)
school=School.objects.get(id=request.user.account.associated_with)
admin = Academicinfo.objects.get(school_key=basic.id)
academic = Academicinfo.objects.get(school_key=basic.id)
infra = Infradet.objects.get(school_key=basic.id)
class_det = Class_section.objects.filter(school_key=basic.id)
schgroup_det = Sch_groups.objects.filter(school_key=basic.id)
post_det = Staff.objects.filter(Q(school_key=basic.id))
parttime_det = Parttimestaff.objects.filter(school_key=basic.id)
land_det = Land.objects.filter(school_key=basic.id)
build_det = Building.objects.filter(school_key=basic.id)
buildabs_det = Building_abs.objects.filter(school_key=basic.id)
sports_det = Sports.objects.filter(school_key=basic.id)
ict_det = Ictentry.objects.filter(school_key=basic.id)
passper_det=Passpercent.objects.filter(school_key=basic.id)
infra
a=basic.udise_code
response = HttpResponse(content_type='application/pdf')
filename = str(a)
infra_edit_chk='Yes'
response['Content-Disposition'] = 'attachement'; 'filename={0}.pdf'.format(filename)
pdf=render_to_pdf(
'printpdfschool.html',
{
'basic':basic,
'admin':admin,
'academic':academic,
'infra': infra,
'class_det':class_det,
'schgroup_det':schgroup_det,
'post_det':post_det,
'parttime_det':parttime_det,
'land_det':land_det,
'build_det':build_det,
'buildabs_det':buildabs_det,
'sports_det':sports_det,
'ict_det':ict_det,
'passper_det':passper_det,
'pagesize':'A4'
}
)
response.write(pdf)
return response
else:
return redirect('%s?next=%s' % (settings.LOGIN_URL, request.path))
def render_to_pdf(template_src, context_dict):
template = get_template(template_src)
context = Context(context_dict)
html = template.render(context)
result = StringIO.StringIO()
infra_edit_chk='Yes'
# "UTF-8"
# The only thing was to replace html.encode("ISO-8859-1") by html.decode("utf-8")
pdf = pisa.pisaDocument(StringIO.StringIO(html.encode("UTF-8")), result)
if not pdf.err:
return HttpResponse(result.getvalue(), content_type='application/pdf')
return HttpResponse('We had some errors<pre>%s</pre>' % escape(html))
class home_page(View):
def get(self,request,**kwargs):
if request.user.is_authenticated():
if (Basicinfo.objects.filter(udise_code=request.user.username).count())>0:
# chk_ss=Basicinfo.objects.filter(udise_code=request.user.username)
# slno=District.objects.filter(id__lt=15)
basic_det=Basicinfo.objects.get(udise_code=request.user.username)
basic_det = Basicinfo.objects.get(id=basic_det.id)
sch_key = basic_det.id
new_sch_id = basic_det.id
govchk=basic_det.sch_management
sch_dir=basic_det.sch_directorate
sch_cat_chk=basic_det.sch_cate
chk_user=Basicinfo.objects.get(udise_code=request.user.username)
if ((str(govchk)=='School Education Department School')|(str(govchk)=='Corporation School')|(str(govchk)=='Municipal School')|(str(govchk)=='Fully Aided School')|(str(govchk)=='Partly Aided School')|(str(govchk)=='Anglo Indian (Fully Aided) School')|(str(govchk)=='Anglo Indian (Partly Aided) School')|(str(govchk)=='Oriental (Fully Aided) Sanskrit School')|(str(govchk)=='Oriental (Partly Aided) Sanskrit School')|(str(govchk)=='Oriental (Fully Aided) Arabic School')|(str(govchk)=='Oriental (Partly Aided) Arabic School')):
if ((basic_det.sch_directorate.department_code=='001')|(basic_det.sch_directorate.department_code=='002')):
govaid_ent='Yes'
else:
govaid_ent=''
else:
govaid_ent=''
if (Academicinfo.objects.filter(school_key=basic_det.id).count())>0:
acade_det = Academicinfo.objects.get(school_key=basic_det.id)
acade_det = Academicinfo.objects.get(id=acade_det.id)
if basic_det.sch_cate:
if (basic_det.sch_cate.category_code in ('3,5,6,7,8,10,11')):
pass_ent='Yes'
else:
pass_ent=''
else:
pass_ent=''
if (Infradet.objects.filter(school_key=basic_det.id).count())>0:
infra_det = Infradet.objects.get(school_key=basic_det.id)
if (Class_section.objects.filter(school_key=basic_det.id).count())>0:
class_det = Class_section.objects.filter(school_key=basic_det.id)
if (Staff.objects.filter(Q(school_key=basic_det.id) & Q(staff_cat=1)))>0:
teach_det = Staff.objects.filter(Q(school_key=basic_det.id) & Q(staff_cat=1))
if (Staff.objects.filter(Q(school_key=basic_det.id) & Q(staff_cat=2)).count())>0:
nonteach_det = Staff.objects.filter(Q(school_key=basic_det.id) & Q(staff_cat=2))
if (Parttimestaff.objects.filter(school_key=basic_det.id).count())>0:
parttime_det = Parttimestaff.objects.filter(school_key=basic_det.id)
if (Land.objects.filter(school_key=basic_det.id).count())>0:
land_det = Land.objects.filter(school_key=basic_det.id)
if (Building.objects.filter(school_key=basic_det.id).count())>0:
building_det = Building.objects.filter(school_key=basic_det.id)
if (Building_abs.objects.filter(school_key=basic_det.id).count())>0:
buildabs_det = Building_abs.objects.filter(school_key=basic_det.id)
if (Sports.objects.filter(school_key=basic_det.id).count())>0:
sports_det = Sports.objects.filter(school_key=basic_det.id)
if (Ictentry.objects.filter(school_key=basic_det.id).count())>0:
ict_det = Ictentry.objects.filter(school_key=basic_det.id)
if (Sch_groups.objects.filter(school_key=basic_det.id).count())>0:
schgroup_det = Sch_groups.objects.filter(school_key=basic_det.id)
basic_mdate=basic_det.modified_date.strftime('%d-%m-%Y -- %H:%M %p')
grp=basic_det.sch_cate
if ((str(grp)=='Hr.Sec School (I-XII)')|(str(grp)=='Hr.Sec School (VI-XII)')|(str(grp)=='Hr.Sec School (IX-XII)')|(str(grp)=='Hr.Sec School (XI-XII)')|(str(grp)=='Matriculation Hr.Sec School (I-XII)')):
grp_chk='Yes'
else:
grp_chk=''
if (Academicinfo.objects.filter(school_key=basic_det.id).count())>0:
acade_mdate=Academicinfo.objects.get(school_key=basic_det.id)
if (Infradet.objects.filter(school_key=basic_det.id).count())>0:
infra_mdate=Infradet.objects.get(school_key=basic_det.id)
if (Staff.objects.filter(Q(school_key=basic_det.id) & Q(staff_cat=1)))>0:
teach_mdate=Staff.objects.filter(Q(school_key=basic_det.id) & Q(staff_cat=1))
return render (request,'home_edit1.html',locals())
else:
return render (request,'home_edit1.html',locals())
else:
return redirect('%s?next=%s' % (settings.LOGIN_URL, request.path))
class basic_edit(UpdateView):
def get(self,request,**kwargs):
if request.user.is_authenticated():
chk_user1=self.kwargs.get('pk')
district_list = District.objects.all().order_by('district_name')
chk_udise_block=int((str(request.user.username)[:6]))
latlong_det= Gis_block_code.objects.get(udise_block_code=chk_udise_block)
acadyr_lst=Acadyr_mas.objects.all()
if Basicinfo.objects.filter(udise_code=int(request.user.username)).count()>0:
basic_det=Basicinfo.objects.get(udise_code=request.user.username)
basic_det = Basicinfo.objects.get(id=basic_det.id)
instance = Basicinfo.objects.get(udise_code=request.user.username)
form=BasicForm(instance=instance)
school_id=instance.school_id
school_name = instance.school_name
if instance.school_name_tamil:
word = instance.school_name_tamil
else:
word=''
udise_code = instance.udise_code
district = instance.district
block = instance.block
local_body_type= instance.local_body_type
village_panchayat =instance.village_panchayat
vill_habitation = instance.vill_habitation
town_panchayat = instance.town_panchayat
town_panchayat_ward = instance.town_panchayat_ward
municipality = instance.municipality
municipal_ward = instance.municipal_ward
cantonment = instance.cantonment
cantonment_ward = instance.cantonment_ward
township = instance.township
township_ward = instance.township_ward
corporation = instance.corporation
corpn_zone = instance.corpn_zone
corpn_ward = instance.corpn_ward
edu_district = instance.edu_district
address = instance.address
stdcode = instance.stdcode
landline = instance.landline
landline2 = instance.landline2
mobile = instance.mobile
sch_email = instance.sch_email
website = instance.website
bank_dist=instance.bank_dist
bank = instance.bank
branch = instance.branch
bankaccno = instance.bankaccno
parliament = instance.parliament
assembly = instance.assembly
manage_cate = instance.manage_cate
sch_management=instance.sch_management
sch_cate = instance.sch_cate
sch_directorate = instance.sch_directorate
pta_esta = instance.pta_esta
pta_no= instance.pta_no
pta_sub_yr= instance.pta_sub_yr
prekg=instance.prekg
kgsec=instance.kgsec
cluster=instance.cluster
mgt_opn_year=instance.mgt_opn_year
mgt_type=instance.mgt_type
mgt_name=instance.mgt_name
mgt_address=instance.mgt_address
mgt_regis_no=instance.mgt_regis_no
mgt_regis_dt=instance.mgt_regis_dt
draw_off_code=instance.draw_off_code
regis_by_office=instance.regis_by_office
pincode=instance.pincode
chk_dept=instance.chk_dept
chk_manage=instance.chk_manage
if instance.latitude:
latitude = instance.latitude
longitude = instance.longitude
latlong='Yes'
else:
latlong_det= Gis_block_code.objects.get(udise_block_code=chk_udise_block)
latlong=''
return render (request,'basicinfo_edit.html',locals())
else:
form=BasicForm()
chk_udise_block=int((str(request.user.username)[:6]))
latlong_det= Gis_block_code.objects.get(udise_block_code=chk_udise_block)
latlong=''
return render (request,'basicinfo_edit.html',locals())
else:
return redirect('%s?next=%s' % (settings.LOGIN_URL, request.path))
def post(self, request, **kwargs):
if request.user.is_authenticated():
if Basicinfo.objects.filter(udise_code=request.user.username).count()>0:
instance = Basicinfo.objects.get(udise_code=request.user.username)
basic_editsave=Basicinfo.objects.get(udise_code=request.user.username)
form = BasicForm(request.POST,request.FILES)
if form.is_valid():
basic_editsave.school_id = form.cleaned_data['school_id']
basic_editsave.school_name = form.cleaned_data['school_name'].upper()
basic_editsave.school_name_tamil = request.POST['word']
basic_editsave.udise_code = form.cleaned_data['udise_code']
basic_editsave.district = form.cleaned_data['district']
basic_editsave.district1 = form.cleaned_data['district']
basic_editsave.block = form.cleaned_data['block']
basic_editsave.block1 = form.cleaned_data['block']
basic_editsave.local_body_type= form.cleaned_data['local_body_type']
chk_local_body=Local_body.objects.get(id=request.POST['local_body_type'])
if str(chk_local_body)=='Village Panchayat':
basic_editsave.village_panchayat =form.cleaned_data['village_panchayat']
basic_editsave.vill_habitation = form.cleaned_data['vill_habitation']
basic_editsave.town_panchayat = None
basic_editsave.town_panchayat_ward = None
basic_editsave.municipality = None
basic_editsave.municipal_ward = None
basic_editsave.cantonment = None
basic_editsave.cantonment_ward = None
basic_editsave.township = None
basic_editsave.township_ward = None
basic_editsave.corporation = None
basic_editsave.corpn_zone = None
basic_editsave.corpn_ward = None
elif str(chk_local_body)=="Town Panchayat":
basic_editsave.village_panchayat =None
basic_editsave.vill_habitation = None
basic_editsave.town_panchayat = form.cleaned_data['town_panchayat']
basic_editsave.town_panchayat_ward = form.cleaned_data['town_panchayat_ward']
basic_editsave.municipality = None
basic_editsave.municipal_ward = None
basic_editsave.cantonment = None
basic_editsave.cantonment_ward = None
basic_editsave.township = None
basic_editsave.township_ward = None
basic_editsave.corporation = None
basic_editsave.corpn_zone = None
basic_editsave.corpn_ward = None
elif str(chk_local_body)=="Municipality":
basic_editsave.village_panchayat =None
basic_editsave.vill_habitation = None
basic_editsave.town_panchayat = None
basic_editsave.town_panchayat_ward = None
basic_editsave.municipality = form.cleaned_data['municipality']
basic_editsave.municipal_ward = form.cleaned_data['municipal_ward']
basic_editsave.cantonment = None
basic_editsave.cantonment_ward = None
basic_editsave.township = None
basic_editsave.township_ward = None
basic_editsave.corporation = None
basic_editsave.corpn_zone = None
basic_editsave.corpn_ward = None
elif str(chk_local_body)=="cantonment":
basic_editsave.village_panchayat =None
basic_editsave.vill_habitation = None
basic_editsave.town_panchayat = None
basic_editsave.town_panchayat_ward = None
basic_editsave.municipality = None
basic_editsave.municipal_ward = None
basic_editsave.cantonment = form.cleaned_data['cantonment']
basic_editsave.cantonment_ward = form.cleaned_data['cantonment_ward']
basic_editsave.township = None
basic_editsave.township_ward = None
basic_editsave.corporation = None
basic_editsave.corpn_zone = None
basic_editsave.corpn_ward = None
elif str(chk_local_body)=="Township":
basic_editsave.village_panchayat =None
basic_editsave.vill_habitation = None
basic_editsave.town_panchayat = None
basic_editsave.town_panchayat_ward = None
basic_editsave.municipality = None
basic_editsave.municipal_ward = None
basic_editsave.cantonment = None
basic_editsave.cantonment_ward = None
basic_editsave.township = form.cleaned_data['township']
basic_editsave.township_ward = form.cleaned_data['township_ward']
basic_editsave.corporation = None
basic_editsave.corpn_zone = None
basic_editsave.corpn_ward = None
elif str(chk_local_body)=="Corporation":
basic_editsave.village_panchayat =None
basic_editsave.vill_habitation = None
basic_editsave.town_panchayat = None
basic_editsave.town_panchayat_ward = None
basic_editsave.municipality = None
basic_editsave.municipal_ward = None
basic_editsave.cantonment = None
basic_editsave.cantonment_ward = None
basic_editsave.township = None
basic_editsave.township_ward = None
basic_editsave.corporation = form.cleaned_data['corporation']
basic_editsave.corpn_zone = form.cleaned_data['corpn_zone']
basic_editsave.corpn_ward = form.cleaned_data['corpn_ward']
if request.POST['prekg']=='Yes':
basic_editsave.prekg = form.cleaned_data['prekg']
basic_editsave.kgsec = 'Yes'
else:
basic_editsave.prekg = 'No'
if request.POST['kgsec']=='Yes':
basic_editsave.kgsec = form.cleaned_data['kgsec']
else:
basic_editsave.kgsec = 'No'
basic_editsave.edu_district = form.cleaned_data['edu_district']
basic_editsave.address = form.cleaned_data['address']
basic_editsave.pincode = form.cleaned_data['pincode']
basic_editsave.stdcode = form.cleaned_data['stdcode']
basic_editsave.landline = form.cleaned_data['landline']
basic_editsave.landline2 = form.cleaned_data['landline2']
basic_editsave.mobile = form.cleaned_data['mobile']
basic_editsave.sch_email = form.cleaned_data['sch_email']
basic_editsave.website = form.cleaned_data['website']
basic_editsave.bank_dist=form.cleaned_data['bank_dist']
basic_editsave.bank = form.cleaned_data['bank']
basic_editsave.branch = form.cleaned_data['branch']
basic_editsave.bankaccno = form.cleaned_data['bankaccno']
basic_editsave.parliament = form.cleaned_data['parliament']
basic_editsave.assembly = form.cleaned_data['assembly']
basic_editsave.latitude = form.cleaned_data['latitude']
basic_editsave.longitude = form.cleaned_data['longitude']
basic_editsave.manage_cate = form.cleaned_data['manage_cate']
basic_editsave.sch_management=form.cleaned_data['sch_management']
basic_editsave.sch_directorate = form.cleaned_data['sch_directorate']
basic_editsave.sch_cate = form.cleaned_data['sch_cate']
if request.POST['pta_esta']=='Yes':
basic_editsave.pta_esta = form.cleaned_data['pta_esta']
basic_editsave.pta_no= form.cleaned_data['pta_no']
basic_editsave.pta_sub_yr= form.cleaned_data['pta_sub_yr']
else:
basic_editsave.pta_esta = form.cleaned_data['pta_esta']
basic_editsave.pta_no= None
basic_editsave.pta_sub_yr= None
basic_editsave.cluster=form.cleaned_data['cluster']
if basic_editsave.manage_cate_id==1:
basic_editsave.mgt_opn_year=None
basic_editsave.mgt_type=None
basic_editsave.mgt_name=None
basic_editsave.mgt_address=None
basic_editsave.mgt_regis_no=None
basic_editsave.mgt_regis_dt=None
basic_editsave.regis_by_office=None
basic_editsave.draw_off_code = form.cleaned_data['draw_off_code']
elif basic_editsave.manage_cate_id==2:
basic_editsave.mgt_opn_year=None
basic_editsave.mgt_type=None
basic_editsave.mgt_name=None
basic_editsave.mgt_address=None
basic_editsave.mgt_regis_no=None
basic_editsave.mgt_regis_dt=None
basic_editsave.regis_by_office=None
basic_editsave.draw_off_code = form.cleaned_data['draw_off_code']
else:
basic_editsave.mgt_opn_year=form.cleaned_data['mgt_opn_year']
basic_editsave.mgt_type=form.cleaned_data['mgt_type']
basic_editsave.mgt_name=form.cleaned_data['mgt_name']
basic_editsave.mgt_address=form.cleaned_data['mgt_address']
basic_editsave.mgt_regis_no=form.cleaned_data['mgt_regis_no']
basic_editsave.mgt_regis_dt=form.cleaned_data['mgt_regis_dt']
basic_editsave.regis_by_office=form.cleaned_data['regis_by_office']
basic_editsave.draw_off_code = None
if basic_editsave.manage_cate_id==1:
basic_editsave.chk_manage=1
elif basic_editsave.manage_cate_id==2:
basic_editsave.chk_manage=2
else:
basic_editsave.chk_manage=3
if basic_editsave.sch_directorate_id==28:
basic_editsave.chk_dept=3
elif basic_editsave.sch_directorate_id in (2,3,16,18,27,29,32,34,42):
basic_editsave.chk_dept=2
else:
if basic_editsave.sch_cate.category_code in ('1','2','4'):
basic_editsave.chk_dept=2
elif basic_editsave.sch_cate.category_code in ('10','11','5','7','8'):
basic_editsave.chk_dept=1
else:
basic_editsave.chk_dept=3
basic_editsave.save()
govchk=basic_editsave.sch_management
if (str(govchk)=='Un-Aided (Private) School - Other than State Board School'):
board_id = basic_editsave.sch_directorate
oth_board=School_department.objects.get(id=board_id.id)
board=oth_board.department
elif (str(govchk)=='Army Public School'):
board ='CBSE'
elif (str(govchk)=='Kendra Vidyalaya - Central Government School'):
board ='CBSE'
elif (str(govchk)=='Sainik School'):
board ='CBSE'
else:
board ='State Board'
if Academicinfo.objects.filter(school_key=basic_editsave.id).count()>0:
acade_det1 = Academicinfo.objects.get(school_key=basic_editsave.id)
acade_det1.board=board
acade_det1.save()
messages.success(request,'Basic Informations Updated Successfully')
return HttpResponseRedirect('/schoolnew/school_registration')
else:
messages.warning(request,'Basic Informations Not Updated')
return HttpResponseRedirect('/schoolnew/school_registration')
else:
form = BasicForm(request.POST,request.FILES)
if form.is_valid():
basicinfo = Basicinfo(
school_id=form.cleaned_data['school_id'],
school_name = form.cleaned_data['school_name'].upper(),
school_name_tamil = request.POST['word'],
udise_code = form.cleaned_data['udise_code'],
district = form.cleaned_data['district'],
block = form.cleaned_data['block'],
local_body_type= form.cleaned_data['local_body_type'],
village_panchayat =form.cleaned_data['village_panchayat'],
vill_habitation = form.cleaned_data['vill_habitation'],
town_panchayat = form.cleaned_data['town_panchayat'],
town_panchayat_ward = form.cleaned_data['town_panchayat_ward'],
municipality = form.cleaned_data['municipality'],
municipal_ward = form.cleaned_data['municipal_ward'],
cantonment = form.cleaned_data['cantonment'],
cantonment_ward = form.cleaned_data['cantonment_ward'],
township = form.cleaned_data['township'],
township_ward = form.cleaned_data['township_ward'],
corporation = form.cleaned_data['corporation'],
corpn_zone = form.cleaned_data['corpn_zone'],
corpn_ward = form.cleaned_data['corpn_ward'],
edu_district = form.cleaned_data['edu_district'],
address = form.cleaned_data['address'],
pincode = form.cleaned_data['pincode'],
stdcode = form.cleaned_data['stdcode'],
landline = form.cleaned_data['landline'],
landline2 = form.cleaned_data['landline2'],
mobile = form.cleaned_data['mobile'],
sch_email = form.cleaned_data['sch_email'],
website = form.cleaned_data['website'],
bank_dist=form.cleaned_data['bank_dist'],
bank = form.cleaned_data['bank'],
branch = form.cleaned_data['branch'],
bankaccno = form.cleaned_data['bankaccno'],
parliament = form.cleaned_data['parliament'],
assembly = form.cleaned_data['assembly'],
latitude = form.cleaned_data['latitude'],
longitude = form.cleaned_data['longitude'],
manage_cate = form.cleaned_data['manage_cate'],
sch_management=form.cleaned_data['sch_management'],
sch_cate = form.cleaned_data['sch_cate'],
sch_directorate = form.cleaned_data['sch_directorate'],
pta_esta = form.cleaned_data['pta_esta'],
pta_no= form.cleaned_data['pta_no'],
pta_sub_yr= form.cleaned_data['pta_sub_yr'],
prekg = form.cleaned_data['prekg'],
kgsec = form.cleaned_data['kgsec'],
cluster=form.cleaned_data['cluster'],
mgt_opn_year=form.cleaned_data['mgt_opn_year'],
mgt_type=form.cleaned_data['mgt_type'],
mgt_name=form.cleaned_data['mgt_name'],
mgt_address=form.cleaned_data['mgt_address'],
mgt_regis_no=form.cleaned_data['mgt_regis_no'],
mgt_regis_dt=form.cleaned_data['mgt_regis_dt'],
draw_off_code=form.cleaned_data['draw_off_code'],
regis_by_office=form.cleaned_data['regis_by_office'],
)
basicinfo.save()
messages.success(request,'Basic Informations Added Successfully')
return HttpResponseRedirect('/schoolnew/school_registration')
else:
messages.warning(request,'Basic Informations Not Saved')
return HttpResponseRedirect('/schoolnew/school_registration')
else:
return redirect('%s?next=%s' % (settings.LOGIN_URL, request.path))
class admin_edit(View):
def get(self,request,**kwargs):
chk_user2=self.kwargs.get('code2')
if request.user.is_authenticated():
if (Basicinfo.objects.filter(udise_code=request.user.username).count())>0:
basic_det=Basicinfo.objects.get(udise_code=request.user.username)
basic_det = Basicinfo.objects.get(id=basic_det.id)
sch_key = basic_det.id
new_sch_id = basic_det.id
govchk=basic_det.sch_management
if ((str(govchk)=='School Education Department School')|(str(govchk)=='Corporation School')|(str(govchk)=='Municipal School')|(str(govchk)=='Adi-Dravida Welfare School')|(str(govchk)=='Forest Department School')|(str(govchk)=='Differently Abled Department School')|(str(govchk)=='Kallar BC/MBC Department School')|(str(govchk)=='Rubber Board School')|(str(govchk)=='Tribal Welfare School')|(str(govchk)=='Aranilayam HR&C Department School')|(str(govchk)=='Fully Aided School')|(str(govchk)=='Partly Aided School')|(str(govchk)=='Anglo Indian (Fully Aided) School')|(str(govchk)=='Anglo Indian (Partly Aided) School')|(str(govchk)=='Oriental (Fully Aided) Sanskrit School')|(str(govchk)=='Oriental (Partly Aided) Sanskrit School')|(str(govchk)=='Oriental (Fully Aided) Arabic School')|(str(govchk)=='Oriental (Partly Aided) Arabic School')|(str(govchk)=='Differently Abled Department Aided School')):
govaid_chk='Yes'
else:
govaid_chk=''
grp=basic_det.sch_cate
if ((str(grp)=='Hr.Sec School (I-XII)')|(str(grp)=='Hr.Sec School (VI-XII)')|(str(grp)=='Hr.Sec School (IX-XII)')|(str(grp)=='Hr.Sec School (XI-XII)')|(str(grp)=='Matriculation Hr.Sec School (I-XII)')):
grp_chk='Yes'
else:
grp_chk=''
if ((str(govchk)=='Fully Aided School')|(str(govchk)=='Partly Aided School')|(str(govchk)=='Anglo Indian (Fully Aided) School')|(str(govchk)=='Anglo Indian (Partly Aided) School')|(str(govchk)=='Oriental (Fully Aided) Sanskrit School')|(str(govchk)=='Oriental (Partly Aided) Sanskrit School')|(str(govchk)=='Oriental (Fully Aided) Arabic School')|(str(govchk)=='Oriental (Partly Aided) Arabic School')|(str(govchk)=='Differently Abled Department Aided School')):
aid_chk='Yes'
else:
aid_chk=''
if ((str(govchk)=='School Education Department School')|(str(govchk)=='Corporation School')|(str(govchk)=='Municipal School')|(str(govchk)=='Adi-Dravida Welfare School')|(str(govchk)=='Forest Department School')|(str(govchk)=='Differently Abled Department School')|(str(govchk)=='Kallar BC/MBC Department School')|(str(govchk)=='Rubber Board School')|(str(govchk)=='Tribal Welfare School')|(str(govchk)=='Aranilayam HR&C Department School')):
gov_chk='Yes'
else:
gov_chk='No'
if basic_det.sch_cate.category_code=='1':
sch_cat_chk=['I Std','II Std','III Std','IV Std','V Std']
low_class = 'I Std'
high_class = 'V Std'
elif basic_det.sch_cate.category_code=='2':
sch_cat_chk=['I Std','II Std','III Std','IV Std','V Std','VI Std','VII Std','VIII Std']
low_class = 'I Std'
high_class = 'VIII Std'
elif basic_det.sch_cate.category_code=='3':
sch_cat_chk=['I Std','II Std','III Std','IV Std','V Std','VI Std','VII Std','VIII Std','IX Std','X Std','XI Std','XII Std']
low_class = 'I Std'
high_class = 'XII Std'
elif basic_det.sch_cate.category_code=='4':
sch_cat_chk=['VI Std','VII Std','VIII Std']
low_class = 'VI Std'
high_class = 'VIII Std'
elif basic_det.sch_cate.category_code=='5':
sch_cat_chk=['VI Std','VII Std','VIII Std','IX Std','X Std','XI Std','XII Std',]
low_class = 'VI Std'
high_class = 'XII Std'
elif basic_det.sch_cate.category_code=='6':
sch_cat_chk=['I Std','II Std','III Std','IV Std','V Std','VI Std','VII Std','VIII Std','IX Std','X Std']
low_class = 'I Std'
high_class = 'X Std'
elif basic_det.sch_cate.category_code=='7':
sch_cat_chk=['VI Std','VII Std','VIII Std','IX Std','X Std']
low_class = 'VI Std'
high_class = 'X Std'
elif basic_det.sch_cate.category_code=='8':
sch_cat_chk=['IX Std','X Std']
low_class = 'IX Std'
high_class = 'X Std'
elif basic_det.sch_cate.category_code=='10':
sch_cat_chk=['IX Std','X Std','XI Std','XII Std']
low_class = 'IX Std'
high_class = 'XII Std'
elif basic_det.sch_cate.category_code=='11':
sch_cat_chk=['XI Std','XII Std']
low_class = 'XI Std'
high_class = 'XII Std'
elif basic_det.sch_cate.category_code=='14':
sch_cat_chk=['I Std','II Std','III Std','IV Std','V Std']
low_class = 'I Std'
high_class = 'V Std'
elif basic_det.sch_cate.category_code=='12':
sch_cat_chk=['VI Std','VII Std','VIII Std']
low_class = 'VI Std'
high_class = 'VIII Std'
else:
sch_cat_chk=['I Std','II Std','III Std','IV Std','V Std','VI Std','VII Std','VIII Std','IX Std','X Std','XI Std','XII Std',]
low_class = 'I Std'
high_class = 'XII Std'
if Academicinfo.objects.filter(school_key=basic_det.id).count()>0:
acade_det = Academicinfo.objects.get(school_key=basic_det.id)
acade_det = Academicinfo.objects.get(id=acade_det.id)
instance = Academicinfo.objects.get(school_key=basic_det)
if Class_section.objects.filter(school_key=basic_det.id).count()>0:
class_det = Class_section.objects.filter(school_key=basic_det.id)
if Staff.objects.filter(Q(school_key=basic_det.id) & Q(staff_cat=1)).count()>0:
teach_det = Staff.objects.filter(Q(school_key=basic_det.id) & Q(staff_cat=1))
if Staff.objects.filter(Q(school_key=basic_det.id) & Q(staff_cat=2)).count()>0:
nonteach_det = Staff.objects.filter(Q(school_key=basic_det.id) & Q(staff_cat=2))
if Parttimestaff.objects.filter(school_key=basic_det.id).count()>0:
ptime_det = Parttimestaff.objects.filter(school_key=basic_det.id)
if Sch_groups.objects.filter(school_key=basic_det.id)>0:
group_det = Sch_groups.objects.filter(school_key=basic_det.id)
if acade_det.recog_dt_fm!=None:
recog_dtfm=acade_det.recog_dt_fm.strftime('%Y-%m-%d')
if acade_det.recog_dt_to!=None:
recog_dtto=acade_det.recog_dt_to.strftime('%Y-%m-%d')
if acade_det.min_dt_iss!=None:
mino_dt=acade_det.min_dt_iss.strftime('%Y-%m-%d')
form=academicinfo_form(instance=instance)
school_key = basic_det.id
schooltype = instance.schooltype
board = instance.board
tamil_med = instance.tamil_med
eng_med = instance.eng_med
tel_med = instance.tel_med
mal_med = instance.mal_med
kan_med = instance.kan_med
urdu_med = instance.urdu_med
oth_med=instance.oth_med
other_med = instance.other_med
minority = instance.minority
rel_minority = instance.rel_minority
ling_minority = instance.ling_minority
min_ord_no = instance.min_ord_no
min_dt_iss = instance.min_dt_iss
recog_dt_fm = instance.recog_dt_fm
recog_dt_to = instance.recog_dt_to
min_dt_iss=instance.min_dt_iss
recog_dt_fm=instance.recog_dt_fm
recog_dt_to=instance.recog_dt_to
iss_auth = instance.iss_auth
start_order = instance.start_order
start_yr=instance.start_yr
recog_typ = instance.recog_typ
recog_ord = instance.recog_ord
hssstart_order = instance.hssstart_order
hssstart_yr=instance.hssstart_yr
hssrecog_typ = instance.hssrecog_typ
hssrecog_ord = instance.hssrecog_ord
hssrecog_dt_fm = instance.hssrecog_dt_fm
hssrecog_dt_to = instance.hssrecog_dt_to
upgr_det = instance.upgr_det
other_board_aff = instance.other_board_aff
spl_school = instance.spl_school
spl_type = instance.spl_type
boarding = instance.boarding
hostel_floor = instance.hostel_floor
hostel_rooms = instance.hostel_rooms
hostel_boys = instance.hostel_boys
hostel_girls = instance.hostel_girls
hostel_staff = instance.hostel_staff
extra_scout=instance.extra_scout
extra_jrc=instance.extra_jrc
extra_nss=instance.extra_nss
extra_ncc=instance.extra_ncc
extra_rrc=instance.extra_rrc
extra_ec=instance.extra_ec
extra_cub=instance.extra_cub
nrstc=instance.nrstc
hssboard=instance.hssboard
smc_smdc = instance.smc_smdc
noof_med=instance.noof_med
dge_no_ten= instance.dge_no_ten
dge_no_twelve= instance.dge_no_twelve
return render (request,'admin_edit_new.html',locals())
else:
form=academicinfo_form()
if (str(govchk)=='Un-Aided (Private) School - Other than State Board School'):
board = basic_det.sch_directorate
elif (str(govchk)=='Army Public School'):
board ='CBSE'
elif (str(govchk)=='Kendra Vidyalaya - Central Government School'):
board ='CBSE'
elif (str(govchk)=='Sainik School'):
board ='CBSE'
else:
board ='State Board'
groups_list=Groups.objects.all()
district_list = District.objects.all().order_by('district_name')
noof_med=0
return render (request,'admin_edit_new.html',locals())
else:
return redirect('%s?next=%s' % (settings.LOGIN_URL, request.path))
def post(self,request,**kwargs):
if request.user.is_authenticated():
pk=self.kwargs.get('pk')
basic_det=Basicinfo.objects.get(udise_code=request.user.username)
form = academicinfo_form(request.POST,request.FILES)
if Academicinfo.objects.filter(school_key=basic_det.id).count()>0:
academic_edit=Academicinfo.objects.get(school_key=basic_det.id)
if form.is_valid():
if form.cleaned_data['recog_dt_fm']:
chk_recfmdt=form.cleaned_data['recog_dt_fm']
else:
chk_recfmdt=None
if form.cleaned_data['recog_dt_to']:
chk_rectodt=form.cleaned_data['recog_dt_to']
else:
chk_rectodt=None
class_sec_del = Class_section.objects.filter(school_key=basic_det.id)
sch_key=form.cleaned_data['school_key']
academic_edit.schooltype = form.cleaned_data['schooltype']
academic_edit.board = form.cleaned_data['board']
academic_edit.tamil_med = form.cleaned_data['tamil_med']
academic_edit.eng_med = form.cleaned_data['eng_med']
academic_edit.tel_med = form.cleaned_data['tel_med']
academic_edit.mal_med = form.cleaned_data['mal_med']
academic_edit.kan_med = form.cleaned_data['kan_med']
academic_edit.urdu_med = form.cleaned_data['urdu_med']
if request.POST['oth_med']== 'Yes':
academic_edit.oth_med = True
academic_edit.other_med = form.cleaned_data['other_med']
else:
academic_edit.oth_med = False
academic_edit.other_med = ''
if form.cleaned_data['minority']==True:
academic_edit.minority = form.cleaned_data['minority']
academic_edit.min_ord_no = form.cleaned_data['min_ord_no']
academic_edit.min_dt_iss = form.cleaned_data['min_dt_iss']
academic_edit.iss_auth = form.cleaned_data['iss_auth']
if request.POST['mino_type']=='Religious Minority':
academic_edit.rel_minority = True
academic_edit.ling_minority = False
if request.POST['mino_type']=='Linguistic Minority':
academic_edit.ling_minority = True
academic_edit.rel_minority =False
else:
academic_edit.minority = False
academic_edit.rel_minority = False
academic_edit.ling_minority = False
academic_edit.min_ord_no=''
academic_edit.min_dt_iss =None
academic_edit.iss_auth =''
academic_edit.start_order = form.cleaned_data['start_order']
academic_edit.start_yr = form.cleaned_data['start_yr']
academic_edit.recog_typ = form.cleaned_data['recog_typ']
academic_edit.recog_ord = form.cleaned_data['recog_ord']
academic_edit.recog_dt_fm = chk_recfmdt
academic_edit.recog_dt_to = chk_rectodt
academic_edit.low_class = form.cleaned_data['low_class']
academic_edit.high_class = form.cleaned_data['high_class']
if (request.POST['high_class'] == 'XII Std'):
academic_edit.hssstart_order = form.cleaned_data['hssstart_order']
academic_edit.hssrecog_typ = form.cleaned_data['hssrecog_typ']
academic_edit.hssrecog_ord = form.cleaned_data['hssrecog_ord']
academic_edit.hssstart_yr = form.cleaned_data['hssstart_yr']
academic_edit.hssrecog_dt_fm = form.cleaned_data['hssrecog_dt_fm']
academic_edit.hssrecog_dt_to = form.cleaned_data['hssrecog_dt_to']
academic_edit.hssboard = form.cleaned_data['hssboard']
academic_edit.upgr_det = form.cleaned_data['upgr_det']
academic_edit.other_board_aff = form.cleaned_data['other_board_aff']
if request.POST['spl_school']== 'True':
academic_edit.spl_school = True
academic_edit.spl_type = form.cleaned_data['spl_type']
else:
academic_edit.spl_school = False
academic_edit.spl_type = ''
if request.POST['boarding']== 'True':
academic_edit.boarding = True
academic_edit.hostel_floor = form.cleaned_data['hostel_floor']
academic_edit.hostel_rooms = form.cleaned_data['hostel_rooms']
academic_edit.hostel_boys = form.cleaned_data['hostel_boys']
academic_edit.hostel_girls = form.cleaned_data['hostel_girls']
academic_edit.hostel_staff = form.cleaned_data['hostel_staff']
else:
academic_edit.boarding = False
academic_edit.hostel_floor = 0
academic_edit.hostel_rooms = 0
academic_edit.hostel_boys = 0
academic_edit.hostel_girls = 0
academic_edit.hostel_staff = 0
academic_edit.extra_scout=form.cleaned_data['extra_scout']
academic_edit.extra_jrc=form.cleaned_data['extra_jrc']
academic_edit.extra_nss=form.cleaned_data['extra_nss']
academic_edit.extra_ncc=form.cleaned_data['extra_ncc']
academic_edit.extra_rrc=form.cleaned_data['extra_rrc']
academic_edit.extra_ec=form.cleaned_data['extra_ec']
academic_edit.extra_cub=form.cleaned_data['extra_cub']
academic_edit.smc_smdc = form.cleaned_data['smc_smdc']
academic_edit.noof_med=form.cleaned_data['noof_med']
academic_edit.dge_no_ten=form.cleaned_data['dge_no_ten']
academic_edit.dge_no_twelve=form.cleaned_data['dge_no_twelve']
if form.cleaned_data['nrstc']== True:
academic_edit.nrstc = True
else:
academic_edit.nrstc = False
academic_edit.save()
messages.success(request,'Admininstration Details Updated successfully')
return HttpResponseRedirect('/schoolnew/school_registration')
else:
print form.errors
messages.warning(request,'Admininstration Details Not Updated')
return HttpResponseRedirect('/schoolnew/school_registration')
else:
if form.is_valid():
sch_key=form.cleaned_data['school_key']
if request.POST['min_dt_iss']:
chk_dtiss=form.cleaned_data['min_dt_iss']
else:
chk_dtiss=None
if request.POST['recog_dt_fm']:
chk_recfmdt=form.cleaned_data['recog_dt_fm']
else:
chk_recfmdt=None
if request.POST['recog_dt_to']:
chk_rectodt=form.cleaned_data['recog_dt_to']
else:
chk_rectodt=None
if request.POST['gov_chk']=='No':
if request.POST['hssrecog_dt_fm']:
chk_hssrecfmdt=form.cleaned_data['hssrecog_dt_fm']
else:
chk_hssrecfmdt=None
if request.POST['hssrecog_dt_to']:
chk_hssrectodt=form.cleaned_data['hssrecog_dt_to']
else:
chk_hssrectodt=None
else:
chk_hssrecfmdt=None
chk_hssrectodt=None
if request.POST['boarding'] == 'True':
boarding_chk=True
else:
boarding_chk=False
if request.POST['mino_type']=='Religious Minority':
rel_minority=True
else:
rel_minority=False
if request.POST['mino_type']=='Linguistic Minority':
ling_minority=True
else:
ling_minority=False
if request.POST['oth_med']=='Yes':
oth_med=True
else:
oth_med=False
if (request.POST['high_class'] == 'XII Std'):
thssstart_order = request.POST['hssstart_order'],
thssstart_yr = request.POST['hssstart_yr'],
thssrecog_typ = request.POST['hssrecog_typ'],
thssrecog_ord = request.POST['hssrecog_ord'],
thssboard = request.POST['hssboard'],
else:
thssstart_order = ''
thssstart_yr = ''
thssrecog_typ = ''
thssrecog_ord = ''
thssboard = ''
academicinfo = Academicinfo(
school_key = sch_key,
schooltype = form.cleaned_data['schooltype'],
board = form.cleaned_data['board'],
tamil_med = form.cleaned_data['tamil_med'],
eng_med = form.cleaned_data['eng_med'],
tel_med = form.cleaned_data['tel_med'],
mal_med = form.cleaned_data['mal_med'],
kan_med = form.cleaned_data['kan_med'],
urdu_med = form.cleaned_data['urdu_med'],
oth_med = oth_med,
other_med = form.cleaned_data['other_med'],
minority = form.cleaned_data['minority'],
rel_minority = rel_minority,
ling_minority = ling_minority,
min_ord_no = form.cleaned_data['min_ord_no'],
min_dt_iss = chk_dtiss,
iss_auth = form.cleaned_data['iss_auth'],
start_order = form.cleaned_data['start_order'],
start_yr = form.cleaned_data['start_yr'],
recog_typ = form.cleaned_data['recog_typ'],
recog_ord = form.cleaned_data['recog_ord'],
recog_dt_fm = chk_recfmdt,
recog_dt_to = chk_rectodt,
low_class = form.cleaned_data['low_class'],
high_class = form.cleaned_data['high_class'],
hssstart_order = thssstart_order,
hssstart_yr = thssstart_yr,
hssrecog_typ = thssrecog_typ,
hssrecog_ord = thssrecog_ord,
hssrecog_dt_fm = chk_hssrecfmdt,
hssrecog_dt_to = chk_hssrectodt,
hssboard = thssboard,
upgr_det = form.cleaned_data['upgr_det'],
other_board_aff = form.cleaned_data['other_board_aff'],
spl_school = form.cleaned_data['spl_school'],
spl_type = form.cleaned_data['spl_type'],
boarding = boarding_chk,
hostel_floor = form.cleaned_data['hostel_floor'],
hostel_rooms = form.cleaned_data['hostel_rooms'],
hostel_boys = form.cleaned_data['hostel_boys'],
hostel_girls = form.cleaned_data['hostel_girls'],
hostel_staff = form.cleaned_data['hostel_staff'],
extra_scout=form.cleaned_data['extra_scout'],
extra_jrc=form.cleaned_data['extra_jrc'],
extra_nss=form.cleaned_data['extra_nss'],
extra_ncc=form.cleaned_data['extra_ncc'],
extra_rrc=form.cleaned_data['extra_rrc'],
extra_ec=form.cleaned_data['extra_ec'],
extra_cub=form.cleaned_data['extra_cub'],
nrstc = form.cleaned_data['nrstc'],
smc_smdc = form.cleaned_data['smc_smdc'],
noof_med = form.cleaned_data['noof_med'],
dge_no_ten= form.cleaned_data['dge_no_ten'],
dge_no_twelve= form.cleaned_data['dge_no_twelve'],
)
academicinfo.save()
messages.success(request,'Admininstration Details Added successfully')
return HttpResponseRedirect('/schoolnew/school_registration')
else:
print form.errors
messages.warning(request,'Admininstration Details Not Saved')
return HttpResponseRedirect('/schoolnew/school_registration')
else:
return redirect('%s?next=%s' % (settings.LOGIN_URL, request.path))
class infra_edit(View):
def get(self,request,**kwargs):
if request.user.is_authenticated():
district_list = District.objects.all().order_by('district_name')
concre_chk="Yes"
if Basicinfo.objects.filter(udise_code=request.user.username).count()>0:
basic_det=Basicinfo.objects.get(udise_code=request.user.username)
new_sch_id = basic_det.id
if Academicinfo.objects.filter(school_key=basic_det.id).count()>0:
acade_det = Academicinfo.objects.get(school_key=basic_det.id)
if ((acade_det.high_class=='XII Std') | (acade_det.high_class=='X Std')):
lab_chk='Yes'
else:
lab_chk='No'
if Infradet.objects.filter(school_key=basic_det.id).count()>0:
infra_det = Infradet.objects.filter(school_key=basic_det.id)
infra_det = Infradet.objects.filter(id=infra_det)
instance = Infradet.objects.get(school_key=basic_det)
form=infradet_form(instance=instance)
school_key = basic_det.id
electricity = instance.electricity
tot_area= instance.tot_area
tot_type=instance.tot_type
cov= instance.cov
cov_type=instance.cov_type
opn= instance.opn
opn_type=instance.opn_type
play= instance.play
play_type=instance.play_type
tot_ft = instance.tot_ft
tot_mt = instance.tot_mt
covered_ft = instance.covered_ft
covered_mt = instance.covered_mt
open_ft = instance.open_ft
open_mt = instance.open_mt
play_ft = instance.play_ft
play_mt = instance.play_mt
cwall = instance.cwall
cwall_concre = instance.cwall_concre
cwall_fence = instance.cwall_fence
cwall_existbu = instance.cwall_existbu
cwall_nbarr = instance.cwall_nbarr
chk_cwall=cwall
cwall_concre_len = instance.cwall_concre_len
cwall_fence_len = instance.cwall_fence_len
cwall_existbu_len = instance.cwall_existbu_len
cwall_nbarr_len = instance.cwall_nbarr_len
cwall_notcon_len = instance.cwall_notcon_len
fireext= instance.fireext
fireext_no = instance.fireext_no
fireext_w = instance.fireext_w
firstaid_box=instance.firstaid_box
rainwater = instance.rainwater
kitchenshed= instance.kitchenshed
furn_desk_no = instance.furn_desk_no
furn_desk_use = instance.furn_desk_use
furn_bench_no = instance.furn_bench_no
furn_bench_use = instance.furn_bench_use
fans = instance.fans
fans_work = instance.fans_work
tubelights = instance.tubelights
tlights_work = instance.tlights_work
bu_no = instance.bu_no
bu_usable =instance.bu_usable
bu_minrep =instance.bu_minrep
bu_majrep =instance.bu_majrep
gu_no =instance.gu_no
gu_usable = instance.gu_usable
gu_minrep =instance.gu_minrep
gu_majrep = instance.gu_majrep
bl_no = instance.bl_no
bl_usable = instance.bl_usable
bl_minrep = instance.bl_minrep
bl_majrep = instance.bl_majrep
gl_no = instance.gl_no
gl_usable = instance.gl_usable
gl_minrep =instance.gl_minrep
gl_majrep = instance.gl_majrep
gentsu_no = instance.gentsu_no
gentsu_usable = instance.gentsu_usable
gentsu_minrep = instance.gentsu_minrep
gentsu_majrep = instance.gentsu_majrep
ladiesu_no = instance.ladiesu_no
ladiesu_usable = instance.ladiesu_usable
ladiesu_minrep = instance.ladiesu_minrep
ladiesu_majrep = instance.ladiesu_majrep
gentsl_no = instance.gentsl_no
gentsl_usable = instance.gentsl_usable
gentsl_minrep = instance.gentsl_minrep
gentsl_majrep = instance.gentsl_majrep
ladiesl_no = instance.ladiesl_no
ladiesl_usable = instance.ladiesl_usable
ladiesl_minrep = instance.ladiesl_minrep
ladiesl_majrep = instance.ladiesl_majrep
incinirator=instance.incinirator
water_toilet=instance.water_toilet
cwsn_toilet = instance.cwsn_toilet
cwsn_toilet_no = instance.cwsn_toilet_no
water_facility=instance.water_facility
water_source=instance.water_source
well_dia=instance.well_dia
well_close=instance.well_close
water_puri=instance.water_puri
water_access = instance.water_access
internet_yes = instance.internet_yes
lightning_arest= instance.lightning_arest
lib_tamil=instance.lib_tamil
lib_eng=instance.lib_eng
lib_others=instance.lib_others
lib_tamil_news =instance.lib_tamil_news
lib_eng_news =instance.lib_eng_news
lib_periodic =instance.lib_periodic
trans_faci=instance.trans_faci
trans_bus=instance.trans_bus
trans_van=instance.trans_van
trans_stud=instance.trans_stud
trans_rules=instance.trans_rules
award_recd=instance.award_recd
award_info =instance.award_info
phy_lab=instance.phy_lab
che_lab=instance.che_lab
bot_lab=instance.bot_lab
zoo_lab=instance.zoo_lab
gas_cylin=instance.gas_cylin
suffi_equip=instance.suffi_equip
eb_ht_line=instance.eb_ht_line
infra_edit_chk='Yes'
if lightning_arest=="Yes":
light_arest="Yes"
else:
light_arest=""
if water_facility=="Yes":
water_chk="Yes"
else:
water_chk=""
if water_source=="Well":
well_chk="Yes"
else:
well_chk=""
govchk=basic_det.sch_management
grp=basic_det.sch_cate
schtype=acade_det.schooltype
if ((str(govchk)=='School Education Department School')|(str(govchk)=='Corporation School')|(str(govchk)=='Municipal School')|(str(govchk)=='Adi-Dravida Welfare School')|(str(govchk)=='Forest Department School')|(str(govchk)=='Differently Abled Department School')|(str(govchk)=='Kallar BC/MBC Department School')|(str(govchk)=='Rubber Board School')|(str(govchk)=='Tribal Welfare School')|(str(govchk)=='Aranilayam HR&C Department School')|(str(govchk)=='Fully Aided School')|(str(govchk)=='Partly Aided School')|(str(govchk)=='Anglo Indian (Fully Aided) School')|(str(govchk)=='Anglo Indian (Partly Aided) School')|(str(govchk)=='Oriental (Fully Aided) Sanskrit School')|(str(govchk)=='Oriental (Partly Aided) Sanskrit School')|(str(govchk)=='Oriental (Fully Aided) Arabic School')|(str(govchk)=='Oriental (Partly Aided) Arabic School')|(str(govchk)=='Differently Abled Department Aided School')):
govaid_chk='Yes'
else:
govaid_chk=''
if ((str(govchk)=='School Education Department School')|(str(govchk)=='Corporation School')|(str(govchk)=='Municipal School')|(str(govchk)=='Adi-Dravida Welfare School')|(str(govchk)=='Forest Department School')|(str(govchk)=='Differently Abled Department School')|(str(govchk)=='Kallar BC/MBC Department School')|(str(govchk)=='Rubber Board School')|(str(govchk)=='Tribal Welfare School')|(str(govchk)=='Aranilayam HR&C Department School')):
gov_chk='Yes'
else:
gov_chk='No'
if ((str(grp)=='Hr.Sec School (I-XII)')|(str(grp)=='Hr.Sec School (VI-XII)')|(str(grp)=='Hr.Sec School (IX-XII)')|(str(grp)=='Hr.Sec School (XI-XII)')|(str(grp)=='Middle School (I-VIII)')|(str(grp)=='Middle School (VI-VIII)')|(str(grp)=='High Schools (I-X)')|(str(grp)=='High Schools (VI-X)')|(str(grp)=='High Schools (IX-X)')|(str(grp)=='KGBV')):
if acade_det.schooltype<>'Boys':
inci_chk='Yes'
else:
inci_chk=''
else:
inci_chk=''
return render (request,'infra_edit_new.html',locals())
else:
form=infradet_form()
govchk=basic_det.sch_management
grp=basic_det.sch_cate
hi_class=acade_det.high_class
schtype=acade_det.schooltype
if ((str(govchk)=='School Education Department School')|(str(govchk)=='Corporation School')|(str(govchk)=='Municipal School')|(str(govchk)=='Adi-Dravida Welfare School')|(str(govchk)=='Forest Department School')|(str(govchk)=='Differently Abled Department School')|(str(govchk)=='Kallar BC/MBC Department School')|(str(govchk)=='Rubber Board School')|(str(govchk)=='Tribal Welfare School')|(str(govchk)=='Aranilayam HR&C Department School')|(str(govchk)=='Fully Aided School')|(str(govchk)=='Partly Aided School')|(str(govchk)=='Anglo Indian (Fully Aided) School')|(str(govchk)=='Anglo Indian (Partly Aided) School')|(str(govchk)=='Oriental (Fully Aided) Sanskrit School')|(str(govchk)=='Oriental (Partly Aided) Sanskrit School')|(str(govchk)=='Oriental (Fully Aided) Arabic School')|(str(govchk)=='Oriental (Partly Aided) Arabic School')|(str(govchk)=='Differently Abled Department Aided School')):
govaid_chk='Yes'
else:
govaid_chk=''
if ((str(grp)=='Hr.Sec School (I-XII)')|(str(grp)=='Hr.Sec School (VI-XII)')|(str(grp)=='Hr.Sec School (IX-XII)')|(str(grp)=='Hr.Sec School (XI-XII)')|(str(grp)=='Middle School (I-VIII)')|(str(grp)=='Middle School (VI-VIII)')|(str(grp)=='High Schools (I-X)')|(str(grp)=='High Schools (VI-X)')|(str(grp)=='High Schools (IX-X)')|(str(grp)=='KGBV')):
if acade_det.schooltype<>'Boys':
inci_chk='Yes'
else:
inci_chk=''
else:
inci_chk=''
infra_edit_chk=''
if ((str(govchk)=='School Education Department School')|(str(govchk)=='Corporation School')|(str(govchk)=='Municipal School')|(str(govchk)=='Adi-Dravida Welfare School')|(str(govchk)=='Forest Department School')|(str(govchk)=='Differently Abled Department School')|(str(govchk)=='Kallar BC/MBC Department School')|(str(govchk)=='Rubber Board School')|(str(govchk)=='Tribal Welfare School')|(str(govchk)=='Aranilayam HR&C Department School')):
gov_chk='Yes'
else:
gov_chk='No'
return render (request,'infra_edit_new.html',locals())
else:
return redirect('%s?next=%s' % (settings.LOGIN_URL, request.path))
def post(self,request,**kwargs):
if request.user.is_authenticated():
basic_det=Basicinfo.objects.get(udise_code=request.user.username)
form = infradet_form(request.POST,request.FILES)
if Infradet.objects.filter(school_key=basic_det.id).count()>0:
infra_edit=Infradet.objects.get(school_key=basic_det.id)
if form.is_valid():
infra_edit.electricity = form.cleaned_data['electricity']
infra_edit.tot_area= form.cleaned_data['tot_area']
infra_edit.tot_type=form.cleaned_data['tot_type']
infra_edit.cov= form.cleaned_data['cov']
infra_edit.cov_type=form.cleaned_data['cov_type']
infra_edit.opn= form.cleaned_data['opn']
infra_edit.opn_type=form.cleaned_data['opn_type']
infra_edit.play= form.cleaned_data['play']
infra_edit.play_type=form.cleaned_data['play_type']
infra_edit.tot_ft = form.cleaned_data['tot_ft']
infra_edit.tot_mt = form.cleaned_data['tot_mt']
infra_edit.covered_ft = form.cleaned_data['covered_ft']
infra_edit.covered_mt = form.cleaned_data['covered_mt']
infra_edit.open_ft = form.cleaned_data['open_ft']
infra_edit.open_mt = form.cleaned_data['open_mt']
infra_edit.play_ft = form.cleaned_data['play_ft']
infra_edit.play_mt = form.cleaned_data['play_mt']
infra_edit.cwall_notcon_len = form.cleaned_data['cwall_notcon_len']
chk_cwal=request.POST['cwall']
if request.POST['cwall']=='Yes':
infra_edit.cwall = True
if form.cleaned_data['cwall_concre']==True:
infra_edit.cwall_concre = form.cleaned_data['cwall_concre']
infra_edit.cwall_concre_len = form.cleaned_data['cwall_concre_len']
else:
infra_edit.cwall_concre = form.cleaned_data['cwall_concre']
infra_edit.cwall_concre_len = 0
if form.cleaned_data['cwall_fence']==True:
infra_edit.cwall_fence = form.cleaned_data['cwall_fence']
infra_edit.cwall_fence_len = form.cleaned_data['cwall_fence_len']
else:
infra_edit.cwall_fence = form.cleaned_data['cwall_fence']
infra_edit.cwall_fence_len = 0
if form.cleaned_data['cwall_existbu']==True:
infra_edit.cwall_existbu = form.cleaned_data['cwall_existbu']
infra_edit.cwall_existbu_len = form.cleaned_data['cwall_existbu_len']
else:
infra_edit.cwall_existbu = form.cleaned_data['cwall_existbu']
infra_edit.cwall_existbu_len = 0
if form.cleaned_data['cwall_nbarr']==True:
infra_edit.cwall_nbarr = form.cleaned_data['cwall_nbarr']
infra_edit.cwall_nbarr_len = form.cleaned_data['cwall_nbarr_len']
else:
infra_edit.cwall_nbarr = form.cleaned_data['cwall_nbarr']
infra_edit.cwall_nbarr_len = 0
else:
infra_edit.cwall = False
infra_edit.cwall_concre = False
infra_edit.cwall_fence = False
infra_edit.cwall_existbu = False
infra_edit.cwall_nbarr = False
infra_edit.cwall_concre_len = 0
infra_edit.cwall_fence_len = 0
infra_edit.cwall_existbu_len = 0
infra_edit.cwall_nbarr_len = 0
if form.cleaned_data['fireext']==True:
infra_edit.fireext= True
infra_edit.fireext_no = form.cleaned_data['fireext_no']
infra_edit.fireext_w = form.cleaned_data['fireext_w']
else:
infra_edit.fireext= False
infra_edit.fireext_no = 0
infra_edit.fireext_w = 0
infra_edit.firstaid_box=form.cleaned_data['firstaid_box']
infra_edit.rainwater = form.cleaned_data['rainwater']
infra_edit.kitchenshed= form.cleaned_data['kitchenshed']
infra_edit.furn_desk_no = form.cleaned_data['furn_desk_no']
infra_edit.furn_desk_use = form.cleaned_data['furn_desk_use']
infra_edit.furn_bench_no = form.cleaned_data['furn_bench_no']
infra_edit.furn_bench_use = form.cleaned_data['furn_bench_use']
infra_edit.fans = form.cleaned_data['fans']
infra_edit.fans_work = form.cleaned_data['fans_work']
infra_edit.tubelights = form.cleaned_data['tubelights']
infra_edit.tlights_work = form.cleaned_data['tlights_work']
infra_edit.bu_no = form.cleaned_data['bu_no']
infra_edit.bu_usable =form.cleaned_data['bu_usable']
infra_edit.bu_minrep =form.cleaned_data['bu_minrep']
infra_edit.bu_majrep =form.cleaned_data['bu_majrep']
infra_edit.gu_no =form.cleaned_data['gu_no']
infra_edit.gu_usable = form.cleaned_data['gu_usable']
infra_edit.gu_minrep =form.cleaned_data['gu_minrep']
infra_edit.gu_majrep = form.cleaned_data['gu_majrep']
infra_edit.bl_no = form.cleaned_data['bl_no']
infra_edit.bl_usable = form.cleaned_data['bl_usable']
infra_edit.bl_minrep = form.cleaned_data['bl_minrep']
infra_edit.bl_majrep = form.cleaned_data['bl_majrep']
infra_edit.gl_no = form.cleaned_data['gl_no']
infra_edit.gl_usable = form.cleaned_data['gl_usable']
infra_edit.gl_minrep =form.cleaned_data['gl_minrep']
infra_edit.gl_majrep = form.cleaned_data['gl_majrep']
infra_edit.gentsu_no = form.cleaned_data['gentsu_no']
infra_edit.gentsu_usable = form.cleaned_data['gentsu_usable']
infra_edit.gentsu_minrep = form.cleaned_data['gentsu_minrep']
infra_edit.gentsu_majrep = form.cleaned_data['gentsu_majrep']
infra_edit.ladiesu_no = form.cleaned_data['ladiesu_no']
infra_edit.ladiesu_usable = form.cleaned_data['ladiesu_usable']
infra_edit.ladiesu_minrep = form.cleaned_data['ladiesu_minrep']
infra_edit.ladiesu_majrep = form.cleaned_data['ladiesu_majrep']
infra_edit.gentsl_no = form.cleaned_data['gentsl_no']
infra_edit.gentsl_usable = form.cleaned_data['gentsl_usable']
infra_edit.gentsl_minrep = form.cleaned_data['gentsl_minrep']
infra_edit.gentsl_majrep = form.cleaned_data['gentsl_majrep']
infra_edit.ladiesl_no = form.cleaned_data['ladiesl_no']
infra_edit.ladiesl_usable = form.cleaned_data['ladiesl_usable']
infra_edit.ladiesl_minrep = form.cleaned_data['ladiesl_minrep']
infra_edit.ladiesl_majrep = form.cleaned_data['ladiesl_majrep']
infra_edit.incinirator=form.cleaned_data['incinirator']
infra_edit.water_toilet=form.cleaned_data['water_toilet']
infra_edit.internet_yes=form.cleaned_data['internet_yes']
if request.POST['cwsn_toilet']==True:
infra_edit.cwsn_toilet = True
infra_edit.cwsn_toilet_no = form.cleaned_data['cwsn_toilet_no']
else:
infra_edit.cwsn_toilet = False
infra_edit.cwsn_toilet_no = 0
infra_edit.water_facility=form.cleaned_data['water_facility']
infra_edit.water_source=form.cleaned_data['water_source']
infra_edit.well_dia=form.cleaned_data['well_dia']
infra_edit.well_close=form.cleaned_data['well_close']
infra_edit.water_puri=form.cleaned_data['water_puri']
infra_edit.water_access = form.cleaned_data['water_access']
infra_edit.lightning_arest= form.cleaned_data['lightning_arest']
infra_edit.lib_tamil = form.cleaned_data['lib_tamil']
infra_edit.lib_eng = form.cleaned_data['lib_eng']
infra_edit.lib_others = form.cleaned_data['lib_others']
infra_edit.lib_tamil_news = form.cleaned_data['lib_tamil_news']
infra_edit.lib_eng_news = form.cleaned_data['lib_eng_news']
infra_edit.lib_periodic = form.cleaned_data['lib_periodic']
if request.POST['gov_chk']=='No':
if request.POST['trans_faci']=='True':
infra_edit.trans_faci = True
infra_edit.trans_bus= form.cleaned_data['trans_bus']
infra_edit.trans_van= form.cleaned_data['trans_van']
infra_edit.trans_stud= form.cleaned_data['trans_stud']
infra_edit.trans_rules= form.cleaned_data['trans_rules']
else:
infra_edit.trans_faci = False
infra_edit.trans_bus= None
infra_edit.trans_van= None
infra_edit.trans_stud= None
infra_edit.trans_rules= False
else:
infra_edit.trans_faci = False
infra_edit.trans_bus= None
infra_edit.trans_van= None
infra_edit.trans_stud= None
infra_edit.trans_rules= False
if request.POST['award_recd']=='True':
infra_edit.award_recd = True
infra_edit.award_info = form.cleaned_data['award_info']
else:
infra_edit.award_recd = False
infra_edit.award_info = ''
infra_edit.phy_lab= form.cleaned_data['phy_lab']
infra_edit.che_lab= form.cleaned_data['che_lab']
infra_edit.bot_lab= form.cleaned_data['bot_lab']
infra_edit.zoo_lab= form.cleaned_data['zoo_lab']
infra_edit.gas_cylin= form.cleaned_data['gas_cylin']
infra_edit.suffi_equip= form.cleaned_data['suffi_equip']
infra_edit.eb_ht_line= form.cleaned_data['eb_ht_line']
infra_edit.save()
messages.success(request,'Infrastructure Details Updated successfully')
return HttpResponseRedirect('/schoolnew/school_registration')
else:
messages.warning(request,'Infrastructure Details Not Updated')
return HttpResponseRedirect('/schoolnew/school_registration')
else:
if form.is_valid():
if form.cleaned_data['cwall']=='Yes':
post_cwall=True
if form.cleaned_data['cwall_concre']==True:
cwall_concre = form.cleaned_data['cwall_concre']
cwall_concre_len = form.cleaned_data['cwall_concre_len']
else:
cwall_concre = form.cleaned_data['cwall_concre']
cwall_concre_len = 0
if form.cleaned_data['cwall_fence']==True:
cwall_fence = form.cleaned_data['cwall_fence']
cwall_fence_len = form.cleaned_data['cwall_fence_len']
else:
cwall_fence = form.cleaned_data['cwall_fence']
cwall_fence_len = 0
if form.cleaned_data['cwall_existbu']==True:
cwall_existbu = form.cleaned_data['cwall_existbu']
cwall_existbu_len = form.cleaned_data['cwall_existbu_len']
else:
cwall_existbu = form.cleaned_data['cwall_existbu']
cwall_existbu_len = 0
if form.cleaned_data['cwall_nbarr']==True:
cwall_nbarr = form.cleaned_data['cwall_nbarr']
cwall_nbarr_len = form.cleaned_data['cwall_nbarr_len']
else:
cwall_nbarr = form.cleaned_data['cwall_nbarr']
cwall_nbarr_len = 0
else:
post_cwall=False
cwall_concre = False
cwall_fence = False
cwall_existbu = False
cwall_nbarr = False
cwall_concre_len = 0
cwall_fence_len = 0
cwall_existbu_len = 0
cwall_nbarr_len = 0
sch_key=form.cleaned_data['school_key']
ss=form.cleaned_data['open_ft']
ss1=form.cleaned_data['open_mt']
if request.POST['gov_chk']=='No':
if request.POST['trans_faci']=='True':
chktrans_faci = True
chktrans_bus= form.cleaned_data['trans_bus']
chktrans_van= form.cleaned_data['trans_van']
chktrans_stud= form.cleaned_data['trans_stud']
chktrans_rules= form.cleaned_data['trans_rules']
else:
chktrans_faci = False
chktrans_bus= None
chktrans_van= None
chktrans_stud= None
chktrans_rules= False
else:
chktrans_faci = False
chktrans_bus= None
chktrans_van= None
chktrans_stud= None
chktrans_rules= False
infradet=Infradet(
school_key = sch_key,
electricity = form.cleaned_data['electricity'],
tot_area= form.cleaned_data['tot_area'],
tot_type=form.cleaned_data['tot_type'],
cov= form.cleaned_data['cov'],
cov_type=form.cleaned_data['cov_type'],
opn= form.cleaned_data['opn'],
opn_type=form.cleaned_data['opn_type'],
play= form.cleaned_data['play'],
play_type=form.cleaned_data['play_type'],
tot_ft = form.cleaned_data['tot_ft'],
tot_mt = form.cleaned_data['tot_mt'],
covered_ft = form.cleaned_data['covered_ft'],
covered_mt = form.cleaned_data['covered_mt'],
open_ft = form.cleaned_data['open_ft'],
open_mt = form.cleaned_data['open_mt'],
play_ft = form.cleaned_data['play_ft'],
play_mt = form.cleaned_data['play_mt'],
cwall = post_cwall,
cwall_concre = cwall_concre,
cwall_fence = cwall_fence,
cwall_existbu = cwall_existbu ,
cwall_nbarr = cwall_nbarr,
cwall_concre_len = cwall_concre_len,
cwall_fence_len = cwall_fence_len,
cwall_existbu_len = cwall_existbu_len,
cwall_nbarr_len = cwall_nbarr_len,
cwall_notcon_len = form.cleaned_data['cwall_notcon_len'],
fireext= form.cleaned_data['fireext'],
fireext_no = form.cleaned_data['fireext_no'],
fireext_w = form.cleaned_data['fireext_w'],
firstaid_box=form.cleaned_data['firstaid_box'],
rainwater = form.cleaned_data['rainwater'],
kitchenshed= form.cleaned_data['kitchenshed'],
furn_desk_no = form.cleaned_data['furn_desk_no'],
furn_desk_use = form.cleaned_data['furn_desk_use'],
furn_bench_no = form.cleaned_data['furn_bench_no'],
furn_bench_use = form.cleaned_data['furn_bench_use'],
fans = form.cleaned_data['fans'],
fans_work = form.cleaned_data['fans_work'],
tubelights = form.cleaned_data['tubelights'],
tlights_work = form.cleaned_data['tlights_work'],
bu_no = form.cleaned_data['bu_no'],
bu_usable =form.cleaned_data['bu_usable'],
bu_minrep =form.cleaned_data['bu_minrep'],
bu_majrep =form.cleaned_data['bu_majrep'],
gu_no =form.cleaned_data['gu_no'],
gu_usable = form.cleaned_data['gu_usable'],
gu_minrep =form.cleaned_data['gu_minrep'],
gu_majrep = form.cleaned_data['gu_majrep'],
bl_no = form.cleaned_data['bl_no'],
bl_usable = form.cleaned_data['bl_usable'],
bl_minrep = form.cleaned_data['bl_minrep'],
bl_majrep = form.cleaned_data['bl_majrep'],
gl_no = form.cleaned_data['gl_no'],
gl_usable = form.cleaned_data['gl_usable'],
gl_minrep =form.cleaned_data['gl_minrep'],
gl_majrep = form.cleaned_data['gl_majrep'],
gentsu_no = form.cleaned_data['gentsu_no'],
gentsu_usable = form.cleaned_data['gentsu_usable'],
gentsu_minrep = form.cleaned_data['gentsu_minrep'],
gentsu_majrep = form.cleaned_data['gentsu_majrep'],
ladiesu_no = form.cleaned_data['ladiesu_no'],
ladiesu_usable = form.cleaned_data['ladiesu_usable'],
ladiesu_minrep = form.cleaned_data['ladiesu_minrep'],
ladiesu_majrep = form.cleaned_data['ladiesu_majrep'],
gentsl_no = form.cleaned_data['gentsl_no'],
gentsl_usable = form.cleaned_data['gentsl_usable'],
gentsl_minrep = form.cleaned_data['gentsl_minrep'],
gentsl_majrep = form.cleaned_data['gentsl_majrep'],
ladiesl_no = form.cleaned_data['ladiesl_no'],
ladiesl_usable = form.cleaned_data['ladiesl_usable'],
ladiesl_minrep = form.cleaned_data['ladiesl_minrep'],
ladiesl_majrep = form.cleaned_data['ladiesl_majrep'],
incinirator=form.cleaned_data['incinirator'],
water_toilet = form.cleaned_data['water_toilet'],
cwsn_toilet = form.cleaned_data['cwsn_toilet'],
cwsn_toilet_no = form.cleaned_data['cwsn_toilet_no'],
water_facility=form.cleaned_data['water_facility'],
water_source=form.cleaned_data['water_source'],
well_dia=form.cleaned_data['well_dia'],
well_close=form.cleaned_data['well_close'],
water_puri=form.cleaned_data['water_puri'],
water_access = form.cleaned_data['water_access'],
internet_yes = form.cleaned_data['internet_yes'],
lightning_arest= form.cleaned_data['lightning_arest'],
lib_tamil = form.cleaned_data['lib_tamil'],
lib_eng = form.cleaned_data['lib_eng'],
lib_others = form.cleaned_data['lib_others'],
lib_tamil_news = form.cleaned_data['lib_tamil_news'],
lib_eng_news = form.cleaned_data['lib_eng_news'],
lib_periodic = form.cleaned_data['lib_periodic'],
trans_faci= chktrans_faci,
trans_bus= chktrans_bus,
trans_van= chktrans_van,
trans_stud= chktrans_stud,
trans_rules= chktrans_rules,
award_recd= form.cleaned_data['award_recd'],
award_info = form.cleaned_data['award_info'],
phy_lab= form.cleaned_data['phy_lab'],
che_lab= form.cleaned_data['che_lab'],
bot_lab= form.cleaned_data['bot_lab'],
zoo_lab= form.cleaned_data['zoo_lab'],
gas_cylin= form.cleaned_data['gas_cylin'],
suffi_equip= form.cleaned_data['suffi_equip'],
eb_ht_line= form.cleaned_data['eb_ht_line'],
)
infradet.save()
messages.success(request,'Infrastructure Details Added successfully')
return HttpResponseRedirect('/schoolnew/school_registration')
else:
messages.warning(request,'Infrastructure Details Not Saved')
return HttpResponseRedirect('/schoolnew/school_registration')
else:
return redirect('%s?next=%s' % (settings.LOGIN_URL, request.path))
class class_section_edit(View):
def get(self,request,**kwargs):
if request.user.is_authenticated():
basic_det=Basicinfo.objects.get(udise_code=request.user.username)
acade_det = Academicinfo.objects.get(school_key=basic_det.id)
sch_key = basic_det.id
sch_clas_exist=School_category.objects.get(id=basic_det.sch_cate_id)
class_det = Class_section.objects.filter(school_key=sch_key)
govchk=basic_det.sch_management
if ((str(govchk)=='Fully Aided School')|(str(govchk)=='Partly Aided School')|(str(govchk)=='Anglo Indian (Fully Aided) School')|(str(govchk)=='Anglo Indian (Partly Aided) School')|(str(govchk)=='Oriental (Fully Aided) Sanskrit School')|(str(govchk)=='Oriental (Partly Aided) Sanskrit School')|(str(govchk)=='Oriental (Fully Aided) Arabic School')|(str(govchk)=='Oriental (Partly Aided) Arabic School')|(str(govchk)=='Differently Abled Department Aided School')):
aid_chk='Yes'
else:
aid_chk=''
if basic_det.prekg=='Yes':
prekg_chk='Yes'
else:
prekg_chk='No'
if basic_det.kgsec=='Yes':
kgsec_chk='Yes'
else:
kgsec_chk='No'
if sch_clas_exist.category_code=='1':
sch_cat_chk=['I Std','II Std','III Std','IV Std','V Std']
elif sch_clas_exist.category_code=='2':
sch_cat_chk=['I Std','II Std','III Std','IV Std','V Std','VI Std','VII Std','VIII Std']
elif sch_clas_exist.category_code=='3':
sch_cat_chk=['I Std','II Std','III Std','IV Std','V Std','VI Std','VII Std','VIII Std','IX Std','X Std','XI Std','XII Std']
elif sch_clas_exist.category_code=='4':
sch_cat_chk=['VI Std','VII Std','VIII Std']
elif sch_clas_exist.category_code=='5':
sch_cat_chk=['VI Std','VII Std','VIII Std','IX Std','X Std','XI Std','XII Std',]
elif sch_clas_exist.category_code=='6':
sch_cat_chk=['I Std','II Std','III Std','IV Std','V Std','VI Std','VII Std','VIII Std','IX Std','X Std']
elif sch_clas_exist.category_code=='7':
sch_cat_chk=['VI Std','VII Std','VIII Std','IX Std','X Std']
elif sch_clas_exist.category_code=='8':
sch_cat_chk=['IX Std','X Std']
elif sch_clas_exist.category_code=='10':
sch_cat_chk=['IX Std','X Std','XI Std','XII Std']
elif sch_clas_exist.category_code=='11':
sch_cat_chk=['XI Std','XII Std']
elif sch_clas_exist.category_code=='14':
sch_cat_chk=['I Std','II Std','III Std','IV Std','V Std']
elif sch_clas_exist.category_code=='12':
sch_cat_chk=['VI Std','VII Std','VIII Std']
else:
sch_cat_chk=['I Std','II Std','III Std','IV Std','V Std','VI Std','VII Std','VIII Std','IX Std','X Std','XI Std','XII Std',]
form=class_section_form()
if (Class_section.objects.filter(school_key=sch_key).count())>0:
class_det = Class_section.objects.filter(school_key=sch_key).order_by('id')
else:
if basic_det.prekg=='Yes':
newclass = Class_section(
school_key=basic_det,
class_id = 'Pre-KG',
sections = 0,
no_sec_aided=0,
no_stud=0,
)
newclass.save()
if basic_det.kgsec=='Yes':
newclass = Class_section(
school_key=basic_det,
class_id = 'LKG',
sections = 0,
no_sec_aided=0,
no_stud=0,
)
newclass.save()
newclass = Class_section(
school_key=basic_det,
class_id = 'UKG',
sections = 0,
no_sec_aided=0,
no_stud=0,
)
newclass.save()
for entry in range(len(sch_cat_chk)):
newclass = Class_section(
school_key=basic_det,
class_id = sch_cat_chk[entry],
sections = 0,
no_sec_aided=0,
no_stud=0,
)
newclass.save()
class_det = Class_section.objects.filter(school_key=sch_key)
if (acade_det.tel_med | acade_det.mal_med| acade_det.kan_med| acade_det.urdu_med | acade_det.oth_med):
oth_med_stren=True
else:
oth_med_stren=False
return render (request,'class_section_table_edit.html',locals())
else:
return redirect('%s?next=%s' % (settings.LOGIN_URL, request.path))
def post(self,request,**kwargs):
if request.user.is_authenticated():
tid=self.kwargs.get('pk')
form = class_section_form(request.POST,request.FILES)
basic_det=Basicinfo.objects.get(udise_code=request.user.username)
academic_edit=Academicinfo.objects.get(school_key=basic_det.id)
sch_key = basic_det.id
class_det = Class_section.objects.filter(school_key=sch_key).order_by('id')
try:
if form.is_valid():
sch_key=form.cleaned_data['school_key']
schsec = request.POST.getlist('sections')
schaid = request.POST.getlist('no_sec_aided')
stud_coun = request.POST.getlist('no_stud')
tamstu=request.POST.getlist('tam_stud')
engstu=request.POST.getlist('eng_stud')
othstu=request.POST.getlist('oth_stud')
cwsnstu=request.POST.getlist('cwsn_stud_no')
counter=0
for i in class_det:
class_edit = Class_section.objects.get(id=i.id)
class_edit.sections=schsec[counter]
if len(schaid)>0:
class_edit.no_sec_aided=schaid[counter]
class_edit.no_stud=stud_coun[counter]
if len(tamstu)>0:
class_edit.tam_stud=tamstu[counter]
if len(engstu)>0:
class_edit.eng_stud=engstu[counter]
if len(othstu)>0:
class_edit.oth_stud=othstu[counter]
class_edit.cwsn_stud_no=cwsnstu[counter]
class_edit.save()
counter+=1
messages.success(request,'Class & Section Details Updated successfully')
return HttpResponseRedirect('/schoolnew/school_registration')
else:
messages.warning(request,'No. sections allowed is Min. 1 Max.30 - Hence Not Saved')
return HttpResponseRedirect('/schoolnew/class_section_edit')
except Exception:
pass
return HttpResponseRedirect('/schoolnew/class_section_edit/')
else:
return redirect('%s?next=%s' % (settings.LOGIN_URL, request.path))
class Teaching_edit(View):
def get(self,request,**kwargs):
if request.user.is_authenticated():
tid=self.kwargs.get('pk')
basic_det=Basicinfo.objects.get(udise_code=request.user.username)
sch_key = basic_det.id
post_det = Staff.objects.filter(Q(school_key=sch_key) & Q(staff_cat=1))
form=staff_form()
chk_catid=School_category.objects.get(id=basic_det.sch_cate_id)
pg_head='Teaching'
if ((chk_catid.category_code=='1')|(chk_catid=='11')):
desig_det= User_desig.objects.filter(Q(user_cate='SCHOOL') & Q(user_level__isnull=True)|Q(user_level='PS')).exclude(user_cate='SCHOOL&OFFICE')
elif ((chk_catid.category_code=='2')|(chk_catid.category_code=='4')|(chk_catid.category_code=='12')):
desig_det= User_desig.objects.filter(Q(user_cate='SCHOOL') & Q(user_level__isnull=True)|Q(user_level='MS')|Q(user_level='HRHSMS')).exclude(user_cate='SCHOOL&OFFICE')
elif ((chk_catid.category_code=='6')|(chk_catid.category_code=='7')|(chk_catid.category_code=='8')) :
desig_det= User_desig.objects.filter(Q(user_cate='SCHOOL') & Q(user_level__isnull=True)|Q(user_level='HS')|Q(user_level='HRHS')|Q(user_level='HRHSMS')).exclude(user_cate='SCHOOL&OFFICE')
elif ((chk_catid.category_code=='3')|(chk_catid.category_code=='5')|(chk_catid.category_code=='9')|(chk_catid.category_code=='10')):
desig_det= User_desig.objects.filter(Q(user_cate='SCHOOL') & Q(user_level__isnull=True)|Q(user_level='HR')|Q(user_level='HRHS')|Q(user_level='HRHSMS')).exclude(user_cate='SCHOOL&OFFICE')
else:
desig_det= User_desig.objects.filter(Q(user_cate='SCHOOL') & Q(user_level__isnull=True)).exclude(user_cate='SCHOOL&OFFICE')
return render (request,'post_edit_upd.html',locals())
else:
return redirect('%s?next=%s' % (settings.LOGIN_URL, request.path))
def post(self,request,**kwargs):
if request.user.is_authenticated():
pk=self.kwargs.get('pk')
basic_det=Basicinfo.objects.get(udise_code=request.user.username)
form = staff_form(request.POST,request.FILES)
if form.is_valid():
sch_key=form.cleaned_data['school_key']
chk_post=form.cleaned_data['post_name']
if (Staff.objects.filter(school_key=sch_key).count())>0:
if(chk_post.id in(85,70,50,51)):
if Staff.objects.filter(school_key=basic_det.id).filter(post_name=form.cleaned_data['post_name']).exists():
messages.warning(request,'Headmaster post santion details already entered, if you want to correct pl. use Update option')
return HttpResponseRedirect('/schoolnew/teaching_edit/')
else:
if request.POST['post_mode']=='Permanent':
tpost_GO_pd = ''
ttemgofm_dt = None
ttemgoto_dt = None
else:
tpost_GO_pd = form.cleaned_data['post_GO_pd']
ttemgofm_dt = form.cleaned_data['temgofm_dt']
ttemgoto_dt = form.cleaned_data['temgoto_dt']
newteachpost = Staff(
school_key=sch_key,
post_name = form.cleaned_data['post_name'],
post_sub = form.cleaned_data['post_sub'],
post_sanc = form.cleaned_data['post_sanc'],
post_mode = form.cleaned_data['post_mode'],
post_GO = form.cleaned_data['post_GO'],
post_GO_dt = form.cleaned_data['post_GO_dt'],
post_filled = 0,
post_vac = form.cleaned_data['post_sanc'],
post_GO_pd = tpost_GO_pd,
temgofm_dt = ttemgofm_dt,
temgoto_dt = ttemgoto_dt,
staff_cat = 1,
)
newteachpost.save()
messages.success(request,'Post Sanction Details addedded successfully')
return HttpResponseRedirect('/schoolnew/teaching_edit/')
else:
if request.POST['post_mode']=='Permanent':
tpost_GO_pd = ''
ttemgofm_dt = None
ttemgoto_dt = None
else:
tpost_GO_pd = form.cleaned_data['post_GO_pd']
ttemgofm_dt = form.cleaned_data['temgofm_dt']
ttemgoto_dt = form.cleaned_data['temgoto_dt']
newteachpost = Staff(
school_key=sch_key,
post_name = form.cleaned_data['post_name'],
post_sub = form.cleaned_data['post_sub'],
post_sanc = form.cleaned_data['post_sanc'],
post_mode = form.cleaned_data['post_mode'],
post_GO = form.cleaned_data['post_GO'],
post_GO_dt = form.cleaned_data['post_GO_dt'],
post_filled = 0,
post_vac = form.cleaned_data['post_sanc'],
post_GO_pd = tpost_GO_pd,
temgofm_dt = ttemgofm_dt,
temgoto_dt = ttemgoto_dt,
staff_cat = 1,
)
newteachpost.save()
messages.success(request,'Post Sanction Details addedded successfully')
return HttpResponseRedirect('/schoolnew/teaching_edit/')
else:
if request.POST['post_mode']=='Permanent':
tpost_GO_pd = ''
ttemgofm_dt = None
ttemgoto_dt = None
else:
tpost_GO_pd = form.cleaned_data['post_GO_pd']
ttemgofm_dt = form.cleaned_data['temgofm_dt']
ttemgoto_dt = form.cleaned_data['temgoto_dt']
newteachpost = Staff(
school_key=sch_key,
post_name = form.cleaned_data['post_name'],
post_sub = form.cleaned_data['post_sub'],
post_sanc = form.cleaned_data['post_sanc'],
post_mode = form.cleaned_data['post_mode'],
post_GO = form.cleaned_data['post_GO'],
post_GO_dt = form.cleaned_data['post_GO_dt'],
post_filled = 0,
post_vac = form.cleaned_data['post_sanc'],
post_GO_pd = tpost_GO_pd,
temgofm_dt = ttemgofm_dt,
temgoto_dt = ttemgoto_dt,
staff_cat = 1,
)
newteachpost.save()
messages.success(request,'Post Sanction Details addedded successfully')
return HttpResponseRedirect('/schoolnew/teaching_edit/')
else:
print form.errors
messages.warning(request,'Post Sanction Details Not Saved')
return render (request,'post_edit_upd.html',locals())
else:
return redirect('%s?next=%s' % (settings.LOGIN_URL, request.path))
class Teaching_delete(View):
def get(self, request,**kwargs):
if request.user.is_authenticated():
tid=self.kwargs.get('pk')
data=Staff.objects.get(id=tid)
data.delete()
msg= str(data.post_name)+" - Posts has been successfully removed "
messages.success(request, msg )
return HttpResponseRedirect('/schoolnew/teaching_edit/')
else:
return redirect('%s?next=%s' % (settings.LOGIN_URL, request.path))
class Teaching_update(View):
def get(self,request,**kwargs):
if request.user.is_authenticated():
tid=self.kwargs.get('pk')
basic_det=Basicinfo.objects.get(udise_code=request.user.username)
instance=Staff.objects.get(id=tid)
staff_det_dt=Staff.objects.get(id=tid)
form=staff_form(instance=instance)
post_name= instance.post_name
post_sub= instance.post_sub
id_tpost_sub=post_sub.id
post_sanc=instance.post_sanc
post_mode= instance.post_mode
post_GO= instance.post_GO
go_dt= instance.post_GO_dt
post_GO_dt= instance.post_GO_dt
post_GO_pd= instance.post_GO_pd
post_filled= instance.post_filled
post_vac= instance.post_vac
post_filled = instance.post_filled
post_vac = instance.post_vac
staff_cat = instance.staff_cat
temgofm_dt = instance.temgofm_dt
temgoto_dt = instance.temgoto_dt
pg_head='Teaching'
if staff_det_dt.post_GO_dt:
go_dt=staff_det_dt.post_GO_dt.strftime('%Y-%m-%d')
chk_catid=School_category.objects.get(id=basic_det.sch_cate_id)
if ((chk_catid.category_code=='1')|(chk_catid=='11')):
desig_det= User_desig.objects.filter(Q(user_cate='SCHOOL') & Q(user_level__isnull=True)|Q(user_level='PS')).exclude(user_cate='SCHOOL&OFFICE')
elif ((chk_catid.category_code=='2')|(chk_catid.category_code=='4')|(chk_catid.category_code=='12')):
desig_det= User_desig.objects.filter(Q(user_cate='SCHOOL') & Q(user_level__isnull=True)|Q(user_level='MS')|Q(user_level='HRHSMS')).exclude(user_cate='SCHOOL&OFFICE')
elif ((chk_catid.category_code=='6')|(chk_catid.category_code=='7')|(chk_catid.category_code=='8')) :
desig_det= User_desig.objects.filter(Q(user_cate='SCHOOL') & Q(user_level__isnull=True)|Q(user_level='HS')|Q(user_level='HRHS')|Q(user_level='HRHSMS')).exclude(user_cate='SCHOOL&OFFICE')
elif ((chk_catid.category_code=='3')|(chk_catid.category_code=='5')|(chk_catid.category_code=='9')|(chk_catid.category_code=='10')):
desig_det= User_desig.objects.filter(Q(user_cate='SCHOOL') & Q(user_level__isnull=True)|Q(user_level='HR')|Q(user_level='HRHS')|Q(user_level='HRHSMS')).exclude(user_cate='SCHOOL&OFFICE')
else:
desig_det= User_desig.objects.filter(Q(user_cate='SCHOOL') & Q(user_level__isnull=True)).exclude(user_cate='SCHOOL&OFFICE')
sch_key = basic_det.id
staff_det = Staff.objects.filter(school_key=sch_key)
return render (request,'post_edit_upd.html',locals())
else:
return redirect('%s?next=%s' % (settings.LOGIN_URL, request.path))
def post(self,request,**kwargs):
if request.user.is_authenticated():
tid=self.kwargs.get('pk')
basic_det=Basicinfo.objects.get(udise_code=request.user.username)
form = staff_form(request.POST,request.FILES)
instance=Staff.objects.get(id=tid)
newteachpost = Staff.objects.get(id=tid)
if form.is_valid():
chk_post=form.cleaned_data['post_name']
if(chk_post.user_desig in("85","70","50","51")):
if Staff.objects.filter(school_key=basic_det.id).filter(post_name=form.cleaned_data['post_name']).exclude(id=tid).exists():
messages.warning(request,'Headmaster post santion details already entered, if you want to correct pl. use Update option')
return HttpResponseRedirect('/schoolnew/teaching_edit/')
else:
newteachpost.post_name = form.cleaned_data['post_name']
newteachpost.post_sub = form.cleaned_data['post_sub']
newteachpost.post_sanc = form.cleaned_data['post_sanc']
newteachpost.post_mode = form.cleaned_data['post_mode']
newteachpost.post_GO = form.cleaned_data['post_GO']
newteachpost.post_GO_dt = form.cleaned_data['post_GO_dt']
newteachpost.post_GO_pd = form.cleaned_data['post_GO_pd']
newteachpost.post_vac = (form.cleaned_data['post_sanc']-newteachpost.post_filled)
newteachpost.staff_cat = 1
if newteachpost.post_mode=='Permanent':
newteachpost.temgofm_dt = None
newteachpost.temgoto_dt = None
else:
newteachpost.ttemgofm_dt = form.cleaned_data['temgofm_dt']
newteachpost.ttemgoto_dt = form.cleaned_data['temgoto_dt']
newteachpost.save()
messages.success(request,'Teaching Post Sanction Details Updated successfully')
return HttpResponseRedirect('/schoolnew/teaching_edit/')
else:
newteachpost.post_name = form.cleaned_data['post_name']
newteachpost.post_sub = form.cleaned_data['post_sub']
newteachpost.post_sanc = form.cleaned_data['post_sanc']
newteachpost.post_mode = form.cleaned_data['post_mode']
newteachpost.post_GO = form.cleaned_data['post_GO']
newteachpost.post_GO_dt = form.cleaned_data['post_GO_dt']
newteachpost.post_GO_pd = form.cleaned_data['post_GO_pd']
newteachpost.post_vac = (form.cleaned_data['post_sanc']-newteachpost.post_filled)
newteachpost.staff_cat = 1
if newteachpost.post_mode=='Permanent':
newteachpost.temgofm_dt = None
newteachpost.temgoto_dt = None
else:
newteachpost.temgofm_dt = form.cleaned_data['temgofm_dt']
newteachpost.temgoto_dt = form.cleaned_data['temgoto_dt']
newteachpost.save()
messages.success(request,'Teaching Post Sanction Details Updated successfully')
return HttpResponseRedirect('/schoolnew/teaching_edit/')
else:
messages.warning(request,'Teaching Post Sanction Details Not Updated')
return render (request,'post_edit_upd.html',locals())
else:
return redirect('%s?next=%s' % (settings.LOGIN_URL, request.path))
class Nonteaching_edit(View):
def get(self,request,**kwargs):
if request.user.is_authenticated():
tid=self.kwargs.get('pk')
basic_det=Basicinfo.objects.get(udise_code=request.user.username)
sch_key = basic_det.id
post_det = Staff.objects.filter(Q(school_key=sch_key) & Q(staff_cat=2))
form=staff_form()
chk_catid=School_category.objects.get(id=basic_det.sch_cate_id)
pg_head='Non-Teaching'
if ((chk_catid.category_code=='1')|(chk_catid.category_code=='11')):
desig_det= User_desig.objects.filter(Q(user_cate='SCHOOL&OFFICE') & Q(user_level__isnull=True))
elif ((chk_catid.category_code=='2')|(chk_catid.category_code=='4')|(chk_catid.category_code=='12')):
desig_det= User_desig.objects.filter(Q(user_cate='SCHOOL&OFFICE') & Q(user_level__isnull=True))
elif ((chk_catid.category_code=='6')|(chk_catid.category_code=='7')|(chk_catid.category_code=='8')) :
desig_det= User_desig.objects.filter(Q(user_cate='SCHOOL&OFFICE') & Q(user_level__isnull=True))
elif ((chk_catid.category_code=='3')|(chk_catid.category_code=='5')|(chk_catid.category_code=='9')|(chk_catid.category_code=='10')):
desig_det= User_desig.objects.filter(Q(user_cate='SCHOOL&OFFICE') )
else:
desig_det= User_desig.objects.filter((Q(user_cate='SCHOOL&OFFICE')|Q(user_cate='OFFICE')) & Q(user_level__isnull=True))
return render (request,'post_edit_upd.html',locals())
else:
return redirect('%s?next=%s' % (settings.LOGIN_URL, request.path))
def post(self,request,**kwargs):
if request.user.is_authenticated():
pk=self.kwargs.get('pk')
basic_det=Basicinfo.objects.get(udise_code=request.user.username)
form = staff_form(request.POST,request.FILES)
if form.is_valid():
sch_key=form.cleaned_data['school_key']
if request.POST['post_mode']=='Permanent':
tpost_GO_pd = ''
ttemgofm_dt = None
ttemgoto_dt = None
else:
tpost_GO_pd = form.cleaned_data['post_GO_pd']
ttemgofm_dt = form.cleaned_data['temgofm_dt']
ttemgoto_dt = form.cleaned_data['temgoto_dt']
newnnonteachpost = Staff(
school_key=sch_key,
post_name = form.cleaned_data['post_name'],
post_sub = form.cleaned_data['post_sub'],
post_sanc = form.cleaned_data['post_sanc'],
post_mode = form.cleaned_data['post_mode'],
post_GO = form.cleaned_data['post_GO'],
post_GO_dt = form.cleaned_data['post_GO_dt'],
post_filled = 0,
post_vac = form.cleaned_data['post_sanc'],
post_GO_pd = tpost_GO_pd,
temgofm_dt = ttemgofm_dt,
temgoto_dt = ttemgoto_dt,
staff_cat = 2,
)
newnnonteachpost.save()
messages.success(request,'Non-Teaching Post Details Added successfully')
return HttpResponseRedirect('/schoolnew/nonteaching_edit/')
else:
print form.errors
messages.warning(request,'Non-Teaching Post Details Not Saved')
return render (request,'post_edit_upd.html',locals())
else:
return redirect('%s?next=%s' % (settings.LOGIN_URL, request.path))
class Nonteaching_update(View):
def get(self,request,**kwargs):
if request.user.is_authenticated():
tid=self.kwargs.get('pk')
basic_det=Basicinfo.objects.get(udise_code=request.user.username)
instance=Staff.objects.get(id=tid)
sch_key = basic_det.id
nonteach_det_dt=Staff.objects.get(id=tid)
form=staff_form(instance=instance)
post_name= instance.post_name
post_sub= instance.post_sub
id_tpost_sub=post_sub.id
post_sanc=instance.post_sanc
post_mode= instance.post_mode
post_GO= instance.post_GO
go_dt= instance.post_GO_dt
post_GO_dt= instance.post_GO_dt
post_GO_pd= instance.post_GO_pd
post_filled= instance.post_filled
post_vac= instance.post_vac
post_filled = instance.post_filled
post_vac = instance.post_vac
staff_cat = instance.staff_cat
temgofm_dt = instance.temgofm_dt
temgoto_dt = instance.temgoto_dt
pg_head='Non-Teaching'
if nonteach_det_dt.post_GO_dt:
go_dt=nonteach_det_dt.post_GO_dt.strftime('%Y-%m-%d')
chk_catid=School_category.objects.get(id=basic_det.sch_cate_id)
if ((chk_catid.category_code=='1')|(chk_catid.category_code=='11')):
desig_det= User_desig.objects.filter(Q(user_cate='SCHOOL&OFFICE') & Q(user_level__isnull=True))
elif ((chk_catid.category_code=='2')|(chk_catid.category_code=='4')|(chk_catid.category_code=='12')):
desig_det= User_desig.objects.filter(Q(user_cate='SCHOOL&OFFICE') & Q(user_level__isnull=True))
elif ((chk_catid.category_code=='6')|(chk_catid.category_code=='7')|(chk_catid.category_code=='8')) :
desig_det= User_desig.objects.filter(Q(user_cate='SCHOOL&OFFICE') & Q(user_level__isnull=True))
elif ((chk_catid.category_code=='3')|(chk_catid.category_code=='5')|(chk_catid.category_code=='9')|(chk_catid.category_code=='10')):
desig_det= User_desig.objects.filter(Q(user_cate='SCHOOL&OFFICE') )
else:
desig_det= User_desig.objects.filter((Q(user_cate='SCHOOL&OFFICE')|Q(user_cate='OFFICE')) & Q(user_level__isnull=True))
sch_key = basic_det.id
return render (request,'post_edit_upd.html',locals())
else:
return redirect('%s?next=%s' % (settings.LOGIN_URL, request.path))
def post(self,request,**kwargs):
if request.user.is_authenticated():
tid=self.kwargs.get('pk')
basic_det=Basicinfo.objects.get(udise_code=request.user.username)
form = staff_form(request.POST,request.FILES)
instance=Staff.objects.get(id=tid)
newnonteachpost = Staff.objects.get(id=tid)
if form.is_valid():
newnonteachpost.post_name = form.cleaned_data['post_name']
newnonteachpost.post_sanc = form.cleaned_data['post_sanc']
newnonteachpost.post_mode = form.cleaned_data['post_mode']
newnonteachpost.post_GO = form.cleaned_data['post_GO']
newnonteachpost.post_GO_dt = form.cleaned_data['post_GO_dt']
newnonteachpost.post_GO_pd = form.cleaned_data['post_GO_pd']
newnonteachpost.post_sub = form.cleaned_data['post_sub']
newnonteachpost.post_vac = (form.cleaned_data['post_sanc']-newnonteachpost.post_filled)
newnonteachpost.staff_cat = 2
if newnonteachpost.post_mode=='Permanent':
newnonteachpost.temgofm_dt = None
newnonteachpost.temgoto_dt = None
else:
newnonteachpost.temgofm_dt = form.cleaned_data['temgofm_dt']
newnonteachpost.temgoto_dt = form.cleaned_data['temgoto_dt']
newnonteachpost.save()
messages.success(request,'Non-Teaching Post Details Updated successfully')
return HttpResponseRedirect('/schoolnew/nonteaching_edit/')
else:
messages.warning(request,'Non-Teaching Post Details Not Updated')
return render (request,'post_edit_upd.html',locals())
else:
return redirect('%s?next=%s' % (settings.LOGIN_URL, request.path))
class Nonteaching_delete(View):
def get(self, request,**kwargs):
if request.user.is_authenticated():
tid=self.kwargs.get('pk')
data=Staff.objects.get(id=tid)
data.delete()
print data.school_key
msg= str(data.post_name)+" - Posts has been successfully removed "
messages.success(request, msg )
return HttpResponseRedirect('/schoolnew/nonteaching_edit/')
else:
return redirect('%s?next=%s' % (settings.LOGIN_URL, request.path))
class Parttime_edit(View):
def get(self,request,**kwargs):
if request.user.is_authenticated():
tid=self.kwargs.get('pk')
basic_det=Basicinfo.objects.get(udise_code=request.user.username)
acade_det = Academicinfo.objects.filter(school_key=basic_det.id)
sch_key = basic_det.id
parttime_det = Parttimestaff.objects.filter(school_key=sch_key)
part_time_sub=Part_time_Subjects.objects.all()
form = parttimestaff_form()
return render (request,'parttime_staff_edit_upd.html',locals())
else:
return redirect('%s?next=%s' % (settings.LOGIN_URL, request.path))
def post(self,request,**kwargs):
if request.user.is_authenticated():
pk=self.kwargs.get('pk')
basic_det=Basicinfo.objects.get(udise_code=request.user.username)
form = parttimestaff_form(request.POST,request.FILES)
if form.is_valid():
sch_key=form.cleaned_data['school_key']
newnpartime = Parttimestaff(
school_key=sch_key,
part_instr = form.cleaned_data['part_instr'],
part_instr_sub = form.cleaned_data['part_instr_sub'],)
newnpartime.save()
messages.success(request,'Part-time Teacher Details Added successfully')
return HttpResponseRedirect('/schoolnew/parttime_edit/')
else:
messages.success(request,'Part-time Teacher Details Not Saved')
return render (request,'parttime_staff_edit_upd.html',locals())
else:
return redirect('%s?next=%s' % (settings.LOGIN_URL, request.path))
class Parttime_update(View):
def get(self,request,**kwargs):
if request.user.is_authenticated():
tid=self.kwargs.get('pk')
basic_det=Basicinfo.objects.get(udise_code=request.user.username)
sch_key = basic_det.id
parttime_det = Parttimestaff.objects.filter(school_key=sch_key)
part_time_sub=Part_time_Subjects.objects.all()
instance=Parttimestaff.objects.get(id=tid)
form = parttimestaff_form(instance=instance)
instance=Parttimestaff.objects.get(id=tid)
part_instr = instance.part_instr
part_instr_sub = instance.part_instr_sub
return render (request,'parttime_staff_edit_upd.html',locals())
else:
return redirect('%s?next=%s' % (settings.LOGIN_URL, request.path))
def post(self,request,**kwargs):
if request.user.is_authenticated():
tid=self.kwargs.get('pk')
basic_det=Basicinfo.objects.get(udise_code=request.user.username)
form = parttimestaff_form(request.POST,request.FILES)
instance=Parttimestaff.objects.get(id=tid)
newparttimestaff = Parttimestaff.objects.get(id=tid)
if form.is_valid():
newparttimestaff.part_instr = form.cleaned_data['part_instr']
newparttimestaff.part_instr_sub = form.cleaned_data['part_instr_sub']
newparttimestaff.save()
messages.success(request,'Part-time Teacher Details Updated successfully')
return HttpResponseRedirect('/schoolnew/parttime_edit/')
else:
messages.warning(request,'Part-time Teacher Details Not Added')
return render (request,'parttime_staff_edit_upd.html',locals())
else:
return redirect('%s?next=%s' % (settings.LOGIN_URL, request.path))
class Parttime_delete(View):
def get(self, request,**kwargs):
if request.user.is_authenticated():
tid=self.kwargs.get('pk')
data=Parttimestaff.objects.get(id=tid)
data.delete()
msg= data.part_instr+" - Part Time Teacher has been successfully removed "
messages.success(request, msg )
return HttpResponseRedirect('/schoolnew/parttime_edit/')
else:
return redirect('%s?next=%s' % (settings.LOGIN_URL, request.path))
class Group_edit(View):
def get(self,request,**kwargs):
if request.user.is_authenticated():
tid=self.kwargs.get('pk')
basic_det=Basicinfo.objects.get(udise_code=request.user.username)
sch_key = basic_det.id
group_det = Sch_groups.objects.filter(school_key=sch_key)
gropu_mas= Groups.objects.all()
form=sch_groups_form()
govchk=basic_det.sch_management
if ((str(govchk)=='Fully Aided School')|(str(govchk)=='Partly Aided School')|(str(govchk)=='Anglo Indian (Fully Aided) School')|(str(govchk)=='Anglo Indian (Partly Aided) School')|(str(govchk)=='Oriental (Fully Aided) Sanskrit School')|(str(govchk)=='Oriental (Partly Aided) Sanskrit School')|(str(govchk)=='Oriental (Fully Aided) Arabic School')|(str(govchk)=='Oriental (Partly Aided) Arabic School')|(str(govchk)=='Differently Abled Department Aided School')):
aid_chk='Yes'
else:
aid_chk=''
return render (request,'group_edit_upd.html',locals())
else:
return redirect('%s?next=%s' % (settings.LOGIN_URL, request.path))
def post(self,request,**kwargs):
if request.user.is_authenticated():
form = sch_groups_form(request.POST,request.FILES)
basic_det=Basicinfo.objects.get(udise_code=request.user.username)
if form.is_valid():
if Sch_groups.objects.filter(school_key=basic_det.id).filter(group_name=request.POST['group_name']).exists():
messages.warning(request,'This Group already Exist. Pleae check & update the same if necessary')
return HttpResponseRedirect('/schoolnew/group_edit')
else:
sch_key=form.cleaned_data['school_key']
newgroup = Sch_groups(
school_key =sch_key,
group_name=form.cleaned_data['group_name'],
sec_in_group=form.cleaned_data['sec_in_group'],
sec_in_group_aid=form.cleaned_data['sec_in_group_aid'],
permis_ordno=form.cleaned_data['permis_ordno'],
permis_orddt=form.cleaned_data['permis_orddt'],
)
newgroup.save()
messages.success(request,'Group Details Added successfully')
return HttpResponseRedirect('/schoolnew/group_edit/')
else:
messages.warning(request,'Group Details Not Saved')
return render (request,'group_edit_upd.html',locals())
else:
return redirect('%s?next=%s' % (settings.LOGIN_URL, request.path))
class Group_delete(View):
def get(self, request,**kwargs):
if request.user.is_authenticated():
tid=self.kwargs.get('pk')
data=Sch_groups.objects.get(id=tid)
data.delete()
msg= data.group_name+" - Group has been successfully removed "
messages.success(request, msg )
return HttpResponseRedirect('/schoolnew/group_edit/')
else:
return redirect('%s?next=%s' % (settings.LOGIN_URL, request.path))
class Group_update(View):
def get(self, request,**kwargs):
if request.user.is_authenticated():
tid=self.kwargs.get('pk')
basic_det=Basicinfo.objects.get(udise_code=request.user.username)
instance=Sch_groups.objects.get(id=tid)
sch_key = basic_det.id
group_det = Sch_groups.objects.filter(school_key=sch_key)
group_name=instance.group_name
sec_in_group=instance.sec_in_group
sec_in_group_aid=instance.sec_in_group_aid
permis_ordno=instance.permis_ordno
permis_orddt=instance.permis_orddt
gropu_mas= Groups.objects.all()
govchk=basic_det.sch_management
if ((str(govchk)=='Fully Aided School')|(str(govchk)=='Partly Aided School')|(str(govchk)=='Anglo Indian (Fully Aided) School')|(str(govchk)=='Anglo Indian (Partly Aided) School')|(str(govchk)=='Oriental (Fully Aided) Sanskrit School')|(str(govchk)=='Oriental (Partly Aided) Sanskrit School')|(str(govchk)=='Oriental (Fully Aided) Arabic School')|(str(govchk)=='Oriental (Partly Aided) Arabic School')|(str(govchk)=='Differently Abled Department Aided School')):
aid_chk='Yes'
else:
aid_chk=''
return render(request,'group_edit_upd.html',locals())
else:
return redirect('%s?next=%s' % (settings.LOGIN_URL, request.path))
def post(self,request,**kwargs):
if request.user.is_authenticated():
tid=self.kwargs.get('pk')
basic_det=Basicinfo.objects.get(udise_code=request.user.username)
form = sch_groups_form(request.POST,request.FILES)
instance=Sch_groups.objects.get(id=tid)
group_edit = Sch_groups.objects.get(id=tid)
if form.is_valid():
if Sch_groups.objects.filter(school_key=basic_det.id).filter(group_name=request.POST['group_name']).exclude(id=tid).exists():
messages.success(request,'This Group already exist. Please update the same')
return HttpResponseRedirect('/schoolnew/group_edit')
else:
group_edit.group_name=form.cleaned_data['group_name']
group_edit.sec_in_group=form.cleaned_data['sec_in_group']
group_edit.sec_in_group_aid=form.cleaned_data['sec_in_group_aid']
group_edit.permis_ordno=form.cleaned_data['permis_ordno']
group_edit.permis_orddt=form.cleaned_data['permis_orddt']
group_edit.save()
messages.success(request,'Group Details Updated successfully')
return HttpResponseRedirect('/schoolnew/group_edit')
else:
messages.warning(request,'Group Details Not Updated')
return render(request,'group_edit_upd.html',locals())
return HttpResponseRedirect('/schoolnew/group_edit/')
else:
return redirect('%s?next=%s' % (settings.LOGIN_URL, request.path))
class Buildabs_edit(View):
def get(self,request,**kwargs):
if request.user.is_authenticated():
tid=self.kwargs.get('pk')
basic_det=Basicinfo.objects.get(udise_code=request.user.username)
buildabs_det = Building_abs.objects.filter(school_key=basic_det.id)
sch_key = basic_det.id
Build_abs = Building_abs.objects.filter(school_key=sch_key)
form=building_abs_form()
govchk=basic_det.sch_management
print govchk
if ((str(govchk)=='School Education Department School')|(str(govchk)=='Corporation School')|(str(govchk)=='Municipal School')|(str(govchk)=='Adi-Dravida Welfare School')|(str(govchk)=='Forest Department School')|(str(govchk)=='Differently Abled Department School')|(str(govchk)=='Kallar BC/MBC Department School')|(str(govchk)=='Rubber Board School')|(str(govchk)=='Tribal Welfare School')|(str(govchk)=='Aranilayam HR&C Department School')|(str(govchk)=='Fully Aided School')|(str(govchk)=='Partly Aided School')|(str(govchk)=='Anglo Indian (Fully Aided) School')|(str(govchk)=='Anglo Indian (Partly Aided) School')|(str(govchk)=='Oriental (Fully Aided) Sanskrit School')|(str(govchk)=='Oriental (Partly Aided) Sanskrit School')|(str(govchk)=='Oriental (Fully Aided) Arabic School')|(str(govchk)=='Oriental (Partly Aided) Arabic School')|(str(govchk)=='Differently Abled Department Aided School')):
govaid_chk='Yes'
else:
govaid_chk=''
if ((str(govchk)=='Fully Aided School')|(str(govchk)=='Partly Aided School')|(str(govchk)=='Anglo Indian (Fully Aided) School')|(str(govchk)=='Anglo Indian (Partly Aided) School')|(str(govchk)=='Oriental (Fully Aided) Sanskrit School')|(str(govchk)=='Oriental (Partly Aided) Sanskrit School')|(str(govchk)=='Oriental (Fully Aided) Arabic School')|(str(govchk)=='Oriental (Partly Aided) Arabic School')|(str(govchk)=='Differently Abled Department Aided School')):
aid_chk='Yes'
else:
aid_chk=''
if ((str(govchk)=='School Education Department School')|(str(govchk)=='Corporation School')|(str(govchk)=='Municipal School')|(str(govchk)=='Adi-Dravida Welfare School')|(str(govchk)=='Forest Department School')|(str(govchk)=='Differently Abled Department School')|(str(govchk)=='Kallar BC/MBC Department School')|(str(govchk)=='Rubber Board School')|(str(govchk)=='Tribal Welfare School')|(str(govchk)=='Aranilayam HR&C Department School')):
gov_chk='Yes'
else:
gov_chk=''
return render (request,'buildabs_edit_upd.html',locals())
else:
return redirect('%s?next=%s' % (settings.LOGIN_URL, request.path))
def post(self,request,**kwargs):
if request.user.is_authenticated():
pk=self.kwargs.get('pk')
basic_det=Basicinfo.objects.get(udise_code=request.user.username)
form=building_abs_form(request.POST,request.FILES)
if form.is_valid():
sch_key=form.cleaned_data['school_key']
if basic_det.manage_cate_id==1:
newbuildabs = Building_abs(
school_key=sch_key,
building_name = form.cleaned_data['building_name'],
no_of_floors = form.cleaned_data['no_of_floors'],
stair_case_no = form.cleaned_data['stair_case_no'],
stair_case_width = form.cleaned_data['stair_case_width'],
building_funded = form.cleaned_data['building_funded'],
build_pres_cond = form.cleaned_data['build_pres_cond'],
build_cons_yr = form.cleaned_data['build_cons_yr'],
)
newbuildabs.save()
else:
newbuildabs = Building_abs(
school_key=sch_key,
building_name = form.cleaned_data['building_name'],
no_of_floors = form.cleaned_data['no_of_floors'],
stair_case_no = form.cleaned_data['stair_case_no'],
stair_case_width = form.cleaned_data['stair_case_width'],
building_funded = form.cleaned_data['building_funded'],
stab_cer_no = form.cleaned_data['stab_cer_no'],
stab_cer_date = form.cleaned_data['stab_cer_date'],
stab_fm_dt = form.cleaned_data['stab_fm_dt'],
stab_to_dt = form.cleaned_data['stab_to_dt'],
stab_iss_auth = form.cleaned_data['stab_iss_auth'],
no_stud = form.cleaned_data['no_stud'],
lic_cer_no = form.cleaned_data['lic_cer_no'],
lic_cer_dt = form.cleaned_data['lic_cer_dt'],
lic_iss_auth = form.cleaned_data['lic_iss_auth'],
san_cer_no = form.cleaned_data['san_cer_no'],
san_cer_dt = form.cleaned_data['san_cer_dt'],
san_iss_auth = form.cleaned_data['san_iss_auth'],
fire_cer_no = form.cleaned_data['fire_cer_no'],
fire_cer_dt = form.cleaned_data['fire_cer_dt'],
fire_iss_auth = form.cleaned_data['fire_iss_auth'],
build_pres_cond = form.cleaned_data['build_pres_cond'],
build_cons_yr = form.cleaned_data['build_cons_yr'],
)
newbuildabs.save()
messages.success(request,'Building abstract Details Added successfully')
return HttpResponseRedirect('/schoolnew/buildabs_edit/')
else:
print form.errors
messages.warning(request,'Building abstract Details Not Saved')
return render (request,'buildabs_edit_upd.html',locals())
else:
return redirect('%s?next=%s' % (settings.LOGIN_URL, request.path))
class Buildabs_update(View):
def get(self,request,**kwargs):
if request.user.is_authenticated():
tid=self.kwargs.get('pk')
basic_det=Basicinfo.objects.get(udise_code=request.user.username)
instance=Building_abs.objects.get(id=tid)
buildabs_det = Building_abs.objects.filter(school_key=basic_det.id)
sch_key = basic_det.id
Build_abs_det= Building_abs.objects.filter(school_key=sch_key)
Build_sta_dt=Building_abs.objects.get(id=tid)
form=building_abs_form(instance=instance)
building_name = instance.building_name
no_of_floors = instance.no_of_floors
stair_case_no = instance.stair_case_no
stair_case_width = instance.stair_case_width
building_funded = instance.building_funded
stab_cer_no = instance.stab_cer_no
stab_cer_date= instance.stab_cer_date
stab_fm_dt=instance.stab_fm_dt
stab_to_dt=instance.stab_to_dt
stab_iss_auth=instance.stab_iss_auth
no_stud=instance.no_stud
lic_cer_no=instance.lic_cer_no
lic_cer_dt=instance.lic_cer_dt
lic_iss_auth=instance.lic_iss_auth
san_cer_no=instance.san_cer_no
san_cer_dt=instance.san_cer_dt
san_iss_auth=instance.san_iss_auth
fire_cer_no=instance.fire_cer_no
fire_cer_dt=instance.fire_cer_dt
fire_iss_auth=instance.fire_iss_auth
build_pres_cond=instance.build_pres_cond
build_cons_yr=instance.build_cons_yr
build_pres_cond = instance.build_pres_cond
build_cons_yr = instance.build_cons_yr
if Build_sta_dt.stability_cer_date:
stab_dt=Build_sta_dt.stability_cer_date.strftime('%Y-%m-%d')
return render (request,'buildabs_edit_upd.html',locals())
else:
return redirect('%s?next=%s' % (settings.LOGIN_URL, request.path))
def post(self,request,**kwargs):
if request.user.is_authenticated():
tid=self.kwargs.get('pk')
basic_det=Basicinfo.objects.get(udise_code=request.user.username)
form = building_abs_form(request.POST,request.FILES)
instance=Building_abs.objects.get(id=tid)
newbuildabs = Building_abs.objects.get(id=tid)
if form.is_valid():
if basic_det.manage_cate_id==1:
newbuildabs.building_name = form.cleaned_data['building_name']
newbuildabs.no_of_floors = form.cleaned_data['no_of_floors']
newbuildabs.stair_case_no = form.cleaned_data['stair_case_no']
newbuildabs.stair_case_width = form.cleaned_data['stair_case_width']
newbuildabs.building_funded = form.cleaned_data['building_funded']
build_pres_cond = form.cleaned_data['build_pres_cond']
build_cons_yr = form.cleaned_data['build_cons_yr']
newbuildabs.save()
else:
newbuildabs.building_name = form.cleaned_data['building_name']
newbuildabs.no_of_floors = form.cleaned_data['no_of_floors']
newbuildabs.stair_case_no = form.cleaned_data['stair_case_no']
newbuildabs.stair_case_width = form.cleaned_data['stair_case_width']
newbuildabs.building_funded = form.cleaned_data['building_funded']
newbuildabs.stab_cer_no = form.cleaned_data['stab_cer_no']
newbuildabs.stab_cer_date= form.cleaned_data['stab_cer_date']
newbuildabs.stab_fm_dt= form.cleaned_data['stab_fm_dt']
newbuildabs.stab_to_dt= form.cleaned_data['stab_to_dt']
newbuildabs.stab_iss_auth= form.cleaned_data['stab_iss_auth']
newbuildabs.no_stud= form.cleaned_data['no_stud']
newbuildabs.lic_cer_no= form.cleaned_data['lic_cer_no']
newbuildabs.lic_cer_dt= form.cleaned_data['lic_cer_dt']
newbuildabs.lic_iss_auth= form.cleaned_data['lic_iss_auth']
newbuildabs.san_cer_no= form.cleaned_data['san_cer_no']
newbuildabs.san_cer_dt= form.cleaned_data['san_cer_dt']
newbuildabs.san_iss_auth= form.cleaned_data['san_iss_auth']
newbuildabs.fire_cer_no= form.cleaned_data['fire_cer_no']
newbuildabs.fire_cer_dt= form.cleaned_data['fire_cer_dt']
newbuildabs.fire_iss_auth= form.cleaned_data['fire_iss_auth']
build_pres_cond = form.cleaned_data['build_pres_cond']
build_cons_yr = form.cleaned_data['build_cons_yr']
newbuildabs.save()
messages.success(request,'Building abstract Details Updated successfully')
return HttpResponseRedirect('/schoolnew/buildabs_edit/')
else:
messages.warning(request,'Building abstract Details Not Updated')
return render (request,'buildabs_edit_upd.html',locals())
else:
return redirect('%s?next=%s' % (settings.LOGIN_URL, request.path))
class Buildabs_delete(View):
def get(self, request,**kwargs):
if request.user.is_authenticated():
tid=self.kwargs.get('pk')
data=Building_abs.objects.get(id=tid)
data.delete()
msg= data.building_name+" - Named building has been successfully removed "
messages.success(request, msg )
return HttpResponseRedirect('/schoolnew/buildabs_edit/')
else:
return redirect('%s?next=%s' % (settings.LOGIN_URL, request.path))
class Land_edit(View):
def get(self,request,**kwargs):
if request.user.is_authenticated():
tid=self.kwargs.get('pk')
basic_det=Basicinfo.objects.get(udise_code=request.user.username)
land_det = Land.objects.filter(school_key=basic_det.id)
form=land_form()
govchk=basic_det.sch_management
if ((str(govchk)=='School Education Department School')|(str(govchk)=='Corporation School')|(str(govchk)=='Municipal School')|(str(govchk)=='Adi-Dravida Welfare School')|(str(govchk)=='Forest Department School')|(str(govchk)=='Differently Abled Department School')|(str(govchk)=='Kallar BC/MBC Department School')|(str(govchk)=='Rubber Board School')|(str(govchk)=='Tribal Welfare School')|(str(govchk)=='Aranilayam HR&C Department School')):
gov_chk='Yes'
else:
gov_chk=''
return render (request,'land_edit_upd.html',locals())
else:
return redirect('%s?next=%s' % (settings.LOGIN_URL, request.path))
def post(self,request,**kwargs):
if request.user.is_authenticated():
pk=self.kwargs.get('pk')
basic_det=Basicinfo.objects.get(udise_code=request.user.username)
form=land_form(request.POST,request.FILES)
if form.is_valid():
sch_key=form.cleaned_data['school_key']
newland = Land(
school_key=sch_key,
name = form.cleaned_data['name'],
own_type =form.cleaned_data['own_type'],
lease_yrs=form.cleaned_data['lease_yrs'],
lease_name=form.cleaned_data['lease_name'],
tot_area=form.cleaned_data['tot_area'],
area_mes_type=form.cleaned_data['area_mes_type'],
area_cent = form.cleaned_data['area_cent'],
area_ground = form.cleaned_data['area_ground'],
patta_no = form.cleaned_data['patta_no'],
survey_no = form.cleaned_data['survey_no'],
subdiv_no=form.cleaned_data['subdiv_no'],
land_type=form.cleaned_data['land_type'],
doc_no=form.cleaned_data['doc_no'],
doc_regn_dt=form.cleaned_data['doc_regn_dt'],
place_regn=form.cleaned_data['place_regn'],
ec_cer_no=form.cleaned_data['ec_cer_no'],
ec_cer_dt=form.cleaned_data['ec_cer_dt'],
ec_cer_fm=form.cleaned_data['ec_cer_fm'],
ec_cer_to=form.cleaned_data['ec_cer_to'],
ec_period=form.cleaned_data['ec_period'],
)
newland.save()
messages.success(request,'Land Details Added successfully')
return HttpResponseRedirect('/schoolnew/land_edit/')
else:
print form.errors
messages.warning(request,'Land Details Not Saved')
return render (request,'land_edit_upd.html',locals())
else:
return redirect('%s?next=%s' % (settings.LOGIN_URL, request.path))
class Land_update(View):
def get(self,request,**kwargs):
if request.user.is_authenticated():
tid=self.kwargs.get('pk')
basic_det=Basicinfo.objects.get(udise_code=request.user.username)
land_det = Land.objects.filter(school_key=basic_det.id)
instance=Land.objects.get(id=tid)
sch_key = basic_det.id
land_det= Land.objects.filter(school_key=sch_key)
form=land_form(instance=instance)
name = instance.name
own_type = instance.own_type
lease_yrs = instance.lease_yrs
lease_name = instance.lease_name
tot_area= instance.tot_area
area_mes_type = instance.area_mes_type
area_cent = instance.area_cent
area_ground = instance.area_ground
patta_no = instance.patta_no
survey_no = instance.survey_no
subdiv_no = instance.subdiv_no
land_type = instance.land_type
doc_no=instance.doc_no
doc_regn_dt=instance.doc_regn_dt
place_regn=instance.place_regn
ec_cer_no=instance.ec_cer_no
ec_cer_dt=instance.ec_cer_dt
ec_cer_fm=instance.ec_cer_fm
ec_cer_to=instance.ec_cer_to
ec_period=instance.ec_period
govchk=basic_det.sch_management
if ((str(govchk)=='School Education Department School')|(str(govchk)=='Corporation School')|(str(govchk)=='Municipal School')|(str(govchk)=='Adi-Dravida Welfare School')|(str(govchk)=='Forest Department School')|(str(govchk)=='Differently Abled Department School')|(str(govchk)=='Kallar BC/MBC Department School')|(str(govchk)=='Rubber Board School')|(str(govchk)=='Tribal Welfare School')|(str(govchk)=='Aranilayam HR&C Department School')):
gov_chk='Yes'
else:
gov_chk=''
return render (request,'land_edit_upd.html',locals())
else:
return redirect('%s?next=%s' % (settings.LOGIN_URL, request.path))
def post(self,request,**kwargs):
if request.user.is_authenticated():
tid=self.kwargs.get('pk')
basic_det=Basicinfo.objects.get(udise_code=request.user.username)
form = land_form(request.POST,request.FILES)
instance=Land.objects.get(id=tid)
newland = Land.objects.get(id=tid)
if form.is_valid():
newland.name = form.cleaned_data['name']
newland.own_type = form.cleaned_data['own_type']
newland.lease_yrs = form.cleaned_data['lease_yrs']
instance.lease_name = form.cleaned_data['lease_name']
newland.tot_area = form.cleaned_data['tot_area']
newland.area_mes_type = form.cleaned_data['area_mes_type']
newland.area_cent = form.cleaned_data['area_cent']
newland.area_ground = form.cleaned_data['area_ground']
newland.patta_no = form.cleaned_data['patta_no']
newland.survey_no = form.cleaned_data['survey_no']
newland.subdiv_no = form.cleaned_data['subdiv_no']
newland.land_type = form.cleaned_data['land_type']
newland.doc_no=form.cleaned_data['doc_no']
newland.doc_regn_dt=form.cleaned_data['doc_regn_dt']
newland.place_regn=form.cleaned_data['place_regn']
newland.ec_cer_no=form.cleaned_data['ec_cer_no']
newland.ec_cer_dt=form.cleaned_data['ec_cer_dt']
newland.ec_cer_fm=form.cleaned_data['ec_cer_fm']
newland.ec_cer_to=form.cleaned_data['ec_cer_to']
newland.ec_period=form.cleaned_data['ec_period']
newland.save()
messages.success(request,'Land Details Updated successfully')
return HttpResponseRedirect('/schoolnew/land_edit/')
else:
messages.warning(request,'Land Details Not Updated')
return render (request,'land_upd.html',locals())
else:
return redirect('%s?next=%s' % (settings.LOGIN_URL, request.path))
class Land_delete(View):
def get(self, request,**kwargs):
if request.user.is_authenticated():
tid=self.kwargs.get('pk')
data=Land.objects.get(id=tid)
data.delete()
msg= data.name+' land with patta No.'+str(data.patta_no)+" - has been successfully removed "
messages.success(request, msg )
return HttpResponseRedirect('/schoolnew/land_edit/')
else:
return redirect('%s?next=%s' % (settings.LOGIN_URL, request.path))
class Build_edit(View):
def get(self,request,**kwargs):
if request.user.is_authenticated():
tid=self.kwargs.get('pk')
basic_det=Basicinfo.objects.get(udise_code=request.user.username)
build_det = Building.objects.filter(school_key=basic_det.id)
room_cat_chk=Room_cate.objects.all()
sch_key = basic_det.id
form=building_form()
return render (request,'build_edit_upd.html',locals())
else:
return redirect('%s?next=%s' % (settings.LOGIN_URL, request.path))
def post(self,request,**kwargs):
if request.user.is_authenticated():
pk=self.kwargs.get('pk')
basic_det=Basicinfo.objects.get(udise_code=request.user.username)
form=building_form(request.POST,request.FILES)
if form.is_valid():
sch_key=form.cleaned_data['school_key']
newbuild = Building(
school_key=sch_key,
room_cat = form.cleaned_data['room_cat'],
room_count = form.cleaned_data['room_count'],
roof_type = form.cleaned_data['roof_type'],
builtup_area = form.cleaned_data['builtup_area'],
)
newbuild.save()
messages.success(request,'Building Details Added successfully')
return HttpResponseRedirect('/schoolnew/build_edit/')
else:
print form.errors
return render (request,'build_edit_upd.html',locals())
else:
return redirect('%s?next=%s' % (settings.LOGIN_URL, request.path))
class Build_update(View):
def get(self,request,**kwargs):
if request.user.is_authenticated():
tid=self.kwargs.get('pk')
basic_det=Basicinfo.objects.get(udise_code=request.user.username)
build_det = Building.objects.filter(school_key=basic_det.id)
instance=Building.objects.get(id=tid)
sch_key = basic_det.id
room_cat_chk=Room_cate.objects.all()
form=building_form(instance=instance)
room_cat = instance.room_cat
room_count = instance.room_count
roof_type = instance.roof_type
builtup_area = instance.builtup_area
return render (request,'build_edit_upd.html',locals())
else:
return redirect('%s?next=%s' % (settings.LOGIN_URL, request.path))
def post(self,request,**kwargs):
if request.user.is_authenticated():
tid=self.kwargs.get('pk')
basic_det=Basicinfo.objects.get(udise_code=request.user.username)
form = building_form(request.POST,request.FILES)
instance=Building.objects.get(id=tid)
newbuild = Building.objects.get(id=tid)
if form.is_valid():
newbuild.room_cat = form.cleaned_data['room_cat']
newbuild.room_count = form.cleaned_data['room_count']
newbuild.roof_type = form.cleaned_data['roof_type']
newbuild.builtup_area = form.cleaned_data['builtup_area']
newbuild.save()
messages.success(request,'Building Details Updated successfully')
return HttpResponseRedirect('/schoolnew/build_edit/')
else:
messages.warning(request,'Building Details Not Updated')
return render (request,'build_edit_upd.html',locals())
else:
return redirect('%s?next=%s' % (settings.LOGIN_URL, request.path))
class Build_delete(View):
def get(self, request,**kwargs):
if request.user.is_authenticated():
tid=self.kwargs.get('pk')
data=Building.objects.get(id=tid)
data.delete()
msg= data.room_cat+" - "+str(data.room_count)+" - has been successfully removed "
messages.success(request, msg )
return HttpResponseRedirect('/schoolnew/build_edit/')
else:
return redirect('%s?next=%s' % (settings.LOGIN_URL, request.path))
class Sports_edit(View):
def get(self,request,**kwargs):
if request.user.is_authenticated():
tid=self.kwargs.get('pk')
basic_det=Basicinfo.objects.get(udise_code=request.user.username)
sports_det = Sports.objects.filter(school_key=basic_det.id)
sch_key = basic_det.id
sport_lst=Sport_list.objects.all()
form=sports_form()
return render (request,'sports_edit_upd.html',locals())
else:
return redirect('%s?next=%s' % (settings.LOGIN_URL, request.path))
def post(self,request,**kwargs):
if request.user.is_authenticated():
pk=self.kwargs.get('pk')
basic_det=Basicinfo.objects.get(udise_code=request.user.username)
form=sports_form(request.POST,request.FILES)
if form.is_valid():
sch_key=form.cleaned_data['school_key']
newsports = Sports(
school_key=sch_key,
sports_name = form.cleaned_data['sports_name'],
play_ground = form.cleaned_data['play_ground'],
sports_equip = form.cleaned_data['sports_equip'],
sports_no_sets = form.cleaned_data['sports_no_sets'],
)
newsports.save()
messages.success(request,'Sports Details Added successfully')
return HttpResponseRedirect('/schoolnew/sports_edit/')
else:
messages.warning(request,'Sports Details Not Saved')
return render (request,'sports_edit_upd.html',locals())
else:
return redirect('%s?next=%s' % (settings.LOGIN_URL, request.path))
class Sports_update(View):
def get(self,request,**kwargs):
if request.user.is_authenticated():
tid=self.kwargs.get('pk')
basic_det=Basicinfo.objects.get(udise_code=request.user.username)
sports_det = Sports.objects.filter(school_key=basic_det.id)
instance=Sports.objects.get(id=tid)
sch_key = basic_det.id
form=sports_form(instance=instance)
sport_lst=Sport_list.objects.all()
sports_name = instance.sports_name
play_ground = instance.play_ground
sports_equip = instance.sports_equip
sports_no_sets = instance.sports_no_sets
return render (request,'sports_edit_upd.html',locals())
else:
return redirect('%s?next=%s' % (settings.LOGIN_URL, request.path))
def post(self,request,**kwargs):
if request.user.is_authenticated():
tid=self.kwargs.get('pk')
basic_det=Basicinfo.objects.get(udise_code=request.user.username)
form = sports_form(request.POST,request.FILES)
instance=Sports.objects.get(id=tid)
newsports = Sports.objects.get(id=tid)
if form.is_valid():
newsports.sports_name = form.cleaned_data['sports_name']
newsports.play_ground = form.cleaned_data['play_ground']
newsports.sports_equip = form.cleaned_data['sports_equip']
newsports.sports_no_sets = form.cleaned_data['sports_no_sets']
newsports.save()
messages.success(request,'Sports Details Updated successfully')
return HttpResponseRedirect('/schoolnew/sports_edit/')
else:
messages.warning(request,'Sports Details Not Updated')
return render (request,'sports_edit_upd.html',locals())
else:
return redirect('%s?next=%s' % (settings.LOGIN_URL, request.path))
class Sports_delete(View):
def get(self, request,**kwargs):
if request.user.is_authenticated():
tid=self.kwargs.get('pk')
data=Sports.objects.get(id=tid)
data.delete()
msg= data.sports_name+" - has been successfully removed "
messages.success(request, msg )
return HttpResponseRedirect('/schoolnew/sports_edit/')
else:
return redirect('%s?next=%s' % (settings.LOGIN_URL, request.path))
class Ict_edit(View):
def get(self,request,**kwargs):
if request.user.is_authenticated():
tid=self.kwargs.get('pk')
ss=request.user.username
if ss.isalpha():
basic_det=Basicinfo.objects.get(office_code=request.user.username)
office_chk = 'Yes'
else:
office_chk = 'No'
basic_det=Basicinfo.objects.get(udise_code=request.user.username)
ict_det = Ictentry.objects.filter(school_key=basic_det.id)
ict_lst=Ict_list.objects.all()
ict_suply=Ict_suppliers.objects.all()
sch_key = basic_det.id
form=ictentry_form()
return render (request,'ict_edit_upd.html',locals())
else:
return redirect('%s?next=%s' % (settings.LOGIN_URL, request.path))
def post(self,request,**kwargs):
if request.user.is_authenticated():
pk=self.kwargs.get('pk')
ss=request.user.username
if ss.isalpha():
basic_det=Basicinfo.objects.get(office_code=request.user.username)
else:
basic_det=Basicinfo.objects.get(udise_code=request.user.username)
form=ictentry_form(request.POST,request.FILES)
if form.is_valid():
sch_key=form.cleaned_data['school_key']
newict = Ictentry(
school_key=sch_key,
ict_type = form.cleaned_data['ict_type'],
working_no = form.cleaned_data['working_no'],
not_working_no = form.cleaned_data['not_working_no'],
supplied_by = form.cleaned_data['supplied_by'],
donor_ict = form.cleaned_data['donor_ict'],
)
newict.save()
messages.success(request,'ICT Details Added successfully')
return HttpResponseRedirect('/schoolnew/ict_edit/')
else:
messages.warning(request,'ICT Details Not Saved')
print form.errors
return render (request,'ict_edit_upd.html',locals())
else:
return redirect('%s?next=%s' % (settings.LOGIN_URL, request.path))
class Ict_update(View):
def get(self,request,**kwargs):
if request.user.is_authenticated():
tid=self.kwargs.get('pk')
ss=request.user.username
if ss.isalpha():
basic_det=Basicinfo.objects.get(office_code=request.user.username)
office_chk = 'Yes'
else:
office_chk = 'No'
basic_det=Basicinfo.objects.get(udise_code=request.user.username)
ict_det = Ictentry.objects.filter(school_key=basic_det.id)
ict_lst=Ict_list.objects.all()
ict_suply=Ict_suppliers.objects.all()
instance=Ictentry.objects.get(id=tid)
sch_key = basic_det.id
form=ictentry_form(instance=instance)
ict_type = instance.ict_type
working_no = instance.working_no
not_working_no = instance.not_working_no
supplied_by = instance.supplied_by
donor_ict = instance.donor_ict
return render (request,'ict_edit_upd.html',locals())
else:
return redirect('%s?next=%s' % (settings.LOGIN_URL, request.path))
def post(self,request,**kwargs):
if request.user.is_authenticated():
tid=self.kwargs.get('pk')
ss=request.user.username
if ss.isalpha():
basic_det=Basicinfo.objects.get(office_code=request.user.username)
else:
basic_det=Basicinfo.objects.get(udise_code=request.user.username)
form = ictentry_form(request.POST,request.FILES)
instance=Ictentry.objects.get(id=tid)
newict = Ictentry.objects.get(id=tid)
if form.is_valid():
newict.ict_type = form.cleaned_data['ict_type']
newict.working_no = form.cleaned_data['working_no']
newict.not_working_no = form.cleaned_data['not_working_no']
newict.supplied_by = form.cleaned_data['supplied_by']
newict.donor_ict = form.cleaned_data['donor_ict']
newict.save()
messages.success(request,'ICT Details Updated successfully')
return HttpResponseRedirect('/schoolnew/ict_edit/')
else:
messages.warning(request,'ICT Details Not Updated')
return render (request,'ict_edit_upd.html',locals())
else:
return redirect('%s?next=%s' % (settings.LOGIN_URL, request.path))
class Ict_delete(View):
def get(self, request,**kwargs):
if request.user.is_authenticated():
tid=self.kwargs.get('pk')
data=Ictentry.objects.get(id=tid)
data.delete()
msg= data.ict_type+" - has been successfully removed "
messages.success(request, msg )
return HttpResponseRedirect('/schoolnew/ict_edit/')
else:
return redirect('%s?next=%s' % (settings.LOGIN_URL, request.path))
class Passpercent_edit(View):
def get(self,request,**kwargs):
if request.user.is_authenticated():
tid=self.kwargs.get('pk')
basic_det=Basicinfo.objects.get(udise_code=request.user.username)
acadyr_lst=Acadyr_mas.objects.all()
sch_key = basic_det.id
passper_det=Passpercent.objects.filter(school_key=sch_key)
sch_key = basic_det.id
form=pass_form()
acade_det = Academicinfo.objects.get(school_key=basic_det.id)
return render (request,'pass_edit_upd.html',locals())
else:
return redirect('%s?next=%s' % (settings.LOGIN_URL, request.path))
def post(self,request,**kwargs):
if request.user.is_authenticated():
pk=self.kwargs.get('pk')
basic_det=Basicinfo.objects.get(udise_code=request.user.username)
form=pass_form(request.POST,request.FILES)
if form.is_valid():
sch_key=form.cleaned_data['school_key']
chk_ayr=form.cleaned_data['acad_yr']
if Passpercent.objects.filter(school_key=basic_det.id).filter(acad_yr=form.cleaned_data['acad_yr']).exists():
messages.warning(request,'This academic year information already fed. If you want to correct pl. use Update option')
return HttpResponseRedirect('/schoolnew/pass_edit/')
else:
newpass = Passpercent(
school_key=basic_det,
acad_yr = form.cleaned_data['acad_yr'],
ten_b_app = form.cleaned_data['ten_b_app'],
ten_b_pass = form.cleaned_data['ten_b_pass'],
ten_g_app = form.cleaned_data['ten_g_app'],
ten_g_pass = form.cleaned_data['ten_g_pass'],
ten_app = form.cleaned_data['ten_app'],
ten_pass = form.cleaned_data['ten_pass'],
twelve_b_app = form.cleaned_data['twelve_b_app'],
twelve_b_pass = form.cleaned_data['twelve_b_pass'],
twelve_g_app = form.cleaned_data['twelve_g_app'],
twelve_g_pass = form.cleaned_data['twelve_g_pass'],
twelve_app = form.cleaned_data['twelve_app'],
twelve_pass = form.cleaned_data['twelve_pass'],
ten_b_per= form.cleaned_data['ten_b_per'],
ten_g_per= form.cleaned_data['ten_g_per'],
ten_a_per= form.cleaned_data['ten_a_per'],
twelve_b_per= form.cleaned_data['twelve_b_per'],
twelve_g_per= form.cleaned_data['twelve_g_per'],
twelve_a_per= form.cleaned_data['twelve_a_per'],
)
newpass.save()
messages.success(request,'Pass Percent Details Added successfully')
return HttpResponseRedirect('/schoolnew/pass_edit/')
else:
messages.warning(request,'Pass Percent Details Not Saved')
return render (request,'pass_edit_upd.html',locals())
else:
return redirect('%s?next=%s' % (settings.LOGIN_URL, request.path))
class Passpercent_update(View):
def get(self,request,**kwargs):
if request.user.is_authenticated():
tid=self.kwargs.get('pk')
basic_det=Basicinfo.objects.get(udise_code=request.user.username)
passper_det=Passpercent.objects.filter(school_key=basic_det.id)
instance=Passpercent.objects.get(id=tid)
sch_key = basic_det.id
acadyr_lst=Acadyr_mas.objects.all()
form=pass_form(instance=instance)
acad_yr = instance.acad_yr
ten_b_app = instance.ten_b_app
ten_b_pass = instance.ten_b_pass
ten_g_app = instance.ten_g_app
ten_g_pass = instance.ten_g_pass
ten_app = instance.ten_app
ten_pass = instance.ten_pass
twelve_b_app = instance.twelve_b_app
twelve_b_pass = instance.twelve_b_pass
twelve_g_app = instance.twelve_g_app
twelve_g_pass = instance.twelve_g_pass
twelve_app = instance.twelve_app
twelve_pass = instance.twelve_pass
ten_b_per= instance.ten_b_per
ten_g_per= instance.ten_g_per
ten_a_per= instance.ten_a_per
twelve_b_per= instance.twelve_b_per
twelve_g_per= instance.twelve_g_per
twelve_a_per= instance.twelve_a_per
acade_det = Academicinfo.objects.get(school_key=basic_det.id)
return render (request,'pass_edit_upd.html',locals())
else:
return redirect('%s?next=%s' % (settings.LOGIN_URL, request.path))
def post(self,request,**kwargs):
if request.user.is_authenticated():
tid=self.kwargs.get('pk')
basic_det=Basicinfo.objects.get(udise_code=request.user.username)
form = pass_form(request.POST,request.FILES)
instance=Passpercent.objects.get(id=tid)
newpassper = Passpercent.objects.get(id=tid)
if form.is_valid():
chk_ayr=form.cleaned_data['acad_yr']
if Passpercent.objects.filter(school_key=basic_det.id).filter(acad_yr=form.cleaned_data['acad_yr']).exclude(id=tid).exists():
messages.warning(request,'This academic year information already fed. If you want to correct pl. use Update option')
return HttpResponseRedirect('/schoolnew/pass_edit/')
else:
newpassper.acad_yr = form.cleaned_data['acad_yr']
newpassper.ten_b_app = form.cleaned_data['ten_b_app']
newpassper.ten_b_pass = form.cleaned_data['ten_b_pass']
newpassper.ten_g_app = form.cleaned_data['ten_g_app']
newpassper.ten_g_pass = form.cleaned_data['ten_g_pass']
newpassper.ten_app = form.cleaned_data['ten_app']
newpassper.ten_pass = form.cleaned_data['ten_pass']
newpassper.twelve_b_app = form.cleaned_data['twelve_b_app']
newpassper.twelve_b_pass = form.cleaned_data['twelve_b_pass']
newpassper.twelve_g_app = form.cleaned_data['twelve_g_app']
newpassper.twelve_g_pass = form.cleaned_data['twelve_g_pass']
newpassper.twelve_app = form.cleaned_data['twelve_app']
newpassper.twelve_pass = form.cleaned_data['twelve_pass']
newpassper.ten_b_per= form.cleaned_data['ten_b_per']
newpassper.ten_g_per= form.cleaned_data['ten_g_per']
newpassper.ten_a_per= form.cleaned_data['ten_a_per']
newpassper.twelve_b_per= form.cleaned_data['twelve_b_per']
newpassper.twelve_g_per= form.cleaned_data['twelve_g_per']
newpassper.twelve_a_per= form.cleaned_data['twelve_a_per']
newpassper.save()
messages.success(request,'Pass Percent Updated successfully')
return HttpResponseRedirect('/schoolnew/pass_edit/')
else:
messages.warning(request,'Pass Percent Not Updated')
return render (request,'pass_edit_upd.html',locals())
else:
return redirect('%s?next=%s' % (settings.LOGIN_URL, request.path))
class Passpercent_delete(View):
def get(self, request,**kwargs):
if request.user.is_authenticated():
tid=self.kwargs.get('pk')
data=Passpercent.objects.get(id=tid)
data.delete()
msg= data.acad_yr+" - Pass percent has been successfully removed "
messages.success(request, msg )
return HttpResponseRedirect('/schoolnew/pass_edit/')
else:
return redirect('%s?next=%s' % (settings.LOGIN_URL, request.path))
class Off_home_page(View):
def get(self,request,**kwargs):
if request.user.is_authenticated():
if (Basicinfo.objects.filter(udise_code=request.user.account.id).count())>0:
basic_det=Basicinfo.objects.get(udise_code=request.user.account.id)
if (Staff.objects.filter(school_key=basic_det.id).count())>0:
offnonteach_det = Staff.objects.filter(school_key=basic_det.id)
if (Ictentry.objects.filter(school_key=basic_det.id).count())>0:
off_ict_det = Ictentry.objects.filter(school_key=basic_det.id)
return render (request,'home_edit2.html',locals())
else:
return render (request,'home_edit2.html',locals())
else:
return redirect('%s?next=%s' % (settings.LOGIN_URL, request.path))
class Office_basic_info(UpdateView):
def get(self,request,**kwargs):
if request.user.is_authenticated():
pk=self.kwargs.get('pk')
district_list = District.objects.all().order_by('district_name')
if (Basicinfo.objects.filter(udise_code=request.user.account.id).count())>0:
basic_det=Basicinfo.objects.get(udise_code=request.user.account.id)
if (Staff.objects.filter(school_key=basic_det.id).count())>0:
offnonteach_det = Staff.objects.filter(school_key=basic_det.id)
instance = Basicinfo.objects.get(udise_code=request.user.account.id)
form=BasicForm(instance=instance)
udise_code=instance.udise_code
office_code = instance.office_code
school_id = instance.school_id
school_name = instance.school_name
school_name_tamil = instance.school_name_tamil
if instance.school_name_tamil:
word = instance.school_name_tamil
else:
word=''
district = instance.district
block = instance.block
local_body_type= instance.local_body_type
village_panchayat =instance.village_panchayat
vill_habitation = instance.vill_habitation
town_panchayat = instance.town_panchayat
town_panchayat_ward = instance.town_panchayat_ward
municipality = instance.municipality
municipal_ward = instance.municipal_ward
cantonment = instance.cantonment
cantonment_ward = instance.cantonment_ward
township = instance.township
township_ward = instance.township_ward
corporation = instance.corporation
corpn_zone = instance.corpn_zone
corpn_ward = instance.corpn_ward
address = instance.address
pincode = instance.pincode
stdcode = instance.stdcode
landline = instance.landline
mobile = instance.mobile
office_email1 = instance.office_email1
office_email2 = instance.office_email2
sch_directorate=instance.sch_directorate
build_status=instance.build_status
new_build=instance.new_build
website = instance.website
bank_dist=instance.bank_dist
bank = instance.bank
branch = instance.branch
bankaccno = instance.bankaccno
parliament = instance.parliament
assembly = instance.assembly
offcat_id=instance.offcat_id
draw_off_code=instance.draw_off_code
offcat_id=request.user.account.user_category_id
return render (request,'office_basic_info.html',locals())
else:
form=BasicForm()
udise_code=request.user.account.id
offcat_id=request.user.account.user_category_id
office_code=request.user.username
return render (request,'office_basic_info.html',locals())
else:
return redirect('%s?next=%s' % (settings.LOGIN_URL, request.path))
def post(self, request, **kwargs):
if request.user.is_authenticated():
pk=self.kwargs.get('pk')
if (Basicinfo.objects.filter(udise_code=request.user.account.id).count())>0:
basic_det=Basicinfo.objects.filter(udise_code=request.user.account.id)
if (Basicinfo.objects.filter(udise_code=request.user.account.id).count())>0:
instance = Basicinfo.objects.get(udise_code=request.user.account.id)
office_editsave=Basicinfo.objects.get(udise_code=request.user.account.id)
form=BasicForm(request.POST,request.FILES)
if form.is_valid():
office_editsave.school_name = form.cleaned_data['school_name'].upper()
office_editsave.school_name_tamil = request.POST['word']
office_editsave.udise_code = form.cleaned_data['udise_code']
office_editsave.school_id = form.cleaned_data['udise_code']
office_editsave.office_code = form.cleaned_data['office_code']
office_editsave.offcat_id = form.cleaned_data['offcat_id']
office_editsave.draw_off_code = form.cleaned_data['draw_off_code']
office_editsave.district = form.cleaned_data['district']
office_editsave.block = form.cleaned_data['block']
office_editsave.local_body_type= form.cleaned_data['local_body_type']
chk_local_body=Local_body.objects.get(id=request.POST['local_body_type'])
if str(chk_local_body)=='Village Panchayat':
office_editsave.village_panchayat =form.cleaned_data['village_panchayat']
office_editsave.vill_habitation = form.cleaned_data['vill_habitation']
office_editsave.town_panchayat = None
office_editsave.town_panchayat_ward = None
office_editsave.municipality = None
office_editsave.municipal_ward = None
office_editsave.cantonment = None
office_editsave.cantonment_ward = None
office_editsave.township = None
office_editsave.township_ward = None
office_editsave.corporation = None
office_editsave.corpn_zone = None
office_editsave.corpn_ward = None
elif str(chk_local_body)=="Town Panchayat":
office_editsave.village_panchayat =None
office_editsave.vill_habitation = None
office_editsave.town_panchayat = form.cleaned_data['town_panchayat']
office_editsave.town_panchayat_ward = form.cleaned_data['town_panchayat_ward']
office_editsave.municipality = None
office_editsave.municipal_ward = None
office_editsave.cantonment = None
office_editsave.cantonment_ward = None
office_editsave.township = None
office_editsave.township_ward = None
office_editsave.corporation = None
office_editsave.corpn_zone = None
office_editsave.corpn_ward = None
elif str(chk_local_body)=="Municipality":
office_editsave.village_panchayat =None
office_editsave.vill_habitation = None
office_editsave.town_panchayat = None
office_editsave.town_panchayat_ward = None
office_editsave.municipality = form.cleaned_data['municipality']
office_editsave.municipal_ward = form.cleaned_data['municipal_ward']
office_editsave.cantonment = None
office_editsave.cantonment_ward = None
office_editsave.township = None
office_editsave.township_ward = None
office_editsave.corporation = None
office_editsave.corpn_zone = None
office_editsave.corpn_ward = None
elif str(chk_local_body)=="cantonment":
office_editsave.village_panchayat =None
office_editsave.vill_habitation = None
office_editsave.town_panchayat = None
office_editsave.town_panchayat_ward = None
office_editsave.municipality = None
office_editsave.municipal_ward = None
office_editsave.cantonment = form.cleaned_data['cantonment']
office_editsave.cantonment_ward = form.cleaned_data['cantonment_ward']
office_editsave.township = None
office_editsave.township_ward = None
office_editsave.corporation = None
office_editsave.corpn_zone = None
office_editsave.corpn_ward = None
elif str(chk_local_body)=="Township":
office_editsave.village_panchayat =None
office_editsave.vill_habitation = None
office_editsave.town_panchayat = None
office_editsave.town_panchayat_ward = None
office_editsave.municipality = None
office_editsave.municipal_ward = None
office_editsave.cantonment = None
office_editsave.cantonment_ward = None
office_editsave.township = form.cleaned_data['township']
office_editsave.township_ward = form.cleaned_data['township_ward']
office_editsave.corporation = None
office_editsave.corpn_zone = None
office_editsave.corpn_ward = None
elif str(chk_local_body)=="Corporation":
office_editsave.village_panchayat =None
office_editsave.vill_habitation = None
office_editsave.town_panchayat = None
office_editsave.town_panchayat_ward = None
office_editsave.municipality = None
office_editsave.municipal_ward = None
office_editsave.cantonment = None
office_editsave.cantonment_ward = None
office_editsave.township = None
office_editsave.township_ward = None
office_editsave.corporation = form.cleaned_data['corporation']
office_editsave.corpn_zone = form.cleaned_data['corpn_zone']
office_editsave.corpn_ward = form.cleaned_data['corpn_ward']
office_editsave.address = form.cleaned_data['address']
office_editsave.pincode = form.cleaned_data['pincode']
office_editsave.stdcode = form.cleaned_data['stdcode']
office_editsave.landline = form.cleaned_data['landline']
office_editsave.mobile = form.cleaned_data['mobile']
office_editsave.office_email1 = form.cleaned_data['office_email1']
office_editsave.office_email2 = form.cleaned_data['office_email2']
office_editsave.sch_directorate = form.cleaned_data['sch_directorate']
office_editsave.website = form.cleaned_data['website']
office_editsave.build_status = form.cleaned_data['build_status']
office_editsave.new_build = form.cleaned_data['new_build']
office_editsave.bank_dist=form.cleaned_data['bank_dist']
office_editsave.bank = form.cleaned_data['bank']
office_editsave.branch = form.cleaned_data['branch']
office_editsave.bankaccno = form.cleaned_data['bankaccno']
office_editsave.parliament = form.cleaned_data['parliament']
office_editsave.assembly = form.cleaned_data['assembly']
office_editsave.save()
messages.success(request,'Office Basic Information Updated successfully')
return HttpResponseRedirect('/schoolnew/office_registration')
else:
messages.warning(request,'Office Basic Information Not Updated')
return render (request,'basic2.html')
else:
form = BasicForm(request.POST,request.FILES)
if form.is_valid():
officeinfo = Basicinfo(
school_id=form.cleaned_data['udise_code'],
school_name = form.cleaned_data['school_name'],
school_name_tamil = request.POST['word'],
udise_code = form.cleaned_data['udise_code'],
office_code = form.cleaned_data['office_code'],
district = form.cleaned_data['district'],
block = form.cleaned_data['block'],
local_body_type= form.cleaned_data['local_body_type'],
village_panchayat =form.cleaned_data['village_panchayat'],
vill_habitation = form.cleaned_data['vill_habitation'],
town_panchayat = form.cleaned_data['town_panchayat'],
town_panchayat_ward = form.cleaned_data['town_panchayat_ward'],
municipality = form.cleaned_data['municipality'],
municipal_ward = form.cleaned_data['municipal_ward'],
cantonment = form.cleaned_data['cantonment'],
cantonment_ward = form.cleaned_data['cantonment_ward'],
township = form.cleaned_data['township'],
township_ward = form.cleaned_data['township_ward'],
corporation = form.cleaned_data['corporation'],
corpn_zone = form.cleaned_data['corpn_zone'],
corpn_ward = form.cleaned_data['corpn_ward'],
address = form.cleaned_data['address'],
pincode = form.cleaned_data['pincode'],
stdcode = form.cleaned_data['stdcode'],
landline = form.cleaned_data['landline'],
mobile = form.cleaned_data['mobile'],
office_email1 = form.cleaned_data['office_email1'],
office_email2 = form.cleaned_data['office_email2'],
sch_directorate = form.cleaned_data['sch_directorate'],
website = form.cleaned_data['website'],
build_status = form.cleaned_data['build_status'],
new_build=form.cleaned_data['new_build'],
bank_dist=form.cleaned_data['bank_dist'],
bank = form.cleaned_data['bank'],
branch = form.cleaned_data['branch'],
bankaccno = form.cleaned_data['bankaccno'],
parliament = form.cleaned_data['parliament'],
assembly = form.cleaned_data['assembly'],
offcat_id = form.cleaned_data['offcat_id'],
draw_off_code = form.cleaned_data['draw_off_code'],
)
officeinfo.save()
return HttpResponseRedirect('/schoolnew/office_registration')
else:
return render (request,'basic2.html')
else:
return redirect('%s?next=%s' % (settings.LOGIN_URL, request.path))
class Offnonteaching_edit(View):
def get(self,request,**kwargs):
if request.user.is_authenticated():
tid=self.kwargs.get('pk')
if (Basicinfo.objects.filter(udise_code=request.user.account.id).count())>0:
basic_det=Basicinfo.objects.get(udise_code=request.user.account.id)
sch_key = basic_det.id
if (Staff.objects.filter(school_key=basic_det.id).count())>0:
post_det = Staff.objects.filter(Q(school_key=sch_key) & Q(staff_cat=2))
form=staff_form()
if ((basic_det.offcat_id==2)|(basic_det.offcat_id==3)|(basic_det.offcat_id==5)|(basic_det.offcat_id==7)|(basic_det.offcat_id==6)|(basic_det.offcat_id==8)|(basic_det.offcat_id==18)|(basic_det.offcat_id==20)|(basic_det.offcat_id==21)|(basic_det.offcat_id==22)|(basic_det.offcat_id==23)|(basic_det.offcat_id==24)|(basic_det.offcat_id==25)|(basic_det.offcat_id==26)|(basic_det.offcat_id==27)):
desig_det= User_desig.objects.filter(Q(user_cate='SCHOOL&OFFICE') | Q(user_cate='OFFICE') & Q(user_level__isnull=True))
elif ((basic_det.offcat_id==4)|(basic_det.offcat_id==9)|(basic_det.offcat_id==10)|(basic_det.offcat_id==11)|(basic_det.offcat_id==19)):
desig_det= User_desig.objects.filter(Q(user_cate='SCHOOL&OFFICE') | Q(user_cate='OFFICE'))
else:
desig_det=''
pg_head='Office Non-Teaching'
return render (request,'post_edit_upd.html',locals())
else:
return redirect('%s?next=%s' % (settings.LOGIN_URL, request.path))
def post(self,request,**kwargs):
if request.user.is_authenticated():
pk=self.kwargs.get('pk')
form=staff_form(request.POST,request.FILES)
if form.is_valid():
if request.POST['post_mode']=='Permanent':
tpost_GO_pd = ''
ttemgofm_dt = None
ttemgoto_dt = None
else:
tpost_GO_pd = form.cleaned_data['post_GO_pd']
ttemgofm_dt = form.cleaned_data['temgofm_dt']
ttemgoto_dt = form.cleaned_data['temgoto_dt']
offntpost = Staff(
school_key = form.cleaned_data['school_key'],
post_name = form.cleaned_data['post_name'],
post_sub = form.cleaned_data['post_sub'],
post_sanc = form.cleaned_data['post_sanc'],
post_mode = form.cleaned_data['post_mode'],
post_GO = form.cleaned_data['post_GO'],
post_GO_dt = form.cleaned_data['post_GO_dt'],
post_filled = 0,
post_vac = form.cleaned_data['post_sanc'],
post_GO_pd = tpost_GO_pd,
temgofm_dt = ttemgofm_dt,
temgoto_dt = ttemgoto_dt,
staff_cat = 2,
)
offntpost.save()
messages.success(request,'Office Non-Teaching Staff details Added successfully')
return HttpResponseRedirect('/schoolnew/offnonteaching_edit/')
else:
messages.warning(request,'Office Non-Teaching Staff details Not Updated')
return render (request,'post_edit_upd.html',locals())
else:
return redirect('%s?next=%s' % (settings.LOGIN_URL, request.path))
class Offntpost_update(View):
def get(self,request,**kwargs):
if request.user.is_authenticated():
tid=self.kwargs.get('pk')
basic_det=Basicinfo.objects.get(udise_code=request.user.account.id)
instance=Staff.objects.get(id=tid)
sch_key = basic_det.id
nonteach_post = Staff.objects.filter(school_key=sch_key)
nonteach_det_dt=Staff.objects.get(id=tid)
form=staff_form(instance=instance)
post_name= instance.post_name
post_sub= instance.post_sub
post_sanc=instance.post_sanc
post_mode= instance.post_mode
post_GO= instance.post_GO
go_dt= instance.post_GO_dt
post_GO_dt= instance.post_GO_dt
post_GO_pd= instance.post_GO_pd
post_filled = instance.post_filled
post_vac = instance.post_vac
pg_head='Office Non-Teaching'
if nonteach_det_dt.post_GO_dt:
go_dt=nonteach_det_dt.post_GO_dt.strftime('%Y-%m-%d')
if ((basic_det.offcat_id==2)|(basic_det.offcat_id==3)|(basic_det.offcat_id==5)|(basic_det.offcat_id==7)|(basic_det.offcat_id==6)|(basic_det.offcat_id==8)|(basic_det.offcat_id==18)|(basic_det.offcat_id==20)|(basic_det.offcat_id==21)|(basic_det.offcat_id==22)|(basic_det.offcat_id==23)|(basic_det.offcat_id==24)|(basic_det.offcat_id==25)|(basic_det.offcat_id==26)|(basic_det.offcat_id==27)):
desig_det= User_desig.objects.filter(Q(user_cate='SCHOOL&OFFICE') | Q(user_cate='OFFICE')).exclude(user_level='HOD')
elif ((basic_det.offcat_id==4)|(basic_det.offcat_id==9)|(basic_det.offcat_id==10)|(basic_det.offcat_id==11)|(basic_det.offcat_id==11)):
desig_det= User_desig.objects.filter(Q(user_cate='SCHOOL&OFFICE') | Q(user_cate='OFFICE'))
else:
desig_det=''
sch_key = basic_det.id
return render (request,'post_edit_upd.html',locals())
else:
return redirect('%s?next=%s' % (settings.LOGIN_URL, request.path))
def post(self,request,**kwargs):
if request.user.is_authenticated():
tid=self.kwargs.get('pk')
basic_det=Basicinfo.objects.get(udise_code=request.user.account.id)
form = staff_form(request.POST,request.FILES)
instance=Staff.objects.get(id=tid)
newnonteachpost = Staff.objects.get(id=tid)
if form.is_valid():
newnonteachpost.post_name = form.cleaned_data['post_name']
newnonteachpost.post_sanc = form.cleaned_data['post_sanc']
newnonteachpost.post_mode = form.cleaned_data['post_mode']
newnonteachpost.post_GO = form.cleaned_data['post_GO']
newnonteachpost.post_GO_dt = form.cleaned_data['post_GO_dt']
newnonteachpost.post_GO_pd = form.cleaned_data['post_GO_pd']
newnonteachpost.post_sub = form.cleaned_data['post_sub']
newnonteachpost.staff_cat = 2
newnonteachpost.post_vac = (form.cleaned_data['post_sanc']-newnonteachpost.post_filled)
if newnonteachpost.post_mode=='Permanent':
newnonteachpost.temgofm_dt = None
newnonteachpost.temgoto_dt = None
else:
newnonteachpost.temgofm_dt = form.cleaned_data['temgofm_dt']
newnonteachpost.temgoto_dt = form.cleaned_data['temgoto_dt']
newnonteachpost.save()
messages.success(request,'Non-Teaching Post Details Updated successfully')
return HttpResponseRedirect('/schoolnew/offnonteaching_edit/')
else:
messages.warning(request,'Office Non-Teaching Staff details Not Updated')
print form.errors
return render (request,'off_staff_edit_upd.html',locals())
else:
return redirect('%s?next=%s' % (settings.LOGIN_URL, request.path))
class Offnonteaching_delete(View):
def get(self, request,**kwargs):
if request.user.is_authenticated():
tid=self.kwargs.get('pk')
data=Staff.objects.get(id=tid)
data.delete()
msg= data.post_name +" - Posts has been successfully removed "
messages.success(request, msg )
return HttpResponseRedirect('/schoolnew/offnonteaching_edit/')
else:
return redirect('%s?next=%s' % (settings.LOGIN_URL, request.path))
class Sch_Blk_abs(View):
def get(self,request,**kwargs):
blk_id=self.kwargs['pk']
deptlst=Manage_cate.objects.all().order_by('id')
# blkid=Basicinfo.objects.get(udise_code=int(request.user.username))
totsch=Basicinfo.objects.filter(block1=blk_id,chk_dept__in=[1,2,3],chk_manage__in=[1,2,3]).values('chk_manage','chk_dept').annotate(mang_schtot=Count('chk_dept')).order_by('chk_dept','chk_manage')
totschst=Basicinfo.objects.filter(chk_dept__in=[1,2,3],chk_manage__in=[1,2,3],block1=blk_id).values('chk_dept').annotate(schmantot=Count('chk_dept'))
totschgrtot=Basicinfo.objects.filter(chk_dept__in=[1,2,3],chk_manage__in=[1,2,3],block1=blk_id).count()
bitotsch=Basicinfo.objects.filter(chk_dept__in=[1,2,3],manage_cate_id__in=[1,2,3],block_id=blk_id).values('chk_manage','chk_dept').annotate(bi_schtot=Count('chk_dept')).order_by('chk_dept','chk_manage')
bischst=Basicinfo.objects.filter(chk_dept__in=[1,2,3],manage_cate_id__in=[1,2,3],block_id=blk_id).values('chk_dept').annotate(bimantot=Count('chk_dept'))
bigrtot=Basicinfo.objects.filter(manage_cate_id__in=[1,2,3],block_id=blk_id).count()
aitotsch=Basicinfo.objects.filter(chk_dept__in=[1,2,3],manage_cate_id__in=[1,2,3],block_id=blk_id).values('chk_manage','chk_dept').annotate(bi_schtot=Count('chk_dept'),acad_schcoun=Count('academicinfo')).order_by('chk_dept','chk_manage')
aistot=Basicinfo.objects.filter(chk_dept__in=[1,2,3],block_id=blk_id).values('chk_dept').annotate(acad_schtot=Count('academicinfo')).order_by('chk_dept')
aigrtot=Basicinfo.objects.filter(block_id=blk_id).values('academicinfo__school_key').count()
iitotsch=Basicinfo.objects.filter(chk_dept__in=[1,2,3],manage_cate_id__in=[1,2,3],block_id=blk_id).values('chk_manage','chk_dept').annotate(bi_schtot=Count('chk_dept'),infra_schcoun=Count('infradet')).order_by('chk_dept','chk_manage')
iistot=Basicinfo.objects.filter(chk_dept__in=[1,2,3],block_id=blk_id).values('chk_dept').annotate(infra_schtot=Count('infradet')).order_by('chk_dept')
iigrtot=Basicinfo.objects.filter(block_id=blk_id).values('infradet__school_key').count()
cstotsch=Basicinfo.objects.filter(chk_dept__in=[1,2,3],manage_cate_id__in=[1,2,3],block_id=blk_id).values('chk_manage','chk_dept').annotate(cs_schtot=Count('chk_dept'),cs_schcoun=Count('class_section__school_key',distinct = True)).order_by('chk_dept','chk_manage')
csstot=Basicinfo.objects.filter(chk_dept__in=[1,2,3],block_id=blk_id).values('chk_dept').annotate(cs_subtot=Count('class_section__school_key',distinct = True)).order_by('chk_dept')
csgrtot=Basicinfo.objects.filter(block_id=blk_id).values('class_section__school_key').distinct().count()
tptotsch=Basicinfo.objects.filter(chk_dept__in=[1,2,3],manage_cate_id__in=[1,2,3],staff__staff_cat='1',block_id=blk_id).values('chk_manage','chk_dept').annotate(tp_schtot=Count('chk_dept'),tp_schcoun=Sum('staff__post_sanc')).order_by('chk_dept','chk_manage')
tpstot=Basicinfo.objects.filter(chk_dept__in=[1,2,3],staff__staff_cat='1',block_id=blk_id).values('chk_dept').annotate(tp_schtot=Sum('staff__post_sanc')).order_by('chk_dept')
tpgrtot=Basicinfo.objects.filter(staff__staff_cat='1',block_id=blk_id).values('staff__post_sanc').aggregate(Sum('staff__post_sanc'))
tpftotsch=Basicinfo.objects.filter(chk_dept__in=[1,2,3],manage_cate_id__in=[1,2,3],staff__staff_cat='1',staff__post_filled__gt='0',block_id=blk_id).values('chk_manage','chk_dept').annotate(tpf_schtot=Count('chk_dept'),tpf_schcoun=Sum('staff__post_filled')).order_by('chk_dept','chk_manage')
tpfstot=Basicinfo.objects.filter(chk_dept__in=[1,2,3],staff__staff_cat='1',staff__post_filled__gt='0',block_id=blk_id).values('chk_dept').annotate(tpf_schtot=Sum('staff__post_filled')).order_by('chk_dept')
tpfgrtot=Basicinfo.objects.filter(block_id=blk_id,staff__staff_cat='1',staff__post_filled__gt='0').values('staff__post_filled').aggregate(Sum('staff__post_filled'))
# ntptotsch=Basicinfo.objects.filter(chk_dept__in=[1,2,3,manage_cate_id__in=[1,2,3],staff__staff_cat='2').values('chk_manage','chk_dept').annotate(ntp_schtot=Count('chk_dept'),ntp_schcoun=Sum('staff__post_sanc')).order_by('chk_dept','chk_manage')
ntptotsch=Basicinfo.objects.filter(staff__staff_cat='2',block_id=blk_id).values('chk_manage','chk_dept').annotate(ntp_schtot=Count('chk_dept'),ntp_schcoun=Sum('staff__post_sanc')).order_by('chk_dept','chk_manage')
ntpstot=Basicinfo.objects.filter(chk_dept__in=[1,2,3],staff__staff_cat='2',block_id=blk_id).values('chk_dept').annotate(ntp_schtot=Sum('staff__post_sanc')).order_by('chk_dept')
# ntpgrtot=Basicinfo.objects.filter(chk_dept__in=[1,2,3],staff__staff_cat='2').values('staff__post_sanc').annotate(Sum('staff__post_sanc'))
# ntpgrtot=Staff.objects.filter(staff_cat='2',block_id=blk_id).aggregate(Sum('post_sanc'))
ntpgrtot=Basicinfo.objects.filter(block_id=blk_id,staff__staff_cat='2').aggregate(Sum('staff__post_sanc'))
# ntpftotsch=Basicinfo.objects.filter(chk_dept__in=[1,2,3],manage_cate_id__in=[1,2,3],staff__staff_cat='2',staff__post_filled__gt='0').values('chk_manage','chk_dept').annotate(ntpf_schtot=Count('chk_dept'),ntpf_schcoun=Count('staff')).order_by('chk_dept','chk_manage')
ntpftotsch=Basicinfo.objects.filter(staff__staff_cat='2',staff__post_filled__gt='0',block_id=blk_id).values('chk_manage','chk_dept').annotate(ntpf_schtot=Count('chk_dept'),ntpf_schcoun=Sum('staff__post_filled')).order_by('chk_dept','chk_manage')
ntpfstot=Basicinfo.objects.filter(chk_dept__in=[1,2,3],staff__staff_cat='2',staff__post_filled__gt='0',block_id=blk_id).values('chk_dept').annotate(ntpf_schtot=Sum('staff__post_filled')).order_by('chk_dept')
# ntpfgrtot=Staff.objects.filter(staff_cat='2',post_filled__gt='0',block_id=blk_id).aggregate(Sum('post_filled'))
ntpfgrtot=Basicinfo.objects.filter(block_id=blk_id,staff__staff_cat='2',staff__post_filled__gt='0').aggregate(Sum('staff__post_filled'))
return render(request,'block_abs.html',locals())
class Sch_Dist_abs(View):
def get(self,request,**kwargs):
d_id=self.kwargs['pk']
deptlst=Manage_cate.objects.all().order_by('id')
blkid=Basicinfo.objects.get(udise_code=int(request.user.username))
totsch=Basicinfo.objects.filter(district1=d_id,chk_dept__in=[1,2,3],chk_manage__in=[1,2,3]).values('chk_manage','chk_dept').annotate(mang_schtot=Count('chk_dept')).order_by('chk_dept','chk_manage')
totschst=Basicinfo.objects.filter(chk_dept__in=[1,2,3],chk_manage__in=[1,2,3],district1=d_id).values('chk_dept').annotate(schmantot=Count('chk_dept'))
totschgrtot=Basicinfo.objects.filter(chk_dept__in=[1,2,3],chk_manage__in=[1,2,3],district1=d_id).count()
bitotsch=Basicinfo.objects.filter(chk_dept__in=[1,2,3],manage_cate_id__in=[1,2,3],district_id=d_id).values('chk_manage','chk_dept').annotate(bi_schtot=Count('chk_dept')).order_by('chk_dept','chk_manage')
bischst=Basicinfo.objects.filter(chk_dept__in=[1,2,3],manage_cate_id__in=[1,2,3],district_id=d_id).values('chk_dept').annotate(bimantot=Count('chk_dept'))
bigrtot=Basicinfo.objects.filter(manage_cate_id__in=[1,2,3],district_id=d_id).count()
aitotsch=Basicinfo.objects.filter(chk_dept__in=[1,2,3],manage_cate_id__in=[1,2,3],district_id=d_id).values('chk_manage','chk_dept').annotate(bi_schtot=Count('chk_dept'),acad_schcoun=Count('academicinfo')).order_by('chk_dept','chk_manage')
aistot=Basicinfo.objects.filter(chk_dept__in=[1,2,3],district_id=d_id).values('chk_dept').annotate(acad_schtot=Count('academicinfo')).order_by('chk_dept')
aigrtot=Basicinfo.objects.filter(district_id=d_id).values('academicinfo__school_key').count()
iitotsch=Basicinfo.objects.filter(chk_dept__in=[1,2,3],manage_cate_id__in=[1,2,3],district_id=d_id).values('chk_manage','chk_dept').annotate(bi_schtot=Count('chk_dept'),infra_schcoun=Count('infradet')).order_by('chk_dept','chk_manage')
iistot=Basicinfo.objects.filter(chk_dept__in=[1,2,3],district_id=d_id).values('chk_dept').annotate(infra_schtot=Count('infradet')).order_by('chk_dept')
iigrtot=Basicinfo.objects.filter(district_id=d_id).values('infradet__school_key').count()
cstotsch=Basicinfo.objects.filter(chk_dept__in=[1,2,3],manage_cate_id__in=[1,2,3],district_id=d_id).values('chk_manage','chk_dept').annotate(cs_schtot=Count('chk_dept'),cs_schcoun=Count('class_section__school_key',distinct = True)).order_by('chk_dept','chk_manage')
csstot=Basicinfo.objects.filter(chk_dept__in=[1,2,3],district_id=d_id).values('chk_dept').annotate(cs_subtot=Count('class_section__school_key',distinct = True)).order_by('chk_dept')
csgrtot=Basicinfo.objects.filter(district_id=d_id).values('class_section__school_key').distinct().count()
tptotsch=Basicinfo.objects.filter(chk_dept__in=[1,2,3],manage_cate_id__in=[1,2,3],staff__staff_cat='1',district_id=d_id).values('chk_manage','chk_dept').annotate(tp_schtot=Count('chk_dept'),tp_schcoun=Sum('staff__post_sanc')).order_by('chk_dept','chk_manage')
tpstot=Basicinfo.objects.filter(chk_dept__in=[1,2,3],staff__staff_cat='1',district_id=d_id).values('chk_dept').annotate(tp_schtot=Sum('staff__post_sanc')).order_by('chk_dept')
tpgrtot=Basicinfo.objects.filter(staff__staff_cat='1',district_id=d_id).values('staff__post_sanc').aggregate(Sum('staff__post_sanc'))
tpftotsch=Basicinfo.objects.filter(chk_dept__in=[1,2,3],manage_cate_id__in=[1,2,3],staff__staff_cat='1',staff__post_filled__gt='0',district_id=d_id).values('chk_manage','chk_dept').annotate(tpf_schtot=Count('chk_dept'),tpf_schcoun=Sum('staff__post_filled')).order_by('chk_dept','chk_manage')
tpfstot=Basicinfo.objects.filter(chk_dept__in=[1,2,3],staff__staff_cat='1',staff__post_filled__gt='0',district_id=d_id).values('chk_dept').annotate(tpf_schtot=Sum('staff__post_filled')).order_by('chk_dept')
tpfgrtot=Basicinfo.objects.filter(district_id=d_id,staff__staff_cat='1',staff__post_filled__gt='0').values('staff__post_filled').aggregate(Sum('staff__post_filled'))
# ntptotsch=Basicinfo.objects.filter(chk_dept__in=[1,2,3,manage_cate_id__in=[1,2,3],staff__staff_cat='2').values('chk_manage','chk_dept').annotate(ntp_schtot=Count('chk_dept'),ntp_schcoun=Sum('staff__post_sanc')).order_by('chk_dept','chk_manage')
ntptotsch=Basicinfo.objects.filter(staff__staff_cat='2',district_id=d_id).values('chk_manage','chk_dept').annotate(ntp_schtot=Count('chk_dept'),ntp_schcoun=Sum('staff__post_sanc')).order_by('chk_dept','chk_manage')
ntpstot=Basicinfo.objects.filter(chk_dept__in=[1,2,3],staff__staff_cat='2',district_id=d_id).values('chk_dept').annotate(ntp_schtot=Sum('staff__post_sanc')).order_by('chk_dept')
# ntpgrtot=Basicinfo.objects.filter(chk_dept__in=[1,2,3],staff__staff_cat='2').values('staff__post_sanc').annotate(Sum('staff__post_sanc'))
# ntpgrtot=Staff.objects.filter(staff_cat='2',district_id=d_id).aggregate(Sum('post_sanc'))
ntpgrtot=Basicinfo.objects.filter(district_id=d_id,staff__staff_cat='2').aggregate(Sum('staff__post_sanc'))
# ntpftotsch=Basicinfo.objects.filter(chk_dept__in=[1,2,3],manage_cate_id__in=[1,2,3],staff__staff_cat='2',staff__post_filled__gt='0').values('chk_manage','chk_dept').annotate(ntpf_schtot=Count('chk_dept'),ntpf_schcoun=Count('staff')).order_by('chk_dept','chk_manage')
ntpftotsch=Basicinfo.objects.filter(staff__staff_cat='2',staff__post_filled__gt='0',district_id=d_id).values('chk_manage','chk_dept').annotate(ntpf_schtot=Count('chk_dept'),ntpf_schcoun=Sum('staff__post_filled')).order_by('chk_dept','chk_manage')
ntpfstot=Basicinfo.objects.filter(chk_dept__in=[1,2,3],staff__staff_cat='2',staff__post_filled__gt='0',district_id=d_id).values('chk_dept').annotate(ntpf_schtot=Sum('staff__post_filled')).order_by('chk_dept')
# ntpfgrtot=Staff.objects.filter(staff_cat='2',post_filled__gt='0',district_id=d_id).aggregate(Sum('post_filled'))
ntpfgrtot=Basicinfo.objects.filter(district_id=d_id,staff__staff_cat='2',staff__post_filled__gt='0').aggregate(Sum('staff__post_filled'))
return render(request,'dist_abs.html',locals())
class Sch_State_abs(View):
def get(self,request,**kwargs):
deptlst=Manage_cate.objects.all().order_by('id')
totsch=Basicinfo.objects.filter(chk_dept__in=[1,2,3],chk_manage__in=[1,2,3]).values('chk_manage','chk_dept').annotate(mang_schtot=Count('chk_dept')).order_by('chk_dept','chk_manage')
totschst=Basicinfo.objects.filter(chk_dept__in=[1,2,3],chk_manage__in=[1,2,3]).values('chk_dept').annotate(schmantot=Count('chk_dept'))
totschgrtot=Basicinfo.objects.filter(chk_dept__in=[1,2,3],chk_manage__in=[1,2,3]).count()
bitotsch=Basicinfo.objects.filter(chk_dept__in=[1,2,3],manage_cate_id__in=[1,2,3]).values('chk_manage','chk_dept').annotate(bi_schtot=Count('chk_dept')).order_by('chk_dept','chk_manage')
bischst=Basicinfo.objects.filter(chk_dept__in=[1,2,3],manage_cate_id__in=[1,2,3]).values('chk_dept').annotate(bimantot=Count('chk_dept'))
bigrtot=Basicinfo.objects.filter(manage_cate_id__in=[1,2,3]).count()
aitotsch=Basicinfo.objects.filter(chk_dept__in=[1,2,3],manage_cate_id__in=[1,2,3]).values('chk_manage','chk_dept').annotate(bi_schtot=Count('chk_dept'),acad_schcoun=Count('academicinfo')).order_by('chk_dept','chk_manage')
aistot=Basicinfo.objects.filter(chk_dept__in=[1,2,3]).values('chk_dept').annotate(acad_schtot=Count('academicinfo')).order_by('chk_dept')
aigrtot=Academicinfo.objects.all().count()
iitotsch=Basicinfo.objects.filter(chk_dept__in=[1,2,3],manage_cate_id__in=[1,2,3]).values('chk_manage','chk_dept').annotate(bi_schtot=Count('chk_dept'),infra_schcoun=Count('infradet')).order_by('chk_dept','chk_manage')
iistot=Basicinfo.objects.filter(chk_dept__in=[1,2,3]).values('chk_dept').annotate(infra_schtot=Count('infradet')).order_by('chk_dept')
iigrtot=Infradet.objects.all().count()
cstotsch=Basicinfo.objects.filter(chk_dept__in=[1,2,3],manage_cate_id__in=[1,2,3]).values('chk_manage','chk_dept').annotate(cs_schtot=Count('chk_dept'),cs_schcoun=Count('class_section__school_key',distinct = True)).order_by('chk_dept','chk_manage')
csstot=Basicinfo.objects.filter(chk_dept__in=[1,2,3]).values('chk_dept').annotate(cs_subtot=Count('class_section__school_key',distinct = True)).order_by('chk_dept')
csgrtot=Class_section.objects.all().values('school_key').distinct().count()
tptotsch=Basicinfo.objects.filter(chk_dept__in=[1,2,3],manage_cate_id__in=[1,2,3],staff__staff_cat='1').values('chk_manage','chk_dept').annotate(tp_schtot=Count('chk_dept'),tp_schcoun=Sum('staff__post_sanc')).order_by('chk_dept','chk_manage')
tpstot=Basicinfo.objects.filter(chk_dept__in=[1,2,3],staff__staff_cat='1').values('chk_dept').annotate(tp_schtot=Sum('staff__post_sanc')).order_by('chk_dept')
tpgrtot=Staff.objects.filter(staff_cat='1').aggregate(Sum('post_sanc'))
tpftotsch=Basicinfo.objects.filter(chk_dept__in=[1,2,3],manage_cate_id__in=[1,2,3],staff__staff_cat='1',staff__post_filled__gt='0').values('chk_manage','chk_dept').annotate(tpf_schtot=Count('chk_dept'),tpf_schcoun=Sum('staff__post_filled')).order_by('chk_dept','chk_manage')
tpfstot=Basicinfo.objects.filter(chk_dept__in=[1,2,3],staff__staff_cat='1',staff__post_filled__gt='0').values('chk_dept').annotate(tpf_schtot=Sum('staff__post_filled')).order_by('chk_dept')
tpfgrtot=Staff.objects.filter(staff_cat='1',post_filled__gt='0').aggregate(Sum('post_filled'))
ntptotsch=Basicinfo.objects.filter(staff__staff_cat='2').values('chk_manage','chk_dept').annotate(ntp_schtot=Count('chk_dept'),ntp_schcoun=Sum('staff__post_sanc')).order_by('chk_dept','chk_manage')
ntpstot=Basicinfo.objects.filter(chk_dept__in=[1,2,3],staff__staff_cat='2').values('chk_dept').annotate(ntp_schtot=Sum('staff__post_sanc')).order_by('chk_dept')
ntpgrtot=Staff.objects.filter(staff_cat='2').aggregate(Sum('post_sanc'))
ntpftotsch=Basicinfo.objects.filter(staff__staff_cat='2',staff__post_filled__gt='0').values('chk_manage','chk_dept').annotate(ntpf_schtot=Count('chk_dept'),ntpf_schcoun=Sum('staff__post_filled')).order_by('chk_dept','chk_manage')
ntpfstot=Basicinfo.objects.filter(chk_dept__in=[1,2,3],staff__staff_cat='2',staff__post_filled__gt='0').values('chk_dept').annotate(ntpf_schtot=Sum('staff__post_filled')).order_by('chk_dept')
ntpfgrtot=Staff.objects.filter(staff_cat='2',post_filled__gt='0').aggregate(Sum('post_filled'))
return render(request,'state_abs.html',locals())
class Sch_sr_bi(View):
def get(self,request,**kwargs):
dl=District.objects.all().order_by('id')
schlst=Basicinfo.objects.all().values('chk_dept','district').annotate(disttot=Count('district')).order_by('district')
disttot=Basicinfo.objects.filter(chk_dept__in=[1,2,3]).values('district').annotate(schsubtot=Count('chk_dept'))
schgrtot=Basicinfo.objects.filter(chk_dept__in=[1,2,3]).values('chk_dept').annotate(schgtot=Count('chk_dept'))
schtotal=Basicinfo.objects.filter(chk_dept__in=[1,2,3]).count()
mandet=Basicinfo.objects.filter(chk_dept__in=[1,2,3]).values('manage_cate_id','district').annotate(mdet=Count('district')).order_by('district')
mansubtot=Basicinfo.objects.filter(manage_cate_id__in=[1,2,3]).values('district').annotate(mantot=Count('district'))
mangrtot=Basicinfo.objects.filter(manage_cate_id__in=[1,2,3]).values('manage_cate').annotate(mangtot=Count('manage_cate'))
mantotal=Basicinfo.objects.filter(manage_cate_id__in=[1,2,3]).count()
dsemandet=Basicinfo.objects.filter(chk_dept__in=[1]).values('manage_cate_id','district').annotate(dsemdet=Count('district')).order_by('district')
dsemansubtot=Basicinfo.objects.filter(chk_dept__in=[1],manage_cate_id__in=[1,2,3]).values('district').annotate(dsemantot=Count('district'))
dsemangrtot=Basicinfo.objects.filter(chk_dept__in=[1],manage_cate_id__in=[1,2,3]).values('manage_cate').annotate(dsemangtot=Count('manage_cate'))
dsemantotal=Basicinfo.objects.filter(chk_dept__in=[1],manage_cate_id__in=[1,2,3]).count()
deemandet=Basicinfo.objects.filter(chk_dept__in=[2]).values('manage_cate_id','district').annotate(deemdet=Count('district')).order_by('district')
deemansubtot=Basicinfo.objects.filter(chk_dept__in=[2],manage_cate_id__in=[1,2,3]).values('district').annotate(deemantot=Count('district'))
deemangrtot=Basicinfo.objects.filter(chk_dept__in=[2],manage_cate_id__in=[1,2,3]).values('manage_cate').annotate(deemangtot=Count('manage_cate'))
deemantotal=Basicinfo.objects.filter(chk_dept__in=[2],manage_cate_id__in=[1,2,3]).count()
dmsmandet=Basicinfo.objects.filter(chk_dept__in=[3]).values('manage_cate_id','district').annotate(dmsmdet=Count('district')).order_by('district')
dmsmansubtot=Basicinfo.objects.filter(chk_dept__in=[3],manage_cate_id__in=[1,2,3]).values('district').annotate(dmsmantot=Count('district'))
dmsmangrtot=Basicinfo.objects.filter(chk_dept__in=[3],manage_cate_id__in=[1,2,3]).values('manage_cate').annotate(dmsmangtot=Count('manage_cate'))
dmsmantotal=Basicinfo.objects.filter(chk_dept__in=[3],manage_cate_id__in=[1,2,3]).count()
return render(request,'drep_bi.html',locals())
class Sch_sr_ai(View):
def get(self,request,**kwargs):
dl=District.objects.all().order_by('id')
schlst=Basicinfo.objects.all().values('chk_dept','district').annotate(disttot=Count('district')).order_by('district')
disttot=Basicinfo.objects.filter(chk_dept__in=[1,2,3]).values('district').annotate(schsubtot=Count('chk_dept'))
schgrtot=Basicinfo.objects.filter(chk_dept__in=[1,2,3]).values('chk_dept').annotate(schgtot=Count('chk_dept'))
schtotal=Basicinfo.objects.filter(chk_dept__in=[1,2,3]).count()
mandet=Basicinfo.objects.filter(chk_dept__in=[1,2,3]).values('manage_cate_id','district').annotate(mdet=Count('academicinfo__school_key')).order_by('district')
mansubtot=Basicinfo.objects.filter(manage_cate_id__in=[1,2,3]).values('district').annotate(mantot=Count('academicinfo__school_key'))
mangrtot=Basicinfo.objects.filter(manage_cate_id__in=[1,2,3]).values('manage_cate').annotate(mangtot=Count('academicinfo__school_key'))
mantotal=Academicinfo.objects.all().count()
dsemandet=Basicinfo.objects.filter(chk_dept__in=[1]).values('manage_cate_id','district').annotate(dsemdet=Count('academicinfo__school_key')).order_by('district')
dsemansubtot=Basicinfo.objects.filter(chk_dept__in=[1],manage_cate_id__in=[1,2,3]).values('district').annotate(dsemantot=Count('academicinfo__school_key'))
dsemangrtot=Basicinfo.objects.filter(chk_dept__in=[1],manage_cate_id__in=[1,2,3]).values('manage_cate').annotate(dsemangtot=Count('academicinfo__school_key'))
dsemantotal=Basicinfo.objects.filter(chk_dept__in=[1],manage_cate_id__in=[1,2,3]).values('academicinfo__school_key').count()
deemandet=Basicinfo.objects.filter(chk_dept__in=[2]).values('manage_cate_id','district').annotate(deemdet=Count('academicinfo__school_key')).order_by('district')
deemansubtot=Basicinfo.objects.filter(chk_dept__in=[2],manage_cate_id__in=[1,2,3]).values('district').annotate(deemantot=Count('academicinfo__school_key'))
deemangrtot=Basicinfo.objects.filter(chk_dept__in=[2],manage_cate_id__in=[1,2,3]).values('manage_cate').annotate(deemangtot=Count('academicinfo__school_key'))
deemantotal=Basicinfo.objects.filter(chk_dept__in=[2],manage_cate_id__in=[1,2,3]).values('academicinfo__school_key').count()
dmsmandet=Basicinfo.objects.filter(chk_dept__in=[3]).values('manage_cate_id','district').annotate(dmsmdet=Count('academicinfo__school_key')).order_by('district')
dmsmansubtot=Basicinfo.objects.filter(chk_dept__in=[3],manage_cate_id__in=[1,2,3]).values('district').annotate(dmsmantot=Count('academicinfo__school_key'))
dmsmangrtot=Basicinfo.objects.filter(chk_dept__in=[3],manage_cate_id__in=[1,2,3]).values('manage_cate').annotate(dmsmangtot=Count('academicinfo__school_key'))
dmsmantotal=Basicinfo.objects.filter(chk_dept__in=[3],manage_cate_id__in=[1,2,3]).values('academicinfo__school_key').count()
return render(request,'drep_ai.html',locals())
class Sch_sr_ii(View):
def get(self,request,**kwargs):
dl=District.objects.all().order_by('id')
schlst=Basicinfo.objects.all().values('chk_dept','district').annotate(disttot=Count('district')).order_by('district')
disttot=Basicinfo.objects.filter(chk_dept__in=[1,2,3]).values('district').annotate(schsubtot=Count('chk_dept'))
schgrtot=Basicinfo.objects.filter(chk_dept__in=[1,2,3]).values('chk_dept').annotate(schgtot=Count('chk_dept'))
schtotal=Basicinfo.objects.filter(chk_dept__in=[1,2,3]).count()
mandet=Basicinfo.objects.filter(chk_dept__in=[1,2,3]).values('manage_cate_id','district').annotate(mdet=Count('infradet__school_key')).order_by('district')
mansubtot=Basicinfo.objects.filter(manage_cate_id__in=[1,2,3]).values('district').annotate(mantot=Count('infradet__school_key'))
mangrtot=Basicinfo.objects.filter(manage_cate_id__in=[1,2,3]).values('manage_cate').annotate(mangtot=Count('infradet__school_key'))
mantotal=Infradet.objects.all().count()
dsemandet=Basicinfo.objects.filter(chk_dept__in=[1]).values('manage_cate_id','district').annotate(dsemdet=Count('infradet__school_key')).order_by('district')
dsemansubtot=Basicinfo.objects.filter(chk_dept__in=[1],manage_cate_id__in=[1,2,3]).values('district').annotate(dsemantot=Count('infradet__school_key'))
dsemangrtot=Basicinfo.objects.filter(chk_dept__in=[1],manage_cate_id__in=[1,2,3]).values('manage_cate').annotate(dsemangtot=Count('infradet__school_key'))
dsemantotal=Basicinfo.objects.filter(chk_dept__in=[1],manage_cate_id__in=[1,2,3]).values('infradet__school_key').count()
deemandet=Basicinfo.objects.filter(chk_dept__in=[2]).values('manage_cate_id','district').annotate(deemdet=Count('infradet__school_key')).order_by('district')
deemansubtot=Basicinfo.objects.filter(chk_dept__in=[2],manage_cate_id__in=[1,2,3]).values('district').annotate(deemantot=Count('infradet__school_key'))
deemangrtot=Basicinfo.objects.filter(chk_dept__in=[2],manage_cate_id__in=[1,2,3]).values('manage_cate').annotate(deemangtot=Count('infradet__school_key'))
deemantotal=Basicinfo.objects.filter(chk_dept__in=[2],manage_cate_id__in=[1,2,3]).values('infradet__school_key').count()
dmsmandet=Basicinfo.objects.filter(chk_dept__in=[3]).values('manage_cate_id','district').annotate(dmsmdet=Count('infradet__school_key')).order_by('district')
dmsmansubtot=Basicinfo.objects.filter(chk_dept__in=[3],manage_cate_id__in=[1,2,3]).values('district').annotate(dmsmantot=Count('infradet__school_key'))
dmsmangrtot=Basicinfo.objects.filter(chk_dept__in=[3],manage_cate_id__in=[1,2,3]).values('manage_cate').annotate(dmsmangtot=Count('infradet__school_key'))
dmsmantotal=Basicinfo.objects.filter(chk_dept__in=[3],manage_cate_id__in=[1,2,3]).values('infradet__school_key').count()
return render(request,'drep_ii.html',locals())
class Sch_sr_cs(View):
def get(self,request,**kwargs):
dl=District.objects.all().order_by('id')
schlst=Basicinfo.objects.all().values('chk_dept','district').annotate(disttot=Count('district')).order_by('district')
disttot=Basicinfo.objects.filter(chk_dept__in=[1,2,3]).values('district').annotate(schsubtot=Count('chk_dept'))
schgrtot=Basicinfo.objects.filter(chk_dept__in=[1,2,3]).values('chk_dept').annotate(schgtot=Count('chk_dept'))
schtotal=Basicinfo.objects.filter(chk_dept__in=[1,2,3]).count()
mandet=Basicinfo.objects.filter(chk_dept__in=[1,2,3]).values('manage_cate_id','district').annotate(mdet=Count('class_section__school_key',distinct = True)).order_by('district')
mansubtot=Basicinfo.objects.filter(manage_cate_id__in=[1,2,3]).values('district').annotate(mantot=Count('class_section__school_key',distinct = True))
mangrtot=Basicinfo.objects.filter(manage_cate_id__in=[1,2,3]).values('manage_cate').annotate(mangtot=Count('class_section__school_key',distinct = True))
mantotal=Class_section.objects.all().values('school_key').distinct().count()
dsemandet=Basicinfo.objects.filter(chk_dept__in=[1]).values('manage_cate_id','district').annotate(dsemdet=Count('class_section__school_key',distinct = True)).order_by('district')
dsemansubtot=Basicinfo.objects.filter(chk_dept__in=[1],manage_cate_id__in=[1,2,3]).values('district').annotate(dsemantot=Count('class_section__school_key',distinct = True))
dsemangrtot=Basicinfo.objects.filter(chk_dept__in=[1],manage_cate_id__in=[1,2,3]).values('manage_cate').annotate(dsemangtot=Count('class_section__school_key',distinct = True))
dsemantotal=Basicinfo.objects.filter(chk_dept__in=[1],manage_cate_id__in=[1,2,3]).values('class_section__school_key').distinct().count()
deemandet=Basicinfo.objects.filter(chk_dept__in=[2]).values('manage_cate_id','district').annotate(deemdet=Count('class_section__school_key',distinct = True)).order_by('district')
deemansubtot=Basicinfo.objects.filter(chk_dept__in=[2],manage_cate_id__in=[1,2,3]).values('district').annotate(deemantot=Count('class_section__school_key',distinct = True))
deemangrtot=Basicinfo.objects.filter(chk_dept__in=[2],manage_cate_id__in=[1,2,3]).values('manage_cate').annotate(deemangtot=Count('class_section__school_key',distinct = True))
deemantotal=Basicinfo.objects.filter(chk_dept__in=[2],manage_cate_id__in=[1,2,3]).values('class_section__school_key').distinct().count()
dmsmandet=Basicinfo.objects.filter(chk_dept__in=[3]).values('manage_cate_id','district').annotate(dmsmdet=Count('class_section__school_key',distinct = True)).order_by('district')
dmsmansubtot=Basicinfo.objects.filter(chk_dept__in=[3],manage_cate_id__in=[1,2,3]).values('district').annotate(dmsmantot=Count('class_section__school_key',distinct = True))
dmsmangrtot=Basicinfo.objects.filter(chk_dept__in=[3],manage_cate_id__in=[1,2,3]).values('manage_cate').annotate(dmsmangtot=Count('class_section__school_key',distinct = True))
dmsmantotal=Basicinfo.objects.filter(chk_dept__in=[3],manage_cate_id__in=[1,2,3]).values('class_section__school_key').distinct().count()
return render(request,'drep_cs.html',locals())
class Sch_sr_ti(View):
def get(self,request,**kwargs):
dl=District.objects.all().order_by('id')
schlst=Basicinfo.objects.all().values('chk_dept','district').annotate(disttot=Count('district')).order_by('district')
disttot=Basicinfo.objects.filter(chk_dept__in=[1,2,3]).values('district').annotate(schsubtot=Count('chk_dept'))
schgrtot=Basicinfo.objects.filter(chk_dept__in=[1,2,3]).values('chk_dept').annotate(schgtot=Count('chk_dept'))
schtotal=Basicinfo.objects.filter(chk_dept__in=[1,2,3]).count()
mandet=Basicinfo.objects.filter(chk_dept__in=[1,2,3],staff__staff_cat='1').values('manage_cate_id','district').annotate(mdet=Sum('staff__post_sanc')).order_by('district')
mansubtot=Basicinfo.objects.filter(manage_cate_id__in=[1,2,3],staff__staff_cat='1').values('district').annotate(mantot=Sum('staff__post_sanc'))
mangrtot=Basicinfo.objects.filter(manage_cate_id__in=[1,2,3],staff__staff_cat='1').values('manage_cate').annotate(mangtot=Sum('staff__post_sanc'))
mantotal=Staff.objects.filter(staff_cat='1').aggregate(Sum('post_sanc'))
dsemandet=Basicinfo.objects.filter(chk_dept__in=[1],staff__staff_cat='1').values('manage_cate_id','district').annotate(dsemdet=Sum('staff__post_sanc')).order_by('district')
dsemansubtot=Basicinfo.objects.filter(chk_dept__in=[1],manage_cate_id__in=[1,2,3],staff__staff_cat='1').values('district').annotate(dsemantot=Sum('staff__post_sanc'))
dsemangrtot=Basicinfo.objects.filter(chk_dept__in=[1],manage_cate_id__in=[1,2,3],staff__staff_cat='1').values('manage_cate').annotate(dsemangtot=Sum('staff__post_sanc'))
dsemantotal=Basicinfo.objects.filter(chk_dept__in=[1],manage_cate_id__in=[1,2,3],staff__staff_cat='1').aggregate(Sum('staff__post_sanc'))
deemandet=Basicinfo.objects.filter(chk_dept__in=[2],staff__staff_cat='1').values('manage_cate_id','district').annotate(deemdet=Sum('staff__post_sanc')).order_by('district')
deemansubtot=Basicinfo.objects.filter(chk_dept__in=[2],manage_cate_id__in=[1,2,3],staff__staff_cat='1').values('district').annotate(deemantot=Sum('staff__post_sanc'))
deemangrtot=Basicinfo.objects.filter(chk_dept__in=[2],manage_cate_id__in=[1,2,3],staff__staff_cat='1').values('manage_cate').annotate(deemangtot=Sum('staff__post_sanc'))
deemantotal=Basicinfo.objects.filter(chk_dept__in=[2],manage_cate_id__in=[1,2,3],staff__staff_cat='1').aggregate(Sum('staff__post_sanc'))
manfdet=Basicinfo.objects.filter(chk_dept__in=[1,2,3],staff__staff_cat='1',staff__post_filled__gt='0').values('manage_cate_id','district').annotate(mfdet=Sum('staff__post_filled')).order_by('district')
manfsubtot=Basicinfo.objects.filter(chk_dept__in=[1,2,3],manage_cate_id__in=[1,2,3],staff__staff_cat='1',staff__post_filled__gt='0').values('district').annotate(manftot=Sum('staff__post_filled'))
manfgrtot=Basicinfo.objects.filter(chk_dept__in=[1,2,3],manage_cate_id__in=[1,2,3],staff__staff_cat='1',staff__post_filled__gt='0').values('manage_cate').annotate(manfgtot=Sum('staff__post_filled'))
manftotal=Staff.objects.filter(staff_cat='1',post_filled__gt='0').aggregate(Sum('post_filled'))
dsemanfdet=Basicinfo.objects.filter(chk_dept__in=[1],staff__staff_cat='1',staff__post_filled__gt='0').values('manage_cate_id','district').annotate(dsemfdet=Sum('staff__post_filled')).order_by('district')
dsemanfsubtot=Basicinfo.objects.filter(chk_dept__in=[1],manage_cate_id__in=[1,2,3],staff__staff_cat='1',staff__post_filled__gt='0').values('district').annotate(dsemanftot=Sum('staff__post_filled'))
dsemanfgrtot=Basicinfo.objects.filter(chk_dept__in=[1],manage_cate_id__in=[1,2,3],staff__staff_cat='1',staff__post_filled__gt='0').values('manage_cate').annotate(dsemanfgtot=Sum('staff__post_filled'))
dsemanftotal=Basicinfo.objects.filter(chk_dept__in=[1],manage_cate_id__in=[1,2,3],staff__staff_cat='1',staff__post_filled__gt='0').aggregate(Sum('staff__post_filled'))
deemanfdet=Basicinfo.objects.filter(chk_dept__in=[2],staff__staff_cat='1',staff__post_filled__gt='0').values('manage_cate_id','district').annotate(deemfdet=Count('staff__school_key')).order_by('district')
deemanfsubtot=Basicinfo.objects.filter(chk_dept__in=[2],manage_cate_id__in=[1,2,3],staff__staff_cat='1',staff__post_filled__gt='0').values('district').annotate(deemanftot=Sum('staff__post_filled'))
deemanfgrtot=Basicinfo.objects.filter(chk_dept__in=[2],manage_cate_id__in=[1,2,3],staff__staff_cat='1',staff__post_filled__gt='0').values('manage_cate').annotate(deemangftot=Sum('staff__post_filled'))
deemanftotal=Basicinfo.objects.filter(chk_dept__in=[2],manage_cate_id__in=[1,2,3],staff__staff_cat='1',staff__post_filled__gt='0').aggregate(Sum('staff__post_filled'))
return render(request,'drep_ti.html',locals())
class Sch_sr_nti(View):
def get(self,request,**kwargs):
dl=District.objects.all().order_by('id')
schlst=Basicinfo.objects.all().values('chk_dept','district').annotate(disttot=Count('district')).order_by('district')
disttot=Basicinfo.objects.filter(chk_dept__in=[1,2,3]).values('district').annotate(schsubtot=Count('chk_dept'))
schgrtot=Basicinfo.objects.filter(chk_dept__in=[1,2,3]).values('chk_dept').annotate(schgtot=Count('chk_dept'))
schtotal=Basicinfo.objects.filter(chk_dept__in=[1,2,3]).count()
mandet=Basicinfo.objects.filter(staff__staff_cat='2').values('manage_cate_id','district').annotate(mdet=Sum('staff__post_sanc')).order_by('district')
mansubtot=Basicinfo.objects.filter(staff__staff_cat='2').values('district').annotate(mantot=Sum('staff__post_sanc'))
mangrtot=Basicinfo.objects.filter(staff__staff_cat='2').values('manage_cate').annotate(mangtot=Sum('staff__post_sanc'))
mantotal=Staff.objects.filter(staff_cat='2').aggregate(Sum('post_sanc'))
dsemandet=Basicinfo.objects.filter(chk_dept__in=[1],staff__staff_cat='2').values('manage_cate_id','district').annotate(dsemdet=Sum('staff__post_sanc')).order_by('district')
dsemansubtot=Basicinfo.objects.filter(chk_dept__in=[1],manage_cate_id__in=[1,2,3],staff__staff_cat='2').values('district').annotate(dsemantot=Sum('staff__post_sanc'))
dsemangrtot=Basicinfo.objects.filter(chk_dept__in=[1],manage_cate_id__in=[1,2,3],staff__staff_cat='2').values('manage_cate').annotate(dsemangtot=Sum('staff__post_sanc'))
dsemantotal=Basicinfo.objects.filter(chk_dept__in=[1],manage_cate_id__in=[1,2,3],staff__staff_cat='2').aggregate(Sum('staff__post_sanc'))
deemandet=Basicinfo.objects.filter(chk_dept__in=[2],staff__staff_cat='2').values('manage_cate_id','district').annotate(deemdet=Sum('staff__post_sanc')).order_by('district')
deemansubtot=Basicinfo.objects.filter(chk_dept__in=[2],manage_cate_id__in=[1,2,3],staff__staff_cat='2').values('district').annotate(deemantot=Sum('staff__post_sanc'))
deemangrtot=Basicinfo.objects.filter(chk_dept__in=[2],manage_cate_id__in=[1,2,3],staff__staff_cat='2').values('manage_cate').annotate(deemangtot=Sum('staff__post_sanc'))
deemantotal=Basicinfo.objects.filter(chk_dept__in=[2],manage_cate_id__in=[1,2,3],staff__staff_cat='2').aggregate(Sum('staff__post_sanc'))
manfdet=Basicinfo.objects.filter(staff__staff_cat='2',staff__post_filled__gt='0').values('manage_cate_id','district').annotate(mfdet=Sum('staff__post_filled')).order_by('district')
manfsubtot=Basicinfo.objects.filter(staff__staff_cat='2',staff__post_filled__gt='0').values('district').annotate(manftot=Sum('staff__post_filled'))
manfgrtot=Basicinfo.objects.filter(staff__staff_cat='2',staff__post_filled__gt='0').values('manage_cate').annotate(manfgtot=Sum('staff__post_filled'))
manftotal=Staff.objects.filter(staff_cat='2',post_filled__gt='0').aggregate(Sum('post_filled'))
dsemanfdet=Basicinfo.objects.filter(chk_dept__in=[1],staff__staff_cat='2',staff__post_filled__gt='0').values('manage_cate_id','district').annotate(dsemfdet=Sum('staff__post_filled')).order_by('district')
dsemanfsubtot=Basicinfo.objects.filter(chk_dept__in=[1],manage_cate_id__in=[1,2,3],staff__staff_cat='2',staff__post_filled__gt='0').values('district').annotate(dsemanftot=Sum('staff__post_filled'))
dsemanfgrtot=Basicinfo.objects.filter(chk_dept__in=[1],manage_cate_id__in=[1,2,3],staff__staff_cat='2',staff__post_filled__gt='0').values('manage_cate').annotate(dsemanfgtot=Sum('staff__post_filled'))
dsemanftotal=Basicinfo.objects.filter(chk_dept__in=[1],manage_cate_id__in=[1,2,3],staff__staff_cat='2',staff__post_filled__gt='0').aggregate(Sum('staff__post_filled'))
deemanfdet=Basicinfo.objects.filter(chk_dept__in=[2],staff__staff_cat='2',staff__post_filled__gt='0').values('manage_cate_id','district').annotate(deemfdet=Sum('staff__post_filled')).order_by('district')
deemanfsubtot=Basicinfo.objects.filter(chk_dept__in=[2],manage_cate_id__in=[1,2,3],staff__staff_cat='2',staff__post_filled__gt='0').values('district').annotate(deemanftot=Sum('staff__post_filled'))
deemanfgrtot=Basicinfo.objects.filter(chk_dept__in=[2],manage_cate_id__in=[1,2,3],staff__staff_cat='2',staff__post_filled__gt='0').values('manage_cate').annotate(deemangftot=Sum('staff__post_filled'))
deemanftotal=Basicinfo.objects.filter(chk_dept__in=[2],manage_cate_id__in=[1,2,3],staff__staff_cat='2',staff__post_filled__gt='0').aggregate(Sum('staff__post_filled'))
return render(request,'drep_nti.html',locals())
class Sch_blkr_bi(View):
def get(self,request,**kwargs):
d_id=self.kwargs['blk']
if (self.kwargs.get('code')):
dept_opt=int(self.kwargs.get('code'))
bl=Block.objects.filter(district=d_id).order_by('block_name')
try:
basic_det=Basicinfo.objects.get(udise_code=request.user.username)
except:
pass
else:
basic_det=Basicinfo.objects.get(udise_code=request.user.username)
finally:
pass
schlst=Basicinfo.objects.all().values('chk_dept','block').annotate(schblktot=Count('block')).order_by('block')
blktot=Basicinfo.objects.filter(chk_dept__in=[1,2,3],district=d_id).values('block').annotate(schsubtot=Count('chk_dept'))
schgrtot=Basicinfo.objects.filter(chk_dept__in=[1,2,3],district=d_id).values('chk_dept').annotate(schgtot=Count('chk_dept'))
schtotal=Basicinfo.objects.filter(chk_dept__in=[1,2,3],district=d_id).count()
mandet=Basicinfo.objects.filter(chk_dept__in=[1,2,3],district=d_id).values('manage_cate_id','block').annotate(mdet=Count('block')).order_by('block')
mansubtot=Basicinfo.objects.filter(manage_cate_id__in=[1,2,3],district=d_id).values('block').annotate(mantot=Count('block'))
mangrtot=Basicinfo.objects.filter(manage_cate_id__in=[1,2,3],district=d_id).values('manage_cate').annotate(mangtot=Count('manage_cate'))
mantotal=Basicinfo.objects.filter(manage_cate_id__in=[1,2,3],district=d_id).count()
dsemandet=Basicinfo.objects.filter(chk_dept__in=[1],district=d_id).values('manage_cate_id','block').annotate(dsemdet=Count('block')).order_by('block')
dsemansubtot=Basicinfo.objects.filter(chk_dept__in=[1],manage_cate_id__in=[1,2,3],district=d_id).values('block').annotate(dsemantot=Count('block'))
dsemangrtot=Basicinfo.objects.filter(chk_dept__in=[1],manage_cate_id__in=[1,2,3],district=d_id).values('manage_cate').annotate(dsemangtot=Count('manage_cate'))
dsemantotal=Basicinfo.objects.filter(chk_dept__in=[1],manage_cate_id__in=[1,2,3],district=d_id).count()
deemandet=Basicinfo.objects.filter(chk_dept__in=[2],district=d_id).values('manage_cate_id','block').annotate(deemdet=Count('block')).order_by('block')
deemansubtot=Basicinfo.objects.filter(chk_dept__in=[2],manage_cate_id__in=[1,2,3],district=d_id).values('block').annotate(deemantot=Count('block'))
deemangrtot=Basicinfo.objects.filter(chk_dept__in=[2],manage_cate_id__in=[1,2,3],district=d_id).values('manage_cate').annotate(deemangtot=Count('manage_cate'))
deemantotal=Basicinfo.objects.filter(chk_dept__in=[2],manage_cate_id__in=[1,2,3],district=d_id).count()
dmsmandet=Basicinfo.objects.filter(chk_dept__in=[3],district=d_id).values('manage_cate_id','block').annotate(dmsmdet=Count('block')).order_by('block')
dmsmansubtot=Basicinfo.objects.filter(chk_dept__in=[3],manage_cate_id__in=[1,2,3],district=d_id).values('block').annotate(dmsmantot=Count('block'))
dmsmangrtot=Basicinfo.objects.filter(chk_dept__in=[3],manage_cate_id__in=[1,2,3],district=d_id).values('manage_cate').annotate(dmsmangtot=Count('manage_cate'))
dmsmantotal=Basicinfo.objects.filter(chk_dept__in=[3],manage_cate_id__in=[1,2,3],district=d_id).count()
return render(request,'blkrep_bi.html',locals())
class Sch_blkr_ai(View):
def get(self,request,**kwargs):
d_id=self.kwargs['blk']
if (self.kwargs.get('code')):
dept_opt=int(self.kwargs.get('code'))
bl=Block.objects.filter(district=d_id).order_by('block_name')
basic_det=Basicinfo.objects.get(udise_code=request.user.username)
schlst=Basicinfo.objects.all().values('chk_dept','block').annotate(schblktot=Count('block')).order_by('block')
blktot=Basicinfo.objects.filter(chk_dept__in=[1,2,3],district=d_id).values('block').annotate(schsubtot=Count('chk_dept'))
schgrtot=Basicinfo.objects.filter(chk_dept__in=[1,2,3],district=d_id).values('chk_dept').annotate(schgtot=Count('chk_dept'))
schtotal=Basicinfo.objects.filter(chk_dept__in=[1,2,3],district=d_id).count()
mandet=Basicinfo.objects.filter(chk_dept__in=[1,2,3],district=d_id).values('manage_cate_id','block').annotate(mdet=Count('academicinfo__school_key')).order_by('block')
mansubtot=Basicinfo.objects.filter(manage_cate_id__in=[1,2,3],district=d_id).values('block').annotate(mantot=Count('academicinfo__school_key'))
mangrtot=Basicinfo.objects.filter(manage_cate_id__in=[1,2,3],district=d_id).values('manage_cate').annotate(mangtot=Count('academicinfo__school_key'))
mantotal=Basicinfo.objects.filter(manage_cate_id__in=[1,2,3],district=d_id).values('academicinfo__school_key').count()
dsemandet=Basicinfo.objects.filter(chk_dept__in=[1],district=d_id).values('manage_cate_id','block').annotate(dsemdet=Count('academicinfo__school_key')).order_by('block')
dsemansubtot=Basicinfo.objects.filter(chk_dept__in=[1],manage_cate_id__in=[1,2,3],district=d_id).values('block').annotate(dsemantot=Count('academicinfo__school_key'))
dsemangrtot=Basicinfo.objects.filter(chk_dept__in=[1],manage_cate_id__in=[1,2,3],district=d_id).values('manage_cate').annotate(dsemangtot=Count('academicinfo__school_key'))
dsemantotal=Basicinfo.objects.filter(chk_dept__in=[1],manage_cate_id__in=[1,2,3],district=d_id).values('academicinfo__school_key').count()
deemandet=Basicinfo.objects.filter(chk_dept__in=[2],district=d_id).values('manage_cate_id','block').annotate(deemdet=Count('academicinfo__school_key')).order_by('block')
deemansubtot=Basicinfo.objects.filter(chk_dept__in=[2],manage_cate_id__in=[1,2,3],district=d_id).values('block').annotate(deemantot=Count('academicinfo__school_key'))
deemangrtot=Basicinfo.objects.filter(chk_dept__in=[2],manage_cate_id__in=[1,2,3],district=d_id).values('manage_cate').annotate(deemangtot=Count('academicinfo__school_key'))
deemantotal=Basicinfo.objects.filter(chk_dept__in=[2],manage_cate_id__in=[1,2,3],district=d_id).values('academicinfo__school_key').count()
dmsmandet=Basicinfo.objects.filter(chk_dept__in=[3],district=d_id).values('manage_cate_id','block').annotate(dmsmdet=Count('academicinfo__school_key')).order_by('block')
dmsmansubtot=Basicinfo.objects.filter(chk_dept__in=[3],manage_cate_id__in=[1,2,3],district=d_id).values('block').annotate(dmsmantot=Count('academicinfo__school_key'))
dmsmangrtot=Basicinfo.objects.filter(chk_dept__in=[3],manage_cate_id__in=[1,2,3],district=d_id).values('manage_cate').annotate(dmsmangtot=Count('academicinfo__school_key'))
dmsmantotal=Basicinfo.objects.filter(chk_dept__in=[3],manage_cate_id__in=[1,2,3],district=d_id).values('academicinfo__school_key').count()
return render(request,'blkrep_ai.html',locals())
class Sch_blkr_ii(View):
def get(self,request,**kwargs):
d_id=self.kwargs['blk']
if (self.kwargs.get('code')):
dept_opt=int(self.kwargs.get('code'))
bl=Block.objects.filter(district=d_id).order_by('block_name')
basic_det=Basicinfo.objects.get(udise_code=request.user.username)
schlst=Basicinfo.objects.all().values('chk_dept','block').annotate(schblktot=Count('block')).order_by('block')
blktot=Basicinfo.objects.filter(chk_dept__in=[1,2,3],district=d_id).values('block').annotate(schsubtot=Count('chk_dept'))
schgrtot=Basicinfo.objects.filter(chk_dept__in=[1,2,3],district=d_id).values('chk_dept').annotate(schgtot=Count('chk_dept'))
schtotal=Basicinfo.objects.filter(chk_dept__in=[1,2,3],district=d_id).count()
mandet=Basicinfo.objects.filter(chk_dept__in=[1,2,3],district=d_id).values('manage_cate_id','block').annotate(mdet=Count('infradet__school_key')).order_by('block')
mansubtot=Basicinfo.objects.filter(manage_cate_id__in=[1,2,3],district=d_id).values('block').annotate(mantot=Count('infradet__school_key'))
mangrtot=Basicinfo.objects.filter(manage_cate_id__in=[1,2,3],district=d_id).values('manage_cate').annotate(mangtot=Count('infradet__school_key'))
mantotal=Basicinfo.objects.filter(manage_cate_id__in=[1,2,3],district=d_id).values('infradet__school_key').count()
dsemandet=Basicinfo.objects.filter(chk_dept__in=[1],district=d_id).values('manage_cate_id','block').annotate(dsemdet=Count('infradet__school_key')).order_by('block')
dsemansubtot=Basicinfo.objects.filter(chk_dept__in=[1],manage_cate_id__in=[1,2,3],district=d_id).values('block').annotate(dsemantot=Count('infradet__school_key'))
dsemangrtot=Basicinfo.objects.filter(chk_dept__in=[1],manage_cate_id__in=[1,2,3],district=d_id).values('manage_cate').annotate(dsemangtot=Count('infradet__school_key'))
dsemantotal=Basicinfo.objects.filter(chk_dept__in=[1],manage_cate_id__in=[1,2,3],district=d_id).values('infradet__school_key').count()
deemandet=Basicinfo.objects.filter(chk_dept__in=[2],district=d_id).values('manage_cate_id','block').annotate(deemdet=Count('infradet__school_key')).order_by('block')
deemansubtot=Basicinfo.objects.filter(chk_dept__in=[2],manage_cate_id__in=[1,2,3],district=d_id).values('block').annotate(deemantot=Count('infradet__school_key'))
deemangrtot=Basicinfo.objects.filter(chk_dept__in=[2],manage_cate_id__in=[1,2,3],district=d_id).values('manage_cate').annotate(deemangtot=Count('infradet__school_key'))
deemantotal=Basicinfo.objects.filter(chk_dept__in=[2],manage_cate_id__in=[1,2,3],district=d_id).values('infradet__school_key').count()
dmsmandet=Basicinfo.objects.filter(chk_dept__in=[3],district=d_id).values('manage_cate_id','block').annotate(dmsmdet=Count('infradet__school_key')).order_by('block')
dmsmansubtot=Basicinfo.objects.filter(chk_dept__in=[3],manage_cate_id__in=[1,2,3],district=d_id).values('block').annotate(dmsmantot=Count('infradet__school_key'))
dmsmangrtot=Basicinfo.objects.filter(chk_dept__in=[3],manage_cate_id__in=[1,2,3],district=d_id).values('manage_cate').annotate(dmsmangtot=Count('infradet__school_key'))
dmsmantotal=Basicinfo.objects.filter(chk_dept__in=[3],manage_cate_id__in=[1,2,3],district=d_id).values('infradet__school_key').count()
return render(request,'blkrep_ii.html',locals())
class Sch_blkr_cs(View):
def get(self,request,**kwargs):
d_id=self.kwargs['blk']
if (self.kwargs.get('code')):
dept_opt=int(self.kwargs.get('code'))
bl=Block.objects.filter(district=d_id).order_by('block_name')
basic_det=Basicinfo.objects.get(udise_code=request.user.username)
schlst=Basicinfo.objects.all().values('chk_dept','block').annotate(schblktot=Count('block')).order_by('block')
blktot=Basicinfo.objects.filter(chk_dept__in=[1,2,3],district=d_id).values('block').annotate(schsubtot=Count('chk_dept'))
schgrtot=Basicinfo.objects.filter(chk_dept__in=[1,2,3],district=d_id).values('chk_dept').annotate(schgtot=Count('chk_dept'))
schtotal=Basicinfo.objects.filter(chk_dept__in=[1,2,3],district=d_id).count()
mandet=Basicinfo.objects.filter(chk_dept__in=[1,2,3],district=d_id).values('manage_cate_id','block').annotate(mdet=Count('class_section__school_key',distinct = True)).order_by('block')
mansubtot=Basicinfo.objects.filter(manage_cate_id__in=[1,2,3],district=d_id).values('block').annotate(mantot=Count('class_section__school_key',distinct = True))
mangrtot=Basicinfo.objects.filter(manage_cate_id__in=[1,2,3],district=d_id).values('manage_cate').annotate(mangtot=Count('class_section__school_key',distinct = True))
mantotal=Basicinfo.objects.filter(manage_cate_id__in=[1,2,3],district=d_id).values('class_section__school_key').distinct().count()
dsemandet=Basicinfo.objects.filter(chk_dept__in=[1],district=d_id).values('manage_cate_id','block').annotate(dsemdet=Count('class_section__school_key',distinct = True)).order_by('block')
dsemansubtot=Basicinfo.objects.filter(chk_dept__in=[1],manage_cate_id__in=[1,2,3],district=d_id).values('block').annotate(dsemantot=Count('class_section__school_key',distinct = True))
dsemangrtot=Basicinfo.objects.filter(chk_dept__in=[1],manage_cate_id__in=[1,2,3],district=d_id).values('manage_cate').annotate(dsemangtot=Count('class_section__school_key',distinct = True))
dsemantotal=Basicinfo.objects.filter(chk_dept__in=[1],manage_cate_id__in=[1,2,3],district=d_id).values('class_section__school_key').distinct().count()
deemandet=Basicinfo.objects.filter(chk_dept__in=[2],district=d_id).values('manage_cate_id','block').annotate(deemdet=Count('class_section__school_key',distinct = True)).order_by('block')
deemansubtot=Basicinfo.objects.filter(chk_dept__in=[2],manage_cate_id__in=[1,2,3],district=d_id).values('block').annotate(deemantot=Count('class_section__school_key',distinct = True))
deemangrtot=Basicinfo.objects.filter(chk_dept__in=[2],manage_cate_id__in=[1,2,3],district=d_id).values('manage_cate').annotate(deemangtot=Count('class_section__school_key',distinct = True))
deemantotal=Basicinfo.objects.filter(chk_dept__in=[2],manage_cate_id__in=[1,2,3],district=d_id).values('class_section__school_key').distinct().count()
dmsmandet=Basicinfo.objects.filter(chk_dept__in=[3],district=d_id).values('manage_cate_id','block').annotate(dmsmdet=Count('class_section__school_key',distinct = True)).order_by('block')
dmsmansubtot=Basicinfo.objects.filter(chk_dept__in=[3],manage_cate_id__in=[1,2,3],district=d_id).values('block').annotate(dmsmantot=Count('class_section__school_key',distinct = True))
dmsmangrtot=Basicinfo.objects.filter(chk_dept__in=[3],manage_cate_id__in=[1,2,3],district=d_id).values('manage_cate').annotate(dmsmangtot=Count('class_section__school_key',distinct = True))
dmsmantotal=Basicinfo.objects.filter(chk_dept__in=[3],manage_cate_id__in=[1,2,3],district=d_id).values('class_section__school_key').distinct().count()
return render(request,'blkrep_cs.html',locals())
class Sch_blkr_ti(View):
def get(self,request,**kwargs):
d_id=self.kwargs['blk']
if (self.kwargs.get('code')):
dept_opt=int(self.kwargs.get('code'))
bl=Block.objects.filter(district=d_id).order_by('block_name')
basic_det=Basicinfo.objects.get(udise_code=request.user.username)
schlst=Basicinfo.objects.filter(chk_dept__in=[1,2],district=d_id).values('chk_dept','block').annotate(schblktot=Count('block')).order_by('block')
blktot=Basicinfo.objects.filter(chk_dept__in=[1,2],district=d_id).values('block').annotate(schsubtot=Count('chk_dept'))
schgrtot=Basicinfo.objects.filter(chk_dept__in=[1,2],district=d_id).values('chk_dept').annotate(schgtot=Count('chk_dept'))
schtotal=Basicinfo.objects.filter(chk_dept__in=[1,2],district=d_id).count()
mandet=Basicinfo.objects.filter(chk_dept__in=[1,2],staff__staff_cat='1',district=d_id).values('manage_cate_id','block').annotate(mdet=Sum('staff__post_sanc')).order_by('block')
mansubtot=Basicinfo.objects.filter(manage_cate_id__in=[1,2,3],staff__staff_cat='1',district=d_id).values('block').annotate(mantot=Sum('staff__post_sanc'))
mangrtot=Basicinfo.objects.filter(manage_cate_id__in=[1,2,3],staff__staff_cat='1',district=d_id).values('manage_cate').annotate(mangtot=Sum('staff__post_sanc'))
mantotal=Basicinfo.objects.filter(manage_cate_id__in=[1,2,3],staff__staff_cat='1',district=d_id).aggregate(manatot=Sum('staff__post_sanc'))
dsemandet=Basicinfo.objects.filter(chk_dept__in=[1],staff__staff_cat='1',district=d_id).values('manage_cate_id','block').annotate(dsemdet=Sum('staff__post_sanc')).order_by('block')
dsemansubtot=Basicinfo.objects.filter(chk_dept__in=[1],manage_cate_id__in=[1,2],district=d_id,staff__staff_cat='1').values('block').annotate(dsemantot=Sum('staff__post_sanc'))
dsemangrtot=Basicinfo.objects.filter(chk_dept__in=[1],manage_cate_id__in=[1,2],district=d_id,staff__staff_cat='1').values('manage_cate').annotate(dsemangtot=Sum('staff__post_sanc'))
dsemantotal=Basicinfo.objects.filter(chk_dept__in=[1],manage_cate_id__in=[1,2],district=d_id,staff__staff_cat='1').aggregate(Sum('staff__post_sanc'))
deemandet=Basicinfo.objects.filter(chk_dept__in=[2],staff__staff_cat='1').values('manage_cate_id','block').annotate(deemdet=Sum('staff__post_sanc')).order_by('block')
deemansubtot=Basicinfo.objects.filter(chk_dept__in=[2],manage_cate_id__in=[1,2],district=d_id,staff__staff_cat='1').values('block').annotate(deemantot=Sum('staff__post_sanc'))
deemangrtot=Basicinfo.objects.filter(chk_dept__in=[2],manage_cate_id__in=[1,2],district=d_id,staff__staff_cat='1').values('manage_cate').annotate(deemangtot=Sum('staff__post_sanc'))
deemantotal=Basicinfo.objects.filter(chk_dept__in=[2],manage_cate_id__in=[1,2],district=d_id,staff__staff_cat='1').aggregate(Sum('staff__post_sanc'))
manfdet=Basicinfo.objects.filter(chk_dept__in=[1,2],staff__staff_cat='1',staff__post_filled__gt='0',district=d_id).values('manage_cate_id','block').annotate(mfdet=Sum('staff__post_filled')).order_by('block')
manfsubtot=Basicinfo.objects.filter(manage_cate_id__in=[1,2,3],staff__staff_cat='1',staff__post_filled__gt='0',district=d_id).values('block').annotate(manftot=Sum('staff__post_filled'))
manfgrtot=Basicinfo.objects.filter(manage_cate_id__in=[1,2,3],staff__staff_cat='1',staff__post_filled__gt='0',district=d_id).values('manage_cate').annotate(manfgtot=Sum('staff__post_filled'))
manftotal=Basicinfo.objects.filter(district=d_id,manage_cate_id__in=[1,2,3],staff__staff_cat='1',staff__post_filled__gt='0').aggregate(Sum('staff__post_filled'))
manftotal=Basicinfo.objects.filter(manage_cate_id__in=[1,2,3],staff__staff_cat='1',district=d_id).aggregate(manftot=Sum('staff__post_filled'))
dsemanfdet=Basicinfo.objects.filter(chk_dept__in=[1],district=d_id,staff__staff_cat='1',staff__post_filled__gt='0').values('manage_cate_id','block').annotate(dsemfdet=Sum('staff__post_filled')).order_by('block')
dsemanfsubtot=Basicinfo.objects.filter(chk_dept__in=[1],district=d_id,manage_cate_id__in=[1,2,3],staff__staff_cat='1',staff__post_filled__gt='0').values('block').annotate(dsemanftot=Sum('staff__post_filled'))
dsemanfgrtot=Basicinfo.objects.filter(chk_dept__in=[1],district=d_id,manage_cate_id__in=[1,2,3],staff__staff_cat='1',staff__post_filled__gt='0').values('manage_cate').annotate(dsemanfgtot=Sum('staff__post_filled'))
dsemanftotal=Basicinfo.objects.filter(chk_dept__in=[1],district=d_id,manage_cate_id__in=[1,2,3],staff__staff_cat='1',staff__post_filled__gt='0').aggregate(Sum('staff__post_filled'))
deemanfdet=Basicinfo.objects.filter(chk_dept__in=[2],district=d_id,staff__staff_cat='1',staff__post_filled__gt='0').values('manage_cate_id','block').annotate(deemfdet=Sum('staff__post_filled')).order_by('block')
deemanfsubtot=Basicinfo.objects.filter(chk_dept__in=[2],district=d_id,manage_cate_id__in=[1,2,3],staff__staff_cat='1',staff__post_filled__gt='0').values('block').annotate(deemanftot=Sum('staff__post_filled'))
deemanfgrtot=Basicinfo.objects.filter(chk_dept__in=[2],district=d_id,manage_cate_id__in=[1,2,3],staff__staff_cat='1',staff__post_filled__gt='0').values('manage_cate').annotate(deemangftot=Sum('staff__post_filled'))
deemanftotal=Basicinfo.objects.filter(chk_dept__in=[2],district=d_id,manage_cate_id__in=[1,2,3],staff__staff_cat='1',staff__post_filled__gt='0').aggregate(Sum('staff__post_filled'))
return render(request,'blkrep_ti.html',locals())
class Sch_blkr_nti(View):
def get(self,request,**kwargs):
d_id=self.kwargs['blk']
if (self.kwargs.get('code')):
dept_opt=int(self.kwargs.get('code'))
bl=Block.objects.filter(district=d_id).order_by('block_name')
basic_det=Basicinfo.objects.get(udise_code=request.user.username)
schlst=Basicinfo.objects.filter(chk_dept__in=[1,2],district=d_id).values('chk_dept','block').annotate(schblktot=Count('block')).order_by('block')
blktot=Basicinfo.objects.filter(chk_dept__in=[1,2],district=d_id).values('block').annotate(schsubtot=Count('chk_dept'))
schgrtot=Basicinfo.objects.filter(chk_dept__in=[1,2],district=d_id).values('chk_dept').annotate(schgtot=Count('chk_dept'))
schtotal=Basicinfo.objects.filter(chk_dept__in=[1,2],district=d_id).count()
mandet=Basicinfo.objects.filter(staff__staff_cat='2',district=d_id).values('manage_cate_id','block').annotate(mdet=Sum('staff__post_sanc')).order_by('block')
mansubtot=Basicinfo.objects.filter(staff__staff_cat='2',district=d_id).values('block').annotate(mantot=Sum('staff__post_sanc'))
mangrtot=Basicinfo.objects.filter(staff__staff_cat='2',district=d_id).values('manage_cate').annotate(mangtot=Sum('staff__post_sanc'))
mantotal=Basicinfo.objects.filter(staff__staff_cat='2',district=d_id).aggregate(manatot=Sum('staff__post_sanc'))
dsemandet=Basicinfo.objects.filter(chk_dept__in=[1],staff__staff_cat='2',district=d_id).values('manage_cate_id','block').annotate(dsemdet=Sum('staff__post_sanc')).order_by('block')
dsemansubtot=Basicinfo.objects.filter(chk_dept__in=[1],manage_cate_id__in=[1,2],district=d_id,staff__staff_cat='2').values('block').annotate(dsemantot=Sum('staff__post_sanc'))
dsemangrtot=Basicinfo.objects.filter(chk_dept__in=[1],manage_cate_id__in=[1,2],district=d_id,staff__staff_cat='2').values('manage_cate').annotate(dsemangtot=Sum('staff__post_sanc'))
dsemantotal=Basicinfo.objects.filter(chk_dept__in=[1],manage_cate_id__in=[1,2],district=d_id,staff__staff_cat='2').aggregate(Sum('staff__post_sanc'))
deemandet=Basicinfo.objects.filter(chk_dept__in=[2],staff__staff_cat='2').values('manage_cate_id','block').annotate(deemdet=Sum('staff__post_sanc')).order_by('block')
deemansubtot=Basicinfo.objects.filter(chk_dept__in=[2],manage_cate_id__in=[1,2],district=d_id,staff__staff_cat='2').values('block').annotate(deemantot=Sum('staff__post_sanc'))
deemangrtot=Basicinfo.objects.filter(chk_dept__in=[2],manage_cate_id__in=[1,2],district=d_id,staff__staff_cat='2').values('manage_cate').annotate(deemangtot=Sum('staff__post_sanc'))
deemantotal=Basicinfo.objects.filter(chk_dept__in=[2],manage_cate_id__in=[1,2],district=d_id,staff__staff_cat='2').aggregate(Sum('staff__post_sanc'))
manfdet=Basicinfo.objects.filter(chk_dept__in=[1,2],staff__staff_cat='2',staff__post_filled__gt='0',district=d_id).values('manage_cate_id','block').annotate(mfdet=Sum('staff__post_filled')).order_by('block')
manfsubtot=Basicinfo.objects.filter(manage_cate_id__in=[1,2,3],staff__staff_cat='2',staff__post_filled__gt='0',district=d_id).values('block').annotate(manftot=Sum('staff__post_filled'))
manfgrtot=Basicinfo.objects.filter(manage_cate_id__in=[1,2,3],staff__staff_cat='2',staff__post_filled__gt='0',district=d_id).values('manage_cate').annotate(manfgtot=Sum('staff__post_filled'))
manftotal=Basicinfo.objects.filter(district=d_id,manage_cate_id__in=[1,2,3],staff__staff_cat='2',staff__post_filled__gt='0').aggregate(Sum('staff__post_filled'))
manftotal=Basicinfo.objects.filter(manage_cate_id__in=[1,2,3],staff__staff_cat='2',district=d_id).aggregate(manftot=Sum('staff__post_filled'))
dsemanfdet=Basicinfo.objects.filter(chk_dept__in=[1],district=d_id,staff__staff_cat='2',staff__post_filled__gt='0').values('manage_cate_id','block').annotate(dsemfdet=Sum('staff__post_filled')).order_by('block')
dsemanfsubtot=Basicinfo.objects.filter(chk_dept__in=[1],district=d_id,manage_cate_id__in=[1,2,3],staff__staff_cat='2',staff__post_filled__gt='0').values('block').annotate(dsemanftot=Sum('staff__post_filled'))
dsemanfgrtot=Basicinfo.objects.filter(chk_dept__in=[1],district=d_id,manage_cate_id__in=[1,2,3],staff__staff_cat='2',staff__post_filled__gt='0').values('manage_cate').annotate(dsemanfgtot=Sum('staff__post_filled'))
dsemanftotal=Basicinfo.objects.filter(chk_dept__in=[1],district=d_id,manage_cate_id__in=[1,2,3],staff__staff_cat='2',staff__post_filled__gt='0').aggregate(Sum('staff__post_filled'))
deemanfdet=Basicinfo.objects.filter(chk_dept__in=[2],district=d_id,staff__staff_cat='2',staff__post_filled__gt='0').values('manage_cate_id','block').annotate(deemfdet=Sum('staff__post_filled')).order_by('block')
deemanfsubtot=Basicinfo.objects.filter(chk_dept__in=[2],district=d_id,manage_cate_id__in=[1,2,3],staff__staff_cat='2',staff__post_filled__gt='0').values('block').annotate(deemanftot=Sum('staff__post_filled'))
deemanfgrtot=Basicinfo.objects.filter(chk_dept__in=[2],district=d_id,manage_cate_id__in=[1,2,3],staff__staff_cat='2',staff__post_filled__gt='0').values('manage_cate').annotate(deemangftot=Sum('staff__post_filled'))
deemanftotal=Basicinfo.objects.filter(chk_dept__in=[2],district=d_id,manage_cate_id__in=[1,2,3],staff__staff_cat='2',staff__post_filled__gt='0').aggregate(Sum('staff__post_filled'))
return render(request,'blkrep_nti.html',locals())
class Sch_srep(View):
def get(self,request,**kwargs):
b_id=self.kwargs['blk']
try:
dept_opt=int(self.kwargs.get('code'))
except Exception:
pass
allsl=Basicinfo.objects.filter(block=b_id).order_by('school_name')
blkid=Basicinfo.objects.get(udise_code=int(request.user.username))
basic_det=Basicinfo.objects.get(udise_code=request.user.username)
dsesl=Basicinfo.objects.filter(chk_dept__in=[1],block=b_id).order_by('school_name')
deesl=Basicinfo.objects.filter(chk_dept__in=[2],block=b_id).order_by('school_name')
dmssl=Basicinfo.objects.filter(chk_dept__in=[3],block=b_id).order_by('school_name')
schbi=Basicinfo.objects.filter(block=b_id,manage_cate_id__gt=0).order_by('school_name')
schai=Academicinfo.objects.filter(school_key_id=allsl)
schii=Infradet.objects.filter(school_key_id=allsl)
schsi=Staff.objects.filter(school_key_id=allsl)
schtsis=Basicinfo.objects.filter(staff__school_key_id=allsl,staff__staff_cat='1').values('staff__school_key_id').annotate(tptstot=Sum('staff__post_sanc'))
schtsif=Basicinfo.objects.filter(staff__school_key_id=allsl,staff__staff_cat='1').values('staff__school_key_id').annotate(tptftot=Sum('staff__post_filled'))
schntsis=Basicinfo.objects.filter(staff__school_key_id=allsl,staff__staff_cat='2').values('staff__school_key_id').annotate(tpntstot=Sum('staff__post_sanc'))
schntsif=Basicinfo.objects.filter(staff__school_key_id=allsl,staff__staff_cat='2').values('staff__school_key_id').annotate(tpntftot=Sum('staff__post_filled'))
return render(request,'schrep.html',locals()) | tnemis/staging-server | schoolnew/views.py | Python | mit | 219,616 |
# -*- coding: utf-8
import re
import copy
import humanfriendly
import json
import jsonpickle
from lain_sdk.yaml.parser import ProcType, resource_instance_name
from .utils import get_system_volumes_from_etcd
class AppType:
Normal = 'app'
Service = 'service'
Resource = 'resource'
ResourceInstance = 'resource-instance'
class RestartPolicy:
Never = 0
Always = 1
OnFail = 2
class DependencyPolicy:
NamespaceLevel = 0
NodeLevel = 1
class Dependency:
PodName = ''
Policy = DependencyPolicy.NamespaceLevel
def clone(self):
d = Dependency()
d.PodName = self.PodName
d.Policy = self.Policy
return d
def equals(self, d):
return \
d.PodName == self.PodName and \
d.Policy == self.Policy
class ImSpec:
Name = ''
Namespace = ''
Version = 0
CreateAt = None
UpdateAt = None
class CloudVolumeSpec:
Type = ''
Dirs = []
def clone(self):
cv = CloudVolumeSpec()
cv.Type = self.Type
cv.Dirs = self.Dirs
return cv
def verify_params(self):
return \
isinstance(self.Type, str) and \
isinstance(self.Dirs, list)
def equals(self, cv):
if not isinstance(cv, CloudVolumeSpec):
return False
return \
cv.Type == self.Type and \
cv.Dirs == self.Dirs
class LogConfigSpec:
Type = ''
Config = {}
def clone(self):
lc = None
return lc
def verify_params(self):
return \
isinstance(self.Type, str) and \
isinstance(self.Config, dict)
def equals(self, s):
if not isinstance(s, LogConfigSpec):
return False
return \
s.Type == self.Type and \
s.Config == self.Config
class ContainerSpec(ImSpec):
Image = ''
Env = []
User = ''
WorkingDir = ''
DnsSearch = []
Volumes = []
SystemVolumes = []
CloudVolumes = []
Command = None
Entrypoint = None
CpuLimit = 0
MemoryLimit = 0
Expose = 0
LogConfig = None
def clone(self):
s = ContainerSpec()
s.Name = self.Name
s.Namespace = self.Namespace
s.Version = self.Version
s.CreateAt = self.CreateAt
s.UpdateAt = self.UpdateAt
s.Image = self.Image
s.Env = copy.deepcopy(self.Env)
s.User = self.User
s.WorkingDir = self.WorkingDir
s.DnsSearch = copy.deepcopy(self.DnsSearch)
s.Volumes = copy.deepcopy(self.Volumes)
s.SystemVolumes = copy.deepcopy(self.SystemVolumes)
s.CloudVolumes = copy.deepcopy(self.CloudVolumes)
s.Command = copy.deepcopy(self.Command)
s.Entrypoint = copy.deepcopy(self.Entrypoint)
s.CpuLimit = self.CpuLimit
s.MemoryLimit = self.MemoryLimit
s.Expose = self.Expose
if isinstance(self.LogConfig, LogConfigSpec):
s.LogConfig = self.LogConfig.clone()
return s
def verify_params(self):
logconfig_flag = True if self.LogConfig is None else self.LogConfig.verify_params()
return \
self.Image != "" and \
self.CpuLimit >= 0 and \
self.MemoryLimit >= 0 and \
self.Expose >= 0 and \
logconfig_flag
def equals(self, s):
if not isinstance(s, ContainerSpec):
return False
if self.LogConfig is None and s.LogConfig is None:
logconfig_flag = True
else:
logconfig_flag = s.LogConfig.equals(self.LogConfig)
return \
s.Name == self.Name and \
s.Namespace == self.Namespace and \
s.CreateAt == self.CreateAt and \
s.UpdateAt == self.UpdateAt and \
s.Image == self.Image and \
s.Env == self.Env and \
s.User == self.User and \
s.WorkingDir == self.WorkingDir and \
s.DnsSearch == self.DnsSearch and \
s.Volumes == self.Volumes and \
s.SystemVolumes == self.SystemVolumes and \
s.CloudVolumes == self.CloudVolumes and \
s.Command == self.Command and \
s.Entrypoint == self.Entrypoint and \
s.CpuLimit == self.CpuLimit and \
s.MemoryLimit == self.MemoryLimit and \
s.Expose == self.Expose and \
logconfig_flag
def set_env(self, env_key, env_value):
for i in self.Env:
if re.match("%s\s*=" % env_key, i):
self.Env.remove(i)
self.Env.append("%s=%s" % (env_key, env_value))
class PodSpec(ImSpec):
Containers = []
Filters = []
Labels = {}
Dependencies = []
Annotation = ''
Stateful = False
SetupTime = 0
KillTimeout = 10
HealthConfig = {}
def clone(self):
s = PodSpec()
s.Name = self.Name
s.Namespace = self.Namespace
s.Version = self.Version
s.CreateAt = self.CreateAt
s.UpdateAt = self.UpdateAt
s.Containers = [c.clone() for c in self.Containers]
s.Labels = copy.deepcopy(self.Labels)
s.Filters = copy.deepcopy(self.Filters)
s.HealthConfig = copy.deepcopy(self.HealthConfig)
s.Dependencies = [d.clone() for d in self.Dependencies]
s.Annotation = self.Annotation
s.Stateful = self.Stateful
s.SetupTime = self.SetupTime
s.KillTimeout = self.KillTimeout
return s
def verify_params(self):
verify = \
self.Name != "" and \
self.Namespace != "" and \
isinstance(self.Stateful, bool) and \
len(self.Containers) > 0
if not verify:
return False
for c in self.Containers:
if isinstance(c, ContainerSpec) and c.verify_params():
continue
else:
return False
return True
def equals(self, s):
if not isinstance(s, PodSpec):
return False
if len(s.Containers) != len(self.Containers):
return False
for i in range(0, len(s.Containers)):
if not s.Containers[i].equals(self.Containers[i]):
return False
if len(s.Dependencies) != len(self.Dependencies):
return False
for i in range(0, len(s.Dependencies)):
if not s.Dependencies[i].equals(self.Dependencies[i]):
return False
return \
s.Name == self.Name and \
s.Namespace == self.Namespace and \
s.Annotation == self.Annotation and \
s.Stateful == self.Stateful and \
s.Filters == self.Filters and \
s.SetupTime == self.SetupTime and \
s.KillTimeout == self.KillTimeout and \
s.Labels == self.Labels and \
s.HealthConfig == self.HealthConfig
class PodGroupSpec(ImSpec):
Pod = None
NumInstances = 0
RestartPolicy = RestartPolicy.Never
def clone(self):
s = PodGroupSpec()
s.Name = self.Name
s.Namespace = self.Namespace
s.Pod = self.Pod.clone()
s.NumInstances = self.NumInstances
s.RestartPolicy = self.RestartPolicy
return s
def verify_params(self):
return \
self.Name != "" and \
self.Namespace != "" and \
self.NumInstances >= 0 and \
isinstance(self.Pod, PodSpec) and \
self.Pod.verify_params()
def equals(self, s):
return \
s.Name == self.Name and \
s.Namespace == self.Namespace and \
s.NumInstances == self.NumInstances and \
s.RestartPolicy == self.RestartPolicy and \
s.Pod.equals(self.Pod)
class AppSpec:
AppName = ''
PodGroups = []
def clone(self):
s = AppSpec()
s.AppName = self.AppName
s.PodGroups = [pg.clone() for pg in self.PodGroups]
return s
def verify_params(self):
verify = self.AppName != ""
if not verify:
return False
for pg in self.PodGroups:
if isinstance(pg, PodGroupSpec) and pg.verify_params():
continue
else:
return False
return True
def equals(self, s):
if not isinstance(s, AppSpec):
return False
if s.AppName != self.AppName:
return False
if len(s.PodGroups) != len(self.PodGroups):
return False
for i in range(0, len(s.PodGroups)):
if not s.PodGroups[i].equals(self.PodGroups[i]):
return False
return True
def render_app_spec(lain_config):
app = AppSpec()
app.AppName = lain_config.appname
app.PodGroups = [render_podgroup_spec(app.AppName, proc, lain_config.use_services, lain_config.use_resources)
for proc in lain_config.procs.values() if proc.type != ProcType.portal]
app.Portals = [render_pod_spec(app.AppName, proc, lain_config.use_services, lain_config.use_resources)
for proc in lain_config.procs.values() if proc.type == ProcType.portal]
return app
def render_podgroup_spec(app_name, proc, use_services, use_resources):
pod_group = PodGroupSpec()
pod_group.Name = "%s.%s.%s" % (
app_name, proc.type.name, proc.name
)
pod_group.Namespace = app_name
pod_group.NumInstances = proc.num_instances
pod_group.RestartPolicy = RestartPolicy.Always # TODO allow user definiton
pod_group.Pod = render_pod_spec(
app_name, proc, use_services, use_resources)
return pod_group
def render_pod_spec(app_name, proc, use_services, use_resources):
pod = PodSpec()
pod.Name = "%s.%s.%s" % (
app_name, proc.type.name, proc.name
)
pod.Namespace = app_name
pod.Containers = [render_container_spec(app_name, proc)]
pod.Dependencies = []
for service_app, service_list in use_services.iteritems():
for service in service_list:
pod.Dependencies.append(render_dependency(service_app, service))
if use_resources:
for resource_name, resource_props in use_resources.iteritems():
resource_service_names = resource_props['services']
for resouce_service_proc_name in resource_service_names:
pod.Dependencies.append(render_dependency(resource_instance_name(
resource_name, app_name), resouce_service_proc_name))
pod.Annotation = proc.annotation
pod.Stateful = proc.stateful
pod.SetupTime = proc.setup_time
pod.KillTimeout = proc.kill_timeout
pod.Labels = {} if not proc.labels else proc.labels
pod.Filters = [] if not proc.filters else proc.filters
pod.HealthConfig = {} if not proc.container_healthcheck else proc.container_healthcheck
return pod
def render_container_spec(app_name, proc):
c = ContainerSpec()
c.Image = proc.image
c.Env = copy.deepcopy(proc.env)
c.set_env("TZ", 'Asia/Shanghai')
c.User = '' if not hasattr(proc, 'user') else proc.user
c.WorkingDir = '' if not hasattr(proc, 'working_dir') else proc.working_dir
c.DnsSearch = [] if not hasattr(
proc, 'dns_search') else copy.deepcopy(proc.dns_search)
c.Volumes = copy.deepcopy(proc.volumes)
c.SystemVolumes = copy.deepcopy(
proc.system_volumes) + get_system_volumes_from_etcd(app_name)
c.CloudVolumes = render_cloud_volumes(proc.cloud_volumes)
c.Command = proc.cmd
c.Entrypoint = proc.entrypoint
c.CpuLimit = proc.cpu
c.MemoryLimit = humanfriendly.parse_size(proc.memory)
c.Expose = 0 if not proc.port else proc.port.keys()[0]
c.LogConfig = None
return c
def render_dependency(service_app, service):
from apis.models import App
d = Dependency()
d.PodName = "%s.portal.%s" % (
service_app,
App.get_portal_name_from_service_name(
App.get_or_none(service_app), service)
)
d.Policy = DependencyPolicy.NamespaceLevel # TODO allow user definiton
return d
def render_cloud_volumes(cloud_volumes):
volumes = []
for vol_type, vol_dirs in cloud_volumes.iteritems():
cv = CloudVolumeSpec()
cv.Type = vol_type
cv.Dirs = vol_dirs
volumes.append(cv)
return volumes
def json_of_spec(spec):
return json.loads(jsonpickle.encode(spec, unpicklable=False))
def render_podgroup_spec_from_json(spec_json):
pod_group = PodGroupSpec()
pod_group.Name = spec_json['Name']
pod_group.Namespace = spec_json['Namespace']
pod_group.NumInstances = spec_json['NumInstances']
pod_group.RestartPolicy = spec_json['RestartPolicy']
pod_group.Pod = render_pod_spec_from_json(spec_json['Pod'])
return pod_group
def render_pod_spec_from_json(spec_json):
pod = PodSpec()
pod.Name = spec_json['Name']
pod.Namespace = spec_json['Namespace']
containers = spec_json.get('Containers')
if not isinstance(containers, list):
containers = []
pod.Containers = [render_container_spec_from_json(
pod.Name, c) for c in containers]
dependencies = spec_json.get('Dependencies')
if not isinstance(dependencies, list):
dependencies = []
pod.Dependencies = [render_dependency_from_json(d) for d in dependencies]
pod.Annotation = spec_json['Annotation']
pod.Stateful = spec_json.get('Stateful', False)
pod.SetupTime = spec_json.get('SetupTime', 0)
pod.KillTimeout = spec_json.get('KillTimeout', 10)
pod.Version = spec_json['Version']
filters = spec_json.get('Filters')
if not isinstance(filters, list):
filters = []
pod.Filters = copy.deepcopy(filters)
return pod
def render_container_spec_from_json(app_name, spec_json):
c = ContainerSpec()
c.Image = spec_json['Image']
c.Env = copy.deepcopy(spec_json['Env'])
c.User = spec_json['User']
c.WorkingDir = spec_json['WorkingDir']
c.DnsSearch = copy.deepcopy(
spec_json['DnsSearch']) if spec_json.get('DnsSearch') else []
c.Volumes = copy.deepcopy(spec_json['Volumes'])
c.SystemVolumes = copy.deepcopy(spec_json['SystemVolumes'])
cloud_volumes = spec_json.get('CloudVolumes')
if not isinstance(cloud_volumes, list):
cloud_volumes = []
c.CloudVolumes = [render_cloud_volumes_spec_from_json(
cv) for cv in cloud_volumes]
c.Command = spec_json.get('Command')
c.Entrypoint = spec_json.get('Entrypoint')
c.CpuLimit = spec_json['CpuLimit']
c.MemoryLimit = spec_json['MemoryLimit']
c.Expose = spec_json['Expose'] if spec_json['Expose'] else 0
json_logconfig = spec_json.get('LogConfig', {})
c.LogConfig = LogConfigSpec()
c.LogConfig.Type = json_logconfig.get('Type', '')
c.LogConfig.Config = copy.deepcopy(
json_logconfig['Config']) if json_logconfig.get('Config') else {}
return c
def render_dependency_from_json(spec_json):
d = Dependency()
d.PodName = spec_json['PodName']
d.Policy = spec_json['Policy']
return d
def render_cloud_volumes_spec_from_json(spec_json):
cv = CloudVolumeSpec()
cv.Type = spec_json['Type']
cv.Dirs = spec_json['Dirs']
return cv
| supermeng/console | apis/specs.py | Python | mit | 15,232 |
from electrum_vtc.i18n import _
fullname = _('Cosigner Pool')
description = ' '.join([
_("This plugin facilitates the use of multi-signatures wallets."),
_("It sends and receives partially signed transactions from/to your cosigner wallet."),
_("Transactions are encrypted and stored on a remote server.")
])
#requires_wallet_type = ['2of2', '2of3']
available_for = ['qt', 'vtc']
| pknight007/electrum-vtc | plugins/cosigner_pool/__init__.py | Python | mit | 391 |
#!/usr/bin/env python
# The MIT License (MIT)
#
# Copyright (c) 2015 Stany MARCEL <stanypub@gmail.com>
#
# Permission is hereby granted, free of charge, to any person obtaining a copy
# of this software and associated documentation files (the "Software"), to deal
# in the Software without restriction, including without limitation the rights
# to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
# copies of the Software, and to permit persons to whom the Software is
# furnished to do so, subject to the following conditions:
#
# The above copyright notice and this permission notice shall be included in
# all copies or substantial portions of the Software.
#
# THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
# IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
# FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
# AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
# LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
# OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN
# THE SOFTWARE.
import ast
import os
import shlex
from collections import OrderedDict
import operator as op
OPERATORS = {
ast.Add : op.add,
ast.Sub : op.sub,
ast.Mult : op.mul,
ast.Div : op.floordiv,
ast.Mod : op.mod,
ast.LShift : op.lshift,
ast.RShift : op.rshift,
ast.BitOr : op.or_,
ast.BitXor : op.xor,
ast.BitAnd : op.and_,
ast.Invert : op.invert,
ast.Not : op.not_,
ast.UAdd : op.pos,
ast.USub : op.neg,
ast.And : op.and_,
ast.Or : op.or_,
ast.Eq : op.eq,
ast.NotEq : op.ne,
ast.Lt : op.lt,
ast.LtE : op.le,
ast.Gt : op.gt,
ast.GtE : op.ge,
}
def eval_expr(expr):
""" Eval and expression inside a #define using a suppart of python grammar """
def _eval(node):
if isinstance(node, ast.Num):
return node.n
elif isinstance(node, ast.BinOp):
return OPERATORS[type(node.op)](_eval(node.left), _eval(node.right))
elif isinstance(node, ast.UnaryOp):
return OPERATORS[type(node.op)](_eval(node.operand))
elif isinstance(node, ast.BoolOp):
values = [_eval(x) for x in node.values]
return OPERATORS[type(node.op)](**values)
else:
raise TypeError(node)
return _eval(ast.parse(expr, mode='eval').body)
def defines(base, include):
""" Extract #define from base/include following #includes """
parsed = set()
fname = os.path.normpath(os.path.abspath(os.path.join(base, include)))
parsed.add(fname)
lexer = shlex.shlex(open(fname), posix=True)
lexer.whitespace = ' \t\r'
lexer.commenters = ''
lexer.quotes = '"'
out = OrderedDict()
def parse_c_comments(lexer, tok, ntok):
if tok != '/' or ntok != '*':
return False
quotes = lexer.quotes
lexer.quotes = ''
while True:
tok = lexer.get_token()
ntok = lexer.get_token()
if tok == '*' and ntok == '/':
lexer.quotes = quotes
break
else:
lexer.push_token(ntok)
return True
def parse_cpp_comments(lexer, tok, ntok):
if tok != '/' or ntok != '/':
return False
quotes = lexer.quotes
lexer.quotes = ''
while True:
tok = lexer.get_token()
if tok == '\n':
lexer.quotes = quotes
lexer.push_token(tok)
break
return True
while True:
tok = lexer.get_token()
if not tok or tok == '':
break
ntok = lexer.get_token()
if parse_c_comments(lexer, tok, ntok):
continue
if parse_cpp_comments(lexer, tok, ntok):
continue
if tok != '\n' or ntok != '#':
lexer.push_token(ntok)
continue
tok = lexer.get_token()
if tok == 'define':
name = lexer.get_token()
expr = ''
while True:
tok = lexer.get_token()
ntok = lexer.get_token()
if parse_c_comments(lexer, tok, ntok):
continue
if parse_cpp_comments(lexer, tok, ntok):
continue
lexer.push_token(ntok)
if not tok or tok == '':
break
if tok == '\n':
lexer.push_token(tok)
break
if tok in out:
tok = str(out[tok])
expr = expr + tok
try:
val = eval_expr(expr)
out[name] = val
except (SyntaxError, TypeError):
pass
elif tok == 'include':
tok = lexer.get_token()
if tok == '<':
name = ''
while True:
tok = lexer.get_token()
if tok == '>':
break
name = name + tok
else:
name = tok
fname = os.path.normpath(os.path.abspath(os.path.join(base, name)))
if os.path.isfile(fname) and not fname in parsed:
parsed.add(fname)
lexer.push_source(open(fname))
else:
lexer.push_token(tok)
return out
if __name__ == '__main__':
import sys
definesDict = defines(sys.argv[1], sys.argv[2])
for k, v in definesDict.items():
print("{}:\t{}".format(k, v))
| ynsta/steamcontroller | src/cheader.py | Python | mit | 5,714 |
import sys
if sys.version_info < (2, 7):
import unittest2 as unittest
else:
import unittest
from datetime import datetime
from datetime import date
from twilio.rest.resources import parse_date
from twilio.rest.resources import transform_params
from twilio.rest.resources import convert_keys
from twilio.rest.resources import convert_case
from twilio.rest.resources import normalize_dates
class CoreTest(unittest.TestCase):
def test_date(self):
d = date(2009,10,10)
self.assertEquals(parse_date(d), "2009-10-10")
def test_datetime(self):
d = datetime(2009,10,10)
self.assertEquals(parse_date(d), "2009-10-10")
def test_string_date(self):
d = "2009-10-10"
self.assertEquals(parse_date(d), "2009-10-10")
def test_string_date(self):
d = None
self.assertEquals(parse_date(d), None)
def test_string_date(self):
d = False
self.assertEquals(parse_date(d), None)
def test_fparam(self):
d = {"HEY": None, "YOU": 3}
ed = {"YOU":3}
self.assertEquals(transform_params(d), ed)
def test_fparam_booleans(self):
d = {"HEY": None, "YOU": 3, "Activated": False}
ed = {"YOU":3, "Activated": "false"}
self.assertEquals(transform_params(d), ed)
def test_normalize_dates(self):
@normalize_dates
def foo(on=None, before=None, after=None):
return {
"on": on,
"before": before,
"after": after,
}
d = foo(on="2009-10-10", before=date(2009,10,10),
after=datetime(2009,10,10))
self.assertEquals(d["on"], "2009-10-10")
self.assertEquals(d["after"], "2009-10-10")
self.assertEquals(d["before"], "2009-10-10")
def test_convert_case(self):
self.assertEquals(convert_case("from_"), "From")
self.assertEquals(convert_case("to"), "To")
self.assertEquals(convert_case("frienldy_name"), "FrienldyName")
def test_convert_keys(self):
d = {
"from_": 0,
"to": 0,
"friendly_name": 0,
"ended": 0,
}
ed = {
"From": 0,
"To": 0,
"FriendlyName": 0,
"EndTime": 0,
}
self.assertEquals(ed, convert_keys(d))
| schwardo/chicago47-sms | tests/test_core.py | Python | mit | 2,358 |
from docutils import nodes, utils
from docutils.parsers.rst.roles import set_classes
# I cant figure out how the hell to import this so I'm just gonna forget it for now
def apigen_role(name, rawtext, text, lineno, inliner, options={}, content=[]):
"""Link to API Docs page.
Returns 2 part tuple containing list of nodes to insert into the
document and a list of system messages. Both are allowed to be
empty.
:param name: The role name used in the document.
:param rawtext: The entire markup snippet, with role.
:param text: The text marked with the role.
:param lineno: The line number where rawtext appears in the input.
:param inliner: The inliner instance that called us.
:param options: Directive options for customization.
:param content: The directive content for customization.
"""
try:
class_name = text.replace('\\', '.')
if text[0:1] == '.':
class_name = class_name[1:]
if class_name == "":
raise ValueError
except ValueError:
msg = inliner.reporter.error(
'Class name must be a valid fully qualified class name; '
'"%s" is invalid.' % text, line=lineno)
prb = inliner.problematic(rawtext, rawtext, msg)
return [prb], [msg]
app = inliner.document.settings.env.app
node = make_link_node(rawtext, app, 'class', class_name, options)
return [node], []
def make_link_node(rawtext, app, type, slug, options):
"""Create a link to an ApiGen API docs page.
:param rawtext: Text being replaced with link node.
:param app: Sphinx application context
:param type: Item type (class, namespace, etc.)
:param slug: ID of the thing to link to
:param options: Options dictionary passed to role func.
"""
#
try:
base = app.config.apigen_docs_uri
if not base:
raise AttributeError
except AttributeError, err:
raise ValueError('apigen_docs_uri configuration value is not set (%s)' % str(err))
# Build API docs link
slash = '/' if base[-1] != '/' else ''
ref = base + slash + type + '-' + slug + '.html'
set_classes(options)
node = nodes.reference(rawtext, type + ' ' + utils.unescape(slug), refuri=ref,
**options)
return node
def setup(app):
"""Install the plugin.
:param app: Sphinx application context.
"""
app.info('Initializing Api Class plugin')
app.add_role('apiclass', apigen_role)
# app.add_role('apins', apigen_namespace_role)
app.add_config_value('apigen_docs_uri', None, 'env')
return
| deni-zen/csvelte | docs/_contrib/apigenrole.py | Python | mit | 2,618 |
# -*- coding: utf-8 -*-
"""Secondary movement commands."""
# Part of Clockwork MUD Server (https://github.com/whutch/cwmud)
# :copyright: (c) 2008 - 2017 Will Hutcheson
# :license: MIT (https://github.com/whutch/cwmud/blob/master/LICENSE.txt)
from .. import Command, COMMANDS
from ...characters import CharacterShell
@COMMANDS.register
class NortheastCommand(Command):
"""A command to allow a character to move northeast."""
def _action(self):
char = self.session.char
if not char:
self.session.send("You're not playing a character!")
return
if not char.room:
self.session.send("You're not in a room!")
return
char.move_direction(x=1, y=1)
@COMMANDS.register
class NorthwestCommand(Command):
"""A command to allow a character to move northwest."""
def _action(self):
char = self.session.char
if not char:
self.session.send("You're not playing a character!")
return
if not char.room:
self.session.send("You're not in a room!")
return
char.move_direction(x=-1, y=1)
@COMMANDS.register
class SoutheastCommand(Command):
"""A command to allow a character to move southeast."""
def _action(self):
char = self.session.char
if not char:
self.session.send("You're not playing a character!")
return
if not char.room:
self.session.send("You're not in a room!")
return
char.move_direction(x=1, y=-1)
@COMMANDS.register
class SouthwestCommand(Command):
"""A command to allow a character to move southwest."""
def _action(self):
char = self.session.char
if not char:
self.session.send("You're not playing a character!")
return
if not char.room:
self.session.send("You're not in a room!")
return
char.move_direction(x=-1, y=-1)
CharacterShell.add_verbs(NortheastCommand, "northeast", "ne")
CharacterShell.add_verbs(NorthwestCommand, "northwest", "nw")
CharacterShell.add_verbs(SoutheastCommand, "southeast", "se")
CharacterShell.add_verbs(SouthwestCommand, "southwest", "sw")
| whutch/cwmud | cwmud/core/commands/movement/secondary.py | Python | mit | 2,232 |
from bibliopixel.colors import COLORS as _COLORS
from bibliopixel.colors.arithmetic import color_scale
from bibliopixel.animation.strip import Strip
import random
class Searchlights(Strip):
"""Three search lights sweeping at different speeds"""
COLORS = [_COLORS.MediumSeaGreen, _COLORS.MediumPurple,
_COLORS.MediumVioletRed]
COLOR_DEFAULTS = ('colors', COLORS),
def __init__(self, layout, tail=5, start=0, end=-1, **kwds):
super().__init__(layout, start, end, **kwds)
self._tail = tail + 1
if self._tail >= self._size // 2:
self._tail = (self._size // 2) - 1
def pre_run(self):
self._direction = [1, 1, 1]
self._currentpos = [0, 0, 0]
self._steps = [1, 1, 1]
self._fadeAmt = 256 / self._tail
def step(self, amt=1):
self._ledcolors = [(0, 0, 0) for i in range(self._size)]
self.layout.all_off()
for i in range(0, 3):
self._currentpos[i] = self._start + self._steps[i]
color = self.palette(i)
# average the colors together so they blend
self._ledcolors[self._currentpos[i]] = list(map(lambda x, y: (x + y) // 2, color, self._ledcolors[self._currentpos[i]]))
for j in range(1, self._tail):
if self._currentpos[i] - j >= 0:
self._ledcolors[self._currentpos[i] - j] = list(map(lambda x, y: (x + y) // 2, self._ledcolors[self._currentpos[i] - j], color_scale(color, 255 - (self._fadeAmt * j))))
if self._currentpos[i] + j < self._size:
self._ledcolors[self._currentpos[i] + j] = list(map(lambda x, y: (x + y) // 2, self._ledcolors[self._currentpos[i] + j], color_scale(color, 255 - (self._fadeAmt * j))))
if self._start + self._steps[i] >= self._end:
self._direction[i] = -1
elif self._start + self._steps[i] <= 0:
self._direction[i] = 1
# advance each searchlight at a slightly different speed
self._steps[i] += self._direction[i] * amt * int(random.random() > (i * 0.05))
for i, thiscolor in enumerate(self._ledcolors):
self.layout.set(i, thiscolor)
| ManiacalLabs/BiblioPixelAnimations | BiblioPixelAnimations/strip/Searchlights.py | Python | mit | 2,221 |
# coding: utf8
from __future__ import unicode_literals
# Adding a lemmatizer lookup table
# Documentation: https://spacy.io/docs/usage/adding-languages#lemmatizer
# Entries should be added in the following format:
LOOKUP = {
"آ": "آنا",
"آْباد": "آْباد",
"آثار": "آثار",
"آثارِ": "آثارِ",
"آثارالصنادید": "آثارالصنادید",
"آثارو": "آثار",
"آثاروں": "آثار",
"آڈیو": "آڈیو",
"آڈیوز": "آڈیوز",
"آغا": "آغا",
"آغاحشر": "آغاحشر",
"آغاز": "آغاز",
"آغازو": "آغاز",
"آغازوں": "آغاز",
"آغوش": "آغوش",
"آغوشو": "آغوش",
"آغوشوں": "آغوش",
"آغوشیں": "آغوش",
"آحباب": "آحباب",
"آحبابو": "آحباب",
"آحبابوں": "آحباب",
"آخَر": "آخَر",
"آخِر": "آخِر",
"آخر": "آخر",
"آخرالذکر": "آخرالذکر",
"آخرالزماں": "آخرالزماں",
"آخرالزمان": "آخرالزمان",
"آخردماغ": "آخردماغ",
"آخرکار": "آخرکار",
"آخرت": "آخرت",
"آخرتو": "آخرت",
"آخرتوں": "آخرت",
"آخرتیں": "آخرت",
"آٹے": "آٹا",
"آٹا": "آٹا",
"آٹو": "آٹا",
"آٹوں": "آٹا",
"آٹھ": "آٹھ",
"آٹھواں": "آٹھواں",
"آٹھووںں": "آٹھواں",
"آٹھویں": "آٹھواں",
"آشامی": "آشامی",
"آشامیاں": "آشامی",
"آشامیو": "آشامی",
"آشامیوں": "آشامی",
"آشانے": "آشانہ",
"آشانہ": "آشانہ",
"آشانو": "آشانہ",
"آشانوں": "آشانہ",
"آذاد": "آذاد",
"آذان": "آذان",
"آذانو": "آذان",
"آذانوں": "آذان",
"آذانیں": "آذان",
"آب": "آب",
"آبخورے": "آبخورہ",
"آبخورہ": "آبخورہ",
"آبخورو": "آبخورہ",
"آبخوروں": "آبخورہ",
"آبشار": "آبشار",
"آبشارو": "آبشار",
"آبشاروں": "آبشار",
"آبشاریں": "آبشار",
"آبا": "آبا",
"آبادی": "آبادی",
"آبادیاں": "آبادی",
"آبادیو": "آبادی",
"آبادیوں": "آبادی",
"آباؤ": "آبا",
"آباؤں": "آبا",
"آبائ": "آبائ",
"آبائو": "آبائ",
"آبائوں": "آبائ",
"آبائی": "آبائی",
"آبگینے": "آبگینہ",
"آبگینہ": "آبگینہ",
"آبگینو": "آبگینہ",
"آبگینوں": "آبگینہ",
"آبلے": "آبلہ",
"آبلہ": "آبلہ",
"آبلو": "آبلہ",
"آبلوں": "آبلہ",
"آبرو": "آبرو",
"آبروو": "آبرو",
"آبرووں": "آبرو",
"آبروؤ": "آبرو",
"آبروؤں": "آبرو",
"آبرویں": "آبرو",
"آبروئیں": "آبرو",
"آبی": "آبی",
"آداب": "آداب",
"آدم": "آدم",
"آدمو": "آدم",
"آدموں": "آدم",
"آدمی": "آدمی",
"آدمیاں": "آدمی",
"آدمیو": "آدمی",
"آدمیوں": "آدمی",
"آدرش": "آدرش",
"آدھمک": "آدھمکنا",
"آدھمکے": "آدھمکنا",
"آدھمکں": "آدھمکنا",
"آدھمکا": "آدھمکنا",
"آدھمکانے": "آدھمکنا",
"آدھمکانا": "آدھمکنا",
"آدھمکاتے": "آدھمکنا",
"آدھمکاتا": "آدھمکنا",
"آدھمکاتی": "آدھمکنا",
"آدھمکاتیں": "آدھمکنا",
"آدھمکاؤ": "آدھمکنا",
"آدھمکاؤں": "آدھمکنا",
"آدھمکائے": "آدھمکنا",
"آدھمکائی": "آدھمکنا",
"آدھمکائیے": "آدھمکنا",
"آدھمکائیں": "آدھمکنا",
"آدھمکایا": "آدھمکنا",
"آدھمکنے": "آدھمکنا",
"آدھمکنا": "آدھمکنا",
"آدھمکنی": "آدھمکنا",
"آدھمکتے": "آدھمکنا",
"آدھمکتا": "آدھمکنا",
"آدھمکتی": "آدھمکنا",
"آدھمکتیں": "آدھمکنا",
"آدھمکو": "آدھمکنا",
"آدھمکوں": "آدھمکنا",
"آدھمکی": "آدھمکنا",
"آدھمکیے": "آدھمکنا",
"آدھمکیں": "آدھمکنا",
"آفاقے": "آفاقہ",
"آفاقہ": "آفاقہ",
"آفاقو": "آفاقہ",
"آفاقوں": "آفاقہ",
"آفاقی": "آفاقی",
"آفاقیت": "آفاقیت",
"آفریں": "آفریں",
"آفریدے": "آفریدہ",
"آفریدہ": "آفریدہ",
"آفریدو": "آفریدہ",
"آفریدوں": "آفریدہ",
"آفرین": "آفرین",
"آفرینو": "آفرین",
"آفرینوں": "آفرین",
"آفت": "آفت",
"آفتاب": "آفتاب",
"آفتابو": "آفتاب",
"آفتابوں": "آفتاب",
"آفتو": "آفت",
"آفتوں": "آفت",
"آفتیں": "آفت",
"آفیسر": "آفیسر",
"آفیسرو": "آفیسر",
"آفیسروں": "آفیسر",
"آگرے": "آگرا",
"آگرا": "آگرا",
"آگرہ": "آگرہ",
"آگرو": "آگرا",
"آگروں": "آگرا",
"آگیا": "آگیا",
"آگیاؤں": "آگیا",
"آگیائیں": "آگیا",
"آہ": "آہ",
"آہٹ": "آہٹ",
"آہٹو": "آہٹ",
"آہٹوں": "آہٹ",
"آہٹیں": "آہٹ",
"آہو": "آہ",
"آہوں": "آہ",
"آہیں": "آہ",
"آل": "آل",
"آلُو": "آلُو",
"آلُوؤ": "آلُو",
"آلُوؤں": "آلُو",
"آلے": "آلا",
"آلا": "آلا",
"آلو": "آلا",
"آلوں": "آلا",
"آلودگی": "آلودگی",
"آلودگیاں": "آلودگی",
"آلودگیو": "آلودگی",
"آلودگیوں": "آلودگی",
"آلوؤ": "آلو",
"آلوؤں": "آلو",
"آلیں": "آل",
"آم": "آم",
"آمد": "آمد",
"آمدنی": "آمدنی",
"آمدنیاں": "آمدنی",
"آمدنیو": "آمدنی",
"آمدنیوں": "آمدنی",
"آمدو": "آمد",
"آمدوں": "آمد",
"آمدیں": "آمد",
"آملے": "آملہ",
"آملہ": "آملہ",
"آملو": "آملہ",
"آملوں": "آملہ",
"آمنا": "آمنا",
"آمر": "آمر",
"آمرو": "آمر",
"آمروں": "آمر",
"آمو": "آم",
"آموں": "آم",
"آنے": "آنہ",
"آنا": "آنا",
"آندھی": "آندھی",
"آندھیاں": "آندھی",
"آندھیو": "آندھی",
"آندھیوں": "آندھی",
"آنگن": "آنگن",
"آنگنو": "آنگن",
"آنگنوں": "آنگن",
"آنہ": "آنہ",
"آنکے": "آنکہ",
"آنکہ": "آنکہ",
"آنکو": "آنکہ",
"آنکوں": "آنکہ",
"آنکھ": "آنکھ",
"آنکھو": "آنکھ",
"آنکھوں": "آنکھ",
"آنکھیں": "آنکھ",
"آنسو": "آنسو",
"آنسوو": "آنسو",
"آنسووں": "آنسو",
"آنسوؤ": "آنسو",
"آنسوؤں": "آنسو",
"آنت": "آنت",
"آنتو": "آنت",
"آنتوں": "آنت",
"آنتیں": "آنت",
"آنو": "آنہ",
"آنوں": "آنہ",
"آنی": "آنا",
"آپ": "آپ",
"آپْکے": "میرا",
"آپْکا": "میرا",
"آپْکی": "میرا",
"آپَس": "آپَس",
"آپکے": "میرا",
"آپکا": "میرا",
"آپکی": "میرا",
"آپس": "آپَس",
"آقا": "آقا",
"آقاؤ": "آقا",
"آقاؤں": "آقا",
"آرے": "آرہ",
"آرٹسٹ": "آرٹسٹ",
"آرٹسٹو": "آرٹسٹ",
"آرٹسٹوں": "آرٹسٹ",
"آرائش": "آرائش",
"آرائشو": "آرائش",
"آرائشوں": "آرائش",
"آرائشیں": "آرائش",
"آرائی": "آرائی",
"آرائیاں": "آرائی",
"آرائیو": "آرائی",
"آرائیوں": "آرائی",
"آرہ": "آرہ",
"آرو": "آرہ",
"آروں": "آرہ",
"آرز": "آرز",
"آرزے": "آرزہ",
"آرزہ": "آرزہ",
"آرزو": "آرزہ",
"آرزوں": "آرزہ",
"آرزوؤ": "آرزو",
"آرزوؤں": "آرزو",
"آرزوئیں": "آرزو",
"آسامی": "آسامی",
"آسامیاں": "آسامی",
"آسامیو": "آسامی",
"آسامیوں": "آسامی",
"آسانی": "آسانی",
"آسانیا": "آسانیا",
"آسانیاں": "آسانی",
"آسانیو": "آسانی",
"آسانیوں": "آسانی",
"آسائش": "آسائش",
"آسائشو": "آسائش",
"آسائشوں": "آسائش",
"آسائشیں": "آسائش",
"آسمان": "آسمان",
"آسمانو": "آسمان",
"آسمانوں": "آسمان",
"آستانے": "آستانہ",
"آستانہ": "آستانہ",
"آستانو": "آستانہ",
"آستانوں": "آستانہ",
"آستن": "آستن",
"آستنو": "آستن",
"آستنوں": "آستن",
"آستین": "آستین",
"آستینو": "آستین",
"آستینوں": "آستین",
"آستینیں": "آستین",
"آتے": "آنا",
"آتا": "آنا",
"آتی": "آنا",
"آتیں": "آنا",
"آؤ": "آؤ",
"آؤں": "آنا",
"آوارگی": "آوارگی",
"آوارگیاں": "آوارگی",
"آوارگیو": "آوارگی",
"آوارگیوں": "آوارگی",
"آواز": "آواز",
"آوازے": "آوازہ",
"آوازہ": "آوازہ",
"آوازو": "آوازہ",
"آوازوں": "آوازہ",
"آوازیں": "آواز",
"آور": "آور",
"آورو": "آور",
"آوروں": "آور",
"آئے": "آنا",
"آئنے": "آئنہ",
"آئنہ": "آئنہ",
"آئنو": "آئنہ",
"آئنوں": "آئنہ",
"آئی": "آئی",
"آئیے": "آنا",
"آئیں": "آنا",
"آئین": "آئین",
"آئینے": "آئینہ",
"آئینہ": "آئینہ",
"آئینو": "آئینہ",
"آئینوں": "آئینہ",
"آئیو": "آئی",
"آئیوں": "آئی",
"آیا": "آیا",
"آیات": "آیات",
"آیاتو": "آیات",
"آیاتوں": "آیات",
"آیاؤ": "آیا",
"آیاؤں": "آیا",
"آیائیں": "آیا",
"آیت": "آیت",
"آیتو": "آیت",
"آیتوں": "آیت",
"آیتیں": "آیت",
"آزاد": "آزاد",
"آزادو": "آزاد",
"آزادوں": "آزاد",
"آزادی": "آزادی",
"آزادیاں": "آزادی",
"آزادیو": "آزادی",
"آزادیوں": "آزادی",
"آزما": "آزمانا",
"آزمانے": "آزمانا",
"آزمانا": "آزمانا",
"آزمانی": "آزمانا",
"آزماتے": "آزمانا",
"آزماتا": "آزمانا",
"آزماتی": "آزمانا",
"آزماتیں": "آزمانا",
"آزماؤ": "آزمانا",
"آزماؤں": "آزمانا",
"آزمائے": "آزمانا",
"آزمائش": "آزمائش",
"آزمائشو": "آزمائش",
"آزمائشوں": "آزمائش",
"آزمائشیں": "آزمائش",
"آزمائی": "آزمائی",
"آزمائیے": "آزمانا",
"آزمائیں": "آزمانا",
"آزمائیاں": "آزمائی",
"آزمائیو": "آزمائی",
"آزمائیوں": "آزمائی",
"آزمایا": "آزمانا",
"ثقافت": "ثقافت",
"ثقافتو": "ثقافت",
"ثقافتوں": "ثقافت",
"ثقافتیں": "ثقافت",
"ڈِبْیا": "ڈِبْیا",
"ڈِبْیاں": "ڈِبْیا",
"ڈِبْیو": "ڈِبْیا",
"ڈِبْیوں": "ڈِبْیا",
"ڈاک": "ڈاک",
"ڈاکُو": "ڈاکُو",
"ڈاکُوؤ": "ڈاکُو",
"ڈاکُوؤں": "ڈاکُو",
"ڈاکے": "ڈاکا",
"ڈاکخانے": "ڈاکخانہ",
"ڈاکخانہ": "ڈاکخانہ",
"ڈاکخانو": "ڈاکخانہ",
"ڈاکخانوں": "ڈاکخانہ",
"ڈاکٹر": "ڈاکٹر",
"ڈاکٹرو": "ڈاکٹر",
"ڈاکٹروں": "ڈاکٹر",
"ڈاکا": "ڈاکا",
"ڈاکہ": "ڈاکہ",
"ڈاکو": "ڈاکا",
"ڈاکوں": "ڈاکا",
"ڈاکوؤ": "ڈاکو",
"ڈاکوؤں": "ڈاکو",
"ڈال": "ڈالنا",
"ڈالے": "ڈالا",
"ڈالں": "ڈالنا",
"ڈالا": "ڈالا",
"ڈالنے": "ڈالنا",
"ڈالنا": "ڈالنا",
"ڈالنی": "ڈالنا",
"ڈالر": "ڈالر",
"ڈالرو": "ڈالر",
"ڈالروں": "ڈالر",
"ڈالتے": "ڈالنا",
"ڈالتا": "ڈالنا",
"ڈالتی": "ڈالنا",
"ڈالتیں": "ڈالنا",
"ڈالو": "ڈالا",
"ڈالوں": "ڈالا",
"ڈالی": "ڈالی",
"ڈالیے": "ڈالنا",
"ڈالیں": "ڈالنا",
"ڈالیاں": "ڈالی",
"ڈالیو": "ڈالی",
"ڈالیوں": "ڈالی",
"ڈانٹ": "ڈانٹ",
"ڈانٹو": "ڈانٹ",
"ڈانٹوں": "ڈانٹ",
"ڈانٹیں": "ڈانٹ",
"ڈارمے": "ڈارمہ",
"ڈارمہ": "ڈارمہ",
"ڈارمو": "ڈارمہ",
"ڈارموں": "ڈارمہ",
"ڈائرکٹر": "ڈائرکٹر",
"ڈائرکٹرو": "ڈائرکٹر",
"ڈائرکٹروں": "ڈائرکٹر",
"ڈائری": "ڈائری",
"ڈائریاں": "ڈائری",
"ڈائریو": "ڈائری",
"ڈائریوں": "ڈائری",
"ڈبے": "ڈبا",
"ڈبا": "ڈبا",
"ڈبہ": "ڈبہ",
"ڈبکی": "ڈبکی",
"ڈبکیاں": "ڈبکی",
"ڈبکیو": "ڈبکی",
"ڈبکیوں": "ڈبکی",
"ڈبل": "ڈبل",
"ڈبلو": "ڈبل",
"ڈبلوں": "ڈبل",
"ڈبو": "ڈبا",
"ڈبوں": "ڈبا",
"ڈبوا": "ڈوبنا",
"ڈبوانے": "ڈوبنا",
"ڈبوانا": "ڈوبنا",
"ڈبواتے": "ڈوبنا",
"ڈبواتا": "ڈوبنا",
"ڈبواتی": "ڈوبنا",
"ڈبواتیں": "ڈوبنا",
"ڈبواؤ": "ڈوبنا",
"ڈبواؤں": "ڈوبنا",
"ڈبوائے": "ڈوبنا",
"ڈبوائی": "ڈوبنا",
"ڈبوائیے": "ڈوبنا",
"ڈبوائیں": "ڈوبنا",
"ڈبوایا": "ڈوبنا",
"ڈبونے": "ڈوبنا",
"ڈبونا": "ڈوبنا",
"ڈبوتے": "ڈوبنا",
"ڈبوتا": "ڈوبنا",
"ڈبوتی": "ڈوبنا",
"ڈبوتیں": "ڈوبنا",
"ڈبوؤ": "ڈوبنا",
"ڈبوؤں": "ڈوبنا",
"ڈبوئے": "ڈوبنا",
"ڈبوئی": "ڈوبنا",
"ڈبوئیے": "ڈوبنا",
"ڈبوئیں": "ڈوبنا",
"ڈبویا": "ڈوبنا",
"ڈبیے": "ڈبیا",
"ڈبیا": "ڈبیا",
"ڈبیاں": "ڈبیا",
"ڈبیہ": "ڈبیہ",
"ڈبیو": "ڈبیا",
"ڈبیوں": "ڈبیا",
"ڈگمگا": "ڈگمگانا",
"ڈگمگانے": "ڈگمگانا",
"ڈگمگانا": "ڈگمگانا",
"ڈگمگانی": "ڈگمگانا",
"ڈگمگاتے": "ڈگمگانا",
"ڈگمگاتا": "ڈگمگانا",
"ڈگمگاتی": "ڈگمگانا",
"ڈگمگاتیں": "ڈگمگانا",
"ڈگمگاؤ": "ڈگمگانا",
"ڈگمگاؤں": "ڈگمگانا",
"ڈگمگائے": "ڈگمگانا",
"ڈگمگائی": "ڈگمگانا",
"ڈگمگائیے": "ڈگمگانا",
"ڈگمگائیں": "ڈگمگانا",
"ڈگمگایا": "ڈگمگانا",
"ڈگری": "ڈگری",
"ڈگریاں": "ڈگری",
"ڈگریو": "ڈگری",
"ڈگریوں": "ڈگری",
"ڈکٹیٹر": "ڈکٹیٹر",
"ڈکٹیٹرو": "ڈکٹیٹر",
"ڈکٹیٹروں": "ڈکٹیٹر",
"ڈکار": "ڈکارنا",
"ڈکارے": "ڈکارنا",
"ڈکارں": "ڈکارنا",
"ڈکارا": "ڈکارنا",
"ڈکارنے": "ڈکارنا",
"ڈکارنا": "ڈکارنا",
"ڈکارنی": "ڈکارنا",
"ڈکارتے": "ڈکارنا",
"ڈکارتا": "ڈکارنا",
"ڈکارتی": "ڈکارنا",
"ڈکارتیں": "ڈکارنا",
"ڈکارو": "ڈکارنا",
"ڈکاروں": "ڈکارنا",
"ڈکاری": "ڈکارنا",
"ڈکاریے": "ڈکارنا",
"ڈکاریں": "ڈکارنا",
"ڈکیتی": "ڈکیتی",
"ڈکیتیاں": "ڈکیتی",
"ڈکیتیو": "ڈکیتی",
"ڈکیتیوں": "ڈکیتی",
"ڈل": "ڈلنا",
"ڈلے": "ڈلا",
"ڈلں": "ڈلنا",
"ڈلا": "ڈلا",
"ڈلانے": "ڈالنا",
"ڈلانا": "ڈالنا",
"ڈلاتے": "ڈالنا",
"ڈلاتا": "ڈالنا",
"ڈلاتی": "ڈالنا",
"ڈلاتیں": "ڈالنا",
"ڈلاؤ": "ڈالنا",
"ڈلاؤں": "ڈالنا",
"ڈلائے": "ڈالنا",
"ڈلائی": "ڈالنا",
"ڈلائیے": "ڈالنا",
"ڈلائیں": "ڈالنا",
"ڈلایا": "ڈالنا",
"ڈلنے": "ڈلنا",
"ڈلنا": "ڈلنا",
"ڈلنی": "ڈلنا",
"ڈلتے": "ڈلنا",
"ڈلتا": "ڈلنا",
"ڈلتی": "ڈلنا",
"ڈلتیں": "ڈلنا",
"ڈلو": "ڈلا",
"ڈلوں": "ڈلا",
"ڈلوا": "ڈالنا",
"ڈلوانے": "ڈالنا",
"ڈلوانا": "ڈالنا",
"ڈلواتے": "ڈالنا",
"ڈلواتا": "ڈالنا",
"ڈلواتی": "ڈالنا",
"ڈلواتیں": "ڈالنا",
"ڈلواؤ": "ڈالنا",
"ڈلواؤں": "ڈالنا",
"ڈلوائے": "ڈالنا",
"ڈلوائی": "ڈالنا",
"ڈلوائیے": "ڈالنا",
"ڈلوائیں": "ڈالنا",
"ڈلوایا": "ڈالنا",
"ڈلی": "ڈلنا",
"ڈلیے": "ڈلنا",
"ڈلیں": "ڈلنا",
"ڈنڈے": "ڈنڈا",
"ڈنڈا": "ڈنڈا",
"ڈنڈو": "ڈنڈا",
"ڈنڈوں": "ڈنڈا",
"ڈنڈی": "ڈنڈی",
"ڈنڈیاں": "ڈنڈی",
"ڈنڈیو": "ڈنڈی",
"ڈنڈیوں": "ڈنڈی",
"ڈنگر": "ڈنگر",
"ڈنگرو": "ڈنگر",
"ڈنگروں": "ڈنگر",
"ڈر": "ڈرنا",
"ڈرے": "ڈرہ",
"ڈرں": "ڈرنا",
"ڈرا": "ڈرنا",
"ڈرامے": "ڈراما",
"ڈراما": "ڈراما",
"ڈرامہ": "ڈرامہ",
"ڈرامو": "ڈراما",
"ڈراموں": "ڈراما",
"ڈرانے": "ڈرنا",
"ڈرانا": "ڈرنا",
"ڈراتے": "ڈرنا",
"ڈراتا": "ڈرنا",
"ڈراتی": "ڈرنا",
"ڈراتیں": "ڈرنا",
"ڈراؤ": "ڈرنا",
"ڈراؤں": "ڈرنا",
"ڈرائے": "ڈرنا",
"ڈرائی": "ڈرنا",
"ڈرائیے": "ڈرنا",
"ڈرائیں": "ڈرنا",
"ڈرائیور": "ڈرائیور",
"ڈرائیورو": "ڈرائیور",
"ڈرائیوروں": "ڈرائیور",
"ڈرایا": "ڈرنا",
"ڈرہ": "ڈرہ",
"ڈرنے": "ڈرنا",
"ڈرنا": "ڈرنا",
"ڈرنی": "ڈرنا",
"ڈرپوک": "ڈرپوک",
"ڈرپوکو": "ڈرپوک",
"ڈرپوکوں": "ڈرپوک",
"ڈرتے": "ڈرنا",
"ڈرتا": "ڈرنا",
"ڈرتی": "ڈرنا",
"ڈرتیں": "ڈرنا",
"ڈرو": "ڈرہ",
"ڈروں": "ڈرہ",
"ڈروا": "ڈرنا",
"ڈروانے": "ڈرنا",
"ڈروانا": "ڈرنا",
"ڈرواتے": "ڈرنا",
"ڈرواتا": "ڈرنا",
"ڈرواتی": "ڈرنا",
"ڈرواتیں": "ڈرنا",
"ڈرواؤ": "ڈرنا",
"ڈرواؤں": "ڈرنا",
"ڈروائے": "ڈرنا",
"ڈروائی": "ڈرنا",
"ڈروائیے": "ڈرنا",
"ڈروائیں": "ڈرنا",
"ڈروایا": "ڈرنا",
"ڈری": "ڈرنا",
"ڈریے": "ڈرنا",
"ڈریں": "ڈرنا",
"ڈس": "ڈسنا",
"ڈسے": "ڈسنا",
"ڈسں": "ڈسنا",
"ڈسا": "ڈسنا",
"ڈسانے": "ڈسنا",
"ڈسانا": "ڈسنا",
"ڈساتے": "ڈسنا",
"ڈساتا": "ڈسنا",
"ڈساتی": "ڈسنا",
"ڈساتیں": "ڈسنا",
"ڈساؤ": "ڈسنا",
"ڈساؤں": "ڈسنا",
"ڈسائے": "ڈسنا",
"ڈسائی": "ڈسنا",
"ڈسائیے": "ڈسنا",
"ڈسائیں": "ڈسنا",
"ڈسایا": "ڈسنا",
"ڈسنے": "ڈسنا",
"ڈسنا": "ڈسنا",
"ڈسنی": "ڈسنا",
"ڈستے": "ڈسنا",
"ڈستا": "ڈسنا",
"ڈستی": "ڈسنا",
"ڈستیں": "ڈسنا",
"ڈسو": "ڈسنا",
"ڈسوں": "ڈسنا",
"ڈسوا": "ڈسنا",
"ڈسوانے": "ڈسنا",
"ڈسوانا": "ڈسنا",
"ڈسواتے": "ڈسنا",
"ڈسواتا": "ڈسنا",
"ڈسواتی": "ڈسنا",
"ڈسواتیں": "ڈسنا",
"ڈسواؤ": "ڈسنا",
"ڈسواؤں": "ڈسنا",
"ڈسوائے": "ڈسنا",
"ڈسوائی": "ڈسنا",
"ڈسوائیے": "ڈسنا",
"ڈسوائیں": "ڈسنا",
"ڈسوایا": "ڈسنا",
"ڈسی": "ڈسنا",
"ڈسیے": "ڈسنا",
"ڈسیں": "ڈسنا",
"ڈوب": "ڈوبنا",
"ڈوبے": "ڈوبنا",
"ڈوبں": "ڈوبنا",
"ڈوبا": "ڈوبنا",
"ڈوبنے": "ڈوبنا",
"ڈوبنا": "ڈوبنا",
"ڈوبنی": "ڈوبنا",
"ڈوبتے": "ڈوبنا",
"ڈوبتا": "ڈوبنا",
"ڈوبتی": "ڈوبنا",
"ڈوبتیں": "ڈوبنا",
"ڈوبو": "ڈوبنا",
"ڈوبوں": "ڈوبنا",
"ڈوبی": "ڈوبنا",
"ڈوبیے": "ڈوبنا",
"ڈوبیں": "ڈوبنا",
"ڈور": "ڈور",
"ڈورے": "ڈورا",
"ڈورا": "ڈورا",
"ڈورو": "ڈورا",
"ڈوروں": "ڈورا",
"ڈوری": "ڈوری",
"ڈوریں": "ڈور",
"ڈوریاں": "ڈوری",
"ڈوریو": "ڈوری",
"ڈوریوں": "ڈوری",
"ڈیر": "ڈیر",
"ڈیرے": "ڈیرا",
"ڈیرا": "ڈیرا",
"ڈیرہ": "ڈیرہ",
"ڈیرو": "ڈیرا",
"ڈیروں": "ڈیرا",
"ڈیوڑھی": "ڈیوڑھی",
"ڈیوڑھیاں": "ڈیوڑھی",
"ڈیوڑھیو": "ڈیوڑھی",
"ڈیوڑھیوں": "ڈیوڑھی",
"ڈیوٹی": "ڈیوٹی",
"ڈیوٹیاں": "ڈیوٹی",
"ڈیوٹیو": "ڈیوٹی",
"ڈیوٹیوں": "ڈیوٹی",
"ڈھا": "ڈھانا",
"ڈھال": "ڈھال",
"ڈھالے": "ڈھالہ",
"ڈھالں": "ڈھلنا",
"ڈھالا": "ڈھلنا",
"ڈھالہ": "ڈھالہ",
"ڈھالنے": "ڈھلنا",
"ڈھالنا": "ڈھلنا",
"ڈھالتے": "ڈھلنا",
"ڈھالتا": "ڈھلنا",
"ڈھالتی": "ڈھلنا",
"ڈھالتیں": "ڈھلنا",
"ڈھالو": "ڈھالہ",
"ڈھالوں": "ڈھالہ",
"ڈھالی": "ڈھلنا",
"ڈھالیے": "ڈھلنا",
"ڈھالیں": "ڈھال",
"ڈھانے": "ڈھانا",
"ڈھانا": "ڈھانا",
"ڈھانچے": "ڈھانچہ",
"ڈھانچہ": "ڈھانچہ",
"ڈھانچو": "ڈھانچہ",
"ڈھانچوں": "ڈھانچہ",
"ڈھانپ": "ڈھانپ",
"ڈھانپے": "ڈھانپنا",
"ڈھانپں": "ڈھانپنا",
"ڈھانپا": "ڈھانپنا",
"ڈھانپنے": "ڈھانپنا",
"ڈھانپنا": "ڈھانپنا",
"ڈھانپنی": "ڈھانپنا",
"ڈھانپتے": "ڈھانپنا",
"ڈھانپتا": "ڈھانپنا",
"ڈھانپتی": "ڈھانپنا",
"ڈھانپتیں": "ڈھانپنا",
"ڈھانپو": "ڈھانپ",
"ڈھانپوں": "ڈھانپ",
"ڈھانپی": "ڈھانپنا",
"ڈھانپیے": "ڈھانپنا",
"ڈھانپیں": "ڈھانپنا",
"ڈھانی": "ڈھانا",
"ڈھاتے": "ڈھانا",
"ڈھاتا": "ڈھانا",
"ڈھاتی": "ڈھانا",
"ڈھاتیں": "ڈھانا",
"ڈھاؤ": "ڈھانا",
"ڈھاؤں": "ڈھانا",
"ڈھائے": "ڈھانا",
"ڈھائی": "ڈھانا",
"ڈھائیے": "ڈھانا",
"ڈھائیں": "ڈھانا",
"ڈھایا": "ڈھانا",
"ڈھک": "ڈھکنا",
"ڈھکے": "ڈھکنا",
"ڈھکں": "ڈھکنا",
"ڈھکا": "ڈھکا",
"ڈھکانے": "ڈھکنا",
"ڈھکانا": "ڈھکنا",
"ڈھکاتے": "ڈھکنا",
"ڈھکاتا": "ڈھکنا",
"ڈھکاتی": "ڈھکنا",
"ڈھکاتیں": "ڈھکنا",
"ڈھکاؤ": "ڈھکنا",
"ڈھکاؤں": "ڈھکنا",
"ڈھکائے": "ڈھکنا",
"ڈھکائی": "ڈھکنا",
"ڈھکائیے": "ڈھکنا",
"ڈھکائیں": "ڈھکنا",
"ڈھکایا": "ڈھکنا",
"ڈھکنے": "ڈھکنا",
"ڈھکنا": "ڈھکنا",
"ڈھکنی": "ڈھکنا",
"ڈھکتے": "ڈھکنا",
"ڈھکتا": "ڈھکنا",
"ڈھکتی": "ڈھکنا",
"ڈھکتیں": "ڈھکنا",
"ڈھکو": "ڈھکنا",
"ڈھکوں": "ڈھکنا",
"ڈھکوا": "ڈھکنا",
"ڈھکوانے": "ڈھکنا",
"ڈھکوانا": "ڈھکنا",
"ڈھکواتے": "ڈھکنا",
"ڈھکواتا": "ڈھکنا",
"ڈھکواتی": "ڈھکنا",
"ڈھکواتیں": "ڈھکنا",
"ڈھکواؤ": "ڈھکنا",
"ڈھکواؤں": "ڈھکنا",
"ڈھکوائے": "ڈھکنا",
"ڈھکوائی": "ڈھکنا",
"ڈھکوائیے": "ڈھکنا",
"ڈھکوائیں": "ڈھکنا",
"ڈھکوایا": "ڈھکنا",
"ڈھکی": "ڈھکنا",
"ڈھکیے": "ڈھکنا",
"ڈھکیں": "ڈھکنا",
"ڈھل": "ڈھلنا",
"ڈھلے": "ڈھلنا",
"ڈھلں": "ڈھلنا",
"ڈھلا": "ڈھلنا",
"ڈھلانے": "ڈھلنا",
"ڈھلانا": "ڈھلنا",
"ڈھلاتے": "ڈھلنا",
"ڈھلاتا": "ڈھلنا",
"ڈھلاتی": "ڈھلنا",
"ڈھلاتیں": "ڈھلنا",
"ڈھلاؤ": "ڈھلنا",
"ڈھلاؤں": "ڈھلنا",
"ڈھلائے": "ڈھلنا",
"ڈھلائی": "ڈھلنا",
"ڈھلائیے": "ڈھلنا",
"ڈھلائیں": "ڈھلنا",
"ڈھلایا": "ڈھلنا",
"ڈھلنے": "ڈھلنا",
"ڈھلنا": "ڈھلنا",
"ڈھلنی": "ڈھلنا",
"ڈھلتے": "ڈھلنا",
"ڈھلتا": "ڈھلنا",
"ڈھلتی": "ڈھلنا",
"ڈھلتیں": "ڈھلنا",
"ڈھلو": "ڈھلنا",
"ڈھلوں": "ڈھلنا",
"ڈھلی": "ڈھلنا",
"ڈھلیے": "ڈھلنا",
"ڈھلیں": "ڈھلنا",
"ڈھر": "ڈھر",
"ڈھرو": "ڈھر",
"ڈھروں": "ڈھر",
"ڈھول": "ڈھول",
"ڈھولو": "ڈھول",
"ڈھولوں": "ڈھول",
"ڈھولیں": "ڈھول",
"ڈھونڈ": "ڈھونڈنا",
"ڈھونڈے": "ڈھونڈنا",
"ڈھونڈں": "ڈھونڈنا",
"ڈھونڈا": "ڈھونڈنا",
"ڈھونڈانے": "ڈھونڈنا",
"ڈھونڈانا": "ڈھونڈنا",
"ڈھونڈاتے": "ڈھونڈنا",
"ڈھونڈاتا": "ڈھونڈنا",
"ڈھونڈاتی": "ڈھونڈنا",
"ڈھونڈاتیں": "ڈھونڈنا",
"ڈھونڈاؤ": "ڈھونڈنا",
"ڈھونڈاؤں": "ڈھونڈنا",
"ڈھونڈائے": "ڈھونڈنا",
"ڈھونڈائی": "ڈھونڈنا",
"ڈھونڈائیے": "ڈھونڈنا",
"ڈھونڈائیں": "ڈھونڈنا",
"ڈھونڈایا": "ڈھونڈنا",
"ڈھونڈنے": "ڈھونڈنا",
"ڈھونڈنا": "ڈھونڈنا",
"ڈھونڈنی": "ڈھونڈنا",
"ڈھونڈتے": "ڈھونڈنا",
"ڈھونڈتا": "ڈھونڈنا",
"ڈھونڈتی": "ڈھونڈنا",
"ڈھونڈتیں": "ڈھونڈنا",
"ڈھونڈو": "ڈھونڈنا",
"ڈھونڈوں": "ڈھونڈنا",
"ڈھونڈوا": "ڈھونڈنا",
"ڈھونڈوانے": "ڈھونڈنا",
"ڈھونڈوانا": "ڈھونڈنا",
"ڈھونڈواتے": "ڈھونڈنا",
"ڈھونڈواتا": "ڈھونڈنا",
"ڈھونڈواتی": "ڈھونڈنا",
"ڈھونڈواتیں": "ڈھونڈنا",
"ڈھونڈواؤ": "ڈھونڈنا",
"ڈھونڈواؤں": "ڈھونڈنا",
"ڈھونڈوائے": "ڈھونڈنا",
"ڈھونڈوائی": "ڈھونڈنا",
"ڈھونڈوائیے": "ڈھونڈنا",
"ڈھونڈوائیں": "ڈھونڈنا",
"ڈھونڈوایا": "ڈھونڈنا",
"ڈھونڈی": "ڈھونڈنا",
"ڈھونڈیے": "ڈھونڈنا",
"ڈھونڈیں": "ڈھونڈنا",
"ڈھیل": "ڈھیل",
"ڈھیلے": "ڈھیلا",
"ڈھیلا": "ڈھیلا",
"ڈھیلو": "ڈھیلا",
"ڈھیلوں": "ڈھیلا",
"ڈھیلیں": "ڈھیل",
"ڈھیر": "ڈھیر",
"ڈھیرے": "ڈھیرا",
"ڈھیرا": "ڈھیرا",
"ڈھیرو": "ڈھیرا",
"ڈھیروں": "ڈھیرا",
"ڈھیری": "ڈھیری",
"ڈھیریاں": "ڈھیری",
"ڈھیریو": "ڈھیری",
"ڈھیریوں": "ڈھیری",
"غُصے": "غُصہ",
"غُصہ": "غُصہ",
"غُصو": "غُصہ",
"غُصوں": "غُصہ",
"غصّے": "غصّہ",
"غصّہ": "غصّہ",
"غصّو": "غصّہ",
"غصّوں": "غصّہ",
"غصے": "غصہ",
"غصہ": "غصہ",
"غصو": "غصہ",
"غصوں": "غصہ",
"غذا": "غذا",
"غذاؤ": "غذا",
"غذاؤں": "غذا",
"غذائیں": "غذا",
"غافل": "غافل",
"غافلو": "غافل",
"غافلوں": "غافل",
"غار": "غار",
"غارو": "غار",
"غاروں": "غار",
"غاریں": "غار",
"غازے": "غازہ",
"غازہ": "غازہ",
"غازو": "غازہ",
"غازوں": "غازہ",
"غازی": "غازی",
"غازیو": "غازی",
"غازیوں": "غازی",
"غبارے": "غبارہ",
"غبارہ": "غبارہ",
"غبارو": "غبارہ",
"غباروں": "غبارہ",
"غلے": "غلہ",
"غلاف": "غلاف",
"غلافو": "غلاف",
"غلافوں": "غلاف",
"غلام": "غلام",
"غلامو": "غلام",
"غلاموں": "غلام",
"غلاظت": "غلاظت",
"غلاظتو": "غلاظت",
"غلاظتوں": "غلاظت",
"غلاظتیں": "غلاظت",
"غلبے": "غلبہ",
"غلبہ": "غلبہ",
"غلبو": "غلبہ",
"غلبوں": "غلبہ",
"غلہ": "غلہ",
"غلو": "غلہ",
"غلوں": "غلہ",
"غلطی": "غلطی",
"غلطیاں": "غلطی",
"غلطیو": "غلطی",
"غلطیوں": "غلطی",
"غم": "غم",
"غمو": "غم",
"غموں": "غم",
"غمزے": "غمزہ",
"غمزدے": "غمزدہ",
"غمزدہ": "غمزدہ",
"غمزدو": "غمزدہ",
"غمزدوں": "غمزدہ",
"غمزہ": "غمزہ",
"غمزو": "غمزہ",
"غمزوں": "غمزہ",
"غنڈے": "غنڈا",
"غنڈا": "غنڈا",
"غنڈہ": "غنڈہ",
"غنڈو": "غنڈا",
"غنڈوں": "غنڈا",
"غنچے": "غنچہ",
"غنچہ": "غنچہ",
"غنچو": "غنچہ",
"غنچوں": "غنچہ",
"غنیمت": "غنیمت",
"غنیمتو": "غنیمت",
"غنیمتوں": "غنیمت",
"غنیمتیں": "غنیمت",
"غرّا": "غرّانا",
"غرّانے": "غرّانا",
"غرّانا": "غرّانا",
"غرّانی": "غرّانا",
"غرّاتے": "غرّانا",
"غرّاتا": "غرّانا",
"غرّاتی": "غرّانا",
"غرّاتیں": "غرّانا",
"غرّاؤ": "غرّانا",
"غرّاؤں": "غرّانا",
"غرّائے": "غرّانا",
"غرّائی": "غرّانا",
"غرّائیے": "غرّانا",
"غرّائیں": "غرّانا",
"غرّایا": "غرّانا",
"غرارے": "غرارہ",
"غرارہ": "غرارہ",
"غرارو": "غرارہ",
"غراروں": "غرارہ",
"غرب": "غرب",
"غربو": "غرب",
"غربوں": "غرب",
"غریب": "غریب",
"غریبو": "غریب",
"غریبوں": "غریب",
"غسلخانے": "غسلخانہ",
"غسلخانہ": "غسلخانہ",
"غسلخانو": "غسلخانہ",
"غسلخانوں": "غسلخانہ",
"غور": "غور",
"غورو": "غور",
"غوروں": "غور",
"غوطے": "غوطہ",
"غوطہ": "غوطہ",
"غوطو": "غوطہ",
"غوطوں": "غوطہ",
"غیب": "غیب",
"غیبو": "غیب",
"غیبوں": "غیب",
"غیر": "غیر",
"غیرے": "غیرہ",
"غیرہ": "غیرہ",
"غیرملکی": "غیرملکی",
"غیرملکیو": "غیرملکی",
"غیرملکیوں": "غیرملکی",
"غیرت": "غیرت",
"غیرتو": "غیرت",
"غیرتوں": "غیرت",
"غیرتیں": "غیرت",
"غیرو": "غیرہ",
"غیروں": "غیرہ",
"غزال": "غزال",
"غزالے": "غزالہ",
"غزالہ": "غزالہ",
"غزالو": "غزالہ",
"غزالوں": "غزالہ",
"غزل": "غزل",
"غزلو": "غزل",
"غزلوں": "غزل",
"غزلیں": "غزل",
"حَیا": "حَیا",
"حَیاؤں": "حَیا",
"حَیائیں": "حَیا",
"حِصّے": "حِصّہ",
"حِصّہ": "حِصّہ",
"حِصّو": "حِصّہ",
"حِصّوں": "حِصّہ",
"حصّے": "حصّہ",
"حصّہ": "حصّہ",
"حصّو": "حصّہ",
"حصّوں": "حصّہ",
"حصے": "حصہ",
"حصار": "حصار",
"حصارو": "حصار",
"حصاروں": "حصار",
"حصاریں": "حصار",
"حصہ": "حصہ",
"حصو": "حصہ",
"حصوں": "حصہ",
"حاشیے": "حاشیہ",
"حاشیہ": "حاشیہ",
"حاشیو": "حاشیہ",
"حاشیوں": "حاشیہ",
"حادثے": "حادثہ",
"حادثہ": "حادثہ",
"حادثو": "حادثہ",
"حادثوں": "حادثہ",
"حافظے": "حافظہ",
"حافظہ": "حافظہ",
"حافظو": "حافظہ",
"حافظوں": "حافظہ",
"حاجی": "حاجی",
"حاجیو": "حاجی",
"حاجیوں": "حاجی",
"حاکم": "حاکم",
"حاکمو": "حاکم",
"حاکموں": "حاکم",
"حال": "حال",
"حالے": "حالا",
"حالا": "حالا",
"حالانکہ": "حالانکہ",
"حالت": "حالت",
"حالتو": "حالت",
"حالتوں": "حالت",
"حالتیں": "حالت",
"حالو": "حالا",
"حالوں": "حالا",
"حامی": "حامی",
"حامیو": "حامی",
"حامیوں": "حامی",
"حاسد": "حاسد",
"حاسدو": "حاسد",
"حاسدوں": "حاسد",
"حد": "حد",
"حدو": "حد",
"حدوں": "حد",
"حدیث": "حدیث",
"حدیثو": "حدیث",
"حدیثوں": "حدیث",
"حدیثیں": "حدیث",
"حدیں": "حد",
"حجر": "حجر",
"حجرے": "حجرہ",
"حجرہ": "حجرہ",
"حجرو": "حجرہ",
"حجروں": "حجرہ",
"حکایت": "حکایت",
"حکایتو": "حکایت",
"حکایتوں": "حکایت",
"حکایتیں": "حکایت",
"حکم": "حکم",
"حکمران": "حکمران",
"حکمرانو": "حکمران",
"حکمرانوں": "حکمران",
"حکمت": "حکمت",
"حکمتو": "حکمت",
"حکمتوں": "حکمت",
"حکمتیں": "حکمت",
"حکمو": "حکم",
"حکموں": "حکم",
"حکومت": "حکومت",
"حکومتو": "حکومت",
"حکومتوں": "حکومت",
"حکومتیں": "حکومت",
"حکیم": "حکیم",
"حکیمو": "حکیم",
"حکیموں": "حکیم",
"حلے": "حلہ",
"حلاوت": "حلاوت",
"حلاوتو": "حلاوت",
"حلاوتوں": "حلاوت",
"حلاوتیں": "حلاوت",
"حلہ": "حلہ",
"حلق": "حلق",
"حلقے": "حلقہ",
"حلقہ": "حلقہ",
"حلقو": "حلقہ",
"حلقوں": "حلقہ",
"حلو": "حلہ",
"حلوے": "حلوہ",
"حلوں": "حلہ",
"حلوائی": "حلوائی",
"حلوائیو": "حلوائی",
"حلوائیوں": "حلوائی",
"حلوہ": "حلوہ",
"حلوو": "حلوہ",
"حلووں": "حلوہ",
"حلیے": "حلیہ",
"حلیہ": "حلیہ",
"حلیو": "حلیہ",
"حلیوں": "حلیہ",
"حمام": "حمام",
"حمامو": "حمام",
"حماموں": "حمام",
"حماقت": "حماقت",
"حماقتو": "حماقت",
"حماقتوں": "حماقت",
"حماقتیں": "حماقت",
"حمائتی": "حمائتی",
"حمائتیو": "حمائتی",
"حمائتیوں": "حمائتی",
"حمل": "حمل",
"حملے": "حملہ",
"حملہ": "حملہ",
"حملو": "حملہ",
"حملوں": "حملہ",
"حنفی": "حنفی",
"حنفیو": "حنفی",
"حنفیوں": "حنفی",
"حقّے": "حقّہ",
"حقّہ": "حقّہ",
"حقّو": "حقّہ",
"حقّوں": "حقّہ",
"حقے": "حقہ",
"حقہ": "حقہ",
"حقو": "حقہ",
"حقوں": "حقہ",
"حقیقت": "حقیقت",
"حقیقتو": "حقیقت",
"حقیقتوں": "حقیقت",
"حقیقتیں": "حقیقت",
"حرامی": "حرامی",
"حرامیو": "حرامی",
"حرامیوں": "حرامی",
"حرامزادے": "حرامزادہ",
"حرامزادہ": "حرامزادہ",
"حرامزادو": "حرامزادہ",
"حرامزادوں": "حرامزادہ",
"حرب": "حرب",
"حربے": "حربہ",
"حربہ": "حربہ",
"حربو": "حربہ",
"حربوں": "حربہ",
"حرف": "حرف",
"حرفو": "حرف",
"حرفوں": "حرف",
"حرفی": "حرفی",
"حرفیں": "حرف",
"حرفیاں": "حرفی",
"حرفیو": "حرفی",
"حرفیوں": "حرفی",
"حرکت": "حرکت",
"حرکتو": "حرکت",
"حرکتوں": "حرکت",
"حرکتیں": "حرکت",
"حرمزدگی": "حرمزدگی",
"حرمزدگیاں": "حرمزدگی",
"حرمزدگیو": "حرمزدگی",
"حرمزدگیوں": "حرمزدگی",
"حریف": "حریف",
"حریفو": "حریف",
"حریفوں": "حریف",
"حساب": "حساب",
"حسابو": "حساب",
"حسابوں": "حساب",
"حسن": "حسن",
"حسنو": "حسن",
"حسنوں": "حسن",
"حسین": "حسین",
"حسینے": "حسینہ",
"حسینہ": "حسینہ",
"حسینو": "حسینہ",
"حسینوں": "حسینہ",
"حوصل": "حوصل",
"حوصلے": "حوصلہ",
"حوصلہ": "حوصلہ",
"حوصلو": "حوصلہ",
"حوصلوں": "حوصلہ",
"حوال": "حوال",
"حوالے": "حوالہ",
"حوالدار": "حوالدار",
"حوالدارو": "حوالدار",
"حوالداروں": "حوالدار",
"حوالہ": "حوالہ",
"حوالو": "حوالہ",
"حوالوں": "حوالہ",
"حوار": "حوار",
"حوارو": "حوار",
"حواروں": "حوار",
"حواری": "حواری",
"حواریو": "حواری",
"حواریوں": "حواری",
"حواس": "حواس",
"حواسو": "حواس",
"حواسوں": "حواس",
"حور": "حور",
"حورو": "حور",
"حوروں": "حور",
"حوریں": "حور",
"حویلی": "حویلی",
"حویلیاں": "حویلی",
"حویلیو": "حویلی",
"حویلیوں": "حویلی",
"حیلے": "حیلہ",
"حیلہ": "حیلہ",
"حیلو": "حیلہ",
"حیلوں": "حیلہ",
"حیرت": "حیرت",
"حیرتو": "حیرت",
"حیرتوں": "حیرت",
"حیرتیں": "حیرت",
"حیوان": "حیوان",
"حیوانات": "حیوان",
"حیوانو": "حیوان",
"حیوانوں": "حیوان",
"خَراب": "خَراب",
"خُدا": "خُدا",
"خُداو": "خُدا",
"خُداوں": "خُدا",
"خُوے": "خُوش",
"خُوش": "خُوش",
"خُوب": "خُوب",
"خُوی": "خُوش",
"خصلت": "خصلت",
"خصلتو": "خصلت",
"خصلتوں": "خصلت",
"خصلتیں": "خصلت",
"خشبو": "خشبو",
"خشبوؤ": "خشبو",
"خشبوؤں": "خشبو",
"خشبوئیں": "خشبو",
"خشکے": "خشکہ",
"خشکہ": "خشکہ",
"خشکو": "خشکہ",
"خشکوں": "خشکہ",
"خاصے": "خاصہ",
"خاصہ": "خاصہ",
"خاصو": "خاصہ",
"خاصوں": "خاصہ",
"خاصیت": "خاصیت",
"خاصیتو": "خاصیت",
"خاصیتوں": "خاصیت",
"خاصیتیں": "خاصیت",
"خادم": "خادم",
"خادمے": "خادمہ",
"خادمہ": "خادمہ",
"خادمو": "خادمہ",
"خادموں": "خادمہ",
"خاک": "خاک",
"خاکے": "خاکہ",
"خاکہ": "خاکہ",
"خاکروب": "خاکروب",
"خاکروبو": "خاکروب",
"خاکروبوں": "خاکروب",
"خاکستر": "خاکستر",
"خاکسترو": "خاکستر",
"خاکستروں": "خاکستر",
"خاکو": "خاکہ",
"خاکوں": "خاکہ",
"خاکی": "خاکی",
"خاکیاں": "خاکی",
"خاکیو": "خاکی",
"خاکیوں": "خاکی",
"خالُو": "خالُو",
"خالُوؤ": "خالُو",
"خالُوؤں": "خالُو",
"خالے": "خالہ",
"خالہ": "خالہ",
"خالو": "خالہ",
"خالوں": "خالہ",
"خام": "خام",
"خامے": "خامہ",
"خامہ": "خامہ",
"خامو": "خامہ",
"خاموں": "خامہ",
"خاموشی": "خاموشی",
"خاموشیاں": "خاموشی",
"خاموشیو": "خاموشی",
"خاموشیوں": "خاموشی",
"خامی": "خامی",
"خامیاں": "خامی",
"خامیو": "خامی",
"خامیوں": "خامی",
"خان": "خان",
"خانے": "خانہ",
"خاندان": "خاندان",
"خاندانو": "خاندان",
"خاندانوں": "خاندان",
"خانہ": "خانہ",
"خانقاہ": "خانقاہ",
"خانقاہو": "خانقاہ",
"خانقاہوں": "خانقاہ",
"خانقاہیں": "خانقاہ",
"خانساماں": "خانساماں",
"خانساماؤ": "خانساماں",
"خانساماؤں": "خانساماں",
"خانسامائیں": "خانساماں",
"خانو": "خانہ",
"خانوں": "خانہ",
"خانوادے": "خانوادہ",
"خانوادہ": "خانوادہ",
"خانوادو": "خانوادہ",
"خانوادوں": "خانوادہ",
"خارجی": "خارجی",
"خارجیو": "خارجی",
"خارجیوں": "خارجی",
"خاتمے": "خاتمہ",
"خاتمہ": "خاتمہ",
"خاتمو": "خاتمہ",
"خاتموں": "خاتمہ",
"خاوند": "خاوند",
"خاوندو": "خاوند",
"خاوندوں": "خاوند",
"خاطر": "خاطر",
"خاطرو": "خاطر",
"خاطروں": "خاطر",
"خاطریں": "خاطر",
"خبر": "خبر",
"خبرو": "خبر",
"خبروں": "خبر",
"خبریں": "خبر",
"خچر": "خچر",
"خچرو": "خچر",
"خچروں": "خچر",
"خدشے": "خدشہ",
"خدشہ": "خدشہ",
"خدشو": "خدشہ",
"خدشوں": "خدشہ",
"خدا": "خدا",
"خداؤ": "خدا",
"خداؤں": "خدا",
"خدمت": "خدمت",
"خدمتو": "خدمت",
"خدمتوں": "خدمت",
"خدمتیں": "خدمت",
"خلا": "خلا",
"خلاؤ": "خلا",
"خلاؤں": "خلا",
"خلائیں": "خلا",
"خلیفے": "خلیفہ",
"خلیفہ": "خلیفہ",
"خلیفو": "خلیفہ",
"خلیفوں": "خلیفہ",
"خندق": "خندق",
"خندقو": "خندق",
"خندقوں": "خندق",
"خندقیں": "خندق",
"خنکی": "خنکی",
"خنکیاں": "خنکی",
"خنکیو": "خنکی",
"خنکیوں": "خنکی",
"خنزیر": "خنزیر",
"خنزیرو": "خنزیر",
"خنزیروں": "خنزیر",
"خراش": "خراش",
"خراشو": "خراش",
"خراشوں": "خراش",
"خراشیں": "خراش",
"خرابے": "خرابہ",
"خرابہ": "خرابہ",
"خرابو": "خرابہ",
"خرابوں": "خرابہ",
"خرابی": "خرابی",
"خرابیاں": "خرابی",
"خرابیو": "خرابی",
"خرابیوں": "خرابی",
"خربوزے": "خربوزہ",
"خربوزہ": "خربوزہ",
"خربوزو": "خربوزہ",
"خربوزوں": "خربوزہ",
"خرچے": "خرچہ",
"خرچہ": "خرچہ",
"خرچو": "خرچہ",
"خرچوں": "خرچہ",
"خرچی": "خرچی",
"خرچیاں": "خرچی",
"خرچیو": "خرچی",
"خرچیوں": "خرچی",
"خرید": "خریدنا",
"خریدے": "خریدا",
"خریدں": "خریدنا",
"خریدا": "خریدا",
"خریدار": "خریدار",
"خریدارو": "خریدار",
"خریداروں": "خریدار",
"خریدہ": "خریدہ",
"خریدنے": "خریدنا",
"خریدنا": "خریدنا",
"خریدنی": "خریدنا",
"خریدتے": "خریدنا",
"خریدتا": "خریدنا",
"خریدتی": "خریدنا",
"خریدتیں": "خریدنا",
"خریدو": "خریدا",
"خریدوں": "خریدا",
"خریدی": "خریدنا",
"خریدیے": "خریدنا",
"خریدیں": "خریدنا",
"خسارے": "خسارہ",
"خسارہ": "خسارہ",
"خسارو": "خسارہ",
"خساروں": "خسارہ",
"خسر": "خسر",
"خسرے": "خسرہ",
"خسرہ": "خسرہ",
"خسرو": "خسرہ",
"خسروں": "خسرہ",
"ختن": "ختن",
"ختنے": "ختنہ",
"ختنہ": "ختنہ",
"ختنو": "ختنہ",
"ختنوں": "ختنہ",
"خوشْبُو": "خوشْبُو",
"خوشْبُوؤ": "خوشْبُو",
"خوشْبُوؤں": "خوشْبُو",
"خوشْبُوئیں": "خوشْبُو",
"خوشے": "خوشا",
"خوشا": "خوشا",
"خوشامد": "خوشامد",
"خوشامدو": "خوشامد",
"خوشامدوں": "خوشامد",
"خوشامدیں": "خوشامد",
"خوشبو": "خوشبو",
"خوشبوؤ": "خوشبو",
"خوشبوؤں": "خوشبو",
"خوشبوئیں": "خوشبو",
"خوشہ": "خوشہ",
"خوشو": "خوشا",
"خوشوں": "خوشا",
"خوشی": "خوشی",
"خوشیاں": "خوشی",
"خوشیو": "خوشی",
"خوشیوں": "خوشی",
"خواب": "خواب",
"خوابو": "خواب",
"خوابوں": "خواب",
"خواہش": "خواہش",
"خواہشو": "خواہش",
"خواہشوں": "خواہش",
"خواہشیں": "خواہش",
"خوان": "خوان",
"خوانچے": "خوانچہ",
"خوانچہ": "خوانچہ",
"خوانچو": "خوانچہ",
"خوانچوں": "خوانچہ",
"خوانو": "خوان",
"خوانوں": "خوان",
"خوار": "خوار",
"خوارو": "خوار",
"خواروں": "خوار",
"خوبصورت": "خوبصورت",
"خوبصورتو": "خوبصورت",
"خوبصورتوں": "خوبصورت",
"خوبصورتی": "خوبصورتی",
"خوبصورتیاں": "خوبصورتی",
"خوبصورتیو": "خوبصورتی",
"خوبصورتیوں": "خوبصورتی",
"خوبی": "خوبی",
"خوبیاں": "خوبی",
"خوبیو": "خوبی",
"خوبیوں": "خوبی",
"خود": "خود",
"خودبَخُود": "خودبَخُود",
"خودبخود": "خودبَخُود",
"خون": "خون",
"خورے": "خورہ",
"خوراک": "خوراک",
"خوراکو": "خوراک",
"خوراکوں": "خوراک",
"خوراکیں": "خوراک",
"خورہ": "خورہ",
"خورو": "خورہ",
"خوروں": "خورہ",
"خیال": "خیال",
"خیالو": "خیال",
"خیالوں": "خیال",
"خیانت": "خیانت",
"خیانتو": "خیانت",
"خیانتوں": "خیانت",
"خیانتیں": "خیانت",
"خیمے": "خیمہ",
"خیمہ": "خیمہ",
"خیمو": "خیمہ",
"خیموں": "خیمہ",
"خیر": "خیر",
"خیرو": "خیر",
"خیروں": "خیر",
"خیریں": "خیر",
"خزانے": "خزانہ",
"خزانہ": "خزانہ",
"خزانو": "خزانہ",
"خزانوں": "خزانہ",
"خزینے": "خزینہ",
"خزینہ": "خزینہ",
"خزینو": "خزینہ",
"خزینوں": "خزینہ",
"خط": "خط",
"خطے": "خطہ",
"خطا": "خطا",
"خطاکار": "خطاکار",
"خطاکارو": "خطاکار",
"خطاکاروں": "خطاکار",
"خطاؤ": "خطا",
"خطاؤں": "خطا",
"خطائیں": "خطا",
"خطبے": "خطبہ",
"خطبہ": "خطبہ",
"خطبو": "خطبہ",
"خطبوں": "خطبہ",
"خطہ": "خطہ",
"خطرے": "خطرہ",
"خطرہ": "خطرہ",
"خطرو": "خطرہ",
"خطروں": "خطرہ",
"خطو": "خطہ",
"خطوں": "خطہ",
"خطیں": "خط",
"صَدا": "صَدا",
"صَداؤ": "صَدا",
"صَداؤں": "صَدا",
"صَدائیں": "صَدا",
"صُراحی": "صُراحی",
"صُراحیاں": "صُراحی",
"صُراحیو": "صُراحی",
"صُراحیوں": "صُراحی",
"صُورت": "صُورت",
"صُورتو": "صُورت",
"صُورتوں": "صُورت",
"صُورتیں": "صُورت",
"صحافی": "صحافی",
"صحافیو": "صحافی",
"صحافیوں": "صحافی",
"صحبت": "صحبت",
"صحبتو": "صحبت",
"صحبتوں": "صحبت",
"صحبتیں": "صحبت",
"صحرا": "صحرا",
"صحراؤ": "صحرا",
"صحراؤں": "صحرا",
"صحیفے": "صحیفہ",
"صحیفہ": "صحیفہ",
"صحیفو": "صحیفہ",
"صحیفوں": "صحیفہ",
"صاحب": "صاحب",
"صاحبو": "صاحب",
"صاحبوں": "صاحب",
"صاحبزادے": "صاحبزادہ",
"صاحبزادہ": "صاحبزادہ",
"صاحبزادو": "صاحبزادہ",
"صاحبزادوں": "صاحبزادہ",
"صاحبزادی": "صاحبزادی",
"صاحبزادیاں": "صاحبزادی",
"صاحبزادیو": "صاحبزادی",
"صاحبزادیوں": "صاحبزادی",
"صابر": "صابر",
"صابرو": "صابر",
"صابروں": "صابر",
"صافے": "صافہ",
"صافہ": "صافہ",
"صافو": "صافہ",
"صافوں": "صافہ",
"صبح": "صبح",
"صبحو": "صبح",
"صبحوں": "صبح",
"صبحیں": "صبح",
"صبر": "صبر",
"صبرو": "صبر",
"صبروں": "صبر",
"صدا": "صدا",
"صداقت": "صداقت",
"صداقتو": "صداقت",
"صداقتوں": "صداقت",
"صداقتیں": "صداقت",
"صدارت": "صدارت",
"صدارتو": "صدارت",
"صدارتوں": "صدارت",
"صدارتیں": "صدارت",
"صداؤ": "صدا",
"صداؤں": "صدا",
"صدائیں": "صدا",
"صدمے": "صدمہ",
"صدمہ": "صدمہ",
"صدمو": "صدمہ",
"صدموں": "صدمہ",
"صدقے": "صدقہ",
"صدقہ": "صدقہ",
"صدقو": "صدقہ",
"صدقوں": "صدقہ",
"صدی": "صدی",
"صدیاں": "صدی",
"صدیو": "صدی",
"صدیوں": "صدی",
"صعوبت": "صعوبت",
"صعوبتو": "صعوبت",
"صعوبتوں": "صعوبت",
"صعوبتیں": "صعوبت",
"صف": "صف",
"صفے": "صفہ",
"صفحے": "صفحہ",
"صفحہ": "صفحہ",
"صفحو": "صفحہ",
"صفحوں": "صفحہ",
"صفائی": "صفائی",
"صفائیاں": "صفائی",
"صفائیو": "صفائی",
"صفائیوں": "صفائی",
"صفہ": "صفہ",
"صفت": "صفت",
"صفتو": "صفت",
"صفتوں": "صفت",
"صفتیں": "صفت",
"صفو": "صفہ",
"صفوں": "صفہ",
"صفیں": "صف",
"صلے": "صلہ",
"صلاحیت": "صلاحیت",
"صلاحیتو": "صلاحیت",
"صلاحیتوں": "صلاحیت",
"صلاحیتیں": "صلاحیت",
"صلہ": "صلہ",
"صلو": "صلہ",
"صلوں": "صلہ",
"صلیب": "صلیب",
"صلیبو": "صلیب",
"صلیبوں": "صلیب",
"صلیبی": "صلیبی",
"صلیبیں": "صلیب",
"صلیبیو": "صلیبی",
"صلیبیوں": "صلیبی",
"صندوق": "صندوق",
"صندوقو": "صندوق",
"صندوقوں": "صندوق",
"صندوقیں": "صندوق",
"صنعت": "صنعت",
"صنعتو": "صنعت",
"صنعتوں": "صنعت",
"صنعتیں": "صنعت",
"صراحی": "صراحی",
"صراحیاں": "صراحی",
"صراحیو": "صراحی",
"صراحیوں": "صراحی",
"صوبے": "صوبہ",
"صوبہ": "صوبہ",
"صوبو": "صوبہ",
"صوبوں": "صوبہ",
"صوفے": "صوفہ",
"صوفہ": "صوفہ",
"صوفو": "صوفہ",
"صوفوں": "صوفہ",
"صوفی": "صوفی",
"صوفیاں": "صوفی",
"صوفیو": "صوفی",
"صوفیوں": "صوفی",
"صورت": "صورت",
"صورتو": "صورت",
"صورتوں": "صورت",
"صورتی": "صورتی",
"صورتیں": "صورت",
"صورتیاں": "صورتی",
"صورتیو": "صورتی",
"صورتیوں": "صورتی",
"صیغے": "صیغہ",
"صیغہ": "صیغہ",
"صیغو": "صیغہ",
"صیغوں": "صیغہ",
"ٹُوٹ": "ٹُوٹْنا",
"ٹُوٹْں": "ٹُوٹْنا",
"ٹُوٹْنے": "ٹُوٹْنا",
"ٹُوٹْنا": "ٹُوٹْنا",
"ٹُوٹْنی": "ٹُوٹْنا",
"ٹُوٹْتے": "ٹُوٹْنا",
"ٹُوٹْتا": "ٹُوٹْنا",
"ٹُوٹْتی": "ٹُوٹْنا",
"ٹُوٹْتیں": "ٹُوٹْنا",
"ٹُوٹے": "ٹُوٹْنا",
"ٹُوٹا": "ٹُوٹْنا",
"ٹُوٹو": "ٹُوٹْنا",
"ٹُوٹوں": "ٹُوٹْنا",
"ٹُوٹی": "ٹُوٹْنا",
"ٹُوٹیے": "ٹُوٹْنا",
"ٹُوٹیں": "ٹُوٹْنا",
"ٹٹول": "ٹٹولنا",
"ٹٹولے": "ٹٹولنا",
"ٹٹولں": "ٹٹولنا",
"ٹٹولا": "ٹٹولنا",
"ٹٹولنے": "ٹٹولنا",
"ٹٹولنا": "ٹٹولنا",
"ٹٹولنی": "ٹٹولنا",
"ٹٹولتے": "ٹٹولنا",
"ٹٹولتا": "ٹٹولنا",
"ٹٹولتی": "ٹٹولنا",
"ٹٹولتیں": "ٹٹولنا",
"ٹٹولو": "ٹٹولنا",
"ٹٹولوں": "ٹٹولنا",
"ٹٹولی": "ٹٹولنا",
"ٹٹولیے": "ٹٹولنا",
"ٹٹولیں": "ٹٹولنا",
"ٹٹی": "ٹٹی",
"ٹٹیاں": "ٹٹی",
"ٹٹیو": "ٹٹی",
"ٹٹیوں": "ٹٹی",
"ٹاکی": "ٹاکی",
"ٹاکیاں": "ٹاکی",
"ٹاکیو": "ٹاکی",
"ٹاکیوں": "ٹاکی",
"ٹال": "ٹال",
"ٹالو": "ٹال",
"ٹالوں": "ٹال",
"ٹالیں": "ٹال",
"ٹانگ": "ٹانگ",
"ٹانگے": "ٹانگا",
"ٹانگ`": "ٹانگ`",
"ٹانگ`و": "ٹانگ`",
"ٹانگ`وں": "ٹانگ`",
"ٹانگ`یں": "ٹانگ`",
"ٹانگا": "ٹانگا",
"ٹانگہ": "ٹانگہ",
"ٹانگو": "ٹانگا",
"ٹانگوں": "ٹانگا",
"ٹانگیں": "ٹانگ",
"ٹانکے": "ٹانکا",
"ٹانکا": "ٹانکا",
"ٹانکو": "ٹانکا",
"ٹانکوں": "ٹانکا",
"ٹاپ": "ٹاپ",
"ٹاپو": "ٹاپ",
"ٹاپوں": "ٹاپ",
"ٹاپیں": "ٹاپ",
"ٹائل": "ٹائل",
"ٹائلو": "ٹائل",
"ٹائلوں": "ٹائل",
"ٹائلیں": "ٹائل",
"ٹائر": "ٹائر",
"ٹائرو": "ٹائر",
"ٹائروں": "ٹائر",
"ٹائریں": "ٹائر",
"ٹہل": "ٹہلنا",
"ٹہلے": "ٹہلنا",
"ٹہلں": "ٹہلنا",
"ٹہلا": "ٹہلنا",
"ٹہلانے": "ٹہلنا",
"ٹہلانا": "ٹہلنا",
"ٹہلاتے": "ٹہلنا",
"ٹہلاتا": "ٹہلنا",
"ٹہلاتی": "ٹہلنا",
"ٹہلاتیں": "ٹہلنا",
"ٹہلاؤ": "ٹہلنا",
"ٹہلاؤں": "ٹہلنا",
"ٹہلائے": "ٹہلنا",
"ٹہلائی": "ٹہلنا",
"ٹہلائیے": "ٹہلنا",
"ٹہلائیں": "ٹہلنا",
"ٹہلایا": "ٹہلنا",
"ٹہلنے": "ٹہلنا",
"ٹہلنا": "ٹہلنا",
"ٹہلنی": "ٹہلنا",
"ٹہلتے": "ٹہلنا",
"ٹہلتا": "ٹہلنا",
"ٹہلتی": "ٹہلنا",
"ٹہلتیں": "ٹہلنا",
"ٹہلو": "ٹہلنا",
"ٹہلوں": "ٹہلنا",
"ٹہلوا": "ٹہلنا",
"ٹہلوانے": "ٹہلنا",
"ٹہلوانا": "ٹہلنا",
"ٹہلواتے": "ٹہلنا",
"ٹہلواتا": "ٹہلنا",
"ٹہلواتی": "ٹہلنا",
"ٹہلواتیں": "ٹہلنا",
"ٹہلواؤ": "ٹہلنا",
"ٹہلواؤں": "ٹہلنا",
"ٹہلوائے": "ٹہلنا",
"ٹہلوائی": "ٹہلنا",
"ٹہلوائیے": "ٹہلنا",
"ٹہلوائیں": "ٹہلنا",
"ٹہلوایا": "ٹہلنا",
"ٹہلی": "ٹہلنا",
"ٹہلیے": "ٹہلنا",
"ٹہلیں": "ٹہلنا",
"ٹہنی": "ٹہنی",
"ٹہنیاں": "ٹہنی",
"ٹہنیو": "ٹہنی",
"ٹہنیوں": "ٹہنی",
"ٹہر": "ٹہرنا",
"ٹہرے": "ٹہرنا",
"ٹہرں": "ٹہرنا",
"ٹہرا": "ٹہرنا",
"ٹہرانے": "ٹہرنا",
"ٹہرانا": "ٹہرنا",
"ٹہراتے": "ٹہرنا",
"ٹہراتا": "ٹہرنا",
"ٹہراتی": "ٹہرنا",
"ٹہراتیں": "ٹہرنا",
"ٹہراؤ": "ٹہرنا",
"ٹہراؤں": "ٹہرنا",
"ٹہرائے": "ٹہرنا",
"ٹہرائی": "ٹہرنا",
"ٹہرائیے": "ٹہرنا",
"ٹہرائیں": "ٹہرنا",
"ٹہرایا": "ٹہرنا",
"ٹہرنے": "ٹہرنا",
"ٹہرنا": "ٹہرنا",
"ٹہرنی": "ٹہرنا",
"ٹہرتے": "ٹہرنا",
"ٹہرتا": "ٹہرنا",
"ٹہرتی": "ٹہرنا",
"ٹہرتیں": "ٹہرنا",
"ٹہرو": "ٹہرنا",
"ٹہروں": "ٹہرنا",
"ٹہروا": "ٹہرنا",
"ٹہروانے": "ٹہرنا",
"ٹہروانا": "ٹہرنا",
"ٹہرواتے": "ٹہرنا",
"ٹہرواتا": "ٹہرنا",
"ٹہرواتی": "ٹہرنا",
"ٹہرواتیں": "ٹہرنا",
"ٹہرواؤ": "ٹہرنا",
"ٹہرواؤں": "ٹہرنا",
"ٹہروائے": "ٹہرنا",
"ٹہروائی": "ٹہرنا",
"ٹہروائیے": "ٹہرنا",
"ٹہروائیں": "ٹہرنا",
"ٹہروایا": "ٹہرنا",
"ٹہری": "ٹہرنا",
"ٹہریے": "ٹہرنا",
"ٹہریں": "ٹہرنا",
"ٹہوکے": "ٹہوکہ",
"ٹہوکہ": "ٹہوکہ",
"ٹہوکو": "ٹہوکہ",
"ٹہوکوں": "ٹہوکہ",
"ٹک": "ٹیکنا",
"ٹکے": "ٹکا",
"ٹکں": "ٹیکنا",
"ٹکڑے": "ٹکڑا",
"ٹکڑا": "ٹکڑا",
"ٹکڑو": "ٹکڑا",
"ٹکڑوں": "ٹکڑا",
"ٹکڑی": "ٹکڑی",
"ٹکڑیاں": "ٹکڑی",
"ٹکڑیو": "ٹکڑی",
"ٹکڑیوں": "ٹکڑی",
"ٹکٹ": "ٹکٹ",
"ٹکٹو": "ٹکٹ",
"ٹکٹوں": "ٹکٹ",
"ٹکٹیں": "ٹکٹ",
"ٹکا": "ٹکا",
"ٹکہ": "ٹکہ",
"ٹکنے": "ٹیکنا",
"ٹکنا": "ٹیکنا",
"ٹکر": "ٹکر",
"ٹکرا": "ٹکرانا",
"ٹکرانے": "ٹکرانا",
"ٹکرانا": "ٹکرانا",
"ٹکرانی": "ٹکرانا",
"ٹکراتے": "ٹکرانا",
"ٹکراتا": "ٹکرانا",
"ٹکراتی": "ٹکرانا",
"ٹکراتیں": "ٹکرانا",
"ٹکراؤ": "ٹکرانا",
"ٹکراؤں": "ٹکرانا",
"ٹکرائے": "ٹکرانا",
"ٹکرائی": "ٹکرانا",
"ٹکرائیے": "ٹکرانا",
"ٹکرائیں": "ٹکرانا",
"ٹکرایا": "ٹکرانا",
"ٹکرو": "ٹکر",
"ٹکروں": "ٹکر",
"ٹکروا": "ٹکرانا",
"ٹکروانے": "ٹکرانا",
"ٹکروانا": "ٹکرانا",
"ٹکرواتے": "ٹکرانا",
"ٹکرواتا": "ٹکرانا",
"ٹکرواتی": "ٹکرانا",
"ٹکرواتیں": "ٹکرانا",
"ٹکرواؤ": "ٹکرانا",
"ٹکرواؤں": "ٹکرانا",
"ٹکروائے": "ٹکرانا",
"ٹکروائی": "ٹکرانا",
"ٹکروائیے": "ٹکرانا",
"ٹکروائیں": "ٹکرانا",
"ٹکروایا": "ٹکرانا",
"ٹکریں": "ٹکر",
"ٹکتے": "ٹیکنا",
"ٹکتا": "ٹیکنا",
"ٹکتی": "ٹیکنا",
"ٹکتیں": "ٹیکنا",
"ٹکو": "ٹکا",
"ٹکوں": "ٹکا",
"ٹکوا": "ٹیکنا",
"ٹکوانے": "ٹیکنا",
"ٹکوانا": "ٹیکنا",
"ٹکواتے": "ٹیکنا",
"ٹکواتا": "ٹیکنا",
"ٹکواتی": "ٹیکنا",
"ٹکواتیں": "ٹیکنا",
"ٹکواؤ": "ٹیکنا",
"ٹکواؤں": "ٹیکنا",
"ٹکوائے": "ٹیکنا",
"ٹکوائی": "ٹیکنا",
"ٹکوائیے": "ٹیکنا",
"ٹکوائیں": "ٹیکنا",
"ٹکوایا": "ٹیکنا",
"ٹکی": "ٹکی",
"ٹکیے": "ٹیکنا",
"ٹکیں": "ٹیکنا",
"ٹکیا": "ٹکیا",
"ٹکیاں": "ٹکی",
"ٹکیو": "ٹکی",
"ٹکیوں": "ٹکی",
"ٹنڈ": "ٹنڈ",
"ٹنڈو": "ٹنڈ",
"ٹنڈوں": "ٹنڈ",
"ٹنڈیں": "ٹنڈ",
"ٹنکی": "ٹنکی",
"ٹنکیاں": "ٹنکی",
"ٹنکیو": "ٹنکی",
"ٹنکیوں": "ٹنکی",
"ٹرا": "ٹرانا",
"ٹرام": "ٹرام",
"ٹرامو": "ٹرام",
"ٹراموں": "ٹرام",
"ٹرامیں": "ٹرام",
"ٹرانے": "ٹرانا",
"ٹرانا": "ٹرانا",
"ٹرانی": "ٹرانا",
"ٹراتے": "ٹرانا",
"ٹراتا": "ٹرانا",
"ٹراتی": "ٹرانا",
"ٹراتیں": "ٹرانا",
"ٹراؤ": "ٹرانا",
"ٹراؤں": "ٹرانا",
"ٹرائے": "ٹرانا",
"ٹرائی": "ٹرانا",
"ٹرائیے": "ٹرانا",
"ٹرائیں": "ٹرانا",
"ٹرایا": "ٹرانا",
"ٹرنک": "ٹرنک",
"ٹرنکو": "ٹرنک",
"ٹرنکوں": "ٹرنک",
"ٹرنکیں": "ٹرنک",
"ٹرسٹی": "ٹرسٹی",
"ٹرسٹیو": "ٹرسٹی",
"ٹرسٹیوں": "ٹرسٹی",
"ٹرین": "ٹرین",
"ٹرینو": "ٹرین",
"ٹرینوں": "ٹرین",
"ٹرینیں": "ٹرین",
"ٹوٹ": "ٹوٹنا",
"ٹوٹے": "ٹوٹنا",
"ٹوٹں": "ٹوٹنا",
"ٹوٹا": "ٹوٹنا",
"ٹوٹکے": "ٹوٹکا",
"ٹوٹکا": "ٹوٹکا",
"ٹوٹکو": "ٹوٹکا",
"ٹوٹکوں": "ٹوٹکا",
"ٹوٹنے": "ٹوٹنا",
"ٹوٹنا": "ٹوٹنا",
"ٹوٹنی": "ٹوٹنا",
"ٹوٹتے": "ٹوٹنا",
"ٹوٹتا": "ٹوٹنا",
"ٹوٹتی": "ٹوٹنا",
"ٹوٹتیں": "ٹوٹنا",
"ٹوٹو": "ٹوٹنا",
"ٹوٹوں": "ٹوٹنا",
"ٹوٹی": "ٹوٹنا",
"ٹوٹیے": "ٹوٹنا",
"ٹوٹیں": "ٹوٹنا",
"ٹوک": "ٹوکنا",
"ٹوکے": "ٹوکا",
"ٹوکں": "ٹوکنا",
"ٹوکا": "ٹوکا",
"ٹوکنے": "ٹوکنا",
"ٹوکنا": "ٹوکنا",
"ٹوکنی": "ٹوکنا",
"ٹوکرے": "ٹوکرا",
"ٹوکرا": "ٹوکرا",
"ٹوکرو": "ٹوکرا",
"ٹوکروں": "ٹوکرا",
"ٹوکری": "ٹوکری",
"ٹوکریاں": "ٹوکری",
"ٹوکریو": "ٹوکری",
"ٹوکریوں": "ٹوکری",
"ٹوکتے": "ٹوکنا",
"ٹوکتا": "ٹوکنا",
"ٹوکتی": "ٹوکنا",
"ٹوکتیں": "ٹوکنا",
"ٹوکو": "ٹوکا",
"ٹوکوں": "ٹوکا",
"ٹوکی": "ٹوکنا",
"ٹوکیے": "ٹوکنا",
"ٹوکیں": "ٹوکنا",
"ٹول": "ٹول",
"ٹولو": "ٹول",
"ٹولوں": "ٹول",
"ٹولی": "ٹولی",
"ٹولیاں": "ٹولی",
"ٹولیو": "ٹولی",
"ٹولیوں": "ٹولی",
"ٹونٹی": "ٹونٹی",
"ٹونٹیاں": "ٹونٹی",
"ٹونٹیو": "ٹونٹی",
"ٹونٹیوں": "ٹونٹی",
"ٹوپی": "ٹوپی",
"ٹوپیاں": "ٹوپی",
"ٹوپیو": "ٹوپی",
"ٹوپیوں": "ٹوپی",
"ٹیچر": "ٹیچر",
"ٹیچرو": "ٹیچر",
"ٹیچروں": "ٹیچر",
"ٹیک": "ٹیک",
"ٹیکے": "ٹیکا",
"ٹیکں": "ٹیکنا",
"ٹیکا": "ٹیکا",
"ٹیکہ": "ٹیکہ",
"ٹیکنے": "ٹیکنا",
"ٹیکنا": "ٹیکنا",
"ٹیکنی": "ٹیکنا",
"ٹیکسی": "ٹیکسی",
"ٹیکسیاں": "ٹیکسی",
"ٹیکسیو": "ٹیکسی",
"ٹیکسیوں": "ٹیکسی",
"ٹیکتے": "ٹیکنا",
"ٹیکتا": "ٹیکنا",
"ٹیکتی": "ٹیکنا",
"ٹیکتیں": "ٹیکنا",
"ٹیکو": "ٹیکا",
"ٹیکوں": "ٹیکا",
"ٹیکی": "ٹیکنا",
"ٹیکیے": "ٹیکنا",
"ٹیکیں": "ٹیک",
"ٹیلے": "ٹیلا",
"ٹیلا": "ٹیلا",
"ٹیلہ": "ٹیلہ",
"ٹیلو": "ٹیلا",
"ٹیلوں": "ٹیلا",
"ٹیم": "ٹیم",
"ٹیمو": "ٹیم",
"ٹیموں": "ٹیم",
"ٹیمیں": "ٹیم",
"ٹینک": "ٹینک",
"ٹینکو": "ٹینک",
"ٹینکوں": "ٹینک",
"ٹینکیں": "ٹینک",
"ٹیپ": "ٹیپ",
"ٹیپو": "ٹیپ",
"ٹیپوں": "ٹیپ",
"ٹیپیں": "ٹیپ",
"ٹیس": "ٹیس",
"ٹیسو": "ٹیس",
"ٹیسوں": "ٹیس",
"ٹیسیں": "ٹیس",
"ٹھٹھے": "ٹھٹھا",
"ٹھٹھا": "ٹھٹھا",
"ٹھٹھہ": "ٹھٹھہ",
"ٹھٹھو": "ٹھٹھا",
"ٹھٹھوں": "ٹھٹھا",
"ٹھاٹھ": "ٹھاٹھ",
"ٹھاٹھو": "ٹھاٹھ",
"ٹھاٹھوں": "ٹھاٹھ",
"ٹھاٹھیں": "ٹھاٹھ",
"ٹھگ": "ٹھگنا",
"ٹھگے": "ٹھگنا",
"ٹھگں": "ٹھگنا",
"ٹھگا": "ٹھگنا",
"ٹھگانے": "ٹھگنا",
"ٹھگانا": "ٹھگنا",
"ٹھگاتے": "ٹھگنا",
"ٹھگاتا": "ٹھگنا",
"ٹھگاتی": "ٹھگنا",
"ٹھگاتیں": "ٹھگنا",
"ٹھگاؤ": "ٹھگنا",
"ٹھگاؤں": "ٹھگنا",
"ٹھگائے": "ٹھگنا",
"ٹھگائی": "ٹھگنا",
"ٹھگائیے": "ٹھگنا",
"ٹھگائیں": "ٹھگنا",
"ٹھگایا": "ٹھگنا",
"ٹھگنے": "ٹھگنا",
"ٹھگنا": "ٹھگنا",
"ٹھگنی": "ٹھگنا",
"ٹھگتے": "ٹھگنا",
"ٹھگتا": "ٹھگنا",
"ٹھگتی": "ٹھگنا",
"ٹھگتیں": "ٹھگنا",
"ٹھگو": "ٹھگنا",
"ٹھگوں": "ٹھگنا",
"ٹھگوا": "ٹھگنا",
"ٹھگوانے": "ٹھگنا",
"ٹھگوانا": "ٹھگنا",
"ٹھگواتے": "ٹھگنا",
"ٹھگواتا": "ٹھگنا",
"ٹھگواتی": "ٹھگنا",
"ٹھگواتیں": "ٹھگنا",
"ٹھگواؤ": "ٹھگنا",
"ٹھگواؤں": "ٹھگنا",
"ٹھگوائے": "ٹھگنا",
"ٹھگوائی": "ٹھگنا",
"ٹھگوائیے": "ٹھگنا",
"ٹھگوائیں": "ٹھگنا",
"ٹھگوایا": "ٹھگنا",
"ٹھگی": "ٹھگنا",
"ٹھگیے": "ٹھگنا",
"ٹھگیں": "ٹھگنا",
"ٹھہر": "ٹھہرنا",
"ٹھہرے": "ٹھہرنا",
"ٹھہرں": "ٹھہرنا",
"ٹھہرا": "ٹھہرنا",
"ٹھہرانے": "ٹھہرنا",
"ٹھہرانا": "ٹھہرنا",
"ٹھہراتے": "ٹھہرنا",
"ٹھہراتا": "ٹھہرنا",
"ٹھہراتی": "ٹھہرنا",
"ٹھہراتیں": "ٹھہرنا",
"ٹھہراؤ": "ٹھہرنا",
"ٹھہراؤں": "ٹھہرنا",
"ٹھہرائے": "ٹھہرنا",
"ٹھہرائی": "ٹھہرنا",
"ٹھہرائیے": "ٹھہرنا",
"ٹھہرائیں": "ٹھہرنا",
"ٹھہرایا": "ٹھہرنا",
"ٹھہرنے": "ٹھہرنا",
"ٹھہرنا": "ٹھہرنا",
"ٹھہرنی": "ٹھہرنا",
"ٹھہرتے": "ٹھہرنا",
"ٹھہرتا": "ٹھہرنا",
"ٹھہرتی": "ٹھہرنا",
"ٹھہرتیں": "ٹھہرنا",
"ٹھہرو": "ٹھہرنا",
"ٹھہروں": "ٹھہرنا",
"ٹھہروا": "ٹھہرنا",
"ٹھہروانے": "ٹھہرنا",
"ٹھہروانا": "ٹھہرنا",
"ٹھہرواتے": "ٹھہرنا",
"ٹھہرواتا": "ٹھہرنا",
"ٹھہرواتی": "ٹھہرنا",
"ٹھہرواتیں": "ٹھہرنا",
"ٹھہرواؤ": "ٹھہرنا",
"ٹھہرواؤں": "ٹھہرنا",
"ٹھہروائے": "ٹھہرنا",
"ٹھہروائی": "ٹھہرنا",
"ٹھہروائیے": "ٹھہرنا",
"ٹھہروائیں": "ٹھہرنا",
"ٹھہروایا": "ٹھہرنا",
"ٹھہری": "ٹھہرنا",
"ٹھہریے": "ٹھہرنا",
"ٹھہریں": "ٹھہرنا",
"ٹھک": "ٹھکنا",
"ٹھکے": "ٹھکنا",
"ٹھکں": "ٹھکنا",
"ٹھکا": "ٹھکنا",
"ٹھکانے": "ٹھکانا",
"ٹھکانا": "ٹھکانا",
"ٹھکانہ": "ٹھکانہ",
"ٹھکانو": "ٹھکانا",
"ٹھکانوں": "ٹھکانا",
"ٹھکاتے": "ٹھکنا",
"ٹھکاتا": "ٹھکنا",
"ٹھکاتی": "ٹھکنا",
"ٹھکاتیں": "ٹھکنا",
"ٹھکاؤ": "ٹھکنا",
"ٹھکاؤں": "ٹھکنا",
"ٹھکائے": "ٹھکنا",
"ٹھکائی": "ٹھکنا",
"ٹھکائیے": "ٹھکنا",
"ٹھکائیں": "ٹھکنا",
"ٹھکایا": "ٹھکنا",
"ٹھکنے": "ٹھکنا",
"ٹھکنا": "ٹھکنا",
"ٹھکنی": "ٹھکنا",
"ٹھکرا": "ٹھکرانا",
"ٹھکرانے": "ٹھکرانہ",
"ٹھکرانا": "ٹھکرانا",
"ٹھکرانہ": "ٹھکرانہ",
"ٹھکرانو": "ٹھکرانہ",
"ٹھکرانوں": "ٹھکرانہ",
"ٹھکرانی": "ٹھکرانا",
"ٹھکراتے": "ٹھکرانا",
"ٹھکراتا": "ٹھکرانا",
"ٹھکراتی": "ٹھکرانا",
"ٹھکراتیں": "ٹھکرانا",
"ٹھکراؤ": "ٹھکرانا",
"ٹھکراؤں": "ٹھکرانا",
"ٹھکرائے": "ٹھکرانا",
"ٹھکرائی": "ٹھکرانا",
"ٹھکرائیے": "ٹھکرانا",
"ٹھکرائیں": "ٹھکرانا",
"ٹھکرایا": "ٹھکرانا",
"ٹھکروا": "ٹھکرانا",
"ٹھکروانے": "ٹھکرانا",
"ٹھکروانا": "ٹھکرانا",
"ٹھکرواتے": "ٹھکرانا",
"ٹھکرواتا": "ٹھکرانا",
"ٹھکرواتی": "ٹھکرانا",
"ٹھکرواتیں": "ٹھکرانا",
"ٹھکرواؤ": "ٹھکرانا",
"ٹھکرواؤں": "ٹھکرانا",
"ٹھکروائے": "ٹھکرانا",
"ٹھکروائی": "ٹھکرانا",
"ٹھکروائیے": "ٹھکرانا",
"ٹھکروائیں": "ٹھکرانا",
"ٹھکروایا": "ٹھکرانا",
"ٹھکتے": "ٹھکنا",
"ٹھکتا": "ٹھکنا",
"ٹھکتی": "ٹھکنا",
"ٹھکتیں": "ٹھکنا",
"ٹھکو": "ٹھکنا",
"ٹھکوں": "ٹھکنا",
"ٹھکوا": "ٹھکنا",
"ٹھکوانے": "ٹھکنا",
"ٹھکوانا": "ٹھکنا",
"ٹھکواتے": "ٹھکنا",
"ٹھکواتا": "ٹھکنا",
"ٹھکواتی": "ٹھکنا",
"ٹھکواتیں": "ٹھکنا",
"ٹھکواؤ": "ٹھکنا",
"ٹھکواؤں": "ٹھکنا",
"ٹھکوائے": "ٹھکنا",
"ٹھکوائی": "ٹھکنا",
"ٹھکوائیے": "ٹھکنا",
"ٹھکوائیں": "ٹھکنا",
"ٹھکوایا": "ٹھکنا",
"ٹھکی": "ٹھکنا",
"ٹھکیے": "ٹھکنا",
"ٹھکیں": "ٹھکنا",
"ٹھپے": "ٹھپا",
"ٹھپا": "ٹھپا",
"ٹھپہ": "ٹھپہ",
"ٹھپو": "ٹھپا",
"ٹھپوں": "ٹھپا",
"ٹھس": "ٹھسنا",
"ٹھسے": "ٹھسہ",
"ٹھسں": "ٹھسنا",
"ٹھسا": "ٹھسنا",
"ٹھسانے": "ٹھسنا",
"ٹھسانا": "ٹھسنا",
"ٹھساتے": "ٹھسنا",
"ٹھساتا": "ٹھسنا",
"ٹھساتی": "ٹھسنا",
"ٹھساتیں": "ٹھسنا",
"ٹھساؤ": "ٹھسنا",
"ٹھساؤں": "ٹھسنا",
"ٹھسائے": "ٹھسنا",
"ٹھسائی": "ٹھسنا",
"ٹھسائیے": "ٹھسنا",
"ٹھسائیں": "ٹھسنا",
"ٹھسایا": "ٹھسنا",
"ٹھسہ": "ٹھسہ",
"ٹھسنے": "ٹھسنا",
"ٹھسنا": "ٹھسنا",
"ٹھسنی": "ٹھسنا",
"ٹھستے": "ٹھسنا",
"ٹھستا": "ٹھسنا",
"ٹھستی": "ٹھسنا",
"ٹھستیں": "ٹھسنا",
"ٹھسو": "ٹھسہ",
"ٹھسوں": "ٹھسہ",
"ٹھسوا": "ٹھسنا",
"ٹھسوانے": "ٹھسنا",
"ٹھسوانا": "ٹھسنا",
"ٹھسواتے": "ٹھسنا",
"ٹھسواتا": "ٹھسنا",
"ٹھسواتی": "ٹھسنا",
"ٹھسواتیں": "ٹھسنا",
"ٹھسواؤ": "ٹھسنا",
"ٹھسواؤں": "ٹھسنا",
"ٹھسوائے": "ٹھسنا",
"ٹھسوائی": "ٹھسنا",
"ٹھسوائیے": "ٹھسنا",
"ٹھسوائیں": "ٹھسنا",
"ٹھسوایا": "ٹھسنا",
"ٹھسی": "ٹھسنا",
"ٹھسیے": "ٹھسنا",
"ٹھسیں": "ٹھسنا",
"ٹھوڑی": "ٹھوڑی",
"ٹھوڑیاں": "ٹھوڑی",
"ٹھوڑیو": "ٹھوڑی",
"ٹھوڑیوں": "ٹھوڑی",
"ٹھوکر": "ٹھوکر",
"ٹھوکرو": "ٹھوکر",
"ٹھوکروں": "ٹھوکر",
"ٹھوکریں": "ٹھوکر",
"ٹھونک": "ٹھونکنا",
"ٹھونکے": "ٹھونکنا",
"ٹھونکں": "ٹھونکنا",
"ٹھونکا": "ٹھونکنا",
"ٹھونکنے": "ٹھونکنا",
"ٹھونکنا": "ٹھونکنا",
"ٹھونکنی": "ٹھونکنا",
"ٹھونکتے": "ٹھونکنا",
"ٹھونکتا": "ٹھونکنا",
"ٹھونکتی": "ٹھونکنا",
"ٹھونکتیں": "ٹھونکنا",
"ٹھونکو": "ٹھونکنا",
"ٹھونکوں": "ٹھونکنا",
"ٹھونکوا": "ٹھونکنا",
"ٹھونکوانے": "ٹھونکنا",
"ٹھونکوانا": "ٹھونکنا",
"ٹھونکواتے": "ٹھونکنا",
"ٹھونکواتا": "ٹھونکنا",
"ٹھونکواتی": "ٹھونکنا",
"ٹھونکواتیں": "ٹھونکنا",
"ٹھونکواؤ": "ٹھونکنا",
"ٹھونکواؤں": "ٹھونکنا",
"ٹھونکوائے": "ٹھونکنا",
"ٹھونکوائی": "ٹھونکنا",
"ٹھونکوائیے": "ٹھونکنا",
"ٹھونکوائیں": "ٹھونکنا",
"ٹھونکوایا": "ٹھونکنا",
"ٹھونکی": "ٹھونکنا",
"ٹھونکیے": "ٹھونکنا",
"ٹھونکیں": "ٹھونکنا",
"ٹھیکے": "ٹھیکا",
"ٹھیکا": "ٹھیکا",
"ٹھیکہ": "ٹھیکہ",
"ٹھیکری": "ٹھیکری",
"ٹھیکریاں": "ٹھیکری",
"ٹھیکریو": "ٹھیکری",
"ٹھیکریوں": "ٹھیکری",
"ٹھیکو": "ٹھیکا",
"ٹھیکوں": "ٹھیکا",
"ٹھیلے": "ٹھیلا",
"ٹھیلا": "ٹھیلا",
"ٹھیلو": "ٹھیلا",
"ٹھیلوں": "ٹھیلا",
"شَفْقَت": "شَفْقَت",
"شَفْقَتو": "شَفْقَت",
"شَفْقَتوں": "شَفْقَت",
"شَفْقَتیں": "شَفْقَت",
"شَمْشِیر": "شَمْشِیر",
"شَمْشِیرو": "شَمْشِیر",
"شَمْشِیروں": "شَمْشِیر",
"شَمْشِیریں": "شَمْشِیر",
"شَوکَت": "شَوکَت",
"شَوکَتو": "شَوکَت",
"شَوکَتوں": "شَوکَت",
"شَوکَتیں": "شَوکَت",
"شے": "شہ",
"شخص": "شخص",
"شخصو": "شخص",
"شخصوں": "شخص",
"شخصیت": "شخصیت",
"شخصیتو": "شخصیت",
"شخصیتوں": "شخصیت",
"شخصیتیں": "شخصیت",
"شاخ": "شاخ",
"شاخے": "شاخہ",
"شاخہ": "شاخہ",
"شاخسانے": "شاخسانہ",
"شاخسانہ": "شاخسانہ",
"شاخسانو": "شاخسانہ",
"شاخسانوں": "شاخسانہ",
"شاخو": "شاخہ",
"شاخوں": "شاخہ",
"شاخیں": "شاخ",
"شادی": "شادی",
"شادیاں": "شادی",
"شادیو": "شادی",
"شادیوں": "شادی",
"شاعر": "شاعر",
"شاعرو": "شاعر",
"شاعروں": "شاعر",
"شاعری": "شاعری",
"شاگرد": "شاگرد",
"شاگردو": "شاگرد",
"شاگردوں": "شاگرد",
"شاہد": "شاہد",
"شاہدو": "شاہد",
"شاہدوں": "شاہد",
"شاہکار": "شاہکار",
"شاہکارو": "شاہکار",
"شاہکاروں": "شاہکار",
"شاہراہ": "شاہراہ",
"شاہراہو": "شاہراہ",
"شاہراہوں": "شاہراہ",
"شاہراہیں": "شاہراہ",
"شال": "شال",
"شالے": "شالہ",
"شالہ": "شالہ",
"شالو": "شالہ",
"شالوں": "شالہ",
"شالیں": "شال",
"شام": "شام",
"شامو": "شام",
"شاموں": "شام",
"شامیں": "شام",
"شامیانے": "شامیانہ",
"شامیانہ": "شامیانہ",
"شامیانو": "شامیانہ",
"شامیانوں": "شامیانہ",
"شان": "شان",
"شانے": "شانہ",
"شانہ": "شانہ",
"شانو": "شانہ",
"شانوں": "شانہ",
"شانیں": "شان",
"شارے": "شارہ",
"شارہ": "شارہ",
"شارو": "شارہ",
"شاروں": "شارہ",
"شبد": "شبد",
"شبدو": "شبد",
"شبدوں": "شبد",
"شبدیں": "شبد",
"شعاع": "شعاع",
"شعاعے": "شعاع",
"شعاعو": "شعاع",
"شعاعوں": "شعاع",
"شعاعیں": "شعاع",
"شعبے": "شعبہ",
"شعبدے": "شعبدہ",
"شعبدہ": "شعبدہ",
"شعبدو": "شعبدہ",
"شعبدوں": "شعبدہ",
"شعبہ": "شعبہ",
"شعبو": "شعبہ",
"شعبوں": "شعبہ",
"شعلے": "شعلہ",
"شعلہ": "شعلہ",
"شعلو": "شعلہ",
"شعلوں": "شعلہ",
"شعر": "شعر",
"شعراءکے": "شعراءکا",
"شعراءکا": "شعراءکا",
"شعراءکو": "شعراءکا",
"شعراءکوں": "شعراءکا",
"شعرو": "شعر",
"شعروں": "شعر",
"شفٹ": "شفٹ",
"شفٹو": "شفٹ",
"شفٹوں": "شفٹ",
"شفٹیں": "شفٹ",
"شفقت": "شفقت",
"شفقتو": "شفقت",
"شفقتوں": "شفقت",
"شفقتیں": "شفقت",
"شگاف": "شگاف",
"شگافو": "شگاف",
"شگافوں": "شگاف",
"شگوفے": "شگوفہ",
"شگوفہ": "شگوفہ",
"شگوفو": "شگوفہ",
"شگوفوں": "شگوفہ",
"شہ": "شہ",
"شہادت": "شہادت",
"شہادتو": "شہادت",
"شہادتوں": "شہادت",
"شہادتیں": "شہادت",
"شہر": "شہر",
"شہرے": "شہرہ",
"شہرہ": "شہرہ",
"شہرو": "شہرہ",
"شہروں": "شہرہ",
"شہری": "شہری",
"شہریو": "شہری",
"شہریوں": "شہری",
"شہید": "شہید",
"شہیدو": "شہید",
"شہیدوں": "شہید",
"شہزاد": "شہزاد",
"شہزادے": "شہزادہ",
"شہزادہ": "شہزادہ",
"شہزادو": "شہزادہ",
"شہزادوں": "شہزادہ",
"شہزادی": "شہزادی",
"شہزادیاں": "شہزادی",
"شہزادیو": "شہزادی",
"شہزادیوں": "شہزادی",
"شجرے": "شجرہ",
"شجرہ": "شجرہ",
"شجرو": "شجرہ",
"شجروں": "شجرہ",
"شک": "شک",
"شکائت": "شکائت",
"شکائتو": "شکائت",
"شکائتوں": "شکائت",
"شکائتیں": "شکائت",
"شکایت": "شکایت",
"شکایتو": "شکایت",
"شکایتوں": "شکایت",
"شکایتیں": "شکایت",
"شکل": "شکل",
"شکلو": "شکل",
"شکلوں": "شکل",
"شکلیں": "شکل",
"شکن": "شکن",
"شکنجے": "شکنجہ",
"شکنجہ": "شکنجہ",
"شکنجو": "شکنجہ",
"شکنجوں": "شکنجہ",
"شکنو": "شکن",
"شکنوں": "شکن",
"شکنیں": "شکن",
"شکرے": "شکرہ",
"شکرانے": "شکرانہ",
"شکرانہ": "شکرانہ",
"شکرانو": "شکرانہ",
"شکرانوں": "شکرانہ",
"شکرہ": "شکرہ",
"شکرو": "شکرہ",
"شکروں": "شکرہ",
"شکریے": "شکریہ",
"شکریہ": "شکریہ",
"شکریو": "شکریہ",
"شکریوں": "شکریہ",
"شکو": "شک",
"شکوے": "شکوہ",
"شکوں": "شک",
"شکوہ": "شکوہ",
"شکوو": "شکوہ",
"شکووں": "شکوہ",
"شکیں": "شک",
"شلوار": "شلوار",
"شلوارو": "شلوار",
"شلواروں": "شلوار",
"شلواریں": "شلوار",
"شمے": "شمہ",
"شمشیر": "شمشیر",
"شمشیرو": "شمشیر",
"شمشیروں": "شمشیر",
"شمشیریں": "شمشیر",
"شمارے": "شمارہ",
"شمارہ": "شمارہ",
"شمارو": "شمارہ",
"شماروں": "شمارہ",
"شمع": "شمع",
"شمعو": "شمع",
"شمعوں": "شمع",
"شمعیں": "شمع",
"شمہ": "شمہ",
"شملے": "شملہ",
"شملہ": "شملہ",
"شملو": "شملہ",
"شملوں": "شملہ",
"شمو": "شمہ",
"شموں": "شمہ",
"شناس": "شناس",
"شناسو": "شناس",
"شناسوں": "شناس",
"شق": "شق",
"شقو": "شق",
"شقوں": "شق",
"شقیں": "شق",
"شر": "شر",
"شرح": "شرح",
"شرحو": "شرح",
"شرحوں": "شرح",
"شرحیں": "شرح",
"شراب": "شراب",
"شرابے": "شرابہ",
"شرابہ": "شرابہ",
"شرابو": "شرابہ",
"شرابوں": "شرابہ",
"شرابی": "شرابی",
"شرابیں": "شراب",
"شرابیو": "شرابی",
"شرابیوں": "شرابی",
"شرارت": "شرارت",
"شرارتو": "شرارت",
"شرارتوں": "شرارت",
"شرارتیں": "شرارت",
"شرمگاہ": "شرمگاہ",
"شرمگاہو": "شرمگاہ",
"شرمگاہوں": "شرمگاہ",
"شرمگاہیں": "شرمگاہ",
"شرمندگی": "شرمندگی",
"شرمندگیاں": "شرمندگی",
"شرمندگیو": "شرمندگی",
"شرمندگیوں": "شرمندگی",
"شرو": "شر",
"شروں": "شر",
"شریف": "شریف",
"شریفو": "شریف",
"شریفوں": "شریف",
"شریک": "شریک",
"شریکو": "شریک",
"شریکوں": "شریک",
"شرط": "شرط",
"شرطو": "شرط",
"شرطوں": "شرط",
"شرطیں": "شرط",
"شو": "شہ",
"شوے": "شوہ",
"شوں": "شہ",
"شوشے": "شوشہ",
"شوشہ": "شوشہ",
"شوشو": "شوشہ",
"شوشوں": "شوشہ",
"شوہ": "شوہ",
"شوہر": "شوہر",
"شوہرو": "شوہر",
"شوہروں": "شوہر",
"شور": "شور",
"شورے": "شورہ",
"شوربے": "شوربہ",
"شوربہ": "شوربہ",
"شوربو": "شوربہ",
"شوربوں": "شوربہ",
"شورہ": "شورہ",
"شورو": "شورہ",
"شوروں": "شورہ",
"شوو": "شوہ",
"شووں": "شوہ",
"شیخ": "شیخ",
"شیخو": "شیخ",
"شیخوں": "شیخ",
"شیخی": "شیخی",
"شیخیاں": "شیخی",
"شیخیو": "شیخی",
"شیخیوں": "شیخی",
"شیشے": "شیشہ",
"شیشہ": "شیشہ",
"شیشو": "شیشہ",
"شیشوں": "شیشہ",
"شیشی": "شیشی",
"شیشیاں": "شیشی",
"شیشیو": "شیشی",
"شیشیوں": "شیشی",
"شیعے": "شیعہ",
"شیعہ": "شیعہ",
"شیعو": "شیعہ",
"شیعوں": "شیعہ",
"شیر": "شیر",
"شیرے": "شیرہ",
"شیرہ": "شیرہ",
"شیرو": "شیرہ",
"شیروں": "شیرہ",
"شیروانی": "شیروانی",
"شیروانیاں": "شیروانی",
"شیروانیو": "شیروانی",
"شیروانیوں": "شیروانی",
"شیریں": "شیر",
"شیوے": "شیوہ",
"شیوہ": "شیوہ",
"شیوو": "شیوہ",
"شیووں": "شیوہ",
"شیطان": "شیطان",
"شیطانو": "شیطان",
"شیطانوں": "شیطان",
"شیطانی": "شیطانی",
"شیطانیاں": "شیطانی",
"شیطانیو": "شیطانی",
"شیطانیوں": "شیطانی",
"ذخیرے": "ذخیرا",
"ذخیرا": "ذخیرا",
"ذخیرہ": "ذخیرہ",
"ذخیرو": "ذخیرا",
"ذخیروں": "ذخیرا",
"ذات": "ذات",
"ذاتو": "ذات",
"ذاتوں": "ذات",
"ذاتیں": "ذات",
"ذائقے": "ذائقہ",
"ذائقہ": "ذائقہ",
"ذائقو": "ذائقہ",
"ذائقوں": "ذائقہ",
"ذہن": "ذہن",
"ذہنو": "ذہن",
"ذہنوں": "ذہن",
"ذمّے": "ذمّہ",
"ذمّہ": "ذمّہ",
"ذمّو": "ذمّہ",
"ذمّوں": "ذمّہ",
"ذمے": "ذمہ",
"ذمہ": "ذمہ",
"ذمو": "ذمہ",
"ذموں": "ذمہ",
"ذر": "ذر",
"ذرّ": "ذرّ",
"ذرّے": "ذرّہ",
"ذرّہ": "ذرّہ",
"ذرّو": "ذرّہ",
"ذرّوں": "ذرّہ",
"ذرے": "ذرا",
"ذرا": "ذرا",
"ذرع": "ذرع",
"ذرعے": "ذرع",
"ذرعہ": "ذرعہ",
"ذرعو": "ذرع",
"ذرعوں": "ذرع",
"ذرہ": "ذرہ",
"ذرو": "ذرا",
"ذروں": "ذرا",
"ذریع": "ذریع",
"ذریعے": "ذریع",
"ذریعہ": "ذریعہ",
"ذریعو": "ذریع",
"ذریعوں": "ذریع",
"اَے": "اَے",
"اَخْبار": "اَخْبار",
"اَخْبارات": "اَخْبار",
"اَخْبارو": "اَخْبار",
"اَخْباروں": "اَخْبار",
"اَب": "اَب",
"اَمْجَد": "اَمْجَد",
"اَمر": "اَمر",
"اَپْنےآپ": "اَپْنےآپ",
"اَواخِر": "آخَر",
"اَوامِر": "اَمر",
"اَیسے": "اَیسا",
"اَیسا": "اَیسا",
"اَیسی": "اَیسا",
"ا(اo)تر": "اُترنا",
"ا(اo)ترے": "اُترنا",
"ا(اo)ترں": "اُترنا",
"ا(اo)ترا": "اُترنا",
"ا(اo)ترنے": "اُترنا",
"ا(اo)ترنا": "اُترنا",
"ا(اo)ترتے": "اُترنا",
"ا(اo)ترتا": "اُترنا",
"ا(اo)ترتی": "اُترنا",
"ا(اo)ترتیں": "اُترنا",
"ا(اo)ترو": "اُترنا",
"ا(اo)تروں": "اُترنا",
"ا(اo)تری": "اُترنا",
"ا(اo)تریے": "اُترنا",
"ا(اo)تریں": "اُترنا",
"اِحْسان": "اِحْسان",
"اِحْسانات": "اِحْسان",
"اِحْسانو": "اِحْسان",
"اِحْسانوں": "اِحْسان",
"اِخْبار": "اِخْبار",
"اِخْبارات": "اِخْبار",
"اِخْبارو": "اِخْبار",
"اِخْباروں": "اِخْبار",
"اِشْتِہار": "اِشْتِہار",
"اِشْتِہارات": "اِشْتِہار",
"اِشْتِہارو": "اِشْتِہار",
"اِشْتِہاروں": "اِشْتِہار",
"اِدَھر": "اِدَھر",
"اِن": "میں",
"اِس": "میں",
"اِسکے": "میرا",
"اِسکا": "میرا",
"اِسکی": "میرا",
"اِسی": "اِسی",
"اِتنے": "اِتنا",
"اِتنا": "اِتنا",
"اِتنی": "اِتنا",
"اِترا": "اِترانا",
"اِترانے": "اِترانا",
"اِترانا": "اِترانا",
"اِترانی": "اِترانا",
"اِتراتے": "اِترانا",
"اِتراتا": "اِترانا",
"اِتراتی": "اِترانا",
"اِتراتیں": "اِترانا",
"اِتراؤ": "اِترانا",
"اِتراؤں": "اِترانا",
"اِترائے": "اِترانا",
"اِترائی": "اِترانا",
"اِترائیے": "اِترانا",
"اِترائیں": "اِترانا",
"اِترایا": "اِترانا",
"اُڑ": "اُڑنا",
"اُڑے": "اُڑنا",
"اُڑں": "اُڑنا",
"اُڑا": "اُڑنا",
"اُڑانے": "اُڑنا",
"اُڑانا": "اُڑنا",
"اُڑاتے": "اُڑنا",
"اُڑاتا": "اُڑنا",
"اُڑاتی": "اُڑنا",
"اُڑاتیں": "اُڑنا",
"اُڑاؤ": "اُڑنا",
"اُڑاؤں": "اُڑنا",
"اُڑائے": "اُڑنا",
"اُڑائی": "اُڑنا",
"اُڑائیے": "اُڑنا",
"اُڑائیں": "اُڑنا",
"اُڑایا": "اُڑنا",
"اُڑنے": "اُڑنا",
"اُڑنا": "اُڑنا",
"اُڑنی": "اُڑنا",
"اُڑس": "اُڑسنا",
"اُڑسے": "اُڑسنا",
"اُڑسں": "اُڑسنا",
"اُڑسا": "اُڑسنا",
"اُڑسانے": "اُڑسنا",
"اُڑسانا": "اُڑسنا",
"اُڑساتے": "اُڑسنا",
"اُڑساتا": "اُڑسنا",
"اُڑساتی": "اُڑسنا",
"اُڑساتیں": "اُڑسنا",
"اُڑساؤ": "اُڑسنا",
"اُڑساؤں": "اُڑسنا",
"اُڑسائے": "اُڑسنا",
"اُڑسائی": "اُڑسنا",
"اُڑسائیے": "اُڑسنا",
"اُڑسائیں": "اُڑسنا",
"اُڑسایا": "اُڑسنا",
"اُڑسنے": "اُڑسنا",
"اُڑسنا": "اُڑسنا",
"اُڑسنی": "اُڑسنا",
"اُڑستے": "اُڑسنا",
"اُڑستا": "اُڑسنا",
"اُڑستی": "اُڑسنا",
"اُڑستیں": "اُڑسنا",
"اُڑسو": "اُڑسنا",
"اُڑسوں": "اُڑسنا",
"اُڑسوا": "اُڑسنا",
"اُڑسوانے": "اُڑسنا",
"اُڑسوانا": "اُڑسنا",
"اُڑسواتے": "اُڑسنا",
"اُڑسواتا": "اُڑسنا",
"اُڑسواتی": "اُڑسنا",
"اُڑسواتیں": "اُڑسنا",
"اُڑسواؤ": "اُڑسنا",
"اُڑسواؤں": "اُڑسنا",
"اُڑسوائے": "اُڑسنا",
"اُڑسوائی": "اُڑسنا",
"اُڑسوائیے": "اُڑسنا",
"اُڑسوائیں": "اُڑسنا",
"اُڑسوایا": "اُڑسنا",
"اُڑسی": "اُڑسنا",
"اُڑسیے": "اُڑسنا",
"اُڑسیں": "اُڑسنا",
"اُڑتے": "اُڑنا",
"اُڑتا": "اُڑنا",
"اُڑتی": "اُڑنا",
"اُڑتیں": "اُڑنا",
"اُڑو": "اُڑنا",
"اُڑوں": "اُڑنا",
"اُڑوا": "اُڑنا",
"اُڑوانے": "اُڑنا",
"اُڑوانا": "اُڑنا",
"اُڑواتے": "اُڑنا",
"اُڑواتا": "اُڑنا",
"اُڑواتی": "اُڑنا",
"اُڑواتیں": "اُڑنا",
"اُڑواؤ": "اُڑنا",
"اُڑواؤں": "اُڑنا",
"اُڑوائے": "اُڑنا",
"اُڑوائی": "اُڑنا",
"اُڑوائیے": "اُڑنا",
"اُڑوائیں": "اُڑنا",
"اُڑوایا": "اُڑنا",
"اُڑی": "اُڑنا",
"اُڑیے": "اُڑنا",
"اُڑیں": "اُڑنا",
"اُٹھ": "اُٹھنا",
"اُٹھے": "اُٹھنا",
"اُٹھں": "اُٹھنا",
"اُٹھا": "اُٹھنا",
"اُٹھانے": "اُٹھنا",
"اُٹھانا": "اُٹھنا",
"اُٹھاتے": "اُٹھنا",
"اُٹھاتا": "اُٹھنا",
"اُٹھاتی": "اُٹھنا",
"اُٹھاتیں": "اُٹھنا",
"اُٹھاؤ": "اُٹھنا",
"اُٹھاؤں": "اُٹھنا",
"اُٹھائے": "اُٹھنا",
"اُٹھائی": "اُٹھنا",
"اُٹھائیے": "اُٹھنا",
"اُٹھائیں": "اُٹھنا",
"اُٹھایا": "اُٹھنا",
"اُٹھنے": "اُٹھنا",
"اُٹھنا": "اُٹھنا",
"اُٹھنی": "اُٹھنا",
"اُٹھتے": "اُٹھنا",
"اُٹھتا": "اُٹھنا",
"اُٹھتی": "اُٹھنا",
"اُٹھتیں": "اُٹھنا",
"اُٹھو": "اُٹھنا",
"اُٹھوں": "اُٹھنا",
"اُٹھوا": "اُٹھنا",
"اُٹھوانے": "اُٹھنا",
"اُٹھوانا": "اُٹھنا",
"اُٹھواتے": "اُٹھنا",
"اُٹھواتا": "اُٹھنا",
"اُٹھواتی": "اُٹھنا",
"اُٹھواتیں": "اُٹھنا",
"اُٹھواؤ": "اُٹھنا",
"اُٹھواؤں": "اُٹھنا",
"اُٹھوائے": "اُٹھنا",
"اُٹھوائی": "اُٹھنا",
"اُٹھوائیے": "اُٹھنا",
"اُٹھوائیں": "اُٹھنا",
"اُٹھوایا": "اُٹھنا",
"اُٹھی": "اُٹھنا",
"اُٹھیے": "اُٹھنا",
"اُٹھیں": "اُٹھنا",
"اُبھار": "اُبھار",
"اُبھارے": "اُبھرنا",
"اُبھارں": "اُبھرنا",
"اُبھارا": "اُبھرنا",
"اُبھارنے": "اُبھرنا",
"اُبھارنا": "اُبھرنا",
"اُبھارتے": "اُبھرنا",
"اُبھارتا": "اُبھرنا",
"اُبھارتی": "اُبھرنا",
"اُبھارتیں": "اُبھرنا",
"اُبھارو": "اُبھار",
"اُبھاروں": "اُبھار",
"اُبھاری": "اُبھرنا",
"اُبھاریے": "اُبھرنا",
"اُبھاریں": "اُبھرنا",
"اُبھر": "اُبھرنا",
"اُبھرے": "اُبھرنا",
"اُبھرں": "اُبھرنا",
"اُبھرا": "اُبھرنا",
"اُبھرنے": "اُبھرنا",
"اُبھرنا": "اُبھرنا",
"اُبھرنی": "اُبھرنا",
"اُبھرتے": "اُبھرنا",
"اُبھرتا": "اُبھرنا",
"اُبھرتی": "اُبھرنا",
"اُبھرتیں": "اُبھرنا",
"اُبھرو": "اُبھرنا",
"اُبھروں": "اُبھرنا",
"اُبھروا": "اُبھرنا",
"اُبھروانے": "اُبھرنا",
"اُبھروانا": "اُبھرنا",
"اُبھرواتے": "اُبھرنا",
"اُبھرواتا": "اُبھرنا",
"اُبھرواتی": "اُبھرنا",
"اُبھرواتیں": "اُبھرنا",
"اُبھرواؤ": "اُبھرنا",
"اُبھرواؤں": "اُبھرنا",
"اُبھروائے": "اُبھرنا",
"اُبھروائی": "اُبھرنا",
"اُبھروائیے": "اُبھرنا",
"اُبھروائیں": "اُبھرنا",
"اُبھروایا": "اُبھرنا",
"اُبھری": "اُبھرنا",
"اُبھریے": "اُبھرنا",
"اُبھریں": "اُبھرنا",
"اُچَھال": "اُچَھلْنا",
"اُچَھالے": "اُچَھلْنا",
"اُچَھالں": "اُچَھلْنا",
"اُچَھالا": "اُچَھلْنا",
"اُچَھالنے": "اُچَھلْنا",
"اُچَھالنا": "اُچَھلْنا",
"اُچَھالتے": "اُچَھلْنا",
"اُچَھالتا": "اُچَھلْنا",
"اُچَھالتی": "اُچَھلْنا",
"اُچَھالتیں": "اُچَھلْنا",
"اُچَھالو": "اُچَھلْنا",
"اُچَھالوں": "اُچَھلْنا",
"اُچَھالی": "اُچَھلْنا",
"اُچَھالیے": "اُچَھلْنا",
"اُچَھالیں": "اُچَھلْنا",
"اُچَھل": "اُچَھلْنا",
"اُچَھلْں": "اُچَھلْنا",
"اُچَھلْنے": "اُچَھلْنا",
"اُچَھلْنا": "اُچَھلْنا",
"اُچَھلْنی": "اُچَھلْنا",
"اُچَھلْتے": "اُچَھلْنا",
"اُچَھلْتا": "اُچَھلْنا",
"اُچَھلْتی": "اُچَھلْنا",
"اُچَھلْتیں": "اُچَھلْنا",
"اُچَھلْوا": "اُچَھلْنا",
"اُچَھلْوانے": "اُچَھلْنا",
"اُچَھلْوانا": "اُچَھلْنا",
"اُچَھلْواتے": "اُچَھلْنا",
"اُچَھلْواتا": "اُچَھلْنا",
"اُچَھلْواتی": "اُچَھلْنا",
"اُچَھلْواتیں": "اُچَھلْنا",
"اُچَھلْواؤ": "اُچَھلْنا",
"اُچَھلْواؤں": "اُچَھلْنا",
"اُچَھلْوائے": "اُچَھلْنا",
"اُچَھلْوائی": "اُچَھلْنا",
"اُچَھلْوائیے": "اُچَھلْنا",
"اُچَھلْوائیں": "اُچَھلْنا",
"اُچَھلْوایا": "اُچَھلْنا",
"اُچَھلے": "اُچَھلْنا",
"اُچَھلا": "اُچَھلْنا",
"اُچَھلو": "اُچَھلْنا",
"اُچَھلوں": "اُچَھلْنا",
"اُچَھلی": "اُچَھلْنا",
"اُچَھلیے": "اُچَھلْنا",
"اُچَھلیں": "اُچَھلْنا",
"اُچھال": "اُچھلنا",
"اُچھالے": "اُچھلنا",
"اُچھالں": "اُچھلنا",
"اُچھالا": "اُچھلنا",
"اُچھالنے": "اُچھلنا",
"اُچھالنا": "اُچھلنا",
"اُچھالتے": "اُچھلنا",
"اُچھالتا": "اُچھلنا",
"اُچھالتی": "اُچھلنا",
"اُچھالتیں": "اُچھلنا",
"اُچھالو": "اُچھلنا",
"اُچھالوں": "اُچھلنا",
"اُچھالی": "اُچھلنا",
"اُچھالیے": "اُچھلنا",
"اُچھالیں": "اُچھلنا",
"اُچھل": "اُچھلنا",
"اُچھلے": "اُچھلنا",
"اُچھلں": "اُچھلنا",
"اُچھلا": "اُچھلنا",
"اُچھلنے": "اُچھلنا",
"اُچھلنا": "اُچھلنا",
"اُچھلنی": "اُچھلنا",
"اُچھلتے": "اُچھلنا",
"اُچھلتا": "اُچھلنا",
"اُچھلتی": "اُچھلنا",
"اُچھلتیں": "اُچھلنا",
"اُچھلو": "اُچھلنا",
"اُچھلوں": "اُچھلنا",
"اُچھلوا": "اُچھلنا",
"اُچھلوانے": "اُچھلنا",
"اُچھلوانا": "اُچھلنا",
"اُچھلواتے": "اُچھلنا",
"اُچھلواتا": "اُچھلنا",
"اُچھلواتی": "اُچھلنا",
"اُچھلواتیں": "اُچھلنا",
"اُچھلواؤ": "اُچھلنا",
"اُچھلواؤں": "اُچھلنا",
"اُچھلوائے": "اُچھلنا",
"اُچھلوائی": "اُچھلنا",
"اُچھلوائیے": "اُچھلنا",
"اُچھلوائیں": "اُچھلنا",
"اُچھلوایا": "اُچھلنا",
"اُچھلی": "اُچھلنا",
"اُچھلیے": "اُچھلنا",
"اُچھلیں": "اُچھلنا",
"اُدَھر": "اُدَھر",
"اُگ": "اُگنا",
"اُگے": "اُگنا",
"اُگں": "اُگنا",
"اُگا": "اُگنا",
"اُگانے": "اُگنا",
"اُگانا": "اُگنا",
"اُگاتے": "اُگنا",
"اُگاتا": "اُگنا",
"اُگاتی": "اُگنا",
"اُگاتیں": "اُگنا",
"اُگاؤ": "اُگنا",
"اُگاؤں": "اُگنا",
"اُگائے": "اُگنا",
"اُگائی": "اُگنا",
"اُگائیے": "اُگنا",
"اُگائیں": "اُگنا",
"اُگایا": "اُگنا",
"اُگنے": "اُگنا",
"اُگنا": "اُگنا",
"اُگنی": "اُگنا",
"اُگتے": "اُگنا",
"اُگتا": "اُگنا",
"اُگتی": "اُگنا",
"اُگتیں": "اُگنا",
"اُگو": "اُگنا",
"اُگوں": "اُگنا",
"اُگوا": "اُگنا",
"اُگوانے": "اُگنا",
"اُگوانا": "اُگنا",
"اُگواتے": "اُگنا",
"اُگواتا": "اُگنا",
"اُگواتی": "اُگنا",
"اُگواتیں": "اُگنا",
"اُگواؤ": "اُگنا",
"اُگواؤں": "اُگنا",
"اُگوائے": "اُگنا",
"اُگوائی": "اُگنا",
"اُگوائیے": "اُگنا",
"اُگوائیں": "اُگنا",
"اُگوایا": "اُگنا",
"اُگی": "اُگنا",
"اُگیے": "اُگنا",
"اُگیں": "اُگنا",
"اُک": "اُکنا",
"اُکے": "اُکنا",
"اُکں": "اُکنا",
"اُکا": "اُکنا",
"اُکانے": "اُکنا",
"اُکانا": "اُکنا",
"اُکاتے": "اُکنا",
"اُکاتا": "اُکنا",
"اُکاتی": "اُکنا",
"اُکاتیں": "اُکنا",
"اُکاؤ": "اُکنا",
"اُکاؤں": "اُکنا",
"اُکائے": "اُکنا",
"اُکائی": "اُکنا",
"اُکائیے": "اُکنا",
"اُکائیں": "اُکنا",
"اُکایا": "اُکنا",
"اُکنے": "اُکنا",
"اُکنا": "اُکنا",
"اُکنی": "اُکنا",
"اُکتے": "اُکنا",
"اُکتا": "اُکنا",
"اُکتی": "اُکنا",
"اُکتیں": "اُکنا",
"اُکو": "اُکنا",
"اُکوں": "اُکنا",
"اُکوا": "اُکنا",
"اُکوانے": "اُکنا",
"اُکوانا": "اُکنا",
"اُکواتے": "اُکنا",
"اُکواتا": "اُکنا",
"اُکواتی": "اُکنا",
"اُکواتیں": "اُکنا",
"اُکواؤ": "اُکنا",
"اُکواؤں": "اُکنا",
"اُکوائے": "اُکنا",
"اُکوائی": "اُکنا",
"اُکوائیے": "اُکنا",
"اُکوائیں": "اُکنا",
"اُکوایا": "اُکنا",
"اُکی": "اُکنا",
"اُکیے": "اُکنا",
"اُکیں": "اُکنا",
"اُمت": "اُمت",
"اُمتو": "اُمت",
"اُمتوں": "اُمت",
"اُمتیں": "اُمت",
"اُمید": "اُمید",
"اُمیدو": "اُمید",
"اُمیدوں": "اُمید",
"اُمیدیں": "اُمید",
"اُن": "میں",
"اُنگلی": "اُنگلی",
"اُنگلیاں": "اُنگلی",
"اُنگلیو": "اُنگلی",
"اُنگلیوں": "اُنگلی",
"اُس": "میں",
"اُسکے": "میرا",
"اُسکا": "میرا",
"اُسکی": "میرا",
"اُستاد": "اُستاد",
"اُستادو": "اُستاد",
"اُستادوں": "اُستاد",
"اُتار": "اُتار",
"اُتارے": "اُتارا",
"اُتارا": "اُتارا",
"اُتارو": "اُتارا",
"اُتاروں": "اُتارا",
"اُتر": "اُترنا",
"اُترے": "اُترنا",
"اُترں": "اُترنا",
"اُترا": "اُترنا",
"اُترانے": "اُترنا",
"اُترانا": "اُترنا",
"اُتراتے": "اُترنا",
"اُتراتا": "اُترنا",
"اُتراتی": "اُترنا",
"اُتراتیں": "اُترنا",
"اُتراؤ": "اُترنا",
"اُتراؤں": "اُترنا",
"اُترائے": "اُترنا",
"اُترائی": "اُترنا",
"اُترائیے": "اُترنا",
"اُترائیں": "اُترنا",
"اُترایا": "اُترنا",
"اُترنے": "اُترنا",
"اُترنا": "اُترنا",
"اُترنی": "اُترنا",
"اُترتے": "اُترنا",
"اُترتا": "اُترنا",
"اُترتی": "اُترنا",
"اُترتیں": "اُترنا",
"اُترو": "اُترنا",
"اُتروں": "اُترنا",
"اُتروا": "اُترنا",
"اُتروانے": "اُترنا",
"اُتروانا": "اُترنا",
"اُترواتے": "اُترنا",
"اُترواتا": "اُترنا",
"اُترواتی": "اُترنا",
"اُترواتیں": "اُترنا",
"اُترواؤ": "اُترنا",
"اُترواؤں": "اُترنا",
"اُتروائے": "اُترنا",
"اُتروائی": "اُترنا",
"اُتروائیے": "اُترنا",
"اُتروائیں": "اُترنا",
"اُتروایا": "اُترنا",
"اُتری": "اُترنا",
"اُتریے": "اُترنا",
"اُتریں": "اُترنا",
"اثر": "اثر",
"اثرات": "اثر",
"اثرو": "اثر",
"اثروں": "اثر",
"اثریں": "اثر",
"اڈے": "اڈا",
"اڈا": "اڈا",
"اڈہ": "اڈہ",
"اڈو": "اڈا",
"اڈوں": "اڈا",
"اے": "اے",
"احاطے": "احاطہ",
"احاطہ": "احاطہ",
"احاطو": "احاطہ",
"احاطوں": "احاطہ",
"احمق": "احمق",
"احمقو": "احمق",
"احمقوں": "احمق",
"احسان": "احسان",
"احسانات": "احسان",
"احسانو": "احسان",
"احسانوں": "احسان",
"احتیاج": "احتیاج",
"احتیاجو": "احتیاج",
"احتیاجوں": "احتیاج",
"احتیاجیں": "احتیاج",
"اخبار": "اخبار",
"اخبارات": "اخبار",
"اخبارو": "اخبار",
"اخباروں": "اخبار",
"اخباریں": "اخبار",
"اخر": "اخر",
"اختیار": "اختیار",
"اختیارات": "اختیار",
"اختیارو": "اختیار",
"اختیاروں": "اختیار",
"اڑ": "اڑنا",
"اڑے": "اڑنا",
"اڑں": "اڑنا",
"اڑا": "اڑنا",
"اڑانے": "اڑنا",
"اڑانا": "اڑنا",
"اڑات": "اڑات",
"اڑاتے": "اڑنا",
"اڑاتا": "اڑنا",
"اڑاتو": "اڑات",
"اڑاتوں": "اڑات",
"اڑاتی": "اڑنا",
"اڑاتیں": "اڑات",
"اڑاؤ": "اڑنا",
"اڑاؤں": "اڑنا",
"اڑائے": "اڑنا",
"اڑائی": "اڑنا",
"اڑائیے": "اڑنا",
"اڑائیں": "اڑنا",
"اڑایا": "اڑنا",
"اڑنے": "اڑنا",
"اڑنا": "اڑنا",
"اڑنی": "اڑنا",
"اڑتے": "اڑنا",
"اڑتا": "اڑنا",
"اڑتی": "اڑنا",
"اڑتیں": "اڑنا",
"اڑو": "اڑنا",
"اڑوں": "اڑنا",
"اڑوا": "اڑنا",
"اڑوانے": "اڑنا",
"اڑوانا": "اڑنا",
"اڑواتے": "اڑنا",
"اڑواتا": "اڑنا",
"اڑواتی": "اڑنا",
"اڑواتیں": "اڑنا",
"اڑواؤ": "اڑنا",
"اڑواؤں": "اڑنا",
"اڑوائے": "اڑنا",
"اڑوائی": "اڑنا",
"اڑوائیے": "اڑنا",
"اڑوائیں": "اڑنا",
"اڑوایا": "اڑنا",
"اڑی": "اڑنا",
"اڑیے": "اڑنا",
"اڑیں": "اڑنا",
"اڑھوا": "اوڑھنا",
"اڑھوانے": "اوڑھنا",
"اڑھوانا": "اوڑھنا",
"اڑھواتے": "اوڑھنا",
"اڑھواتا": "اوڑھنا",
"اڑھواتی": "اوڑھنا",
"اڑھواتیں": "اوڑھنا",
"اڑھواؤ": "اوڑھنا",
"اڑھواؤں": "اوڑھنا",
"اڑھوائے": "اوڑھنا",
"اڑھوائی": "اوڑھنا",
"اڑھوائیے": "اوڑھنا",
"اڑھوائیں": "اوڑھنا",
"اڑھوایا": "اوڑھنا",
"اصول": "اصول",
"اصولو": "اصول",
"اصولوں": "اصول",
"اصطلاح": "اصطلاح",
"اصطلاحو": "اصطلاح",
"اصطلاحوں": "اصطلاح",
"اصطلاحیں": "اصطلاح",
"اٹک": "اٹکنا",
"اٹکے": "اٹکنا",
"اٹکں": "اٹکنا",
"اٹکا": "اٹکنا",
"اٹکانے": "اٹکنا",
"اٹکانا": "اٹکنا",
"اٹکاتے": "اٹکنا",
"اٹکاتا": "اٹکنا",
"اٹکاتی": "اٹکنا",
"اٹکاتیں": "اٹکنا",
"اٹکاؤ": "اٹکنا",
"اٹکاؤں": "اٹکنا",
"اٹکائے": "اٹکنا",
"اٹکائی": "اٹکنا",
"اٹکائیے": "اٹکنا",
"اٹکائیں": "اٹکنا",
"اٹکایا": "اٹکنا",
"اٹکنے": "اٹکنا",
"اٹکنا": "اٹکنا",
"اٹکنی": "اٹکنا",
"اٹکتے": "اٹکنا",
"اٹکتا": "اٹکنا",
"اٹکتی": "اٹکنا",
"اٹکتیں": "اٹکنا",
"اٹکو": "اٹکنا",
"اٹکوں": "اٹکنا",
"اٹکوا": "اٹکنا",
"اٹکوانے": "اٹکنا",
"اٹکوانا": "اٹکنا",
"اٹکواتے": "اٹکنا",
"اٹکواتا": "اٹکنا",
"اٹکواتی": "اٹکنا",
"اٹکواتیں": "اٹکنا",
"اٹکواؤ": "اٹکنا",
"اٹکواؤں": "اٹکنا",
"اٹکوائے": "اٹکنا",
"اٹکوائی": "اٹکنا",
"اٹکوائیے": "اٹکنا",
"اٹکوائیں": "اٹکنا",
"اٹکوایا": "اٹکنا",
"اٹکی": "اٹکنا",
"اٹکیے": "اٹکنا",
"اٹکیں": "اٹکنا",
"اٹیچی": "اٹیچی",
"اٹیچیو": "اٹیچی",
"اٹیچیوں": "اٹیچی",
"اٹھ": "اٹھنا",
"اٹھے": "اٹھہ",
"اٹھں": "اٹھنا",
"اٹھا": "اٹھنا",
"اٹھاے": "اٹھاا",
"اٹھاا": "اٹھاا",
"اٹھالے": "اٹھالا",
"اٹھالا": "اٹھالا",
"اٹھالو": "اٹھالا",
"اٹھالوں": "اٹھالا",
"اٹھانے": "اٹھنا",
"اٹھانا": "اٹھنا",
"اٹھارا": "اٹھارا",
"اٹھاتے": "اٹھنا",
"اٹھاتا": "اٹھنا",
"اٹھاتی": "اٹھنا",
"اٹھاتیں": "اٹھنا",
"اٹھاو": "اٹھاا",
"اٹھاوں": "اٹھاا",
"اٹھاؤ": "اٹھنا",
"اٹھاؤں": "اٹھنا",
"اٹھائے": "اٹھنا",
"اٹھائس": "اٹھائس",
"اٹھائی": "اٹھنا",
"اٹھائیے": "اٹھنا",
"اٹھائیں": "اٹھنا",
"اٹھایا": "اٹھنا",
"اٹھہ": "اٹھہ",
"اٹھنے": "اٹھنا",
"اٹھنا": "اٹھنا",
"اٹھنی": "اٹھنا",
"اٹھتے": "اٹھنا",
"اٹھتا": "اٹھنا",
"اٹھتی": "اٹھنا",
"اٹھتیں": "اٹھنا",
"اٹھو": "اٹھہ",
"اٹھوں": "اٹھہ",
"اٹھوا": "اٹھنا",
"اٹھوانے": "اٹھنا",
"اٹھوانا": "اٹھنا",
"اٹھواتے": "اٹھنا",
"اٹھواتا": "اٹھنا",
"اٹھواتی": "اٹھنا",
"اٹھواتیں": "اٹھنا",
"اٹھواؤ": "اٹھنا",
"اٹھواؤں": "اٹھنا",
"اٹھوائے": "اٹھنا",
"اٹھوائی": "اٹھنا",
"اٹھوائیے": "اٹھنا",
"اٹھوائیں": "اٹھنا",
"اٹھوایا": "اٹھنا",
"اٹھی": "اٹھنا",
"اٹھیے": "اٹھنا",
"اٹھیں": "اٹھنا",
"اشارے": "اشارا",
"اشارا": "اشارا",
"اشارو": "اشارا",
"اشاروں": "اشارا",
"اشک": "اشک",
"اشکو": "اشک",
"اشکوں": "اشک",
"اشراف": "اشراف",
"اشرافو": "اشراف",
"اشرافوں": "اشراف",
"اشرفی": "اشرفی",
"اشرفیاں": "اشرفی",
"اشرفیو": "اشرفی",
"اشرفیوں": "اشرفی",
"اشتہار": "اشتہار",
"اشتہارات": "اشتہار",
"اشتہارو": "اشتہار",
"اشتہاروں": "اشتہار",
"اشتہاریں": "اشتہار",
"اذان": "اذان",
"اذانو": "اذان",
"اذانوں": "اذان",
"اذانیں": "اذان",
"اذیت": "اذیت",
"اذیتو": "اذیت",
"اذیتوں": "اذیت",
"اذیتیں": "اذیت",
"اب": "اَب",
"ابے": "ابا",
"ابٹن": "ابٹن",
"ابٹنو": "ابٹن",
"ابٹنوں": "ابٹن",
"ابا": "ابا",
"ابر": "ابر",
"ابرو": "ابرو",
"ابروں": "ابر",
"ابروؤ": "ابرو",
"ابروؤں": "ابرو",
"ابروئیں": "ابرو",
"ابتداء": "ابتداء",
"ابتداءو": "ابتداء",
"ابتداءوں": "ابتداء",
"ابتداءیں": "ابتداء",
"ابو": "ابا",
"ابوں": "ابا",
"ابھار": "ابھار",
"ابھارے": "ابھرنا",
"ابھارں": "ابھرنا",
"ابھارا": "ابھرنا",
"ابھارنے": "ابھرنا",
"ابھارنا": "ابھرنا",
"ابھارنی": "ابھارنا",
"ابھارتے": "ابھرنا",
"ابھارتا": "ابھرنا",
"ابھارتی": "ابھرنا",
"ابھارتیں": "ابھرنا",
"ابھارو": "ابھار",
"ابھاروں": "ابھار",
"ابھاری": "ابھرنا",
"ابھاریے": "ابھرنا",
"ابھاریں": "ابھرنا",
"ابھر": "ابھرنا",
"ابھرے": "ابھرنا",
"ابھرں": "ابھرنا",
"ابھرا": "ابھرنا",
"ابھرنے": "ابھرنا",
"ابھرنا": "ابھرنا",
"ابھرنی": "ابھرنا",
"ابھرتے": "ابھرنا",
"ابھرتا": "ابھرنا",
"ابھرتی": "ابھرنا",
"ابھرتیں": "ابھرنا",
"ابھرو": "ابھرنا",
"ابھروں": "ابھرنا",
"ابھروا": "ابھرنا",
"ابھروانے": "ابھرنا",
"ابھروانا": "ابھرنا",
"ابھرواتے": "ابھرنا",
"ابھرواتا": "ابھرنا",
"ابھرواتی": "ابھرنا",
"ابھرواتیں": "ابھرنا",
"ابھرواؤ": "ابھرنا",
"ابھرواؤں": "ابھرنا",
"ابھروائے": "ابھرنا",
"ابھروائی": "ابھرنا",
"ابھروائیے": "ابھرنا",
"ابھروائیں": "ابھرنا",
"ابھروایا": "ابھرنا",
"ابھری": "ابھرنا",
"ابھریے": "ابھرنا",
"ابھریں": "ابھرنا",
"اچّھے": "اچّھا",
"اچّھا": "اچّھا",
"اچّھو": "اچّھا",
"اچّھوں": "اچّھا",
"اچک": "اچکنا",
"اچکے": "اچکنا",
"اچکں": "اچکنا",
"اچکا": "اچکنا",
"اچکانے": "اچکنا",
"اچکانا": "اچکنا",
"اچکاتے": "اچکنا",
"اچکاتا": "اچکنا",
"اچکاتی": "اچکنا",
"اچکاتیں": "اچکنا",
"اچکاؤ": "اچکنا",
"اچکاؤں": "اچکنا",
"اچکائے": "اچکنا",
"اچکائی": "اچکنا",
"اچکائیے": "اچکنا",
"اچکائیں": "اچکنا",
"اچکایا": "اچکنا",
"اچکنے": "اچکنا",
"اچکنا": "اچکنا",
"اچکنی": "اچکنا",
"اچکتے": "اچکنا",
"اچکتا": "اچکنا",
"اچکتی": "اچکنا",
"اچکتیں": "اچکنا",
"اچکو": "اچکنا",
"اچکوں": "اچکنا",
"اچکوا": "اچکنا",
"اچکوانے": "اچکنا",
"اچکوانا": "اچکنا",
"اچکواتے": "اچکنا",
"اچکواتا": "اچکنا",
"اچکواتی": "اچکنا",
"اچکواتیں": "اچکنا",
"اچکواؤ": "اچکنا",
"اچکواؤں": "اچکنا",
"اچکوائے": "اچکنا",
"اچکوائی": "اچکنا",
"اچکوائیے": "اچکنا",
"اچکوائیں": "اچکنا",
"اچکوایا": "اچکنا",
"اچکی": "اچکنا",
"اچکیے": "اچکنا",
"اچکیں": "اچکنا",
"اچھّے": "اچھّا",
"اچھّا": "اچھّا",
"اچھّو": "اچھّا",
"اچھّوں": "اچھّا",
"اچھے": "اچھا",
"اچھا": "اچھا",
"اچھال": "اچھلنا",
"اچھالے": "اچھلنا",
"اچھالں": "اچھلنا",
"اچھالا": "اچھلنا",
"اچھالنے": "اچھلنا",
"اچھالنا": "اچھلنا",
"اچھالتے": "اچھلنا",
"اچھالتا": "اچھلنا",
"اچھالتی": "اچھلنا",
"اچھالتیں": "اچھلنا",
"اچھالو": "اچھلنا",
"اچھالوں": "اچھلنا",
"اچھالی": "اچھلنا",
"اچھالیے": "اچھلنا",
"اچھالیں": "اچھلنا",
"اچھائی": "اچھائی",
"اچھائیاں": "اچھائی",
"اچھائیو": "اچھائی",
"اچھائیوں": "اچھائی",
"اچھہ": "اچھہ",
"اچھل": "اچھلنا",
"اچھلے": "اچھلنا",
"اچھلں": "اچھلنا",
"اچھلا": "اچھلنا",
"اچھلنے": "اچھلنا",
"اچھلنا": "اچھلنا",
"اچھلنی": "اچھلنا",
"اچھلتے": "اچھلنا",
"اچھلتا": "اچھلنا",
"اچھلتی": "اچھلنا",
"اچھلتیں": "اچھلنا",
"اچھلو": "اچھلنا",
"اچھلوں": "اچھلنا",
"اچھلوا": "اچھلنا",
"اچھلوانے": "اچھلنا",
"اچھلوانا": "اچھلنا",
"اچھلواتے": "اچھلنا",
"اچھلواتا": "اچھلنا",
"اچھلواتی": "اچھلنا",
"اچھلواتیں": "اچھلنا",
"اچھلواؤ": "اچھلنا",
"اچھلواؤں": "اچھلنا",
"اچھلوائے": "اچھلنا",
"اچھلوائی": "اچھلنا",
"اچھلوائیے": "اچھلنا",
"اچھلوائیں": "اچھلنا",
"اچھلوایا": "اچھلنا",
"اچھلی": "اچھلنا",
"اچھلیے": "اچھلنا",
"اچھلیں": "اچھلنا",
"اچھرے": "اچھرہ",
"اچھرہ": "اچھرہ",
"اچھرو": "اچھرہ",
"اچھروں": "اچھرہ",
"اچھو": "اچھا",
"اچھوں": "اچھا",
"ادا": "ادا",
"اداکار": "اداکار",
"اداکارے": "اداکارہ",
"اداکارہ": "اداکارہ",
"اداکارو": "اداکارہ",
"اداکاروں": "اداکارہ",
"ادارے": "ادارہ",
"ادارہ": "ادارہ",
"ادارو": "ادارہ",
"اداروں": "ادارہ",
"اداس": "اداس",
"اداسو": "اداس",
"اداسوں": "اداس",
"اداسی": "اداسی",
"اداسیاں": "اداسی",
"اداسیو": "اداسی",
"اداسیوں": "اداسی",
"اداؤ": "ادا",
"اداؤں": "ادا",
"ادائیں": "ادا",
"ادب": "ادب",
"ادبو": "ادب",
"ادبوں": "ادب",
"ادبی": "ادبی",
"ادبیو": "ادبی",
"ادبیوں": "ادبی",
"ادیب": "ادیب",
"ادیبو": "ادیب",
"ادیبوں": "ادیب",
"ادھر": "اُدَھر",
"اعمالی": "اعمالی",
"اعمالیاں": "اعمالی",
"اعمالیو": "اعمالی",
"اعمالیوں": "اعمالی",
"اعتبار": "اعتبار",
"اعتبارات": "اعتبار",
"اعتبارو": "اعتبار",
"اعتباروں": "اعتبار",
"اعتدالی": "اعتدالی",
"اعتدالیاں": "اعتدالی",
"اعتدالیو": "اعتدالی",
"اعتدالیوں": "اعتدالی",
"اعتراض": "اعتراض",
"اعتراضو": "اعتراض",
"اعتراضوں": "اعتراض",
"افغانی": "افغانی",
"افغانیو": "افغانی",
"افغانیوں": "افغانی",
"افریقی": "افریقی",
"افریقیو": "افریقی",
"افریقیوں": "افریقی",
"افسانے": "افسانہ",
"افسانہ": "افسانہ",
"افسانو": "افسانہ",
"افسانوں": "افسانہ",
"افسر": "افسر",
"افسرو": "افسر",
"افسروں": "افسر",
"افواہ": "افواہ",
"افواہو": "افواہ",
"افواہوں": "افواہ",
"افواہیں": "افواہ",
"اگ": "اگنا",
"اگے": "اگنا",
"اگں": "اگنا",
"اگا": "اگنا",
"اگانے": "اگنا",
"اگانا": "اگنا",
"اگاتے": "اگنا",
"اگاتا": "اگنا",
"اگاتی": "اگنا",
"اگاتیں": "اگنا",
"اگاؤ": "اگنا",
"اگاؤں": "اگنا",
"اگائے": "اگنا",
"اگائی": "اگنا",
"اگائیے": "اگنا",
"اگائیں": "اگنا",
"اگایا": "اگنا",
"اگل": "اگلنا",
"اگلے": "اگلا",
"اگلں": "اگلنا",
"اگلا": "اگلا",
"اگلنے": "اگلنا",
"اگلنا": "اگلنا",
"اگلنی": "اگلنا",
"اگلتے": "اگلنا",
"اگلتا": "اگلنا",
"اگلتی": "اگلنا",
"اگلتیں": "اگلنا",
"اگلو": "اگلا",
"اگلوں": "اگلا",
"اگلوا": "اگلنا",
"اگلوانے": "اگلنا",
"اگلوانا": "اگلنا",
"اگلواتے": "اگلنا",
"اگلواتا": "اگلنا",
"اگلواتی": "اگلنا",
"اگلواتیں": "اگلنا",
"اگلواؤ": "اگلنا",
"اگلواؤں": "اگلنا",
"اگلوائے": "اگلنا",
"اگلوائی": "اگلنا",
"اگلوائیے": "اگلنا",
"اگلوائیں": "اگلنا",
"اگلوایا": "اگلنا",
"اگلی": "اگلنا",
"اگلیے": "اگلنا",
"اگلیں": "اگلنا",
"اگنے": "اگنا",
"اگنا": "اگنا",
"اگنی": "اگنا",
"اگر": "اگر",
"اگربتی": "اگربتی",
"اگربتیاں": "اگربتی",
"اگربتیو": "اگربتی",
"اگربتیوں": "اگربتی",
"اگرچہ": "اگرچہ",
"اگتے": "اگنا",
"اگتا": "اگنا",
"اگتی": "اگنا",
"اگتیں": "اگنا",
"اگو": "اگنا",
"اگوں": "اگنا",
"اگوا": "اگنا",
"اگوانے": "اگنا",
"اگوانا": "اگنا",
"اگواتے": "اگنا",
"اگواتا": "اگنا",
"اگواتی": "اگنا",
"اگواتیں": "اگنا",
"اگواؤ": "اگنا",
"اگواؤں": "اگنا",
"اگوائے": "اگنا",
"اگوائی": "اگنا",
"اگوائیے": "اگنا",
"اگوائیں": "اگنا",
"اگوایا": "اگنا",
"اگی": "اگنا",
"اگیے": "اگنا",
"اگیں": "اگنا",
"اہلکار": "اہلکار",
"اہلکارو": "اہلکار",
"اہلکاروں": "اہلکار",
"اجالے": "اجالا",
"اجالا": "اجالا",
"اجالو": "اجالا",
"اجالوں": "اجالا",
"اجلاس": "اجلاس",
"اجلاسو": "اجلاس",
"اجلاسوں": "اجلاس",
"اجنبی": "اجنبی",
"اجنبیو": "اجنبی",
"اجنبیوں": "اجنبی",
"اجر": "اجر",
"اجرک": "اجرک",
"اجرکو": "اجرک",
"اجرکوں": "اجرک",
"اجرو": "اجر",
"اجروں": "اجر",
"اک": "اک",
"اکّ": "اکّ",
"اکّے": "اکّا",
"اکّا": "اکّا",
"اکّہ": "اکّہ",
"اکّو": "اکّا",
"اکّوں": "اکّا",
"اکثر": "اکثر",
"اکثرو": "اکثر",
"اکثروں": "اکثر",
"اکے": "اکا",
"اکڑ": "اکڑنا",
"اکڑے": "اکڑنا",
"اکڑں": "اکڑنا",
"اکڑا": "اکڑنا",
"اکڑنے": "اکڑنا",
"اکڑنا": "اکڑنا",
"اکڑنی": "اکڑنا",
"اکڑتے": "اکڑنا",
"اکڑتا": "اکڑنا",
"اکڑتی": "اکڑنا",
"اکڑتیں": "اکڑنا",
"اکڑو": "اکڑنا",
"اکڑوں": "اکڑنا",
"اکڑوا": "اکڑنا",
"اکڑوانے": "اکڑنا",
"اکڑوانا": "اکڑنا",
"اکڑواتے": "اکڑنا",
"اکڑواتا": "اکڑنا",
"اکڑواتی": "اکڑنا",
"اکڑواتیں": "اکڑنا",
"اکڑواؤ": "اکڑنا",
"اکڑواؤں": "اکڑنا",
"اکڑوائے": "اکڑنا",
"اکڑوائی": "اکڑنا",
"اکڑوائیے": "اکڑنا",
"اکڑوائیں": "اکڑنا",
"اکڑوایا": "اکڑنا",
"اکڑی": "اکڑنا",
"اکڑیے": "اکڑنا",
"اکڑیں": "اکڑنا",
"اکا": "اکا",
"اکہ": "اکہ",
"اکنی": "اکنی",
"اکنیاں": "اکنی",
"اکنیو": "اکنی",
"اکنیوں": "اکنی",
"اکسا": "اکسانا",
"اکسانے": "اکسانا",
"اکسانا": "اکسانا",
"اکسانی": "اکسانا",
"اکساتے": "اکسانا",
"اکساتا": "اکسانا",
"اکساتی": "اکسانا",
"اکساتیں": "اکسانا",
"اکساؤ": "اکسانا",
"اکساؤں": "اکسانا",
"اکسائے": "اکسانا",
"اکسائی": "اکسانا",
"اکسائیے": "اکسانا",
"اکسائیں": "اکسانا",
"اکسایا": "اکسانا",
"اکو": "اکا",
"اکوں": "اکا",
"اکیس": "اکیس",
"اکیسواں": "اکیسواں",
"اکیسووںں": "اکیسواں",
"اکیسویں": "اکیسواں",
"اکھڑ": "اکھڑنا",
"اکھڑے": "اکھڑنا",
"اکھڑں": "اکھڑنا",
"اکھڑا": "اکھڑنا",
"اکھڑنے": "اکھڑنا",
"اکھڑنا": "اکھڑنا",
"اکھڑنی": "اکھڑنا",
"اکھڑتے": "اکھڑنا",
"اکھڑتا": "اکھڑنا",
"اکھڑتی": "اکھڑنا",
"اکھڑتیں": "اکھڑنا",
"اکھڑو": "اکھڑنا",
"اکھڑوں": "اکھڑنا",
"اکھڑوا": "اکھڑنا",
"اکھڑوانے": "اکھڑنا",
"اکھڑوانا": "اکھڑنا",
"اکھڑواتے": "اکھڑنا",
"اکھڑواتا": "اکھڑنا",
"اکھڑواتی": "اکھڑنا",
"اکھڑواتیں": "اکھڑنا",
"اکھڑواؤ": "اکھڑنا",
"اکھڑواؤں": "اکھڑنا",
"اکھڑوائے": "اکھڑنا",
"اکھڑوائی": "اکھڑنا",
"اکھڑوائیے": "اکھڑنا",
"اکھڑوائیں": "اکھڑنا",
"اکھڑوایا": "اکھڑنا",
"اکھڑی": "اکھڑنا",
"اکھڑیے": "اکھڑنا",
"اکھڑیں": "اکھڑنا",
"اکھاڑ": "اکھڑنا",
"اکھاڑے": "اکھاڑا",
"اکھاڑں": "اکھڑنا",
"اکھاڑا": "اکھاڑا",
"اکھاڑہ": "اکھاڑہ",
"اکھاڑنے": "اکھڑنا",
"اکھاڑنا": "اکھڑنا",
"اکھاڑتے": "اکھڑنا",
"اکھاڑتا": "اکھڑنا",
"اکھاڑتی": "اکھڑنا",
"اکھاڑتیں": "اکھڑنا",
"اکھاڑو": "اکھاڑا",
"اکھاڑوں": "اکھاڑا",
"اکھاڑی": "اکھڑنا",
"اکھاڑیے": "اکھڑنا",
"اکھاڑیں": "اکھڑنا",
"اکھیڑ": "اکھیڑنا",
"اکھیڑے": "اکھیڑنا",
"اکھیڑں": "اکھیڑنا",
"اکھیڑا": "اکھیڑنا",
"اکھیڑنے": "اکھیڑنا",
"اکھیڑنا": "اکھیڑنا",
"اکھیڑنی": "اکھیڑنا",
"اکھیڑتے": "اکھیڑنا",
"اکھیڑتا": "اکھیڑنا",
"اکھیڑتی": "اکھیڑنا",
"اکھیڑتیں": "اکھیڑنا",
"اکھیڑو": "اکھیڑنا",
"اکھیڑوں": "اکھیڑنا",
"اکھیڑوا": "اکھیڑنا",
"اکھیڑوانے": "اکھیڑنا",
"اکھیڑوانا": "اکھیڑنا",
"اکھیڑواتے": "اکھیڑنا",
"اکھیڑواتا": "اکھیڑنا",
"اکھیڑواتی": "اکھیڑنا",
"اکھیڑواتیں": "اکھیڑنا",
"اکھیڑواؤ": "اکھیڑنا",
"اکھیڑواؤں": "اکھیڑنا",
"اکھیڑوائے": "اکھیڑنا",
"اکھیڑوائی": "اکھیڑنا",
"اکھیڑوائیے": "اکھیڑنا",
"اکھیڑوائیں": "اکھیڑنا",
"اکھیڑوایا": "اکھیڑنا",
"اکھیڑی": "اکھیڑنا",
"اکھیڑیے": "اکھیڑنا",
"اکھیڑیں": "اکھیڑنا",
"الّو": "الّو",
"الّوؤ": "الّو",
"الّوؤں": "الّو",
"الے": "الہ",
"الغوزے": "الغوزہ",
"الغوزہ": "الغوزہ",
"الغوزو": "الغوزہ",
"الغوزوں": "الغوزہ",
"الٹ": "الٹنا",
"الٹے": "الٹنا",
"الٹں": "الٹنا",
"الٹا": "الٹنا",
"الٹانے": "الٹنا",
"الٹانا": "الٹنا",
"الٹاتے": "الٹنا",
"الٹاتا": "الٹنا",
"الٹاتی": "الٹنا",
"الٹاتیں": "الٹنا",
"الٹاؤ": "الٹنا",
"الٹاؤں": "الٹنا",
"الٹائے": "الٹنا",
"الٹائی": "الٹنا",
"الٹائیے": "الٹنا",
"الٹائیں": "الٹنا",
"الٹایا": "الٹنا",
"الٹنے": "الٹنا",
"الٹنا": "الٹنا",
"الٹنی": "الٹنا",
"الٹتے": "الٹنا",
"الٹتا": "الٹنا",
"الٹتی": "الٹنا",
"الٹتیں": "الٹنا",
"الٹو": "الٹنا",
"الٹوں": "الٹنا",
"الٹوا": "الٹنا",
"الٹوانے": "الٹنا",
"الٹوانا": "الٹنا",
"الٹواتے": "الٹنا",
"الٹواتا": "الٹنا",
"الٹواتی": "الٹنا",
"الٹواتیں": "الٹنا",
"الٹواؤ": "الٹنا",
"الٹواؤں": "الٹنا",
"الٹوائے": "الٹنا",
"الٹوائی": "الٹنا",
"الٹوائیے": "الٹنا",
"الٹوائیں": "الٹنا",
"الٹوایا": "الٹنا",
"الٹی": "الٹنا",
"الٹیے": "الٹنا",
"الٹیں": "الٹنا",
"الاؤ": "الاؤ",
"الائچی": "الائچی",
"الائچیاں": "الائچی",
"الائچیو": "الائچی",
"الائچیوں": "الائچی",
"البم": "البم",
"البمو": "البم",
"البموں": "البم",
"البمیں": "البم",
"الہ": "الہ",
"الجھ": "الجھنا",
"الجھے": "الجھنا",
"الجھں": "الجھنا",
"الجھا": "الجھنا",
"الجھانے": "الجھنا",
"الجھانا": "الجھنا",
"الجھاتے": "الجھنا",
"الجھاتا": "الجھنا",
"الجھاتی": "الجھنا",
"الجھاتیں": "الجھنا",
"الجھاؤ": "الجھاؤ",
"الجھاؤں": "الجھنا",
"الجھائے": "الجھنا",
"الجھائی": "الجھنا",
"الجھائیے": "الجھنا",
"الجھائیں": "الجھنا",
"الجھایا": "الجھنا",
"الجھن": "الجھن",
"الجھنے": "الجھنا",
"الجھنا": "الجھنا",
"الجھنو": "الجھن",
"الجھنوں": "الجھن",
"الجھنی": "الجھنا",
"الجھنیں": "الجھن",
"الجھتے": "الجھنا",
"الجھتا": "الجھنا",
"الجھتی": "الجھنا",
"الجھتیں": "الجھنا",
"الجھو": "الجھنا",
"الجھوں": "الجھنا",
"الجھوا": "الجھنا",
"الجھوانے": "الجھنا",
"الجھوانا": "الجھنا",
"الجھواتے": "الجھنا",
"الجھواتا": "الجھنا",
"الجھواتی": "الجھنا",
"الجھواتیں": "الجھنا",
"الجھواؤ": "الجھنا",
"الجھواؤں": "الجھنا",
"الجھوائے": "الجھنا",
"الجھوائی": "الجھنا",
"الجھوائیے": "الجھنا",
"الجھوائیں": "الجھنا",
"الجھوایا": "الجھنا",
"الجھی": "الجھنا",
"الجھیے": "الجھنا",
"الجھیں": "الجھنا",
"الماری": "الماری",
"الماریاں": "الماری",
"الماریو": "الماری",
"الماریوں": "الماری",
"المیے": "المیہ",
"المیہ": "المیہ",
"المیو": "المیہ",
"المیوں": "المیہ",
"التجا": "التجا",
"التجاؤ": "التجا",
"التجاؤں": "التجا",
"التجائیں": "التجا",
"الو": "الہ",
"الوں": "الہ",
"الوؤ": "الو",
"الوؤں": "الو",
"امّت": "امّت",
"امّتو": "امّت",
"امّتوں": "امّت",
"امّتیں": "امّت",
"امام": "امام",
"امامے": "امامہ",
"امامہ": "امامہ",
"امامو": "امامہ",
"اماموں": "امامہ",
"امانت": "امانت",
"امانتو": "امانت",
"امانتوں": "امانت",
"امانتیں": "امانت",
"امکان": "امکان",
"امکانات": "امکان",
"امکانو": "امکان",
"امکانوں": "امکان",
"امنڈ": "امنڈنا",
"امنڈے": "امنڈنا",
"امنڈں": "امنڈنا",
"امنڈا": "امنڈنا",
"امنڈنے": "امنڈنا",
"امنڈنا": "امنڈنا",
"امنڈنی": "امنڈنا",
"امنڈتے": "امنڈنا",
"امنڈتا": "امنڈنا",
"امنڈتی": "امنڈنا",
"امنڈتیں": "امنڈنا",
"امنڈو": "امنڈنا",
"امنڈوں": "امنڈنا",
"امنڈی": "امنڈنا",
"امنڈیے": "امنڈنا",
"امنڈیں": "امنڈنا",
"امنگ": "امنگ",
"امنگو": "امنگ",
"امنگوں": "امنگ",
"امنگیں": "امنگ",
"امپائر": "امپائر",
"امپائرو": "امپائر",
"امپائروں": "امپائر",
"امر": "امر",
"امراؤ": "امراؤ",
"امرک": "امرک",
"امرکو": "امرک",
"امرکوں": "امرک",
"امروہے": "امروہہ",
"امروہہ": "امروہہ",
"امروہو": "امروہہ",
"امروہوں": "امروہہ",
"امریکہ": "امریکہ",
"امریکی": "امریکی",
"امریکیو": "امریکی",
"امریکیوں": "امریکی",
"امت": "امت",
"امتّ": "امتّ",
"امتّو": "امتّ",
"امتّوں": "امتّ",
"امتّیں": "امتّ",
"امتحان": "امتحان",
"امتحانات": "امتحان",
"امتحانو": "امتحان",
"امتحانوں": "امتحان",
"امتو": "امت",
"امتوں": "امت",
"امتیں": "امت",
"امی": "امی",
"امیاں": "امی",
"امید": "امید",
"امیدو": "امید",
"امیدوں": "امید",
"امیدوار": "امیدوار",
"امیدوارو": "امیدوار",
"امیدواروں": "امیدوار",
"امیدیں": "امید",
"امیر": "امیر",
"امیرو": "امیر",
"امیروں": "امیر",
"امیو": "امی",
"امیوں": "امی",
"ان": "میں",
"انڈے": "انڈا",
"انڈا": "انڈا",
"انڈہ": "انڈہ",
"انڈو": "انڈا",
"انڈوں": "انڈا",
"انشائیے": "انشائیہ",
"انشائیہ": "انشائیہ",
"انشائیو": "انشائیہ",
"انشائیوں": "انشائیہ",
"انار": "انار",
"انارو": "انار",
"اناروں": "انار",
"اناریں": "انار",
"انداز": "انداز",
"اندازے": "اندازہ",
"اندازہ": "اندازہ",
"اندازو": "اندازہ",
"اندازوں": "اندازہ",
"اندازی": "اندازی",
"اندازیاں": "اندازی",
"اندازیو": "اندازی",
"اندازیوں": "اندازی",
"اندر": "اندر",
"اندرو": "اندر",
"اندروں": "اندر",
"اندیشے": "اندیشا",
"اندیشا": "اندیشا",
"اندیشہ": "اندیشہ",
"اندیشو": "اندیشا",
"اندیشوں": "اندیشا",
"اندھے": "اندھا",
"اندھا": "اندھا",
"اندھو": "اندھا",
"اندھوں": "اندھا",
"اندھیر": "اندھیر",
"اندھیرے": "اندھیرا",
"اندھیرا": "اندھیرا",
"اندھیرو": "اندھیرا",
"اندھیروں": "اندھیرا",
"اندھیری": "اندھیری",
"اندھیریاں": "اندھیری",
"اندھیریو": "اندھیری",
"اندھیریوں": "اندھیری",
"انگڑائی": "انگڑائی",
"انگڑائیاں": "انگڑائی",
"انگڑائیو": "انگڑائی",
"انگڑائیوں": "انگڑائی",
"انگار": "انگار",
"انگارے": "انگارا",
"انگارا": "انگارا",
"انگارہ": "انگارہ",
"انگارو": "انگارا",
"انگاروں": "انگارا",
"انگل": "انگل",
"انگلو": "انگل",
"انگلوں": "انگل",
"انگلی": "انگلی",
"انگلیاں": "انگلی",
"انگلیو": "انگلی",
"انگلیوں": "انگلی",
"انگریز": "انگریز",
"انگریزو": "انگریز",
"انگریزوں": "انگریز",
"انگوٹھے": "انگوٹھا",
"انگوٹھا": "انگوٹھا",
"انگوٹھو": "انگوٹھا",
"انگوٹھوں": "انگوٹھا",
"انگوٹھی": "انگوٹھی",
"انگوٹھیاں": "انگوٹھی",
"انگوٹھیو": "انگوٹھی",
"انگوٹھیوں": "انگوٹھی",
"انگور": "انگور",
"انگورو": "انگور",
"انگوروں": "انگور",
"انگوریں": "انگور",
"انگیٹھی": "انگیٹھی",
"انگیٹھیاں": "انگیٹھی",
"انگیٹھیو": "انگیٹھی",
"انگیٹھیوں": "انگیٹھی",
"انجمن": "انجمن",
"انجمنو": "انجمن",
"انجمنوں": "انجمن",
"انجمنیں": "انجمن",
"انجن": "انجن",
"انجنو": "انجن",
"انجنوں": "انجن",
"انجینئر": "انجینئر",
"انجینئرو": "انجینئر",
"انجینئروں": "انجینئر",
"انقلاب": "انقلاب",
"انقلابو": "انقلاب",
"انقلابوں": "انقلاب",
"انقلابی": "انقلابی",
"انقلابیو": "انقلابی",
"انقلابیوں": "انقلابی",
"انسان": "انسان",
"انسانو": "انسان",
"انسانوں": "انسان",
"انسپکٹر": "انسپکٹر",
"انسپکٹرو": "انسپکٹر",
"انسپکٹروں": "انسپکٹر",
"انتخاب": "انتخاب",
"انتخابو": "انتخاب",
"انتخابوں": "انتخاب",
"انتساب": "انتساب",
"انتسابو": "انتساب",
"انتسابوں": "انتساب",
"انتیس": "انتیس",
"انتظارکر": "انتظارکر",
"انتظارکرو": "انتظارکر",
"انتظارکروں": "انتظارکر",
"انی": "انی",
"انیاں": "انی",
"انین": "انین",
"انیو": "انی",
"انیوں": "انی",
"اپنے": "اپنا",
"اپنےآپ": "اَپْنےآپ",
"اپنےاپنےگھر": "اپنےاپنےگھر",
"اپنےاپنےگھرو": "اپنےاپنےگھر",
"اپنےاپنےگھروں": "اپنےاپنےگھر",
"اپنےگھر": "اپنےگھر",
"اپنےگھرو": "اپنےگھر",
"اپنےگھروں": "اپنےگھر",
"اپنا": "اپنا",
"اپنانے": "اپنانا",
"اپنانا": "اپنانا",
"اپنانی": "اپنانا",
"اپناتے": "اپنانا",
"اپناتا": "اپنانا",
"اپناتی": "اپنانا",
"اپناتیں": "اپنانا",
"اپناؤ": "اپنانا",
"اپناؤں": "اپنانا",
"اپنائے": "اپنانا",
"اپنائی": "اپنانا",
"اپنائیے": "اپنانا",
"اپنائیں": "اپنانا",
"اپنایا": "اپنانا",
"اپنو": "اپنا",
"اپنوں": "اپنا",
"ارے": "ارے",
"ارادے": "ارادہ",
"ارادہ": "ارادہ",
"ارادو": "ارادہ",
"ارادوں": "ارادہ",
"ارمان": "ارمان",
"ارمانو": "ارمان",
"ارمانوں": "ارمان",
"اس": "میں",
"اسٹاپ": "اسٹاپ",
"اسٹاپو": "اسٹاپ",
"اسٹاپوں": "اسٹاپ",
"اسٹاپیں": "اسٹاپ",
"اسٹول": "اسٹول",
"اسٹولو": "اسٹول",
"اسٹولوں": "اسٹول",
"اسٹولیں": "اسٹول",
"اسٹیشن": "اسٹیشن",
"اسٹیشنو": "اسٹیشن",
"اسٹیشنوں": "اسٹیشن",
"اسٹیشنیں": "اسٹیشن",
"اسکے": "میرا",
"اسکا": "میرا",
"اسکالر": "اسکالر",
"اسکالرو": "اسکالر",
"اسکالروں": "اسکالر",
"اسکول": "اسکول",
"اسکولو": "اسکول",
"اسکولوں": "اسکول",
"اسکولیں": "اسکول",
"اسکی": "میرا",
"اسل": "اسل",
"اسلحے": "اسلحہ",
"اسلحہ": "اسلحہ",
"اسلحو": "اسلحہ",
"اسلحوں": "اسلحہ",
"اسلو": "اسل",
"اسلوں": "اسل",
"اسماء": "اسماء",
"اسماءو": "اسماء",
"اسماءوں": "اسماء",
"اسماءیں": "اسماء",
"اسمبلی": "اسمبلی",
"اسمبلیاں": "اسمبلی",
"اسمبلیو": "اسمبلی",
"اسمبلیوں": "اسمبلی",
"اسپیچ": "اسپیچ",
"اسپیچو": "اسپیچ",
"اسپیچوں": "اسپیچ",
"اسرائیلی": "اسرائیلی",
"اسرائیلیو": "اسرائیلی",
"اسرائیلیوں": "اسرائیلی",
"استاد": "استاد",
"استادے": "استادہ",
"استادہ": "استادہ",
"استادو": "استادہ",
"استادوں": "استادہ",
"استعارے": "استعارہ",
"استعارہ": "استعارہ",
"استعارو": "استعارہ",
"استعاروں": "استعارہ",
"استقبالیے": "استقبالیہ",
"استقبالیہ": "استقبالیہ",
"استقبالیو": "استقبالیہ",
"استقبالیوں": "استقبالیہ",
"اسیر": "اسیر",
"اسیرو": "اسیر",
"اسیروں": "اسیر",
"اتحادی": "اتحادی",
"اتحادیو": "اتحادی",
"اتحادیوں": "اتحادی",
"اتار": "اترنا",
"اتارے": "اترنا",
"اتارں": "اترنا",
"اتارا": "اترنا",
"اتارنے": "اترنا",
"اتارنا": "اترنا",
"اتارتے": "اترنا",
"اتارتا": "اترنا",
"اتارتی": "اترنا",
"اتارتیں": "اترنا",
"اتارو": "اترنا",
"اتاروں": "اترنا",
"اتاری": "اترنا",
"اتاریے": "اترنا",
"اتاریں": "اترنا",
"اتنے": "اِتنا",
"اتنا": "اِتنا",
"اتنی": "اِتنا",
"اتر": "اتر",
"اترے": "اترنا",
"اترں": "اترنا",
"اترا": "اترانا",
"اترانے": "اترانا",
"اترانا": "اترانا",
"اترانی": "اترانا",
"اتراتے": "اترانا",
"اتراتا": "اترانا",
"اتراتی": "اترانا",
"اتراتیں": "اترانا",
"اتراؤ": "اترانا",
"اتراؤں": "اترانا",
"اترائے": "اترانا",
"اترائی": "اترانا",
"اترائیے": "اترانا",
"اترائیں": "اترانا",
"اترایا": "اترانا",
"اترنے": "اترنا",
"اترنا": "اترنا",
"اترنی": "اترنا",
"اترتے": "اترنا",
"اترتا": "اترنا",
"اترتی": "اترنا",
"اترتیں": "اترنا",
"اترو": "اتر",
"اتروں": "اتر",
"اتروا": "اترنا",
"اتروانے": "اترنا",
"اتروانا": "اترنا",
"اترواتے": "اترنا",
"اترواتا": "اترنا",
"اترواتی": "اترنا",
"اترواتیں": "اترنا",
"اترواؤ": "اترنا",
"اترواؤں": "اترنا",
"اتروائے": "اترنا",
"اتروائی": "اترنا",
"اتروائیے": "اترنا",
"اتروائیں": "اترنا",
"اتروایا": "اترنا",
"اتری": "اترنا",
"اتریے": "اترنا",
"اتریں": "اترنا",
"او": "او",
"اوڑھ": "اوڑھنا",
"اوڑھے": "اوڑھنا",
"اوڑھں": "اوڑھنا",
"اوڑھا": "اوڑھنا",
"اوڑھانے": "اوڑھنا",
"اوڑھانا": "اوڑھنا",
"اوڑھاتے": "اوڑھنا",
"اوڑھاتا": "اوڑھنا",
"اوڑھاتی": "اوڑھنا",
"اوڑھاتیں": "اوڑھنا",
"اوڑھاؤ": "اوڑھنا",
"اوڑھاؤں": "اوڑھنا",
"اوڑھائے": "اوڑھنا",
"اوڑھائی": "اوڑھنا",
"اوڑھائیے": "اوڑھنا",
"اوڑھائیں": "اوڑھنا",
"اوڑھایا": "اوڑھنا",
"اوڑھنے": "اوڑھنا",
"اوڑھنا": "اوڑھنا",
"اوڑھنی": "اوڑھنی",
"اوڑھنیاں": "اوڑھنی",
"اوڑھنیو": "اوڑھنی",
"اوڑھنیوں": "اوڑھنی",
"اوڑھتے": "اوڑھنا",
"اوڑھتا": "اوڑھنا",
"اوڑھتی": "اوڑھنا",
"اوڑھتیں": "اوڑھنا",
"اوڑھو": "اوڑھنا",
"اوڑھوں": "اوڑھنا",
"اوڑھی": "اوڑھنا",
"اوڑھیے": "اوڑھنا",
"اوڑھیں": "اوڑھنا",
"اودے": "اودا",
"اودا": "اودا",
"اودو": "اودا",
"اودوں": "اودا",
"اوہو": "اوہو",
"اول": "اول",
"اولے": "اولا",
"اولا": "اولا",
"اولاد": "اولاد",
"اولادو": "اولاد",
"اولادوں": "اولاد",
"اولادیں": "اولاد",
"اولو": "اولا",
"اولوں": "اولا",
"اونٹ": "اونٹ",
"اونٹنی": "اونٹنی",
"اونٹنیاں": "اونٹنی",
"اونٹنیو": "اونٹنی",
"اونٹنیوں": "اونٹنی",
"اونٹو": "اونٹ",
"اونٹوں": "اونٹ",
"اونٹیں": "اونٹ",
"اونگھ": "اونگھنا",
"اونگھے": "اونگھنا",
"اونگھں": "اونگھنا",
"اونگھا": "اونگھنا",
"اونگھنے": "اونگھنا",
"اونگھنا": "اونگھنا",
"اونگھنی": "اونگھنا",
"اونگھتے": "اونگھنا",
"اونگھتا": "اونگھنا",
"اونگھتی": "اونگھنا",
"اونگھتیں": "اونگھنا",
"اونگھو": "اونگھنا",
"اونگھوں": "اونگھنا",
"اونگھی": "اونگھنا",
"اونگھیے": "اونگھنا",
"اونگھیں": "اونگھنا",
"اور": "اور",
"اوربان": "اوربان",
"اوربانو": "اوربان",
"اوربانوں": "اوربان",
"اوربات": "اوربات",
"اورباتو": "اوربات",
"اورباتوں": "اوربات",
"اورباتیں": "اوربات",
"اوردوست": "اوردوست",
"اوردوستو": "اوردوست",
"اوردوستوں": "اوردوست",
"اورو": "اور",
"اوروں": "اور",
"اوزار": "اوزار",
"اوزارو": "اوزار",
"اوزاروں": "اوزار",
"اوزاریں": "اوزار",
"ایثار": "ایثار",
"ایثارو": "ایثار",
"ایثاروں": "ایثار",
"ایثاریں": "ایثار",
"ایڑی": "ایڑی",
"ایڑیاں": "ایڑی",
"ایڑیو": "ایڑی",
"ایڑیوں": "ایڑی",
"ایش": "ایش",
"ایشائی": "ایشائی",
"ایشائیو": "ایشائی",
"ایشائیوں": "ایشائی",
"ایشو": "ایش",
"ایشوں": "ایش",
"ایشیں": "ایش",
"ایجاد": "ایجاد",
"ایجادو": "ایجاد",
"ایجادوں": "ایجاد",
"ایجادیں": "ایجاد",
"ایجنڈے": "ایجنڈہ",
"ایجنڈہ": "ایجنڈہ",
"ایجنڈو": "ایجنڈہ",
"ایجنڈوں": "ایجنڈہ",
"ایجنٹ": "ایجنٹ",
"ایجنٹو": "ایجنٹ",
"ایجنٹوں": "ایجنٹ",
"ایجنسی": "ایجنسی",
"ایجنسیاں": "ایجنسی",
"ایجنسیو": "ایجنسی",
"ایجنسیوں": "ایجنسی",
"ایک": "ایک",
"ایکے": "ایکا",
"ایکٹر": "ایکٹر",
"ایکٹرس": "ایکٹرس",
"ایکٹرسو": "ایکٹرس",
"ایکٹرسوں": "ایکٹرس",
"ایکٹرسیں": "ایکٹرس",
"ایکٹرو": "ایکٹر",
"ایکٹروں": "ایکٹر",
"ایکا": "ایکا",
"ایکہ": "ایکہ",
"ایکو": "ایکا",
"ایکوں": "ایکا",
"اینٹ": "اینٹ",
"اینٹو": "اینٹ",
"اینٹوں": "اینٹ",
"اینٹیں": "اینٹ",
"اینگل": "اینگل",
"اینگلو": "اینگل",
"اینگلوں": "اینگل",
"ایرپورٹ": "ایرپورٹ",
"ایرپورٹو": "ایرپورٹ",
"ایرپورٹوں": "ایرپورٹ",
"ایسے": "ایسا",
"ایسا": "ایسا",
"ایسو": "ایسا",
"ایسوں": "ایسا",
"ایسی": "اَیسا",
"ایوان": "ایوان",
"ایوانو": "ایوان",
"ایوانوں": "ایوان",
"ازالے": "ازالہ",
"ازالہ": "ازالہ",
"ازالو": "ازالہ",
"ازالوں": "ازالہ",
"ازما": "ازمانا",
"ازمانے": "ازمانا",
"ازمانا": "ازمانا",
"ازمانی": "ازمانا",
"ازماتے": "ازمانا",
"ازماتا": "ازمانا",
"ازماتی": "ازمانا",
"ازماتیں": "ازمانا",
"ازماؤ": "ازمانا",
"ازماؤں": "ازمانا",
"ازمائے": "ازمانا",
"ازمائی": "ازمانا",
"ازمائیے": "ازمانا",
"ازمائیں": "ازمانا",
"ازمایا": "ازمانا",
"اضافے": "اضافہ",
"اضافہ": "اضافہ",
"اضافو": "اضافہ",
"اضافوں": "اضافہ",
"بٍک": "بٍکنا",
"بٍکے": "بٍکنا",
"بٍکں": "بٍکنا",
"بٍکا": "بٍکنا",
"بٍکانے": "بٍکنا",
"بٍکانا": "بٍکنا",
"بٍکاتے": "بٍکنا",
"بٍکاتا": "بٍکنا",
"بٍکاتی": "بٍکنا",
"بٍکاتیں": "بٍکنا",
"بٍکاؤ": "بٍکنا",
"بٍکاؤں": "بٍکنا",
"بٍکائے": "بٍکنا",
"بٍکائی": "بٍکنا",
"بٍکائیے": "بٍکنا",
"بٍکائیں": "بٍکنا",
"بٍکایا": "بٍکنا",
"بٍکنے": "بٍکنا",
"بٍکنا": "بٍکنا",
"بٍکنی": "بٍکنا",
"بٍکتے": "بٍکنا",
"بٍکتا": "بٍکنا",
"بٍکتی": "بٍکنا",
"بٍکتیں": "بٍکنا",
"بٍکو": "بٍکنا",
"بٍکوں": "بٍکنا",
"بٍکوا": "بٍکنا",
"بٍکوانے": "بٍکنا",
"بٍکوانا": "بٍکنا",
"بٍکواتے": "بٍکنا",
"بٍکواتا": "بٍکنا",
"بٍکواتی": "بٍکنا",
"بٍکواتیں": "بٍکنا",
"بٍکواؤ": "بٍکنا",
"بٍکواؤں": "بٍکنا",
"بٍکوائے": "بٍکنا",
"بٍکوائی": "بٍکنا",
"بٍکوائیے": "بٍکنا",
"بٍکوائیں": "بٍکنا",
"بٍکوایا": "بٍکنا",
"بٍکی": "بٍکنا",
"بٍکیے": "بٍکنا",
"بٍکیں": "بٍکنا",
"بَے": "بَد",
"بَد": "بَد",
"بَدتَر": "بَد",
"بَدتَرین": "بَد",
"بَدتر": "بَد",
"بَدترین": "بَد",
"بَعْض": "بَعْض",
"بَہُت": "بَہُت",
"بَل": "بَل",
"بَلا": "بَلا",
"بَلاؤ": "بَلا",
"بَلاؤں": "بَلا",
"بَلائیں": "بَلا",
"بَلو": "بَل",
"بَلوں": "بَل",
"بَی": "بَد",
"بَیٹْھ": "بَیٹْھنا",
"بَیٹْھے": "بَیٹْھنا",
"بَیٹْھں": "بَیٹْھنا",
"بَیٹْھا": "بَیٹْھنا",
"بَیٹْھنے": "بَیٹْھنا",
"بَیٹْھنا": "بَیٹْھنا",
"بَیٹْھنی": "بَیٹْھنا",
"بَیٹْھتے": "بَیٹْھنا",
"بَیٹْھتا": "بَیٹْھنا",
"بَیٹْھتی": "بَیٹْھنا",
"بَیٹْھتیں": "بَیٹْھنا",
"بَیٹْھو": "بَیٹْھنا",
"بَیٹْھوں": "بَیٹْھنا",
"بَیٹْھی": "بَیٹْھنا",
"بَیٹْھیے": "بَیٹْھنا",
"بَیٹْھیں": "بَیٹْھنا",
"بِٹْھا": "بَیٹْھنا",
"بِٹْھانے": "بَیٹْھنا",
"بِٹْھانا": "بَیٹْھنا",
"بِٹْھاتے": "بَیٹْھنا",
"بِٹْھاتا": "بَیٹْھنا",
"بِٹْھاتی": "بَیٹْھنا",
"بِٹْھاتیں": "بَیٹْھنا",
"بِٹْھاؤ": "بَیٹْھنا",
"بِٹْھاؤں": "بَیٹْھنا",
"بِٹْھائے": "بَیٹْھنا",
"بِٹْھائی": "بَیٹْھنا",
"بِٹْھائیے": "بَیٹْھنا",
"بِٹْھائیں": "بَیٹْھنا",
"بِٹْھایا": "بَیٹْھنا",
"بِٹْھوا": "بَیٹْھنا",
"بِٹْھوانے": "بَیٹْھنا",
"بِٹْھوانا": "بَیٹْھنا",
"بِٹْھواتے": "بَیٹْھنا",
"بِٹْھواتا": "بَیٹْھنا",
"بِٹْھواتی": "بَیٹْھنا",
"بِٹْھواتیں": "بَیٹْھنا",
"بِٹْھواؤ": "بَیٹْھنا",
"بِٹْھواؤں": "بَیٹْھنا",
"بِٹْھوائے": "بَیٹْھنا",
"بِٹْھوائی": "بَیٹْھنا",
"بِٹْھوائیے": "بَیٹْھنا",
"بِٹْھوائیں": "بَیٹْھنا",
"بِٹْھوایا": "بَیٹْھنا",
"بِچارے": "بِچارہ",
"بِچارہ": "بِچارہ",
"بِچارو": "بِچارہ",
"بِچاروں": "بِچارہ",
"بِدک": "بِدکنا",
"بِدکے": "بِدکنا",
"بِدکں": "بِدکنا",
"بِدکا": "بِدکنا",
"بِدکانے": "بِدکنا",
"بِدکانا": "بِدکنا",
"بِدکاتے": "بِدکنا",
"بِدکاتا": "بِدکنا",
"بِدکاتی": "بِدکنا",
"بِدکاتیں": "بِدکنا",
"بِدکاؤ": "بِدکنا",
"بِدکاؤں": "بِدکنا",
"بِدکائے": "بِدکنا",
"بِدکائی": "بِدکنا",
"بِدکائیے": "بِدکنا",
"بِدکائیں": "بِدکنا",
"بِدکایا": "بِدکنا",
"بِدکنے": "بِدکنا",
"بِدکنا": "بِدکنا",
"بِدکنی": "بِدکنا",
"بِدکتے": "بِدکنا",
"بِدکتا": "بِدکنا",
"بِدکتی": "بِدکنا",
"بِدکتیں": "بِدکنا",
"بِدکو": "بِدکنا",
"بِدکوں": "بِدکنا",
"بِدکوا": "بِدکنا",
"بِدکوانے": "بِدکنا",
"بِدکوانا": "بِدکنا",
"بِدکواتے": "بِدکنا",
"بِدکواتا": "بِدکنا",
"بِدکواتی": "بِدکنا",
"بِدکواتیں": "بِدکنا",
"بِدکواؤ": "بِدکنا",
"بِدکواؤں": "بِدکنا",
"بِدکوائے": "بِدکنا",
"بِدکوائی": "بِدکنا",
"بِدکوائیے": "بِدکنا",
"بِدکوائیں": "بِدکنا",
"بِدکوایا": "بِدکنا",
"بِدکی": "بِدکنا",
"بِدکیے": "بِدکنا",
"بِدکیں": "بِدکنا",
"بِہ": "بِہ",
"بِہتَر": "بِہ",
"بِہتَرین": "بِہ",
"بِہتر": "بِہ",
"بِہترین": "بِہ",
"بِھیگ": "بِھیگْنا",
"بِھیگْں": "بِھیگْنا",
"بِھیگْنے": "بِھیگْنا",
"بِھیگْنا": "بِھیگْنا",
"بِھیگْنی": "بِھیگْنا",
"بِھیگْتے": "بِھیگْنا",
"بِھیگْتا": "بِھیگْنا",
"بِھیگْتی": "بِھیگْنا",
"بِھیگْتیں": "بِھیگْنا",
"بِھیگْوا": "بِھیگْنا",
"بِھیگْوانے": "بِھیگْنا",
"بِھیگْوانا": "بِھیگْنا",
"بِھیگْواتے": "بِھیگْنا",
"بِھیگْواتا": "بِھیگْنا",
"بِھیگْواتی": "بِھیگْنا",
"بِھیگْواتیں": "بِھیگْنا",
"بِھیگْواؤ": "بِھیگْنا",
"بِھیگْواؤں": "بِھیگْنا",
"بِھیگْوائے": "بِھیگْنا",
"بِھیگْوائی": "بِھیگْنا",
"بِھیگْوائیے": "بِھیگْنا",
"بِھیگْوائیں": "بِھیگْنا",
"بِھیگْوایا": "بِھیگْنا",
"بِھیگے": "بِھیگْنا",
"بِھیگا": "بِھیگْنا",
"بِھیگو": "بِھیگْنا",
"بِھیگوں": "بِھیگْنا",
"بِھیگی": "بِھیگْنا",
"بِھیگیے": "بِھیگْنا",
"بِھیگیں": "بِھیگْنا",
"بُڑْھیا": "بُڑْھیا",
"بُڑْھیاں": "بُڑْھیا",
"بُڑْھیو": "بُڑْھیا",
"بُڑْھیوں": "بُڑْھیا",
"بُشرہ": "بُشرہ",
"بُلْوا": "بولْنا",
"بُلْوانے": "بولْنا",
"بُلْوانا": "بولْنا",
"بُلْواتے": "بولْنا",
"بُلْواتا": "بولْنا",
"بُلْواتی": "بولْنا",
"بُلْواتیں": "بولْنا",
"بُلْواؤ": "بولْنا",
"بُلْواؤں": "بولْنا",
"بُلْوائے": "بولْنا",
"بُلْوائی": "بولْنا",
"بُلْوائیے": "بولْنا",
"بُلْوائیں": "بولْنا",
"بُلْوایا": "بولْنا",
"بُلا": "بولْنا",
"بُلانے": "بولْنا",
"بُلانا": "بولْنا",
"بُلانی": "بُلانا",
"بُلاتے": "بولْنا",
"بُلاتا": "بولْنا",
"بُلاتی": "بولْنا",
"بُلاتیں": "بولْنا",
"بُلاؤ": "بولْنا",
"بُلاؤں": "بولْنا",
"بُلائے": "بولْنا",
"بُلائی": "بولْنا",
"بُلائیے": "بولْنا",
"بُلائیں": "بولْنا",
"بُلایا": "بولْنا",
"بُلوا": "بُلانا",
"بُلوانے": "بُلانا",
"بُلوانا": "بُلانا",
"بُلواتے": "بُلانا",
"بُلواتا": "بُلانا",
"بُلواتی": "بُلانا",
"بُلواتیں": "بُلانا",
"بُلواؤ": "بُلانا",
"بُلواؤں": "بُلانا",
"بُلوائے": "بُلانا",
"بُلوائی": "بُلانا",
"بُلوائیے": "بُلانا",
"بُلوائیں": "بُلانا",
"بُلوایا": "بُلانا",
"بُرْقَع": "بُرْقَع",
"بُرْقَعے": "بُرْقَع",
"بُرْقَعو": "بُرْقَع",
"بُرْقَعوں": "بُرْقَع",
"بُرے": "بُرا",
"بُرا": "بُرا",
"بُرو": "بُرا",
"بُروں": "بُرا",
"بُری": "بُرا",
"بُزرگ": "بُزرگ",
"بُزرگو": "بُزرگ",
"بُزرگوں": "بُزرگ",
"بُھول": "بُھول",
"بُھولو": "بُھول",
"بُھولوں": "بُھول",
"بُھولیں": "بُھول",
"بڈھے": "بڈھا",
"بڈھا": "بڈھا",
"بڈھو": "بڈھا",
"بڈھوں": "بڈھا",
"بے": "بد",
"بےچارے": "بےچارہ",
"بےچارہ": "بےچارہ",
"بےچارو": "بےچارہ",
"بےچاروں": "بےچارہ",
"بغل": "بغل",
"بغلو": "بغل",
"بغلوں": "بغل",
"بغلیں": "بغل",
"بحث": "بحث",
"بحثو": "بحث",
"بحثوں": "بحث",
"بحثیں": "بحث",
"بحر": "بحر",
"بحرو": "بحر",
"بحروں": "بحر",
"بحریں": "بحر",
"بخش": "بخشنا",
"بخشے": "بخشنا",
"بخشں": "بخشنا",
"بخشش": "بخشش",
"بخششو": "بخشش",
"بخششوں": "بخشش",
"بخششیں": "بخشش",
"بخشا": "بخشنا",
"بخشانے": "بخشنا",
"بخشانا": "بخشنا",
"بخشاتے": "بخشنا",
"بخشاتا": "بخشنا",
"بخشاتی": "بخشنا",
"بخشاتیں": "بخشنا",
"بخشاؤ": "بخشنا",
"بخشاؤں": "بخشنا",
"بخشائے": "بخشنا",
"بخشائی": "بخشنا",
"بخشائیے": "بخشنا",
"بخشائیں": "بخشنا",
"بخشایا": "بخشنا",
"بخشنے": "بخشنا",
"بخشنا": "بخشنا",
"بخشنی": "بخشنا",
"بخشتے": "بخشنا",
"بخشتا": "بخشنا",
"بخشتی": "بخشنا",
"بخشتیں": "بخشنا",
"بخشو": "بخشنا",
"بخشوں": "بخشنا",
"بخشوا": "بخشنا",
"بخشوانے": "بخشنا",
"بخشوانا": "بخشنا",
"بخشواتے": "بخشنا",
"بخشواتا": "بخشنا",
"بخشواتی": "بخشنا",
"بخشواتیں": "بخشنا",
"بخشواؤ": "بخشنا",
"بخشواؤں": "بخشنا",
"بخشوائے": "بخشنا",
"بخشوائی": "بخشنا",
"بخشوائیے": "بخشنا",
"بخشوائیں": "بخشنا",
"بخشوایا": "بخشنا",
"بخشی": "بخشنا",
"بخشیے": "بخشنا",
"بخشیں": "بخشنا",
"بخار": "بخار",
"بخارات": "بخار",
"بخارو": "بخار",
"بخاروں": "بخار",
"بخر": "بخر",
"بخرو": "بخر",
"بخروں": "بخر",
"بخت": "بخت",
"بختو": "بخت",
"بختوں": "بخت",
"بختی": "بختی",
"بختیں": "بخت",
"بختیاں": "بختی",
"بختیو": "بختی",
"بختیوں": "بختی",
"بخیے": "بخیہ",
"بخیہ": "بخیہ",
"بخیو": "بخیہ",
"بخیوں": "بخیہ",
"بڑے": "بڑا",
"بڑا": "بڑا",
"بڑائی": "بڑائی",
"بڑائیاں": "بڑائی",
"بڑائیو": "بڑائی",
"بڑائیوں": "بڑائی",
"بڑبڑا": "بڑبڑانا",
"بڑبڑانے": "بڑبڑانا",
"بڑبڑانا": "بڑبڑانا",
"بڑبڑانی": "بڑبڑانا",
"بڑبڑاتے": "بڑبڑانا",
"بڑبڑاتا": "بڑبڑانا",
"بڑبڑاتی": "بڑبڑانا",
"بڑبڑاتیں": "بڑبڑانا",
"بڑبڑاؤ": "بڑبڑانا",
"بڑبڑاؤں": "بڑبڑانا",
"بڑبڑائے": "بڑبڑانا",
"بڑبڑائی": "بڑبڑانا",
"بڑبڑائیے": "بڑبڑانا",
"بڑبڑائیں": "بڑبڑانا",
"بڑبڑایا": "بڑبڑانا",
"بڑو": "بڑا",
"بڑوں": "بڑا",
"بڑی": "بڑی",
"بڑیاں": "بڑی",
"بڑیو": "بڑی",
"بڑیوں": "بڑی",
"بڑھ": "بڑھنا",
"بڑھے": "بڑھنا",
"بڑھں": "بڑھنا",
"بڑھا": "بڑھنا",
"بڑھانے": "بڑھنا",
"بڑھانا": "بڑھنا",
"بڑھاتے": "بڑھنا",
"بڑھاتا": "بڑھنا",
"بڑھاتی": "بڑھنا",
"بڑھاتیں": "بڑھنا",
"بڑھاؤ": "بڑھنا",
"بڑھاؤں": "بڑھنا",
"بڑھائے": "بڑھنا",
"بڑھائی": "بڑھنا",
"بڑھائیے": "بڑھنا",
"بڑھائیں": "بڑھنا",
"بڑھایا": "بڑھنا",
"بڑھنے": "بڑھنا",
"بڑھنا": "بڑھنا",
"بڑھنی": "بڑھنا",
"بڑھتے": "بڑھنا",
"بڑھتا": "بڑھنا",
"بڑھتی": "بڑھنا",
"بڑھتیں": "بڑھنا",
"بڑھو": "بڑھنا",
"بڑھوں": "بڑھنا",
"بڑھوا": "بڑھنا",
"بڑھوانے": "بڑھنا",
"بڑھوانا": "بڑھنا",
"بڑھواتے": "بڑھنا",
"بڑھواتا": "بڑھنا",
"بڑھواتی": "بڑھنا",
"بڑھواتیں": "بڑھنا",
"بڑھواؤ": "بڑھنا",
"بڑھواؤں": "بڑھنا",
"بڑھوائے": "بڑھنا",
"بڑھوائی": "بڑھنا",
"بڑھوائیے": "بڑھنا",
"بڑھوائیں": "بڑھنا",
"بڑھوایا": "بڑھنا",
"بڑھی": "بڑھنا",
"بڑھیے": "بڑھنا",
"بڑھیں": "بڑھنا",
"بٹ": "بٹنا",
"بٹے": "بٹہ",
"بٹں": "بٹنا",
"بٹا": "بٹنا",
"بٹانے": "بٹنا",
"بٹانا": "بٹنا",
"بٹاتے": "بٹنا",
"بٹاتا": "بٹنا",
"بٹاتی": "بٹنا",
"بٹاتیں": "بٹنا",
"بٹاؤ": "بٹنا",
"بٹاؤں": "بٹنا",
"بٹائے": "بٹنا",
"بٹائی": "بٹنا",
"بٹائیے": "بٹنا",
"بٹائیں": "بٹنا",
"بٹایا": "بٹنا",
"بٹہ": "بٹہ",
"بٹن": "بٹن",
"بٹنے": "بٹنا",
"بٹنا": "بٹنا",
"بٹنو": "بٹن",
"بٹنوں": "بٹن",
"بٹنی": "بٹنا",
"بٹتے": "بٹنا",
"بٹتا": "بٹنا",
"بٹتی": "بٹنا",
"بٹتیں": "بٹنا",
"بٹو": "بٹہ",
"بٹوے": "بٹوہ",
"بٹوں": "بٹہ",
"بٹوا": "بٹنا",
"بٹوانے": "بٹنا",
"بٹوانا": "بٹنا",
"بٹوارے": "بٹوارہ",
"بٹوارہ": "بٹوارہ",
"بٹوارو": "بٹوارہ",
"بٹواروں": "بٹوارہ",
"بٹواتے": "بٹنا",
"بٹواتا": "بٹنا",
"بٹواتی": "بٹنا",
"بٹواتیں": "بٹنا",
"بٹواؤ": "بٹنا",
"بٹواؤں": "بٹنا",
"بٹوائے": "بٹنا",
"بٹوائی": "بٹنا",
"بٹوائیے": "بٹنا",
"بٹوائیں": "بٹنا",
"بٹوایا": "بٹنا",
"بٹوہ": "بٹوہ",
"بٹور": "بٹورنا",
"بٹورے": "بٹورنا",
"بٹورں": "بٹورنا",
"بٹورا": "بٹورنا",
"بٹورنے": "بٹورنا",
"بٹورنا": "بٹورنا",
"بٹورنی": "بٹورنا",
"بٹورتے": "بٹورنا",
"بٹورتا": "بٹورنا",
"بٹورتی": "بٹورنا",
"بٹورتیں": "بٹورنا",
"بٹورو": "بٹورنا",
"بٹوروں": "بٹورنا",
"بٹوری": "بٹورنا",
"بٹوریے": "بٹورنا",
"بٹوریں": "بٹورنا",
"بٹوو": "بٹوہ",
"بٹووں": "بٹوہ",
"بٹی": "بٹی",
"بٹیے": "بٹنا",
"بٹیں": "بٹنا",
"بٹیاں": "بٹی",
"بٹیر": "بٹیر",
"بٹیرو": "بٹیر",
"بٹیروں": "بٹیر",
"بٹیریں": "بٹیر",
"بٹیو": "بٹی",
"بٹیوں": "بٹی",
"بٹھ": "بٹھنا",
"بٹھے": "بٹھنا",
"بٹھں": "بٹھنا",
"بٹھا": "بٹھنا",
"بٹھانے": "بٹھنا",
"بٹھانا": "بٹھنا",
"بٹھاتے": "بٹھنا",
"بٹھاتا": "بٹھنا",
"بٹھاتی": "بٹھنا",
"بٹھاتیں": "بٹھنا",
"بٹھاؤ": "بٹھنا",
"بٹھاؤں": "بٹھنا",
"بٹھائے": "بٹھنا",
"بٹھائی": "بٹھنا",
"بٹھائیے": "بٹھنا",
"بٹھائیں": "بٹھنا",
"بٹھایا": "بٹھنا",
"بٹھنے": "بٹھنا",
"بٹھنا": "بٹھنا",
"بٹھنی": "بٹھنا",
"بٹھتے": "بٹھنا",
"بٹھتا": "بٹھنا",
"بٹھتی": "بٹھنا",
"بٹھتیں": "بٹھنا",
"بٹھو": "بٹھنا",
"بٹھوں": "بٹھنا",
"بٹھوا": "بٹھنا",
"بٹھوانے": "بٹھنا",
"بٹھوانا": "بٹھنا",
"بٹھواتے": "بٹھنا",
"بٹھواتا": "بٹھنا",
"بٹھواتی": "بٹھنا",
"بٹھواتیں": "بٹھنا",
"بٹھواؤ": "بٹھنا",
"بٹھواؤں": "بٹھنا",
"بٹھوائے": "بٹھنا",
"بٹھوائی": "بٹھنا",
"بٹھوائیے": "بٹھنا",
"بٹھوائیں": "بٹھنا",
"بٹھوایا": "بٹھنا",
"بٹھی": "بٹھنا",
"بٹھیے": "بٹھنا",
"بٹھیں": "بٹھنا",
"بشر": "بشر",
"بشرو": "بشر",
"بشروں": "بشر",
"باغ": "باغ",
"باغبان": "باغبان",
"باغبانو": "باغبان",
"باغبانوں": "باغبان",
"باغو": "باغ",
"باغوں": "باغ",
"باغی": "باغی",
"باغیں": "باغ",
"باغیچے": "باغیچہ",
"باغیچہ": "باغیچہ",
"باغیچو": "باغیچہ",
"باغیچوں": "باغیچہ",
"باغیو": "باغی",
"باغیوں": "باغی",
"باڑے": "باڑہ",
"باڑہ": "باڑہ",
"باڑو": "باڑہ",
"باڑوں": "باڑہ",
"باشندے": "باشندہ",
"باشندہ": "باشندہ",
"باشندو": "باشندہ",
"باشندوں": "باشندہ",
"باب": "باب",
"بابے": "بابا",
"بابا": "بابا",
"بابو": "بابا",
"بابوں": "بابا",
"بادے": "بادہ",
"بادشاہت": "بادشاہت",
"بادشاہتو": "بادشاہت",
"بادشاہتوں": "بادشاہت",
"بادشاہتیں": "بادشاہت",
"بادام": "بادام",
"بادامو": "بادام",
"باداموں": "بادام",
"بادامیں": "بادام",
"بادبان": "بادبان",
"بادبانو": "بادبان",
"بادبانوں": "بادبان",
"بادبانیں": "بادبان",
"بادہ": "بادہ",
"بادل": "بادل",
"بادلو": "بادل",
"بادلوں": "بادل",
"بادو": "بادہ",
"بادوں": "بادہ",
"باجے": "باجا",
"باجا": "باجا",
"باجہ": "باجہ",
"باجرے": "باجرہ",
"باجرہ": "باجرہ",
"باجرو": "باجرہ",
"باجروں": "باجرہ",
"باجو": "باجا",
"باجوں": "باجا",
"بال": "بال",
"بالے": "بالا",
"بالٹی": "بالٹی",
"بالٹیاں": "بالٹی",
"بالٹیو": "بالٹی",
"بالٹیوں": "بالٹی",
"بالشتیے": "بالشتیا",
"بالشتیا": "بالشتیا",
"بالشتیہ": "بالشتیہ",
"بالشتیو": "بالشتیا",
"بالشتیوں": "بالشتیا",
"بالا": "بالا",
"بالاخانے": "بالاخانہ",
"بالاخانہ": "بالاخانہ",
"بالاخانو": "بالاخانہ",
"بالاخانوں": "بالاخانہ",
"بالہ": "بالہ",
"بالکن": "بالکن",
"بالکنو": "بالکن",
"بالکنوں": "بالکن",
"بالکنیں": "بالکن",
"بالو": "بالا",
"بالوں": "بالا",
"بالی": "بالا",
"بالیں": "بال",
"بالیاں": "بالی",
"بالیو": "بالی",
"بالیوں": "بالی",
"بان": "بان",
"بانے": "بانا",
"بانٹ": "بانٹ",
"بانٹے": "بنٹنا",
"بانٹں": "بنٹنا",
"بانٹا": "بنٹنا",
"بانٹنے": "بنٹنا",
"بانٹنا": "بنٹنا",
"بانٹتے": "بنٹنا",
"بانٹتا": "بنٹنا",
"بانٹتی": "بنٹنا",
"بانٹتیں": "بنٹنا",
"بانٹو": "بانٹ",
"بانٹوں": "بانٹ",
"بانٹی": "بنٹنا",
"بانٹیے": "بنٹنا",
"بانٹیں": "بانٹ",
"بانا": "بانا",
"باندی": "باندی",
"باندیاں": "باندی",
"باندیو": "باندی",
"باندیوں": "باندی",
"باندھ": "باندھنا",
"باندھے": "باندھا",
"باندھں": "باندھنا",
"باندھا": "باندھا",
"باندھنے": "باندھنا",
"باندھنا": "باندھنا",
"باندھنی": "باندھنا",
"باندھتے": "باندھنا",
"باندھتا": "باندھنا",
"باندھتی": "باندھنا",
"باندھتیں": "باندھنا",
"باندھو": "باندھا",
"باندھوں": "باندھا",
"باندھی": "باندھنا",
"باندھیے": "باندھنا",
"باندھیں": "باندھنا",
"بانکے": "بانکا",
"بانکا": "بانکا",
"بانکو": "بانکا",
"بانکوں": "بانکا",
"بانس": "بانس",
"بانسو": "بانس",
"بانسوں": "بانس",
"بانسیں": "بانس",
"بانو": "بانا",
"بانوں": "بانا",
"بانی": "بانی",
"بانیو": "بانی",
"بانیوں": "بانی",
"باپ": "باپ",
"باپو": "باپ",
"باپوں": "باپ",
"بار": "بار",
"بارش": "بارش",
"بارشو": "بارش",
"بارشوں": "بارش",
"بارشیں": "بارش",
"بارا": "بارا",
"بارو": "بار",
"باروں": "بار",
"باریکی": "باریکی",
"باریکیاں": "باریکی",
"باریکیو": "باریکی",
"باریکیوں": "باریکی",
"باسی": "باسی",
"باسیو": "باسی",
"باسیوں": "باسی",
"بات": "بات",
"باتو": "بات",
"باتوں": "بات",
"باتیں": "بات",
"باؤ": "باؤ",
"باورچی": "باورچی",
"باورچیو": "باورچی",
"باورچیوں": "باورچی",
"بائس": "بائس",
"بائی": "بائی",
"بائیاں": "بائی",
"بائیو": "بائی",
"بائیوں": "بائی",
"بایاں": "بایاں",
"باز": "باز",
"بازار": "بازار",
"بازارو": "بازار",
"بازاروں": "بازار",
"بازاریں": "بازار",
"بازو": "بازو",
"بازوں": "باز",
"بازوو": "بازوو",
"بازوؤ": "بازو",
"بازوؤں": "بازو",
"بازووؤ": "بازوو",
"بازووؤں": "بازوو",
"بازوئیں": "بازو",
"بازی": "بازی",
"بازیاں": "بازی",
"بازیو": "بازی",
"بازیوں": "بازی",
"باطنی": "باطنی",
"باطنیو": "باطنی",
"باطنیوں": "باطنی",
"بچ": "بچنا",
"بچّے": "بچّہ",
"بچّہ": "بچّہ",
"بچّو": "بچّہ",
"بچّوں": "بچّہ",
"بچّی": "بچّی",
"بچّیاں": "بچّی",
"بچّیو": "بچّی",
"بچّیوں": "بچّی",
"بچے": "بچا",
"بچں": "بچنا",
"بچا": "بچا",
"بچانے": "بچنا",
"بچانا": "بچنا",
"بچارے": "بچارہ",
"بچارہ": "بچارہ",
"بچارو": "بچارہ",
"بچاروں": "بچارہ",
"بچاتے": "بچنا",
"بچاتا": "بچنا",
"بچاتی": "بچنا",
"بچاتیں": "بچنا",
"بچاؤ": "بچنا",
"بچاؤں": "بچنا",
"بچاوا": "بچنا",
"بچاوانے": "بچنا",
"بچاوانا": "بچنا",
"بچاواتے": "بچنا",
"بچاواتا": "بچنا",
"بچاواتی": "بچنا",
"بچاواتیں": "بچنا",
"بچاواؤ": "بچنا",
"بچاواؤں": "بچنا",
"بچاوائے": "بچنا",
"بچاوائی": "بچنا",
"بچاوائیے": "بچنا",
"بچاوائیں": "بچنا",
"بچاوایا": "بچنا",
"بچائے": "بچنا",
"بچائی": "بچنا",
"بچائیے": "بچنا",
"بچائیں": "بچنا",
"بچایا": "بچنا",
"بچہ": "بچہ",
"بچنے": "بچنا",
"بچنا": "بچنا",
"بچنی": "بچنا",
"بچپن": "بچپن",
"بچپنو": "بچپن",
"بچپنوں": "بچپن",
"بچتے": "بچنا",
"بچتا": "بچنا",
"بچتی": "بچنا",
"بچتیں": "بچنا",
"بچو": "بچا",
"بچوں": "بچا",
"بچوا": "بچنا",
"بچوانے": "بچنا",
"بچوانا": "بچنا",
"بچواتے": "بچنا",
"بچواتا": "بچنا",
"بچواتی": "بچنا",
"بچواتیں": "بچنا",
"بچواؤ": "بچنا",
"بچواؤں": "بچنا",
"بچوائے": "بچنا",
"بچوائی": "بچنا",
"بچوائیے": "بچنا",
"بچوائیں": "بچنا",
"بچوایا": "بچنا",
"بچی": "بچی",
"بچیے": "بچنا",
"بچیں": "بچنا",
"بچیاں": "بچی",
"بچیو": "بچی",
"بچیوں": "بچی",
"بچھ": "بچھنا",
"بچھے": "بچھنا",
"بچھں": "بچھنا",
"بچھا": "بچھنا",
"بچھانے": "بچھنا",
"بچھانا": "بچھنا",
"بچھاتے": "بچھنا",
"بچھاتا": "بچھنا",
"بچھاتی": "بچھنا",
"بچھاتیں": "بچھنا",
"بچھاؤ": "بچھنا",
"بچھاؤں": "بچھنا",
"بچھائے": "بچھنا",
"بچھائی": "بچھنا",
"بچھائیے": "بچھنا",
"بچھائیں": "بچھنا",
"بچھایا": "بچھنا",
"بچھنے": "بچھنا",
"بچھنا": "بچھنا",
"بچھنی": "بچھنا",
"بچھتے": "بچھنا",
"بچھتا": "بچھنا",
"بچھتی": "بچھنا",
"بچھتیں": "بچھنا",
"بچھو": "بچھنا",
"بچھوں": "بچھنا",
"بچھوا": "بچھنا",
"بچھوانے": "بچھنا",
"بچھوانا": "بچھنا",
"بچھواتے": "بچھنا",
"بچھواتا": "بچھنا",
"بچھواتی": "بچھنا",
"بچھواتیں": "بچھنا",
"بچھواؤ": "بچھنا",
"بچھواؤں": "بچھنا",
"بچھوائے": "بچھنا",
"بچھوائی": "بچھنا",
"بچھوائیے": "بچھنا",
"بچھوائیں": "بچھنا",
"بچھوایا": "بچھنا",
"بچھونے": "بچھونا",
"بچھونا": "بچھونا",
"بچھونو": "بچھونا",
"بچھونوں": "بچھونا",
"بچھووا": "بچھنا",
"بچھووانے": "بچھنا",
"بچھووانا": "بچھنا",
"بچھوواتے": "بچھنا",
"بچھوواتا": "بچھنا",
"بچھوواتی": "بچھنا",
"بچھوواتیں": "بچھنا",
"بچھوواؤ": "بچھنا",
"بچھوواؤں": "بچھنا",
"بچھووائے": "بچھنا",
"بچھووائی": "بچھنا",
"بچھووائیے": "بچھنا",
"بچھووائیں": "بچھنا",
"بچھووایا": "بچھنا",
"بچھی": "بچھنا",
"بچھیے": "بچھنا",
"بچھیں": "بچھنا",
"بد": "بد",
"بدذات": "بدذات",
"بدذاتو": "بدذات",
"بدذاتوں": "بدذات",
"بدذاتیں": "بدذات",
"بداعمالی": "بداعمالی",
"بداعمالیاں": "بداعمالی",
"بداعمالیو": "بداعمالی",
"بداعمالیوں": "بداعمالی",
"بدبخت": "بدبخت",
"بدبختو": "بدبخت",
"بدبختوں": "بدبخت",
"بدبختیں": "بدبخت",
"بدبو": "بدبو",
"بدبوؤ": "بدبو",
"بدبوؤں": "بدبو",
"بدبوئیں": "بدبو",
"بددعا": "بددعا",
"بددعاؤ": "بددعا",
"بددعاؤں": "بددعا",
"بددعائیں": "بددعا",
"بدعہدی": "بدعہدی",
"بدعہدیاں": "بدعہدی",
"بدعہدیو": "بدعہدی",
"بدعہدیوں": "بدعہدی",
"بدعنوانی": "بدعنوانی",
"بدعنوانیاں": "بدعنوانی",
"بدعنوانیو": "بدعنوانی",
"بدعنوانیوں": "بدعنوانی",
"بدعت": "بدعت",
"بدعتو": "بدعت",
"بدعتوں": "بدعت",
"بدعتیں": "بدعت",
"بدگمانی": "بدگمانی",
"بدگمانیاں": "بدگمانی",
"بدگمانیو": "بدگمانی",
"بدگمانیوں": "بدگمانی",
"بدک": "بدکنا",
"بدکے": "بدکنا",
"بدکں": "بدکنا",
"بدکا": "بدکنا",
"بدکانے": "بدکنا",
"بدکانا": "بدکنا",
"بدکاتے": "بدکنا",
"بدکاتا": "بدکنا",
"بدکاتی": "بدکنا",
"بدکاتیں": "بدکنا",
"بدکاؤ": "بدکنا",
"بدکاؤں": "بدکنا",
"بدکائے": "بدکنا",
"بدکائی": "بدکنا",
"بدکائیے": "بدکنا",
"بدکائیں": "بدکنا",
"بدکایا": "بدکنا",
"بدکنے": "بدکنا",
"بدکنا": "بدکنا",
"بدکنی": "بدکنا",
"بدکردار": "بدکردار",
"بدکردارو": "بدکردار",
"بدکرداروں": "بدکردار",
"بدکتے": "بدکنا",
"بدکتا": "بدکنا",
"بدکتی": "بدکنا",
"بدکتیں": "بدکنا",
"بدکو": "بدکنا",
"بدکوں": "بدکنا",
"بدکوا": "بدکنا",
"بدکوانے": "بدکنا",
"بدکوانا": "بدکنا",
"بدکواتے": "بدکنا",
"بدکواتا": "بدکنا",
"بدکواتی": "بدکنا",
"بدکواتیں": "بدکنا",
"بدکواؤ": "بدکنا",
"بدکواؤں": "بدکنا",
"بدکوائے": "بدکنا",
"بدکوائی": "بدکنا",
"بدکوائیے": "بدکنا",
"بدکوائیں": "بدکنا",
"بدکوایا": "بدکنا",
"بدکی": "بدکنا",
"بدکیے": "بدکنا",
"بدکیں": "بدکنا",
"بدل": "بدلنا",
"بدلے": "بدلہ",
"بدلں": "بدلنا",
"بدلا": "بدلنا",
"بدلانے": "بدلنا",
"بدلانا": "بدلنا",
"بدلاتے": "بدلنا",
"بدلاتا": "بدلنا",
"بدلاتی": "بدلنا",
"بدلاتیں": "بدلنا",
"بدلاؤ": "بدلنا",
"بدلاؤں": "بدلنا",
"بدلائے": "بدلنا",
"بدلائی": "بدلنا",
"بدلائیے": "بدلنا",
"بدلائیں": "بدلنا",
"بدلایا": "بدلنا",
"بدلہ": "بدلہ",
"بدلنے": "بدلنا",
"بدلنا": "بدلنا",
"بدلنی": "بدلنا",
"بدلتے": "بدلنا",
"بدلتا": "بدلنا",
"بدلتی": "بدلنا",
"بدلتیں": "بدلنا",
"بدلو": "بدلہ",
"بدلوں": "بدلہ",
"بدلوا": "بدلنا",
"بدلوانے": "بدلنا",
"بدلوانا": "بدلنا",
"بدلواتے": "بدلنا",
"بدلواتا": "بدلنا",
"بدلواتی": "بدلنا",
"بدلواتیں": "بدلنا",
"بدلواؤ": "بدلنا",
"بدلواؤں": "بدلنا",
"بدلوائے": "بدلنا",
"بدلوائی": "بدلنا",
"بدلوائیے": "بدلنا",
"بدلوائیں": "بدلنا",
"بدلوایا": "بدلنا",
"بدلی": "بدلی",
"بدلیے": "بدلنا",
"بدلیں": "بدلنا",
"بدلیاں": "بدلی",
"بدلیو": "بدلی",
"بدلیوں": "بدلی",
"بدمعاش": "بدمعاش",
"بدمعاشو": "بدمعاش",
"بدمعاشوں": "بدمعاش",
"بدن": "بدن",
"بدنصیب": "بدنصیب",
"بدنصیبو": "بدنصیب",
"بدنصیبوں": "بدنصیب",
"بدنو": "بدن",
"بدنوں": "بدن",
"بدر": "بدر",
"بدرو": "بدر",
"بدروں": "بدر",
"بدتَر": "بد",
"بدتَرین": "بد",
"بدتر": "بد",
"بدترین": "بد",
"بدو": "بدو",
"بدؤ": "بدؤ",
"بدولت": "بدولت",
"بدولتو": "بدولت",
"بدولتوں": "بدولت",
"بدولتیں": "بدولت",
"بدوؤ": "بدو",
"بدوؤں": "بدو",
"بدی": "بدی",
"بدیو": "بدی",
"بدیوں": "بدی",
"بدھو": "بدھو",
"بدھوؤ": "بدھو",
"بدھوؤں": "بدھو",
"بعدے": "بعدہ",
"بعدہ": "بعدہ",
"بعدو": "بعدہ",
"بعدوں": "بعدہ",
"بعض": "بعض",
"بعضے": "بعضا",
"بعضا": "بعضا",
"بعضو": "بعضا",
"بعضوں": "بعضا",
"بگڑ": "بگڑنا",
"بگڑے": "بگڑنا",
"بگڑں": "بگڑنا",
"بگڑا": "بگڑنا",
"بگڑنے": "بگڑنا",
"بگڑنا": "بگڑنا",
"بگڑنی": "بگڑنا",
"بگڑتے": "بگڑنا",
"بگڑتا": "بگڑنا",
"بگڑتی": "بگڑنا",
"بگڑتیں": "بگڑنا",
"بگڑو": "بگڑنا",
"بگڑوں": "بگڑنا",
"بگڑوا": "بگڑنا",
"بگڑوانے": "بگڑنا",
"بگڑوانا": "بگڑنا",
"بگڑواتے": "بگڑنا",
"بگڑواتا": "بگڑنا",
"بگڑواتی": "بگڑنا",
"بگڑواتیں": "بگڑنا",
"بگڑواؤ": "بگڑنا",
"بگڑواؤں": "بگڑنا",
"بگڑوائے": "بگڑنا",
"بگڑوائی": "بگڑنا",
"بگڑوائیے": "بگڑنا",
"بگڑوائیں": "بگڑنا",
"بگڑوایا": "بگڑنا",
"بگڑی": "بگڑنا",
"بگڑیے": "بگڑنا",
"بگڑیں": "بگڑنا",
"بگٹی": "بگٹی",
"بگٹیو": "بگٹی",
"بگٹیوں": "بگٹی",
"بگاڑ": "بگڑنا",
"بگاڑے": "بگڑنا",
"بگاڑں": "بگڑنا",
"بگاڑا": "بگڑنا",
"بگاڑنے": "بگڑنا",
"بگاڑنا": "بگڑنا",
"بگاڑتے": "بگڑنا",
"بگاڑتا": "بگڑنا",
"بگاڑتی": "بگڑنا",
"بگاڑتیں": "بگڑنا",
"بگاڑو": "بگڑنا",
"بگاڑوں": "بگڑنا",
"بگاڑی": "بگڑنا",
"بگاڑیے": "بگڑنا",
"بگاڑیں": "بگڑنا",
"بگانے": "بگانہ",
"بگانہ": "بگانہ",
"بگانو": "بگانہ",
"بگانوں": "بگانہ",
"بگل": "بگل",
"بگلے": "بگلا",
"بگلا": "بگلا",
"بگلو": "بگلا",
"بگلوں": "بگلا",
"بگولے": "بگولا",
"بگولا": "بگولا",
"بگولہ": "بگولہ",
"بگولو": "بگولا",
"بگولوں": "بگولا",
"بگھار": "بگھار",
"بگھارے": "بگھارنا",
"بگھارں": "بگھارنا",
"بگھارا": "بگھارنا",
"بگھارنے": "بگھارنا",
"بگھارنا": "بگھارنا",
"بگھارنی": "بگھارنا",
"بگھارتے": "بگھارنا",
"بگھارتا": "بگھارنا",
"بگھارتی": "بگھارنا",
"بگھارتیں": "بگھارنا",
"بگھارو": "بگھار",
"بگھاروں": "بگھار",
"بگھاری": "بگھارنا",
"بگھاریے": "بگھارنا",
"بگھاریں": "بگھار",
"بگھی": "بگھی",
"بگھیاں": "بگھی",
"بگھیو": "بگھی",
"بگھیوں": "بگھی",
"بہ": "بہ",
"بہُو": "بہُو",
"بہُوؤ": "بہُو",
"بہُوؤں": "بہُو",
"بہُوئیں": "بہُو",
"بہے": "بہہ",
"بہں": "بہنا",
"بہشت": "بہشت",
"بہشتو": "بہشت",
"بہشتوں": "بہشت",
"بہشتیں": "بہشت",
"بہا": "بہنا",
"بہادر": "بہادر",
"بہادرو": "بہادر",
"بہادروں": "بہادر",
"بہانے": "بہانا",
"بہانا": "بہانا",
"بہانہ": "بہانہ",
"بہانو": "بہانا",
"بہانوں": "بہانا",
"بہار": "بہار",
"بہارو": "بہار",
"بہاروں": "بہار",
"بہاری": "بہاری",
"بہاریں": "بہار",
"بہاریو": "بہاری",
"بہاریوں": "بہاری",
"بہاتے": "بہنا",
"بہاتا": "بہنا",
"بہاتی": "بہنا",
"بہاتیں": "بہنا",
"بہاؤ": "بہنا",
"بہاؤں": "بہنا",
"بہائے": "بہنا",
"بہائی": "بہنا",
"بہائیے": "بہنا",
"بہائیں": "بہنا",
"بہایا": "بہنا",
"بہہ": "بہہ",
"بہک": "بہکنا",
"بہکے": "بہکنا",
"بہکں": "بہکنا",
"بہکا": "بہکنا",
"بہکانے": "بہکنا",
"بہکانا": "بہکنا",
"بہکاتے": "بہکنا",
"بہکاتا": "بہکنا",
"بہکاتی": "بہکنا",
"بہکاتیں": "بہکنا",
"بہکاؤ": "بہکنا",
"بہکاؤں": "بہکنا",
"بہکائے": "بہکنا",
"بہکائی": "بہکنا",
"بہکائیے": "بہکنا",
"بہکائیں": "بہکنا",
"بہکایا": "بہکنا",
"بہکنے": "بہکنا",
"بہکنا": "بہکنا",
"بہکنی": "بہکنا",
"بہکتے": "بہکنا",
"بہکتا": "بہکنا",
"بہکتی": "بہکنا",
"بہکتیں": "بہکنا",
"بہکو": "بہکنا",
"بہکوں": "بہکنا",
"بہکوا": "بہکنا",
"بہکوانے": "بہکنا",
"بہکوانا": "بہکنا",
"بہکواتے": "بہکنا",
"بہکواتا": "بہکنا",
"بہکواتی": "بہکنا",
"بہکواتیں": "بہکنا",
"بہکواؤ": "بہکنا",
"بہکواؤں": "بہکنا",
"بہکوائے": "بہکنا",
"بہکوائی": "بہکنا",
"بہکوائیے": "بہکنا",
"بہکوائیں": "بہکنا",
"بہکوایا": "بہکنا",
"بہکی": "بہکنا",
"بہکیے": "بہکنا",
"بہکیں": "بہکنا",
"بہل": "بہلنا",
"بہلے": "بہلنا",
"بہلں": "بہلنا",
"بہلا": "بہلنا",
"بہلانے": "بہلنا",
"بہلانا": "بہلنا",
"بہلاتے": "بہلنا",
"بہلاتا": "بہلنا",
"بہلاتی": "بہلنا",
"بہلاتیں": "بہلنا",
"بہلاؤ": "بہلنا",
"بہلاؤں": "بہلنا",
"بہلائے": "بہلنا",
"بہلائی": "بہلنا",
"بہلائیے": "بہلنا",
"بہلائیں": "بہلنا",
"بہلایا": "بہلنا",
"بہلنے": "بہلنا",
"بہلنا": "بہلنا",
"بہلنی": "بہلنا",
"بہلتے": "بہلنا",
"بہلتا": "بہلنا",
"بہلتی": "بہلنا",
"بہلتیں": "بہلنا",
"بہلو": "بہلنا",
"بہلوں": "بہلنا",
"بہلوا": "بہلنا",
"بہلوانے": "بہلنا",
"بہلوانا": "بہلنا",
"بہلواتے": "بہلنا",
"بہلواتا": "بہلنا",
"بہلواتی": "بہلنا",
"بہلواتیں": "بہلنا",
"بہلواؤ": "بہلنا",
"بہلواؤں": "بہلنا",
"بہلوائے": "بہلنا",
"بہلوائی": "بہلنا",
"بہلوائیے": "بہلنا",
"بہلوائیں": "بہلنا",
"بہلوایا": "بہلنا",
"بہلی": "بہلنا",
"بہلیے": "بہلنا",
"بہلیں": "بہلنا",
"بہن": "بہن",
"بہنے": "بہنا",
"بہنا": "بہنا",
"بہنو": "بہنا",
"بہنوں": "بہنا",
"بہنی": "بہنا",
"بہنیں": "بہن",
"بہر": "بہر",
"بہرے": "بہرا",
"بہرا": "بہرا",
"بہرہ": "بہرہ",
"بہرو": "بہرا",
"بہروں": "بہرا",
"بہروپیے": "بہروپیہ",
"بہروپیہ": "بہروپیہ",
"بہروپیو": "بہروپیہ",
"بہروپیوں": "بہروپیہ",
"بہریں": "بہر",
"بہت": "بہت",
"بہتَر": "بہ",
"بہتَرین": "بہ",
"بہتے": "بہتا",
"بہتا": "بہتا",
"بہتان": "بہتان",
"بہتانو": "بہتان",
"بہتانوں": "بہتان",
"بہتر": "بہ",
"بہترین": "بہ",
"بہتو": "بہتا",
"بہتوں": "بہتا",
"بہتی": "بہنا",
"بہتیں": "بہت",
"بہو": "بہہ",
"بہوں": "بہہ",
"بہوا": "بہنا",
"بہوانے": "بہنا",
"بہوانا": "بہنا",
"بہواتے": "بہنا",
"بہواتا": "بہنا",
"بہواتی": "بہنا",
"بہواتیں": "بہنا",
"بہواؤ": "بہنا",
"بہواؤں": "بہنا",
"بہوائے": "بہنا",
"بہوائی": "بہنا",
"بہوائیے": "بہنا",
"بہوائیں": "بہنا",
"بہوایا": "بہنا",
"بہوؤ": "بہو",
"بہوؤں": "بہو",
"بہوئیں": "بہو",
"بہی": "بہنا",
"بہیے": "بہنا",
"بہیں": "بہنا",
"بج": "بجنا",
"بجے": "بجنا",
"بجں": "بجنا",
"بجا": "بجنا",
"بجانے": "بجنا",
"بجانا": "بجنا",
"بجاتے": "بجنا",
"بجاتا": "بجنا",
"بجاتی": "بجنا",
"بجاتیں": "بجنا",
"بجاؤ": "بجنا",
"بجاؤں": "بجنا",
"بجائے": "بجنا",
"بجائی": "بجنا",
"بجائیے": "بجنا",
"بجائیں": "بجنا",
"بجایا": "بجنا",
"بجلی": "بجلی",
"بجلیاں": "بجلی",
"بجلیو": "بجلی",
"بجلیوں": "بجلی",
"بجنے": "بجنا",
"بجنا": "بجنا",
"بجنی": "بجنا",
"بجتے": "بجنا",
"بجتا": "بجنا",
"بجتی": "بجنا",
"بجتیں": "بجنا",
"بجو": "بجنا",
"بجوں": "بجنا",
"بجوا": "بجنا",
"بجوانے": "بجنا",
"بجوانا": "بجنا",
"بجواتے": "بجنا",
"بجواتا": "بجنا",
"بجواتی": "بجنا",
"بجواتیں": "بجنا",
"بجواؤ": "بجنا",
"بجواؤں": "بجنا",
"بجوائے": "بجنا",
"بجوائی": "بجنا",
"بجوائیے": "بجنا",
"بجوائیں": "بجنا",
"بجوایا": "بجنا",
"بجی": "بجنا",
"بجیے": "بجنا",
"بجیں": "بجنا",
"بجھ": "بجھنا",
"بجھے": "بجھنا",
"بجھں": "بجھنا",
"بجھا": "بجھنا",
"بجھانے": "بجھنا",
"بجھانا": "بجھنا",
"بجھاتے": "بجھنا",
"بجھاتا": "بجھنا",
"بجھاتی": "بجھنا",
"بجھاتیں": "بجھنا",
"بجھاؤ": "بجھاؤ",
"بجھاؤں": "بجھنا",
"بجھائے": "بجھنا",
"بجھائی": "بجھنا",
"بجھائیے": "بجھنا",
"بجھائیں": "بجھنا",
"بجھایا": "بجھنا",
"بجھنے": "بجھنا",
"بجھنا": "بجھنا",
"بجھنی": "بجھنا",
"بجھتے": "بجھنا",
"بجھتا": "بجھنا",
"بجھتی": "بجھنا",
"بجھتیں": "بجھنا",
"بجھو": "بجھنا",
"بجھوں": "بجھنا",
"بجھوا": "بجھنا",
"بجھوانے": "بجھنا",
"بجھوانا": "بجھنا",
"بجھواتے": "بجھنا",
"بجھواتا": "بجھنا",
"بجھواتی": "بجھنا",
"بجھواتیں": "بجھنا",
"بجھواؤ": "بجھنا",
"بجھواؤں": "بجھنا",
"بجھوائے": "بجھنا",
"بجھوائی": "بجھنا",
"بجھوائیے": "بجھنا",
"بجھوائیں": "بجھنا",
"بجھوایا": "بجھنا",
"بجھی": "بجھنا",
"بجھیے": "بجھنا",
"بجھیں": "بجھنا",
"بک": "بکنا",
"بکے": "بکنا",
"بکں": "بکنا",
"بکا": "بکنا",
"بکانے": "بکنا",
"بکانا": "بکنا",
"بکاتے": "بکنا",
"بکاتا": "بکنا",
"بکاتی": "بکنا",
"بکاتیں": "بکنا",
"بکاؤ": "بکاؤ",
"بکاؤں": "بکنا",
"بکائے": "بکنا",
"بکائی": "بکنا",
"بکائیے": "بکنا",
"بکائیں": "بکنا",
"بکایا": "بکنا",
"بکنے": "بکنا",
"بکنا": "بکنا",
"بکنی": "بکنا",
"بکرے": "بکرا",
"بکرا": "بکرا",
"بکرہ": "بکرہ",
"بکرو": "بکرا",
"بکروں": "بکرا",
"بکری": "بکری",
"بکریاں": "بکری",
"بکریو": "بکری",
"بکریوں": "بکری",
"بکس": "بکس",
"بکسے": "بکسہ",
"بکسہ": "بکسہ",
"بکسو": "بکسہ",
"بکسوں": "بکسہ",
"بکتے": "بکنا",
"بکتا": "بکنا",
"بکتی": "بکنا",
"بکتیں": "بکنا",
"بکو": "بکنا",
"بکوں": "بکنا",
"بکوا": "بکنا",
"بکوانے": "بکنا",
"بکوانا": "بکنا",
"بکواتے": "بکنا",
"بکواتا": "بکنا",
"بکواتی": "بکنا",
"بکواتیں": "بکنا",
"بکواؤ": "بکنا",
"بکواؤں": "بکنا",
"بکوائے": "بکنا",
"بکوائی": "بکنا",
"بکوائیے": "بکنا",
"بکوائیں": "بکنا",
"بکوایا": "بکنا",
"بکی": "بکنا",
"بکیے": "بکنا",
"بکیں": "بکنا",
"بکھر": "بکھرنا",
"بکھرے": "بکھرنا",
"بکھرں": "بکھرنا",
"بکھرا": "بکھرنا",
"بکھرنے": "بکھرنا",
"بکھرنا": "بکھرنا",
"بکھرنی": "بکھرنا",
"بکھرتے": "بکھرنا",
"بکھرتا": "بکھرنا",
"بکھرتی": "بکھرنا",
"بکھرتیں": "بکھرنا",
"بکھرو": "بکھرنا",
"بکھروں": "بکھرنا",
"بکھروا": "بکھرنا",
"بکھروانے": "بکھرنا",
"بکھروانا": "بکھرنا",
"بکھرواتے": "بکھرنا",
"بکھرواتا": "بکھرنا",
"بکھرواتی": "بکھرنا",
"بکھرواتیں": "بکھرنا",
"بکھرواؤ": "بکھرنا",
"بکھرواؤں": "بکھرنا",
"بکھروائے": "بکھرنا",
"بکھروائی": "بکھرنا",
"بکھروائیے": "بکھرنا",
"بکھروائیں": "بکھرنا",
"بکھروایا": "بکھرنا",
"بکھری": "بکھرنا",
"بکھریے": "بکھرنا",
"بکھریں": "بکھرنا",
"بکھیڑے": "بکھیڑا",
"بکھیڑا": "بکھیڑا",
"بکھیڑو": "بکھیڑا",
"بکھیڑوں": "بکھیڑا",
"بکھیر": "بکھرنا",
"بکھیرے": "بکھرنا",
"بکھیرں": "بکھرنا",
"بکھیرا": "بکھرنا",
"بکھیرنے": "بکھرنا",
"بکھیرنا": "بکھرنا",
"بکھیرتے": "بکھرنا",
"بکھیرتا": "بکھرنا",
"بکھیرتی": "بکھرنا",
"بکھیرتیں": "بکھرنا",
"بکھیرو": "بکھرنا",
"بکھیروں": "بکھرنا",
"بکھیری": "بکھرنا",
"بکھیریے": "بکھرنا",
"بکھیریں": "بکھرنا",
"بل": "بل",
"بلڈنگ": "بلڈنگ",
"بلڈنگو": "بلڈنگ",
"بلڈنگوں": "بلڈنگ",
"بلڈنگیں": "بلڈنگ",
"بلا": "بلانا",
"بلانے": "بلانا",
"بلانا": "بلانا",
"بلانی": "بلانا",
"بلاتے": "بلانا",
"بلاتا": "بلانا",
"بلاتی": "بلانا",
"بلاتیں": "بلانا",
"بلاؤ": "بلانا",
"بلاؤں": "بلانا",
"بلائے": "بلانا",
"بلائی": "بلانا",
"بلائیے": "بلانا",
"بلائیں": "بلانا",
"بلایا": "بلانا",
"بلب": "بلب",
"بلبل": "بلبل",
"بلبلے": "بلبلا",
"بلبلا": "بلبلا",
"بلبلو": "بلبلا",
"بلبلوں": "بلبلا",
"بلبلیں": "بلبل",
"بلبو": "بلب",
"بلبوں": "بلب",
"بلبیں": "بلب",
"بلک": "بلکنا",
"بلکے": "بلکنا",
"بلکں": "بلکنا",
"بلکا": "بلکنا",
"بلکانے": "بلکنا",
"بلکانا": "بلکنا",
"بلکاتے": "بلکنا",
"بلکاتا": "بلکنا",
"بلکاتی": "بلکنا",
"بلکاتیں": "بلکنا",
"بلکاؤ": "بلکنا",
"بلکاؤں": "بلکنا",
"بلکائے": "بلکنا",
"بلکائی": "بلکنا",
"بلکائیے": "بلکنا",
"بلکائیں": "بلکنا",
"بلکایا": "بلکنا",
"بلکہ": "بلکہ",
"بلکنے": "بلکنا",
"بلکنا": "بلکنا",
"بلکنی": "بلکنا",
"بلکتے": "بلکنا",
"بلکتا": "بلکنا",
"بلکتی": "بلکنا",
"بلکتیں": "بلکنا",
"بلکو": "بلکنا",
"بلکوں": "بلکنا",
"بلکوا": "بلکنا",
"بلکوانے": "بلکنا",
"بلکوانا": "بلکنا",
"بلکواتے": "بلکنا",
"بلکواتا": "بلکنا",
"بلکواتی": "بلکنا",
"بلکواتیں": "بلکنا",
"بلکواؤ": "بلکنا",
"بلکواؤں": "بلکنا",
"بلکوائے": "بلکنا",
"بلکوائی": "بلکنا",
"بلکوائیے": "بلکنا",
"بلکوائیں": "بلکنا",
"بلکوایا": "بلکنا",
"بلکی": "بلکنا",
"بلکیے": "بلکنا",
"بلکیں": "بلکنا",
"بلندی": "بلندی",
"بلندیاں": "بلندی",
"بلندیو": "بلندی",
"بلندیوں": "بلندی",
"بلو": "بل",
"بلوں": "بل",
"بلوا": "بولنا",
"بلوانے": "بولنا",
"بلوانا": "بولنا",
"بلواتے": "بولنا",
"بلواتا": "بولنا",
"بلواتی": "بولنا",
"بلواتیں": "بولنا",
"بلواؤ": "بولنا",
"بلواؤں": "بولنا",
"بلوائے": "بولنا",
"بلوائی": "بلوائی",
"بلوائیے": "بولنا",
"بلوائیں": "بولنا",
"بلوائیو": "بلوائی",
"بلوائیوں": "بلوائی",
"بلوایا": "بولنا",
"بلوچ": "بلوچ",
"بلوچو": "بلوچ",
"بلوچوں": "بلوچ",
"بلی": "بلی",
"بلیڈ": "بلیڈ",
"بلیڈو": "بلیڈ",
"بلیڈوں": "بلیڈ",
"بلیڈیں": "بلیڈ",
"بلیاں": "بلی",
"بلیو": "بلی",
"بلیوں": "بلی",
"بم": "بم",
"بمب": "بمب",
"بمبو": "بمب",
"بمبوں": "بمب",
"بمو": "بم",
"بموں": "بم",
"بن": "بننا",
"بنڈل": "بنڈل",
"بنڈلو": "بنڈل",
"بنڈلوں": "بنڈل",
"بنڈلیں": "بنڈل",
"بنے": "بننا",
"بنں": "بننا",
"بنٹ": "بنٹنا",
"بنٹے": "بنٹنا",
"بنٹں": "بنٹنا",
"بنٹا": "بنٹنا",
"بنٹنے": "بنٹنا",
"بنٹنا": "بنٹنا",
"بنٹنی": "بنٹنا",
"بنٹتے": "بنٹنا",
"بنٹتا": "بنٹنا",
"بنٹتی": "بنٹنا",
"بنٹتیں": "بنٹنا",
"بنٹو": "بنٹنا",
"بنٹوں": "بنٹنا",
"بنٹوا": "بنٹنا",
"بنٹوانے": "بنٹنا",
"بنٹوانا": "بنٹنا",
"بنٹواتے": "بنٹنا",
"بنٹواتا": "بنٹنا",
"بنٹواتی": "بنٹنا",
"بنٹواتیں": "بنٹنا",
"بنٹواؤ": "بنٹنا",
"بنٹواؤں": "بنٹنا",
"بنٹوائے": "بنٹنا",
"بنٹوائی": "بنٹنا",
"بنٹوائیے": "بنٹنا",
"بنٹوائیں": "بنٹنا",
"بنٹوایا": "بنٹنا",
"بنٹی": "بنٹنا",
"بنٹیے": "بنٹنا",
"بنٹیں": "بنٹنا",
"بنا": "بننا",
"بنانے": "بننا",
"بنانا": "بننا",
"بناتے": "بننا",
"بناتا": "بننا",
"بناتی": "بننا",
"بناتیں": "بننا",
"بناؤ": "بننا",
"بناؤں": "بننا",
"بنائے": "بننا",
"بنائی": "بننا",
"بنائیے": "بننا",
"بنائیں": "بننا",
"بنایا": "بننا",
"بنچ": "بنچ",
"بنچو": "بنچ",
"بنچوں": "بنچ",
"بنچیں": "بنچ",
"بند": "بند",
"بندے": "بندا",
"بندش": "بندش",
"بندشو": "بندش",
"بندشوں": "بندش",
"بندشیں": "بندش",
"بندا": "بندا",
"بندہ": "بندہ",
"بندر": "بندر",
"بندرو": "بندر",
"بندروں": "بندر",
"بندو": "بندا",
"بندوں": "بندا",
"بندوق": "بندوق",
"بندوقو": "بندوق",
"بندوقوں": "بندوق",
"بندوقیں": "بندوق",
"بندی": "بندی",
"بندیں": "بند",
"بندیا": "بندیا",
"بندیاں": "بندی",
"بندیو": "بندی",
"بندیوں": "بندی",
"بندھ": "بندھنا",
"بندھے": "بندھا",
"بندھں": "بندھنا",
"بندھا": "بندھا",
"بندھانے": "باندھنا",
"بندھانا": "باندھنا",
"بندھاتے": "باندھنا",
"بندھاتا": "باندھنا",
"بندھاتی": "باندھنا",
"بندھاتیں": "باندھنا",
"بندھاؤ": "باندھنا",
"بندھاؤں": "باندھنا",
"بندھائے": "باندھنا",
"بندھائی": "باندھنا",
"بندھائیے": "باندھنا",
"بندھائیں": "باندھنا",
"بندھایا": "باندھنا",
"بندھن": "بندھن",
"بندھنے": "بندھنا",
"بندھنا": "بندھنا",
"بندھنو": "بندھن",
"بندھنوں": "بندھن",
"بندھنی": "بندھنا",
"بندھتے": "بندھنا",
"بندھتا": "بندھنا",
"بندھتی": "بندھنا",
"بندھتیں": "بندھنا",
"بندھو": "بندھا",
"بندھوں": "بندھا",
"بندھوا": "باندھنا",
"بندھوانے": "باندھنا",
"بندھوانا": "باندھنا",
"بندھواتے": "باندھنا",
"بندھواتا": "باندھنا",
"بندھواتی": "باندھنا",
"بندھواتیں": "باندھنا",
"بندھواؤ": "باندھنا",
"بندھواؤں": "باندھنا",
"بندھوائے": "باندھنا",
"بندھوائی": "باندھنا",
"بندھوائیے": "باندھنا",
"بندھوائیں": "باندھنا",
"بندھوایا": "باندھنا",
"بندھی": "بندھنا",
"بندھیے": "بندھنا",
"بندھیں": "بندھنا",
"بنگال": "بنگال",
"بنگالو": "بنگال",
"بنگالوں": "بنگال",
"بنگالی": "بنگالی",
"بنگالیو": "بنگالی",
"بنگالیوں": "بنگالی",
"بنگلے": "بنگلا",
"بنگلا": "بنگلا",
"بنگلہ": "بنگلہ",
"بنگلو": "بنگلا",
"بنگلوں": "بنگلا",
"بنک": "بنک",
"بنکو": "بنک",
"بنکوں": "بنک",
"بننے": "بننا",
"بننا": "بننا",
"بننی": "بننا",
"بنت": "بنت",
"بنتے": "بننا",
"بنتا": "بننا",
"بنتو": "بنت",
"بنتوں": "بنت",
"بنتی": "بننا",
"بنتیں": "بنت",
"بنو": "بننا",
"بنوں": "بننا",
"بنوا": "بننا",
"بنوانے": "بننا",
"بنوانا": "بننا",
"بنواتے": "بننا",
"بنواتا": "بننا",
"بنواتی": "بننا",
"بنواتیں": "بننا",
"بنواؤ": "بننا",
"بنواؤں": "بننا",
"بنوائے": "بننا",
"بنوائی": "بننا",
"بنوائیے": "بننا",
"بنوائیں": "بننا",
"بنوایا": "بننا",
"بنی": "بننا",
"بنیے": "بنیا",
"بنیں": "بننا",
"بنیا": "بنیا",
"بنیاں": "بنیا",
"بنیاد": "بنیاد",
"بنیادو": "بنیاد",
"بنیادوں": "بنیاد",
"بنیادیں": "بنیاد",
"بنیان": "بنیان",
"بنیانو": "بنیان",
"بنیانوں": "بنیان",
"بنیانیں": "بنیان",
"بنیو": "بنیا",
"بنیوں": "بنیا",
"بپھر": "بپھرنا",
"بپھرے": "بپھرنا",
"بپھرں": "بپھرنا",
"بپھرا": "بپھرنا",
"بپھرنے": "بپھرنا",
"بپھرنا": "بپھرنا",
"بپھرنی": "بپھرنا",
"بپھرتے": "بپھرنا",
"بپھرتا": "بپھرنا",
"بپھرتی": "بپھرنا",
"بپھرتیں": "بپھرنا",
"بپھرو": "بپھرنا",
"بپھروں": "بپھرنا",
"بپھری": "بپھرنا",
"بپھریے": "بپھرنا",
"بپھریں": "بپھرنا",
"بق": "بقنا",
"بقے": "بقنا",
"بقں": "بقنا",
"بقا": "بقنا",
"بقنے": "بقنا",
"بقنا": "بقنا",
"بقنی": "بقنا",
"بقتے": "بقنا",
"بقتا": "بقنا",
"بقتی": "بقنا",
"بقتیں": "بقنا",
"بقو": "بقنا",
"بقوں": "بقنا",
"بقوا": "بقنا",
"بقوانے": "بقنا",
"بقوانا": "بقنا",
"بقواتے": "بقنا",
"بقواتا": "بقنا",
"بقواتی": "بقنا",
"بقواتیں": "بقنا",
"بقواؤ": "بقنا",
"بقواؤں": "بقنا",
"بقوائے": "بقنا",
"بقوائی": "بقنا",
"بقوائیے": "بقنا",
"بقوائیں": "بقنا",
"بقوایا": "بقنا",
"بقی": "بقنا",
"بقیے": "بقنا",
"بقیں": "بقنا",
"بر": "بر",
"برآمدے": "برآمدہ",
"برآمدہ": "برآمدہ",
"برآمدو": "برآمدہ",
"برآمدوں": "برآمدہ",
"برے": "برا",
"برا": "برا",
"برادے": "برادہ",
"برادہ": "برادہ",
"برادری": "برادری",
"برادریاں": "برادری",
"برادریو": "برادری",
"برادریوں": "برادری",
"برادو": "برادہ",
"برادوں": "برادہ",
"براہمن": "براہمن",
"براہمنو": "براہمن",
"براہمنوں": "براہمن",
"برانڈ": "برانڈ",
"برانڈو": "برانڈ",
"برانڈوں": "برانڈ",
"برائی": "برائی",
"برائیاں": "برائی",
"برائیو": "برائی",
"برائیوں": "برائی",
"برچھی": "برچھی",
"برچھیاں": "برچھی",
"برچھیو": "برچھی",
"برچھیوں": "برچھی",
"بردار": "بردار",
"بردارو": "بردار",
"برداروں": "بردار",
"برداری": "برداری",
"برداریاں": "برداری",
"برداریو": "برداری",
"برداریوں": "برداری",
"برف": "برف",
"برفو": "برف",
"برفوں": "برف",
"برفیں": "برف",
"برج": "برج",
"برجو": "برج",
"برجوں": "برج",
"برجیں": "برج",
"برکت": "برکت",
"برکتو": "برکت",
"برکتوں": "برکت",
"برکتیں": "برکت",
"برقع": "برقع",
"برقعے": "برقع",
"برقعہ": "برقعہ",
"برقعو": "برقع",
"برقعوں": "برقع",
"برس": "برس",
"برسے": "برسنا",
"برسں": "برسنا",
"برسٹر": "برسٹر",
"برسٹرو": "برسٹر",
"برسٹروں": "برسٹر",
"برسا": "برسنا",
"برسانے": "برسنا",
"برسانا": "برسنا",
"برساتے": "برسنا",
"برساتا": "برسنا",
"برساتی": "برسنا",
"برساتیں": "برسنا",
"برساؤ": "برسنا",
"برساؤں": "برسنا",
"برسائے": "برسنا",
"برسائی": "برسنا",
"برسائیے": "برسنا",
"برسائیں": "برسنا",
"برسایا": "برسنا",
"برسنے": "برسنا",
"برسنا": "برسنا",
"برسنی": "برسنا",
"برستے": "برسنا",
"برستا": "برسنا",
"برستی": "برسنا",
"برستیں": "برسنا",
"برسو": "برس",
"برسوں": "برس",
"برسوا": "برسنا",
"برسوانے": "برسنا",
"برسوانا": "برسنا",
"برسواتے": "برسنا",
"برسواتا": "برسنا",
"برسواتی": "برسنا",
"برسواتیں": "برسنا",
"برسواؤ": "برسنا",
"برسواؤں": "برسنا",
"برسوائے": "برسنا",
"برسوائی": "برسنا",
"برسوائیے": "برسنا",
"برسوائیں": "برسنا",
"برسوایا": "برسنا",
"برسی": "برسنا",
"برسیے": "برسنا",
"برسیں": "برسنا",
"برت": "برتنا",
"برتَر": "بر",
"برتَرین": "بر",
"برتے": "برتنا",
"برتں": "برتنا",
"برتا": "برتنا",
"برتانے": "برتنا",
"برتانا": "برتنا",
"برتاتے": "برتنا",
"برتاتا": "برتنا",
"برتاتی": "برتنا",
"برتاتیں": "برتنا",
"برتاؤ": "برتاؤ",
"برتاؤں": "برتنا",
"برتائے": "برتنا",
"برتائی": "برتنا",
"برتائیے": "برتنا",
"برتائیں": "برتنا",
"برتایا": "برتنا",
"برتن": "برتن",
"برتنے": "برتنا",
"برتنا": "برتنا",
"برتنو": "برتن",
"برتنوں": "برتن",
"برتنی": "برتنا",
"برتر": "بر",
"برترین": "بر",
"برتتے": "برتنا",
"برتتا": "برتنا",
"برتتی": "برتنا",
"برتتیں": "برتنا",
"برتو": "برتنا",
"برتوں": "برتنا",
"برتوا": "برتنا",
"برتوانے": "برتنا",
"برتوانا": "برتنا",
"برتواتے": "برتنا",
"برتواتا": "برتنا",
"برتواتی": "برتنا",
"برتواتیں": "برتنا",
"برتواؤ": "برتنا",
"برتواؤں": "برتنا",
"برتوائے": "برتنا",
"برتوائی": "برتنا",
"برتوائیے": "برتنا",
"برتوائیں": "برتنا",
"برتوایا": "برتنا",
"برتی": "برتنا",
"برتیے": "برتنا",
"برتیں": "برتنا",
"برو": "برا",
"بروں": "برا",
"بروزے": "بروزہ",
"بروزہ": "بروزہ",
"بروزو": "بروزہ",
"بروزوں": "بروزہ",
"بریک": "بریک",
"بریکٹ": "بریکٹ",
"بریکٹو": "بریکٹ",
"بریکٹوں": "بریکٹ",
"بریکٹیں": "بریکٹ",
"بریکو": "بریک",
"بریکوں": "بریک",
"بریکیں": "بریک",
"بس": "بس",
"بسے": "بسنا",
"بسں": "بسنا",
"بسا": "بسنا",
"بسانے": "بسنا",
"بسانا": "بسنا",
"بساتے": "بسنا",
"بساتا": "بسنا",
"بساتی": "بسنا",
"بساتیں": "بسنا",
"بساؤ": "بسنا",
"بساؤں": "بسنا",
"بسائے": "بسنا",
"بسائی": "بسنا",
"بسائیے": "بسنا",
"بسائیں": "بسنا",
"بسایا": "بسنا",
"بسنے": "بسنا",
"بسنا": "بسنا",
"بسنی": "بسنا",
"بستے": "بستہ",
"بستا": "بسنا",
"بستہ": "بستہ",
"بستر": "بستر",
"بسترے": "بسترا",
"بسترا": "بسترا",
"بسترو": "بسترا",
"بستروں": "بسترا",
"بستو": "بستہ",
"بستوں": "بستہ",
"بستی": "بستی",
"بستیں": "بسنا",
"بستیاں": "بستی",
"بستیو": "بستی",
"بستیوں": "بستی",
"بسو": "بس",
"بسوں": "بس",
"بسوا": "بسنا",
"بسوانے": "بسنا",
"بسوانا": "بسنا",
"بسواتے": "بسنا",
"بسواتا": "بسنا",
"بسواتی": "بسنا",
"بسواتیں": "بسنا",
"بسواؤ": "بسنا",
"بسواؤں": "بسنا",
"بسوائے": "بسنا",
"بسوائی": "بسنا",
"بسوائیے": "بسنا",
"بسوائیں": "بسنا",
"بسوایا": "بسنا",
"بسولے": "بسولہ",
"بسولہ": "بسولہ",
"بسولو": "بسولہ",
"بسولوں": "بسولہ",
"بسور": "بسورنا",
"بسورے": "بسورنا",
"بسورں": "بسورنا",
"بسورا": "بسورنا",
"بسورنے": "بسورنا",
"بسورنا": "بسورنا",
"بسورنی": "بسورنا",
"بسورتے": "بسورنا",
"بسورتا": "بسورنا",
"بسورتی": "بسورنا",
"بسورتیں": "بسورنا",
"بسورو": "بسورنا",
"بسوروں": "بسورنا",
"بسوری": "بسورنا",
"بسوریے": "بسورنا",
"بسوریں": "بسورنا",
"بسی": "بسنا",
"بسیے": "بسنا",
"بسیں": "بس",
"بت": "بت",
"بتے": "بتہ",
"بتا": "بتانا",
"بتاں": "بتاں",
"بتانے": "بتانا",
"بتانا": "بتانا",
"بتانی": "بتانا",
"بتاتے": "بتانا",
"بتاتا": "بتانا",
"بتاتی": "بتانا",
"بتاتیں": "بتانا",
"بتاؤ": "بتانا",
"بتاؤں": "بتانا",
"بتائے": "بتانا",
"بتائی": "بتانا",
"بتائیے": "بتانا",
"بتائیں": "بتانا",
"بتایا": "بتانا",
"بتہ": "بتہ",
"بتلا": "بتلانا",
"بتلانے": "بتلانا",
"بتلانا": "بتلانا",
"بتلانی": "بتلانا",
"بتلاتے": "بتلانا",
"بتلاتا": "بتلانا",
"بتلاتی": "بتلانا",
"بتلاتیں": "بتلانا",
"بتلاؤ": "بتلانا",
"بتلاؤں": "بتلانا",
"بتلائے": "بتلانا",
"بتلائی": "بتلانا",
"بتلائیے": "بتلانا",
"بتلائیں": "بتلانا",
"بتلایا": "بتلانا",
"بتلوا": "بتلانا",
"بتلوانے": "بتلانا",
"بتلوانا": "بتلانا",
"بتلواتے": "بتلانا",
"بتلواتا": "بتلانا",
"بتلواتی": "بتلانا",
"بتلواتیں": "بتلانا",
"بتلواؤ": "بتلانا",
"بتلواؤں": "بتلانا",
"بتلوائے": "بتلانا",
"بتلوائی": "بتلانا",
"بتلوائیے": "بتلانا",
"بتلوائیں": "بتلانا",
"بتلوایا": "بتلانا",
"بتو": "بتہ",
"بتوں": "بتہ",
"بتی": "بتی",
"بتیاں": "بتی",
"بتیو": "بتی",
"بتیوں": "بتی",
"بو": "بونا",
"بوڑھے": "بوڑھا",
"بوڑھا": "بوڑھا",
"بوڑھو": "بوڑھا",
"بوڑھوں": "بوڑھا",
"بوڑھی": "بوڑھی",
"بوڑھیا": "بوڑھیا",
"بوڑھیاں": "بوڑھی",
"بوڑھیو": "بوڑھی",
"بوڑھیوں": "بوڑھی",
"بوٹ": "بوٹ",
"بوٹے": "بوٹا",
"بوٹا": "بوٹا",
"بوٹو": "بوٹا",
"بوٹوں": "بوٹا",
"بوٹی": "بوٹی",
"بوٹیاں": "بوٹی",
"بوٹیو": "بوٹی",
"بوٹیوں": "بوٹی",
"بوا": "بوا",
"بواؤ": "بوا",
"بواؤں": "بوا",
"بوائیں": "بوا",
"بول": "بول",
"بولْں": "بولْنا",
"بولْنے": "بولْنا",
"بولْنا": "بولْنا",
"بولْنی": "بولْنا",
"بولْتے": "بولْنا",
"بولْتا": "بولْنا",
"بولْتی": "بولْنا",
"بولْتیں": "بولْنا",
"بولے": "بولْنا",
"بولں": "بولنا",
"بولا": "بولْنا",
"بولنے": "بولنا",
"بولنا": "بولنا",
"بولنی": "بولنا",
"بولتے": "بولنا",
"بولتا": "بولنا",
"بولتی": "بولنا",
"بولتیں": "بولنا",
"بولو": "بول",
"بولوں": "بول",
"بولی": "بولی",
"بولیے": "بولْنا",
"بولیں": "بولْنا",
"بولیاں": "بولی",
"بولیو": "بولی",
"بولیوں": "بولی",
"بونے": "بونا",
"بونا": "بونا",
"بوند": "بوند",
"بوندو": "بوند",
"بوندوں": "بوند",
"بوندیں": "بوند",
"بونگی": "بونگی",
"بونگیاں": "بونگی",
"بونگیو": "بونگی",
"بونگیوں": "بونگی",
"بونی": "بونا",
"بوقوف": "بوقوف",
"بوقوفو": "بوقوف",
"بوقوفوں": "بوقوف",
"بوقوفیں": "بوقوف",
"بوری": "بوری",
"بوریے": "بوریہ",
"بوریا": "بوریا",
"بوریاں": "بوری",
"بوریہ": "بوریہ",
"بوریو": "بوریہ",
"بوریوں": "بوریہ",
"بوسے": "بوسہ",
"بوسہ": "بوسہ",
"بوسو": "بوسہ",
"بوسوں": "بوسہ",
"بوتے": "بونا",
"بوتا": "بونا",
"بوتل": "بوتل",
"بوتلو": "بوتل",
"بوتلوں": "بوتل",
"بوتلیں": "بوتل",
"بوتی": "بونا",
"بوتیں": "بونا",
"بوؤ": "بونا",
"بوؤں": "بونا",
"بوئے": "بونا",
"بوئی": "بونا",
"بوئیے": "بونا",
"بوئیں": "بونا",
"بویا": "بونا",
"بی": "بد",
"بیڑے": "بیڑہ",
"بیڑہ": "بیڑہ",
"بیڑو": "بیڑہ",
"بیڑوں": "بیڑہ",
"بیڑی": "بیڑی",
"بیڑیاں": "بیڑی",
"بیڑیو": "بیڑی",
"بیڑیوں": "بیڑی",
"بیٹ": "بیٹ",
"بیٹے": "بیٹا",
"بیٹا": "بیٹا",
"بیٹو": "بیٹا",
"بیٹوں": "بیٹا",
"بیٹی": "بیٹی",
"بیٹیاں": "بیٹی",
"بیٹیو": "بیٹی",
"بیٹیوں": "بیٹی",
"بیٹھ": "بیٹھنا",
"بیٹھے": "بیٹھنا",
"بیٹھں": "بیٹھنا",
"بیٹھا": "بیٹھنا",
"بیٹھانے": "بیٹھنا",
"بیٹھانا": "بیٹھنا",
"بیٹھاتے": "بیٹھنا",
"بیٹھاتا": "بیٹھنا",
"بیٹھاتی": "بیٹھنا",
"بیٹھاتیں": "بیٹھنا",
"بیٹھاؤ": "بیٹھنا",
"بیٹھاؤں": "بیٹھنا",
"بیٹھائے": "بیٹھنا",
"بیٹھائی": "بیٹھنا",
"بیٹھائیے": "بیٹھنا",
"بیٹھائیں": "بیٹھنا",
"بیٹھایا": "بیٹھنا",
"بیٹھک": "بیٹھک",
"بیٹھکو": "بیٹھک",
"بیٹھکوں": "بیٹھک",
"بیٹھکیں": "بیٹھک",
"بیٹھنے": "بیٹھنا",
"بیٹھنا": "بیٹھنا",
"بیٹھنی": "بیٹھنا",
"بیٹھتے": "بیٹھنا",
"بیٹھتا": "بیٹھنا",
"بیٹھتی": "بیٹھنا",
"بیٹھتیں": "بیٹھنا",
"بیٹھو": "بیٹھنا",
"بیٹھوں": "بیٹھنا",
"بیٹھی": "بیٹھنا",
"بیٹھیے": "بیٹھنا",
"بیٹھیں": "بیٹھنا",
"بیش": "بیش",
"بیابان": "بیابان",
"بیابانو": "بیابان",
"بیابانوں": "بیابان",
"بیان": "بیان",
"بیانے": "بیانا",
"بیانا": "بیانا",
"بیانات": "بیان",
"بیانو": "بیانا",
"بیانوں": "بیانا",
"بیچ": "بیچنا",
"بیچے": "بیچنا",
"بیچں": "بیچنا",
"بیچا": "بیچنا",
"بیچارے": "بیچارا",
"بیچارا": "بیچارا",
"بیچارہ": "بیچارہ",
"بیچارو": "بیچارا",
"بیچاروں": "بیچارا",
"بیچاری": "بیچاری",
"بیچاریاں": "بیچاری",
"بیچاریو": "بیچاری",
"بیچاریوں": "بیچاری",
"بیچنے": "بیچنا",
"بیچنا": "بیچنا",
"بیچنی": "بیچنا",
"بیچتے": "بیچنا",
"بیچتا": "بیچنا",
"بیچتی": "بیچنا",
"بیچتیں": "بیچنا",
"بیچو": "بیچنا",
"بیچوں": "بیچنا",
"بیچوا": "بیچنا",
"بیچوانے": "بیچنا",
"بیچوانا": "بیچنا",
"بیچواتے": "بیچنا",
"بیچواتا": "بیچنا",
"بیچواتی": "بیچنا",
"بیچواتیں": "بیچنا",
"بیچواؤ": "بیچنا",
"بیچواؤں": "بیچنا",
"بیچوائے": "بیچنا",
"بیچوائی": "بیچنا",
"بیچوائیے": "بیچنا",
"بیچوائیں": "بیچنا",
"بیچوایا": "بیچنا",
"بیچی": "بیچنا",
"بیچیے": "بیچنا",
"بیچیں": "بیچنا",
"بیگانے": "بیگانہ",
"بیگانہ": "بیگانہ",
"بیگانو": "بیگانہ",
"بیگانوں": "بیگانہ",
"بیج": "بیج",
"بیجو": "بیج",
"بیجوں": "بیج",
"بیجیں": "بیج",
"بیل": "بیل",
"بیلے": "بیلنا",
"بیلں": "بیلنا",
"بیلا": "بیلنا",
"بیلچے": "بیلچہ",
"بیلچہ": "بیلچہ",
"بیلچو": "بیلچہ",
"بیلچوں": "بیلچہ",
"بیلنے": "بیلنا",
"بیلنا": "بیلنا",
"بیلنی": "بیلنا",
"بیلتے": "بیلنا",
"بیلتا": "بیلنا",
"بیلتی": "بیلنا",
"بیلتیں": "بیلنا",
"بیلو": "بیل",
"بیلوں": "بیل",
"بیلوا": "بیلنا",
"بیلوانے": "بیلنا",
"بیلوانا": "بیلنا",
"بیلواتے": "بیلنا",
"بیلواتا": "بیلنا",
"بیلواتی": "بیلنا",
"بیلواتیں": "بیلنا",
"بیلواؤ": "بیلنا",
"بیلواؤں": "بیلنا",
"بیلوائے": "بیلنا",
"بیلوائی": "بیلنا",
"بیلوائیے": "بیلنا",
"بیلوائیں": "بیلنا",
"بیلوایا": "بیلنا",
"بیلی": "بیلنا",
"بیلیے": "بیلنا",
"بیلیں": "بیل",
"بیمار": "بیمار",
"بیمارو": "بیمار",
"بیماروں": "بیمار",
"بیماری": "بیماری",
"بیماریاں": "بیماری",
"بیماریو": "بیماری",
"بیماریوں": "بیماری",
"بین": "بین",
"بینچ": "بینچ",
"بینچو": "بینچ",
"بینچوں": "بینچ",
"بینچیں": "بینچ",
"بینگن": "بینگن",
"بینگنو": "بینگن",
"بینگنوں": "بینگن",
"بینک": "بینک",
"بینکو": "بینک",
"بینکوں": "بینک",
"بینکیں": "بینک",
"بینو": "بین",
"بینوں": "بین",
"بیر": "بیر",
"بیربہوٹی": "بیربہوٹی",
"بیربہوٹیاں": "بیربہوٹی",
"بیربہوٹیو": "بیربہوٹی",
"بیربہوٹیوں": "بیربہوٹی",
"بیرو": "بیر",
"بیروں": "بیر",
"بیری": "بیری",
"بیریاں": "بیری",
"بیریو": "بیری",
"بیریوں": "بیری",
"بیس": "بیس",
"بیساکھی": "بیساکھی",
"بیساکھیاں": "بیساکھی",
"بیساکھیو": "بیساکھی",
"بیساکھیوں": "بیساکھی",
"بیسواں": "بیسواں",
"بیسووںں": "بیسواں",
"بیسویں": "بیسواں",
"بیسی": "بیسی",
"بیسیاں": "بیسی",
"بیسیو": "بیسی",
"بیسیوں": "بیسی",
"بیوقوف": "بیوقوف",
"بیوقوفو": "بیوقوف",
"بیوقوفوں": "بیوقوف",
"بیوی": "بیوی",
"بیویاں": "بیوی",
"بیویو": "بیوی",
"بیویوں": "بیوی",
"بیھج": "بیھجنا",
"بیھجے": "بیھجنا",
"بیھجں": "بیھجنا",
"بیھجا": "بیھجنا",
"بیھجنے": "بیھجنا",
"بیھجنا": "بیھجنا",
"بیھجنی": "بیھجنا",
"بیھجتے": "بیھجنا",
"بیھجتا": "بیھجنا",
"بیھجتی": "بیھجنا",
"بیھجتیں": "بیھجنا",
"بیھجو": "بیھجنا",
"بیھجوں": "بیھجنا",
"بیھجی": "بیھجنا",
"بیھجیے": "بیھجنا",
"بیھجیں": "بیھجنا",
"بزازے": "بزازہ",
"بزازہ": "بزازہ",
"بزازو": "بزازہ",
"بزازوں": "بزازہ",
"بزدل": "بزدل",
"بزدلو": "بزدل",
"بزدلوں": "بزدل",
"بزرگ": "بزرگ",
"بزرگو": "بزرگ",
"بزرگوں": "بزرگ",
"بھڑ": "بھڑ",
"بھڑے": "بھڑنا",
"بھڑں": "بھڑنا",
"بھڑا": "بھڑنا",
"بھڑانے": "بھڑنا",
"بھڑانا": "بھڑنا",
"بھڑاتے": "بھڑنا",
"بھڑاتا": "بھڑنا",
"بھڑاتی": "بھڑنا",
"بھڑاتیں": "بھڑنا",
"بھڑاؤ": "بھڑنا",
"بھڑاؤں": "بھڑنا",
"بھڑائے": "بھڑنا",
"بھڑائی": "بھڑنا",
"بھڑائیے": "بھڑنا",
"بھڑائیں": "بھڑنا",
"بھڑایا": "بھڑنا",
"بھڑک": "بھڑکنا",
"بھڑکے": "بھڑکنا",
"بھڑکں": "بھڑکنا",
"بھڑکا": "بھڑکنا",
"بھڑکانے": "بھڑکنا",
"بھڑکانا": "بھڑکنا",
"بھڑکاتے": "بھڑکنا",
"بھڑکاتا": "بھڑکنا",
"بھڑکاتی": "بھڑکنا",
"بھڑکاتیں": "بھڑکنا",
"بھڑکاؤ": "بھڑکنا",
"بھڑکاؤں": "بھڑکنا",
"بھڑکائے": "بھڑکنا",
"بھڑکائی": "بھڑکنا",
"بھڑکائیے": "بھڑکنا",
"بھڑکائیں": "بھڑکنا",
"بھڑکایا": "بھڑکنا",
"بھڑکنے": "بھڑکنا",
"بھڑکنا": "بھڑکنا",
"بھڑکنی": "بھڑکنا",
"بھڑکتے": "بھڑکنا",
"بھڑکتا": "بھڑکنا",
"بھڑکتی": "بھڑکنا",
"بھڑکتیں": "بھڑکنا",
"بھڑکو": "بھڑکنا",
"بھڑکوں": "بھڑکنا",
"بھڑکوا": "بھڑکنا",
"بھڑکوانے": "بھڑکنا",
"بھڑکوانا": "بھڑکنا",
"بھڑکواتے": "بھڑکنا",
"بھڑکواتا": "بھڑکنا",
"بھڑکواتی": "بھڑکنا",
"بھڑکواتیں": "بھڑکنا",
"بھڑکواؤ": "بھڑکنا",
"بھڑکواؤں": "بھڑکنا",
"بھڑکوائے": "بھڑکنا",
"بھڑکوائی": "بھڑکنا",
"بھڑکوائیے": "بھڑکنا",
"بھڑکوائیں": "بھڑکنا",
"بھڑکوایا": "بھڑکنا",
"بھڑکی": "بھڑکنا",
"بھڑکیے": "بھڑکنا",
"بھڑکیں": "بھڑکنا",
"بھڑنے": "بھڑنا",
"بھڑنا": "بھڑنا",
"بھڑنی": "بھڑنا",
"بھڑتے": "بھڑنا",
"بھڑتا": "بھڑنا",
"بھڑتی": "بھڑنا",
"بھڑتیں": "بھڑنا",
"بھڑو": "بھڑ",
"بھڑوں": "بھڑ",
"بھڑوا": "بھڑنا",
"بھڑوانے": "بھڑنا",
"بھڑوانا": "بھڑنا",
"بھڑواتے": "بھڑنا",
"بھڑواتا": "بھڑنا",
"بھڑواتی": "بھڑنا",
"بھڑواتیں": "بھڑنا",
"بھڑواؤ": "بھڑنا",
"بھڑواؤں": "بھڑنا",
"بھڑوائے": "بھڑنا",
"بھڑوائی": "بھڑنا",
"بھڑوائیے": "بھڑنا",
"بھڑوائیں": "بھڑنا",
"بھڑوایا": "بھڑنا",
"بھڑی": "بھڑنا",
"بھڑیے": "بھڑنا",
"بھڑیں": "بھڑ",
"بھٹ": "بھٹ",
"بھٹّے": "بھٹّہ",
"بھٹّہ": "بھٹّہ",
"بھٹّو": "بھٹّہ",
"بھٹّوں": "بھٹّہ",
"بھٹک": "بھٹکنا",
"بھٹکے": "بھٹکنا",
"بھٹکں": "بھٹکنا",
"بھٹکا": "بھٹکنا",
"بھٹکانے": "بھٹکنا",
"بھٹکانا": "بھٹکنا",
"بھٹکاتے": "بھٹکنا",
"بھٹکاتا": "بھٹکنا",
"بھٹکاتی": "بھٹکنا",
"بھٹکاتیں": "بھٹکنا",
"بھٹکاؤ": "بھٹکنا",
"بھٹکاؤں": "بھٹکنا",
"بھٹکائے": "بھٹکنا",
"بھٹکائی": "بھٹکنا",
"بھٹکائیے": "بھٹکنا",
"بھٹکائیں": "بھٹکنا",
"بھٹکایا": "بھٹکنا",
"بھٹکنے": "بھٹکنا",
"بھٹکنا": "بھٹکنا",
"بھٹکنی": "بھٹکنا",
"بھٹکتے": "بھٹکنا",
"بھٹکتا": "بھٹکنا",
"بھٹکتی": "بھٹکنا",
"بھٹکتیں": "بھٹکنا",
"بھٹکو": "بھٹکنا",
"بھٹکوں": "بھٹکنا",
"بھٹکوا": "بھٹکنا",
"بھٹکوانے": "بھٹکنا",
"بھٹکوانا": "بھٹکنا",
"بھٹکواتے": "بھٹکنا",
"بھٹکواتا": "بھٹکنا",
"بھٹکواتی": "بھٹکنا",
"بھٹکواتیں": "بھٹکنا",
"بھٹکواؤ": "بھٹکنا",
"بھٹکواؤں": "بھٹکنا",
"بھٹکوائے": "بھٹکنا",
"بھٹکوائی": "بھٹکنا",
"بھٹکوائیے": "بھٹکنا",
"بھٹکوائیں": "بھٹکنا",
"بھٹکوایا": "بھٹکنا",
"بھٹکی": "بھٹکنا",
"بھٹکیے": "بھٹکنا",
"بھٹکیں": "بھٹکنا",
"بھٹو": "بھٹ",
"بھٹوں": "بھٹ",
"بھٹی": "بھٹی",
"بھٹیاں": "بھٹی",
"بھٹیو": "بھٹی",
"بھٹیوں": "بھٹی",
"بھاڑ": "بھاڑ",
"بھاڑے": "بھاڑا",
"بھاڑا": "بھاڑا",
"بھاڑو": "بھاڑا",
"بھاڑوں": "بھاڑا",
"بھاشا": "بھاشا",
"بھاشاؤ": "بھاشا",
"بھاشاؤں": "بھاشا",
"بھاشائیں": "بھاشا",
"بھابی": "بھابی",
"بھابیاں": "بھابی",
"بھابیو": "بھابی",
"بھابیوں": "بھابی",
"بھاگ": "بھاگْنا",
"بھاگْں": "بھاگْنا",
"بھاگْنے": "بھاگْنا",
"بھاگْنا": "بھاگْنا",
"بھاگْنی": "بھاگْنا",
"بھاگْتے": "بھاگْنا",
"بھاگْتا": "بھاگْنا",
"بھاگْتی": "بھاگْنا",
"بھاگْتیں": "بھاگْنا",
"بھاگے": "بھاگْنا",
"بھاگں": "بھاگنا",
"بھاگا": "بھاگْنا",
"بھاگنے": "بھاگنا",
"بھاگنا": "بھاگنا",
"بھاگنی": "بھاگنا",
"بھاگتے": "بھاگنا",
"بھاگتا": "بھاگنا",
"بھاگتی": "بھاگنا",
"بھاگتیں": "بھاگنا",
"بھاگو": "بھاگْنا",
"بھاگوں": "بھاگْنا",
"بھاگوان": "بھاگوان",
"بھاگوانو": "بھاگوان",
"بھاگوانوں": "بھاگوان",
"بھاگی": "بھاگْنا",
"بھاگیے": "بھاگْنا",
"بھاگیں": "بھاگْنا",
"بھال": "بھال",
"بھالے": "بھالا",
"بھالا": "بھالا",
"بھالو": "بھالا",
"بھالوں": "بھالا",
"بھانڈ": "بھانڈ",
"بھانڈے": "بھانڈا",
"بھانڈا": "بھانڈا",
"بھانڈہ": "بھانڈہ",
"بھانڈو": "بھانڈا",
"بھانڈوں": "بھانڈا",
"بھانڈیں": "بھانڈ",
"بھانجے": "بھانجا",
"بھانجا": "بھانجا",
"بھانجو": "بھانجا",
"بھانجوں": "بھانجا",
"بھانجی": "بھانجی",
"بھانجیاں": "بھانجی",
"بھانجیو": "بھانجی",
"بھانجیوں": "بھانجی",
"بھارتی": "بھارتی",
"بھارتیے": "بھارتیہ",
"بھارتیہ": "بھارتیہ",
"بھارتیو": "بھارتیہ",
"بھارتیوں": "بھارتیہ",
"بھاؤ": "بھاؤ",
"بھائی": "بھائی",
"بھائیو": "بھائی",
"بھائیوں": "بھائی",
"بھچا": "بھینچنا",
"بھچانے": "بھینچنا",
"بھچانا": "بھینچنا",
"بھچاتے": "بھینچنا",
"بھچاتا": "بھینچنا",
"بھچاتی": "بھینچنا",
"بھچاتیں": "بھینچنا",
"بھچاؤ": "بھینچنا",
"بھچاؤں": "بھینچنا",
"بھچائے": "بھینچنا",
"بھچائی": "بھینچنا",
"بھچائیے": "بھینچنا",
"بھچائیں": "بھینچنا",
"بھچایا": "بھینچنا",
"بھگ": "بھگنا",
"بھگْوا": "بھاگْنا",
"بھگْوانے": "بھاگْنا",
"بھگْوانا": "بھاگْنا",
"بھگْواتے": "بھاگْنا",
"بھگْواتا": "بھاگْنا",
"بھگْواتی": "بھاگْنا",
"بھگْواتیں": "بھاگْنا",
"بھگْواؤ": "بھاگْنا",
"بھگْواؤں": "بھاگْنا",
"بھگْوائے": "بھاگْنا",
"بھگْوائی": "بھاگْنا",
"بھگْوائیے": "بھاگْنا",
"بھگْوائیں": "بھاگْنا",
"بھگْوایا": "بھاگْنا",
"بھگے": "بھگنا",
"بھگں": "بھگنا",
"بھگا": "بھاگْنا",
"بھگانے": "بھاگْنا",
"بھگانا": "بھاگْنا",
"بھگاتے": "بھاگْنا",
"بھگاتا": "بھاگْنا",
"بھگاتی": "بھاگْنا",
"بھگاتیں": "بھاگْنا",
"بھگاؤ": "بھاگْنا",
"بھگاؤں": "بھاگْنا",
"بھگائے": "بھاگْنا",
"بھگائی": "بھاگْنا",
"بھگائیے": "بھاگْنا",
"بھگائیں": "بھاگْنا",
"بھگایا": "بھاگْنا",
"بھگنے": "بھگنا",
"بھگنا": "بھگنا",
"بھگنی": "بھگنا",
"بھگت": "بھگت",
"بھگتے": "بھگتنا",
"بھگتں": "بھگتنا",
"بھگتا": "بھگتنا",
"بھگتانے": "بھگتنا",
"بھگتانا": "بھگتنا",
"بھگتاتے": "بھگتنا",
"بھگتاتا": "بھگتنا",
"بھگتاتی": "بھگتنا",
"بھگتاتیں": "بھگتنا",
"بھگتاؤ": "بھگتنا",
"بھگتاؤں": "بھگتنا",
"بھگتائے": "بھگتنا",
"بھگتائی": "بھگتنا",
"بھگتائیے": "بھگتنا",
"بھگتائیں": "بھگتنا",
"بھگتایا": "بھگتنا",
"بھگتنے": "بھگتنا",
"بھگتنا": "بھگتنا",
"بھگتنی": "بھگتنا",
"بھگتتے": "بھگتنا",
"بھگتتا": "بھگتنا",
"بھگتتی": "بھگتنا",
"بھگتتیں": "بھگتنا",
"بھگتو": "بھگت",
"بھگتوں": "بھگت",
"بھگتوا": "بھگتنا",
"بھگتوانے": "بھگتنا",
"بھگتوانا": "بھگتنا",
"بھگتواتے": "بھگتنا",
"بھگتواتا": "بھگتنا",
"بھگتواتی": "بھگتنا",
"بھگتواتیں": "بھگتنا",
"بھگتواؤ": "بھگتنا",
"بھگتواؤں": "بھگتنا",
"بھگتوائے": "بھگتنا",
"بھگتوائی": "بھگتنا",
"بھگتوائیے": "بھگتنا",
"بھگتوائیں": "بھگتنا",
"بھگتوایا": "بھگتنا",
"بھگتی": "بھگتنا",
"بھگتیے": "بھگتنا",
"بھگتیں": "بھگت",
"بھگو": "بِھیگْنا",
"بھگوں": "بھگنا",
"بھگوا": "بھگنا",
"بھگوانے": "بھگنا",
"بھگوانا": "بھگنا",
"بھگواتے": "بھگنا",
"بھگواتا": "بھگنا",
"بھگواتی": "بھگنا",
"بھگواتیں": "بھگنا",
"بھگواؤ": "بھگنا",
"بھگواؤں": "بھگنا",
"بھگوائے": "بھگنا",
"بھگوائی": "بھگنا",
"بھگوائیے": "بھگنا",
"بھگوائیں": "بھگنا",
"بھگوایا": "بھگنا",
"بھگونے": "بِھیگْنا",
"بھگونا": "بِھیگْنا",
"بھگوتے": "بِھیگْنا",
"بھگوتا": "بِھیگْنا",
"بھگوتی": "بِھیگْنا",
"بھگوتیں": "بِھیگْنا",
"بھگوؤ": "بِھیگْنا",
"بھگوؤں": "بِھیگْنا",
"بھگوئے": "بِھیگْنا",
"بھگوئی": "بِھیگْنا",
"بھگوئیے": "بِھیگْنا",
"بھگوئیں": "بِھیگْنا",
"بھگویا": "بِھیگْنا",
"بھگی": "بھگنا",
"بھگیے": "بھگنا",
"بھگیں": "بھگنا",
"بھج": "بھجنا",
"بھجے": "بھجنا",
"بھجں": "بھجنا",
"بھجا": "بھجنا",
"بھجانے": "بھجنا",
"بھجانا": "بھجنا",
"بھجاتے": "بھجنا",
"بھجاتا": "بھجنا",
"بھجاتی": "بھجنا",
"بھجاتیں": "بھجنا",
"بھجاؤ": "بھجنا",
"بھجاؤں": "بھجنا",
"بھجائے": "بھجنا",
"بھجائی": "بھجنا",
"بھجائیے": "بھجنا",
"بھجائیں": "بھجنا",
"بھجایا": "بھجنا",
"بھجنے": "بھجنا",
"بھجنا": "بھجنا",
"بھجنی": "بھجنا",
"بھجتے": "بھجنا",
"بھجتا": "بھجنا",
"بھجتی": "بھجنا",
"بھجتیں": "بھجنا",
"بھجو": "بھجنا",
"بھجوں": "بھجنا",
"بھجوا": "بھجنا",
"بھجوانے": "بھجنا",
"بھجوانا": "بھجنا",
"بھجواتے": "بھجنا",
"بھجواتا": "بھجنا",
"بھجواتی": "بھجنا",
"بھجواتیں": "بھجنا",
"بھجواؤ": "بھجنا",
"بھجواؤں": "بھجنا",
"بھجوائے": "بھجنا",
"بھجوائی": "بھجنا",
"بھجوائیے": "بھجنا",
"بھجوائیں": "بھجنا",
"بھجوایا": "بھجنا",
"بھجی": "بھجنا",
"بھجیے": "بھجنا",
"بھجیں": "بھجنا",
"بھل": "بھل",
"بھلے": "بھلا",
"بھلا": "بھلا",
"بھلانے": "بھولنا",
"بھلانا": "بھولنا",
"بھلاتے": "بھولنا",
"بھلاتا": "بھولنا",
"بھلاتی": "بھولنا",
"بھلاتیں": "بھولنا",
"بھلاؤ": "بھولنا",
"بھلاؤں": "بھولنا",
"بھلائے": "بھولنا",
"بھلائی": "بھلائی",
"بھلائیے": "بھولنا",
"بھلائیں": "بھولنا",
"بھلائیاں": "بھلائی",
"بھلائیو": "بھلائی",
"بھلائیوں": "بھلائی",
"بھلایا": "بھولنا",
"بھلو": "بھلا",
"بھلوں": "بھلا",
"بھلوا": "بھولنا",
"بھلوانے": "بھولنا",
"بھلوانا": "بھولنا",
"بھلواتے": "بھولنا",
"بھلواتا": "بھولنا",
"بھلواتی": "بھولنا",
"بھلواتیں": "بھولنا",
"بھلواؤ": "بھولنا",
"بھلواؤں": "بھولنا",
"بھلوائے": "بھولنا",
"بھلوائی": "بھولنا",
"بھلوائیے": "بھولنا",
"بھلوائیں": "بھولنا",
"بھلوایا": "بھولنا",
"بھلی": "بھلی",
"بھلیاں": "بھلی",
"بھلیو": "بھلی",
"بھلیوں": "بھلی",
"بھن": "بھننا",
"بھنے": "بھننا",
"بھنں": "بھننا",
"بھنا": "بھننا",
"بھنانے": "بھننا",
"بھنانا": "بھننا",
"بھناتے": "بھننا",
"بھناتا": "بھننا",
"بھناتی": "بھننا",
"بھناتیں": "بھننا",
"بھناؤ": "بھننا",
"بھناؤں": "بھننا",
"بھنائے": "بھننا",
"بھنائی": "بھننا",
"بھنائیے": "بھننا",
"بھنائیں": "بھننا",
"بھنایا": "بھننا",
"بھنچوا": "بھینچنا",
"بھنچوانے": "بھینچنا",
"بھنچوانا": "بھینچنا",
"بھنچواتے": "بھینچنا",
"بھنچواتا": "بھینچنا",
"بھنچواتی": "بھینچنا",
"بھنچواتیں": "بھینچنا",
"بھنچواؤ": "بھینچنا",
"بھنچواؤں": "بھینچنا",
"بھنچوائے": "بھینچنا",
"بھنچوائی": "بھینچنا",
"بھنچوائیے": "بھینچنا",
"بھنچوائیں": "بھینچنا",
"بھنچوایا": "بھینچنا",
"بھنگ": "بھنگ",
"بھنگو": "بھنگ",
"بھنگوں": "بھنگ",
"بھننے": "بھننا",
"بھننا": "بھننا",
"بھننی": "بھننا",
"بھنتے": "بھننا",
"بھنتا": "بھننا",
"بھنتی": "بھننا",
"بھنتیں": "بھننا",
"بھنو": "بھننا",
"بھنوں": "بھننا",
"بھنوا": "بھننا",
"بھنوانے": "بھننا",
"بھنوانا": "بھننا",
"بھنواتے": "بھننا",
"بھنواتا": "بھننا",
"بھنواتی": "بھننا",
"بھنواتیں": "بھننا",
"بھنواؤ": "بھننا",
"بھنواؤں": "بھننا",
"بھنوائے": "بھننا",
"بھنوائی": "بھننا",
"بھنوائیے": "بھننا",
"بھنوائیں": "بھننا",
"بھنوایا": "بھننا",
"بھنی": "بھننا",
"بھنیے": "بھننا",
"بھنیں": "بھننا",
"بھرے": "بھرا",
"بھرا": "بھرا",
"بھرو": "بھرا",
"بھروں": "بھرا",
"بھروسے": "بھروسہ",
"بھروسہ": "بھروسہ",
"بھروسو": "بھروسہ",
"بھروسوں": "بھروسہ",
"بھتیجے": "بھتیجا",
"بھتیجا": "بھتیجا",
"بھتیجہ": "بھتیجہ",
"بھتیجو": "بھتیجا",
"بھتیجوں": "بھتیجا",
"بھتیجی": "بھتیجی",
"بھتیجیاں": "بھتیجی",
"بھتیجیو": "بھتیجی",
"بھتیجیوں": "بھتیجی",
"بھوک": "بھوک",
"بھوکے": "بھوکا",
"بھوکا": "بھوکا",
"بھوکو": "بھوکا",
"بھوکوں": "بھوکا",
"بھول": "بھولنا",
"بھولے": "بھولا",
"بھولں": "بھولنا",
"بھولا": "بھولا",
"بھولنے": "بھولنا",
"بھولنا": "بھولنا",
"بھولنی": "بھولنا",
"بھولتے": "بھولنا",
"بھولتا": "بھولنا",
"بھولتی": "بھولنا",
"بھولتیں": "بھولنا",
"بھولو": "بھولا",
"بھولوں": "بھولا",
"بھولی": "بھولنا",
"بھولیے": "بھولنا",
"بھولیں": "بھولنا",
"بھون": "بھوننا",
"بھونے": "بھوننا",
"بھونں": "بھوننا",
"بھونا": "بھوننا",
"بھوننے": "بھوننا",
"بھوننا": "بھوننا",
"بھوننی": "بھوننا",
"بھونتے": "بھوننا",
"بھونتا": "بھوننا",
"بھونتی": "بھوننا",
"بھونتیں": "بھوننا",
"بھونو": "بھوننا",
"بھونوں": "بھوننا",
"بھونی": "بھوننا",
"بھونیے": "بھوننا",
"بھونیں": "بھوننا",
"بھوسے": "بھوسہ",
"بھوسہ": "بھوسہ",
"بھوسو": "بھوسہ",
"بھوسوں": "بھوسہ",
"بھوت": "بھوت",
"بھوتو": "بھوت",
"بھوتوں": "بھوت",
"بھوتیں": "بھوت",
"بھی": "بھی",
"بھیڑ": "بھیڑ",
"بھیڑے": "بھیڑہ",
"بھیڑہ": "بھیڑہ",
"بھیڑو": "بھیڑہ",
"بھیڑوں": "بھیڑہ",
"بھیڑیں": "بھیڑ",
"بھئی": "بھئی",
"بھید": "بھید",
"بھیدو": "بھید",
"بھیدوں": "بھید",
"بھیدیں": "بھید",
"بھیگ": "بھیگنا",
"بھیگے": "بھیگنا",
"بھیگں": "بھیگنا",
"بھیگا": "بھیگنا",
"بھیگنے": "بھیگنا",
"بھیگنا": "بھیگنا",
"بھیگنی": "بھیگنا",
"بھیگتے": "بھیگنا",
"بھیگتا": "بھیگنا",
"بھیگتی": "بھیگنا",
"بھیگتیں": "بھیگنا",
"بھیگو": "بھیگنا",
"بھیگوں": "بھیگنا",
"بھیگی": "بھیگنا",
"بھیگیے": "بھیگنا",
"بھیگیں": "بھیگنا",
"بھیج": "بھیجنا",
"بھیجے": "بھیجا",
"بھیجں": "بھیجنا",
"بھیجا": "بھیجا",
"بھیجنے": "بھیجنا",
"بھیجنا": "بھیجنا",
"بھیجنی": "بھیجنا",
"بھیجتے": "بھیجنا",
"بھیجتا": "بھیجنا",
"بھیجتی": "بھیجنا",
"بھیجتیں": "بھیجنا",
"بھیجو": "بھیجا",
"بھیجوں": "بھیجا",
"بھیجی": "بھیجنا",
"بھیجیے": "بھیجنا",
"بھیجیں": "بھیجنا",
"بھیک": "بھیک",
"بھیکو": "بھیک",
"بھیکوں": "بھیک",
"بھیکیں": "بھیک",
"بھینچ": "بھینچنا",
"بھینچے": "بھینچنا",
"بھینچں": "بھینچنا",
"بھینچا": "بھینچنا",
"بھینچنے": "بھینچنا",
"بھینچنا": "بھینچنا",
"بھینچنی": "بھینچنا",
"بھینچتے": "بھینچنا",
"بھینچتا": "بھینچنا",
"بھینچتی": "بھینچنا",
"بھینچتیں": "بھینچنا",
"بھینچو": "بھینچنا",
"بھینچوں": "بھینچنا",
"بھینچی": "بھینچنا",
"بھینچیے": "بھینچنا",
"بھینچیں": "بھینچنا",
"بھینس": "بھینس",
"بھینسو": "بھینس",
"بھینسوں": "بھینس",
"بھینسیں": "بھینس",
"بھیت": "بھیت",
"بھیتو": "بھیت",
"بھیتوں": "بھیت",
"بطخ": "بطخ",
"بطخو": "بطخ",
"بطخوں": "بطخ",
"بطخیں": "بطخ",
"چَل": "چَلنا",
"چَلے": "چَلنا",
"چَلں": "چَلنا",
"چَلا": "چَلنا",
"چَلانے": "چَلنا",
"چَلانا": "چَلنا",
"چَلاتے": "چَلنا",
"چَلاتا": "چَلنا",
"چَلاتی": "چَلنا",
"چَلاتیں": "چَلنا",
"چَلاؤ": "چَلنا",
"چَلاؤں": "چَلنا",
"چَلائے": "چَلنا",
"چَلائی": "چَلنا",
"چَلائیے": "چَلنا",
"چَلائیں": "چَلنا",
"چَلایا": "چَلنا",
"چَلنے": "چَلنا",
"چَلنا": "چَلنا",
"چَلنی": "چَلنا",
"چَلتے": "چَلنا",
"چَلتا": "چَلنا",
"چَلتی": "چَلنا",
"چَلتیں": "چَلنا",
"چَلو": "چَلنا",
"چَلوں": "چَلنا",
"چَلوا": "چَلنا",
"چَلوانے": "چَلنا",
"چَلوانا": "چَلنا",
"چَلواتے": "چَلنا",
"چَلواتا": "چَلنا",
"چَلواتی": "چَلنا",
"چَلواتیں": "چَلنا",
"چَلواؤ": "چَلنا",
"چَلواؤں": "چَلنا",
"چَلوائے": "چَلنا",
"چَلوائی": "چَلنا",
"چَلوائیے": "چَلنا",
"چَلوائیں": "چَلنا",
"چَلوایا": "چَلنا",
"چَلی": "چَلنا",
"چَلیے": "چَلنا",
"چَلیں": "چَلنا",
"چَند": "چَند",
"چَر": "چَرنا",
"چَرے": "چَرنا",
"چَرں": "چَرنا",
"چَرا": "چَرنا",
"چَرانے": "چَرنا",
"چَرانا": "چَرنا",
"چَراتے": "چَرنا",
"چَراتا": "چَرنا",
"چَراتی": "چَرنا",
"چَراتیں": "چَرنا",
"چَراؤ": "چَرنا",
"چَراؤں": "چَرنا",
"چَرائے": "چَرنا",
"چَرائی": "چَرنا",
"چَرائیے": "چَرنا",
"چَرائیں": "چَرنا",
"چَرایا": "چَرنا",
"چَرنے": "چَرنا",
"چَرنا": "چَرنا",
"چَرنی": "چَرنا",
"چَرتے": "چَرنا",
"چَرتا": "چَرنا",
"چَرتی": "چَرنا",
"چَرتیں": "چَرنا",
"چَرو": "چَرنا",
"چَروں": "چَرنا",
"چَروا": "چَرنا",
"چَروانے": "چَرنا",
"چَروانا": "چَرنا",
"چَرواتے": "چَرنا",
"چَرواتا": "چَرنا",
"چَرواتی": "چَرنا",
"چَرواتیں": "چَرنا",
"چَرواؤ": "چَرنا",
"چَرواؤں": "چَرنا",
"چَروائے": "چَرنا",
"چَروائی": "چَرنا",
"چَروائیے": "چَرنا",
"چَروائیں": "چَرنا",
"چَروایا": "چَرنا",
"چَری": "چَرنا",
"چَریے": "چَرنا",
"چَریں": "چَرنا",
"چِڑ": "چِڑنا",
"چِڑْیا": "چِڑْیا",
"چِڑْیاں": "چِڑْیا",
"چِڑْیو": "چِڑْیا",
"چِڑْیوں": "چِڑْیا",
"چِڑے": "چِڑنا",
"چِڑں": "چِڑنا",
"چِڑا": "چِڑنا",
"چِڑانے": "چِڑنا",
"چِڑانا": "چِڑنا",
"چِڑاتے": "چِڑنا",
"چِڑاتا": "چِڑنا",
"چِڑاتی": "چِڑنا",
"چِڑاتیں": "چِڑنا",
"چِڑاؤ": "چِڑنا",
"چِڑاؤں": "چِڑنا",
"چِڑائے": "چِڑنا",
"چِڑائی": "چِڑنا",
"چِڑائیے": "چِڑنا",
"چِڑائیں": "چِڑنا",
"چِڑایا": "چِڑنا",
"چِڑنے": "چِڑنا",
"چِڑنا": "چِڑنا",
"چِڑنی": "چِڑنا",
"چِڑتے": "چِڑنا",
"چِڑتا": "چِڑنا",
"چِڑتی": "چِڑنا",
"چِڑتیں": "چِڑنا",
"چِڑو": "چِڑنا",
"چِڑوں": "چِڑنا",
"چِڑوا": "چِڑنا",
"چِڑوانے": "چِڑنا",
"چِڑوانا": "چِڑنا",
"چِڑواتے": "چِڑنا",
"چِڑواتا": "چِڑنا",
"چِڑواتی": "چِڑنا",
"چِڑواتیں": "چِڑنا",
"چِڑواؤ": "چِڑنا",
"چِڑواؤں": "چِڑنا",
"چِڑوائے": "چِڑنا",
"چِڑوائی": "چِڑنا",
"چِڑوائیے": "چِڑنا",
"چِڑوائیں": "چِڑنا",
"چِڑوایا": "چِڑنا",
"چِڑی": "چِڑنا",
"چِڑیے": "چِڑنا",
"چِڑیں": "چِڑنا",
"چِر": "چِرْنا",
"چِرْں": "چِرْنا",
"چِرْنے": "چِرْنا",
"چِرْنا": "چِرْنا",
"چِرْنی": "چِرْنا",
"چِرْتے": "چِرْنا",
"چِرْتا": "چِرْنا",
"چِرْتی": "چِرْنا",
"چِرْتیں": "چِرْنا",
"چِرْوا": "چِرْنا",
"چِرْوانے": "چِرْنا",
"چِرْوانا": "چِرْنا",
"چِرْواتے": "چِرْنا",
"چِرْواتا": "چِرْنا",
"چِرْواتی": "چِرْنا",
"چِرْواتیں": "چِرْنا",
"چِرْواؤ": "چِرْنا",
"چِرْواؤں": "چِرْنا",
"چِرْوائے": "چِرْنا",
"چِرْوائی": "چِرْنا",
"چِرْوائیے": "چِرْنا",
"چِرْوائیں": "چِرْنا",
"چِرْوایا": "چِرْنا",
"چِرے": "چِرْنا",
"چِرا": "چِرْنا",
"چِرو": "چِرْنا",
"چِروں": "چِرْنا",
"چِری": "چِرْنا",
"چِریے": "چِرْنا",
"چِریں": "چِرْنا",
"چِیر": "چِرْنا",
"چِیرْں": "چِرْنا",
"چِیرْنے": "چِرْنا",
"چِیرْنا": "چِرْنا",
"چِیرْتے": "چِرْنا",
"چِیرْتا": "چِرْنا",
"چِیرْتی": "چِرْنا",
"چِیرْتیں": "چِرْنا",
"چِیرے": "چِرْنا",
"چِیرا": "چِرْنا",
"چِیرو": "چِرْنا",
"چِیروں": "چِرْنا",
"چِیری": "چِرْنا",
"چِیریے": "چِرْنا",
"چِیریں": "چِرْنا",
"چُک": "چُکنا",
"چُکے": "چُکنا",
"چُکں": "چُکنا",
"چُکا": "چُکنا",
"چُکانے": "چُکنا",
"چُکانا": "چُکنا",
"چُکاتے": "چُکنا",
"چُکاتا": "چُکنا",
"چُکاتی": "چُکنا",
"چُکاتیں": "چُکنا",
"چُکاؤ": "چُکنا",
"چُکاؤں": "چُکنا",
"چُکائے": "چُکنا",
"چُکائی": "چُکنا",
"چُکائیے": "چُکنا",
"چُکائیں": "چُکنا",
"چُکایا": "چُکنا",
"چُکنے": "چُکنا",
"چُکنا": "چُکنا",
"چُکنی": "چُکنا",
"چُکتے": "چُکنا",
"چُکتا": "چُکنا",
"چُکتی": "چُکنا",
"چُکتیں": "چُکنا",
"چُکو": "چُکنا",
"چُکوں": "چُکنا",
"چُکوا": "چُکنا",
"چُکوانے": "چُکنا",
"چُکوانا": "چُکنا",
"چُکواتے": "چُکنا",
"چُکواتا": "چُکنا",
"چُکواتی": "چُکنا",
"چُکواتیں": "چُکنا",
"چُکواؤ": "چُکنا",
"چُکواؤں": "چُکنا",
"چُکوائے": "چُکنا",
"چُکوائی": "چُکنا",
"چُکوائیے": "چُکنا",
"چُکوائیں": "چُکنا",
"چُکوایا": "چُکنا",
"چُکی": "چُکنا",
"چُکیے": "چُکنا",
"چُکیں": "چُکنا",
"چُن": "چُننا",
"چُنے": "چُننا",
"چُنں": "چُننا",
"چُنا": "چُننا",
"چُنانے": "چُننا",
"چُنانا": "چُننا",
"چُناتے": "چُننا",
"چُناتا": "چُننا",
"چُناتی": "چُننا",
"چُناتیں": "چُننا",
"چُناؤ": "چُننا",
"چُناؤں": "چُننا",
"چُنائے": "چُننا",
"چُنائی": "چُننا",
"چُنائیے": "چُننا",
"چُنائیں": "چُننا",
"چُنایا": "چُننا",
"چُننے": "چُننا",
"چُننا": "چُننا",
"چُننی": "چُننا",
"چُنتے": "چُننا",
"چُنتا": "چُننا",
"چُنتی": "چُننا",
"چُنتیں": "چُننا",
"چُنو": "چُننا",
"چُنوں": "چُننا",
"چُنوا": "چُننا",
"چُنوانے": "چُننا",
"چُنوانا": "چُننا",
"چُنواتے": "چُننا",
"چُنواتا": "چُننا",
"چُنواتی": "چُننا",
"چُنواتیں": "چُننا",
"چُنواؤ": "چُننا",
"چُنواؤں": "چُننا",
"چُنوائے": "چُننا",
"چُنوائی": "چُننا",
"چُنوائیے": "چُننا",
"چُنوائیں": "چُننا",
"چُنوایا": "چُننا",
"چُنی": "چُننا",
"چُنیے": "چُننا",
"چُنیں": "چُننا",
"چُر": "چُرْنا",
"چُرْں": "چُرْنا",
"چُرْنے": "چُرْنا",
"چُرْنا": "چُرْنا",
"چُرْنی": "چُرْنا",
"چُرْتے": "چُرْنا",
"چُرْتا": "چُرْنا",
"چُرْتی": "چُرْنا",
"چُرْتیں": "چُرْنا",
"چُرْوا": "چُرْنا",
"چُرْوانے": "چُرْنا",
"چُرْوانا": "چُرْنا",
"چُرْواتے": "چُرْنا",
"چُرْواتا": "چُرْنا",
"چُرْواتی": "چُرْنا",
"چُرْواتیں": "چُرْنا",
"چُرْواؤ": "چُرْنا",
"چُرْواؤں": "چُرْنا",
"چُرْوائے": "چُرْنا",
"چُرْوائی": "چُرْنا",
"چُرْوائیے": "چُرْنا",
"چُرْوائیں": "چُرْنا",
"چُرْوایا": "چُرْنا",
"چُرے": "چُرْنا",
"چُرں": "چُرنا",
"چُرا": "چُرْنا",
"چُرانے": "چُرْنا",
"چُرانا": "چُرْنا",
"چُراتے": "چُرْنا",
"چُراتا": "چُرْنا",
"چُراتی": "چُرْنا",
"چُراتیں": "چُرْنا",
"چُراؤ": "چُرْنا",
"چُراؤں": "چُرْنا",
"چُرائے": "چُرْنا",
"چُرائی": "چُرْنا",
"چُرائیے": "چُرْنا",
"چُرائیں": "چُرْنا",
"چُرایا": "چُرْنا",
"چُرنے": "چُرنا",
"چُرنا": "چُرنا",
"چُرنی": "چُرنا",
"چُرتے": "چُرنا",
"چُرتا": "چُرنا",
"چُرتی": "چُرنا",
"چُرتیں": "چُرنا",
"چُرو": "چُرْنا",
"چُروں": "چُرْنا",
"چُروا": "چُرنا",
"چُروانے": "چُرنا",
"چُروانا": "چُرنا",
"چُرواتے": "چُرنا",
"چُرواتا": "چُرنا",
"چُرواتی": "چُرنا",
"چُرواتیں": "چُرنا",
"چُرواؤ": "چُرنا",
"چُرواؤں": "چُرنا",
"چُروائے": "چُرنا",
"چُروائی": "چُرنا",
"چُروائیے": "چُرنا",
"چُروائیں": "چُرنا",
"چُروایا": "چُرنا",
"چُری": "چُرْنا",
"چُریے": "چُرْنا",
"چُریں": "چُرْنا",
"چُھٹ": "چُھٹنا",
"چُھٹے": "چُھٹنا",
"چُھٹں": "چُھٹنا",
"چُھٹا": "چُھٹنا",
"چُھٹانے": "چُھٹنا",
"چُھٹانا": "چُھٹنا",
"چُھٹاتے": "چُھٹنا",
"چُھٹاتا": "چُھٹنا",
"چُھٹاتی": "چُھٹنا",
"چُھٹاتیں": "چُھٹنا",
"چُھٹاؤ": "چُھٹنا",
"چُھٹاؤں": "چُھٹنا",
"چُھٹائے": "چُھٹنا",
"چُھٹائی": "چُھٹنا",
"چُھٹائیے": "چُھٹنا",
"چُھٹائیں": "چُھٹنا",
"چُھٹایا": "چُھٹنا",
"چُھٹنے": "چُھٹنا",
"چُھٹنا": "چُھٹنا",
"چُھٹنی": "چُھٹنا",
"چُھٹتے": "چُھٹنا",
"چُھٹتا": "چُھٹنا",
"چُھٹتی": "چُھٹنا",
"چُھٹتیں": "چُھٹنا",
"چُھٹو": "چُھٹنا",
"چُھٹوں": "چُھٹنا",
"چُھٹوا": "چُھٹنا",
"چُھٹوانے": "چُھٹنا",
"چُھٹوانا": "چُھٹنا",
"چُھٹواتے": "چُھٹنا",
"چُھٹواتا": "چُھٹنا",
"چُھٹواتی": "چُھٹنا",
"چُھٹواتیں": "چُھٹنا",
"چُھٹواؤ": "چُھٹنا",
"چُھٹواؤں": "چُھٹنا",
"چُھٹوائے": "چُھٹنا",
"چُھٹوائی": "چُھٹنا",
"چُھٹوائیے": "چُھٹنا",
"چُھٹوائیں": "چُھٹنا",
"چُھٹوایا": "چُھٹنا",
"چُھٹی": "چُھٹنا",
"چُھٹیے": "چُھٹنا",
"چُھٹیں": "چُھٹنا",
"چُھپ": "چُھپنا",
"چُھپے": "چُھپنا",
"چُھپں": "چُھپنا",
"چُھپا": "چُھپنا",
"چُھپانے": "چُھپنا",
"چُھپانا": "چُھپنا",
"چُھپاتے": "چُھپنا",
"چُھپاتا": "چُھپنا",
"چُھپاتی": "چُھپنا",
"چُھپاتیں": "چُھپنا",
"چُھپاؤ": "چُھپنا",
"چُھپاؤں": "چُھپنا",
"چُھپائے": "چُھپنا",
"چُھپائی": "چُھپنا",
"چُھپائیے": "چُھپنا",
"چُھپائیں": "چُھپنا",
"چُھپایا": "چُھپنا",
"چُھپنے": "چُھپنا",
"چُھپنا": "چُھپنا",
"چُھپنی": "چُھپنا",
"چُھپتے": "چُھپنا",
"چُھپتا": "چُھپنا",
"چُھپتی": "چُھپنا",
"چُھپتیں": "چُھپنا",
"چُھپو": "چُھپنا",
"چُھپوں": "چُھپنا",
"چُھپوا": "چُھپنا",
"چُھپوانے": "چُھپنا",
"چُھپوانا": "چُھپنا",
"چُھپواتے": "چُھپنا",
"چُھپواتا": "چُھپنا",
"چُھپواتی": "چُھپنا",
"چُھپواتیں": "چُھپنا",
"چُھپواؤ": "چُھپنا",
"چُھپواؤں": "چُھپنا",
"چُھپوائے": "چُھپنا",
"چُھپوائی": "چُھپنا",
"چُھپوائیے": "چُھپنا",
"چُھپوائیں": "چُھپنا",
"چُھپوایا": "چُھپنا",
"چُھپی": "چُھپنا",
"چُھپیے": "چُھپنا",
"چُھپیں": "چُھپنا",
"چغے": "چغہ",
"چغہ": "چغہ",
"چغلی": "چغلی",
"چغلیاں": "چغلی",
"چغلیو": "چغلی",
"چغلیوں": "چغلی",
"چغو": "چغہ",
"چغوں": "چغہ",
"چخا": "چیخنا",
"چخانے": "چیخنا",
"چخانا": "چیخنا",
"چخاتے": "چیخنا",
"چخاتا": "چیخنا",
"چخاتی": "چیخنا",
"چخاتیں": "چیخنا",
"چخاؤ": "چیخنا",
"چخاؤں": "چیخنا",
"چخائے": "چیخنا",
"چخائی": "چیخنا",
"چخائیے": "چیخنا",
"چخائیں": "چیخنا",
"چخایا": "چیخنا",
"چخوا": "چیخنا",
"چخوانے": "چیخنا",
"چخوانا": "چیخنا",
"چخواتے": "چیخنا",
"چخواتا": "چیخنا",
"چخواتی": "چیخنا",
"چخواتیں": "چیخنا",
"چخواؤ": "چیخنا",
"چخواؤں": "چیخنا",
"چخوائے": "چیخنا",
"چخوائی": "چیخنا",
"چخوائیے": "چیخنا",
"چخوائیں": "چیخنا",
"چخوایا": "چیخنا",
"چڑ": "چڑنا",
"چڑے": "چڑا",
"چڑں": "چڑنا",
"چڑا": "چڑا",
"چڑانے": "چڑنا",
"چڑانا": "چڑنا",
"چڑاتے": "چڑنا",
"چڑاتا": "چڑنا",
"چڑاتی": "چڑنا",
"چڑاتیں": "چڑنا",
"چڑاؤ": "چڑنا",
"چڑاؤں": "چڑنا",
"چڑائے": "چڑنا",
"چڑائی": "چڑنا",
"چڑائیے": "چڑنا",
"چڑائیں": "چڑنا",
"چڑایا": "چڑنا",
"چڑنے": "چڑنا",
"چڑنا": "چڑنا",
"چڑنی": "چڑنا",
"چڑتے": "چڑنا",
"چڑتا": "چڑنا",
"چڑتی": "چڑنا",
"چڑتیں": "چڑنا",
"چڑو": "چڑا",
"چڑوں": "چڑا",
"چڑوا": "چڑنا",
"چڑوانے": "چڑنا",
"چڑوانا": "چڑنا",
"چڑواتے": "چڑنا",
"چڑواتا": "چڑنا",
"چڑواتی": "چڑنا",
"چڑواتیں": "چڑنا",
"چڑواؤ": "چڑنا",
"چڑواؤں": "چڑنا",
"چڑوائے": "چڑنا",
"چڑوائی": "چڑنا",
"چڑوائیے": "چڑنا",
"چڑوائیں": "چڑنا",
"چڑوایا": "چڑنا",
"چڑی": "چڑی",
"چڑیے": "چڑنا",
"چڑیں": "چڑنا",
"چڑیا": "چڑیا",
"چڑیاں": "چڑی",
"چڑیل": "چڑیل",
"چڑیلو": "چڑیل",
"چڑیلوں": "چڑیل",
"چڑیلیں": "چڑیل",
"چڑیو": "چڑی",
"چڑیوں": "چڑی",
"چڑھ": "چڑھنا",
"چڑھے": "چڑھنا",
"چڑھں": "چڑھنا",
"چڑھا": "چڑھنا",
"چڑھانے": "چڑھنا",
"چڑھانا": "چڑھنا",
"چڑھاتے": "چڑھنا",
"چڑھاتا": "چڑھنا",
"چڑھاتی": "چڑھنا",
"چڑھاتیں": "چڑھنا",
"چڑھاؤ": "چڑھنا",
"چڑھاؤں": "چڑھنا",
"چڑھائے": "چڑھنا",
"چڑھائی": "چڑھائی",
"چڑھائیے": "چڑھنا",
"چڑھائیں": "چڑھنا",
"چڑھائیاں": "چڑھائی",
"چڑھائیو": "چڑھائی",
"چڑھائیوں": "چڑھائی",
"چڑھایا": "چڑھنا",
"چڑھنے": "چڑھنا",
"چڑھنا": "چڑھنا",
"چڑھنی": "چڑھنا",
"چڑھتے": "چڑھنا",
"چڑھتا": "چڑھنا",
"چڑھتی": "چڑھنا",
"چڑھتیں": "چڑھنا",
"چڑھو": "چڑھنا",
"چڑھوں": "چڑھنا",
"چڑھوا": "چڑھنا",
"چڑھوانے": "چڑھنا",
"چڑھوانا": "چڑھنا",
"چڑھواتے": "چڑھنا",
"چڑھواتا": "چڑھنا",
"چڑھواتی": "چڑھنا",
"چڑھواتیں": "چڑھنا",
"چڑھواؤ": "چڑھنا",
"چڑھواؤں": "چڑھنا",
"چڑھوائے": "چڑھنا",
"چڑھوائی": "چڑھنا",
"چڑھوائیے": "چڑھنا",
"چڑھوائیں": "چڑھنا",
"چڑھوایا": "چڑھنا",
"چڑھی": "چڑھنا",
"چڑھیے": "چڑھنا",
"چڑھیں": "چڑھنا",
"چٹخ": "چٹخنا",
"چٹخے": "چٹخنا",
"چٹخں": "چٹخنا",
"چٹخا": "چٹخنا",
"چٹخانے": "چٹخنا",
"چٹخانا": "چٹخنا",
"چٹخاتے": "چٹخنا",
"چٹخاتا": "چٹخنا",
"چٹخاتی": "چٹخنا",
"چٹخاتیں": "چٹخنا",
"چٹخاؤ": "چٹخنا",
"چٹخاؤں": "چٹخنا",
"چٹخائے": "چٹخنا",
"چٹخائی": "چٹخنا",
"چٹخائیے": "چٹخنا",
"چٹخائیں": "چٹخنا",
"چٹخایا": "چٹخنا",
"چٹخنے": "چٹخنا",
"چٹخنا": "چٹخنا",
"چٹخنی": "چٹخنا",
"چٹختے": "چٹخنا",
"چٹختا": "چٹخنا",
"چٹختی": "چٹخنا",
"چٹختیں": "چٹخنا",
"چٹخو": "چٹخنا",
"چٹخوں": "چٹخنا",
"چٹخوا": "چٹخنا",
"چٹخوانے": "چٹخنا",
"چٹخوانا": "چٹخنا",
"چٹخواتے": "چٹخنا",
"چٹخواتا": "چٹخنا",
"چٹخواتی": "چٹخنا",
"چٹخواتیں": "چٹخنا",
"چٹخواؤ": "چٹخنا",
"چٹخواؤں": "چٹخنا",
"چٹخوائے": "چٹخنا",
"چٹخوائی": "چٹخنا",
"چٹخوائیے": "چٹخنا",
"چٹخوائیں": "چٹخنا",
"چٹخوایا": "چٹخنا",
"چٹخی": "چٹخنا",
"چٹخیے": "چٹخنا",
"چٹخیں": "چٹخنا",
"چٹا": "چاٹنا",
"چٹان": "چٹان",
"چٹانے": "چاٹنا",
"چٹانا": "چاٹنا",
"چٹانو": "چٹان",
"چٹانوں": "چٹان",
"چٹانیں": "چٹان",
"چٹاتے": "چاٹنا",
"چٹاتا": "چاٹنا",
"چٹاتی": "چاٹنا",
"چٹاتیں": "چاٹنا",
"چٹاؤ": "چاٹنا",
"چٹاؤں": "چاٹنا",
"چٹائے": "چاٹنا",
"چٹائی": "چٹائی",
"چٹائیے": "چاٹنا",
"چٹائیں": "چاٹنا",
"چٹائیاں": "چٹائی",
"چٹائیو": "چٹائی",
"چٹائیوں": "چٹائی",
"چٹایا": "چاٹنا",
"چٹک": "چٹکنا",
"چٹکے": "چٹکنا",
"چٹکں": "چٹکنا",
"چٹکا": "چٹکنا",
"چٹکانے": "چٹکنا",
"چٹکانا": "چٹکنا",
"چٹکاتے": "چٹکنا",
"چٹکاتا": "چٹکنا",
"چٹکاتی": "چٹکنا",
"چٹکاتیں": "چٹکنا",
"چٹکاؤ": "چٹکنا",
"چٹکاؤں": "چٹکنا",
"چٹکائے": "چٹکنا",
"چٹکائی": "چٹکنا",
"چٹکائیے": "چٹکنا",
"چٹکائیں": "چٹکنا",
"چٹکایا": "چٹکنا",
"چٹکنے": "چٹکنا",
"چٹکنا": "چٹکنا",
"چٹکنی": "چٹکنا",
"چٹکتے": "چٹکنا",
"چٹکتا": "چٹکنا",
"چٹکتی": "چٹکنا",
"چٹکتیں": "چٹکنا",
"چٹکو": "چٹکنا",
"چٹکوں": "چٹکنا",
"چٹکوا": "چٹکنا",
"چٹکوانے": "چٹکنا",
"چٹکوانا": "چٹکنا",
"چٹکواتے": "چٹکنا",
"چٹکواتا": "چٹکنا",
"چٹکواتی": "چٹکنا",
"چٹکواتیں": "چٹکنا",
"چٹکواؤ": "چٹکنا",
"چٹکواؤں": "چٹکنا",
"چٹکوائے": "چٹکنا",
"چٹکوائی": "چٹکنا",
"چٹکوائیے": "چٹکنا",
"چٹکوائیں": "چٹکنا",
"چٹکوایا": "چٹکنا",
"چٹکی": "چٹکی",
"چٹکیے": "چٹکنا",
"چٹکیں": "چٹکنا",
"چٹکیاں": "چٹکی",
"چٹکیو": "چٹکی",
"چٹکیوں": "چٹکی",
"چٹنی": "چٹنی",
"چٹنیاں": "چٹنی",
"چٹنیو": "چٹنی",
"چٹنیوں": "چٹنی",
"چٹوا": "چاٹنا",
"چٹوانے": "چاٹنا",
"چٹوانا": "چاٹنا",
"چٹواتے": "چاٹنا",
"چٹواتا": "چاٹنا",
"چٹواتی": "چاٹنا",
"چٹواتیں": "چاٹنا",
"چٹواؤ": "چاٹنا",
"چٹواؤں": "چاٹنا",
"چٹوائے": "چاٹنا",
"چٹوائی": "چاٹنا",
"چٹوائیے": "چاٹنا",
"چٹوائیں": "چاٹنا",
"چٹوایا": "چاٹنا",
"چٹھے": "چٹھہ",
"چٹھہ": "چٹھہ",
"چٹھو": "چٹھہ",
"چٹھوں": "چٹھہ",
"چٹھی": "چٹھی",
"چٹھیاں": "چٹھی",
"چٹھیو": "چٹھی",
"چٹھیوں": "چٹھی",
"چشم": "چشم",
"چشمے": "چشمہ",
"چشمہ": "چشمہ",
"چشمو": "چشمہ",
"چشموں": "چشمہ",
"چاٹ": "چاٹنا",
"چاٹے": "چاٹنا",
"چاٹں": "چاٹنا",
"چاٹا": "چاٹنا",
"چاٹنے": "چاٹنا",
"چاٹنا": "چاٹنا",
"چاٹنی": "چاٹنا",
"چاٹتے": "چاٹنا",
"چاٹتا": "چاٹنا",
"چاٹتی": "چاٹنا",
"چاٹتیں": "چاٹنا",
"چاٹو": "چاٹنا",
"چاٹوں": "چاٹنا",
"چاٹی": "چاٹی",
"چاٹیے": "چاٹنا",
"چاٹیں": "چاٹنا",
"چاٹیاں": "چاٹی",
"چاٹیو": "چاٹی",
"چاٹیوں": "چاٹی",
"چابی": "چابی",
"چابیاں": "چابی",
"چابیو": "چابی",
"چابیوں": "چابی",
"چادر": "چادر",
"چادرو": "چادر",
"چادروں": "چادر",
"چادریں": "چادر",
"چاہ": "چاہنا",
"چاہَت": "چاہَت",
"چاہَتو": "چاہَت",
"چاہَتوں": "چاہَت",
"چاہَتیں": "چاہَت",
"چاہے": "چاہنا",
"چاہں": "چاہنا",
"چاہا": "چاہنا",
"چاہنے": "چاہنا",
"چاہنا": "چاہنا",
"چاہنی": "چاہنا",
"چاہت": "چاہت",
"چاہتے": "چاہنا",
"چاہتا": "چاہنا",
"چاہتو": "چاہت",
"چاہتوں": "چاہت",
"چاہتی": "چاہنا",
"چاہتیں": "چاہت",
"چاہو": "چاہنا",
"چاہوں": "چاہنا",
"چاہی": "چاہنا",
"چاہیے": "چاہنا",
"چاہیں": "چاہنا",
"چاک": "چاک",
"چاکلیٹ": "چاکلیٹ",
"چاکلیٹو": "چاکلیٹ",
"چاکلیٹوں": "چاکلیٹ",
"چاکلیٹیں": "چاکلیٹ",
"چاکو": "چاک",
"چاکوں": "چاک",
"چال": "چال",
"چالاکی": "چالاکی",
"چالاکیاں": "چالاکی",
"چالاکیو": "چالاکی",
"چالاکیوں": "چالاکی",
"چالان": "چالان",
"چالانو": "چالان",
"چالانوں": "چالان",
"چالو": "چال",
"چالوں": "چال",
"چالیں": "چال",
"چالیسواں": "چالیسواں",
"چالیسووںں": "چالیسواں",
"چالیسویں": "چالیسواں",
"چاند": "چاند",
"چاندنی": "چاندنی",
"چاندنیاں": "چاندنی",
"چاندنیو": "چاندنی",
"چاندنیوں": "چاندنی",
"چاندو": "چاند",
"چاندوں": "چاند",
"چاق": "چاق",
"چاقو": "چاق",
"چاقوں": "چاق",
"چاقوو": "چاقو",
"چاقووں": "چاقو",
"چار": "چار",
"چارے": "چارا",
"چارا": "چارا",
"چارہ": "چارہ",
"چارپائی": "چارپائی",
"چارپائیاں": "چارپائی",
"چارپائیو": "چارپائی",
"چارپائیوں": "چارپائی",
"چارو": "چارا",
"چاروں": "چارا",
"چاریں": "چار",
"چاؤ": "چاؤ",
"چاول": "چاول",
"چاولو": "چاول",
"چاولوں": "چاول",
"چب": "چبنا",
"چبے": "چبنا",
"چبں": "چبنا",
"چبا": "چبنا",
"چبانے": "چبنا",
"چبانا": "چبنا",
"چباتے": "چبنا",
"چباتا": "چبنا",
"چباتی": "چبنا",
"چباتیں": "چبنا",
"چباؤ": "چبنا",
"چباؤں": "چبنا",
"چبائے": "چبنا",
"چبائی": "چبنا",
"چبائیے": "چبنا",
"چبائیں": "چبنا",
"چبایا": "چبنا",
"چبنے": "چبنا",
"چبنا": "چبنا",
"چبنی": "چبنا",
"چبتے": "چبنا",
"چبتا": "چبنا",
"چبتی": "چبنا",
"چبتیں": "چبنا",
"چبو": "چبنا",
"چبوں": "چبنا",
"چبوا": "چبنا",
"چبوانے": "چبنا",
"چبوانا": "چبنا",
"چبواتے": "چبنا",
"چبواتا": "چبنا",
"چبواتی": "چبنا",
"چبواتیں": "چبنا",
"چبواؤ": "چبنا",
"چبواؤں": "چبنا",
"چبوائے": "چبنا",
"چبوائی": "چبنا",
"چبوائیے": "چبنا",
"چبوائیں": "چبنا",
"چبوایا": "چبنا",
"چبوترے": "چبوترہ",
"چبوترہ": "چبوترہ",
"چبوترو": "چبوترہ",
"چبوتروں": "چبوترہ",
"چبی": "چبنا",
"چبیے": "چبنا",
"چبیں": "چبنا",
"چچا": "چچا",
"چچاؤ": "چچا",
"چچاؤں": "چچا",
"چچائیں": "چچا",
"چگ": "چگنا",
"چگے": "چگنا",
"چگں": "چگنا",
"چگا": "چگنا",
"چگانے": "چگنا",
"چگانا": "چگنا",
"چگاتے": "چگنا",
"چگاتا": "چگنا",
"چگاتی": "چگنا",
"چگاتیں": "چگنا",
"چگاؤ": "چگنا",
"چگاؤں": "چگنا",
"چگائے": "چگنا",
"چگائی": "چگنا",
"چگائیے": "چگنا",
"چگائیں": "چگنا",
"چگایا": "چگنا",
"چگنے": "چگنا",
"چگنا": "چگنا",
"چگنی": "چگنا",
"چگتے": "چگنا",
"چگتا": "چگنا",
"چگتی": "چگنا",
"چگتیں": "چگنا",
"چگو": "چگنا",
"چگوں": "چگنا",
"چگوا": "چگنا",
"چگوانے": "چگنا",
"چگوانا": "چگنا",
"چگواتے": "چگنا",
"چگواتا": "چگنا",
"چگواتی": "چگنا",
"چگواتیں": "چگنا",
"چگواؤ": "چگنا",
"چگواؤں": "چگنا",
"چگوائے": "چگنا",
"چگوائی": "چگنا",
"چگوائیے": "چگنا",
"چگوائیں": "چگنا",
"چگوایا": "چگنا",
"چگی": "چگنا",
"چگیے": "چگنا",
"چگیں": "چگنا",
"چہچہا": "چہچہانا",
"چہچہانے": "چہچہانا",
"چہچہانا": "چہچہانا",
"چہچہانی": "چہچہانا",
"چہچہاتے": "چہچہانا",
"چہچہاتا": "چہچہانا",
"چہچہاتی": "چہچہانا",
"چہچہاتیں": "چہچہانا",
"چہچہاؤ": "چہچہانا",
"چہچہاؤں": "چہچہانا",
"چہچہائے": "چہچہانا",
"چہچہائی": "چہچہانا",
"چہچہائیے": "چہچہانا",
"چہچہائیں": "چہچہانا",
"چہچہایا": "چہچہانا",
"چہرے": "چہرا",
"چہرا": "چہرا",
"چہرہ": "چہرہ",
"چہرو": "چہرا",
"چہروں": "چہرا",
"چک": "چکنا",
"چکے": "چکنا",
"چکں": "چکنا",
"چکا": "چکنا",
"چکانے": "چکنا",
"چکانا": "چکنا",
"چکاتے": "چکنا",
"چکاتا": "چکنا",
"چکاتی": "چکنا",
"چکاتیں": "چکنا",
"چکاؤ": "چکنا",
"چکاؤں": "چکنا",
"چکائے": "چکنا",
"چکائی": "چکنا",
"چکائیے": "چکنا",
"چکائیں": "چکنا",
"چکایا": "چکنا",
"چکلے": "چکلہ",
"چکلہ": "چکلہ",
"چکلو": "چکلہ",
"چکلوں": "چکلہ",
"چکنے": "چکنا",
"چکنا": "چکنا",
"چکنی": "چکنا",
"چکر": "چکر",
"چکرا": "چکرانا",
"چکرانے": "چکرانا",
"چکرانا": "چکرانا",
"چکرانی": "چکرانا",
"چکراتے": "چکرانا",
"چکراتا": "چکرانا",
"چکراتی": "چکرانا",
"چکراتیں": "چکرانا",
"چکراؤ": "چکرانا",
"چکراؤں": "چکرانا",
"چکرائے": "چکرانا",
"چکرائی": "چکرانا",
"چکرائیے": "چکرانا",
"چکرائیں": "چکرانا",
"چکرایا": "چکرانا",
"چکرو": "چکر",
"چکروں": "چکر",
"چکتے": "چکنا",
"چکتا": "چکنا",
"چکتی": "چکنا",
"چکتیں": "چکنا",
"چکو": "چکنا",
"چکوں": "چکنا",
"چکوا": "چکنا",
"چکوانے": "چکنا",
"چکوانا": "چکنا",
"چکواتے": "چکنا",
"چکواتا": "چکنا",
"چکواتی": "چکنا",
"چکواتیں": "چکنا",
"چکواؤ": "چکنا",
"چکواؤں": "چکنا",
"چکوائے": "چکنا",
"چکوائی": "چکنا",
"چکوائیے": "چکنا",
"چکوائیں": "چکنا",
"چکوایا": "چکنا",
"چکی": "چکنا",
"چکیے": "چکنا",
"چکیں": "چکنا",
"چکھ": "چکھنا",
"چکھے": "چکھنا",
"چکھں": "چکھنا",
"چکھا": "چکھنا",
"چکھانے": "چکھنا",
"چکھانا": "چکھنا",
"چکھاتے": "چکھنا",
"چکھاتا": "چکھنا",
"چکھاتی": "چکھنا",
"چکھاتیں": "چکھنا",
"چکھاؤ": "چکھنا",
"چکھاؤں": "چکھنا",
"چکھائے": "چکھنا",
"چکھائی": "چکھنا",
"چکھائیے": "چکھنا",
"چکھائیں": "چکھنا",
"چکھایا": "چکھنا",
"چکھنے": "چکھنا",
"چکھنا": "چکھنا",
"چکھنی": "چکھنا",
"چکھتے": "چکھنا",
"چکھتا": "چکھنا",
"چکھتی": "چکھنا",
"چکھتیں": "چکھنا",
"چکھو": "چکھنا",
"چکھوں": "چکھنا",
"چکھوا": "چکھنا",
"چکھوانے": "چکھنا",
"چکھوانا": "چکھنا",
"چکھواتے": "چکھنا",
"چکھواتا": "چکھنا",
"چکھواتی": "چکھنا",
"چکھواتیں": "چکھنا",
"چکھواؤ": "چکھنا",
"چکھواؤں": "چکھنا",
"چکھوائے": "چکھنا",
"چکھوائی": "چکھنا",
"چکھوائیے": "چکھنا",
"چکھوائیں": "چکھنا",
"چکھوایا": "چکھنا",
"چکھی": "چکھنا",
"چکھیے": "چکھنا",
"چکھیں": "چکھنا",
"چل": "چلنا",
"چلّ": "چلّنا",
"چلّے": "چلّنا",
"چلّں": "چلّنا",
"چلّا": "چلّنا",
"چلّنے": "چلّنا",
"چلّنا": "چلّنا",
"چلّنی": "چلّنا",
"چلّتے": "چلّنا",
"چلّتا": "چلّنا",
"چلّتی": "چلّنا",
"چلّتیں": "چلّنا",
"چلّو": "چلّنا",
"چلّوں": "چلّنا",
"چلّوا": "چلّنا",
"چلّوانے": "چلّنا",
"چلّوانا": "چلّنا",
"چلّواتے": "چلّنا",
"چلّواتا": "چلّنا",
"چلّواتی": "چلّنا",
"چلّواتیں": "چلّنا",
"چلّواؤ": "چلّنا",
"چلّواؤں": "چلّنا",
"چلّوائے": "چلّنا",
"چلّوائی": "چلّنا",
"چلّوائیے": "چلّنا",
"چلّوائیں": "چلّنا",
"چلّوایا": "چلّنا",
"چلّی": "چلّنا",
"چلّیے": "چلّنا",
"چلّیں": "چلّنا",
"چلے": "چلہ",
"چلں": "چلنا",
"چلا": "چلنا",
"چلاک": "چلاک",
"چلاکو": "چلاک",
"چلاکوں": "چلاک",
"چلانے": "چلنا",
"چلانا": "چلنا",
"چلاتے": "چلنا",
"چلاتا": "چلنا",
"چلاتی": "چلنا",
"چلاتیں": "چلنا",
"چلاؤ": "چلنا",
"چلاؤں": "چلنا",
"چلائے": "چلنا",
"چلائی": "چلنا",
"چلائیے": "چلنا",
"چلائیں": "چلنا",
"چلایا": "چلنا",
"چلہ": "چلہ",
"چلمن": "چلمن",
"چلمنو": "چلمن",
"چلمنوں": "چلمن",
"چلمنیں": "چلمن",
"چلنے": "چلنا",
"چلنا": "چلنا",
"چلنی": "چلنا",
"چلت": "چلت",
"چلتے": "چلتا",
"چلتا": "چلتا",
"چلتو": "چلتا",
"چلتوں": "چلتا",
"چلتی": "چلنا",
"چلتیں": "چلت",
"چلو": "چلہ",
"چلوں": "چلہ",
"چلوا": "چلنا",
"چلوانے": "چلنا",
"چلوانا": "چلنا",
"چلواتے": "چلنا",
"چلواتا": "چلنا",
"چلواتی": "چلنا",
"چلواتیں": "چلنا",
"چلواؤ": "چلنا",
"چلواؤں": "چلنا",
"چلوائے": "چلنا",
"چلوائی": "چلنا",
"چلوائیے": "چلنا",
"چلوائیں": "چلنا",
"چلوایا": "چلنا",
"چلی": "چلنا",
"چلیے": "چلنا",
"چلیں": "چلنا",
"چمٹ": "چمٹنا",
"چمٹے": "چمٹنا",
"چمٹں": "چمٹنا",
"چمٹا": "چمٹنا",
"چمٹانے": "چمٹنا",
"چمٹانا": "چمٹنا",
"چمٹاتے": "چمٹنا",
"چمٹاتا": "چمٹنا",
"چمٹاتی": "چمٹنا",
"چمٹاتیں": "چمٹنا",
"چمٹاؤ": "چمٹنا",
"چمٹاؤں": "چمٹنا",
"چمٹائے": "چمٹنا",
"چمٹائی": "چمٹنا",
"چمٹائیے": "چمٹنا",
"چمٹائیں": "چمٹنا",
"چمٹایا": "چمٹنا",
"چمٹنے": "چمٹنا",
"چمٹنا": "چمٹنا",
"چمٹنی": "چمٹنا",
"چمٹتے": "چمٹنا",
"چمٹتا": "چمٹنا",
"چمٹتی": "چمٹنا",
"چمٹتیں": "چمٹنا",
"چمٹو": "چمٹنا",
"چمٹوں": "چمٹنا",
"چمٹوا": "چمٹنا",
"چمٹوانے": "چمٹنا",
"چمٹوانا": "چمٹنا",
"چمٹواتے": "چمٹنا",
"چمٹواتا": "چمٹنا",
"چمٹواتی": "چمٹنا",
"چمٹواتیں": "چمٹنا",
"چمٹواؤ": "چمٹنا",
"چمٹواؤں": "چمٹنا",
"چمٹوائے": "چمٹنا",
"چمٹوائی": "چمٹنا",
"چمٹوائیے": "چمٹنا",
"چمٹوائیں": "چمٹنا",
"چمٹوایا": "چمٹنا",
"چمٹی": "چمٹنا",
"چمٹیے": "چمٹنا",
"چمٹیں": "چمٹنا",
"چمار": "چمار",
"چمارو": "چمار",
"چماروں": "چمار",
"چمچے": "چمچہ",
"چمچہ": "چمچہ",
"چمچو": "چمچہ",
"چمچوں": "چمچہ",
"چمگادڑ": "چمگادڑ",
"چمگادڑو": "چمگادڑ",
"چمگادڑوں": "چمگادڑ",
"چمگادڑیں": "چمگادڑ",
"چمک": "چمکنا",
"چمکے": "چمکنا",
"چمکں": "چمکنا",
"چمکا": "چمکنا",
"چمکانے": "چمکنا",
"چمکانا": "چمکنا",
"چمکاتے": "چمکنا",
"چمکاتا": "چمکنا",
"چمکاتی": "چمکنا",
"چمکاتیں": "چمکنا",
"چمکاؤ": "چمکنا",
"چمکاؤں": "چمکنا",
"چمکائے": "چمکنا",
"چمکائی": "چمکنا",
"چمکائیے": "چمکنا",
"چمکائیں": "چمکنا",
"چمکایا": "چمکنا",
"چمکنے": "چمکنا",
"چمکنا": "چمکنا",
"چمکنی": "چمکنا",
"چمکتے": "چمکنا",
"چمکتا": "چمکنا",
"چمکتی": "چمکنا",
"چمکتیں": "چمکنا",
"چمکو": "چمکنا",
"چمکوں": "چمکنا",
"چمکوا": "چمکنا",
"چمکوانے": "چمکنا",
"چمکوانا": "چمکنا",
"چمکواتے": "چمکنا",
"چمکواتا": "چمکنا",
"چمکواتی": "چمکنا",
"چمکواتیں": "چمکنا",
"چمکواؤ": "چمکنا",
"چمکواؤں": "چمکنا",
"چمکوائے": "چمکنا",
"چمکوائی": "چمکنا",
"چمکوائیے": "چمکنا",
"چمکوائیں": "چمکنا",
"چمکوایا": "چمکنا",
"چمکی": "چمکنا",
"چمکیے": "چمکنا",
"چمکیں": "چمکنا",
"چمن": "چمن",
"چمنو": "چمن",
"چمنوں": "چمن",
"چن": "چننا",
"چنے": "چنا",
"چنں": "چننا",
"چنا": "چنا",
"چنانے": "چننا",
"چنانا": "چننا",
"چنانچہ": "چنانچہ",
"چناتے": "چننا",
"چناتا": "چننا",
"چناتی": "چننا",
"چناتیں": "چننا",
"چناؤ": "چننا",
"چناؤں": "چننا",
"چنائے": "چننا",
"چنائی": "چنائی",
"چنائیے": "چننا",
"چنائیں": "چننا",
"چنائیاں": "چنائی",
"چنائیو": "چنائی",
"چنائیوں": "چنائی",
"چنایا": "چننا",
"چند": "چند",
"چندے": "چندا",
"چندا": "چندا",
"چندہ": "چندہ",
"چندو": "چندا",
"چندوں": "چندا",
"چنگاری": "چنگاری",
"چنگاریاں": "چنگاری",
"چنگاریو": "چنگاری",
"چنگاریوں": "چنگاری",
"چنگھاڑ": "چنگھاڑنا",
"چنگھاڑے": "چنگھاڑنا",
"چنگھاڑں": "چنگھاڑنا",
"چنگھاڑا": "چنگھاڑنا",
"چنگھاڑنے": "چنگھاڑنا",
"چنگھاڑنا": "چنگھاڑنا",
"چنگھاڑنی": "چنگھاڑنا",
"چنگھاڑتے": "چنگھاڑنا",
"چنگھاڑتا": "چنگھاڑنا",
"چنگھاڑتی": "چنگھاڑنا",
"چنگھاڑتیں": "چنگھاڑنا",
"چنگھاڑو": "چنگھاڑنا",
"چنگھاڑوں": "چنگھاڑنا",
"چنگھاڑی": "چنگھاڑنا",
"چنگھاڑیے": "چنگھاڑنا",
"چنگھاڑیں": "چنگھاڑنا",
"چننے": "چننا",
"چننا": "چننا",
"چننی": "چننا",
"چنتے": "چنتا",
"چنتا": "چنتا",
"چنتو": "چنتا",
"چنتوں": "چنتا",
"چنتی": "چننا",
"چنتیں": "چننا",
"چنو": "چنا",
"چنوں": "چنا",
"چنوا": "چننا",
"چنوانے": "چننا",
"چنوانا": "چننا",
"چنواتے": "چننا",
"چنواتا": "چننا",
"چنواتی": "چننا",
"چنواتیں": "چننا",
"چنواؤ": "چننا",
"چنواؤں": "چننا",
"چنوائے": "چننا",
"چنوائی": "چننا",
"چنوائیے": "چننا",
"چنوائیں": "چننا",
"چنوایا": "چننا",
"چنی": "چننا",
"چنیے": "چننا",
"چنیں": "چننا",
"چنیا": "چنیا",
"چنیاں": "چنیا",
"چنیو": "چنیا",
"چنیوں": "چنیا",
"چپے": "چپہ",
"چپڑاسی": "چپڑاسی",
"چپڑاسیاں": "چپڑاسی",
"چپڑاسیو": "چپڑاسی",
"چپڑاسیوں": "چپڑاسی",
"چپاتی": "چپاتی",
"چپاتیاں": "چپاتی",
"چپاتیو": "چپاتی",
"چپاتیوں": "چپاتی",
"چپہ": "چپہ",
"چپک": "چپکنا",
"چپکے": "چپکا",
"چپکں": "چپکنا",
"چپکا": "چپکا",
"چپکانے": "چپکنا",
"چپکانا": "چپکنا",
"چپکاتے": "چپکنا",
"چپکاتا": "چپکنا",
"چپکاتی": "چپکنا",
"چپکاتیں": "چپکنا",
"چپکاؤ": "چپکنا",
"چپکاؤں": "چپکنا",
"چپکائے": "چپکنا",
"چپکائی": "چپکنا",
"چپکائیے": "چپکنا",
"چپکائیں": "چپکنا",
"چپکایا": "چپکنا",
"چپکنے": "چپکنا",
"چپکنا": "چپکنا",
"چپکنی": "چپکنا",
"چپکتے": "چپکنا",
"چپکتا": "چپکنا",
"چپکتی": "چپکنا",
"چپکتیں": "چپکنا",
"چپکو": "چپکا",
"چپکوں": "چپکا",
"چپکوا": "چپکنا",
"چپکوانے": "چپکنا",
"چپکوانا": "چپکنا",
"چپکواتے": "چپکنا",
"چپکواتا": "چپکنا",
"چپکواتی": "چپکنا",
"چپکواتیں": "چپکنا",
"چپکواؤ": "چپکنا",
"چپکواؤں": "چپکنا",
"چپکوائے": "چپکنا",
"چپکوائی": "چپکنا",
"چپکوائیے": "چپکنا",
"چپکوائیں": "چپکنا",
"چپکوایا": "چپکنا",
"چپکی": "چپکنا",
"چپکیے": "چپکنا",
"چپکیں": "چپکنا",
"چپل": "چپل",
"چپلو": "چپل",
"چپلوں": "چپل",
"چپلیں": "چپل",
"چپراسی": "چپراسی",
"چپراسیاں": "چپراسی",
"چپراسیو": "چپراسی",
"چپراسیوں": "چپراسی",
"چپو": "چپہ",
"چپوں": "چپہ",
"چپوترے": "چپوترہ",
"چپوترہ": "چپوترہ",
"چپوترو": "چپوترہ",
"چپوتروں": "چپوترہ",
"چر": "چرنا",
"چرے": "چرنا",
"چرخی": "چرخی",
"چرخیاں": "چرخی",
"چرخیو": "چرخی",
"چرخیوں": "چرخی",
"چرں": "چرنا",
"چرا": "چرانا",
"چراغ": "چراغ",
"چراغو": "چراغ",
"چراغوں": "چراغ",
"چراگاہ": "چراگاہ",
"چراگاہو": "چراگاہ",
"چراگاہوں": "چراگاہ",
"چراگاہیں": "چراگاہ",
"چرانے": "چرانا",
"چرانا": "چرانا",
"چرانی": "چرانا",
"چراتے": "چرانا",
"چراتا": "چرانا",
"چراتی": "چرانا",
"چراتیں": "چرانا",
"چراؤ": "چرانا",
"چراؤں": "چرانا",
"چرائے": "چرانا",
"چرائی": "چرانا",
"چرائیے": "چرانا",
"چرائیں": "چرانا",
"چرایا": "چرانا",
"چربے": "چربہ",
"چربہ": "چربہ",
"چربو": "چربہ",
"چربوں": "چربہ",
"چرچے": "چرچہ",
"چرچہ": "چرچہ",
"چرچو": "چرچہ",
"چرچوں": "چرچہ",
"چرن": "چرن",
"چرنے": "چرنا",
"چرنا": "چرنا",
"چرنو": "چرن",
"چرنوں": "چرن",
"چرنی": "چرنا",
"چرتے": "چرنا",
"چرتا": "چرنا",
"چرتی": "چرنا",
"چرتیں": "چرنا",
"چرو": "چرنا",
"چروں": "چرنا",
"چروا": "چرنا",
"چرواہے": "چرواہا",
"چرواہا": "چرواہا",
"چرواہو": "چرواہا",
"چرواہوں": "چرواہا",
"چروانے": "چرنا",
"چروانا": "چرنا",
"چرواتے": "چرنا",
"چرواتا": "چرنا",
"چرواتی": "چرنا",
"چرواتیں": "چرنا",
"چرواؤ": "چرنا",
"چرواؤں": "چرنا",
"چروائے": "چرنا",
"چروائی": "چرنا",
"چروائیے": "چرنا",
"چروائیں": "چرنا",
"چروایا": "چرنا",
"چری": "چرنا",
"چریے": "چرنا",
"چریں": "چرنا",
"چسکی": "چسکی",
"چسکیاں": "چسکی",
"چسکیو": "چسکی",
"چسکیوں": "چسکی",
"چوغے": "چوغہ",
"چوغہ": "چوغہ",
"چوغو": "چوغہ",
"چوغوں": "چوغہ",
"چوڑ": "چوڑ",
"چوڑے": "چوڑا",
"چوڑا": "چوڑا",
"چوڑو": "چوڑا",
"چوڑوں": "چوڑا",
"چوڑی": "چوڑی",
"چوڑیاں": "چوڑی",
"چوڑیو": "چوڑی",
"چوڑیوں": "چوڑی",
"چوٹ": "چوٹ",
"چوٹو": "چوٹ",
"چوٹوں": "چوٹ",
"چوٹی": "چوٹی",
"چوٹیں": "چوٹ",
"چوٹیاں": "چوٹی",
"چوٹیو": "چوٹی",
"چوٹیوں": "چوٹی",
"چوبارے": "چوبارہ",
"چوبارہ": "چوبارہ",
"چوبارو": "چوبارہ",
"چوباروں": "چوبارہ",
"چوبیس": "چوبیس",
"چودہ": "چودہ",
"چودھری": "چودھری",
"چودھریو": "چودھری",
"چودھریوں": "چودھری",
"چودھواں": "چودھواں",
"چودھووںں": "چودھواں",
"چودھویں": "چودھواں",
"چوہے": "چوہا",
"چوہا": "چوہا",
"چوہدری": "چوہدری",
"چوہدریو": "چوہدری",
"چوہدریوں": "چوہدری",
"چوہو": "چوہا",
"چوہوں": "چوہا",
"چوک": "چوک",
"چوکے": "چوکا",
"چوکں": "چوکنا",
"چوکا": "چوکا",
"چوکنے": "چوکنا",
"چوکنا": "چوکنا",
"چوکنی": "چوکنا",
"چوکتے": "چوکنا",
"چوکتا": "چوکنا",
"چوکتی": "چوکنا",
"چوکتیں": "چوکنا",
"چوکو": "چوکا",
"چوکوں": "چوکا",
"چوکی": "چوکی",
"چوکیے": "چوکنا",
"چوکیں": "چوکنا",
"چوکیاں": "چوکی",
"چوکیدار": "چوکیدار",
"چوکیدارو": "چوکیدار",
"چوکیداروں": "چوکیدار",
"چوکیو": "چوکی",
"چوکیوں": "چوکی",
"چوکھٹ": "چوکھٹ",
"چوکھٹے": "چوکھٹا",
"چوکھٹا": "چوکھٹا",
"چوکھٹو": "چوکھٹا",
"چوکھٹوں": "چوکھٹا",
"چوکھٹیں": "چوکھٹ",
"چولی": "چولی",
"چولیاں": "چولی",
"چولیو": "چولی",
"چولیوں": "چولی",
"چولھے": "چولھا",
"چولھا": "چولھا",
"چولھو": "چولھا",
"چولھوں": "چولھا",
"چونچ": "چونچ",
"چونچو": "چونچ",
"چونچوں": "چونچ",
"چونچیں": "چونچ",
"چونکہ": "چونکہ",
"چوپال": "چوپال",
"چوپالو": "چوپال",
"چوپالوں": "چوپال",
"چوپالیں": "چوپال",
"چوپایے": "چوپایہ",
"چوپایہ": "چوپایہ",
"چوپایو": "چوپایہ",
"چوپایوں": "چوپایہ",
"چور": "چور",
"چوراہے": "چوراہہ",
"چوراہہ": "چوراہہ",
"چوراہو": "چوراہہ",
"چوراہوں": "چوراہہ",
"چورو": "چور",
"چوروں": "چور",
"چوری": "چوری",
"چوریاں": "چوری",
"چوریو": "چوری",
"چوریوں": "چوری",
"چوس": "چوسنا",
"چوسے": "چوسنا",
"چوسں": "چوسنا",
"چوسا": "چوسنا",
"چوسانے": "چوسنا",
"چوسانا": "چوسنا",
"چوساتے": "چوسنا",
"چوساتا": "چوسنا",
"چوساتی": "چوسنا",
"چوساتیں": "چوسنا",
"چوساؤ": "چوسنا",
"چوساؤں": "چوسنا",
"چوسائے": "چوسنا",
"چوسائی": "چوسنا",
"چوسائیے": "چوسنا",
"چوسائیں": "چوسنا",
"چوسایا": "چوسنا",
"چوسنے": "چوسنا",
"چوسنا": "چوسنا",
"چوسنی": "چوسنا",
"چوستے": "چوسنا",
"چوستا": "چوسنا",
"چوستی": "چوسنا",
"چوستیں": "چوسنا",
"چوسو": "چوسنا",
"چوسوں": "چوسنا",
"چوسوا": "چوسنا",
"چوسوانے": "چوسنا",
"چوسوانا": "چوسنا",
"چوسواتے": "چوسنا",
"چوسواتا": "چوسنا",
"چوسواتی": "چوسنا",
"چوسواتیں": "چوسنا",
"چوسواؤ": "چوسنا",
"چوسواؤں": "چوسنا",
"چوسوائے": "چوسنا",
"چوسوائی": "چوسنا",
"چوسوائیے": "چوسنا",
"چوسوائیں": "چوسنا",
"چوسوایا": "چوسنا",
"چوسی": "چوسنا",
"چوسیے": "چوسنا",
"چوسیں": "چوسنا",
"چوزے": "چوزا",
"چوزا": "چوزا",
"چوزہ": "چوزہ",
"چوزو": "چوزا",
"چوزوں": "چوزا",
"چیخ": "چیخ",
"چیخے": "چیخا",
"چیخں": "چیخنا",
"چیخا": "چیخا",
"چیخانے": "چیخنا",
"چیخانا": "چیخنا",
"چیخاتے": "چیخنا",
"چیخاتا": "چیخنا",
"چیخاتی": "چیخنا",
"چیخاتیں": "چیخنا",
"چیخاؤ": "چیخنا",
"چیخاؤں": "چیخنا",
"چیخائے": "چیخنا",
"چیخائی": "چیخنا",
"چیخائیے": "چیخنا",
"چیخائیں": "چیخنا",
"چیخایا": "چیخنا",
"چیخنے": "چیخنا",
"چیخنا": "چیخنا",
"چیخنی": "چیخنا",
"چیختے": "چیخنا",
"چیختا": "چیخنا",
"چیختی": "چیخنا",
"چیختیں": "چیخنا",
"چیخو": "چیخا",
"چیخوں": "چیخا",
"چیخوا": "چیخنا",
"چیخوانے": "چیخنا",
"چیخوانا": "چیخنا",
"چیخواتے": "چیخنا",
"چیخواتا": "چیخنا",
"چیخواتی": "چیخنا",
"چیخواتیں": "چیخنا",
"چیخواؤ": "چیخنا",
"چیخواؤں": "چیخنا",
"چیخوائے": "چیخنا",
"چیخوائی": "چیخنا",
"چیخوائیے": "چیخنا",
"چیخوائیں": "چیخنا",
"چیخوایا": "چیخنا",
"چیخی": "چیخنا",
"چیخیے": "چیخنا",
"چیخیں": "چیخ",
"چیل": "چیل",
"چیلو": "چیل",
"چیلوں": "چیل",
"چیلیں": "چیل",
"چینل": "چینل",
"چینلو": "چینل",
"چینلوں": "چینل",
"چینی": "چینی",
"چینیاں": "چینی",
"چینیو": "چینی",
"چینیوں": "چینی",
"چیر": "چیر",
"چیرے": "چیرنا",
"چیرں": "چیرنا",
"چیرا": "چیرنا",
"چیرانے": "چیرنا",
"چیرانا": "چیرنا",
"چیراتے": "چیرنا",
"چیراتا": "چیرنا",
"چیراتی": "چیرنا",
"چیراتیں": "چیرنا",
"چیراؤ": "چیرنا",
"چیراؤں": "چیرنا",
"چیرائے": "چیرنا",
"چیرائی": "چیرنا",
"چیرائیے": "چیرنا",
"چیرائیں": "چیرنا",
"چیرایا": "چیرنا",
"چیرنے": "چیرنا",
"چیرنا": "چیرنا",
"چیرنی": "چیرنا",
"چیرتے": "چیرنا",
"چیرتا": "چیرنا",
"چیرتی": "چیرنا",
"چیرتیں": "چیرنا",
"چیرو": "چیر",
"چیروں": "چیر",
"چیروا": "چیرنا",
"چیروانے": "چیرنا",
"چیروانا": "چیرنا",
"چیرواتے": "چیرنا",
"چیرواتا": "چیرنا",
"چیرواتی": "چیرنا",
"چیرواتیں": "چیرنا",
"چیرواؤ": "چیرنا",
"چیرواؤں": "چیرنا",
"چیروائے": "چیرنا",
"چیروائی": "چیرنا",
"چیروائیے": "چیرنا",
"چیروائیں": "چیرنا",
"چیروایا": "چیرنا",
"چیری": "چیرنا",
"چیریے": "چیرنا",
"چیریں": "چیرنا",
"چیتھڑ": "چیتھڑ",
"چیتھڑے": "چیتھڑا",
"چیتھڑا": "چیتھڑا",
"چیتھڑو": "چیتھڑا",
"چیتھڑوں": "چیتھڑا",
"چیونٹی": "چیونٹی",
"چیونٹیاں": "چیونٹی",
"چیونٹیو": "چیونٹی",
"چیونٹیوں": "چیونٹی",
"چیز": "چیز",
"چیزو": "چیز",
"چیزوں": "چیز",
"چیزیں": "چیز",
"چھے": "چھے",
"چھڑ": "چھڑنا",
"چھڑے": "چھڑنا",
"چھڑں": "چھڑنا",
"چھڑا": "چھڑنا",
"چھڑانے": "چھڑنا",
"چھڑانا": "چھڑنا",
"چھڑاتے": "چھڑنا",
"چھڑاتا": "چھڑنا",
"چھڑاتی": "چھڑنا",
"چھڑاتیں": "چھڑنا",
"چھڑاؤ": "چھڑنا",
"چھڑاؤں": "چھڑنا",
"چھڑائے": "چھڑنا",
"چھڑائی": "چھڑنا",
"چھڑائیے": "چھڑنا",
"چھڑائیں": "چھڑنا",
"چھڑایا": "چھڑنا",
"چھڑک": "چھڑکنا",
"چھڑکے": "چھڑکنا",
"چھڑکں": "چھڑکنا",
"چھڑکا": "چھڑکنا",
"چھڑکانے": "چھڑکنا",
"چھڑکانا": "چھڑکنا",
"چھڑکاتے": "چھڑکنا",
"چھڑکاتا": "چھڑکنا",
"چھڑکاتی": "چھڑکنا",
"چھڑکاتیں": "چھڑکنا",
"چھڑکاؤ": "چھڑکنا",
"چھڑکاؤں": "چھڑکنا",
"چھڑکائے": "چھڑکنا",
"چھڑکائی": "چھڑکنا",
"چھڑکائیے": "چھڑکنا",
"چھڑکائیں": "چھڑکنا",
"چھڑکایا": "چھڑکنا",
"چھڑکنے": "چھڑکنا",
"چھڑکنا": "چھڑکنا",
"چھڑکنی": "چھڑکنا",
"چھڑکتے": "چھڑکنا",
"چھڑکتا": "چھڑکنا",
"چھڑکتی": "چھڑکنا",
"چھڑکتیں": "چھڑکنا",
"چھڑکو": "چھڑکنا",
"چھڑکوں": "چھڑکنا",
"چھڑکوا": "چھڑکنا",
"چھڑکوانے": "چھڑکنا",
"چھڑکوانا": "چھڑکنا",
"چھڑکواتے": "چھڑکنا",
"چھڑکواتا": "چھڑکنا",
"چھڑکواتی": "چھڑکنا",
"چھڑکواتیں": "چھڑکنا",
"چھڑکواؤ": "چھڑکنا",
"چھڑکواؤں": "چھڑکنا",
"چھڑکوائے": "چھڑکنا",
"چھڑکوائی": "چھڑکنا",
"چھڑکوائیے": "چھڑکنا",
"چھڑکوائیں": "چھڑکنا",
"چھڑکوایا": "چھڑکنا",
"چھڑکی": "چھڑکنا",
"چھڑکیے": "چھڑکنا",
"چھڑکیں": "چھڑکنا",
"چھڑنے": "چھڑنا",
"چھڑنا": "چھڑنا",
"چھڑنی": "چھڑنا",
"چھڑتے": "چھڑنا",
"چھڑتا": "چھڑنا",
"چھڑتی": "چھڑنا",
"چھڑتیں": "چھڑنا",
"چھڑو": "چھڑنا",
"چھڑوں": "چھڑنا",
"چھڑوا": "چھڑنا",
"چھڑوانے": "چھڑنا",
"چھڑوانا": "چھڑنا",
"چھڑواتے": "چھڑنا",
"چھڑواتا": "چھڑنا",
"چھڑواتی": "چھڑنا",
"چھڑواتیں": "چھڑنا",
"چھڑواؤ": "چھڑنا",
"چھڑواؤں": "چھڑنا",
"چھڑوائے": "چھڑنا",
"چھڑوائی": "چھڑنا",
"چھڑوائیے": "چھڑنا",
"چھڑوائیں": "چھڑنا",
"چھڑوایا": "چھڑنا",
"چھڑی": "چھڑی",
"چھڑیے": "چھڑنا",
"چھڑیں": "چھڑنا",
"چھڑیاں": "چھڑی",
"چھڑیو": "چھڑی",
"چھڑیوں": "چھڑی",
"چھٹا": "چھوٹنا",
"چھٹانے": "چھوٹنا",
"چھٹانا": "چھوٹنا",
"چھٹاتے": "چھوٹنا",
"چھٹاتا": "چھوٹنا",
"چھٹاتی": "چھوٹنا",
"چھٹاتیں": "چھوٹنا",
"چھٹاؤ": "چھوٹنا",
"چھٹاؤں": "چھوٹنا",
"چھٹائے": "چھوٹنا",
"چھٹائی": "چھوٹنا",
"چھٹائیے": "چھوٹنا",
"چھٹائیں": "چھوٹنا",
"چھٹایا": "چھوٹنا",
"چھٹکارے": "چھٹکارہ",
"چھٹکارہ": "چھٹکارہ",
"چھٹکارو": "چھٹکارہ",
"چھٹکاروں": "چھٹکارہ",
"چھٹوا": "چھوٹنا",
"چھٹوانے": "چھوٹنا",
"چھٹوانا": "چھوٹنا",
"چھٹواتے": "چھوٹنا",
"چھٹواتا": "چھوٹنا",
"چھٹواتی": "چھوٹنا",
"چھٹواتیں": "چھوٹنا",
"چھٹواؤ": "چھوٹنا",
"چھٹواؤں": "چھوٹنا",
"چھٹوائے": "چھوٹنا",
"چھٹوائی": "چھوٹنا",
"چھٹوائیے": "چھوٹنا",
"چھٹوائیں": "چھوٹنا",
"چھٹوایا": "چھوٹنا",
"چھٹی": "چھٹی",
"چھٹیاں": "چھٹی",
"چھٹیو": "چھٹی",
"چھٹیوں": "چھٹی",
"چھا": "چھانا",
"چھاڑ": "چھاڑ",
"چھاڑو": "چھاڑ",
"چھاڑوں": "چھاڑ",
"چھابے": "چھابہ",
"چھابہ": "چھابہ",
"چھابو": "چھابہ",
"چھابوں": "چھابہ",
"چھاج": "چھاج",
"چھاجو": "چھاج",
"چھاجوں": "چھاج",
"چھان": "چھاننا",
"چھانے": "چھانا",
"چھانں": "چھاننا",
"چھانٹ": "چھانٹنا",
"چھانٹے": "چھانٹنا",
"چھانٹں": "چھانٹنا",
"چھانٹا": "چھانٹنا",
"چھانٹنے": "چھانٹنا",
"چھانٹنا": "چھانٹنا",
"چھانٹنی": "چھانٹنا",
"چھانٹتے": "چھانٹنا",
"چھانٹتا": "چھانٹنا",
"چھانٹتی": "چھانٹنا",
"چھانٹتیں": "چھانٹنا",
"چھانٹو": "چھانٹنا",
"چھانٹوں": "چھانٹنا",
"چھانٹی": "چھانٹنا",
"چھانٹیے": "چھانٹنا",
"چھانٹیں": "چھانٹنا",
"چھانا": "چھانا",
"چھاننے": "چھاننا",
"چھاننا": "چھاننا",
"چھاننی": "چھاننا",
"چھانتے": "چھاننا",
"چھانتا": "چھاننا",
"چھانتی": "چھاننا",
"چھانتیں": "چھاننا",
"چھانو": "چھاننا",
"چھانوں": "چھاننا",
"چھانی": "چھانا",
"چھانیے": "چھاننا",
"چھانیں": "چھاننا",
"چھاپ": "چھاپ",
"چھاپے": "چھاپا",
"چھاپں": "چھاپنا",
"چھاپا": "چھاپا",
"چھاپہ": "چھاپہ",
"چھاپنے": "چھاپنا",
"چھاپنا": "چھاپنا",
"چھاپنی": "چھاپنا",
"چھاپتے": "چھاپنا",
"چھاپتا": "چھاپنا",
"چھاپتی": "چھاپنا",
"چھاپتیں": "چھاپنا",
"چھاپو": "چھاپا",
"چھاپوں": "چھاپا",
"چھاپی": "چھاپنا",
"چھاپیے": "چھاپنا",
"چھاپیں": "چھاپنا",
"چھات": "چھات",
"چھاتے": "چھانا",
"چھاتا": "چھانا",
"چھاتو": "چھات",
"چھاتوں": "چھات",
"چھاتی": "چھاتی",
"چھاتیں": "چھانا",
"چھاتیاں": "چھاتی",
"چھاتیو": "چھاتی",
"چھاتیوں": "چھاتی",
"چھاؤ": "چھانا",
"چھاؤں": "چھانا",
"چھائے": "چھانا",
"چھائی": "چھانا",
"چھائیے": "چھانا",
"چھائیں": "چھانا",
"چھایا": "چھانا",
"چھبس": "چھبس",
"چھکڑ": "چھکڑ",
"چھکڑے": "چھکڑا",
"چھکڑا": "چھکڑا",
"چھکڑو": "چھکڑا",
"چھکڑوں": "چھکڑا",
"چھل": "چھل",
"چھلے": "چھلا",
"چھلں": "چھلنا",
"چھلا": "چھلا",
"چھلانے": "چھلنا",
"چھلانا": "چھلنا",
"چھلاتے": "چھلنا",
"چھلاتا": "چھلنا",
"چھلاتی": "چھلنا",
"چھلاتیں": "چھلنا",
"چھلاؤ": "چھلنا",
"چھلاؤں": "چھلنا",
"چھلائے": "چھلنا",
"چھلائی": "چھلنا",
"چھلائیے": "چھلنا",
"چھلائیں": "چھلنا",
"چھلایا": "چھلنا",
"چھلہ": "چھلہ",
"چھلک": "چھلکنا",
"چھلکے": "چھلکا",
"چھلکں": "چھلکنا",
"چھلکا": "چھلکا",
"چھلکانے": "چھلکنا",
"چھلکانا": "چھلکنا",
"چھلکاتے": "چھلکنا",
"چھلکاتا": "چھلکنا",
"چھلکاتی": "چھلکنا",
"چھلکاتیں": "چھلکنا",
"چھلکاؤ": "چھلکنا",
"چھلکاؤں": "چھلکنا",
"چھلکائے": "چھلکنا",
"چھلکائی": "چھلکنا",
"چھلکائیے": "چھلکنا",
"چھلکائیں": "چھلکنا",
"چھلکایا": "چھلکنا",
"چھلکنے": "چھلکنا",
"چھلکنا": "چھلکنا",
"چھلکنی": "چھلکنا",
"چھلکتے": "چھلکنا",
"چھلکتا": "چھلکنا",
"چھلکتی": "چھلکنا",
"چھلکتیں": "چھلکنا",
"چھلکو": "چھلکا",
"چھلکوں": "چھلکا",
"چھلکوا": "چھلکنا",
"چھلکوانے": "چھلکنا",
"چھلکوانا": "چھلکنا",
"چھلکواتے": "چھلکنا",
"چھلکواتا": "چھلکنا",
"چھلکواتی": "چھلکنا",
"چھلکواتیں": "چھلکنا",
"چھلکواؤ": "چھلکنا",
"چھلکواؤں": "چھلکنا",
"چھلکوائے": "چھلکنا",
"چھلکوائی": "چھلکنا",
"چھلکوائیے": "چھلکنا",
"چھلکوائیں": "چھلکنا",
"چھلکوایا": "چھلکنا",
"چھلکی": "چھلکنا",
"چھلکیے": "چھلکنا",
"چھلکیں": "چھلکنا",
"چھلنے": "چھلنا",
"چھلنا": "چھلنا",
"چھلنی": "چھلنا",
"چھلتے": "چھلنا",
"چھلتا": "چھلنا",
"چھلتی": "چھلنا",
"چھلتیں": "چھلنا",
"چھلو": "چھلا",
"چھلوں": "چھلا",
"چھلوا": "چھلنا",
"چھلوانے": "چھلنا",
"چھلوانا": "چھلنا",
"چھلواتے": "چھلنا",
"چھلواتا": "چھلنا",
"چھلواتی": "چھلنا",
"چھلواتیں": "چھلنا",
"چھلواؤ": "چھلنا",
"چھلواؤں": "چھلنا",
"چھلوائے": "چھلنا",
"چھلوائی": "چھلنا",
"چھلوائیے": "چھلنا",
"چھلوائیں": "چھلنا",
"چھلوایا": "چھلنا",
"چھلی": "چھلنا",
"چھلیے": "چھلنا",
"چھلیں": "چھل",
"چھنٹا": "چھانٹنا",
"چھنٹانے": "چھانٹنا",
"چھنٹانا": "چھانٹنا",
"چھنٹاتے": "چھانٹنا",
"چھنٹاتا": "چھانٹنا",
"چھنٹاتی": "چھانٹنا",
"چھنٹاتیں": "چھانٹنا",
"چھنٹاؤ": "چھانٹنا",
"چھنٹاؤں": "چھانٹنا",
"چھنٹائے": "چھانٹنا",
"چھنٹائی": "چھانٹنا",
"چھنٹائیے": "چھانٹنا",
"چھنٹائیں": "چھانٹنا",
"چھنٹایا": "چھانٹنا",
"چھنٹوا": "چھانٹنا",
"چھنٹوانے": "چھانٹنا",
"چھنٹوانا": "چھانٹنا",
"چھنٹواتے": "چھانٹنا",
"چھنٹواتا": "چھانٹنا",
"چھنٹواتی": "چھانٹنا",
"چھنٹواتیں": "چھانٹنا",
"چھنٹواؤ": "چھانٹنا",
"چھنٹواؤں": "چھانٹنا",
"چھنٹوائے": "چھانٹنا",
"چھنٹوائی": "چھانٹنا",
"چھنٹوائیے": "چھانٹنا",
"چھنٹوائیں": "چھانٹنا",
"چھنٹوایا": "چھانٹنا",
"چھنا": "چھیننا",
"چھنانے": "چھیننا",
"چھنانا": "چھیننا",
"چھناتے": "چھیننا",
"چھناتا": "چھیننا",
"چھناتی": "چھیننا",
"چھناتیں": "چھیننا",
"چھناؤ": "چھیننا",
"چھناؤں": "چھیننا",
"چھنائے": "چھیننا",
"چھنائی": "چھیننا",
"چھنائیے": "چھیننا",
"چھنائیں": "چھیننا",
"چھنایا": "چھیننا",
"چھنچھنا": "چھنچھنانا",
"چھنچھنانے": "چھنچھنانا",
"چھنچھنانا": "چھنچھنانا",
"چھنچھنانی": "چھنچھنانا",
"چھنچھناتے": "چھنچھنانا",
"چھنچھناتا": "چھنچھنانا",
"چھنچھناتی": "چھنچھنانا",
"چھنچھناتیں": "چھنچھنانا",
"چھنچھناؤ": "چھنچھنانا",
"چھنچھناؤں": "چھنچھنانا",
"چھنچھنائے": "چھنچھنانا",
"چھنچھنائی": "چھنچھنانا",
"چھنچھنائیے": "چھنچھنانا",
"چھنچھنائیں": "چھنچھنانا",
"چھنچھنایا": "چھنچھنانا",
"چھنک": "چھنکنا",
"چھنکے": "چھنکنا",
"چھنکں": "چھنکنا",
"چھنکا": "چھنکنا",
"چھنکانے": "چھنکنا",
"چھنکانا": "چھنکنا",
"چھنکاتے": "چھنکنا",
"چھنکاتا": "چھنکنا",
"چھنکاتی": "چھنکنا",
"چھنکاتیں": "چھنکنا",
"چھنکاؤ": "چھنکنا",
"چھنکاؤں": "چھنکنا",
"چھنکائے": "چھنکنا",
"چھنکائی": "چھنکنا",
"چھنکائیے": "چھنکنا",
"چھنکائیں": "چھنکنا",
"چھنکایا": "چھنکنا",
"چھنکنے": "چھنکنا",
"چھنکنا": "چھنکنا",
"چھنکنی": "چھنکنا",
"چھنکتے": "چھنکنا",
"چھنکتا": "چھنکنا",
"چھنکتی": "چھنکنا",
"چھنکتیں": "چھنکنا",
"چھنکو": "چھنکنا",
"چھنکوں": "چھنکنا",
"چھنکوا": "چھنکنا",
"چھنکوانے": "چھنکنا",
"چھنکوانا": "چھنکنا",
"چھنکواتے": "چھنکنا",
"چھنکواتا": "چھنکنا",
"چھنکواتی": "چھنکنا",
"چھنکواتیں": "چھنکنا",
"چھنکواؤ": "چھنکنا",
"چھنکواؤں": "چھنکنا",
"چھنکوائے": "چھنکنا",
"چھنکوائی": "چھنکنا",
"چھنکوائیے": "چھنکنا",
"چھنکوائیں": "چھنکنا",
"چھنکوایا": "چھنکنا",
"چھنکی": "چھنکنا",
"چھنکیے": "چھنکنا",
"چھنکیں": "چھنکنا",
"چھنوا": "چھیننا",
"چھنوانے": "چھیننا",
"چھنوانا": "چھیننا",
"چھنواتے": "چھیننا",
"چھنواتا": "چھیننا",
"چھنواتی": "چھیننا",
"چھنواتیں": "چھیننا",
"چھنواؤ": "چھیننا",
"چھنواؤں": "چھیننا",
"چھنوائے": "چھیننا",
"چھنوائی": "چھیننا",
"چھنوائیے": "چھیننا",
"چھنوائیں": "چھیننا",
"چھنوایا": "چھیننا",
"چھپ": "چھپنا",
"چھپے": "چھپنا",
"چھپں": "چھپنا",
"چھپا": "چھپنا",
"چھپانے": "چھپنا",
"چھپانا": "چھپنا",
"چھپاتے": "چھپنا",
"چھپاتا": "چھپنا",
"چھپاتی": "چھپنا",
"چھپاتیں": "چھپنا",
"چھپاؤ": "چھپنا",
"چھپاؤں": "چھپنا",
"چھپائے": "چھپنا",
"چھپائی": "چھپنا",
"چھپائیے": "چھپنا",
"چھپائیں": "چھپنا",
"چھپایا": "چھپنا",
"چھپکلی": "چھپکلی",
"چھپکلیاں": "چھپکلی",
"چھپکلیو": "چھپکلی",
"چھپکلیوں": "چھپکلی",
"چھپنے": "چھپنا",
"چھپنا": "چھپنا",
"چھپنی": "چھپنا",
"چھپر": "چھپر",
"چھپرو": "چھپر",
"چھپروں": "چھپر",
"چھپتے": "چھپنا",
"چھپتا": "چھپنا",
"چھپتی": "چھپنا",
"چھپتیں": "چھپنا",
"چھپو": "چھپنا",
"چھپوں": "چھپنا",
"چھپوا": "چھپنا",
"چھپوانے": "چھپنا",
"چھپوانا": "چھپنا",
"چھپواتے": "چھپنا",
"چھپواتا": "چھپنا",
"چھپواتی": "چھپنا",
"چھپواتیں": "چھپنا",
"چھپواؤ": "چھپنا",
"چھپواؤں": "چھپنا",
"چھپوائے": "چھپنا",
"چھپوائی": "چھپنا",
"چھپوائیے": "چھپنا",
"چھپوائیں": "چھپنا",
"چھپوایا": "چھپنا",
"چھپی": "چھپنا",
"چھپیے": "چھپنا",
"چھپیں": "چھپنا",
"چھرے": "چھرا",
"چھرا": "چھرا",
"چھرو": "چھرا",
"چھروں": "چھرا",
"چھری": "چھری",
"چھریاں": "چھری",
"چھریو": "چھری",
"چھریوں": "چھری",
"چھت": "چھت",
"چھتے": "چھتہ",
"چھتں": "چھتنا",
"چھتا": "چھتنا",
"چھتانے": "چھتنا",
"چھتانا": "چھتنا",
"چھتاتے": "چھتنا",
"چھتاتا": "چھتنا",
"چھتاتی": "چھتنا",
"چھتاتیں": "چھتنا",
"چھتاؤ": "چھتنا",
"چھتاؤں": "چھتنا",
"چھتائے": "چھتنا",
"چھتائی": "چھتنا",
"چھتائیے": "چھتنا",
"چھتائیں": "چھتنا",
"چھتایا": "چھتنا",
"چھتہ": "چھتہ",
"چھتنے": "چھتنا",
"چھتنا": "چھتنا",
"چھتنی": "چھتنا",
"چھتتے": "چھتنا",
"چھتتا": "چھتنا",
"چھتتی": "چھتنا",
"چھتتیں": "چھتنا",
"چھتو": "چھتہ",
"چھتوں": "چھتہ",
"چھتوا": "چھتنا",
"چھتوانے": "چھتنا",
"چھتوانا": "چھتنا",
"چھتواتے": "چھتنا",
"چھتواتا": "چھتنا",
"چھتواتی": "چھتنا",
"چھتواتیں": "چھتنا",
"چھتواؤ": "چھتنا",
"چھتواؤں": "چھتنا",
"چھتوائے": "چھتنا",
"چھتوائی": "چھتنا",
"چھتوائیے": "چھتنا",
"چھتوائیں": "چھتنا",
"چھتوایا": "چھتنا",
"چھتی": "چھتنا",
"چھتیے": "چھتنا",
"چھتیں": "چھت",
"چھو": "چھونا",
"چھوڑ": "چھوڑنا",
"چھوڑے": "چھوڑا",
"چھوڑں": "چھوڑنا",
"چھوڑا": "چھوڑا",
"چھوڑنے": "چھوڑنا",
"چھوڑنا": "چھوڑنا",
"چھوڑنی": "چھوڑنا",
"چھوڑتے": "چھوڑنا",
"چھوڑتا": "چھوڑنا",
"چھوڑتی": "چھوڑنا",
"چھوڑتیں": "چھوڑنا",
"چھوڑو": "چھوڑا",
"چھوڑوں": "چھوڑا",
"چھوڑی": "چھوڑنا",
"چھوڑیے": "چھوڑنا",
"چھوڑیں": "چھوڑنا",
"چھوٹ": "چھوٹ",
"چھوٹے": "چھوٹا",
"چھوٹں": "چھوٹنا",
"چھوٹا": "چھوٹا",
"چھوٹنے": "چھوٹنا",
"چھوٹنا": "چھوٹنا",
"چھوٹنی": "چھوٹنا",
"چھوٹتے": "چھوٹنا",
"چھوٹتا": "چھوٹنا",
"چھوٹتی": "چھوٹنا",
"چھوٹتیں": "چھوٹنا",
"چھوٹو": "چھوٹا",
"چھوٹوں": "چھوٹا",
"چھوٹی": "چھوٹنا",
"چھوٹیے": "چھوٹنا",
"چھوٹیں": "چھوٹ",
"چھوہارے": "چھوہارا",
"چھوہارا": "چھوہارا",
"چھوہارو": "چھوہارا",
"چھوہاروں": "چھوہارا",
"چھوکری": "چھوکری",
"چھوکریاں": "چھوکری",
"چھوکریو": "چھوکری",
"چھوکریوں": "چھوکری",
"چھونے": "چھونا",
"چھونا": "چھونا",
"چھونی": "چھونا",
"چھوت": "چھوت",
"چھوتے": "چھونا",
"چھوتا": "چھونا",
"چھوتو": "چھوت",
"چھوتوں": "چھوت",
"چھوتی": "چھونا",
"چھوتیں": "چھوت",
"چھوؤ": "چھونا",
"چھوؤں": "چھونا",
"چھوئے": "چھونا",
"چھوئی": "چھونا",
"چھوئیے": "چھونا",
"چھوئیں": "چھونا",
"چھویا": "چھونا",
"چھیڑ": "چھیڑنا",
"چھیڑے": "چھیڑنا",
"چھیڑں": "چھیڑنا",
"چھیڑا": "چھیڑنا",
"چھیڑنے": "چھیڑنا",
"چھیڑنا": "چھیڑنا",
"چھیڑنی": "چھیڑنا",
"چھیڑتے": "چھیڑنا",
"چھیڑتا": "چھیڑنا",
"چھیڑتی": "چھیڑنا",
"چھیڑتیں": "چھیڑنا",
"چھیڑو": "چھیڑنا",
"چھیڑوں": "چھیڑنا",
"چھیڑی": "چھیڑنا",
"چھیڑیے": "چھیڑنا",
"چھیڑیں": "چھیڑنا",
"چھید": "چھیدنا",
"چھیدے": "چھیدنا",
"چھیدں": "چھیدنا",
"چھیدا": "چھیدنا",
"چھیدنے": "چھیدنا",
"چھیدنا": "چھیدنا",
"چھیدنی": "چھیدنا",
"چھیدتے": "چھیدنا",
"چھیدتا": "چھیدنا",
"چھیدتی": "چھیدنا",
"چھیدتیں": "چھیدنا",
"چھیدو": "چھیدنا",
"چھیدوں": "چھیدنا",
"چھیدی": "چھیدنا",
"چھیدیے": "چھیدنا",
"چھیدیں": "چھیدنا",
"چھیل": "چھیلنا",
"چھیلے": "چھیلنا",
"چھیلں": "چھیلنا",
"چھیلا": "چھیلنا",
"چھیلنے": "چھیلنا",
"چھیلنا": "چھیلنا",
"چھیلنی": "چھیلنا",
"چھیلتے": "چھیلنا",
"چھیلتا": "چھیلنا",
"چھیلتی": "چھیلنا",
"چھیلتیں": "چھیلنا",
"چھیلو": "چھیلنا",
"چھیلوں": "چھیلنا",
"چھیلی": "چھیلنا",
"چھیلیے": "چھیلنا",
"چھیلیں": "چھیلنا",
"چھین": "چھیننا",
"چھینے": "چھیننا",
"چھینں": "چھیننا",
"چھینٹے": "چھینٹا",
"چھینٹا": "چھینٹا",
"چھینٹو": "چھینٹا",
"چھینٹوں": "چھینٹا",
"چھینا": "چھیننا",
"چھیننے": "چھیننا",
"چھیننا": "چھیننا",
"چھیننی": "چھیننا",
"چھینتے": "چھیننا",
"چھینتا": "چھیننا",
"چھینتی": "چھیننا",
"چھینتیں": "چھیننا",
"چھینو": "چھیننا",
"چھینوں": "چھیننا",
"چھینی": "چھیننا",
"چھینیے": "چھیننا",
"چھینیں": "چھیننا",
"دَور": "دَور",
"دَورے": "دَورہ",
"دَورہ": "دَورہ",
"دَورو": "دَورہ",
"دَوروں": "دَورہ",
"دِل": "دِل",
"دِلْچَسْپ": "دِلْچَسْپ",
"دِلو": "دِل",
"دِلوں": "دِل",
"دِن": "دِن",
"دِنو": "دِن",
"دِنوں": "دِن",
"دُشمن": "دُشمن",
"دُشمنو": "دُشمن",
"دُشمنوں": "دُشمن",
"دُبا": "دُوبنا",
"دُبانے": "دُوبنا",
"دُبانا": "دُوبنا",
"دُباتے": "دُوبنا",
"دُباتا": "دُوبنا",
"دُباتی": "دُوبنا",
"دُباتیں": "دُوبنا",
"دُباؤ": "دُوبنا",
"دُباؤں": "دُوبنا",
"دُبائے": "دُوبنا",
"دُبائی": "دُوبنا",
"دُبائیے": "دُوبنا",
"دُبائیں": "دُوبنا",
"دُبایا": "دُوبنا",
"دُبوا": "دُوبنا",
"دُبوانے": "دُوبنا",
"دُبوانا": "دُوبنا",
"دُبواتے": "دُوبنا",
"دُبواتا": "دُوبنا",
"دُبواتی": "دُوبنا",
"دُبواتیں": "دُوبنا",
"دُبواؤ": "دُوبنا",
"دُبواؤں": "دُوبنا",
"دُبوائے": "دُوبنا",
"دُبوائی": "دُوبنا",
"دُبوائیے": "دُوبنا",
"دُبوائیں": "دُوبنا",
"دُبوایا": "دُوبنا",
"دُعا": "دُعا",
"دُعاؤ": "دُعا",
"دُعاؤں": "دُعا",
"دُعائیں": "دُعا",
"دُکان": "دُکان",
"دُکانو": "دُکان",
"دُکانوں": "دُکان",
"دُکانیں": "دُکان",
"دُنبی": "دُنبی",
"دُنبیاں": "دُنبی",
"دُنبیو": "دُنبی",
"دُنبیوں": "دُنبی",
"دُوب": "دُوبنا",
"دُوبے": "دُوبنا",
"دُوبں": "دُوبنا",
"دُوبا": "دُوبنا",
"دُوبنے": "دُوبنا",
"دُوبنا": "دُوبنا",
"دُوبنی": "دُوبنا",
"دُوبتے": "دُوبنا",
"دُوبتا": "دُوبنا",
"دُوبتی": "دُوبنا",
"دُوبتیں": "دُوبنا",
"دُوبو": "دُوبنا",
"دُوبوں": "دُوبنا",
"دُوبی": "دُوبنا",
"دُوبیے": "دُوبنا",
"دُوبیں": "دُوبنا",
"دُوسْرے": "دُوسْرا",
"دُوسْرا": "دُوسْرا",
"دُوسْری": "دُوسْرا",
"دُھن": "دُھننا",
"دُھنے": "دُھننا",
"دُھنں": "دُھننا",
"دُھنا": "دُھننا",
"دُھنانے": "دُھننا",
"دُھنانا": "دُھننا",
"دُھناتے": "دُھننا",
"دُھناتا": "دُھننا",
"دُھناتی": "دُھننا",
"دُھناتیں": "دُھننا",
"دُھناؤ": "دُھننا",
"دُھناؤں": "دُھننا",
"دُھنائے": "دُھننا",
"دُھنائی": "دُھننا",
"دُھنائیے": "دُھننا",
"دُھنائیں": "دُھننا",
"دُھنایا": "دُھننا",
"دُھنن": "دُھنننا",
"دُھننے": "دُھننا",
"دُھننں": "دُھنننا",
"دُھننا": "دُھننا",
"دُھنننے": "دُھنننا",
"دُھنننا": "دُھنننا",
"دُھنننی": "دُھنننا",
"دُھننتے": "دُھنننا",
"دُھننتا": "دُھنننا",
"دُھننتی": "دُھنننا",
"دُھننتیں": "دُھنننا",
"دُھننو": "دُھنننا",
"دُھننوں": "دُھنننا",
"دُھننوا": "دُھننا",
"دُھننوانے": "دُھننا",
"دُھننوانا": "دُھننا",
"دُھننواتے": "دُھننا",
"دُھننواتا": "دُھننا",
"دُھننواتی": "دُھننا",
"دُھننواتیں": "دُھننا",
"دُھننواؤ": "دُھننا",
"دُھننواؤں": "دُھننا",
"دُھننوائے": "دُھننا",
"دُھننوائی": "دُھننا",
"دُھننوائیے": "دُھننا",
"دُھننوائیں": "دُھننا",
"دُھننوایا": "دُھننا",
"دُھننی": "دُھننا",
"دُھننیے": "دُھنننا",
"دُھننیں": "دُھنننا",
"دُھنتے": "دُھننا",
"دُھنتا": "دُھننا",
"دُھنتی": "دُھننا",
"دُھنتیں": "دُھننا",
"دُھنو": "دُھننا",
"دُھنوں": "دُھننا",
"دُھنوا": "دُھننا",
"دُھنوانے": "دُھننا",
"دُھنوانا": "دُھننا",
"دُھنواتے": "دُھننا",
"دُھنواتا": "دُھننا",
"دُھنواتی": "دُھننا",
"دُھنواتیں": "دُھننا",
"دُھنواؤ": "دُھننا",
"دُھنواؤں": "دُھننا",
"دُھنوائے": "دُھننا",
"دُھنوائی": "دُھننا",
"دُھنوائیے": "دُھننا",
"دُھنوائیں": "دُھننا",
"دُھنوایا": "دُھننا",
"دُھنی": "دُھننا",
"دُھنیے": "دُھننا",
"دُھنیں": "دُھننا",
"دُھواں": "دُھواں",
"دُھووںں": "دُھواں",
"دُھویں": "دُھواں",
"دے": "دینا",
"دغاباز": "دغاباز",
"دغابازو": "دغاباز",
"دغابازوں": "دغاباز",
"دشمن": "دشمن",
"دشمنو": "دشمن",
"دشمنوں": "دشمن",
"دشواری": "دشواری",
"دشواریاں": "دشواری",
"دشواریو": "دشواری",
"دشواریوں": "دشواری",
"داغ": "داغ",
"داغو": "داغ",
"داغوں": "داغ",
"داخلے": "داخلہ",
"داخلہ": "داخلہ",
"داخلو": "داخلہ",
"داخلوں": "داخلہ",
"داڑھی": "داڑھی",
"داڑھیاں": "داڑھی",
"داڑھیو": "داڑھی",
"داڑھیوں": "داڑھی",
"داب": "دبنا",
"دابے": "دبنا",
"دابں": "دبنا",
"دابا": "دبنا",
"دابنے": "دبنا",
"دابنا": "دبنا",
"دابنی": "دابنا",
"دابتے": "دبنا",
"دابتا": "دبنا",
"دابتی": "دبنا",
"دابتیں": "دبنا",
"دابو": "دبنا",
"دابوں": "دبنا",
"دابی": "دبنا",
"دابیے": "دبنا",
"دابیں": "دبنا",
"داد": "داد",
"دادے": "دادہ",
"دادا": "دادا",
"داداؤ": "دادا",
"داداؤں": "دادا",
"دادائیں": "دادا",
"دادہ": "دادہ",
"دادو": "دادہ",
"دادوں": "دادہ",
"دادی": "دادی",
"دادیاں": "دادی",
"دادیو": "دادی",
"دادیوں": "دادی",
"دال": "دال",
"دالے": "دالنا",
"دالں": "دالنا",
"دالا": "دالنا",
"دالان": "دالان",
"دالانو": "دالان",
"دالانوں": "دالان",
"دالانیں": "دالان",
"دالنے": "دالنا",
"دالنا": "دالنا",
"دالنی": "دالنا",
"دالتے": "دالنا",
"دالتا": "دالنا",
"دالتی": "دالنا",
"دالتیں": "دالنا",
"دالو": "دال",
"دالوں": "دال",
"دالی": "دالنا",
"دالیے": "دالنا",
"دالیں": "دال",
"دام": "دام",
"داماد": "داماد",
"دامادو": "داماد",
"دامادوں": "داماد",
"دامو": "دام",
"داموں": "دام",
"دان": "دان",
"دانے": "دانا",
"دانشمند": "دانشمند",
"دانشمندو": "دانشمند",
"دانشمندوں": "دانشمند",
"دانشور": "دانشور",
"دانشورو": "دانشور",
"دانشوروں": "دانشور",
"دانا": "دانا",
"داناؤ": "دانا",
"داناؤں": "دانا",
"دانائیں": "دانا",
"دانہ": "دانہ",
"دانت": "دانت",
"دانتو": "دانت",
"دانتوں": "دانت",
"دانتیں": "دانت",
"دانو": "دانا",
"دانوں": "دانا",
"دار": "دار",
"دارالخلافے": "دارالخلافہ",
"دارالخلافہ": "دارالخلافہ",
"دارالخلافو": "دارالخلافہ",
"دارالخلافوں": "دارالخلافہ",
"دارو": "دار",
"داروغے": "داروغہ",
"داروغہ": "داروغہ",
"داروغو": "داروغہ",
"داروغوں": "داروغہ",
"داروں": "دار",
"داری": "داری",
"داریاں": "داری",
"داریو": "داری",
"داریوں": "داری",
"داستان": "داستان",
"داستانو": "داستان",
"داستانوں": "داستان",
"داستانیں": "داستان",
"داو": "داو",
"داوؤ": "داو",
"داوؤں": "داو",
"دائرے": "دائرا",
"دائرا": "دائرا",
"دائرہ": "دائرہ",
"دائرو": "دائرا",
"دائروں": "دائرا",
"دائی": "دائی",
"دائیں": "بایاں",
"دائیاں": "دائی",
"دائیو": "دائی",
"دائیوں": "دائی",
"دایاں": "دایاں",
"دب": "دبنا",
"دبے": "دبا",
"دبں": "دبنا",
"دبا": "دبا",
"دبانے": "دابنا",
"دبانا": "دابنا",
"دباتے": "دابنا",
"دباتا": "دابنا",
"دباتی": "دابنا",
"دباتیں": "دابنا",
"دباؤ": "دباؤ",
"دباؤں": "دابنا",
"دبائے": "دابنا",
"دبائی": "دابنا",
"دبائیے": "دابنا",
"دبائیں": "دابنا",
"دبایا": "دابنا",
"دبدبے": "دبدبہ",
"دبدبہ": "دبدبہ",
"دبدبو": "دبدبہ",
"دبدبوں": "دبدبہ",
"دبنے": "دبنا",
"دبنا": "دبنا",
"دبنی": "دبنا",
"دبستان": "دبستان",
"دبستانو": "دبستان",
"دبستانوں": "دبستان",
"دبستانیں": "دبستان",
"دبتے": "دبنا",
"دبتا": "دبنا",
"دبتی": "دبنا",
"دبتیں": "دبنا",
"دبو": "دبا",
"دبوں": "دبا",
"دبوا": "دبنا",
"دبوانے": "دبنا",
"دبوانا": "دبنا",
"دبواتے": "دبنا",
"دبواتا": "دبنا",
"دبواتی": "دبنا",
"دبواتیں": "دبنا",
"دبواؤ": "دبنا",
"دبواؤں": "دبنا",
"دبوائے": "دبنا",
"دبوائی": "دبنا",
"دبوائیے": "دبنا",
"دبوائیں": "دبنا",
"دبوایا": "دبنا",
"دبی": "دبنا",
"دبیے": "دبنا",
"دبیں": "دبنا",
"دعا": "دعا",
"دعاؤ": "دعا",
"دعاؤں": "دعا",
"دعائیں": "دعا",
"دعوے": "دعوہ",
"دعوہ": "دعوہ",
"دعوت": "دعوت",
"دعوتو": "دعوت",
"دعوتوں": "دعوت",
"دعوتیں": "دعوت",
"دعوو": "دعوہ",
"دعووں": "دعوہ",
"دفنا": "دفنانا",
"دفنانے": "دفنانا",
"دفنانا": "دفنانا",
"دفنانی": "دفنانا",
"دفناتے": "دفنانا",
"دفناتا": "دفنانا",
"دفناتی": "دفنانا",
"دفناتیں": "دفنانا",
"دفناؤ": "دفنانا",
"دفناؤں": "دفنانا",
"دفنائے": "دفنانا",
"دفنائی": "دفنانا",
"دفنائیے": "دفنانا",
"دفنائیں": "دفنانا",
"دفنایا": "دفنانا",
"دفتر": "دفتر",
"دفترو": "دفتر",
"دفتروں": "دفتر",
"دفتری": "دفتری",
"دہشتگرد": "دہشتگرد",
"دہشتگردو": "دہشتگرد",
"دہشتگردوں": "دہشتگرد",
"دہانی": "دہانی",
"دہانیاں": "دہانی",
"دہانیو": "دہانی",
"دہانیوں": "دہانی",
"دہات": "دہات",
"دہاتو": "دہات",
"دہاتوں": "دہات",
"دہاتیں": "دہات",
"دہقان": "دہقان",
"دہقانو": "دہقان",
"دہقانوں": "دہقان",
"دہرا": "دہرانا",
"دہرانے": "دہرانا",
"دہرانا": "دہرانا",
"دہرانی": "دہرانا",
"دہراتے": "دہرانا",
"دہراتا": "دہرانا",
"دہراتی": "دہرانا",
"دہراتیں": "دہرانا",
"دہراؤ": "دہرانا",
"دہراؤں": "دہرانا",
"دہرائے": "دہرانا",
"دہرائی": "دہرانا",
"دہرائیے": "دہرانا",
"دہرائیں": "دہرانا",
"دہرایا": "دہرانا",
"دہی": "دہی",
"دہیو": "دہی",
"دہیوں": "دہی",
"دکان": "دکان",
"دکاندار": "دکاندار",
"دکاندارو": "دکاندار",
"دکانداروں": "دکاندار",
"دکانو": "دکان",
"دکانوں": "دکان",
"دکانیں": "دکان",
"دکھ": "دکھنا",
"دکھْلا": "دیکھْنا",
"دکھْلانے": "دیکھْنا",
"دکھْلانا": "دیکھْنا",
"دکھْلاتے": "دیکھْنا",
"دکھْلاتا": "دیکھْنا",
"دکھْلاتی": "دیکھْنا",
"دکھْلاتیں": "دیکھْنا",
"دکھْلاؤ": "دیکھْنا",
"دکھْلاؤں": "دیکھْنا",
"دکھْلائے": "دیکھْنا",
"دکھْلائی": "دیکھْنا",
"دکھْلائیے": "دیکھْنا",
"دکھْلائیں": "دیکھْنا",
"دکھْلایا": "دیکھْنا",
"دکھْوا": "دیکھْنا",
"دکھْوانے": "دیکھْنا",
"دکھْوانا": "دیکھْنا",
"دکھْواتے": "دیکھْنا",
"دکھْواتا": "دیکھْنا",
"دکھْواتی": "دیکھْنا",
"دکھْواتیں": "دیکھْنا",
"دکھْواؤ": "دیکھْنا",
"دکھْواؤں": "دیکھْنا",
"دکھْوائے": "دیکھْنا",
"دکھْوائی": "دیکھْنا",
"دکھْوائیے": "دیکھْنا",
"دکھْوائیں": "دیکھْنا",
"دکھْوایا": "دیکھْنا",
"دکھے": "دکھنا",
"دکھں": "دکھنا",
"دکھا": "دکھنا",
"دکھانے": "دکھنا",
"دکھانا": "دکھنا",
"دکھاتے": "دکھنا",
"دکھاتا": "دکھنا",
"دکھاتی": "دکھنا",
"دکھاتیں": "دکھنا",
"دکھاؤ": "دکھنا",
"دکھاؤں": "دکھنا",
"دکھائے": "دکھنا",
"دکھائی": "دکھنا",
"دکھائیے": "دکھنا",
"دکھائیں": "دکھنا",
"دکھایا": "دکھنا",
"دکھنے": "دکھنا",
"دکھنا": "دکھنا",
"دکھنی": "دکھنا",
"دکھتے": "دکھنا",
"دکھتا": "دکھنا",
"دکھتی": "دکھنا",
"دکھتیں": "دکھنا",
"دکھو": "دکھنا",
"دکھوں": "دکھنا",
"دکھوا": "دکھنا",
"دکھوانے": "دکھنا",
"دکھوانا": "دکھنا",
"دکھواتے": "دکھنا",
"دکھواتا": "دکھنا",
"دکھواتی": "دکھنا",
"دکھواتیں": "دکھنا",
"دکھواؤ": "دکھنا",
"دکھواؤں": "دکھنا",
"دکھوائے": "دکھنا",
"دکھوائی": "دکھنا",
"دکھوائیے": "دکھنا",
"دکھوائیں": "دکھنا",
"دکھوایا": "دکھنا",
"دکھی": "دکھنا",
"دکھیے": "دکھنا",
"دکھیں": "دکھنا",
"دل": "دل",
"دلا": "دالنا",
"دلانے": "دالنا",
"دلانا": "دالنا",
"دلانی": "دلانا",
"دلاتے": "دالنا",
"دلاتا": "دالنا",
"دلاتی": "دالنا",
"دلاتیں": "دالنا",
"دلاؤ": "دالنا",
"دلاؤں": "دالنا",
"دلائے": "دالنا",
"دلائی": "دالنا",
"دلائیے": "دالنا",
"دلائیں": "دالنا",
"دلایا": "دالنا",
"دلچسپ": "دلچسپ",
"دلچسپی": "دلچسپی",
"دلچسپیاں": "دلچسپی",
"دلچسپیو": "دلچسپی",
"دلچسپیوں": "دلچسپی",
"دلدل": "دلدل",
"دلدلو": "دلدل",
"دلدلوں": "دلدل",
"دلدلیں": "دلدل",
"دلہن": "دلہن",
"دلہنو": "دلہن",
"دلہنوں": "دلہن",
"دلہنیں": "دلہن",
"دلو": "دل",
"دلوں": "دل",
"دلوا": "دالنا",
"دلوانے": "دالنا",
"دلوانا": "دالنا",
"دلواتے": "دالنا",
"دلواتا": "دالنا",
"دلواتی": "دالنا",
"دلواتیں": "دالنا",
"دلواؤ": "دالنا",
"دلواؤں": "دالنا",
"دلوائے": "دالنا",
"دلوائی": "دالنا",
"دلوائیے": "دالنا",
"دلوائیں": "دالنا",
"دلوایا": "دالنا",
"دلیل": "دلیل",
"دلیلو": "دلیل",
"دلیلوں": "دلیل",
"دلیلیں": "دلیل",
"دمے": "دمہ",
"دماغ": "دماغ",
"دماغو": "دماغ",
"دماغوں": "دماغ",
"دمہ": "دمہ",
"دمک": "دمکنا",
"دمکے": "دمکنا",
"دمکں": "دمکنا",
"دمکا": "دمکنا",
"دمکنے": "دمکنا",
"دمکنا": "دمکنا",
"دمکنی": "دمکنا",
"دمکتے": "دمکنا",
"دمکتا": "دمکنا",
"دمکتی": "دمکنا",
"دمکتیں": "دمکنا",
"دمکو": "دمکنا",
"دمکوں": "دمکنا",
"دمکی": "دمکنا",
"دمکیے": "دمکنا",
"دمکیں": "دمکنا",
"دمو": "دمہ",
"دموں": "دمہ",
"دن": "دن",
"دنو": "دن",
"دنوں": "دن",
"دنیا": "دنیا",
"دنیاؤ": "دنیا",
"دنیاؤں": "دنیا",
"دنیائیں": "دنیا",
"در": "در",
"درے": "درہ",
"درخت": "درخت",
"درختو": "درخت",
"درختوں": "درخت",
"درختیں": "درخت",
"درخواست": "درخواست",
"درخواستو": "درخواست",
"درخواستوں": "درخواست",
"درخواستیں": "درخواست",
"درں": "درنا",
"درا": "درنا",
"دراڑ": "دراڑ",
"دراڑو": "دراڑ",
"دراڑوں": "دراڑ",
"دراڑیں": "دراڑ",
"درانے": "درنا",
"درانا": "درنا",
"دراتے": "درنا",
"دراتا": "درنا",
"دراتی": "درنا",
"دراتیں": "درنا",
"دراؤ": "درنا",
"دراؤں": "درنا",
"درائے": "درنا",
"درائی": "درنا",
"درائیے": "درنا",
"درائیں": "درنا",
"درایا": "درنا",
"دراز": "دراز",
"درازو": "دراز",
"درازوں": "دراز",
"درازیں": "دراز",
"دربار": "دربار",
"دربارو": "دربار",
"درباروں": "دربار",
"درباری": "درباری",
"درباریں": "دربار",
"درباریاں": "درباری",
"درباریو": "درباری",
"درباریوں": "درباری",
"درگاہ": "درگاہ",
"درگاہو": "درگاہ",
"درگاہوں": "درگاہ",
"درگاہیں": "درگاہ",
"درہ": "درہ",
"درہم": "درہم",
"درہمو": "درہم",
"درہموں": "درہم",
"درجے": "درجہ",
"درجہ": "درجہ",
"درجن": "درجن",
"درجنو": "درجن",
"درجنوں": "درجن",
"درجو": "درجہ",
"درجوں": "درجہ",
"درمیانے": "درمیانہ",
"درمیانہ": "درمیانہ",
"درمیانو": "درمیانہ",
"درمیانوں": "درمیانہ",
"درنے": "درنا",
"درنا": "درنا",
"درندے": "درندہ",
"درندہ": "درندہ",
"درندو": "درندہ",
"درندوں": "درندہ",
"درنی": "درنا",
"درسگاہ": "درسگاہ",
"درسگاہو": "درسگاہ",
"درسگاہوں": "درسگاہ",
"درسگاہیں": "درسگاہ",
"درتے": "درنا",
"درتا": "درنا",
"درتی": "درنا",
"درتیں": "درنا",
"درو": "درہ",
"دروں": "درہ",
"دروا": "درنا",
"دروانے": "درنا",
"دروانا": "درنا",
"درواتے": "درنا",
"درواتا": "درنا",
"درواتی": "درنا",
"درواتیں": "درنا",
"درواؤ": "درنا",
"درواؤں": "درنا",
"دروائے": "درنا",
"دروائی": "درنا",
"دروائیے": "درنا",
"دروائیں": "درنا",
"دروایا": "درنا",
"دروازے": "دروازہ",
"دروازہ": "دروازہ",
"دروازو": "دروازہ",
"دروازوں": "دروازہ",
"درویش": "درویش",
"درویشو": "درویش",
"درویشوں": "درویش",
"دری": "دری",
"دریے": "درنا",
"دریں": "درنا",
"دریا": "دریا",
"دریاں": "دری",
"دریاو": "دریاو",
"دریاؤ": "دریا",
"دریاؤں": "دریا",
"دریاوؤ": "دریاو",
"دریاوؤں": "دریاو",
"دریائیں": "دریا",
"دریچے": "دریچہ",
"دریچہ": "دریچہ",
"دریچو": "دریچہ",
"دریچوں": "دریچہ",
"دریو": "دری",
"دریوں": "دری",
"درزے": "درزہ",
"درزہ": "درزہ",
"درزو": "درزہ",
"درزوں": "درزہ",
"درزی": "درزی",
"درزیاں": "درزی",
"درزیو": "درزی",
"درزیوں": "درزی",
"دس": "دس",
"دسہرے": "دسہرہ",
"دسہرہ": "دسہرہ",
"دسہرو": "دسہرہ",
"دسہروں": "دسہرہ",
"دست": "دست",
"دستے": "دستا",
"دستا": "دستا",
"دستہ": "دستہ",
"دستکار": "دستکار",
"دستکارو": "دستکار",
"دستکاروں": "دستکار",
"دستو": "دستا",
"دستوں": "دستا",
"دستیں": "دست",
"دسواں": "دسواں",
"دسووںں": "دسواں",
"دسویں": "دسواں",
"دتے": "دتا",
"دتا": "دتا",
"دتو": "دتا",
"دتوں": "دتا",
"دو": "دو",
"دوں": "دینا",
"دوڑ": "دوڑ",
"دوڑے": "دوڑنا",
"دوڑں": "دوڑنا",
"دوڑا": "دوڑنا",
"دوڑانے": "دوڑنا",
"دوڑانا": "دوڑنا",
"دوڑاتے": "دوڑنا",
"دوڑاتا": "دوڑنا",
"دوڑاتی": "دوڑنا",
"دوڑاتیں": "دوڑنا",
"دوڑاؤ": "دوڑنا",
"دوڑاؤں": "دوڑنا",
"دوڑائے": "دوڑنا",
"دوڑائی": "دوڑنا",
"دوڑائیے": "دوڑنا",
"دوڑائیں": "دوڑنا",
"دوڑایا": "دوڑنا",
"دوڑنے": "دوڑنا",
"دوڑنا": "دوڑنا",
"دوڑنی": "دوڑنا",
"دوڑتے": "دوڑنا",
"دوڑتا": "دوڑنا",
"دوڑتی": "دوڑنا",
"دوڑتیں": "دوڑنا",
"دوڑو": "دوڑ",
"دوڑوں": "دوڑ",
"دوڑوا": "دوڑنا",
"دوڑوانے": "دوڑنا",
"دوڑوانا": "دوڑنا",
"دوڑواتے": "دوڑنا",
"دوڑواتا": "دوڑنا",
"دوڑواتی": "دوڑنا",
"دوڑواتیں": "دوڑنا",
"دوڑواؤ": "دوڑنا",
"دوڑواؤں": "دوڑنا",
"دوڑوائے": "دوڑنا",
"دوڑوائی": "دوڑنا",
"دوڑوائیے": "دوڑنا",
"دوڑوائیں": "دوڑنا",
"دوڑوایا": "دوڑنا",
"دوڑی": "دوڑنا",
"دوڑیے": "دوڑنا",
"دوڑیں": "دوڑ",
"دوا": "دوا",
"دوالے": "دوالہ",
"دوالہ": "دوالہ",
"دوالو": "دوالہ",
"دوالوں": "دوالہ",
"دوات": "دوات",
"دواتو": "دوات",
"دواتوں": "دوات",
"دواتیں": "دوات",
"دواؤ": "دوا",
"دواؤں": "دوا",
"دوائی": "دوائی",
"دوائیں": "دوا",
"دوائیاں": "دوائی",
"دوائیو": "دوائی",
"دوائیوں": "دوائی",
"دوہ": "دوہنا",
"دوہے": "دوہنا",
"دوہں": "دوہنا",
"دوہا": "دوہنا",
"دوہنے": "دوہنا",
"دوہنا": "دوہنا",
"دوہنی": "دوہنا",
"دوہتے": "دوہنا",
"دوہتا": "دوہنا",
"دوہتی": "دوہنا",
"دوہتیں": "دوہنا",
"دوہو": "دوہنا",
"دوہوں": "دوہنا",
"دوہی": "دوہنا",
"دوہیے": "دوہنا",
"دوہیں": "دوہنا",
"دوجے": "دوجہ",
"دوجہ": "دوجہ",
"دوجو": "دوجہ",
"دوجوں": "دوجہ",
"دوکان": "دوکان",
"دوکاندار": "دوکاندار",
"دوکاندارو": "دوکاندار",
"دوکانداروں": "دوکاندار",
"دوکانو": "دوکان",
"دوکانوں": "دوکان",
"دوکانیں": "دوکان",
"دولت": "دولت",
"دولتو": "دولت",
"دولتوں": "دولت",
"دولتی": "دولتی",
"دولتیں": "دولت",
"دولتیاں": "دولتی",
"دولتیو": "دولتی",
"دولتیوں": "دولتی",
"دونے": "دونا",
"دونا": "دونا",
"دونو": "دونا",
"دونوں": "دونا",
"دونی": "دونی",
"دونیاں": "دونی",
"دونیو": "دونی",
"دونیوں": "دونی",
"دوپٹے": "دوپٹا",
"دوپٹا": "دوپٹا",
"دوپٹہ": "دوپٹہ",
"دوپٹو": "دوپٹا",
"دوپٹوں": "دوپٹا",
"دوپہر": "دوپہر",
"دوپہرو": "دوپہر",
"دوپہروں": "دوپہر",
"دوپہریں": "دوپہر",
"دور": "دور",
"دورے": "دورا",
"دورا": "دورا",
"دورانیے": "دورانیہ",
"دورانیہ": "دورانیہ",
"دورانیو": "دورانیہ",
"دورانیوں": "دورانیہ",
"دورہ": "دورہ",
"دورو": "دورا",
"دوروں": "دورا",
"دوری": "دوری",
"دوریاں": "دوری",
"دوریو": "دوری",
"دوریوں": "دوری",
"دوسرے": "دوسرا",
"دوسرا": "دوسرا",
"دوسرہ": "دوسرہ",
"دوسرو": "دوسرا",
"دوسروں": "دوسرا",
"دوسری": "دُوسْرا",
"دوست": "دوست",
"دوستو": "دوست",
"دوستوں": "دوست",
"دوستی": "دوستی",
"دوستیں": "دوست",
"دوستیاں": "دوستی",
"دوستیو": "دوستی",
"دوستیوں": "دوستی",
"دوزخی": "دوزخی",
"دوزخیو": "دوزخی",
"دوزخیوں": "دوزخی",
"دی": "دینا",
"دیے": "دیا",
"دیں": "دینا",
"دیشی": "دیشی",
"دیشیاں": "دیشی",
"دیشیو": "دیشی",
"دیشیوں": "دیشی",
"دیا": "دیا",
"دیباچے": "دیباچہ",
"دیباچہ": "دیباچہ",
"دیباچو": "دیباچہ",
"دیباچوں": "دیباچہ",
"دید": "دید",
"دیدے": "دیدہ",
"دیدہ": "دیدہ",
"دیدو": "دیدہ",
"دیدوں": "دیدہ",
"دیدیں": "دید",
"دیگ": "دیگ",
"دیگچی": "دیگچی",
"دیگچیاں": "دیگچی",
"دیگچیو": "دیگچی",
"دیگچیوں": "دیگچی",
"دیگو": "دیگ",
"دیگوں": "دیگ",
"دیگیں": "دیگ",
"دیہاڑی": "دیہاڑی",
"دیہاڑیاں": "دیہاڑی",
"دیہاڑیو": "دیہاڑی",
"دیہاڑیوں": "دیہاڑی",
"دیہات": "دیہات",
"دیہاتو": "دیہات",
"دیہاتوں": "دیہات",
"دیہاتی": "دیہاتی",
"دیہاتیں": "دیہات",
"دیہاتیو": "دیہاتی",
"دیہاتیوں": "دیہاتی",
"دیجی": "دیجی",
"دیجیاں": "دیجی",
"دیجیو": "دیجی",
"دیجیوں": "دیجی",
"دیکھ": "دیکھ",
"دیکھْں": "دیکھْنا",
"دیکھْنے": "دیکھْنا",
"دیکھْنا": "دیکھْنا",
"دیکھْنی": "دیکھْنا",
"دیکھْتے": "دیکھْنا",
"دیکھْتا": "دیکھْنا",
"دیکھْتی": "دیکھْنا",
"دیکھْتیں": "دیکھْنا",
"دیکھے": "دیکھْنا",
"دیکھں": "دیکھنا",
"دیکھا": "دیکھْنا",
"دیکھنے": "دیکھنا",
"دیکھنا": "دیکھنا",
"دیکھنی": "دیکھنا",
"دیکھتے": "دیکھنا",
"دیکھتا": "دیکھنا",
"دیکھتی": "دیکھنا",
"دیکھتیں": "دیکھنا",
"دیکھو": "دیکھ",
"دیکھوں": "دیکھ",
"دیکھی": "دیکھْنا",
"دیکھیے": "دیکھْنا",
"دیکھیں": "دیکھ",
"دینے": "دینا",
"دینا": "دینا",
"دینی": "دینا",
"دیس": "دیس",
"دیسو": "دیس",
"دیسوں": "دیس",
"دیسی": "دیسی",
"دیسیں": "دیس",
"دیسیو": "دیسی",
"دیسیوں": "دیسی",
"دیت": "دیت",
"دیتے": "دینا",
"دیتا": "دینا",
"دیتو": "دیت",
"دیتوں": "دیت",
"دیتی": "دینا",
"دیتیں": "دینا",
"دیو": "دیا",
"دیوے": "دیوا",
"دیوں": "دیا",
"دیوا": "دیوا",
"دیوان": "دیوان",
"دیوانے": "دیوانہ",
"دیوانہ": "دیوانہ",
"دیوانو": "دیوانہ",
"دیوانوں": "دیوانہ",
"دیوار": "دیوار",
"دیوارو": "دیوار",
"دیواروں": "دیوار",
"دیواریں": "دیوار",
"دیوداسی": "دیوداسی",
"دیوداسیاں": "دیوداسی",
"دیوداسیو": "دیوداسی",
"دیوداسیوں": "دیوداسی",
"دیوہ": "دیوہ",
"دیوتا": "دیوتا",
"دیوتاؤ": "دیوتا",
"دیوتاؤں": "دیوتا",
"دیوو": "دیوا",
"دیووں": "دیوا",
"دیوی": "دیوی",
"دیویاں": "دیوی",
"دیویو": "دیوی",
"دیویوں": "دیوی",
"دھڑک": "دھڑکنا",
"دھڑکے": "دھڑکہ",
"دھڑکں": "دھڑکنا",
"دھڑکا": "دھڑکنا",
"دھڑکانے": "دھڑکنا",
"دھڑکانا": "دھڑکنا",
"دھڑکاتے": "دھڑکنا",
"دھڑکاتا": "دھڑکنا",
"دھڑکاتی": "دھڑکنا",
"دھڑکاتیں": "دھڑکنا",
"دھڑکاؤ": "دھڑکنا",
"دھڑکاؤں": "دھڑکنا",
"دھڑکائے": "دھڑکنا",
"دھڑکائی": "دھڑکنا",
"دھڑکائیے": "دھڑکنا",
"دھڑکائیں": "دھڑکنا",
"دھڑکایا": "دھڑکنا",
"دھڑکہ": "دھڑکہ",
"دھڑکن": "دھڑکن",
"دھڑکنے": "دھڑکنا",
"دھڑکنا": "دھڑکنا",
"دھڑکنو": "دھڑکن",
"دھڑکنوں": "دھڑکن",
"دھڑکنی": "دھڑکنا",
"دھڑکنیں": "دھڑکن",
"دھڑکتے": "دھڑکنا",
"دھڑکتا": "دھڑکنا",
"دھڑکتی": "دھڑکنا",
"دھڑکتیں": "دھڑکنا",
"دھڑکو": "دھڑکہ",
"دھڑکوں": "دھڑکہ",
"دھڑکوا": "دھڑکنا",
"دھڑکوانے": "دھڑکنا",
"دھڑکوانا": "دھڑکنا",
"دھڑکواتے": "دھڑکنا",
"دھڑکواتا": "دھڑکنا",
"دھڑکواتی": "دھڑکنا",
"دھڑکواتیں": "دھڑکنا",
"دھڑکواؤ": "دھڑکنا",
"دھڑکواؤں": "دھڑکنا",
"دھڑکوائے": "دھڑکنا",
"دھڑکوائی": "دھڑکنا",
"دھڑکوائیے": "دھڑکنا",
"دھڑکوائیں": "دھڑکنا",
"دھڑکوایا": "دھڑکنا",
"دھڑکی": "دھڑکنا",
"دھڑکیے": "دھڑکنا",
"دھڑکیں": "دھڑکنا",
"دھاڑ": "دھاڑ",
"دھاڑے": "دھاڑنا",
"دھاڑں": "دھاڑنا",
"دھاڑا": "دھاڑنا",
"دھاڑنے": "دھاڑنا",
"دھاڑنا": "دھاڑنا",
"دھاڑنی": "دھاڑنا",
"دھاڑتے": "دھاڑنا",
"دھاڑتا": "دھاڑنا",
"دھاڑتی": "دھاڑنا",
"دھاڑتیں": "دھاڑنا",
"دھاڑو": "دھاڑ",
"دھاڑوں": "دھاڑ",
"دھاڑی": "دھاڑنا",
"دھاڑیے": "دھاڑنا",
"دھاڑیں": "دھاڑ",
"دھاگے": "دھاگا",
"دھاگا": "دھاگا",
"دھاگہ": "دھاگہ",
"دھاگو": "دھاگا",
"دھاگوں": "دھاگا",
"دھانے": "دھانہ",
"دھانہ": "دھانہ",
"دھانو": "دھانہ",
"دھانوں": "دھانہ",
"دھانی": "دھانی",
"دھانیاں": "دھانی",
"دھانیو": "دھانی",
"دھانیوں": "دھانی",
"دھار": "دھار",
"دھارے": "دھارا",
"دھارں": "دھارنا",
"دھارا": "دھارا",
"دھارنے": "دھارنا",
"دھارنا": "دھارنا",
"دھارنی": "دھارنا",
"دھارتے": "دھارنا",
"دھارتا": "دھارنا",
"دھارتی": "دھارنا",
"دھارتیں": "دھارنا",
"دھارو": "دھارا",
"دھاروں": "دھارا",
"دھاری": "دھاری",
"دھاریے": "دھارنا",
"دھاریں": "دھار",
"دھاریاں": "دھاری",
"دھاریو": "دھاری",
"دھاریوں": "دھاری",
"دھات": "دھات",
"دھاتو": "دھات",
"دھاتوں": "دھات",
"دھاتیں": "دھات",
"دھبے": "دھبہ",
"دھبہ": "دھبہ",
"دھبو": "دھبہ",
"دھبوں": "دھبہ",
"دھک": "دھک",
"دھکے": "دھکا",
"دھکں": "دھکنا",
"دھکا": "دھکا",
"دھکنے": "دھکنا",
"دھکنا": "دھکنا",
"دھکنی": "دھکنا",
"دھکتے": "دھکنا",
"دھکتا": "دھکنا",
"دھکتی": "دھکنا",
"دھکتیں": "دھکنا",
"دھکو": "دھکا",
"دھکوں": "دھکا",
"دھکی": "دھکنا",
"دھکیے": "دھکنا",
"دھکیں": "دھک",
"دھکیل": "دھکیلنا",
"دھکیلے": "دھکیلنا",
"دھکیلں": "دھکیلنا",
"دھکیلا": "دھکیلنا",
"دھکیلنے": "دھکیلنا",
"دھکیلنا": "دھکیلنا",
"دھکیلنی": "دھکیلنا",
"دھکیلتے": "دھکیلنا",
"دھکیلتا": "دھکیلنا",
"دھکیلتی": "دھکیلنا",
"دھکیلتیں": "دھکیلنا",
"دھکیلو": "دھکیلنا",
"دھکیلوں": "دھکیلنا",
"دھکیلی": "دھکیلنا",
"دھکیلیے": "دھکیلنا",
"دھکیلیں": "دھکیلنا",
"دھماکے": "دھماکا",
"دھماکا": "دھماکا",
"دھماکہ": "دھماکہ",
"دھماکو": "دھماکا",
"دھماکوں": "دھماکا",
"دھمک": "دھمکنا",
"دھمکے": "دھمکنا",
"دھمکں": "دھمکنا",
"دھمکا": "دھمکنا",
"دھمکانے": "دھمکنا",
"دھمکانا": "دھمکنا",
"دھمکاتے": "دھمکنا",
"دھمکاتا": "دھمکنا",
"دھمکاتی": "دھمکنا",
"دھمکاتیں": "دھمکنا",
"دھمکاؤ": "دھمکنا",
"دھمکاؤں": "دھمکنا",
"دھمکائے": "دھمکنا",
"دھمکائی": "دھمکنا",
"دھمکائیے": "دھمکنا",
"دھمکائیں": "دھمکنا",
"دھمکایا": "دھمکنا",
"دھمکنے": "دھمکنا",
"دھمکنا": "دھمکنا",
"دھمکنی": "دھمکنا",
"دھمکتے": "دھمکنا",
"دھمکتا": "دھمکنا",
"دھمکتی": "دھمکنا",
"دھمکتیں": "دھمکنا",
"دھمکو": "دھمکنا",
"دھمکوں": "دھمکنا",
"دھمکوا": "دھمکنا",
"دھمکوانے": "دھمکنا",
"دھمکوانا": "دھمکنا",
"دھمکواتے": "دھمکنا",
"دھمکواتا": "دھمکنا",
"دھمکواتی": "دھمکنا",
"دھمکواتیں": "دھمکنا",
"دھمکواؤ": "دھمکنا",
"دھمکواؤں": "دھمکنا",
"دھمکوائے": "دھمکنا",
"دھمکوائی": "دھمکنا",
"دھمکوائیے": "دھمکنا",
"دھمکوائیں": "دھمکنا",
"دھمکوایا": "دھمکنا",
"دھمکی": "دھمکی",
"دھمکیے": "دھمکنا",
"دھمکیں": "دھمکنا",
"دھمکیاں": "دھمکی",
"دھمکیو": "دھمکی",
"دھمکیوں": "دھمکی",
"دھن": "دھن",
"دھنے": "دھننا",
"دھنں": "دھننا",
"دھنا": "دھننا",
"دھنانے": "دھننا",
"دھنانا": "دھننا",
"دھناتے": "دھننا",
"دھناتا": "دھننا",
"دھناتی": "دھننا",
"دھناتیں": "دھننا",
"دھناؤ": "دھننا",
"دھناؤں": "دھننا",
"دھنائے": "دھننا",
"دھنائی": "دھننا",
"دھنائیے": "دھننا",
"دھنائیں": "دھننا",
"دھنایا": "دھننا",
"دھند": "دھند",
"دھندے": "دھندا",
"دھندا": "دھندا",
"دھندہ": "دھندہ",
"دھندو": "دھندا",
"دھندوں": "دھندا",
"دھننے": "دھننا",
"دھننا": "دھننا",
"دھننی": "دھننا",
"دھنس": "دھنسنا",
"دھنسے": "دھنسنا",
"دھنسں": "دھنسنا",
"دھنسا": "دھنسنا",
"دھنسانے": "دھنسنا",
"دھنسانا": "دھنسنا",
"دھنساتے": "دھنسنا",
"دھنساتا": "دھنسنا",
"دھنساتی": "دھنسنا",
"دھنساتیں": "دھنسنا",
"دھنساؤ": "دھنسنا",
"دھنساؤں": "دھنسنا",
"دھنسائے": "دھنسنا",
"دھنسائی": "دھنسنا",
"دھنسائیے": "دھنسنا",
"دھنسائیں": "دھنسنا",
"دھنسایا": "دھنسنا",
"دھنسنے": "دھنسنا",
"دھنسنا": "دھنسنا",
"دھنسنی": "دھنسنا",
"دھنستے": "دھنسنا",
"دھنستا": "دھنسنا",
"دھنستی": "دھنسنا",
"دھنستیں": "دھنسنا",
"دھنسو": "دھنسنا",
"دھنسوں": "دھنسنا",
"دھنسوا": "دھنسنا",
"دھنسوانے": "دھنسنا",
"دھنسوانا": "دھنسنا",
"دھنسواتے": "دھنسنا",
"دھنسواتا": "دھنسنا",
"دھنسواتی": "دھنسنا",
"دھنسواتیں": "دھنسنا",
"دھنسواؤ": "دھنسنا",
"دھنسواؤں": "دھنسنا",
"دھنسوائے": "دھنسنا",
"دھنسوائی": "دھنسنا",
"دھنسوائیے": "دھنسنا",
"دھنسوائیں": "دھنسنا",
"دھنسوایا": "دھنسنا",
"دھنسی": "دھنسنا",
"دھنسیے": "دھنسنا",
"دھنسیں": "دھنسنا",
"دھنتے": "دھننا",
"دھنتا": "دھننا",
"دھنتی": "دھننا",
"دھنتیں": "دھننا",
"دھنو": "دھن",
"دھنوں": "دھن",
"دھنوا": "دھننا",
"دھنوانے": "دھننا",
"دھنوانا": "دھننا",
"دھنواتے": "دھننا",
"دھنواتا": "دھننا",
"دھنواتی": "دھننا",
"دھنواتیں": "دھننا",
"دھنواؤ": "دھننا",
"دھنواؤں": "دھننا",
"دھنوائے": "دھننا",
"دھنوائی": "دھننا",
"دھنوائیے": "دھننا",
"دھنوائیں": "دھننا",
"دھنوایا": "دھننا",
"دھنی": "دھننا",
"دھنیے": "دھنیہ",
"دھنیں": "دھننا",
"دھنیہ": "دھنیہ",
"دھنیو": "دھنیہ",
"دھنیوں": "دھنیہ",
"دھر": "دھرنا",
"دھرے": "دھرنا",
"دھرں": "دھرنا",
"دھرا": "دھرنا",
"دھرانے": "دھرنا",
"دھرانا": "دھرنا",
"دھراتے": "دھرنا",
"دھراتا": "دھرنا",
"دھراتی": "دھرنا",
"دھراتیں": "دھرنا",
"دھراؤ": "دھرنا",
"دھراؤں": "دھرنا",
"دھرائے": "دھرنا",
"دھرائی": "دھرنا",
"دھرائیے": "دھرنا",
"دھرائیں": "دھرنا",
"دھرایا": "دھرنا",
"دھرنے": "دھرنا",
"دھرنا": "دھرنا",
"دھرنی": "دھرنا",
"دھرتے": "دھرنا",
"دھرتا": "دھرنا",
"دھرتی": "دھرنا",
"دھرتیں": "دھرنا",
"دھرو": "دھرنا",
"دھروں": "دھرنا",
"دھروا": "دھرنا",
"دھروانے": "دھرنا",
"دھروانا": "دھرنا",
"دھرواتے": "دھرنا",
"دھرواتا": "دھرنا",
"دھرواتی": "دھرنا",
"دھرواتیں": "دھرنا",
"دھرواؤ": "دھرنا",
"دھرواؤں": "دھرنا",
"دھروائے": "دھرنا",
"دھروائی": "دھرنا",
"دھروائیے": "دھرنا",
"دھروائیں": "دھرنا",
"دھروایا": "دھرنا",
"دھری": "دھرنا",
"دھریے": "دھرنا",
"دھریں": "دھرنا",
"دھتکار": "دھتکارنا",
"دھتکارے": "دھتکارنا",
"دھتکارں": "دھتکارنا",
"دھتکارا": "دھتکارنا",
"دھتکارنے": "دھتکارنا",
"دھتکارنا": "دھتکارنا",
"دھتکارنی": "دھتکارنا",
"دھتکارتے": "دھتکارنا",
"دھتکارتا": "دھتکارنا",
"دھتکارتی": "دھتکارنا",
"دھتکارتیں": "دھتکارنا",
"دھتکارو": "دھتکارنا",
"دھتکاروں": "دھتکارنا",
"دھتکاری": "دھتکارنا",
"دھتکاریے": "دھتکارنا",
"دھتکاریں": "دھتکارنا",
"دھو": "دھونا",
"دھواں": "دھواں",
"دھوکے": "دھوکہ",
"دھوکہ": "دھوکہ",
"دھوکو": "دھوکہ",
"دھوکوں": "دھوکہ",
"دھونے": "دھونا",
"دھونا": "دھونا",
"دھونی": "دھونا",
"دھوتے": "دھونا",
"دھوتا": "دھونا",
"دھوتی": "دھوتی",
"دھوتیں": "دھونا",
"دھوتیاں": "دھوتی",
"دھوتیو": "دھوتی",
"دھوتیوں": "دھوتی",
"دھووںں": "دھواں",
"دھوؤ": "دھونا",
"دھوؤں": "دھونا",
"دھویں": "دھواں",
"دھوئے": "دھونا",
"دھوئی": "دھونا",
"دھوئیے": "دھونا",
"دھوئیں": "دھونا",
"دھویا": "دھونا",
"عِنایَت": "عِنایَت",
"عِنایَتو": "عِنایَت",
"عِنایَتوں": "عِنایَت",
"عِنایَتیں": "عِنایَت",
"عِید": "عِید",
"عِیدو": "عِید",
"عِیدوں": "عِید",
"عِیدیں": "عِید",
"عُمر": "عُمر",
"عُمرو": "عُمر",
"عُمروں": "عُمر",
"عُمریں": "عُمر",
"عصمت": "عصمت",
"عصمتو": "عصمت",
"عصمتوں": "عصمت",
"عصمتیں": "عصمت",
"عصر": "عصر",
"عصرو": "عصر",
"عصروں": "عصر",
"عشر": "عشر",
"عشرے": "عشرہ",
"عشرہ": "عشرہ",
"عشرو": "عشرہ",
"عشروں": "عشرہ",
"عذاب": "عذاب",
"عذابو": "عذاب",
"عذابوں": "عذاب",
"عاصی": "عاصی",
"عاصیو": "عاصی",
"عاصیوں": "عاصی",
"عاشق": "عاشق",
"عاشقو": "عاشق",
"عاشقوں": "عاشق",
"عاشورے": "عاشورہ",
"عاشورہ": "عاشورہ",
"عاشورو": "عاشورہ",
"عاشوروں": "عاشورہ",
"عادت": "عادت",
"عادتو": "عادت",
"عادتوں": "عادت",
"عادتیں": "عادت",
"عاجز": "عاجز",
"عاجزو": "عاجز",
"عاجزوں": "عاجز",
"عالم": "عالم",
"عالمو": "عالم",
"عالموں": "عالم",
"عارف": "عارف",
"عارفہ": "عارفہ",
"عارفو": "عارف",
"عارفوں": "عارف",
"عارض": "عارض",
"عارضے": "عارضہ",
"عارضہ": "عارضہ",
"عارضو": "عارضہ",
"عارضوں": "عارضہ",
"عبادت": "عبادت",
"عبادتو": "عبادت",
"عبادتوں": "عبادت",
"عبادتیں": "عبادت",
"عدالت": "عدالت",
"عدالتو": "عدالت",
"عدالتوں": "عدالت",
"عدالتیں": "عدالت",
"عداوت": "عداوت",
"عداوتو": "عداوت",
"عداوتوں": "عداوت",
"عداوتیں": "عداوت",
"عہد": "عہد",
"عہدے": "عہدہ",
"عہدہ": "عہدہ",
"عہدو": "عہدہ",
"عہدوں": "عہدہ",
"عہدیدار": "عہدیدار",
"عہدیدارو": "عہدیدار",
"عہدیداروں": "عہدیدار",
"عجمی": "عجمی",
"عجمیو": "عجمی",
"عجمیوں": "عجمی",
"عجز": "عجز",
"عجزو": "عجز",
"عجزوں": "عجز",
"علامت": "علامت",
"علامتو": "علامت",
"علامتوں": "علامت",
"علامتیں": "علامت",
"علاقے": "علاقہ",
"علاقائی": "علاقائی",
"علاقائیو": "علاقائی",
"علاقائیوں": "علاقائی",
"علاقہ": "علاقہ",
"علاقو": "علاقہ",
"علاقوں": "علاقہ",
"علاوہ": "علاوہ",
"علم": "علم",
"علمبردار": "علمبردار",
"علمبردارو": "علمبردار",
"علمبرداروں": "علمبردار",
"علمو": "علم",
"علموں": "علم",
"علت": "علت",
"علتو": "علت",
"علتوں": "علت",
"علتیں": "علت",
"عمامے": "عمامہ",
"عمامہ": "عمامہ",
"عمامو": "عمامہ",
"عماموں": "عمامہ",
"عمارت": "عمارت",
"عمارتو": "عمارت",
"عمارتوں": "عمارت",
"عمارتیں": "عمارت",
"عمل": "عمل",
"عملے": "عملہ",
"عملہ": "عملہ",
"عملو": "عملہ",
"عملوں": "عملہ",
"عمر": "عمر",
"عمرے": "عمرا",
"عمرا": "عمرا",
"عمرہ": "عمرہ",
"عمرو": "عمرا",
"عمروں": "عمرا",
"عمریں": "عمر",
"عنوان": "عنوان",
"عنوانات": "عنوان",
"عنوانو": "عنوان",
"عنوانوں": "عنوان",
"عقاب": "عقاب",
"عقابو": "عقاب",
"عقابوں": "عقاب",
"عقل": "عقل",
"عقلمند": "عقلمند",
"عقلمندو": "عقلمند",
"عقلمندوں": "عقلمند",
"عقلو": "عقل",
"عقلوں": "عقل",
"عقلیں": "عقل",
"عقیدے": "عقیدہ",
"عقیدہ": "عقیدہ",
"عقیدت": "عقیدت",
"عقیدتو": "عقیدت",
"عقیدتوں": "عقیدت",
"عقیدتیں": "عقیدت",
"عقیدو": "عقیدہ",
"عقیدوں": "عقیدہ",
"عرصے": "عرصہ",
"عرصہ": "عرصہ",
"عرصو": "عرصہ",
"عرصوں": "عرصہ",
"عرشی": "عرشی",
"عرشیو": "عرشی",
"عرشیوں": "عرشی",
"عراقی": "عراقی",
"عراقیو": "عراقی",
"عراقیوں": "عراقی",
"عرب": "عرب",
"عربو": "عرب",
"عربوں": "عرب",
"عرضی": "عرضی",
"عرضیاں": "عرضی",
"عرضیو": "عرضی",
"عرضیوں": "عرضی",
"عسائی": "عسائی",
"عسائیو": "عسائی",
"عسائیوں": "عسائی",
"عورت": "عورت",
"عورتو": "عورت",
"عورتوں": "عورت",
"عورتیں": "عورت",
"عیاشی": "عیاشی",
"عیاشیاں": "عیاشی",
"عیاشیو": "عیاشی",
"عیاشیوں": "عیاشی",
"عیب": "عیب",
"عیبو": "عیب",
"عیبوں": "عیب",
"عید": "عید",
"عیدو": "عید",
"عیدوں": "عید",
"عیدیں": "عید",
"عینک": "عینک",
"عینکو": "عینک",
"عینکوں": "عینک",
"عینکیں": "عینک",
"عیسائی": "عیسائی",
"عیسائیو": "عیسائی",
"عیسائیوں": "عیسائی",
"عزت": "عزت",
"عزتو": "عزت",
"عزتوں": "عزت",
"عزتیں": "عزت",
"عزیز": "عزیز",
"عزیزے": "عزیزہ",
"عزیزہ": "عزیزہ",
"عزیزو": "عزیزہ",
"عزیزوں": "عزیزہ",
"عطا": "عطا",
"عطاؤ": "عطا",
"عطاؤں": "عطا",
"عطائیں": "عطا",
"عظمت": "عظمت",
"عظمتو": "عظمت",
"عظمتوں": "عظمت",
"عظمتیں": "عظمت",
"فُلاں": "فُلاں",
"فُلانی": "فُلاں",
"فخر": "فخر",
"فخرو": "فخر",
"فخروں": "فخر",
"فصل": "فصل",
"فصلے": "فصلہ",
"فصلہ": "فصلہ",
"فصلو": "فصلہ",
"فصلوں": "فصلہ",
"فصلیں": "فصل",
"فصیل": "فصیل",
"فصیلو": "فصیل",
"فصیلوں": "فصیل",
"فصیلیں": "فصیل",
"فاصل": "فاصل",
"فاصلے": "فاصلہ",
"فاصلہ": "فاصلہ",
"فاصلو": "فاصلہ",
"فاصلوں": "فاصلہ",
"فالسے": "فالسہ",
"فالسہ": "فالسہ",
"فالسو": "فالسہ",
"فالسوں": "فالسہ",
"فالودے": "فالودہ",
"فالودہ": "فالودہ",
"فالودو": "فالودہ",
"فالودوں": "فالودہ",
"فاقے": "فاقہ",
"فاقہ": "فاقہ",
"فاقو": "فاقہ",
"فاقوں": "فاقہ",
"فارمولے": "فارمولا",
"فارمولا": "فارمولا",
"فارمولو": "فارمولا",
"فارمولوں": "فارمولا",
"فاسق": "فاسق",
"فاسقو": "فاسق",
"فاسقوں": "فاسق",
"فائدے": "فائدہ",
"فائدہ": "فائدہ",
"فائدو": "فائدہ",
"فائدوں": "فائدہ",
"فائل": "فائل",
"فائلو": "فائل",
"فائلوں": "فائل",
"فائلیں": "فائل",
"فہمی": "فہمی",
"فہمیاں": "فہمی",
"فہمیو": "فہمی",
"فہمیوں": "فہمی",
"فہرست": "فہرست",
"فہرستو": "فہرست",
"فہرستوں": "فہرست",
"فہرستیں": "فہرست",
"فکر": "فکر",
"فکرو": "فکر",
"فکروں": "فکر",
"فکریں": "فکر",
"فلاں": "فُلاں",
"فلانی": "فُلاں",
"فلم": "فلم",
"فلمو": "فلم",
"فلموں": "فلم",
"فلمیں": "فلم",
"فلسفے": "فلسفہ",
"فلسفہ": "فلسفہ",
"فلسفو": "فلسفہ",
"فلسفوں": "فلسفہ",
"فلسفی": "فلسفی",
"فلسفیو": "فلسفی",
"فلسفیوں": "فلسفی",
"فلیٹ": "فلیٹ",
"فلیٹو": "فلیٹ",
"فلیٹوں": "فلیٹ",
"فلیٹیں": "فلیٹ",
"فنکار": "فنکار",
"فنکارو": "فنکار",
"فنکاروں": "فنکار",
"فقر": "فقر",
"فقرے": "فقرہ",
"فقرہ": "فقرہ",
"فقرو": "فقرہ",
"فقروں": "فقرہ",
"فقریں": "فقر",
"فقیر": "فقیر",
"فقیرنی": "فقیرنی",
"فقیرنیاں": "فقیرنی",
"فقیرنیو": "فقیرنی",
"فقیرنیوں": "فقیرنی",
"فقیرو": "فقیر",
"فقیروں": "فقیر",
"فقیریں": "فقیر",
"فرصت": "فرصت",
"فرصتو": "فرصت",
"فرصتوں": "فرصت",
"فرصتیں": "فرصت",
"فرش": "فرش",
"فرشت": "فرشت",
"فرشتے": "فرشتہ",
"فرشتہ": "فرشتہ",
"فرشتو": "فرشتہ",
"فرشتوں": "فرشتہ",
"فرشتیں": "فرشت",
"فرشو": "فرش",
"فرشوں": "فرش",
"فراک": "فراک",
"فراکو": "فراک",
"فراکوں": "فراک",
"فراکیں": "فراک",
"فرد": "فرد",
"فردے": "فردہ",
"فردہ": "فردہ",
"فردو": "فردہ",
"فردوں": "فردہ",
"فرعونی": "فرعونی",
"فرعونیو": "فرعونی",
"فرعونیوں": "فرعونی",
"فرما": "فرمانا",
"فرمانے": "فرمانا",
"فرمانا": "فرمانا",
"فرمانبردار": "فرمانبردار",
"فرمانبردارو": "فرمانبردار",
"فرمانبرداروں": "فرمانبردار",
"فرمانی": "فرمانا",
"فرماتے": "فرمانا",
"فرماتا": "فرمانا",
"فرماتی": "فرمانا",
"فرماتیں": "فرمانا",
"فرماؤ": "فرمانا",
"فرماؤں": "فرمانا",
"فرمائے": "فرمانا",
"فرمائش": "فرمائش",
"فرمائشو": "فرمائش",
"فرمائشوں": "فرمائش",
"فرمائشیں": "فرمائش",
"فرمائی": "فرمانا",
"فرمائیے": "فرمانا",
"فرمائیں": "فرمانا",
"فرمایا": "فرمانا",
"فرنگ": "فرنگ",
"فرنگو": "فرنگ",
"فرنگوں": "فرنگ",
"فرقے": "فرقہ",
"فرقہ": "فرقہ",
"فرقو": "فرقہ",
"فرقوں": "فرقہ",
"فروش": "فروش",
"فروشو": "فروش",
"فروشوں": "فروش",
"فریب": "فریب",
"فریبو": "فریب",
"فریبوں": "فریب",
"فریق": "فریق",
"فریقو": "فریق",
"فریقوں": "فریق",
"فریضے": "فریضہ",
"فریضہ": "فریضہ",
"فریضو": "فریضہ",
"فریضوں": "فریضہ",
"فرزانے": "فرزانہ",
"فرزانہ": "فرزانہ",
"فرزانو": "فرزانہ",
"فرزانوں": "فرزانہ",
"فرزند": "فرزند",
"فرزندو": "فرزند",
"فرزندوں": "فرزند",
"فرض": "فرض",
"فرضے": "فرضہ",
"فرضہ": "فرضہ",
"فرضو": "فرضہ",
"فرضوں": "فرضہ",
"فسانے": "فسانہ",
"فسانہ": "فسانہ",
"فسانو": "فسانہ",
"فسانوں": "فسانہ",
"فتنے": "فتنہ",
"فتنہ": "فتنہ",
"فتنو": "فتنہ",
"فتنوں": "فتنہ",
"فتوے": "فتوہ",
"فتوہ": "فتوہ",
"فتوو": "فتوہ",
"فتووں": "فتوہ",
"فوارے": "فوارہ",
"فوارہ": "فوارہ",
"فوارو": "فوارہ",
"فواروں": "فوارہ",
"فوج": "فوج",
"فوجو": "فوج",
"فوجوں": "فوج",
"فوجی": "فوجی",
"فوجیں": "فوج",
"فوجیو": "فوجی",
"فوجیوں": "فوجی",
"فون": "فون",
"فونو": "فون",
"فونوں": "فون",
"فیصل": "فیصل",
"فیصلے": "فیصلہ",
"فیصلہ": "فیصلہ",
"فیصلو": "فیصلہ",
"فیصلوں": "فیصلہ",
"فیچر": "فیچر",
"فیچرو": "فیچر",
"فیچروں": "فیچر",
"فیکٹری": "فیکٹری",
"فیکٹریاں": "فیکٹری",
"فیکٹریو": "فیکٹری",
"فیکٹریوں": "فیکٹری",
"فیروزے": "فیروزہ",
"فیروزہ": "فیروزہ",
"فیروزو": "فیروزہ",
"فیروزوں": "فیروزہ",
"فیتے": "فیتہ",
"فیتہ": "فیتہ",
"فیتو": "فیتہ",
"فیتوں": "فیتہ",
"فیض": "فیض",
"فیضو": "فیض",
"فیضوں": "فیض",
"فضا": "فضا",
"فضاؤ": "فضا",
"فضاؤں": "فضا",
"فضائیں": "فضا",
"فضلے": "فضلہ",
"فضلہ": "فضلہ",
"فضلو": "فضلہ",
"فضلوں": "فضلہ",
"فضیحت": "فضیحت",
"فضیحتو": "فضیحت",
"فضیحتوں": "فضیحت",
"فضیحتیں": "فضیحت",
"گَھٹا": "گَھٹا",
"گَھٹاؤ": "گَھٹا",
"گَھٹاؤں": "گَھٹا",
"گَھٹائیں": "گَھٹا",
"گَھبْرا": "گَھبْرانا",
"گَھبْرانے": "گَھبْرانا",
"گَھبْرانا": "گَھبْرانا",
"گَھبْرانی": "گَھبْرانا",
"گَھبْراتے": "گَھبْرانا",
"گَھبْراتا": "گَھبْرانا",
"گَھبْراتی": "گَھبْرانا",
"گَھبْراتیں": "گَھبْرانا",
"گَھبْراؤ": "گَھبْرانا",
"گَھبْراؤں": "گَھبْرانا",
"گَھبْرائے": "گَھبْرانا",
"گَھبْرائی": "گَھبْرانا",
"گَھبْرائیے": "گَھبْرانا",
"گَھبْرائیں": "گَھبْرانا",
"گَھبْرایا": "گَھبْرانا",
"گَھر": "گَھر",
"گَھرو": "گَھر",
"گَھروں": "گَھر",
"گ(اo)زر": "گُزرنا",
"گ(اo)زرے": "گُزرنا",
"گ(اo)زرں": "گُزرنا",
"گ(اo)زرا": "گُزرنا",
"گ(اo)زرنے": "گُزرنا",
"گ(اo)زرنا": "گُزرنا",
"گ(اo)زرتے": "گُزرنا",
"گ(اo)زرتا": "گُزرنا",
"گ(اo)زرتی": "گُزرنا",
"گ(اo)زرتیں": "گُزرنا",
"گ(اo)زرو": "گُزرنا",
"گ(اo)زروں": "گُزرنا",
"گ(اo)زری": "گُزرنا",
"گ(اo)زریے": "گُزرنا",
"گ(اo)زریں": "گُزرنا",
"گِڑگڑا": "گِڑگڑانا",
"گِڑگڑانے": "گِڑگڑانا",
"گِڑگڑانا": "گِڑگڑانا",
"گِڑگڑانی": "گِڑگڑانا",
"گِڑگڑاتے": "گِڑگڑانا",
"گِڑگڑاتا": "گِڑگڑانا",
"گِڑگڑاتی": "گِڑگڑانا",
"گِڑگڑاتیں": "گِڑگڑانا",
"گِڑگڑاؤ": "گِڑگڑانا",
"گِڑگڑاؤں": "گِڑگڑانا",
"گِڑگڑائے": "گِڑگڑانا",
"گِڑگڑائی": "گِڑگڑانا",
"گِڑگڑائیے": "گِڑگڑانا",
"گِڑگڑائیں": "گِڑگڑانا",
"گِڑگڑایا": "گِڑگڑانا",
"گِر": "گِرنا",
"گِرے": "گِرہ",
"گِرں": "گِرنا",
"گِرا": "گِرنا",
"گِرانے": "گِرنا",
"گِرانا": "گِرنا",
"گِراتے": "گِرنا",
"گِراتا": "گِرنا",
"گِراتی": "گِرنا",
"گِراتیں": "گِرنا",
"گِراؤ": "گِرنا",
"گِراؤں": "گِرنا",
"گِرائے": "گِرنا",
"گِرائی": "گِرنا",
"گِرائیے": "گِرنا",
"گِرائیں": "گِرنا",
"گِرایا": "گِرنا",
"گِرہ": "گِرہ",
"گِرنے": "گِرنا",
"گِرنا": "گِرنا",
"گِرنی": "گِرنا",
"گِرتے": "گِرنا",
"گِرتا": "گِرنا",
"گِرتی": "گِرنا",
"گِرتیں": "گِرنا",
"گِرو": "گِرہ",
"گِروں": "گِرہ",
"گِروا": "گِرنا",
"گِروانے": "گِرنا",
"گِروانا": "گِرنا",
"گِرواتے": "گِرنا",
"گِرواتا": "گِرنا",
"گِرواتی": "گِرنا",
"گِرواتیں": "گِرنا",
"گِرواؤ": "گِرنا",
"گِرواؤں": "گِرنا",
"گِروائے": "گِرنا",
"گِروائی": "گِرنا",
"گِروائیے": "گِرنا",
"گِروائیں": "گِرنا",
"گِروایا": "گِرنا",
"گِری": "گِرنا",
"گِریے": "گِرنا",
"گِریں": "گِرنا",
"گِھر": "گِھرْنا",
"گِھرْں": "گِھرْنا",
"گِھرْنے": "گِھرْنا",
"گِھرْنا": "گِھرْنا",
"گِھرْنی": "گِھرْنا",
"گِھرْتے": "گِھرْنا",
"گِھرْتا": "گِھرْنا",
"گِھرْتی": "گِھرْنا",
"گِھرْتیں": "گِھرْنا",
"گِھرْوا": "گِھرْنا",
"گِھرْوانے": "گِھرْنا",
"گِھرْوانا": "گِھرْنا",
"گِھرْواتے": "گِھرْنا",
"گِھرْواتا": "گِھرْنا",
"گِھرْواتی": "گِھرْنا",
"گِھرْواتیں": "گِھرْنا",
"گِھرْواؤ": "گِھرْنا",
"گِھرْواؤں": "گِھرْنا",
"گِھرْوائے": "گِھرْنا",
"گِھرْوائی": "گِھرْنا",
"گِھرْوائیے": "گِھرْنا",
"گِھرْوائیں": "گِھرْنا",
"گِھرْوایا": "گِھرْنا",
"گِھرے": "گِھرْنا",
"گِھرا": "گِھرْنا",
"گِھرو": "گِھرْنا",
"گِھروں": "گِھرْنا",
"گِھری": "گِھرْنا",
"گِھریے": "گِھرْنا",
"گِھریں": "گِھرْنا",
"گِھس": "گِھسْنا",
"گِھسْں": "گِھسْنا",
"گِھسْنے": "گِھسْنا",
"گِھسْنا": "گِھسْنا",
"گِھسْنی": "گِھسْنا",
"گِھسْتے": "گِھسْنا",
"گِھسْتا": "گِھسْنا",
"گِھسْتی": "گِھسْنا",
"گِھسْتیں": "گِھسْنا",
"گِھسْوا": "گِھسْنا",
"گِھسْوانے": "گِھسْنا",
"گِھسْوانا": "گِھسْنا",
"گِھسْواتے": "گِھسْنا",
"گِھسْواتا": "گِھسْنا",
"گِھسْواتی": "گِھسْنا",
"گِھسْواتیں": "گِھسْنا",
"گِھسْواؤ": "گِھسْنا",
"گِھسْواؤں": "گِھسْنا",
"گِھسْوائے": "گِھسْنا",
"گِھسْوائی": "گِھسْنا",
"گِھسْوائیے": "گِھسْنا",
"گِھسْوائیں": "گِھسْنا",
"گِھسْوایا": "گِھسْنا",
"گِھسے": "گِھسْنا",
"گِھسں": "گِھسنا",
"گِھسا": "گِھسْنا",
"گِھسانے": "گِھسْنا",
"گِھسانا": "گِھسْنا",
"گِھساتے": "گِھسْنا",
"گِھساتا": "گِھسْنا",
"گِھساتی": "گِھسْنا",
"گِھساتیں": "گِھسْنا",
"گِھساؤ": "گِھسْنا",
"گِھساؤں": "گِھسْنا",
"گِھسائے": "گِھسْنا",
"گِھسائی": "گِھسْنا",
"گِھسائیے": "گِھسْنا",
"گِھسائیں": "گِھسْنا",
"گِھسایا": "گِھسْنا",
"گِھسنے": "گِھسنا",
"گِھسنا": "گِھسنا",
"گِھسنی": "گِھسنا",
"گِھستے": "گِھسنا",
"گِھستا": "گِھسنا",
"گِھستی": "گِھسنا",
"گِھستیں": "گِھسنا",
"گِھسو": "گِھسْنا",
"گِھسوں": "گِھسْنا",
"گِھسوا": "گِھسنا",
"گِھسوانے": "گِھسنا",
"گِھسوانا": "گِھسنا",
"گِھسواتے": "گِھسنا",
"گِھسواتا": "گِھسنا",
"گِھسواتی": "گِھسنا",
"گِھسواتیں": "گِھسنا",
"گِھسواؤ": "گِھسنا",
"گِھسواؤں": "گِھسنا",
"گِھسوائے": "گِھسنا",
"گِھسوائی": "گِھسنا",
"گِھسوائیے": "گِھسنا",
"گِھسوائیں": "گِھسنا",
"گِھسوایا": "گِھسنا",
"گِھسی": "گِھسْنا",
"گِھسیے": "گِھسْنا",
"گِھسیں": "گِھسْنا",
"گِھسیٹ": "گِھسیٹنا",
"گِھسیٹے": "گِھسیٹنا",
"گِھسیٹں": "گِھسیٹنا",
"گِھسیٹا": "گِھسیٹنا",
"گِھسیٹنے": "گِھسیٹنا",
"گِھسیٹنا": "گِھسیٹنا",
"گِھسیٹنی": "گِھسیٹنا",
"گِھسیٹتے": "گِھسیٹنا",
"گِھسیٹتا": "گِھسیٹنا",
"گِھسیٹتی": "گِھسیٹنا",
"گِھسیٹتیں": "گِھسیٹنا",
"گِھسیٹو": "گِھسیٹنا",
"گِھسیٹوں": "گِھسیٹنا",
"گِھسیٹی": "گِھسیٹنا",
"گِھسیٹیے": "گِھسیٹنا",
"گِھسیٹیں": "گِھسیٹنا",
"گُڑْیا": "گُڑْیا",
"گُڑْیاں": "گُڑْیا",
"گُڑْیو": "گُڑْیا",
"گُڑْیوں": "گُڑْیا",
"گُڑگُڑا": "گُڑگُڑانا",
"گُڑگُڑانے": "گُڑگُڑانا",
"گُڑگُڑانا": "گُڑگُڑانا",
"گُڑگُڑانی": "گُڑگُڑانا",
"گُڑگُڑاتے": "گُڑگُڑانا",
"گُڑگُڑاتا": "گُڑگُڑانا",
"گُڑگُڑاتی": "گُڑگُڑانا",
"گُڑگُڑاتیں": "گُڑگُڑانا",
"گُڑگُڑاؤ": "گُڑگُڑانا",
"گُڑگُڑاؤں": "گُڑگُڑانا",
"گُڑگُڑائے": "گُڑگُڑانا",
"گُڑگُڑائی": "گُڑگُڑانا",
"گُڑگُڑائیے": "گُڑگُڑانا",
"گُڑگُڑائیں": "گُڑگُڑانا",
"گُڑگُڑایا": "گُڑگُڑانا",
"گُل": "گُل",
"گُلو": "گُل",
"گُلوں": "گُل",
"گُردے": "گُردہ",
"گُردہ": "گُردہ",
"گُردو": "گُردہ",
"گُردوں": "گُردہ",
"گُزر": "گُزرنا",
"گُزرے": "گُزرنا",
"گُزرں": "گُزرنا",
"گُزرا": "گُزرنا",
"گُزرنے": "گُزرنا",
"گُزرنا": "گُزرنا",
"گُزرنی": "گُزرنا",
"گُزرتے": "گُزرنا",
"گُزرتا": "گُزرنا",
"گُزرتی": "گُزرنا",
"گُزرتیں": "گُزرنا",
"گُزرو": "گُزرنا",
"گُزروں": "گُزرنا",
"گُزروا": "گُزرنا",
"گُزروانے": "گُزرنا",
"گُزروانا": "گُزرنا",
"گُزرواتے": "گُزرنا",
"گُزرواتا": "گُزرنا",
"گُزرواتی": "گُزرنا",
"گُزرواتیں": "گُزرنا",
"گُزرواؤ": "گُزرنا",
"گُزرواؤں": "گُزرنا",
"گُزروائے": "گُزرنا",
"گُزروائی": "گُزرنا",
"گُزروائیے": "گُزرنا",
"گُزروائیں": "گُزرنا",
"گُزروایا": "گُزرنا",
"گُزری": "گُزرنا",
"گُزریے": "گُزرنا",
"گُزریں": "گُزرنا",
"گُھرکی": "گُھرکی",
"گُھرکیاں": "گُھرکی",
"گُھرکیو": "گُھرکی",
"گُھرکیوں": "گُھرکی",
"گُھس": "گُھسْنا",
"گُھسْں": "گُھسْنا",
"گُھسْنے": "گُھسْنا",
"گُھسْنا": "گُھسْنا",
"گُھسْنی": "گُھسْنا",
"گُھسْتے": "گُھسْنا",
"گُھسْتا": "گُھسْنا",
"گُھسْتی": "گُھسْنا",
"گُھسْتیں": "گُھسْنا",
"گُھسْوا": "گُھسْنا",
"گُھسْوانے": "گُھسْنا",
"گُھسْوانا": "گُھسْنا",
"گُھسْواتے": "گُھسْنا",
"گُھسْواتا": "گُھسْنا",
"گُھسْواتی": "گُھسْنا",
"گُھسْواتیں": "گُھسْنا",
"گُھسْواؤ": "گُھسْنا",
"گُھسْواؤں": "گُھسْنا",
"گُھسْوائے": "گُھسْنا",
"گُھسْوائی": "گُھسْنا",
"گُھسْوائیے": "گُھسْنا",
"گُھسْوائیں": "گُھسْنا",
"گُھسْوایا": "گُھسْنا",
"گُھسے": "گُھسْنا",
"گُھسا": "گُھسْنا",
"گُھسانے": "گُھسْنا",
"گُھسانا": "گُھسْنا",
"گُھساتے": "گُھسْنا",
"گُھساتا": "گُھسْنا",
"گُھساتی": "گُھسْنا",
"گُھساتیں": "گُھسْنا",
"گُھساؤ": "گُھسْنا",
"گُھساؤں": "گُھسْنا",
"گُھسائے": "گُھسْنا",
"گُھسائی": "گُھسْنا",
"گُھسائیے": "گُھسْنا",
"گُھسائیں": "گُھسْنا",
"گُھسایا": "گُھسْنا",
"گُھسو": "گُھسْنا",
"گُھسوں": "گُھسْنا",
"گُھسی": "گُھسْنا",
"گُھسیے": "گُھسْنا",
"گُھسیں": "گُھسْنا",
"گڈ": "گڈ",
"گڈریے": "گڈریا",
"گڈریا": "گڈریا",
"گڈریو": "گڈریا",
"گڈریوں": "گڈریا",
"گڈو": "گڈ",
"گڈوں": "گڈ",
"گڑ": "گڑنا",
"گڑے": "گڑا",
"گڑں": "گڑنا",
"گڑا": "گڑا",
"گڑگڑا": "گڑگڑانا",
"گڑگڑانے": "گڑگڑانا",
"گڑگڑانا": "گڑگڑانا",
"گڑگڑانی": "گڑگڑانا",
"گڑگڑاتے": "گڑگڑانا",
"گڑگڑاتا": "گڑگڑانا",
"گڑگڑاتی": "گڑگڑانا",
"گڑگڑاتیں": "گڑگڑانا",
"گڑگڑاؤ": "گڑگڑانا",
"گڑگڑاؤں": "گڑگڑانا",
"گڑگڑائے": "گڑگڑانا",
"گڑگڑائی": "گڑگڑانا",
"گڑگڑائیے": "گڑگڑانا",
"گڑگڑائیں": "گڑگڑانا",
"گڑگڑایا": "گڑگڑانا",
"گڑنے": "گڑنا",
"گڑنا": "گڑنا",
"گڑنی": "گڑنا",
"گڑتے": "گڑنا",
"گڑتا": "گڑنا",
"گڑتی": "گڑنا",
"گڑتیں": "گڑنا",
"گڑو": "گڑا",
"گڑوں": "گڑا",
"گڑوا": "گڑنا",
"گڑوانے": "گڑنا",
"گڑوانا": "گڑنا",
"گڑواتے": "گڑنا",
"گڑواتا": "گڑنا",
"گڑواتی": "گڑنا",
"گڑواتیں": "گڑنا",
"گڑواؤ": "گڑنا",
"گڑواؤں": "گڑنا",
"گڑوائے": "گڑنا",
"گڑوائی": "گڑنا",
"گڑوائیے": "گڑنا",
"گڑوائیں": "گڑنا",
"گڑوایا": "گڑنا",
"گڑی": "گڑنا",
"گڑیے": "گڑنا",
"گڑیں": "گڑنا",
"گڑیا": "گڑیا",
"گڑیاں": "گڑیا",
"گڑیو": "گڑیا",
"گڑیوں": "گڑیا",
"گڑھے": "گڑھا",
"گڑھا": "گڑھا",
"گڑھو": "گڑھا",
"گڑھوں": "گڑھا",
"گٹر": "گٹر",
"گٹرو": "گٹر",
"گٹروں": "گٹر",
"گٹھے": "گٹھا",
"گٹھڑی": "گٹھڑی",
"گٹھڑیاں": "گٹھڑی",
"گٹھڑیو": "گٹھڑی",
"گٹھڑیوں": "گٹھڑی",
"گٹھا": "گٹھا",
"گٹھلی": "گٹھلی",
"گٹھلیاں": "گٹھلی",
"گٹھلیو": "گٹھلی",
"گٹھلیوں": "گٹھلی",
"گٹھو": "گٹھا",
"گٹھوں": "گٹھا",
"گذار": "گذرنا",
"گذارے": "گذارا",
"گذارں": "گذرنا",
"گذارا": "گذارا",
"گذارانے": "گذارنا",
"گذارانا": "گذارنا",
"گذاراتے": "گذارنا",
"گذاراتا": "گذارنا",
"گذاراتی": "گذارنا",
"گذاراتیں": "گذارنا",
"گذاراؤ": "گذارنا",
"گذاراؤں": "گذارنا",
"گذارائے": "گذارنا",
"گذارائی": "گذارنا",
"گذارائیے": "گذارنا",
"گذارائیں": "گذارنا",
"گذارایا": "گذارنا",
"گذارنے": "گذرنا",
"گذارنا": "گذرنا",
"گذارنی": "گذارنا",
"گذارتے": "گذرنا",
"گذارتا": "گذرنا",
"گذارتی": "گذرنا",
"گذارتیں": "گذرنا",
"گذارو": "گذارا",
"گذاروں": "گذارا",
"گذاری": "گذرنا",
"گذاریے": "گذرنا",
"گذاریں": "گذرنا",
"گذر": "گذرنا",
"گذرے": "گذرنا",
"گذرں": "گذرنا",
"گذرا": "گذرنا",
"گذرنے": "گذرنا",
"گذرنا": "گذرنا",
"گذرنی": "گذرنا",
"گذرتے": "گذرنا",
"گذرتا": "گذرنا",
"گذرتی": "گذرنا",
"گذرتیں": "گذرنا",
"گذرو": "گذرنا",
"گذروں": "گذرنا",
"گذروا": "گذرنا",
"گذروانے": "گذرنا",
"گذروانا": "گذرنا",
"گذرواتے": "گذرنا",
"گذرواتا": "گذرنا",
"گذرواتی": "گذرنا",
"گذرواتیں": "گذرنا",
"گذرواؤ": "گذرنا",
"گذرواؤں": "گذرنا",
"گذروائے": "گذرنا",
"گذروائی": "گذرنا",
"گذروائیے": "گذرنا",
"گذروائیں": "گذرنا",
"گذروایا": "گذرنا",
"گذری": "گذرنا",
"گذریے": "گذرنا",
"گذریں": "گذرنا",
"گا": "گانا",
"گاڑ": "گڑنا",
"گاڑے": "گڑنا",
"گاڑں": "گڑنا",
"گاڑا": "گڑنا",
"گاڑنے": "گڑنا",
"گاڑنا": "گڑنا",
"گاڑتے": "گڑنا",
"گاڑتا": "گڑنا",
"گاڑتی": "گڑنا",
"گاڑتیں": "گڑنا",
"گاڑو": "گڑنا",
"گاڑوں": "گڑنا",
"گاڑی": "گاڑی",
"گاڑیے": "گڑنا",
"گاڑیں": "گڑنا",
"گاڑیاں": "گاڑی",
"گاڑیو": "گاڑی",
"گاڑیوں": "گاڑی",
"گاہک": "گاہک",
"گاہکو": "گاہک",
"گاہکوں": "گاہک",
"گاجَر": "گاجَر",
"گاجَرو": "گاجَر",
"گاجَروں": "گاجَر",
"گاجَریں": "گاجَر",
"گاجر": "گاجر",
"گاجرو": "گاجر",
"گاجروں": "گاجر",
"گاجریں": "گاجر",
"گال": "گال",
"گالے": "گلنا",
"گالں": "گلنا",
"گالا": "گلنا",
"گالنے": "گلنا",
"گالنا": "گلنا",
"گالتے": "گلنا",
"گالتا": "گلنا",
"گالتی": "گلنا",
"گالتیں": "گلنا",
"گالو": "گال",
"گالوں": "گال",
"گالی": "گالی",
"گالیے": "گلنا",
"گالیں": "گال",
"گالیاں": "گالی",
"گالیو": "گالی",
"گالیوں": "گالی",
"گامے": "گاما",
"گاما": "گاما",
"گامو": "گاما",
"گاموں": "گاما",
"گانے": "گانا",
"گانٹھ": "گانٹھ",
"گانٹھے": "گانٹھہ",
"گانٹھں": "گانٹھنا",
"گانٹھا": "گانٹھنا",
"گانٹھہ": "گانٹھہ",
"گانٹھنے": "گانٹھنا",
"گانٹھنا": "گانٹھنا",
"گانٹھنی": "گانٹھنا",
"گانٹھتے": "گانٹھنا",
"گانٹھتا": "گانٹھنا",
"گانٹھتی": "گانٹھنا",
"گانٹھتیں": "گانٹھنا",
"گانٹھو": "گانٹھہ",
"گانٹھوں": "گانٹھہ",
"گانٹھی": "گانٹھنا",
"گانٹھیے": "گانٹھنا",
"گانٹھیں": "گانٹھ",
"گانا": "گانا",
"گانہ": "گانہ",
"گانو": "گانا",
"گانوں": "گانا",
"گانی": "گانا",
"گار": "گار",
"گارے": "گارا",
"گارا": "گارا",
"گارہ": "گارہ",
"گارو": "گارا",
"گاروں": "گارا",
"گاتے": "گانا",
"گاتا": "گانا",
"گاتی": "گانا",
"گاتیں": "گانا",
"گاؤ": "گانا",
"گاؤں": "گانا",
"گائے": "گانا",
"گائی": "گانا",
"گائیے": "گانا",
"گائیں": "گانا",
"گایا": "گانا",
"گدے": "گدا",
"گدا": "گدا",
"گداگر": "گداگر",
"گداگرو": "گداگر",
"گداگروں": "گداگر",
"گدگدی": "گدگدی",
"گدگدیاں": "گدگدی",
"گدگدیو": "گدگدی",
"گدگدیوں": "گدگدی",
"گدہ": "گدہ",
"گدو": "گدا",
"گدوں": "گدا",
"گدی": "گدی",
"گدیاں": "گدی",
"گدیو": "گدی",
"گدیوں": "گدی",
"گدھے": "گدھا",
"گدھا": "گدھا",
"گدھو": "گدھا",
"گدھوں": "گدھا",
"گہرائی": "گہرائی",
"گہرائیاں": "گہرائی",
"گہرائیو": "گہرائی",
"گہرائیوں": "گہرائی",
"گہوارے": "گہوارہ",
"گہوارہ": "گہوارہ",
"گہوارو": "گہوارہ",
"گہواروں": "گہوارہ",
"گجر": "گجر",
"گجرے": "گجرا",
"گجرا": "گجرا",
"گجرات": "گجرات",
"گجراتو": "گجرات",
"گجراتوں": "گجرات",
"گجراتیں": "گجرات",
"گجرو": "گجرا",
"گجروں": "گجرا",
"گل": "گل",
"گلے": "گلا",
"گلں": "گلنا",
"گلا": "گلا",
"گلاب": "گلاب",
"گلابو": "گلاب",
"گلابوں": "گلاب",
"گلاس": "گلاس",
"گلاسو": "گلاس",
"گلاسوں": "گلاس",
"گلدان": "گلدان",
"گلدانو": "گلدان",
"گلدانوں": "گلدان",
"گلدستے": "گلدستہ",
"گلدستہ": "گلدستہ",
"گلدستو": "گلدستہ",
"گلدستوں": "گلدستہ",
"گلہ": "گلہ",
"گلنے": "گلنا",
"گلنا": "گلنا",
"گلنی": "گلنا",
"گلستان": "گلستان",
"گلستانو": "گلستان",
"گلستانوں": "گلستان",
"گلتے": "گلنا",
"گلتا": "گلنا",
"گلتی": "گلنا",
"گلتیں": "گلنا",
"گلو": "گلا",
"گلوں": "گلا",
"گلوا": "گلنا",
"گلوانے": "گلنا",
"گلوانا": "گلنا",
"گلواتے": "گلنا",
"گلواتا": "گلنا",
"گلواتی": "گلنا",
"گلواتیں": "گلنا",
"گلواؤ": "گلنا",
"گلواؤں": "گلنا",
"گلوائے": "گلنا",
"گلوائی": "گلنا",
"گلوائیے": "گلنا",
"گلوائیں": "گلنا",
"گلوایا": "گلنا",
"گلوری": "گلوری",
"گلوریاں": "گلوری",
"گلوریو": "گلوری",
"گلوریوں": "گلوری",
"گلی": "گلی",
"گلیے": "گلنا",
"گلیں": "گلنا",
"گلیاں": "گلی",
"گلیو": "گلی",
"گلیوں": "گلی",
"گلزار": "گلزار",
"گلزارو": "گلزار",
"گلزاروں": "گلزار",
"گمان": "گمان",
"گمانو": "گمان",
"گمانوں": "گمان",
"گمانی": "گمانی",
"گمانیں": "گمان",
"گمانیاں": "گمانی",
"گمانیو": "گمانی",
"گمانیوں": "گمانی",
"گملے": "گملا",
"گملا": "گملا",
"گملو": "گملا",
"گملوں": "گملا",
"گمراہی": "گمراہی",
"گمراہیاں": "گمراہی",
"گمراہیو": "گمراہی",
"گمراہیوں": "گمراہی",
"گن": "گننا",
"گنڈے": "گنڈا",
"گنڈا": "گنڈا",
"گنڈہ": "گنڈہ",
"گنڈو": "گنڈا",
"گنڈوں": "گنڈا",
"گنڈیری": "گنڈیری",
"گنڈیریاں": "گنڈیری",
"گنڈیریو": "گنڈیری",
"گنڈیریوں": "گنڈیری",
"گنے": "گنا",
"گنں": "گننا",
"گنا": "گنا",
"گناہگار": "گناہگار",
"گناہگارو": "گناہگار",
"گناہگاروں": "گناہگار",
"گنانے": "گننا",
"گنانا": "گننا",
"گناتے": "گننا",
"گناتا": "گننا",
"گناتی": "گننا",
"گناتیں": "گننا",
"گناؤ": "گننا",
"گناؤں": "گننا",
"گنائے": "گننا",
"گنائی": "گننا",
"گنائیے": "گننا",
"گنائیں": "گننا",
"گنایا": "گننا",
"گنبد": "گنبد",
"گنبدو": "گنبد",
"گنبدوں": "گنبد",
"گندے": "گندہ",
"گندہ": "گندہ",
"گندو": "گندہ",
"گندوں": "گندہ",
"گندھوا": "گوندھنا",
"گندھوانے": "گوندھنا",
"گندھوانا": "گوندھنا",
"گندھواتے": "گوندھنا",
"گندھواتا": "گوندھنا",
"گندھواتی": "گوندھنا",
"گندھواتیں": "گوندھنا",
"گندھواؤ": "گوندھنا",
"گندھواؤں": "گوندھنا",
"گندھوائے": "گوندھنا",
"گندھوائی": "گوندھنا",
"گندھوائیے": "گوندھنا",
"گندھوائیں": "گوندھنا",
"گندھوایا": "گوندھنا",
"گنگنا": "گنگنانا",
"گنگنانے": "گنگنانا",
"گنگنانا": "گنگنانا",
"گنگنانی": "گنگنانا",
"گنگناتے": "گنگنانا",
"گنگناتا": "گنگنانا",
"گنگناتی": "گنگنانا",
"گنگناتیں": "گنگنانا",
"گنگناؤ": "گنگنانا",
"گنگناؤں": "گنگنانا",
"گنگنائے": "گنگنانا",
"گنگنائی": "گنگنانا",
"گنگنائیے": "گنگنانا",
"گنگنائیں": "گنگنانا",
"گنگنایا": "گنگنانا",
"گنہگار": "گنہگار",
"گنہگارو": "گنہگار",
"گنہگاروں": "گنہگار",
"گنجینے": "گنجینہ",
"گنجینہ": "گنجینہ",
"گنجینو": "گنجینہ",
"گنجینوں": "گنجینہ",
"گننے": "گننا",
"گننا": "گننا",
"گننی": "گننا",
"گنتے": "گننا",
"گنتا": "گننا",
"گنتی": "گننا",
"گنتیں": "گننا",
"گنو": "گنا",
"گنوں": "گنا",
"گنوا": "گنوانا",
"گنوانے": "گنوانا",
"گنوانا": "گنوانا",
"گنوانی": "گنوانا",
"گنوار": "گنوار",
"گنوارو": "گنوار",
"گنواروں": "گنوار",
"گنواتے": "گنوانا",
"گنواتا": "گنوانا",
"گنواتی": "گنوانا",
"گنواتیں": "گنوانا",
"گنواؤ": "گنوانا",
"گنواؤں": "گنوانا",
"گنوائے": "گنوانا",
"گنوائی": "گنوانا",
"گنوائیے": "گنوانا",
"گنوائیں": "گنوانا",
"گنوایا": "گنوانا",
"گنی": "گننا",
"گنیے": "گننا",
"گنیں": "گننا",
"گپ": "گپ",
"گپو": "گپ",
"گپوں": "گپ",
"گپی": "گپی",
"گپیں": "گپ",
"گپیو": "گپی",
"گپیوں": "گپی",
"گر": "گرنا",
"گرے": "گرنا",
"گرں": "گرنا",
"گرا": "گرنا",
"گرانے": "گرنا",
"گرانا": "گرنا",
"گراری": "گراری",
"گراریاں": "گراری",
"گراریو": "گراری",
"گراریوں": "گراری",
"گراتے": "گرنا",
"گراتا": "گرنا",
"گراتی": "گرنا",
"گراتیں": "گرنا",
"گراؤ": "گرنا",
"گراؤں": "گرنا",
"گرائے": "گرنا",
"گرائی": "گرنا",
"گرائیے": "گرنا",
"گرائیں": "گرنا",
"گرایا": "گرنا",
"گرد": "گرد",
"گردے": "گردا",
"گردش": "گردش",
"گردشو": "گردش",
"گردشوں": "گردش",
"گردشیں": "گردش",
"گردا": "گردا",
"گردہ": "گردہ",
"گردن": "گردن",
"گردنو": "گردن",
"گردنوں": "گردن",
"گردنیں": "گردن",
"گردو": "گردا",
"گردوں": "گردا",
"گردیں": "گرد",
"گرفتاری": "گرفتاری",
"گرفتاریاں": "گرفتاری",
"گرفتاریو": "گرفتاری",
"گرفتاریوں": "گرفتاری",
"گرفتگی": "گرفتگی",
"گرفتگیاں": "گرفتگی",
"گرفتگیو": "گرفتگی",
"گرفتگیوں": "گرفتگی",
"گرہ": "گرہ",
"گرہو": "گرہ",
"گرہوں": "گرہ",
"گرہیں": "گرہ",
"گرج": "گرجنا",
"گرجے": "گرجنا",
"گرجں": "گرجنا",
"گرجا": "گرجنا",
"گرجانے": "گرجنا",
"گرجانا": "گرجنا",
"گرجاتے": "گرجنا",
"گرجاتا": "گرجنا",
"گرجاتی": "گرجنا",
"گرجاتیں": "گرجنا",
"گرجاؤ": "گرجنا",
"گرجاؤں": "گرجنا",
"گرجائے": "گرجنا",
"گرجائی": "گرجنا",
"گرجائیے": "گرجنا",
"گرجائیں": "گرجنا",
"گرجایا": "گرجنا",
"گرجنے": "گرجنا",
"گرجنا": "گرجنا",
"گرجنی": "گرجنا",
"گرجتے": "گرجنا",
"گرجتا": "گرجنا",
"گرجتی": "گرجنا",
"گرجتیں": "گرجنا",
"گرجو": "گرجنا",
"گرجوں": "گرجنا",
"گرجوا": "گرجنا",
"گرجوانے": "گرجنا",
"گرجوانا": "گرجنا",
"گرجواتے": "گرجنا",
"گرجواتا": "گرجنا",
"گرجواتی": "گرجنا",
"گرجواتیں": "گرجنا",
"گرجواؤ": "گرجنا",
"گرجواؤں": "گرجنا",
"گرجوائے": "گرجنا",
"گرجوائی": "گرجنا",
"گرجوائیے": "گرجنا",
"گرجوائیں": "گرجنا",
"گرجوایا": "گرجنا",
"گرجی": "گرجنا",
"گرجیے": "گرجنا",
"گرجیں": "گرجنا",
"گرمی": "گرمی",
"گرمیاں": "گرمی",
"گرمیو": "گرمی",
"گرمیوں": "گرمی",
"گرنے": "گرنا",
"گرنا": "گرنا",
"گرنی": "گرنا",
"گرتے": "گرنا",
"گرتا": "گرنا",
"گرتی": "گرنا",
"گرتیں": "گرنا",
"گرو": "گرو",
"گروں": "گرنا",
"گروا": "گرنا",
"گروانے": "گرنا",
"گروانا": "گرنا",
"گرواتے": "گرنا",
"گرواتا": "گرنا",
"گرواتی": "گرنا",
"گرواتیں": "گرنا",
"گرواؤ": "گرنا",
"گرواؤں": "گرنا",
"گروائے": "گرنا",
"گروائی": "گرنا",
"گروائیے": "گرنا",
"گروائیں": "گرنا",
"گروایا": "گرنا",
"گروہ": "گروہ",
"گروہؤ": "گروہ",
"گروہؤں": "گروہ",
"گروہئیں": "گروہ",
"گروپ": "گروپ",
"گروپو": "گروپ",
"گروپوں": "گروپ",
"گروو": "گرو",
"گرووں": "گرو",
"گروؤ": "گرو",
"گروؤں": "گرو",
"گری": "گری",
"گریے": "گریہ",
"گریں": "گرنا",
"گریاں": "گری",
"گریبان": "گریبان",
"گریبانو": "گریبان",
"گریبانوں": "گریبان",
"گریہ": "گریہ",
"گریو": "گریہ",
"گریوں": "گریہ",
"گتے": "گتہ",
"گتہ": "گتہ",
"گتو": "گتہ",
"گتوں": "گتہ",
"گوٹے": "گوٹہ",
"گوٹہ": "گوٹہ",
"گوٹو": "گوٹہ",
"گوٹوں": "گوٹہ",
"گوش": "گوش",
"گوشے": "گوشہ",
"گوشہ": "گوشہ",
"گوشو": "گوشہ",
"گوشوں": "گوشہ",
"گوشوارے": "گوشوارہ",
"گوشوارہ": "گوشوارہ",
"گوشوارو": "گوشوارہ",
"گوشواروں": "گوشوارہ",
"گواہی": "گواہی",
"گواہیاں": "گواہی",
"گواہیو": "گواہی",
"گواہیوں": "گواہی",
"گودام": "گودام",
"گودامو": "گودام",
"گوداموں": "گودام",
"گول": "گول",
"گولے": "گولا",
"گولا": "گولا",
"گولائی": "گولائی",
"گولائیاں": "گولائی",
"گولائیو": "گولائی",
"گولائیوں": "گولائی",
"گولہ": "گولہ",
"گولو": "گولا",
"گولوں": "گولا",
"گولی": "گولی",
"گولیاں": "گولی",
"گولیو": "گولی",
"گولیوں": "گولی",
"گوندھ": "گوندھنا",
"گوندھے": "گوندھنا",
"گوندھں": "گوندھنا",
"گوندھا": "گوندھنا",
"گوندھانے": "گوندھنا",
"گوندھانا": "گوندھنا",
"گوندھاتے": "گوندھنا",
"گوندھاتا": "گوندھنا",
"گوندھاتی": "گوندھنا",
"گوندھاتیں": "گوندھنا",
"گوندھاؤ": "گوندھنا",
"گوندھاؤں": "گوندھنا",
"گوندھائے": "گوندھنا",
"گوندھائی": "گوندھنا",
"گوندھائیے": "گوندھنا",
"گوندھائیں": "گوندھنا",
"گوندھایا": "گوندھنا",
"گوندھنے": "گوندھنا",
"گوندھنا": "گوندھنا",
"گوندھنی": "گوندھنا",
"گوندھتے": "گوندھنا",
"گوندھتا": "گوندھنا",
"گوندھتی": "گوندھنا",
"گوندھتیں": "گوندھنا",
"گوندھو": "گوندھنا",
"گوندھوں": "گوندھنا",
"گوندھی": "گوندھنا",
"گوندھیے": "گوندھنا",
"گوندھیں": "گوندھنا",
"گونگے": "گونگا",
"گونگا": "گونگا",
"گونگو": "گونگا",
"گونگوں": "گونگا",
"گونج": "گونج",
"گونجے": "گونجنا",
"گونجں": "گونجنا",
"گونجا": "گونجنا",
"گونجنے": "گونجنا",
"گونجنا": "گونجنا",
"گونجنی": "گونجنا",
"گونجتے": "گونجنا",
"گونجتا": "گونجنا",
"گونجتی": "گونجنا",
"گونجتیں": "گونجنا",
"گونجو": "گونج",
"گونجوں": "گونج",
"گونجی": "گونجنا",
"گونجیے": "گونجنا",
"گونجیں": "گونج",
"گورے": "گورا",
"گورا": "گورا",
"گورکن": "گورکن",
"گورکنو": "گورکن",
"گورکنوں": "گورکن",
"گورو": "گورا",
"گوروں": "گورا",
"گیڈر": "گیڈر",
"گیڈرو": "گیڈر",
"گیڈروں": "گیڈر",
"گئے": "جانا",
"گئی": "جانا",
"گئیں": "جانا",
"گیا": "جانا",
"گیانی": "گیانی",
"گیانیو": "گیانی",
"گیانیوں": "گیانی",
"گیارا": "گیارا",
"گیند": "گیند",
"گیندے": "گیندا",
"گیندا": "گیندا",
"گیندو": "گیندا",
"گیندوں": "گیندا",
"گیندیں": "گیند",
"گیر": "گیر",
"گیرے": "گیرہ",
"گیرہ": "گیرہ",
"گیرو": "گیرہ",
"گیروں": "گیرہ",
"گیس": "گیس",
"گیسو": "گیس",
"گیسوں": "گیس",
"گیسیں": "گیس",
"گیت": "گیت",
"گیتو": "گیت",
"گیتوں": "گیت",
"گیتیں": "گیت",
"گزار": "گزرنا",
"گزارے": "گزارا",
"گزارں": "گزرنا",
"گزارا": "گزارا",
"گزارہ": "گزارہ",
"گزارنے": "گزرنا",
"گزارنا": "گزرنا",
"گزارتے": "گزرنا",
"گزارتا": "گزرنا",
"گزارتی": "گزرنا",
"گزارتیں": "گزرنا",
"گزارو": "گزارا",
"گزاروں": "گزارا",
"گزاری": "گزرنا",
"گزاریے": "گزرنا",
"گزاریں": "گزرنا",
"گزر": "گزرنا",
"گزرے": "گزرنا",
"گزرں": "گزرنا",
"گزرا": "گزرنا",
"گزرنے": "گزرنا",
"گزرنا": "گزرنا",
"گزرنی": "گزرنا",
"گزرتے": "گزرنا",
"گزرتا": "گزرنا",
"گزرتی": "گزرنا",
"گزرتیں": "گزرنا",
"گزرو": "گزرنا",
"گزروں": "گزرنا",
"گزروا": "گزرنا",
"گزروانے": "گزرنا",
"گزروانا": "گزرنا",
"گزرواتے": "گزرنا",
"گزرواتا": "گزرنا",
"گزرواتی": "گزرنا",
"گزرواتیں": "گزرنا",
"گزرواؤ": "گزرنا",
"گزرواؤں": "گزرنا",
"گزروائے": "گزرنا",
"گزروائی": "گزرنا",
"گزروائیے": "گزرنا",
"گزروائیں": "گزرنا",
"گزروایا": "گزرنا",
"گزری": "گزرنا",
"گزریے": "گزرنا",
"گزریں": "گزرنا",
"گھُٹ": "گھُٹنا",
"گھُٹے": "گھُٹنا",
"گھُٹں": "گھُٹنا",
"گھُٹا": "گھُٹنا",
"گھُٹنے": "گھُٹنا",
"گھُٹنا": "گھُٹنا",
"گھُٹنو": "گھُٹنا",
"گھُٹنوں": "گھُٹنا",
"گھُٹنی": "گھُٹنا",
"گھُٹتے": "گھُٹنا",
"گھُٹتا": "گھُٹنا",
"گھُٹتی": "گھُٹنا",
"گھُٹتیں": "گھُٹنا",
"گھُٹو": "گھُٹنا",
"گھُٹوں": "گھُٹنا",
"گھُٹی": "گھُٹنا",
"گھُٹیے": "گھُٹنا",
"گھُٹیں": "گھُٹنا",
"گھڑ": "گھڑ",
"گھڑے": "گھڑا",
"گھڑں": "گھڑنا",
"گھڑا": "گھڑا",
"گھڑانے": "گھڑنا",
"گھڑانا": "گھڑنا",
"گھڑاتے": "گھڑنا",
"گھڑاتا": "گھڑنا",
"گھڑاتی": "گھڑنا",
"گھڑاتیں": "گھڑنا",
"گھڑاؤ": "گھڑنا",
"گھڑاؤں": "گھڑنا",
"گھڑائے": "گھڑنا",
"گھڑائی": "گھڑنا",
"گھڑائیے": "گھڑنا",
"گھڑائیں": "گھڑنا",
"گھڑایا": "گھڑنا",
"گھڑنے": "گھڑنا",
"گھڑنا": "گھڑنا",
"گھڑنی": "گھڑنا",
"گھڑتے": "گھڑنا",
"گھڑتا": "گھڑنا",
"گھڑتی": "گھڑنا",
"گھڑتیں": "گھڑنا",
"گھڑو": "گھڑا",
"گھڑوں": "گھڑا",
"گھڑوا": "گھڑنا",
"گھڑوانے": "گھڑنا",
"گھڑوانا": "گھڑنا",
"گھڑواتے": "گھڑنا",
"گھڑواتا": "گھڑنا",
"گھڑواتی": "گھڑنا",
"گھڑواتیں": "گھڑنا",
"گھڑواؤ": "گھڑنا",
"گھڑواؤں": "گھڑنا",
"گھڑوائے": "گھڑنا",
"گھڑوائی": "گھڑنا",
"گھڑوائیے": "گھڑنا",
"گھڑوائیں": "گھڑنا",
"گھڑوایا": "گھڑنا",
"گھڑی": "گھڑی",
"گھڑیے": "گھڑنا",
"گھڑیں": "گھڑنا",
"گھڑیاں": "گھڑی",
"گھڑیو": "گھڑی",
"گھڑیوں": "گھڑی",
"گھٹ": "گھٹنا",
"گھٹے": "گھٹا",
"گھٹں": "گھٹنا",
"گھٹا": "گھٹا",
"گھٹانے": "گھٹنا",
"گھٹانا": "گھٹنا",
"گھٹاتے": "گھٹنا",
"گھٹاتا": "گھٹنا",
"گھٹاتی": "گھٹنا",
"گھٹاتیں": "گھٹنا",
"گھٹاؤ": "گھٹا",
"گھٹاؤں": "گھٹا",
"گھٹائے": "گھٹنا",
"گھٹائی": "گھٹنا",
"گھٹائیے": "گھٹنا",
"گھٹائیں": "گھٹا",
"گھٹایا": "گھٹنا",
"گھٹن": "گھٹن",
"گھٹنے": "گھٹنا",
"گھٹنا": "گھٹنا",
"گھٹنو": "گھٹنا",
"گھٹنوں": "گھٹنا",
"گھٹنی": "گھٹنا",
"گھٹتے": "گھٹنا",
"گھٹتا": "گھٹنا",
"گھٹتی": "گھٹنا",
"گھٹتیں": "گھٹنا",
"گھٹو": "گھٹا",
"گھٹوں": "گھٹا",
"گھٹوا": "گھٹنا",
"گھٹوانے": "گھٹنا",
"گھٹوانا": "گھٹنا",
"گھٹواتے": "گھٹنا",
"گھٹواتا": "گھٹنا",
"گھٹواتی": "گھٹنا",
"گھٹواتیں": "گھٹنا",
"گھٹواؤ": "گھٹنا",
"گھٹواؤں": "گھٹنا",
"گھٹوائے": "گھٹنا",
"گھٹوائی": "گھٹنا",
"گھٹوائیے": "گھٹنا",
"گھٹوائیں": "گھٹنا",
"گھٹوایا": "گھٹنا",
"گھٹی": "گھٹنا",
"گھٹیے": "گھٹنا",
"گھٹیں": "گھٹنا",
"گھاٹی": "گھاٹی",
"گھاٹیاں": "گھاٹی",
"گھاٹیو": "گھاٹی",
"گھاٹیوں": "گھاٹی",
"گھامڑ": "گھامڑ",
"گھامڑو": "گھامڑ",
"گھامڑوں": "گھامڑ",
"گھاؤ": "گھاؤ",
"گھبرا": "گھبرانا",
"گھبرانے": "گھبرانا",
"گھبرانا": "گھبرانا",
"گھبرانی": "گھبرانا",
"گھبراتے": "گھبرانا",
"گھبراتا": "گھبرانا",
"گھبراتی": "گھبرانا",
"گھبراتیں": "گھبرانا",
"گھبراؤ": "گھبرانا",
"گھبراؤں": "گھبرانا",
"گھبرائے": "گھبرانا",
"گھبرائی": "گھبرانا",
"گھبرائیے": "گھبرانا",
"گھبرائیں": "گھبرانا",
"گھبرایا": "گھبرانا",
"گھگھیا": "گھگھیانا",
"گھگھیانے": "گھگھیانا",
"گھگھیانا": "گھگھیانا",
"گھگھیانی": "گھگھیانا",
"گھگھیاتے": "گھگھیانا",
"گھگھیاتا": "گھگھیانا",
"گھگھیاتی": "گھگھیانا",
"گھگھیاتیں": "گھگھیانا",
"گھگھیاؤ": "گھگھیانا",
"گھگھیاؤں": "گھگھیانا",
"گھگھیائے": "گھگھیانا",
"گھگھیائی": "گھگھیانا",
"گھگھیائیے": "گھگھیانا",
"گھگھیائیں": "گھگھیانا",
"گھگھیایا": "گھگھیانا",
"گھل": "گھلنا",
"گھلے": "گھلنا",
"گھلں": "گھلنا",
"گھلا": "گھلنا",
"گھلانے": "گھلنا",
"گھلانا": "گھلنا",
"گھلاتے": "گھلنا",
"گھلاتا": "گھلنا",
"گھلاتی": "گھلنا",
"گھلاتیں": "گھلنا",
"گھلاؤ": "گھلنا",
"گھلاؤں": "گھلنا",
"گھلائے": "گھلنا",
"گھلائی": "گھلنا",
"گھلائیے": "گھلنا",
"گھلائیں": "گھلنا",
"گھلایا": "گھلنا",
"گھلنے": "گھلنا",
"گھلنا": "گھلنا",
"گھلنی": "گھلنا",
"گھلتے": "گھلنا",
"گھلتا": "گھلنا",
"گھلتی": "گھلنا",
"گھلتیں": "گھلنا",
"گھلو": "گھلنا",
"گھلوں": "گھلنا",
"گھلوا": "گھلنا",
"گھلوانے": "گھلنا",
"گھلوانا": "گھلنا",
"گھلواتے": "گھلنا",
"گھلواتا": "گھلنا",
"گھلواتی": "گھلنا",
"گھلواتیں": "گھلنا",
"گھلواؤ": "گھلنا",
"گھلواؤں": "گھلنا",
"گھلوائے": "گھلنا",
"گھلوائی": "گھلنا",
"گھلوائیے": "گھلنا",
"گھلوائیں": "گھلنا",
"گھلوایا": "گھلنا",
"گھلی": "گھلنا",
"گھلیے": "گھلنا",
"گھلیں": "گھلنا",
"گھم": "گھمنا",
"گھمے": "گھمنا",
"گھمں": "گھمنا",
"گھما": "گھمنا",
"گھمانے": "گھمنا",
"گھمانا": "گھمنا",
"گھماتے": "گھمنا",
"گھماتا": "گھمنا",
"گھماتی": "گھمنا",
"گھماتیں": "گھمنا",
"گھماؤ": "گھمنا",
"گھماؤں": "گھمنا",
"گھمائے": "گھمنا",
"گھمائی": "گھمنا",
"گھمائیے": "گھمنا",
"گھمائیں": "گھمنا",
"گھمایا": "گھمنا",
"گھمنے": "گھمنا",
"گھمنا": "گھمنا",
"گھمنی": "گھمنا",
"گھمتے": "گھمنا",
"گھمتا": "گھمنا",
"گھمتی": "گھمنا",
"گھمتیں": "گھمنا",
"گھمو": "گھمنا",
"گھموں": "گھمنا",
"گھموا": "گھمنا",
"گھموانے": "گھمنا",
"گھموانا": "گھمنا",
"گھمواتے": "گھمنا",
"گھمواتا": "گھمنا",
"گھمواتی": "گھمنا",
"گھمواتیں": "گھمنا",
"گھمواؤ": "گھمنا",
"گھمواؤں": "گھمنا",
"گھموائے": "گھمنا",
"گھموائی": "گھمنا",
"گھموائیے": "گھمنا",
"گھموائیں": "گھمنا",
"گھموایا": "گھمنا",
"گھمی": "گھمنا",
"گھمیے": "گھمنا",
"گھمیں": "گھمنا",
"گھنٹے": "گھنٹا",
"گھنٹا": "گھنٹا",
"گھنٹہ": "گھنٹہ",
"گھنٹو": "گھنٹا",
"گھنٹوں": "گھنٹا",
"گھنٹی": "گھنٹی",
"گھنٹیاں": "گھنٹی",
"گھنٹیو": "گھنٹی",
"گھنٹیوں": "گھنٹی",
"گھنا": "گھنا",
"گھناؤ": "گھناؤ",
"گھناؤں": "گھنا",
"گھنائیں": "گھنا",
"گھنگھرو": "گھنگھرو",
"گھنگھروؤ": "گھنگھرو",
"گھنگھروؤں": "گھنگھرو",
"گھر": "گھر",
"گھرے": "گھرنا",
"گھرں": "گھرنا",
"گھرا": "گھرنا",
"گھرانے": "گھرانا",
"گھرانا": "گھرانا",
"گھرانہ": "گھرانہ",
"گھرانو": "گھرانا",
"گھرانوں": "گھرانا",
"گھرکی": "گھرکی",
"گھرکیاں": "گھرکی",
"گھرکیو": "گھرکی",
"گھرکیوں": "گھرکی",
"گھرنے": "گھرنا",
"گھرنا": "گھرنا",
"گھرنی": "گھرنا",
"گھرتے": "گھرنا",
"گھرتا": "گھرنا",
"گھرتی": "گھرنا",
"گھرتیں": "گھرنا",
"گھرو": "گھر",
"گھروں": "گھر",
"گھروندے": "گھروندا",
"گھروندا": "گھروندا",
"گھروندہ": "گھروندہ",
"گھروندو": "گھروندا",
"گھروندوں": "گھروندا",
"گھری": "گھرنا",
"گھریے": "گھرنا",
"گھریں": "گھرنا",
"گھس": "گھسنا",
"گھسے": "گھسنا",
"گھسں": "گھسنا",
"گھسٹ": "گھسٹنا",
"گھسٹے": "گھسٹنا",
"گھسٹں": "گھسٹنا",
"گھسٹا": "گھسٹنا",
"گھسٹنے": "گھسٹنا",
"گھسٹنا": "گھسٹنا",
"گھسٹنی": "گھسٹنا",
"گھسٹتے": "گھسٹنا",
"گھسٹتا": "گھسٹنا",
"گھسٹتی": "گھسٹنا",
"گھسٹتیں": "گھسٹنا",
"گھسٹو": "گھسٹنا",
"گھسٹوں": "گھسٹنا",
"گھسٹی": "گھسٹنا",
"گھسٹیے": "گھسٹنا",
"گھسٹیں": "گھسٹنا",
"گھسا": "گھسنا",
"گھسانے": "گھسنا",
"گھسانا": "گھسنا",
"گھساتے": "گھسنا",
"گھساتا": "گھسنا",
"گھساتی": "گھسنا",
"گھساتیں": "گھسنا",
"گھساؤ": "گھسنا",
"گھساؤں": "گھسنا",
"گھسائے": "گھسنا",
"گھسائی": "گھسنا",
"گھسائیے": "گھسنا",
"گھسائیں": "گھسنا",
"گھسایا": "گھسنا",
"گھسنے": "گھسنا",
"گھسنا": "گھسنا",
"گھسنی": "گھسنا",
"گھستے": "گھسنا",
"گھستا": "گھسنا",
"گھستی": "گھسنا",
"گھستیں": "گھسنا",
"گھسو": "گھسنا",
"گھسوں": "گھسنا",
"گھسوا": "گھسنا",
"گھسوانے": "گھسنا",
"گھسوانا": "گھسنا",
"گھسواتے": "گھسنا",
"گھسواتا": "گھسنا",
"گھسواتی": "گھسنا",
"گھسواتیں": "گھسنا",
"گھسواؤ": "گھسنا",
"گھسواؤں": "گھسنا",
"گھسوائے": "گھسنا",
"گھسوائی": "گھسنا",
"گھسوائیے": "گھسنا",
"گھسوائیں": "گھسنا",
"گھسوایا": "گھسنا",
"گھسی": "گھسنا",
"گھسیے": "گھسنا",
"گھسیں": "گھسنا",
"گھسیٹ": "گھسٹنا",
"گھسیٹے": "گھسیٹا",
"گھسیٹں": "گھسٹنا",
"گھسیٹا": "گھسیٹا",
"گھسیٹنے": "گھسٹنا",
"گھسیٹنا": "گھسٹنا",
"گھسیٹتے": "گھسٹنا",
"گھسیٹتا": "گھسٹنا",
"گھسیٹتی": "گھسٹنا",
"گھسیٹتیں": "گھسٹنا",
"گھسیٹو": "گھسیٹا",
"گھسیٹوں": "گھسیٹا",
"گھسیٹوا": "گھسٹنا",
"گھسیٹوانے": "گھسٹنا",
"گھسیٹوانا": "گھسٹنا",
"گھسیٹواتے": "گھسٹنا",
"گھسیٹواتا": "گھسٹنا",
"گھسیٹواتی": "گھسٹنا",
"گھسیٹواتیں": "گھسٹنا",
"گھسیٹواؤ": "گھسٹنا",
"گھسیٹواؤں": "گھسٹنا",
"گھسیٹوائے": "گھسٹنا",
"گھسیٹوائی": "گھسٹنا",
"گھسیٹوائیے": "گھسٹنا",
"گھسیٹوائیں": "گھسٹنا",
"گھسیٹوایا": "گھسٹنا",
"گھسیٹی": "گھسٹنا",
"گھسیٹیے": "گھسٹنا",
"گھسیٹیں": "گھسٹنا",
"گھوڑے": "گھوڑا",
"گھوڑا": "گھوڑا",
"گھوڑو": "گھوڑا",
"گھوڑوں": "گھوڑا",
"گھوڑی": "گھوڑی",
"گھوڑیاں": "گھوڑی",
"گھوڑیو": "گھوڑی",
"گھوڑیوں": "گھوڑی",
"گھوٹ": "گھوٹنا",
"گھوٹے": "گھوٹنا",
"گھوٹں": "گھوٹنا",
"گھوٹا": "گھوٹنا",
"گھوٹنے": "گھوٹنا",
"گھوٹنا": "گھوٹنا",
"گھوٹنی": "گھوٹنا",
"گھوٹتے": "گھوٹنا",
"گھوٹتا": "گھوٹنا",
"گھوٹتی": "گھوٹنا",
"گھوٹتیں": "گھوٹنا",
"گھوٹو": "گھوٹنا",
"گھوٹوں": "گھوٹنا",
"گھوٹی": "گھوٹنا",
"گھوٹیے": "گھوٹنا",
"گھوٹیں": "گھوٹنا",
"گھوم": "گھومنا",
"گھومے": "گھومنا",
"گھومں": "گھومنا",
"گھوما": "گھومنا",
"گھومانے": "گھومنا",
"گھومانا": "گھومنا",
"گھوماتے": "گھومنا",
"گھوماتا": "گھومنا",
"گھوماتی": "گھومنا",
"گھوماتیں": "گھومنا",
"گھوماؤ": "گھومنا",
"گھوماؤں": "گھومنا",
"گھومائے": "گھومنا",
"گھومائی": "گھومنا",
"گھومائیے": "گھومنا",
"گھومائیں": "گھومنا",
"گھومایا": "گھومنا",
"گھومنے": "گھومنا",
"گھومنا": "گھومنا",
"گھومنی": "گھومنا",
"گھومتے": "گھومنا",
"گھومتا": "گھومنا",
"گھومتی": "گھومنا",
"گھومتیں": "گھومنا",
"گھومو": "گھومنا",
"گھوموں": "گھومنا",
"گھوموا": "گھومنا",
"گھوموانے": "گھومنا",
"گھوموانا": "گھومنا",
"گھومواتے": "گھومنا",
"گھومواتا": "گھومنا",
"گھومواتی": "گھومنا",
"گھومواتیں": "گھومنا",
"گھومواؤ": "گھومنا",
"گھومواؤں": "گھومنا",
"گھوموائے": "گھومنا",
"گھوموائی": "گھومنا",
"گھوموائیے": "گھومنا",
"گھوموائیں": "گھومنا",
"گھوموایا": "گھومنا",
"گھومی": "گھومنا",
"گھومیے": "گھومنا",
"گھومیں": "گھومنا",
"گھونگھے": "گھونگھا",
"گھونگھا": "گھونگھا",
"گھونگھو": "گھونگھا",
"گھونگھوں": "گھونگھا",
"گھونسے": "گھونسہ",
"گھونسہ": "گھونسہ",
"گھونسو": "گھونسہ",
"گھونسوں": "گھونسہ",
"گھور": "گھورنا",
"گھورے": "گھورنا",
"گھورں": "گھورنا",
"گھورا": "گھورنا",
"گھورنے": "گھورنا",
"گھورنا": "گھورنا",
"گھورنی": "گھورنا",
"گھورتے": "گھورنا",
"گھورتا": "گھورنا",
"گھورتی": "گھورنا",
"گھورتیں": "گھورنا",
"گھورو": "گھورنا",
"گھوروں": "گھورنا",
"گھوری": "گھورنا",
"گھوریے": "گھورنا",
"گھوریں": "گھورنا",
"گھیر": "گِھرْنا",
"گھیرْں": "گِھرْنا",
"گھیرْنے": "گِھرْنا",
"گھیرْنا": "گِھرْنا",
"گھیرْتے": "گِھرْنا",
"گھیرْتا": "گِھرْنا",
"گھیرْتی": "گِھرْنا",
"گھیرْتیں": "گِھرْنا",
"گھیرے": "گِھرْنا",
"گھیرں": "گھیرنا",
"گھیرا": "گِھرْنا",
"گھیرانے": "گھیرنا",
"گھیرانا": "گھیرنا",
"گھیراتے": "گھیرنا",
"گھیراتا": "گھیرنا",
"گھیراتی": "گھیرنا",
"گھیراتیں": "گھیرنا",
"گھیراؤ": "گھیراؤ",
"گھیراؤں": "گھیرنا",
"گھیرائے": "گھیرنا",
"گھیرائی": "گھیرنا",
"گھیرائیے": "گھیرنا",
"گھیرائیں": "گھیرنا",
"گھیرایا": "گھیرنا",
"گھیرنے": "گھیرنا",
"گھیرنا": "گھیرنا",
"گھیرنی": "گھیرنا",
"گھیرتے": "گھیرنا",
"گھیرتا": "گھیرنا",
"گھیرتی": "گھیرنا",
"گھیرتیں": "گھیرنا",
"گھیرو": "گِھرْنا",
"گھیروں": "گِھرْنا",
"گھیروا": "گھیرنا",
"گھیروانے": "گھیرنا",
"گھیروانا": "گھیرنا",
"گھیرواتے": "گھیرنا",
"گھیرواتا": "گھیرنا",
"گھیرواتی": "گھیرنا",
"گھیرواتیں": "گھیرنا",
"گھیرواؤ": "گھیرنا",
"گھیرواؤں": "گھیرنا",
"گھیروائے": "گھیرنا",
"گھیروائی": "گھیرنا",
"گھیروائیے": "گھیرنا",
"گھیروائیں": "گھیرنا",
"گھیروایا": "گھیرنا",
"گھیری": "گِھرْنا",
"گھیریے": "گِھرْنا",
"گھیریں": "گِھرْنا",
"ہَم": "میں",
"ہَمیشَہ": "ہَمیشَہ",
"ہَر": "ہَر",
"ہَرے": "ہَرا",
"ہَرا": "ہَرا",
"ہَری": "ہَرا",
"ہُمایُوں": "ہُمایُوں",
"ہُوا": "ہونا",
"ہُوئے": "ہونا",
"ہُوئی": "ہونا",
"ہُوئیں": "ہونا",
"ہڈی": "ہڈی",
"ہڈیاں": "ہڈی",
"ہڈیو": "ہڈی",
"ہڈیوں": "ہڈی",
"ہے": "ہونا",
"ہڑتال": "ہڑتال",
"ہڑتالو": "ہڑتال",
"ہڑتالوں": "ہڑتال",
"ہڑتالیں": "ہڑتال",
"ہٹ": "ہٹنا",
"ہٹے": "ہٹنا",
"ہٹں": "ہٹنا",
"ہٹا": "ہٹنا",
"ہٹانے": "ہٹنا",
"ہٹانا": "ہٹنا",
"ہٹاتے": "ہٹنا",
"ہٹاتا": "ہٹنا",
"ہٹاتی": "ہٹنا",
"ہٹاتیں": "ہٹنا",
"ہٹاؤ": "ہٹنا",
"ہٹاؤں": "ہٹنا",
"ہٹائے": "ہٹنا",
"ہٹائی": "ہٹنا",
"ہٹائیے": "ہٹنا",
"ہٹائیں": "ہٹنا",
"ہٹایا": "ہٹنا",
"ہٹنے": "ہٹنا",
"ہٹنا": "ہٹنا",
"ہٹنی": "ہٹنا",
"ہٹتے": "ہٹنا",
"ہٹتا": "ہٹنا",
"ہٹتی": "ہٹنا",
"ہٹتیں": "ہٹنا",
"ہٹو": "ہٹنا",
"ہٹوں": "ہٹنا",
"ہٹوا": "ہٹنا",
"ہٹوانے": "ہٹنا",
"ہٹوانا": "ہٹنا",
"ہٹواتے": "ہٹنا",
"ہٹواتا": "ہٹنا",
"ہٹواتی": "ہٹنا",
"ہٹواتیں": "ہٹنا",
"ہٹواؤ": "ہٹنا",
"ہٹواؤں": "ہٹنا",
"ہٹوائے": "ہٹنا",
"ہٹوائی": "ہٹنا",
"ہٹوائیے": "ہٹنا",
"ہٹوائیں": "ہٹنا",
"ہٹوایا": "ہٹنا",
"ہٹی": "ہٹی",
"ہٹیے": "ہٹنا",
"ہٹیں": "ہٹنا",
"ہٹیاں": "ہٹی",
"ہٹیو": "ہٹی",
"ہٹیوں": "ہٹی",
"ہشکار": "ہشکارنا",
"ہشکارے": "ہشکارنا",
"ہشکارں": "ہشکارنا",
"ہشکارا": "ہشکارنا",
"ہشکارنے": "ہشکارنا",
"ہشکارنا": "ہشکارنا",
"ہشکارنی": "ہشکارنا",
"ہشکارتے": "ہشکارنا",
"ہشکارتا": "ہشکارنا",
"ہشکارتی": "ہشکارنا",
"ہشکارتیں": "ہشکارنا",
"ہشکارو": "ہشکارنا",
"ہشکاروں": "ہشکارنا",
"ہشکاری": "ہشکارنا",
"ہشکاریے": "ہشکارنا",
"ہشکاریں": "ہشکارنا",
"ہالے": "ہالہ",
"ہالہ": "ہالہ",
"ہالو": "ہالہ",
"ہالوں": "ہالہ",
"ہانپ": "ہانپنا",
"ہانپے": "ہانپنا",
"ہانپں": "ہانپنا",
"ہانپا": "ہانپنا",
"ہانپنے": "ہانپنا",
"ہانپنا": "ہانپنا",
"ہانپنی": "ہانپنا",
"ہانپتے": "ہانپنا",
"ہانپتا": "ہانپنا",
"ہانپتی": "ہانپنا",
"ہانپتیں": "ہانپنا",
"ہانپو": "ہانپنا",
"ہانپوں": "ہانپنا",
"ہانپی": "ہانپنا",
"ہانپیے": "ہانپنا",
"ہانپیں": "ہانپنا",
"ہار": "ہارنا",
"ہارے": "ہارنا",
"ہارں": "ہارنا",
"ہارا": "ہارنا",
"ہارنے": "ہارنا",
"ہارنا": "ہارنا",
"ہارنی": "ہارنا",
"ہارتے": "ہارنا",
"ہارتا": "ہارنا",
"ہارتی": "ہارنا",
"ہارتیں": "ہارنا",
"ہارو": "ہارنا",
"ہاروں": "ہارنا",
"ہاری": "ہارنا",
"ہاریے": "ہارنا",
"ہاریں": "ہارنا",
"ہاتھی": "ہاتھی",
"ہاتھیو": "ہاتھی",
"ہاتھیوں": "ہاتھی",
"ہائے": "ہائے",
"ہچکچا": "ہچکچانا",
"ہچکچانے": "ہچکچانا",
"ہچکچانا": "ہچکچانا",
"ہچکچانی": "ہچکچانا",
"ہچکچاتے": "ہچکچانا",
"ہچکچاتا": "ہچکچانا",
"ہچکچاتی": "ہچکچانا",
"ہچکچاتیں": "ہچکچانا",
"ہچکچاؤ": "ہچکچانا",
"ہچکچاؤں": "ہچکچانا",
"ہچکچائے": "ہچکچانا",
"ہچکچائی": "ہچکچانا",
"ہچکچائیے": "ہچکچانا",
"ہچکچائیں": "ہچکچانا",
"ہچکچایا": "ہچکچانا",
"ہچکی": "ہچکی",
"ہچکیاں": "ہچکی",
"ہچکیو": "ہچکی",
"ہچکیوں": "ہچکی",
"ہدایت": "ہدایت",
"ہدایتو": "ہدایت",
"ہدایتوں": "ہدایت",
"ہدایتیں": "ہدایت",
"ہفت": "ہفت",
"ہفتے": "ہفتہ",
"ہفتہ": "ہفتہ",
"ہفتو": "ہفتہ",
"ہفتوں": "ہفتہ",
"ہفتیں": "ہفت",
"ہجرت": "ہجرت",
"ہجرتو": "ہجرت",
"ہجرتوں": "ہجرت",
"ہجرتیں": "ہجرت",
"ہجوم": "ہجوم",
"ہجومو": "ہجوم",
"ہجوموں": "ہجوم",
"ہک": "ہک",
"ہکو": "ہک",
"ہکوں": "ہک",
"ہل": "ہل",
"ہلے": "ہلہ",
"ہلں": "ہلنا",
"ہلا": "ہلنا",
"ہلاکت": "ہلاکت",
"ہلاکتو": "ہلاکت",
"ہلاکتوں": "ہلاکت",
"ہلاکتیں": "ہلاکت",
"ہلانے": "ہلنا",
"ہلانا": "ہلنا",
"ہلاتے": "ہلنا",
"ہلاتا": "ہلنا",
"ہلاتی": "ہلنا",
"ہلاتیں": "ہلنا",
"ہلاؤ": "ہلنا",
"ہلاؤں": "ہلنا",
"ہلائے": "ہلنا",
"ہلائی": "ہلنا",
"ہلائیے": "ہلنا",
"ہلائیں": "ہلنا",
"ہلایا": "ہلنا",
"ہلہ": "ہلہ",
"ہلنے": "ہلنا",
"ہلنا": "ہلنا",
"ہلنی": "ہلنا",
"ہلتے": "ہلنا",
"ہلتا": "ہلنا",
"ہلتی": "ہلنا",
"ہلتیں": "ہلنا",
"ہلو": "ہلہ",
"ہلوں": "ہلہ",
"ہلوا": "ہلنا",
"ہلوانے": "ہلنا",
"ہلوانا": "ہلنا",
"ہلواتے": "ہلنا",
"ہلواتا": "ہلنا",
"ہلواتی": "ہلنا",
"ہلواتیں": "ہلنا",
"ہلواؤ": "ہلنا",
"ہلواؤں": "ہلنا",
"ہلوائے": "ہلنا",
"ہلوائی": "ہلنا",
"ہلوائیے": "ہلنا",
"ہلوائیں": "ہلنا",
"ہلوایا": "ہلنا",
"ہلی": "ہلنا",
"ہلیے": "ہلنا",
"ہلیں": "ہلنا",
"ہم": "میں",
"ہمارے": "ہمارہ",
"ہمارہ": "ہمارہ",
"ہمارو": "ہمارہ",
"ہماروں": "ہمارہ",
"ہمدرد": "ہمدرد",
"ہمدردو": "ہمدرد",
"ہمدردوں": "ہمدرد",
"ہمدردی": "ہمدردی",
"ہمدردیاں": "ہمدردی",
"ہمدردیو": "ہمدردی",
"ہمدردیوں": "ہمدردی",
"ہمسایے": "ہمسایہ",
"ہمسائیے": "ہمسائیہ",
"ہمسائیہ": "ہمسائیہ",
"ہمسائیو": "ہمسائیہ",
"ہمسائیوں": "ہمسائیہ",
"ہمسایہ": "ہمسایہ",
"ہمسایو": "ہمسایہ",
"ہمسایوں": "ہمسایہ",
"ہمسفر": "ہمسفر",
"ہمسفرو": "ہمسفر",
"ہمسفروں": "ہمسفر",
"ہمسر": "ہمسر",
"ہمسرو": "ہمسر",
"ہمسروں": "ہمسر",
"ہمت": "ہمت",
"ہمتو": "ہمت",
"ہمتوں": "ہمت",
"ہمتیں": "ہمت",
"ہنڈے": "ہنڈا",
"ہنڈا": "ہنڈا",
"ہنڈو": "ہنڈا",
"ہنڈوں": "ہنڈا",
"ہنڈی": "ہنڈی",
"ہنڈیا": "ہنڈیا",
"ہنڈیاں": "ہنڈی",
"ہنڈیو": "ہنڈی",
"ہنڈیوں": "ہنڈی",
"ہندسے": "ہندسہ",
"ہندسہ": "ہندسہ",
"ہندسو": "ہندسہ",
"ہندسوں": "ہندسہ",
"ہندو": "ہندو",
"ہندوستانی": "ہندوستانی",
"ہندوستانیو": "ہندوستانی",
"ہندوستانیوں": "ہندوستانی",
"ہندوؤ": "ہندو",
"ہندوؤں": "ہندو",
"ہنگامے": "ہنگاما",
"ہنگاما": "ہنگاما",
"ہنگامہ": "ہنگامہ",
"ہنگامو": "ہنگاما",
"ہنگاموں": "ہنگاما",
"ہنہنا": "ہنہنانا",
"ہنہنانے": "ہنہنانا",
"ہنہنانا": "ہنہنانا",
"ہنہنانی": "ہنہنانا",
"ہنہناتے": "ہنہنانا",
"ہنہناتا": "ہنہنانا",
"ہنہناتی": "ہنہنانا",
"ہنہناتیں": "ہنہنانا",
"ہنہناؤ": "ہنہنانا",
"ہنہناؤں": "ہنہنانا",
"ہنہنائے": "ہنہنانا",
"ہنہنائی": "ہنہنانا",
"ہنہنائیے": "ہنہنانا",
"ہنہنائیں": "ہنہنانا",
"ہنہنایا": "ہنہنانا",
"ہنکار": "ہنکارنا",
"ہنکارے": "ہنکارنا",
"ہنکارں": "ہنکارنا",
"ہنکارا": "ہنکارنا",
"ہنکارنے": "ہنکارنا",
"ہنکارنا": "ہنکارنا",
"ہنکارنی": "ہنکارنا",
"ہنکارتے": "ہنکارنا",
"ہنکارتا": "ہنکارنا",
"ہنکارتی": "ہنکارنا",
"ہنکارتیں": "ہنکارنا",
"ہنکارو": "ہنکارنا",
"ہنکاروں": "ہنکارنا",
"ہنکاری": "ہنکارنا",
"ہنکاریے": "ہنکارنا",
"ہنکاریں": "ہنکارنا",
"ہنرمند": "ہنرمند",
"ہنرمندو": "ہنرمند",
"ہنرمندوں": "ہنرمند",
"ہنس": "ہنس",
"ہنسے": "ہنسنا",
"ہنسں": "ہنسنا",
"ہنسا": "ہنسنا",
"ہنسانے": "ہنسنا",
"ہنسانا": "ہنسنا",
"ہنساتے": "ہنسنا",
"ہنساتا": "ہنسنا",
"ہنساتی": "ہنسنا",
"ہنساتیں": "ہنسنا",
"ہنساؤ": "ہنسنا",
"ہنساؤں": "ہنسنا",
"ہنسائے": "ہنسنا",
"ہنسائی": "ہنسنا",
"ہنسائیے": "ہنسنا",
"ہنسائیں": "ہنسنا",
"ہنسایا": "ہنسنا",
"ہنسنے": "ہنسنا",
"ہنسنا": "ہنسنا",
"ہنسنی": "ہنسنا",
"ہنستے": "ہنسنا",
"ہنستا": "ہنسنا",
"ہنستی": "ہنسنا",
"ہنستیں": "ہنسنا",
"ہنسو": "ہنس",
"ہنسوں": "ہنس",
"ہنسوا": "ہنسنا",
"ہنسوانے": "ہنسنا",
"ہنسوانا": "ہنسنا",
"ہنسواتے": "ہنسنا",
"ہنسواتا": "ہنسنا",
"ہنسواتی": "ہنسنا",
"ہنسواتیں": "ہنسنا",
"ہنسواؤ": "ہنسنا",
"ہنسواؤں": "ہنسنا",
"ہنسوائے": "ہنسنا",
"ہنسوائی": "ہنسنا",
"ہنسوائیے": "ہنسنا",
"ہنسوائیں": "ہنسنا",
"ہنسوایا": "ہنسنا",
"ہنسی": "ہنسنا",
"ہنسیے": "ہنسنا",
"ہنسیں": "ہنسنا",
"ہپی": "ہپی",
"ہپیو": "ہپی",
"ہپیوں": "ہپی",
"ہر": "ہرنا",
"ہرے": "ہرا",
"ہرں": "ہرنا",
"ہرا": "ہرا",
"ہرانے": "ہارنا",
"ہرانا": "ہارنا",
"ہراتے": "ہارنا",
"ہراتا": "ہارنا",
"ہراتی": "ہارنا",
"ہراتیں": "ہارنا",
"ہراؤ": "ہارنا",
"ہراؤں": "ہارنا",
"ہرائے": "ہارنا",
"ہرائی": "ہارنا",
"ہرائیے": "ہارنا",
"ہرائیں": "ہارنا",
"ہرایا": "ہارنا",
"ہرکارے": "ہرکارہ",
"ہرکارہ": "ہرکارہ",
"ہرکارو": "ہرکارہ",
"ہرکاروں": "ہرکارہ",
"ہرن": "ہرن",
"ہرنے": "ہرنا",
"ہرنا": "ہرنا",
"ہرنو": "ہرن",
"ہرنوں": "ہرن",
"ہرنی": "ہرنی",
"ہرنیں": "ہرن",
"ہرنیاں": "ہرنی",
"ہرنیو": "ہرنی",
"ہرنیوں": "ہرنی",
"ہرتے": "ہرنا",
"ہرتا": "ہرنا",
"ہرتی": "ہرنا",
"ہرتیں": "ہرنا",
"ہرو": "ہرا",
"ہروں": "ہرا",
"ہروا": "ہارنا",
"ہروانے": "ہارنا",
"ہروانا": "ہارنا",
"ہرواتے": "ہارنا",
"ہرواتا": "ہارنا",
"ہرواتی": "ہارنا",
"ہرواتیں": "ہارنا",
"ہرواؤ": "ہارنا",
"ہرواؤں": "ہارنا",
"ہروائے": "ہارنا",
"ہروائی": "ہارنا",
"ہروائیے": "ہارنا",
"ہروائیں": "ہارنا",
"ہروایا": "ہارنا",
"ہری": "ہرنا",
"ہریے": "ہرنا",
"ہریں": "ہرنا",
"ہس": "ہسنا",
"ہسے": "ہسنا",
"ہسں": "ہسنا",
"ہسا": "ہسنا",
"ہسانے": "ہسنا",
"ہسانا": "ہسنا",
"ہساتے": "ہسنا",
"ہساتا": "ہسنا",
"ہساتی": "ہسنا",
"ہساتیں": "ہسنا",
"ہساؤ": "ہسنا",
"ہساؤں": "ہسنا",
"ہسائے": "ہسنا",
"ہسائی": "ہسنا",
"ہسائیے": "ہسنا",
"ہسائیں": "ہسنا",
"ہسایا": "ہسنا",
"ہسنے": "ہسنا",
"ہسنا": "ہسنا",
"ہسنی": "ہسنا",
"ہسپتال": "ہسپتال",
"ہسپتالو": "ہسپتال",
"ہسپتالوں": "ہسپتال",
"ہستے": "ہسنا",
"ہستا": "ہسنا",
"ہستی": "ہستی",
"ہستیں": "ہسنا",
"ہستیاں": "ہستی",
"ہستیو": "ہستی",
"ہستیوں": "ہستی",
"ہسو": "ہسنا",
"ہسوں": "ہسنا",
"ہسوا": "ہسنا",
"ہسوانے": "ہسنا",
"ہسوانا": "ہسنا",
"ہسواتے": "ہسنا",
"ہسواتا": "ہسنا",
"ہسواتی": "ہسنا",
"ہسواتیں": "ہسنا",
"ہسواؤ": "ہسنا",
"ہسواؤں": "ہسنا",
"ہسوائے": "ہسنا",
"ہسوائی": "ہسنا",
"ہسوائیے": "ہسنا",
"ہسوائیں": "ہسنا",
"ہسوایا": "ہسنا",
"ہسی": "ہسنا",
"ہسیے": "ہسنا",
"ہسیں": "ہسنا",
"ہتھکڑی": "ہتھکڑی",
"ہتھکڑیاں": "ہتھکڑی",
"ہتھکڑیو": "ہتھکڑی",
"ہتھکڑیوں": "ہتھکڑی",
"ہتھیا": "ہتھیانا",
"ہتھیانے": "ہتھیانا",
"ہتھیانا": "ہتھیانا",
"ہتھیانی": "ہتھیانا",
"ہتھیار": "ہتھیار",
"ہتھیارو": "ہتھیار",
"ہتھیاروں": "ہتھیار",
"ہتھیاتے": "ہتھیانا",
"ہتھیاتا": "ہتھیانا",
"ہتھیاتی": "ہتھیانا",
"ہتھیاتیں": "ہتھیانا",
"ہتھیاؤ": "ہتھیانا",
"ہتھیاؤں": "ہتھیانا",
"ہتھیائے": "ہتھیانا",
"ہتھیائی": "ہتھیانا",
"ہتھیائیے": "ہتھیانا",
"ہتھیائیں": "ہتھیانا",
"ہتھیایا": "ہتھیانا",
"ہتھیلی": "ہتھیلی",
"ہتھیلیاں": "ہتھیلی",
"ہتھیلیو": "ہتھیلی",
"ہتھیلیوں": "ہتھیلی",
"ہو": "ہونا",
"ہوں": "ہونا",
"ہوں گے": "ہونا",
"ہوں گا": "ہونا",
"ہوں گی": "ہونا",
"ہوٹل": "ہوٹل",
"ہوٹلو": "ہوٹل",
"ہوٹلوں": "ہوٹل",
"ہوا": "ہوا",
"ہواں": "ہواں",
"ہوادار": "ہوادار",
"ہوادارو": "ہوادار",
"ہواداروں": "ہوادار",
"ہواؤ": "ہوا",
"ہواؤں": "ہوا",
"ہوائی": "ہوائی",
"ہوائیں": "ہوا",
"ہوائیاں": "ہوائی",
"ہوائیو": "ہوائی",
"ہوائیوں": "ہوائی",
"ہودے": "ہودہ",
"ہودہ": "ہودہ",
"ہودو": "ہودہ",
"ہودوں": "ہودہ",
"ہوگے": "ہونا",
"ہوگا": "ہونا",
"ہوگی": "ہونا",
"ہوجا": "ہوجانا",
"ہوجانے": "ہوجانا",
"ہوجانا": "ہوجانا",
"ہوجانی": "ہوجانا",
"ہوجاتے": "ہوجانا",
"ہوجاتا": "ہوجانا",
"ہوجاتی": "ہوجانا",
"ہوجاتیں": "ہوجانا",
"ہوجاؤ": "ہوجانا",
"ہوجاؤں": "ہوجانا",
"ہوجائے": "ہوجانا",
"ہوجائی": "ہوجانا",
"ہوجائیے": "ہوجانا",
"ہوجائیں": "ہوجانا",
"ہوجایا": "ہوجانا",
"ہولاؤ": "ہولاؤ",
"ہولناکی": "ہولناکی",
"ہولناکیاں": "ہولناکی",
"ہولناکیو": "ہولناکی",
"ہولناکیوں": "ہولناکی",
"ہونے": "ہونا",
"ہونٹ": "ہونٹ",
"ہونٹو": "ہونٹ",
"ہونٹوں": "ہونٹ",
"ہونا": "ہونا",
"ہونی": "ہونا",
"ہوس": "ہوس",
"ہوسو": "ہوس",
"ہوسوں": "ہوس",
"ہوتے": "ہونا",
"ہوتا": "ہونا",
"ہوتی": "ہونا",
"ہوتیں": "ہونا",
"ہووںں": "ہواں",
"ہوؤں": "ہونا",
"ہویں": "ہواں",
"ہوئے": "ہونا",
"ہوئی": "ہونا",
"ہوئیے": "ہونا",
"ہوئیں": "ہونا",
"ہی": "ہی",
"ہیں": "ہونا",
"ہیجڑے": "ہیجڑا",
"ہیجڑا": "ہیجڑا",
"ہیجڑو": "ہیجڑا",
"ہیجڑوں": "ہیجڑا",
"ہیکر": "ہیکر",
"ہیکرو": "ہیکر",
"ہیکروں": "ہیکر",
"ہیرے": "ہیرا",
"ہیرا": "ہیرا",
"ہیرو": "ہیرا",
"ہیروں": "ہیرا",
"ہیئت": "ہیئت",
"ہیئتو": "ہیئت",
"ہیئتوں": "ہیئت",
"ہیئتیں": "ہیئت",
"ہیضے": "ہیضہ",
"ہیضہ": "ہیضہ",
"ہیضو": "ہیضہ",
"ہیضوں": "ہیضہ",
"ہزار": "ہزار",
"ہزارے": "ہزارہ",
"ہزارہ": "ہزارہ",
"ہزارو": "ہزارہ",
"ہزاروں": "ہزارہ",
"جَب": "جَب",
"جَہاں": "جَہاں",
"جَونسے": "جَونسا",
"جَونسا": "جَونسا",
"جَونسی": "جَونسا",
"جَیسے": "جَیسا",
"جَیسا": "جَیسا",
"جَیسی": "جَیسا",
"جِدَھر": "جِدَھر",
"جِن": "جِن",
"جِنو": "جِن",
"جِنوں": "جِن",
"جِس": "جو",
"جِھری": "جِھری",
"جِھریاں": "جِھری",
"جِھریو": "جِھری",
"جِھریوں": "جِھری",
"جُوں": "جُوں",
"جُوتی": "جُوتی",
"جُوتیاں": "جُوتی",
"جُوتیو": "جُوتی",
"جُوتیوں": "جُوتی",
"جُوؤں": "جُوں",
"جُوئیں": "جُوں",
"جُھک": "جُھکنا",
"جُھکے": "جُھکنا",
"جُھکں": "جُھکنا",
"جُھکا": "جُھکنا",
"جُھکانے": "جُھکنا",
"جُھکانا": "جُھکنا",
"جُھکاتے": "جُھکنا",
"جُھکاتا": "جُھکنا",
"جُھکاتی": "جُھکنا",
"جُھکاتیں": "جُھکنا",
"جُھکاؤ": "جُھکنا",
"جُھکاؤں": "جُھکنا",
"جُھکائے": "جُھکنا",
"جُھکائی": "جُھکنا",
"جُھکائیے": "جُھکنا",
"جُھکائیں": "جُھکنا",
"جُھکایا": "جُھکنا",
"جُھکنے": "جُھکنا",
"جُھکنا": "جُھکنا",
"جُھکنی": "جُھکنا",
"جُھکتے": "جُھکنا",
"جُھکتا": "جُھکنا",
"جُھکتی": "جُھکنا",
"جُھکتیں": "جُھکنا",
"جُھکو": "جُھکنا",
"جُھکوں": "جُھکنا",
"جُھکوا": "جُھکنا",
"جُھکوانے": "جُھکنا",
"جُھکوانا": "جُھکنا",
"جُھکواتے": "جُھکنا",
"جُھکواتا": "جُھکنا",
"جُھکواتی": "جُھکنا",
"جُھکواتیں": "جُھکنا",
"جُھکواؤ": "جُھکنا",
"جُھکواؤں": "جُھکنا",
"جُھکوائے": "جُھکنا",
"جُھکوائی": "جُھکنا",
"جُھکوائیے": "جُھکنا",
"جُھکوائیں": "جُھکنا",
"جُھکوایا": "جُھکنا",
"جُھکی": "جُھکنا",
"جُھکیے": "جُھکنا",
"جُھکیں": "جُھکنا",
"جغرافیے": "جغرافیہ",
"جغرافیہ": "جغرافیہ",
"جغرافیو": "جغرافیہ",
"جغرافیوں": "جغرافیہ",
"جڑ": "جڑ",
"جڑے": "جڑنا",
"جڑں": "جڑنا",
"جڑا": "جڑنا",
"جڑانے": "جڑنا",
"جڑانا": "جڑنا",
"جڑاتے": "جڑنا",
"جڑاتا": "جڑنا",
"جڑاتی": "جڑنا",
"جڑاتیں": "جڑنا",
"جڑاؤ": "جڑنا",
"جڑاؤں": "جڑنا",
"جڑائے": "جڑنا",
"جڑائی": "جڑنا",
"جڑائیے": "جڑنا",
"جڑائیں": "جڑنا",
"جڑایا": "جڑنا",
"جڑنے": "جڑنا",
"جڑنا": "جڑنا",
"جڑنی": "جڑنا",
"جڑتے": "جڑنا",
"جڑتا": "جڑنا",
"جڑتی": "جڑنا",
"جڑتیں": "جڑنا",
"جڑو": "جڑ",
"جڑوں": "جڑ",
"جڑوا": "جڑنا",
"جڑوانے": "جڑنا",
"جڑوانا": "جڑنا",
"جڑواتے": "جڑنا",
"جڑواتا": "جڑنا",
"جڑواتی": "جڑنا",
"جڑواتیں": "جڑنا",
"جڑواؤ": "جڑنا",
"جڑواؤں": "جڑنا",
"جڑوائے": "جڑنا",
"جڑوائی": "جڑنا",
"جڑوائیے": "جڑنا",
"جڑوائیں": "جڑنا",
"جڑوایا": "جڑنا",
"جڑی": "جڑنا",
"جڑیے": "جڑنا",
"جڑیں": "جڑ",
"جٹ": "جٹ",
"جٹے": "جٹا",
"جٹا": "جٹا",
"جٹو": "جٹا",
"جٹوں": "جٹا",
"جذب": "جذب",
"جذبے": "جذبہ",
"جذبہ": "جذبہ",
"جذبو": "جذبہ",
"جذبوں": "جذبہ",
"جا": "جانا",
"جاڑ": "جاڑ",
"جاڑے": "جاڑا",
"جاڑا": "جاڑا",
"جاڑو": "جاڑا",
"جاڑوں": "جاڑا",
"جاٹ": "جاٹ",
"جاٹو": "جاٹ",
"جاٹوں": "جاٹ",
"جاٹیں": "جاٹ",
"جابر": "جابر",
"جابرو": "جابر",
"جابروں": "جابر",
"جادوگر": "جادوگر",
"جادوگرو": "جادوگر",
"جادوگروں": "جادوگر",
"جاگ": "جاگ",
"جاگْں": "جاگْنا",
"جاگْنے": "جاگْنا",
"جاگْنا": "جاگْنا",
"جاگْنی": "جاگْنا",
"جاگْتے": "جاگْنا",
"جاگْتا": "جاگْنا",
"جاگْتی": "جاگْنا",
"جاگْتیں": "جاگْنا",
"جاگے": "جاگْنا",
"جاگں": "جاگنا",
"جاگا": "جاگْنا",
"جاگانے": "جاگنا",
"جاگانا": "جاگنا",
"جاگاتے": "جاگنا",
"جاگاتا": "جاگنا",
"جاگاتی": "جاگنا",
"جاگاتیں": "جاگنا",
"جاگاؤ": "جاگنا",
"جاگاؤں": "جاگنا",
"جاگائے": "جاگنا",
"جاگائی": "جاگنا",
"جاگائیے": "جاگنا",
"جاگائیں": "جاگنا",
"جاگایا": "جاگنا",
"جاگنے": "جاگنا",
"جاگنا": "جاگنا",
"جاگنی": "جاگنا",
"جاگتے": "جاگنا",
"جاگتا": "جاگنا",
"جاگتی": "جاگنا",
"جاگتیں": "جاگنا",
"جاگو": "جاگ",
"جاگوں": "جاگ",
"جاگی": "جاگْنا",
"جاگیے": "جاگْنا",
"جاگیں": "جاگ",
"جاگیر": "جاگیر",
"جاگیردار": "جاگیردار",
"جاگیردارو": "جاگیردار",
"جاگیرداروں": "جاگیردار",
"جاگیرو": "جاگیر",
"جاگیروں": "جاگیر",
"جاگیریں": "جاگیر",
"جاہل": "جاہل",
"جاہلو": "جاہل",
"جاہلوں": "جاہل",
"جال": "جال",
"جالے": "جالا",
"جالا": "جالا",
"جالو": "جالا",
"جالوں": "جالا",
"جامے": "جامہ",
"جامہ": "جامہ",
"جامن": "جامن",
"جامنو": "جامن",
"جامنوں": "جامن",
"جامو": "جامہ",
"جاموں": "جامہ",
"جان": "جان",
"جانے": "جاننا",
"جانں": "جاننا",
"جانشین": "جانشین",
"جانشینو": "جانشین",
"جانشینوں": "جانشین",
"جانا": "جاننا",
"جانچ": "جانچ",
"جانچے": "جانچنا",
"جانچں": "جانچنا",
"جانچا": "جانچنا",
"جانچنے": "جانچنا",
"جانچنا": "جانچنا",
"جانچنی": "جانچنا",
"جانچتے": "جانچنا",
"جانچتا": "جانچنا",
"جانچتی": "جانچنا",
"جانچتیں": "جانچنا",
"جانچو": "جانچ",
"جانچوں": "جانچ",
"جانچوا": "جانچنا",
"جانچوانے": "جانچنا",
"جانچوانا": "جانچنا",
"جانچواتے": "جانچنا",
"جانچواتا": "جانچنا",
"جانچواتی": "جانچنا",
"جانچواتیں": "جانچنا",
"جانچواؤ": "جانچنا",
"جانچواؤں": "جانچنا",
"جانچوائے": "جانچنا",
"جانچوائی": "جانچنا",
"جانچوائیے": "جانچنا",
"جانچوائیں": "جانچنا",
"جانچوایا": "جانچنا",
"جانچی": "جانچنا",
"جانچیے": "جانچنا",
"جانچیں": "جانچنا",
"جاندار": "جاندار",
"جاندارو": "جاندار",
"جانداروں": "جاندار",
"جاننے": "جاننا",
"جاننا": "جاننا",
"جاننی": "جاننا",
"جانتے": "جاننا",
"جانتا": "جاننا",
"جانتی": "جاننا",
"جانتیں": "جاننا",
"جانو": "جان",
"جانوں": "جان",
"جانور": "جانور",
"جانورو": "جانور",
"جانوروں": "جانور",
"جانی": "جاننا",
"جانیے": "جاننا",
"جانیں": "جاننا",
"جاپانی": "جاپانی",
"جاپانیو": "جاپانی",
"جاپانیوں": "جاپانی",
"جاسکت": "جاسکت",
"جاسکتو": "جاسکت",
"جاسکتوں": "جاسکت",
"جاسکتیں": "جاسکت",
"جاسوس": "جاسوس",
"جاسوسے": "جاسوسہ",
"جاسوسہ": "جاسوسہ",
"جاسوسو": "جاسوسہ",
"جاسوسوں": "جاسوسہ",
"جات": "جات",
"جاتے": "جانا",
"جاتا": "جانا",
"جاتو": "جات",
"جاتوں": "جات",
"جاتی": "جانا",
"جاتیں": "جات",
"جاو": "جانا",
"جاوں": "جانا",
"جاواں": "جاواں",
"جاووںں": "جاواں",
"جاویں": "جاواں",
"جائی": "جائی",
"جائیاں": "جائی",
"جائیداد": "جائیداد",
"جائیدادو": "جائیداد",
"جائیدادوں": "جائیداد",
"جائیدادیں": "جائیداد",
"جائیو": "جائی",
"جائیوں": "جائی",
"جائزے": "جائزہ",
"جائزہ": "جائزہ",
"جائزو": "جائزہ",
"جائزوں": "جائزہ",
"جب": "جَب",
"جبے": "جبہ",
"جبہ": "جبہ",
"جبکہ": "جبکہ",
"جبلت": "جبلت",
"جبلتو": "جبلت",
"جبلتوں": "جبلت",
"جبلتیں": "جبلت",
"جبر": "جبر",
"جبرو": "جبر",
"جبروں": "جبر",
"جبتک": "جبتک",
"جبو": "جبہ",
"جبوں": "جبہ",
"جچ": "جچنا",
"جچے": "جچنا",
"جچں": "جچنا",
"جچا": "جچنا",
"جچانے": "جچنا",
"جچانا": "جچنا",
"جچاتے": "جچنا",
"جچاتا": "جچنا",
"جچاتی": "جچنا",
"جچاتیں": "جچنا",
"جچاؤ": "جچنا",
"جچاؤں": "جچنا",
"جچائے": "جچنا",
"جچائی": "جچنا",
"جچائیے": "جچنا",
"جچائیں": "جچنا",
"جچایا": "جچنا",
"جچنے": "جچنا",
"جچنا": "جچنا",
"جچنی": "جچنا",
"جچتے": "جچنا",
"جچتا": "جچنا",
"جچتی": "جچنا",
"جچتیں": "جچنا",
"جچو": "جچنا",
"جچوں": "جچنا",
"جچوا": "جچنا",
"جچوانے": "جچنا",
"جچوانا": "جچنا",
"جچواتے": "جچنا",
"جچواتا": "جچنا",
"جچواتی": "جچنا",
"جچواتیں": "جچنا",
"جچواؤ": "جچنا",
"جچواؤں": "جچنا",
"جچوائے": "جچنا",
"جچوائی": "جچنا",
"جچوائیے": "جچنا",
"جچوائیں": "جچنا",
"جچوایا": "جچنا",
"جچی": "جچنا",
"جچیے": "جچنا",
"جچیں": "جچنا",
"جدا": "جدا",
"جدائی": "جدائی",
"جدائیاں": "جدائی",
"جدائیو": "جدائی",
"جدائیوں": "جدائی",
"جدید": "جدید",
"جدھر": "جِدَھر",
"جفا": "جفا",
"جفاؤ": "جفا",
"جفاؤں": "جفا",
"جفائیں": "جفا",
"جگ": "جگنا",
"جگْوا": "جاگْنا",
"جگْوانے": "جاگْنا",
"جگْوانا": "جاگْنا",
"جگْواتے": "جاگْنا",
"جگْواتا": "جاگْنا",
"جگْواتی": "جاگْنا",
"جگْواتیں": "جاگْنا",
"جگْواؤ": "جاگْنا",
"جگْواؤں": "جاگْنا",
"جگْوائے": "جاگْنا",
"جگْوائی": "جاگْنا",
"جگْوائیے": "جاگْنا",
"جگْوائیں": "جاگْنا",
"جگْوایا": "جاگْنا",
"جگے": "جگنا",
"جگں": "جگنا",
"جگا": "جاگْنا",
"جگانے": "جاگْنا",
"جگانا": "جاگْنا",
"جگاتے": "جاگْنا",
"جگاتا": "جاگْنا",
"جگاتی": "جاگْنا",
"جگاتیں": "جاگْنا",
"جگاؤ": "جاگْنا",
"جگاؤں": "جاگْنا",
"جگائے": "جاگْنا",
"جگائی": "جاگْنا",
"جگائیے": "جاگْنا",
"جگائیں": "جاگْنا",
"جگایا": "جاگْنا",
"جگہ": "جگہ",
"جگہو": "جگہ",
"جگہوں": "جگہ",
"جگہیں": "جگہ",
"جگمگا": "جگمگانا",
"جگمگانے": "جگمگانا",
"جگمگانا": "جگمگانا",
"جگمگانی": "جگمگانا",
"جگمگاتے": "جگمگانا",
"جگمگاتا": "جگمگانا",
"جگمگاتی": "جگمگانا",
"جگمگاتیں": "جگمگانا",
"جگمگاؤ": "جگمگانا",
"جگمگاؤں": "جگمگانا",
"جگمگائے": "جگمگانا",
"جگمگائی": "جگمگانا",
"جگمگائیے": "جگمگانا",
"جگمگائیں": "جگمگانا",
"جگمگایا": "جگمگانا",
"جگنے": "جگنا",
"جگنا": "جگنا",
"جگنو": "جگنو",
"جگنوؤ": "جگنو",
"جگنوؤں": "جگنو",
"جگنی": "جگنا",
"جگتے": "جگنا",
"جگتا": "جگنا",
"جگتی": "جگنا",
"جگتیں": "جگنا",
"جگو": "جگنا",
"جگوں": "جگنا",
"جگوا": "جاگنا",
"جگوانے": "جاگنا",
"جگوانا": "جاگنا",
"جگواتے": "جاگنا",
"جگواتا": "جاگنا",
"جگواتی": "جاگنا",
"جگواتیں": "جاگنا",
"جگواؤ": "جاگنا",
"جگواؤں": "جاگنا",
"جگوائے": "جاگنا",
"جگوائی": "جاگنا",
"جگوائیے": "جاگنا",
"جگوائیں": "جاگنا",
"جگوایا": "جاگنا",
"جگی": "جگنا",
"جگیے": "جگنا",
"جگیں": "جگنا",
"جہاں": "جَہاں",
"جہان": "جہان",
"جہانو": "جہان",
"جہانوں": "جہان",
"جہاز": "جہاز",
"جہازو": "جہاز",
"جہازوں": "جہاز",
"جہنمی": "جہنمی",
"جہنمیو": "جہنمی",
"جہنمیوں": "جہنمی",
"جہت": "جہت",
"جہتو": "جہت",
"جہتوں": "جہت",
"جہتیں": "جہت",
"جج": "جج",
"ججو": "جج",
"ججوں": "جج",
"جکڑ": "جکڑنا",
"جکڑے": "جکڑنا",
"جکڑں": "جکڑنا",
"جکڑا": "جکڑنا",
"جکڑانے": "جکڑنا",
"جکڑانا": "جکڑنا",
"جکڑاتے": "جکڑنا",
"جکڑاتا": "جکڑنا",
"جکڑاتی": "جکڑنا",
"جکڑاتیں": "جکڑنا",
"جکڑاؤ": "جکڑنا",
"جکڑاؤں": "جکڑنا",
"جکڑائے": "جکڑنا",
"جکڑائی": "جکڑنا",
"جکڑائیے": "جکڑنا",
"جکڑائیں": "جکڑنا",
"جکڑایا": "جکڑنا",
"جکڑنے": "جکڑنا",
"جکڑنا": "جکڑنا",
"جکڑنی": "جکڑنا",
"جکڑتے": "جکڑنا",
"جکڑتا": "جکڑنا",
"جکڑتی": "جکڑنا",
"جکڑتیں": "جکڑنا",
"جکڑو": "جکڑنا",
"جکڑوں": "جکڑنا",
"جکڑوا": "جکڑنا",
"جکڑوانے": "جکڑنا",
"جکڑوانا": "جکڑنا",
"جکڑواتے": "جکڑنا",
"جکڑواتا": "جکڑنا",
"جکڑواتی": "جکڑنا",
"جکڑواتیں": "جکڑنا",
"جکڑواؤ": "جکڑنا",
"جکڑواؤں": "جکڑنا",
"جکڑوائے": "جکڑنا",
"جکڑوائی": "جکڑنا",
"جکڑوائیے": "جکڑنا",
"جکڑوائیں": "جکڑنا",
"جکڑوایا": "جکڑنا",
"جکڑی": "جکڑنا",
"جکڑیے": "جکڑنا",
"جکڑیں": "جکڑنا",
"جل": "جلنا",
"جلے": "جلنا",
"جلں": "جلنا",
"جلا": "جلنا",
"جلاد": "جلاد",
"جلادو": "جلاد",
"جلادوں": "جلاد",
"جلانے": "جلنا",
"جلانا": "جلنا",
"جلاتے": "جلنا",
"جلاتا": "جلنا",
"جلاتی": "جلنا",
"جلاتیں": "جلنا",
"جلاؤ": "جلنا",
"جلاؤں": "جلنا",
"جلائے": "جلنا",
"جلائی": "جلنا",
"جلائیے": "جلنا",
"جلائیں": "جلنا",
"جلایا": "جلنا",
"جلد": "جلد",
"جلدو": "جلد",
"جلدوں": "جلد",
"جلدیں": "جلد",
"جلنے": "جلنا",
"جلنا": "جلنا",
"جلنی": "جلنا",
"جلسے": "جلسہ",
"جلسہ": "جلسہ",
"جلسو": "جلسہ",
"جلسوں": "جلسہ",
"جلتے": "جلنا",
"جلتا": "جلنا",
"جلتی": "جلنا",
"جلتیں": "جلنا",
"جلو": "جلنا",
"جلوے": "جلوا",
"جلوں": "جلنا",
"جلوا": "جلوا",
"جلوانے": "جلنا",
"جلوانا": "جلنا",
"جلواتے": "جلنا",
"جلواتا": "جلنا",
"جلواتی": "جلنا",
"جلواتیں": "جلنا",
"جلواؤ": "جلنا",
"جلواؤں": "جلنا",
"جلوائے": "جلنا",
"جلوائی": "جلنا",
"جلوائیے": "جلنا",
"جلوائیں": "جلنا",
"جلوایا": "جلنا",
"جلوہ": "جلوہ",
"جلوس": "جلوس",
"جلوسو": "جلوس",
"جلوسوں": "جلوس",
"جلوو": "جلوا",
"جلووں": "جلوا",
"جلی": "جلنا",
"جلیے": "جلنا",
"جلیں": "جلنا",
"جلیبی": "جلیبی",
"جلیبیاں": "جلیبی",
"جلیبیو": "جلیبی",
"جلیبیوں": "جلیبی",
"جم": "جمنا",
"جمے": "جمنا",
"جمں": "جمنا",
"جما": "جمنا",
"جماعت": "جماعت",
"جماعتو": "جماعت",
"جماعتوں": "جماعت",
"جماعتیں": "جماعت",
"جمانے": "جمنا",
"جمانا": "جمنا",
"جماتے": "جمنا",
"جماتا": "جمنا",
"جماتی": "جمنا",
"جماتیں": "جمنا",
"جماؤ": "جمنا",
"جماؤں": "جمنا",
"جمائے": "جمنا",
"جمائی": "جمائی",
"جمائیے": "جمنا",
"جمائیں": "جمنا",
"جمائیاں": "جمائی",
"جمائیو": "جمائی",
"جمائیوں": "جمائی",
"جمایا": "جمنا",
"جمعے": "جمعہ",
"جمعہ": "جمعہ",
"جمعرات": "جمعرات",
"جمعراتو": "جمعرات",
"جمعراتوں": "جمعرات",
"جمعراتیں": "جمعرات",
"جمعو": "جمعہ",
"جمعوں": "جمعہ",
"جملے": "جملہ",
"جملہ": "جملہ",
"جملو": "جملہ",
"جملوں": "جملہ",
"جمنے": "جمنا",
"جمنا": "جمنا",
"جمنی": "جمنا",
"جمتے": "جمنا",
"جمتا": "جمنا",
"جمتی": "جمنا",
"جمتیں": "جمنا",
"جمو": "جمنا",
"جموں": "جمنا",
"جموا": "جمنا",
"جموانے": "جمنا",
"جموانا": "جمنا",
"جمواتے": "جمنا",
"جمواتا": "جمنا",
"جمواتی": "جمنا",
"جمواتیں": "جمنا",
"جمواؤ": "جمنا",
"جمواؤں": "جمنا",
"جموائے": "جمنا",
"جموائی": "جمنا",
"جموائیے": "جمنا",
"جموائیں": "جمنا",
"جموایا": "جمنا",
"جمی": "جمنا",
"جمیے": "جمنا",
"جمیں": "جمنا",
"جن": "جن",
"جنّ": "جنّ",
"جنّت": "جنّت",
"جنّتو": "جنّت",
"جنّتوں": "جنّت",
"جنّتیں": "جنّت",
"جنّو": "جنّ",
"جنّوں": "جنّ",
"جنے": "جننا",
"جنں": "جننا",
"جنا": "جننا",
"جنات": "جن",
"جناتو": "جنات",
"جناتوں": "جنات",
"جناتیں": "جنات",
"جنازے": "جنازہ",
"جنازہ": "جنازہ",
"جنازو": "جنازہ",
"جنازوں": "جنازہ",
"جنگ": "جنگ",
"جنگجو": "جنگجو",
"جنگجوؤ": "جنگجو",
"جنگجوؤں": "جنگجو",
"جنگل": "جنگل",
"جنگلے": "جنگلا",
"جنگلا": "جنگلا",
"جنگلہ": "جنگلہ",
"جنگلو": "جنگلا",
"جنگلوں": "جنگلا",
"جنگلی": "جنگلی",
"جنگلیو": "جنگلی",
"جنگلیوں": "جنگلی",
"جنگو": "جنگ",
"جنگوں": "جنگ",
"جنگی": "جنگی",
"جنگیں": "جنگ",
"جنگیو": "جنگی",
"جنگیوں": "جنگی",
"جننے": "جننا",
"جننا": "جننا",
"جننی": "جننا",
"جنس": "جنس",
"جنسو": "جنس",
"جنسوں": "جنس",
"جنسیں": "جنس",
"جنت": "جنت",
"جنتے": "جننا",
"جنتا": "جننا",
"جنتو": "جنت",
"جنتوں": "جنت",
"جنتی": "جنتی",
"جنتیں": "جنت",
"جنتیو": "جنتی",
"جنتیوں": "جنتی",
"جنو": "جن",
"جنوں": "جن",
"جنی": "جننا",
"جنیے": "جننا",
"جنیں": "جننا",
"جپھی": "جپھی",
"جپھیاں": "جپھی",
"جپھیو": "جپھی",
"جپھیوں": "جپھی",
"جراب": "جراب",
"جرابو": "جراب",
"جرابوں": "جراب",
"جرابیں": "جراب",
"جرگے": "جرگہ",
"جرگہ": "جرگہ",
"جرگو": "جرگہ",
"جرگوں": "جرگہ",
"جرم": "جرم",
"جرمانے": "جرمانہ",
"جرمانہ": "جرمانہ",
"جرمانو": "جرمانہ",
"جرمانوں": "جرمانہ",
"جرمو": "جرم",
"جرموں": "جرم",
"جرنلسٹ": "جرنلسٹ",
"جرنلسٹو": "جرنلسٹ",
"جرنلسٹوں": "جرنلسٹ",
"جریدے": "جریدہ",
"جریدہ": "جریدہ",
"جریدو": "جریدہ",
"جریدوں": "جریدہ",
"جس": "جو",
"جسم": "جسم",
"جسمو": "جسم",
"جسموں": "جسم",
"جت": "جتنا",
"جتے": "جتنا",
"جتں": "جتنا",
"جتا": "جتنا",
"جتانے": "جتنا",
"جتانا": "جتنا",
"جتانی": "جتانا",
"جتاتے": "جتنا",
"جتاتا": "جتنا",
"جتاتی": "جتنا",
"جتاتیں": "جتنا",
"جتاؤ": "جتنا",
"جتاؤں": "جتنا",
"جتائے": "جتنا",
"جتائی": "جتنا",
"جتائیے": "جتنا",
"جتائیں": "جتنا",
"جتایا": "جتنا",
"جتلاؤ": "جتلاؤ",
"جتن": "جتن",
"جتنے": "جتنا",
"جتنا": "جتنا",
"جتنو": "جتنا",
"جتنوں": "جتنا",
"جتنی": "جتنا",
"جتتے": "جتنا",
"جتتا": "جتنا",
"جتتی": "جتنا",
"جتتیں": "جتنا",
"جتو": "جتنا",
"جتوں": "جتنا",
"جتوا": "جتنا",
"جتوانے": "جتنا",
"جتوانا": "جتنا",
"جتواتے": "جتنا",
"جتواتا": "جتنا",
"جتواتی": "جتنا",
"جتواتیں": "جتنا",
"جتواؤ": "جتنا",
"جتواؤں": "جتنا",
"جتوائے": "جتنا",
"جتوائی": "جتنا",
"جتوائیے": "جتنا",
"جتوائیں": "جتنا",
"جتوایا": "جتنا",
"جتی": "جتنا",
"جتیے": "جتنا",
"جتیں": "جتنا",
"جو": "جو",
"جوں": "جوں",
"جوڑ": "جوڑ",
"جوڑے": "جوڑا",
"جوڑں": "جوڑنا",
"جوڑا": "جوڑا",
"جوڑنے": "جوڑنا",
"جوڑنا": "جوڑنا",
"جوڑنی": "جوڑنا",
"جوڑتے": "جوڑنا",
"جوڑتا": "جوڑنا",
"جوڑتی": "جوڑنا",
"جوڑتیں": "جوڑنا",
"جوڑو": "جوڑا",
"جوڑوں": "جوڑا",
"جوڑی": "جوڑی",
"جوڑیے": "جوڑنا",
"جوڑیں": "جوڑنا",
"جوڑیاں": "جوڑی",
"جوڑیو": "جوڑی",
"جوڑیوں": "جوڑی",
"جوشاندے": "جوشاندہ",
"جوشاندہ": "جوشاندہ",
"جوشاندو": "جوشاندہ",
"جوشاندوں": "جوشاندہ",
"جوشی": "جوشی",
"جوشیو": "جوشی",
"جوشیوں": "جوشی",
"جوان": "جوان",
"جوانو": "جوان",
"جوانوں": "جوان",
"جوانی": "جوانی",
"جوانیاں": "جوانی",
"جوانیو": "جوانی",
"جوانیوں": "جوانی",
"جواری": "جواری",
"جواریاں": "جواری",
"جواریو": "جواری",
"جواریوں": "جواری",
"جوگی": "جوگی",
"جوگیو": "جوگی",
"جوگیوں": "جوگی",
"جولانی": "جولانی",
"جولانیاں": "جولانی",
"جولانیو": "جولانی",
"جولانیوں": "جولانی",
"جونک": "جونک",
"جونکو": "جونک",
"جونکوں": "جونک",
"جونکیں": "جونک",
"جونسے": "جَونسا",
"جونسا": "جَونسا",
"جونسی": "جَونسا",
"جورُو": "جورُو",
"جورُوؤ": "جورُو",
"جورُوؤں": "جورُو",
"جورُوئیں": "جورُو",
"جوت": "جتنا",
"جوتے": "جوتا",
"جوتں": "جتنا",
"جوتشی": "جوتشی",
"جوتشیو": "جوتشی",
"جوتشیوں": "جوتشی",
"جوتا": "جوتا",
"جوتنے": "جتنا",
"جوتنا": "جتنا",
"جوتنی": "جوتنا",
"جوتتے": "جتنا",
"جوتتا": "جتنا",
"جوتتی": "جتنا",
"جوتتیں": "جتنا",
"جوتو": "جوتا",
"جوتوں": "جوتا",
"جوتوا": "جوتنا",
"جوتوانے": "جوتنا",
"جوتوانا": "جوتنا",
"جوتواتے": "جوتنا",
"جوتواتا": "جوتنا",
"جوتواتی": "جوتنا",
"جوتواتیں": "جوتنا",
"جوتواؤ": "جوتنا",
"جوتواؤں": "جوتنا",
"جوتوائے": "جوتنا",
"جوتوائی": "جوتنا",
"جوتوائیے": "جوتنا",
"جوتوائیں": "جوتنا",
"جوتوایا": "جوتنا",
"جوتی": "جوتی",
"جوتیے": "جتنا",
"جوتیں": "جتنا",
"جوتیاں": "جوتی",
"جوتیو": "جوتی",
"جوتیوں": "جوتی",
"جوؤں": "جوں",
"جوئیں": "جوں",
"جی": "جینا",
"جیے": "جینا",
"جیں": "جینا",
"جیا": "جینا",
"جیب": "جیب",
"جیبو": "جیب",
"جیبوں": "جیب",
"جیبیں": "جیب",
"جیل": "جیل",
"جیلو": "جیل",
"جیلوں": "جیل",
"جیلیں": "جیل",
"جینے": "جینا",
"جینا": "جینا",
"جینی": "جینا",
"جیسے": "جیسا",
"جیسا": "جیسا",
"جیسو": "جیسا",
"جیسوں": "جیسا",
"جیسی": "جَیسا",
"جیت": "جیت",
"جیتے": "جینا",
"جیتں": "جیتنا",
"جیتا": "جینا",
"جیتنے": "جیتنا",
"جیتنا": "جیتنا",
"جیتنی": "جیتنا",
"جیتتے": "جیتنا",
"جیتتا": "جیتنا",
"جیتتی": "جیتنا",
"جیتتیں": "جیتنا",
"جیتو": "جیت",
"جیتوں": "جیت",
"جیتی": "جینا",
"جیتیے": "جیتنا",
"جیتیں": "جیت",
"جیو": "جینا",
"جیوں": "جینا",
"جیی": "جینا",
"جییے": "جینا",
"جییں": "جینا",
"جز": "جز",
"جزب": "جزب",
"جزبے": "جزبہ",
"جزبہ": "جزبہ",
"جزبو": "جزبہ",
"جزبوں": "جزبہ",
"جزو": "جز",
"جزوں": "جز",
"جزیرے": "جزیرہ",
"جزیرہ": "جزیرہ",
"جزیرو": "جزیرہ",
"جزیروں": "جزیرہ",
"جھڑا": "جھاڑنا",
"جھڑانے": "جھاڑنا",
"جھڑانا": "جھاڑنا",
"جھڑاتے": "جھاڑنا",
"جھڑاتا": "جھاڑنا",
"جھڑاتی": "جھاڑنا",
"جھڑاتیں": "جھاڑنا",
"جھڑاؤ": "جھاڑنا",
"جھڑاؤں": "جھاڑنا",
"جھڑائے": "جھاڑنا",
"جھڑائی": "جھاڑنا",
"جھڑائیے": "جھاڑنا",
"جھڑائیں": "جھاڑنا",
"جھڑایا": "جھاڑنا",
"جھڑک": "جھڑکنا",
"جھڑکے": "جھڑکنا",
"جھڑکں": "جھڑکنا",
"جھڑکا": "جھڑکنا",
"جھڑکانے": "جھڑکنا",
"جھڑکانا": "جھڑکنا",
"جھڑکاتے": "جھڑکنا",
"جھڑکاتا": "جھڑکنا",
"جھڑکاتی": "جھڑکنا",
"جھڑکاتیں": "جھڑکنا",
"جھڑکاؤ": "جھڑکنا",
"جھڑکاؤں": "جھڑکنا",
"جھڑکائے": "جھڑکنا",
"جھڑکائی": "جھڑکنا",
"جھڑکائیے": "جھڑکنا",
"جھڑکائیں": "جھڑکنا",
"جھڑکایا": "جھڑکنا",
"جھڑکنے": "جھڑکنا",
"جھڑکنا": "جھڑکنا",
"جھڑکنی": "جھڑکنا",
"جھڑکتے": "جھڑکنا",
"جھڑکتا": "جھڑکنا",
"جھڑکتی": "جھڑکنا",
"جھڑکتیں": "جھڑکنا",
"جھڑکو": "جھڑکنا",
"جھڑکوں": "جھڑکنا",
"جھڑکوا": "جھڑکنا",
"جھڑکوانے": "جھڑکنا",
"جھڑکوانا": "جھڑکنا",
"جھڑکواتے": "جھڑکنا",
"جھڑکواتا": "جھڑکنا",
"جھڑکواتی": "جھڑکنا",
"جھڑکواتیں": "جھڑکنا",
"جھڑکواؤ": "جھڑکنا",
"جھڑکواؤں": "جھڑکنا",
"جھڑکوائے": "جھڑکنا",
"جھڑکوائی": "جھڑکنا",
"جھڑکوائیے": "جھڑکنا",
"جھڑکوائیں": "جھڑکنا",
"جھڑکوایا": "جھڑکنا",
"جھڑکی": "جھڑکی",
"جھڑکیے": "جھڑکنا",
"جھڑکیں": "جھڑکنا",
"جھڑکیاں": "جھڑکی",
"جھڑکیو": "جھڑکی",
"جھڑکیوں": "جھڑکی",
"جھڑپ": "جھڑپ",
"جھڑپو": "جھڑپ",
"جھڑپوں": "جھڑپ",
"جھڑپیں": "جھڑپ",
"جھڑوا": "جھاڑنا",
"جھڑوانے": "جھاڑنا",
"جھڑوانا": "جھاڑنا",
"جھڑواتے": "جھاڑنا",
"جھڑواتا": "جھاڑنا",
"جھڑواتی": "جھاڑنا",
"جھڑواتیں": "جھاڑنا",
"جھڑواؤ": "جھاڑنا",
"جھڑواؤں": "جھاڑنا",
"جھڑوائے": "جھاڑنا",
"جھڑوائی": "جھاڑنا",
"جھڑوائیے": "جھاڑنا",
"جھڑوائیں": "جھاڑنا",
"جھڑوایا": "جھاڑنا",
"جھڑی": "جھڑی",
"جھڑیاں": "جھڑی",
"جھڑیو": "جھڑی",
"جھڑیوں": "جھڑی",
"جھٹک": "جھٹک",
"جھٹکے": "جھٹکا",
"جھٹکں": "جھٹکنا",
"جھٹکا": "جھٹکا",
"جھٹکانے": "جھٹکنا",
"جھٹکانا": "جھٹکنا",
"جھٹکاتے": "جھٹکنا",
"جھٹکاتا": "جھٹکنا",
"جھٹکاتی": "جھٹکنا",
"جھٹکاتیں": "جھٹکنا",
"جھٹکاؤ": "جھٹکنا",
"جھٹکاؤں": "جھٹکنا",
"جھٹکائے": "جھٹکنا",
"جھٹکائی": "جھٹکنا",
"جھٹکائیے": "جھٹکنا",
"جھٹکائیں": "جھٹکنا",
"جھٹکایا": "جھٹکنا",
"جھٹکنے": "جھٹکنا",
"جھٹکنا": "جھٹکنا",
"جھٹکنی": "جھٹکنا",
"جھٹکتے": "جھٹکنا",
"جھٹکتا": "جھٹکنا",
"جھٹکتی": "جھٹکنا",
"جھٹکتیں": "جھٹکنا",
"جھٹکو": "جھٹکا",
"جھٹکوں": "جھٹکا",
"جھٹکوا": "جھٹکنا",
"جھٹکوانے": "جھٹکنا",
"جھٹکوانا": "جھٹکنا",
"جھٹکواتے": "جھٹکنا",
"جھٹکواتا": "جھٹکنا",
"جھٹکواتی": "جھٹکنا",
"جھٹکواتیں": "جھٹکنا",
"جھٹکواؤ": "جھٹکنا",
"جھٹکواؤں": "جھٹکنا",
"جھٹکوائے": "جھٹکنا",
"جھٹکوائی": "جھٹکنا",
"جھٹکوائیے": "جھٹکنا",
"جھٹکوائیں": "جھٹکنا",
"جھٹکوایا": "جھٹکنا",
"جھٹکی": "جھٹکنا",
"جھٹکیے": "جھٹکنا",
"جھٹکیں": "جھٹک",
"جھٹلا": "جھٹلانا",
"جھٹلانے": "جھٹلانا",
"جھٹلانا": "جھٹلانا",
"جھٹلانی": "جھٹلانا",
"جھٹلاتے": "جھٹلانا",
"جھٹلاتا": "جھٹلانا",
"جھٹلاتی": "جھٹلانا",
"جھٹلاتیں": "جھٹلانا",
"جھٹلاؤ": "جھٹلانا",
"جھٹلاؤں": "جھٹلانا",
"جھٹلائے": "جھٹلانا",
"جھٹلائی": "جھٹلانا",
"جھٹلائیے": "جھٹلانا",
"جھٹلائیں": "جھٹلانا",
"جھٹلایا": "جھٹلانا",
"جھاڑ": "جھاڑ",
"جھاڑے": "جھاڑنا",
"جھاڑں": "جھاڑنا",
"جھاڑا": "جھاڑنا",
"جھاڑنے": "جھاڑنا",
"جھاڑنا": "جھاڑنا",
"جھاڑنی": "جھاڑنا",
"جھاڑتے": "جھاڑنا",
"جھاڑتا": "جھاڑنا",
"جھاڑتی": "جھاڑنا",
"جھاڑتیں": "جھاڑنا",
"جھاڑو": "جھاڑ",
"جھاڑوں": "جھاڑ",
"جھاڑی": "جھاڑی",
"جھاڑیے": "جھاڑنا",
"جھاڑیں": "جھاڑ",
"جھاڑیاں": "جھاڑی",
"جھاڑیو": "جھاڑی",
"جھاڑیوں": "جھاڑی",
"جھابے": "جھابہ",
"جھابہ": "جھابہ",
"جھابو": "جھابہ",
"جھابوں": "جھابہ",
"جھانک": "جھانکنا",
"جھانکے": "جھانکنا",
"جھانکں": "جھانکنا",
"جھانکا": "جھانکنا",
"جھانکنے": "جھانکنا",
"جھانکنا": "جھانکنا",
"جھانکنی": "جھانکنا",
"جھانکتے": "جھانکنا",
"جھانکتا": "جھانکنا",
"جھانکتی": "جھانکنا",
"جھانکتیں": "جھانکنا",
"جھانکو": "جھانکنا",
"جھانکوں": "جھانکنا",
"جھانکی": "جھانکنا",
"جھانکیے": "جھانکنا",
"جھانکیں": "جھانکنا",
"جھگّی": "جھگّی",
"جھگّیاں": "جھگّی",
"جھگّیو": "جھگّی",
"جھگّیوں": "جھگّی",
"جھگڑ": "جھگڑنا",
"جھگڑے": "جھگڑا",
"جھگڑں": "جھگڑنا",
"جھگڑا": "جھگڑا",
"جھگڑہ": "جھگڑہ",
"جھگڑنے": "جھگڑنا",
"جھگڑنا": "جھگڑنا",
"جھگڑنی": "جھگڑنا",
"جھگڑتے": "جھگڑنا",
"جھگڑتا": "جھگڑنا",
"جھگڑتی": "جھگڑنا",
"جھگڑتیں": "جھگڑنا",
"جھگڑو": "جھگڑا",
"جھگڑوں": "جھگڑا",
"جھگڑی": "جھگڑنا",
"جھگڑیے": "جھگڑنا",
"جھگڑیں": "جھگڑنا",
"جھگی": "جھگی",
"جھگیاں": "جھگی",
"جھگیو": "جھگی",
"جھگیوں": "جھگی",
"جھک": "جھکنا",
"جھکے": "جھکنا",
"جھکں": "جھکنا",
"جھکا": "جھکنا",
"جھکانے": "جھکنا",
"جھکانا": "جھکنا",
"جھکاتے": "جھکنا",
"جھکاتا": "جھکنا",
"جھکاتی": "جھکنا",
"جھکاتیں": "جھکنا",
"جھکاؤ": "جھکنا",
"جھکاؤں": "جھکنا",
"جھکائے": "جھکنا",
"جھکائی": "جھکنا",
"جھکائیے": "جھکنا",
"جھکائیں": "جھکنا",
"جھکایا": "جھکنا",
"جھکجھ": "جھکجھنا",
"جھکجھے": "جھکجھنا",
"جھکجھں": "جھکجھنا",
"جھکجھا": "جھکجھنا",
"جھکجھنے": "جھکجھنا",
"جھکجھنا": "جھکجھنا",
"جھکجھنی": "جھکجھنا",
"جھکجھتے": "جھکجھنا",
"جھکجھتا": "جھکجھنا",
"جھکجھتی": "جھکجھنا",
"جھکجھتیں": "جھکجھنا",
"جھکجھو": "جھکجھنا",
"جھکجھوں": "جھکجھنا",
"جھکجھی": "جھکجھنا",
"جھکجھیے": "جھکجھنا",
"جھکجھیں": "جھکجھنا",
"جھکنے": "جھکنا",
"جھکنا": "جھکنا",
"جھکنی": "جھکنا",
"جھکتے": "جھکنا",
"جھکتا": "جھکنا",
"جھکتی": "جھکنا",
"جھکتیں": "جھکنا",
"جھکو": "جھکنا",
"جھکوں": "جھکنا",
"جھکوا": "جھکنا",
"جھکوانے": "جھکنا",
"جھکوانا": "جھکنا",
"جھکواتے": "جھکنا",
"جھکواتا": "جھکنا",
"جھکواتی": "جھکنا",
"جھکواتیں": "جھکنا",
"جھکواؤ": "جھکنا",
"جھکواؤں": "جھکنا",
"جھکوائے": "جھکنا",
"جھکوائی": "جھکنا",
"جھکوائیے": "جھکنا",
"جھکوائیں": "جھکنا",
"جھکوایا": "جھکنا",
"جھکی": "جھکنا",
"جھکیے": "جھکنا",
"جھکیں": "جھکنا",
"جھلک": "جھلکنا",
"جھلکے": "جھلکنا",
"جھلکں": "جھلکنا",
"جھلکا": "جھلکنا",
"جھلکانے": "جھلکنا",
"جھلکانا": "جھلکنا",
"جھلکاتے": "جھلکنا",
"جھلکاتا": "جھلکنا",
"جھلکاتی": "جھلکنا",
"جھلکاتیں": "جھلکنا",
"جھلکاؤ": "جھلکنا",
"جھلکاؤں": "جھلکنا",
"جھلکائے": "جھلکنا",
"جھلکائی": "جھلکنا",
"جھلکائیے": "جھلکنا",
"جھلکائیں": "جھلکنا",
"جھلکایا": "جھلکنا",
"جھلکنے": "جھلکنا",
"جھلکنا": "جھلکنا",
"جھلکنی": "جھلکنا",
"جھلکتے": "جھلکنا",
"جھلکتا": "جھلکنا",
"جھلکتی": "جھلکنا",
"جھلکتیں": "جھلکنا",
"جھلکو": "جھلکنا",
"جھلکوں": "جھلکنا",
"جھلکوا": "جھلکنا",
"جھلکوانے": "جھلکنا",
"جھلکوانا": "جھلکنا",
"جھلکواتے": "جھلکنا",
"جھلکواتا": "جھلکنا",
"جھلکواتی": "جھلکنا",
"جھلکواتیں": "جھلکنا",
"جھلکواؤ": "جھلکنا",
"جھلکواؤں": "جھلکنا",
"جھلکوائے": "جھلکنا",
"جھلکوائی": "جھلکنا",
"جھلکوائیے": "جھلکنا",
"جھلکوائیں": "جھلکنا",
"جھلکوایا": "جھلکنا",
"جھلکی": "جھلکی",
"جھلکیے": "جھلکنا",
"جھلکیں": "جھلکنا",
"جھلکیاں": "جھلکی",
"جھلکیو": "جھلکی",
"جھلکیوں": "جھلکی",
"جھلی": "جھلی",
"جھلیاں": "جھلی",
"جھلیو": "جھلی",
"جھلیوں": "جھلی",
"جھنڈی": "جھنڈی",
"جھنڈیاں": "جھنڈی",
"جھنڈیو": "جھنڈی",
"جھنڈیوں": "جھنڈی",
"جھنجھنا": "جھنجھنانا",
"جھنجھنانے": "جھنجھنانا",
"جھنجھنانا": "جھنجھنانا",
"جھنجھنانی": "جھنجھنانا",
"جھنجھناتے": "جھنجھنانا",
"جھنجھناتا": "جھنجھنانا",
"جھنجھناتی": "جھنجھنانا",
"جھنجھناتیں": "جھنجھنانا",
"جھنجھناؤ": "جھنجھنانا",
"جھنجھناؤں": "جھنجھنانا",
"جھنجھنائے": "جھنجھنانا",
"جھنجھنائی": "جھنجھنانا",
"جھنجھنائیے": "جھنجھنانا",
"جھنجھنائیں": "جھنجھنانا",
"جھنجھنایا": "جھنجھنانا",
"جھپک": "جھپک",
"جھپکے": "جھپکنا",
"جھپکں": "جھپکنا",
"جھپکا": "جھپکنا",
"جھپکانے": "جھپکنا",
"جھپکانا": "جھپکنا",
"جھپکاتے": "جھپکنا",
"جھپکاتا": "جھپکنا",
"جھپکاتی": "جھپکنا",
"جھپکاتیں": "جھپکنا",
"جھپکاؤ": "جھپکنا",
"جھپکاؤں": "جھپکنا",
"جھپکائے": "جھپکنا",
"جھپکائی": "جھپکنا",
"جھپکائیے": "جھپکنا",
"جھپکائیں": "جھپکنا",
"جھپکایا": "جھپکنا",
"جھپکنے": "جھپکنا",
"جھپکنا": "جھپکنا",
"جھپکنی": "جھپکنا",
"جھپکتے": "جھپکنا",
"جھپکتا": "جھپکنا",
"جھپکتی": "جھپکنا",
"جھپکتیں": "جھپکنا",
"جھپکو": "جھپک",
"جھپکوں": "جھپک",
"جھپکوا": "جھپکنا",
"جھپکوانے": "جھپکنا",
"جھپکوانا": "جھپکنا",
"جھپکواتے": "جھپکنا",
"جھپکواتا": "جھپکنا",
"جھپکواتی": "جھپکنا",
"جھپکواتیں": "جھپکنا",
"جھپکواؤ": "جھپکنا",
"جھپکواؤں": "جھپکنا",
"جھپکوائے": "جھپکنا",
"جھپکوائی": "جھپکنا",
"جھپکوائیے": "جھپکنا",
"جھپکوائیں": "جھپکنا",
"جھپکوایا": "جھپکنا",
"جھپکی": "جھپکنا",
"جھپکیے": "جھپکنا",
"جھپکیں": "جھپکنا",
"جھپی": "جھپی",
"جھپیاں": "جھپی",
"جھپیو": "جھپی",
"جھپیوں": "جھپی",
"جھری": "جھری",
"جھریاں": "جھری",
"جھریو": "جھری",
"جھریوں": "جھری",
"جھوٹ": "جھوٹ",
"جھوٹے": "جھوٹا",
"جھوٹا": "جھوٹا",
"جھوٹو": "جھوٹا",
"جھوٹوں": "جھوٹا",
"جھول": "جھول",
"جھولے": "جھولا",
"جھولں": "جھولنا",
"جھولا": "جھولا",
"جھولنے": "جھولنا",
"جھولنا": "جھولنا",
"جھولنی": "جھولنا",
"جھولت": "جھولت",
"جھولتے": "جھولنا",
"جھولتا": "جھولنا",
"جھولتو": "جھولت",
"جھولتوں": "جھولت",
"جھولتی": "جھولنا",
"جھولتیں": "جھولت",
"جھولو": "جھولا",
"جھولوں": "جھولا",
"جھولی": "جھولی",
"جھولیے": "جھولنا",
"جھولیں": "جھولنا",
"جھولیاں": "جھولی",
"جھولیو": "جھولی",
"جھولیوں": "جھولی",
"جھوم": "جھومنا",
"جھومے": "جھومنا",
"جھومں": "جھومنا",
"جھوما": "جھومنا",
"جھومنے": "جھومنا",
"جھومنا": "جھومنا",
"جھومنی": "جھومنا",
"جھومت": "جھومت",
"جھومتے": "جھومنا",
"جھومتا": "جھومنا",
"جھومتو": "جھومت",
"جھومتوں": "جھومت",
"جھومتی": "جھومنا",
"جھومتیں": "جھومت",
"جھومو": "جھومنا",
"جھوموں": "جھومنا",
"جھومی": "جھومنا",
"جھومیے": "جھومنا",
"جھومیں": "جھومنا",
"جھونک": "جھونک",
"جھونکے": "جھونکا",
"جھونکں": "جھونکنا",
"جھونکا": "جھونکا",
"جھونکنے": "جھونکنا",
"جھونکنا": "جھونکنا",
"جھونکنی": "جھونکنا",
"جھونکتے": "جھونکنا",
"جھونکتا": "جھونکنا",
"جھونکتی": "جھونکنا",
"جھونکتیں": "جھونکنا",
"جھونکو": "جھونکا",
"جھونکوں": "جھونکا",
"جھونکی": "جھونکنا",
"جھونکیے": "جھونکنا",
"جھونکیں": "جھونکنا",
"جھونپڑی": "جھونپڑی",
"جھونپڑیاں": "جھونپڑی",
"جھونپڑیو": "جھونپڑی",
"جھونپڑیوں": "جھونپڑی",
"جھیل": "جھیل",
"جھیلے": "جھیلنا",
"جھیلں": "جھیلنا",
"جھیلا": "جھیلنا",
"جھیلنے": "جھیلنا",
"جھیلنا": "جھیلنا",
"جھیلنی": "جھیلنا",
"جھیلتے": "جھیلنا",
"جھیلتا": "جھیلنا",
"جھیلتی": "جھیلنا",
"جھیلتیں": "جھیلنا",
"جھیلو": "جھیل",
"جھیلوں": "جھیل",
"جھیلوا": "جھیلنا",
"جھیلوانے": "جھیلنا",
"جھیلوانا": "جھیلنا",
"جھیلواتے": "جھیلنا",
"جھیلواتا": "جھیلنا",
"جھیلواتی": "جھیلنا",
"جھیلواتیں": "جھیلنا",
"جھیلواؤ": "جھیلنا",
"جھیلواؤں": "جھیلنا",
"جھیلوائے": "جھیلنا",
"جھیلوائی": "جھیلنا",
"جھیلوائیے": "جھیلنا",
"جھیلوائیں": "جھیلنا",
"جھیلوایا": "جھیلنا",
"جھیلی": "جھیلنا",
"جھیلیے": "جھیلنا",
"جھیلیں": "جھیل",
"کَٹ": "کَٹْنا",
"کَٹْں": "کَٹْنا",
"کَٹْنے": "کَٹْنا",
"کَٹْنا": "کَٹْنا",
"کَٹْنی": "کَٹْنا",
"کَٹْتے": "کَٹْنا",
"کَٹْتا": "کَٹْنا",
"کَٹْتی": "کَٹْنا",
"کَٹْتیں": "کَٹْنا",
"کَٹْوا": "کَٹْنا",
"کَٹْوانے": "کَٹْنا",
"کَٹْوانا": "کَٹْنا",
"کَٹْواتے": "کَٹْنا",
"کَٹْواتا": "کَٹْنا",
"کَٹْواتی": "کَٹْنا",
"کَٹْواتیں": "کَٹْنا",
"کَٹْواؤ": "کَٹْنا",
"کَٹْواؤں": "کَٹْنا",
"کَٹْوائے": "کَٹْنا",
"کَٹْوائی": "کَٹْنا",
"کَٹْوائیے": "کَٹْنا",
"کَٹْوائیں": "کَٹْنا",
"کَٹْوایا": "کَٹْنا",
"کَٹے": "کَٹْنا",
"کَٹا": "کَٹْنا",
"کَٹو": "کَٹْنا",
"کَٹوں": "کَٹْنا",
"کَٹی": "کَٹْنا",
"کَٹیے": "کَٹْنا",
"کَٹیں": "کَٹْنا",
"کَب": "کَب",
"کَہاں": "کَہاں",
"کَم": "کَم",
"کَمتَر": "کَم",
"کَمتَرین": "کَم",
"کَمتر": "کَم",
"کَمترین": "کَم",
"کَون": "کَیا",
"کَونسے": "کَونسا",
"کَونسا": "کَونسا",
"کَونسی": "کَونسا",
"کَئے": "کَئے",
"کَئی": "کَئی",
"کَیا": "کَیا",
"کَیسے": "کَیسا",
"کَیسا": "کَیسا",
"کَیسی": "کَیسا",
"کِدَھر": "کِدَھر",
"کِن": "کَیا",
"کِس": "کَیا",
"کِسی": "کِسی",
"کِتاب": "کِتاب",
"کِتابو": "کِتاب",
"کِتابوں": "کِتاب",
"کِتابیں": "کِتاب",
"کِتنے": "کِتنا",
"کِتنا": "کِتنا",
"کِتنی": "کِتنا",
"کِیُونْکَر": "کِیُونْکَر",
"کِیوُں": "کِیوُں",
"کِھنچ": "کِھنچنا",
"کِھنچے": "کِھنچنا",
"کِھنچں": "کِھنچنا",
"کِھنچا": "کِھنچنا",
"کِھنچانے": "کِھنچنا",
"کِھنچانا": "کِھنچنا",
"کِھنچاتے": "کِھنچنا",
"کِھنچاتا": "کِھنچنا",
"کِھنچاتی": "کِھنچنا",
"کِھنچاتیں": "کِھنچنا",
"کِھنچاؤ": "کِھنچنا",
"کِھنچاؤں": "کِھنچنا",
"کِھنچائے": "کِھنچنا",
"کِھنچائی": "کِھنچنا",
"کِھنچائیے": "کِھنچنا",
"کِھنچائیں": "کِھنچنا",
"کِھنچایا": "کِھنچنا",
"کِھنچنے": "کِھنچنا",
"کِھنچنا": "کِھنچنا",
"کِھنچنی": "کِھنچنا",
"کِھنچتے": "کِھنچنا",
"کِھنچتا": "کِھنچنا",
"کِھنچتی": "کِھنچنا",
"کِھنچتیں": "کِھنچنا",
"کِھنچو": "کِھنچنا",
"کِھنچوں": "کِھنچنا",
"کِھنچوا": "کِھنچنا",
"کِھنچوانے": "کِھنچنا",
"کِھنچوانا": "کِھنچنا",
"کِھنچواتے": "کِھنچنا",
"کِھنچواتا": "کِھنچنا",
"کِھنچواتی": "کِھنچنا",
"کِھنچواتیں": "کِھنچنا",
"کِھنچواؤ": "کِھنچنا",
"کِھنچواؤں": "کِھنچنا",
"کِھنچوائے": "کِھنچنا",
"کِھنچوائی": "کِھنچنا",
"کِھنچوائیے": "کِھنچنا",
"کِھنچوائیں": "کِھنچنا",
"کِھنچوایا": "کِھنچنا",
"کِھنچی": "کِھنچنا",
"کِھنچیے": "کِھنچنا",
"کِھنچیں": "کِھنچنا",
"کُڑی": "کُڑی",
"کُڑیاں": "کُڑی",
"کُڑیو": "کُڑی",
"کُڑیوں": "کُڑی",
"کُڑھ": "کُڑھنا",
"کُڑھے": "کُڑھنا",
"کُڑھں": "کُڑھنا",
"کُڑھا": "کُڑھنا",
"کُڑھنے": "کُڑھنا",
"کُڑھنا": "کُڑھنا",
"کُڑھنی": "کُڑھنا",
"کُڑھتے": "کُڑھنا",
"کُڑھتا": "کُڑھنا",
"کُڑھتی": "کُڑھنا",
"کُڑھتیں": "کُڑھنا",
"کُڑھو": "کُڑھنا",
"کُڑھوں": "کُڑھنا",
"کُڑھی": "کُڑھنا",
"کُڑھیے": "کُڑھنا",
"کُڑھیں": "کُڑھنا",
"کُٹ": "کُٹنا",
"کُٹے": "کُٹنا",
"کُٹں": "کُٹنا",
"کُٹا": "کُٹنا",
"کُٹانے": "کُٹنا",
"کُٹانا": "کُٹنا",
"کُٹاتے": "کُٹنا",
"کُٹاتا": "کُٹنا",
"کُٹاتی": "کُٹنا",
"کُٹاتیں": "کُٹنا",
"کُٹاؤ": "کُٹنا",
"کُٹاؤں": "کُٹنا",
"کُٹائے": "کُٹنا",
"کُٹائی": "کُٹنا",
"کُٹائیے": "کُٹنا",
"کُٹائیں": "کُٹنا",
"کُٹایا": "کُٹنا",
"کُٹنے": "کُٹنا",
"کُٹنا": "کُٹنا",
"کُٹنی": "کُٹنا",
"کُٹتے": "کُٹنا",
"کُٹتا": "کُٹنا",
"کُٹتی": "کُٹنا",
"کُٹتیں": "کُٹنا",
"کُٹو": "کُٹنا",
"کُٹوں": "کُٹنا",
"کُٹوا": "کُٹنا",
"کُٹوانے": "کُٹنا",
"کُٹوانا": "کُٹنا",
"کُٹواتے": "کُٹنا",
"کُٹواتا": "کُٹنا",
"کُٹواتی": "کُٹنا",
"کُٹواتیں": "کُٹنا",
"کُٹواؤ": "کُٹنا",
"کُٹواؤں": "کُٹنا",
"کُٹوائے": "کُٹنا",
"کُٹوائی": "کُٹنا",
"کُٹوائیے": "کُٹنا",
"کُٹوائیں": "کُٹنا",
"کُٹوایا": "کُٹنا",
"کُٹی": "کُٹنا",
"کُٹیے": "کُٹنا",
"کُٹیں": "کُٹنا",
"کُشتے": "کُشتہ",
"کُشتہ": "کُشتہ",
"کُشتو": "کُشتہ",
"کُشتوں": "کُشتہ",
"کُچھ": "کُچھ",
"کُل": "کُل",
"کُنْواں": "کُنْواں",
"کُنْووںں": "کُنْواں",
"کُنْویں": "کُنْواں",
"کُرْسی": "کُرْسی",
"کُرْسیاں": "کُرْسی",
"کُرْسیو": "کُرْسی",
"کُرْسیوں": "کُرْسی",
"کُرسی": "کُرسی",
"کُرسیاں": "کُرسی",
"کُرسیو": "کُرسی",
"کُرسیوں": "کُرسی",
"کُرتے": "کُرتہ",
"کُرتہ": "کُرتہ",
"کُرتو": "کُرتہ",
"کُرتوں": "کُرتہ",
"کُتّے": "کُتّا",
"کُتّا": "کُتّا",
"کُتّو": "کُتّا",
"کُتّوں": "کُتّا",
"کُھل": "کُھلنا",
"کُھلے": "کُھلنا",
"کُھلں": "کُھلنا",
"کُھلا": "کُھلنا",
"کُھلانے": "کُھلنا",
"کُھلانا": "کُھلنا",
"کُھلاتے": "کُھلنا",
"کُھلاتا": "کُھلنا",
"کُھلاتی": "کُھلنا",
"کُھلاتیں": "کُھلنا",
"کُھلاؤ": "کُھلنا",
"کُھلاؤں": "کُھلنا",
"کُھلائے": "کُھلنا",
"کُھلائی": "کُھلنا",
"کُھلائیے": "کُھلنا",
"کُھلائیں": "کُھلنا",
"کُھلایا": "کُھلنا",
"کُھلنے": "کُھلنا",
"کُھلنا": "کُھلنا",
"کُھلنی": "کُھلنا",
"کُھلتے": "کُھلنا",
"کُھلتا": "کُھلنا",
"کُھلتی": "کُھلنا",
"کُھلتیں": "کُھلنا",
"کُھلو": "کُھلنا",
"کُھلوں": "کُھلنا",
"کُھلوا": "کُھلنا",
"کُھلوانے": "کُھلنا",
"کُھلوانا": "کُھلنا",
"کُھلواتے": "کُھلنا",
"کُھلواتا": "کُھلنا",
"کُھلواتی": "کُھلنا",
"کُھلواتیں": "کُھلنا",
"کُھلواؤ": "کُھلنا",
"کُھلواؤں": "کُھلنا",
"کُھلوائے": "کُھلنا",
"کُھلوائی": "کُھلنا",
"کُھلوائیے": "کُھلنا",
"کُھلوائیں": "کُھلنا",
"کُھلوایا": "کُھلنا",
"کُھلی": "کُھلنا",
"کُھلیے": "کُھلنا",
"کُھلیں": "کُھلنا",
"کے": "کم",
"کڑ": "کڑنا",
"کڑے": "کڑا",
"کڑں": "کڑنا",
"کڑا": "کڑا",
"کڑہ": "کڑہ",
"کڑنے": "کڑنا",
"کڑنا": "کڑنا",
"کڑنی": "کڑنا",
"کڑتے": "کڑنا",
"کڑتا": "کڑنا",
"کڑتی": "کڑنا",
"کڑتیں": "کڑنا",
"کڑو": "کڑا",
"کڑوں": "کڑا",
"کڑوا": "کڑنا",
"کڑواہٹ": "کڑواہٹ",
"کڑواہٹو": "کڑواہٹ",
"کڑواہٹوں": "کڑواہٹ",
"کڑواہٹیں": "کڑواہٹ",
"کڑوانے": "کڑنا",
"کڑوانا": "کڑنا",
"کڑواتے": "کڑنا",
"کڑواتا": "کڑنا",
"کڑواتی": "کڑنا",
"کڑواتیں": "کڑنا",
"کڑواؤ": "کڑنا",
"کڑواؤں": "کڑنا",
"کڑوائے": "کڑنا",
"کڑوائی": "کڑنا",
"کڑوائیے": "کڑنا",
"کڑوائیں": "کڑنا",
"کڑوایا": "کڑنا",
"کڑی": "کڑی",
"کڑیے": "کڑنا",
"کڑیں": "کڑنا",
"کڑیاں": "کڑی",
"کڑیو": "کڑی",
"کڑیوں": "کڑی",
"کڑھ": "کڑھنا",
"کڑھے": "کڑھنا",
"کڑھں": "کڑھنا",
"کڑھا": "کڑھنا",
"کڑھانے": "کڑھنا",
"کڑھانا": "کڑھنا",
"کڑھاتے": "کڑھنا",
"کڑھاتا": "کڑھنا",
"کڑھاتی": "کڑھنا",
"کڑھاتیں": "کڑھنا",
"کڑھاؤ": "کڑھنا",
"کڑھاؤں": "کڑھنا",
"کڑھائے": "کڑھنا",
"کڑھائی": "کڑھنا",
"کڑھائیے": "کڑھنا",
"کڑھائیں": "کڑھنا",
"کڑھایا": "کڑھنا",
"کڑھنے": "کڑھنا",
"کڑھنا": "کڑھنا",
"کڑھنی": "کڑھنا",
"کڑھتے": "کڑھنا",
"کڑھتا": "کڑھنا",
"کڑھتی": "کڑھنا",
"کڑھتیں": "کڑھنا",
"کڑھو": "کڑھنا",
"کڑھوں": "کڑھنا",
"کڑھوا": "کڑھنا",
"کڑھوانے": "کڑھنا",
"کڑھوانا": "کڑھنا",
"کڑھواتے": "کڑھنا",
"کڑھواتا": "کڑھنا",
"کڑھواتی": "کڑھنا",
"کڑھواتیں": "کڑھنا",
"کڑھواؤ": "کڑھنا",
"کڑھواؤں": "کڑھنا",
"کڑھوائے": "کڑھنا",
"کڑھوائی": "کڑھنا",
"کڑھوائیے": "کڑھنا",
"کڑھوائیں": "کڑھنا",
"کڑھوایا": "کڑھنا",
"کڑھی": "کڑھنا",
"کڑھیے": "کڑھنا",
"کڑھیں": "کڑھنا",
"کٹ": "کٹنا",
"کٹے": "کٹا",
"کٹں": "کٹنا",
"کٹا": "کٹا",
"کٹانے": "کٹنا",
"کٹانا": "کٹنا",
"کٹاتے": "کٹنا",
"کٹاتا": "کٹنا",
"کٹاتی": "کٹنا",
"کٹاتیں": "کٹنا",
"کٹاؤ": "کٹاؤ",
"کٹاؤں": "کٹنا",
"کٹائے": "کٹنا",
"کٹائی": "کٹنا",
"کٹائیے": "کٹنا",
"کٹائیں": "کٹنا",
"کٹایا": "کٹنا",
"کٹنے": "کٹنا",
"کٹنا": "کٹنا",
"کٹنی": "کٹنا",
"کٹتے": "کٹنا",
"کٹتا": "کٹنا",
"کٹتی": "کٹنا",
"کٹتیں": "کٹنا",
"کٹو": "کٹا",
"کٹوں": "کٹا",
"کٹوا": "کٹنا",
"کٹوانے": "کٹنا",
"کٹوانا": "کٹنا",
"کٹواتے": "کٹنا",
"کٹواتا": "کٹنا",
"کٹواتی": "کٹنا",
"کٹواتیں": "کٹنا",
"کٹواؤ": "کٹنا",
"کٹواؤں": "کٹنا",
"کٹوائے": "کٹنا",
"کٹوائی": "کٹنا",
"کٹوائیے": "کٹنا",
"کٹوائیں": "کٹنا",
"کٹوایا": "کٹنا",
"کٹورے": "کٹورہ",
"کٹورہ": "کٹورہ",
"کٹورو": "کٹورہ",
"کٹوروں": "کٹورہ",
"کٹی": "کٹنا",
"کٹیے": "کٹنا",
"کٹیں": "کٹنا",
"کش": "کش",
"کشمیری": "کشمیری",
"کشمیریو": "کشمیری",
"کشمیریوں": "کشمیری",
"کشت": "کشت",
"کشتے": "کشتہ",
"کشتہ": "کشتہ",
"کشتو": "کشتہ",
"کشتوں": "کشتہ",
"کشتی": "کشتی",
"کشتیں": "کشت",
"کشتیاں": "کشتی",
"کشتیو": "کشتی",
"کشتیوں": "کشتی",
"کشو": "کش",
"کشوں": "کش",
"کا": "کا",
"کاغذ": "کاغذ",
"کاغذو": "کاغذ",
"کاغذوں": "کاغذ",
"کاڑ": "کڑنا",
"کاڑے": "کڑنا",
"کاڑں": "کڑنا",
"کاڑا": "کڑنا",
"کاڑنے": "کڑنا",
"کاڑنا": "کڑنا",
"کاڑتے": "کڑنا",
"کاڑتا": "کڑنا",
"کاڑتی": "کڑنا",
"کاڑتیں": "کڑنا",
"کاڑو": "کڑنا",
"کاڑوں": "کڑنا",
"کاڑی": "کڑنا",
"کاڑیے": "کڑنا",
"کاڑیں": "کڑنا",
"کاڑھ": "کاڑھنا",
"کاڑھے": "کاڑھنا",
"کاڑھں": "کاڑھنا",
"کاڑھا": "کاڑھنا",
"کاڑھنے": "کاڑھنا",
"کاڑھنا": "کاڑھنا",
"کاڑھنی": "کاڑھنا",
"کاڑھتے": "کاڑھنا",
"کاڑھتا": "کاڑھنا",
"کاڑھتی": "کاڑھنا",
"کاڑھتیں": "کاڑھنا",
"کاڑھو": "کاڑھنا",
"کاڑھوں": "کاڑھنا",
"کاڑھوا": "کاڑھنا",
"کاڑھوانے": "کاڑھنا",
"کاڑھوانا": "کاڑھنا",
"کاڑھواتے": "کاڑھنا",
"کاڑھواتا": "کاڑھنا",
"کاڑھواتی": "کاڑھنا",
"کاڑھواتیں": "کاڑھنا",
"کاڑھواؤ": "کاڑھنا",
"کاڑھواؤں": "کاڑھنا",
"کاڑھوائے": "کاڑھنا",
"کاڑھوائی": "کاڑھنا",
"کاڑھوائیے": "کاڑھنا",
"کاڑھوائیں": "کاڑھنا",
"کاڑھوایا": "کاڑھنا",
"کاڑھی": "کاڑھنا",
"کاڑھیے": "کاڑھنا",
"کاڑھیں": "کاڑھنا",
"کاٹ": "کَٹْنا",
"کاٹے": "کاٹا",
"کاٹں": "کَٹْنا",
"کاٹا": "کاٹا",
"کاٹن": "کاٹن",
"کاٹنے": "کاٹنا",
"کاٹنا": "کاٹنا",
"کاٹنو": "کاٹنا",
"کاٹنوں": "کاٹنا",
"کاٹنی": "کاٹنا",
"کاٹنیں": "کاٹن",
"کاٹتے": "کَٹْنا",
"کاٹتا": "کَٹْنا",
"کاٹتی": "کَٹْنا",
"کاٹتیں": "کَٹْنا",
"کاٹو": "کاٹا",
"کاٹوں": "کاٹا",
"کاٹی": "کَٹْنا",
"کاٹیے": "کَٹْنا",
"کاٹیں": "کَٹْنا",
"کاشانے": "کاشانہ",
"کاشانہ": "کاشانہ",
"کاشانو": "کاشانہ",
"کاشانوں": "کاشانہ",
"کاشتکار": "کاشتکار",
"کاشتکارو": "کاشتکار",
"کاشتکاروں": "کاشتکار",
"کافر": "کافر",
"کافرو": "کافر",
"کافروں": "کافر",
"کافی": "کافی",
"کافیاں": "کافی",
"کافیو": "کافی",
"کافیوں": "کافی",
"کاہن": "کاہن",
"کاہنے": "کاہنہ",
"کاہنہ": "کاہنہ",
"کاہنو": "کاہنہ",
"کاہنوں": "کاہنہ",
"کاج": "کاج",
"کاجو": "کاج",
"کاجوں": "کاج",
"کال": "کال",
"کالے": "کالا",
"کالا": "کالا",
"کالج": "کالج",
"کالجو": "کالج",
"کالجوں": "کالج",
"کالجیں": "کالج",
"کالم": "کالم",
"کالمو": "کالم",
"کالموں": "کالم",
"کالو": "کالا",
"کالوں": "کالا",
"کالوؤ": "کالو",
"کالوؤں": "کالو",
"کالی": "کالی",
"کالیاں": "کالی",
"کالیو": "کالی",
"کالیوں": "کالی",
"کام": "کام",
"کامرانی": "کامرانی",
"کامرانیاں": "کامرانی",
"کامرانیو": "کامرانی",
"کامرانیوں": "کامرانی",
"کامو": "کام",
"کاموں": "کام",
"کامیابی": "کامیابی",
"کامیابیاں": "کامیابی",
"کامیابیو": "کامیابی",
"کامیابیوں": "کامیابی",
"کان": "کان",
"کانے": "کانا",
"کانٹے": "کانٹا",
"کانٹا": "کانٹا",
"کانٹو": "کانٹا",
"کانٹوں": "کانٹا",
"کانا": "کانا",
"کاندھے": "کاندھا",
"کاندھا": "کاندھا",
"کاندھو": "کاندھا",
"کاندھوں": "کاندھا",
"کانفرنس": "کانفرنس",
"کانفرنسو": "کانفرنس",
"کانفرنسوں": "کانفرنس",
"کانفرنسیں": "کانفرنس",
"کانہ": "کانہ",
"کانپ": "کانپنا",
"کانپے": "کانپنا",
"کانپں": "کانپنا",
"کانپا": "کانپنا",
"کانپنے": "کانپنا",
"کانپنا": "کانپنا",
"کانپنی": "کانپنا",
"کانپتے": "کانپنا",
"کانپتا": "کانپنا",
"کانپتی": "کانپنا",
"کانپتیں": "کانپنا",
"کانپو": "کانپنا",
"کانپوں": "کانپنا",
"کانپی": "کانپنا",
"کانپیے": "کانپنا",
"کانپیں": "کانپنا",
"کانو": "کانا",
"کانوں": "کانا",
"کاپٹر": "کاپٹر",
"کاپٹرو": "کاپٹر",
"کاپٹروں": "کاپٹر",
"کاپی": "کاپی",
"کاپیاں": "کاپی",
"کاپیو": "کاپی",
"کاپیوں": "کاپی",
"کار": "کار",
"کارڈ": "کارڈ",
"کارڈو": "کارڈ",
"کارڈوں": "کارڈ",
"کارخانے": "کارخانہ",
"کارخانہ": "کارخانہ",
"کارخانو": "کارخانہ",
"کارخانوں": "کارخانہ",
"کارفرمائی": "کارفرمائی",
"کارفرمائیاں": "کارفرمائی",
"کارفرمائیو": "کارفرمائی",
"کارفرمائیوں": "کارفرمائی",
"کارکن": "کارکن",
"کارکنو": "کارکن",
"کارکنوں": "کارکن",
"کارنامے": "کارنامہ",
"کارنامہ": "کارنامہ",
"کارنامو": "کارنامہ",
"کارناموں": "کارنامہ",
"کارندے": "کارندہ",
"کارندہ": "کارندہ",
"کارندو": "کارندہ",
"کارندوں": "کارندہ",
"کارروائی": "کارروائی",
"کارروائیاں": "کارروائی",
"کارروائیو": "کارروائی",
"کارروائیوں": "کارروائی",
"کارستانی": "کارستانی",
"کارستانیاں": "کارستانی",
"کارستانیو": "کارستانی",
"کارستانیوں": "کارستانی",
"کارتوس": "کارتوس",
"کارتوسو": "کارتوس",
"کارتوسوں": "کارتوس",
"کارو": "کار",
"کاروں": "کار",
"کاروائی": "کاروائی",
"کاروائیاں": "کاروائی",
"کاروائیو": "کاروائی",
"کاروائیوں": "کاروائی",
"کاری": "کاری",
"کاریں": "کار",
"کاریاں": "کاری",
"کاریو": "کاری",
"کاریوں": "کاری",
"کاسے": "کاسہ",
"کاسہ": "کاسہ",
"کاسو": "کاسہ",
"کاسوں": "کاسہ",
"کات": "کات",
"کاتے": "کاتنا",
"کاتں": "کاتنا",
"کاتا": "کاتنا",
"کاتب": "کاتب",
"کاتبو": "کاتب",
"کاتبوں": "کاتب",
"کاتبیں": "کاتب",
"کاتنے": "کاتنا",
"کاتنا": "کاتنا",
"کاتنی": "کاتنا",
"کاتتے": "کاتنا",
"کاتتا": "کاتنا",
"کاتتی": "کاتنا",
"کاتتیں": "کاتنا",
"کاتو": "کات",
"کاتوں": "کات",
"کاتی": "کاتنا",
"کاتیے": "کاتنا",
"کاتیں": "کات",
"کاوش": "کاوش",
"کاوشو": "کاوش",
"کاوشوں": "کاوش",
"کائنات": "کائنات",
"کائناتو": "کائنات",
"کائناتوں": "کائنات",
"کائناتیں": "کائنات",
"کائی": "کائی",
"کائیاں": "کائی",
"کائیو": "کائی",
"کائیوں": "کائی",
"کب": "کَب",
"کبڈی": "کبڈی",
"کبڈیاں": "کبڈی",
"کبڈیو": "کبڈی",
"کبڈیوں": "کبڈی",
"کباب": "کباب",
"کبابو": "کباب",
"کبابوں": "کباب",
"کبابی": "کبابی",
"کبابیو": "کبابی",
"کبابیوں": "کبابی",
"کبوتر": "کبوتر",
"کبوترو": "کبوتر",
"کبوتروں": "کبوتر",
"کبوتری": "کبوتری",
"کبوتریاں": "کبوتری",
"کبوتریو": "کبوتری",
"کبوتریوں": "کبوتری",
"کچے": "کچہ",
"کچہ": "کچہ",
"کچہری": "کچہری",
"کچہریاں": "کچہری",
"کچہریو": "کچہری",
"کچہریوں": "کچہری",
"کچل": "کچلنا",
"کچلے": "کچلنا",
"کچلں": "کچلنا",
"کچلا": "کچلنا",
"کچلانے": "کچلنا",
"کچلانا": "کچلنا",
"کچلاتے": "کچلنا",
"کچلاتا": "کچلنا",
"کچلاتی": "کچلنا",
"کچلاتیں": "کچلنا",
"کچلاؤ": "کچلنا",
"کچلاؤں": "کچلنا",
"کچلائے": "کچلنا",
"کچلائی": "کچلنا",
"کچلائیے": "کچلنا",
"کچلائیں": "کچلنا",
"کچلایا": "کچلنا",
"کچلنے": "کچلنا",
"کچلنا": "کچلنا",
"کچلنی": "کچلنا",
"کچلتے": "کچلنا",
"کچلتا": "کچلنا",
"کچلتی": "کچلنا",
"کچلتیں": "کچلنا",
"کچلو": "کچلنا",
"کچلوں": "کچلنا",
"کچلوا": "کچلنا",
"کچلوانے": "کچلنا",
"کچلوانا": "کچلنا",
"کچلواتے": "کچلنا",
"کچلواتا": "کچلنا",
"کچلواتی": "کچلنا",
"کچلواتیں": "کچلنا",
"کچلواؤ": "کچلنا",
"کچلواؤں": "کچلنا",
"کچلوائے": "کچلنا",
"کچلوائی": "کچلنا",
"کچلوائیے": "کچلنا",
"کچلوائیں": "کچلنا",
"کچلوایا": "کچلنا",
"کچلی": "کچلنا",
"کچلیے": "کچلنا",
"کچلیں": "کچلنا",
"کچو": "کچہ",
"کچوں": "کچہ",
"کچھ": "کچھنا",
"کچھے": "کچھنا",
"کچھں": "کچھنا",
"کچھا": "کچھنا",
"کچھانے": "کچھنا",
"کچھانا": "کچھنا",
"کچھاتے": "کچھنا",
"کچھاتا": "کچھنا",
"کچھاتی": "کچھنا",
"کچھاتیں": "کچھنا",
"کچھاؤ": "کچھنا",
"کچھاؤں": "کچھنا",
"کچھائے": "کچھنا",
"کچھائی": "کچھنا",
"کچھائیے": "کچھنا",
"کچھائیں": "کچھنا",
"کچھایا": "کچھنا",
"کچھنے": "کچھنا",
"کچھنا": "کچھنا",
"کچھنی": "کچھنا",
"کچھتے": "کچھنا",
"کچھتا": "کچھنا",
"کچھتی": "کچھنا",
"کچھتیں": "کچھنا",
"کچھو": "کچھنا",
"کچھوں": "کچھنا",
"کچھوا": "کچھنا",
"کچھوانے": "کچھنا",
"کچھوانا": "کچھنا",
"کچھواتے": "کچھنا",
"کچھواتا": "کچھنا",
"کچھواتی": "کچھنا",
"کچھواتیں": "کچھنا",
"کچھواؤ": "کچھنا",
"کچھواؤں": "کچھنا",
"کچھوائے": "کچھنا",
"کچھوائی": "کچھنا",
"کچھوائیے": "کچھنا",
"کچھوائیں": "کچھنا",
"کچھوایا": "کچھنا",
"کچھی": "کچھنا",
"کچھیے": "کچھنا",
"کچھیں": "کچھنا",
"کدے": "کدہ",
"کدال": "کدال",
"کدالو": "کدال",
"کدالوں": "کدال",
"کدالیں": "کدال",
"کدہ": "کدہ",
"کدو": "کدہ",
"کدوں": "کدہ",
"کدورت": "کدورت",
"کدورتو": "کدورت",
"کدورتوں": "کدورت",
"کدورتیں": "کدورت",
"کدھر": "کِدَھر",
"کعبے": "کعبہ",
"کعبہ": "کعبہ",
"کعبو": "کعبہ",
"کعبوں": "کعبہ",
"کہ": "کہنا",
"کہے": "کہنا",
"کہں": "کہنا",
"کہا": "کہنا",
"کہاں": "کَہاں",
"کہانی": "کہانی",
"کہانیاں": "کہانی",
"کہانیو": "کہانی",
"کہانیوں": "کہانی",
"کہار": "کہار",
"کہارو": "کہار",
"کہاروں": "کہار",
"کہکشاں": "کہکشاں",
"کہکشاؤ": "کہکشاں",
"کہکشاؤں": "کہکشاں",
"کہکشائیں": "کہکشاں",
"کہلا": "کہنا",
"کہلانے": "کہنا",
"کہلانا": "کہنا",
"کہلانی": "کہلانا",
"کہلاتے": "کہنا",
"کہلاتا": "کہنا",
"کہلاتی": "کہنا",
"کہلاتیں": "کہنا",
"کہلاؤ": "کہنا",
"کہلاؤں": "کہنا",
"کہلائے": "کہنا",
"کہلائی": "کہنا",
"کہلائیے": "کہنا",
"کہلائیں": "کہنا",
"کہلایا": "کہنا",
"کہلوا": "کہنا",
"کہلوانے": "کہنا",
"کہلوانا": "کہنا",
"کہلواتے": "کہنا",
"کہلواتا": "کہنا",
"کہلواتی": "کہنا",
"کہلواتیں": "کہنا",
"کہلواؤ": "کہنا",
"کہلواؤں": "کہنا",
"کہلوائے": "کہنا",
"کہلوائی": "کہنا",
"کہلوائیے": "کہنا",
"کہلوائیں": "کہنا",
"کہلوایا": "کہنا",
"کہنے": "کہنا",
"کہنا": "کہنا",
"کہنی": "کہنی",
"کہنیاں": "کہنی",
"کہنیو": "کہنی",
"کہنیوں": "کہنی",
"کہتے": "کہنا",
"کہتا": "کہنا",
"کہتی": "کہنا",
"کہتیں": "کہنا",
"کہو": "کہنا",
"کہوے": "کہوہ",
"کہوں": "کہنا",
"کہوہ": "کہوہ",
"کہوو": "کہوہ",
"کہووں": "کہوہ",
"کہی": "کہنا",
"کہیے": "کہنا",
"کہیں": "کہنا",
"کجاوے": "کجاوہ",
"کجاوہ": "کجاوہ",
"کجاوو": "کجاوہ",
"کجاووں": "کجاوہ",
"ککڑی": "ککڑی",
"ککڑیاں": "ککڑی",
"ککڑیو": "ککڑی",
"ککڑیوں": "ککڑی",
"کل": "کُل",
"کلّے": "کلّا",
"کلّا": "کلّا",
"کلّو": "کلّا",
"کلّوں": "کلّا",
"کلے": "کلا",
"کلا": "کلا",
"کلاشنکوف": "کلاشنکوف",
"کلاشنکوفو": "کلاشنکوف",
"کلاشنکوفوں": "کلاشنکوف",
"کلاشنکوفیں": "کلاشنکوف",
"کلام": "کلام",
"کلامو": "کلام",
"کلاموں": "کلام",
"کلامی": "کلامی",
"کلامیاں": "کلامی",
"کلامیو": "کلامی",
"کلامیوں": "کلامی",
"کلاس": "کلاس",
"کلاسو": "کلاس",
"کلاسوں": "کلاس",
"کلاسیں": "کلاس",
"کلاؤ": "کلا",
"کلاؤں": "کلا",
"کلائی": "کلائی",
"کلائیں": "کلا",
"کلائیاں": "کلائی",
"کلائیو": "کلائی",
"کلائیوں": "کلائی",
"کلب": "کلب",
"کلبو": "کلب",
"کلبوں": "کلب",
"کلکتہ": "کلکتہ",
"کلمے": "کلمہ",
"کلمہ": "کلمہ",
"کلمو": "کلمہ",
"کلموں": "کلمہ",
"کلو": "کلا",
"کلوں": "کلا",
"کلی": "کلی",
"کلیے": "کلیہ",
"کلیاں": "کلی",
"کلیہ": "کلیہ",
"کلیجے": "کلیجہ",
"کلیجہ": "کلیجہ",
"کلیجو": "کلیجہ",
"کلیجوں": "کلیجہ",
"کلیجی": "کلیجی",
"کلیجیاں": "کلیجی",
"کلیجیو": "کلیجی",
"کلیجیوں": "کلیجی",
"کلیم": "کلیم",
"کلیمو": "کلیم",
"کلیموں": "کلیم",
"کلیو": "کلیہ",
"کلیوں": "کلیہ",
"کم": "کم",
"کما": "کمانا",
"کمال": "کمال",
"کمالے": "کمالہ",
"کمالہ": "کمالہ",
"کمالو": "کمالہ",
"کمالوں": "کمالہ",
"کمان": "کمان",
"کمانڈ": "کمانڈ",
"کمانڈر": "کمانڈر",
"کمانڈرو": "کمانڈر",
"کمانڈروں": "کمانڈر",
"کمانڈو": "کمانڈ",
"کمانڈوں": "کمانڈ",
"کمانڈیں": "کمانڈ",
"کمانے": "کمانا",
"کمانا": "کمانا",
"کمانو": "کمان",
"کمانوں": "کمان",
"کمانی": "کمانا",
"کمانیں": "کمان",
"کماتے": "کمانا",
"کماتا": "کمانا",
"کماتی": "کمانا",
"کماتیں": "کمانا",
"کماؤ": "کمانا",
"کماؤں": "کمانا",
"کمائے": "کمانا",
"کمائی": "کمائی",
"کمائیے": "کمانا",
"کمائیں": "کمانا",
"کمائیاں": "کمائی",
"کمائیو": "کمائی",
"کمائیوں": "کمائی",
"کمایا": "کمانا",
"کمبل": "کمبل",
"کمبلو": "کمبل",
"کمبلوں": "کمبل",
"کمبلیں": "کمبل",
"کمہار": "کمہار",
"کمہارو": "کمہار",
"کمہاروں": "کمہار",
"کمہاریں": "کمہار",
"کمپنی": "کمپنی",
"کمپنیاں": "کمپنی",
"کمپنیو": "کمپنی",
"کمپنیوں": "کمپنی",
"کمر": "کمر",
"کمرے": "کمرا",
"کمرا": "کمرا",
"کمرہ": "کمرہ",
"کمرو": "کمرا",
"کمروں": "کمرا",
"کمریں": "کمر",
"کمی": "کمی",
"کمیٹی": "کمیٹی",
"کمیٹیاں": "کمیٹی",
"کمیٹیو": "کمیٹی",
"کمیٹیوں": "کمیٹی",
"کمینے": "کمینہ",
"کمینگی": "کمینگی",
"کمینگیاں": "کمینگی",
"کمینگیو": "کمینگی",
"کمینگیوں": "کمینگی",
"کمینہ": "کمینہ",
"کمینو": "کمینہ",
"کمینوں": "کمینہ",
"کمیو": "کمی",
"کمیوں": "کمی",
"کمیونسٹ": "کمیونسٹ",
"کمیونسٹو": "کمیونسٹ",
"کمیونسٹوں": "کمیونسٹ",
"کمزور": "کمزور",
"کمزورو": "کمزور",
"کمزوروں": "کمزور",
"کمزوری": "کمزوری",
"کمزوریاں": "کمزوری",
"کمزوریو": "کمزوری",
"کمزوریوں": "کمزوری",
"کن": "کَیا",
"کنڈلی": "کنڈلی",
"کنڈلیاں": "کنڈلی",
"کنڈلیو": "کنڈلی",
"کنڈلیوں": "کنڈلی",
"کنارے": "کنارا",
"کنارا": "کنارا",
"کنارہ": "کنارہ",
"کنارو": "کنارا",
"کناروں": "کنارا",
"کنایے": "کنایہ",
"کنایہ": "کنایہ",
"کنایو": "کنایہ",
"کنایوں": "کنایہ",
"کنبے": "کنبہ",
"کنبہ": "کنبہ",
"کنبو": "کنبہ",
"کنبوں": "کنبہ",
"کنچے": "کنچا",
"کنچا": "کنچا",
"کنچو": "کنچا",
"کنچوں": "کنچا",
"کندھے": "کندھا",
"کندھا": "کندھا",
"کندھو": "کندھا",
"کندھوں": "کندھا",
"کنگن": "کنگن",
"کنگنو": "کنگن",
"کنگنوں": "کنگن",
"کنگنی": "کنگنی",
"کنگنیاں": "کنگنی",
"کنگنیو": "کنگنی",
"کنگنیوں": "کنگنی",
"کنگھی": "کنگھی",
"کنگھیاں": "کنگھی",
"کنگھیو": "کنگھی",
"کنگھیوں": "کنگھی",
"کنجڑے": "کنجڑا",
"کنجڑا": "کنجڑا",
"کنجڑہ": "کنجڑہ",
"کنجڑو": "کنجڑا",
"کنجڑوں": "کنجڑا",
"کنجر": "کنجر",
"کنجرو": "کنجر",
"کنجروں": "کنجر",
"کنجی": "کنجی",
"کنجیاں": "کنجی",
"کنجیو": "کنجی",
"کنجیوں": "کنجی",
"کنکشن": "کنکشن",
"کنکشنو": "کنکشن",
"کنکشنوں": "کنکشن",
"کنکر": "کنکر",
"کنکرو": "کنکر",
"کنکروں": "کنکر",
"کنکری": "کنکری",
"کنکریں": "کنکر",
"کنکریاں": "کنکری",
"کنکریو": "کنکری",
"کنکریوں": "کنکری",
"کنپٹی": "کنپٹی",
"کنپٹیاں": "کنپٹی",
"کنپٹیو": "کنپٹی",
"کنپٹیوں": "کنپٹی",
"کنواں": "کنواں",
"کنوار": "کنوار",
"کنوارے": "کنوارا",
"کنوارا": "کنوارا",
"کنوارو": "کنوارا",
"کنواروں": "کنوارا",
"کنواری": "کنواری",
"کنواریاں": "کنواری",
"کنواریو": "کنواری",
"کنواریوں": "کنواری",
"کنول": "کنول",
"کنولو": "کنول",
"کنولوں": "کنول",
"کنووںں": "کنواں",
"کنویں": "کنواں",
"کنی": "کنی",
"کنیا": "کنیا",
"کنیاں": "کنی",
"کنیو": "کنی",
"کنیوں": "کنی",
"کنیز": "کنیز",
"کنیزو": "کنیز",
"کنیزوں": "کنیز",
"کنیزیں": "کنیز",
"کپڑے": "کپڑا",
"کپڑا": "کپڑا",
"کپڑو": "کپڑا",
"کپڑوں": "کپڑا",
"کر": "کرنا",
"کرّے": "کرّہ",
"کرّہ": "کرّہ",
"کرّو": "کرّہ",
"کرّوں": "کرّہ",
"کرے": "کرہ",
"کرں": "کرنا",
"کرشمے": "کرشمہ",
"کرشمہ": "کرشمہ",
"کرشمو": "کرشمہ",
"کرشموں": "کرشمہ",
"کرا": "کرنا",
"کراے": "کراہ",
"کراہ": "کراہ",
"کرامات": "کرامات",
"کراماتو": "کرامات",
"کراماتوں": "کرامات",
"کراماتیں": "کرامات",
"کرانے": "کرنا",
"کرانا": "کرنا",
"کرانی": "کرانا",
"کراتے": "کرنا",
"کراتا": "کرنا",
"کراتی": "کرنا",
"کراتیں": "کرنا",
"کراو": "کراہ",
"کراوں": "کراہ",
"کراؤ": "کرنا",
"کراؤں": "کرنا",
"کرایے": "کرایہ",
"کرائے": "کرنا",
"کرائی": "کرنا",
"کرائیے": "کرنا",
"کرائیں": "کرنا",
"کرایا": "کرایا",
"کرایاں": "کرایا",
"کرایہ": "کرایہ",
"کرایو": "کرایہ",
"کرایوں": "کرایہ",
"کرد": "کرد",
"کردار": "کردار",
"کردارو": "کردار",
"کرداروں": "کردار",
"کردو": "کرد",
"کردوں": "کرد",
"کردی": "کردینا",
"کردیے": "کردینا",
"کردیں": "کردینا",
"کردیا": "کردینا",
"کردینے": "کردینا",
"کردینا": "کردینا",
"کردینی": "کردینا",
"کردیتے": "کردینا",
"کردیتا": "کردینا",
"کردیتی": "کردینا",
"کردیتیں": "کردینا",
"کردیو": "کردینا",
"کردیوں": "کردینا",
"کردیی": "کردینا",
"کردییے": "کردینا",
"کردییں": "کردینا",
"کرہ": "کرہ",
"کرہے": "کرہہ",
"کرہہ": "کرہہ",
"کرہو": "کرہہ",
"کرہوں": "کرہہ",
"کرکے": "کرکہ",
"کرکہ": "کرکہ",
"کرکو": "کرکہ",
"کرکوں": "کرکہ",
"کرلی": "کرلینا",
"کرلیے": "کرلینا",
"کرلیں": "کرلینا",
"کرلیا": "کرلینا",
"کرلینے": "کرلینا",
"کرلینا": "کرلینا",
"کرلینی": "کرلینا",
"کرلیتے": "کرلینا",
"کرلیتا": "کرلینا",
"کرلیتی": "کرلینا",
"کرلیتیں": "کرلینا",
"کرلیو": "کرلینا",
"کرلیوں": "کرلینا",
"کرلیی": "کرلینا",
"کرلییے": "کرلینا",
"کرلییں": "کرلینا",
"کرم": "کرم",
"کرمو": "کرم",
"کرموں": "کرم",
"کرنے": "کرنا",
"کرنا": "کرنا",
"کرنی": "کرنا",
"کرسی": "کرسی",
"کرسیاں": "کرسی",
"کرسیو": "کرسی",
"کرسیوں": "کرسی",
"کرتے": "کرتہ",
"کرتا": "کرنا",
"کرتہ": "کرتہ",
"کرتو": "کرتہ",
"کرتوں": "کرتہ",
"کرتوت": "کرتوت",
"کرتوتو": "کرتوت",
"کرتوتوں": "کرتوت",
"کرتوتیں": "کرتوت",
"کرتی": "کرنا",
"کرتیں": "کرنا",
"کرو": "کرہ",
"کروں": "کرہ",
"کروڑ": "کروڑ",
"کروڑو": "کروڑ",
"کروڑوں": "کروڑ",
"کروٹ": "کروٹ",
"کروٹو": "کروٹ",
"کروٹوں": "کروٹ",
"کروٹیں": "کروٹ",
"کروا": "کرنا",
"کروانے": "کرنا",
"کروانا": "کرنا",
"کرواتے": "کرنا",
"کرواتا": "کرنا",
"کرواتی": "کرنا",
"کرواتیں": "کرنا",
"کرواؤ": "کرنا",
"کرواؤں": "کرنا",
"کروائے": "کرنا",
"کروائی": "کرنا",
"کروائیے": "کرنا",
"کروائیں": "کرنا",
"کروایا": "کرنا",
"کری": "کری",
"کریے": "کرنا",
"کریں": "کرنا",
"کریاں": "کری",
"کرید": "کریدنا",
"کریدے": "کریدنا",
"کریدں": "کریدنا",
"کریدا": "کریدنا",
"کریدنے": "کریدنا",
"کریدنا": "کریدنا",
"کریدنی": "کریدنا",
"کریدتے": "کریدنا",
"کریدتا": "کریدنا",
"کریدتی": "کریدنا",
"کریدتیں": "کریدنا",
"کریدو": "کریدنا",
"کریدوں": "کریدنا",
"کریدی": "کریدنا",
"کریدیے": "کریدنا",
"کریدیں": "کریدنا",
"کریو": "کری",
"کریوں": "کری",
"کس": "کسنا",
"کسے": "کسنا",
"کسں": "کسنا",
"کسا": "کسنا",
"کسان": "کسان",
"کسانے": "کسنا",
"کسانا": "کسنا",
"کسانو": "کسان",
"کسانوں": "کسان",
"کساتے": "کسنا",
"کساتا": "کسنا",
"کساتی": "کسنا",
"کساتیں": "کسنا",
"کساؤ": "کسنا",
"کساؤں": "کسنا",
"کسائے": "کسنا",
"کسائی": "کسنا",
"کسائیے": "کسنا",
"کسائیں": "کسنا",
"کسایا": "کسنا",
"کسبی": "کسبی",
"کسبیو": "کسبی",
"کسبیوں": "کسبی",
"کسمسا": "کسمسانا",
"کسمسانے": "کسمسانا",
"کسمسانا": "کسمسانا",
"کسمسانی": "کسمسانا",
"کسمساتے": "کسمسانا",
"کسمساتا": "کسمسانا",
"کسمساتی": "کسمسانا",
"کسمساتیں": "کسمسانا",
"کسمساؤ": "کسمسانا",
"کسمساؤں": "کسمسانا",
"کسمسائے": "کسمسانا",
"کسمسائی": "کسمسانا",
"کسمسائیے": "کسمسانا",
"کسمسائیں": "کسمسانا",
"کسمسایا": "کسمسانا",
"کسنے": "کسنا",
"کسنا": "کسنا",
"کسنی": "کسنا",
"کستے": "کسنا",
"کستا": "کسنا",
"کستی": "کسنا",
"کستیں": "کسنا",
"کسو": "کسنا",
"کسوں": "کسنا",
"کسوٹی": "کسوٹی",
"کسوٹیاں": "کسوٹی",
"کسوٹیو": "کسوٹی",
"کسوٹیوں": "کسوٹی",
"کسوا": "کسنا",
"کسوانے": "کسنا",
"کسوانا": "کسنا",
"کسواتے": "کسنا",
"کسواتا": "کسنا",
"کسواتی": "کسنا",
"کسواتیں": "کسنا",
"کسواؤ": "کسنا",
"کسواؤں": "کسنا",
"کسوائے": "کسنا",
"کسوائی": "کسنا",
"کسوائیے": "کسنا",
"کسوائیں": "کسنا",
"کسوایا": "کسنا",
"کسی": "کسنا",
"کسیے": "کسنا",
"کسیں": "کسنا",
"کتّے": "کتّا",
"کتّا": "کتّا",
"کتّو": "کتّا",
"کتّوں": "کتّا",
"کتے": "کتا",
"کتا": "کتا",
"کتاب": "کتاب",
"کتابچے": "کتابچہ",
"کتابچہ": "کتابچہ",
"کتابچو": "کتابچہ",
"کتابچوں": "کتابچہ",
"کتابو": "کتاب",
"کتابوں": "کتاب",
"کتابی": "کتابی",
"کتابیں": "کتاب",
"کتابیو": "کتابی",
"کتابیوں": "کتابی",
"کتب": "کتب",
"کتبے": "کتبہ",
"کتبخانے": "کتبخانہ",
"کتبخانہ": "کتبخانہ",
"کتبخانو": "کتبخانہ",
"کتبخانوں": "کتبخانہ",
"کتبہ": "کتبہ",
"کتبو": "کتبہ",
"کتبوں": "کتبہ",
"کتنے": "کتنا",
"کتنا": "کتنا",
"کتنو": "کتنا",
"کتنوں": "کتنا",
"کتنی": "کِتنا",
"کتر": "کتر",
"کترے": "کترنا",
"کترں": "کترنا",
"کترا": "کترانا",
"کترانے": "کترانا",
"کترانا": "کترانا",
"کترانی": "کترانا",
"کتراتے": "کترانا",
"کتراتا": "کترانا",
"کتراتی": "کترانا",
"کتراتیں": "کترانا",
"کتراؤ": "کترانا",
"کتراؤں": "کترانا",
"کترائے": "کترانا",
"کترائی": "کترانا",
"کترائیے": "کترانا",
"کترائیں": "کترانا",
"کترایا": "کترانا",
"کترن": "کترن",
"کترنے": "کترنا",
"کترنا": "کترنا",
"کترنو": "کترن",
"کترنوں": "کترن",
"کترنی": "کترنا",
"کترنیں": "کترن",
"کترتے": "کترنا",
"کترتا": "کترنا",
"کترتی": "کترنا",
"کترتیں": "کترنا",
"کترو": "کتر",
"کتروں": "کتر",
"کتروا": "کترنا",
"کتروانے": "کترنا",
"کتروانا": "کترنا",
"کترواتے": "کترنا",
"کترواتا": "کترنا",
"کترواتی": "کترنا",
"کترواتیں": "کترنا",
"کترواؤ": "کترنا",
"کترواؤں": "کترنا",
"کتروائے": "کترنا",
"کتروائی": "کترنا",
"کتروائیے": "کترنا",
"کتروائیں": "کترنا",
"کتروایا": "کترنا",
"کتری": "کترنا",
"کتریے": "کترنا",
"کتریں": "کتر",
"کتو": "کتا",
"کتوں": "کتا",
"کو": "کو",
"کوے": "کوا",
"کوڑے": "کوڑا",
"کوڑا": "کوڑا",
"کوڑہ": "کوڑہ",
"کوڑو": "کوڑا",
"کوڑوں": "کوڑا",
"کوڑھی": "کوڑھی",
"کوڑھیو": "کوڑھی",
"کوڑھیوں": "کوڑھی",
"کوٹے": "کوٹہ",
"کوٹہ": "کوٹہ",
"کوٹو": "کوٹہ",
"کوٹوں": "کوٹہ",
"کوٹھے": "کوٹھا",
"کوٹھڑی": "کوٹھڑی",
"کوٹھڑیاں": "کوٹھڑی",
"کوٹھڑیو": "کوٹھڑی",
"کوٹھڑیوں": "کوٹھڑی",
"کوٹھا": "کوٹھا",
"کوٹھری": "کوٹھری",
"کوٹھریاں": "کوٹھری",
"کوٹھریو": "کوٹھری",
"کوٹھریوں": "کوٹھری",
"کوٹھو": "کوٹھا",
"کوٹھوں": "کوٹھا",
"کوٹھی": "کوٹھی",
"کوٹھیاں": "کوٹھی",
"کوٹھیو": "کوٹھی",
"کوٹھیوں": "کوٹھی",
"کوشش": "کوشش",
"کوششو": "کوشش",
"کوششوں": "کوشش",
"کوششیں": "کوشش",
"کوا": "کوا",
"کواڑ": "کواڑ",
"کواڑو": "کواڑ",
"کواڑوں": "کواڑ",
"کوچ": "کوچ",
"کوچے": "کوچہ",
"کوچہ": "کوچہ",
"کوچو": "کوچہ",
"کوچوں": "کوچہ",
"کود": "کودنا",
"کودے": "کودنا",
"کودں": "کودنا",
"کودا": "کودنا",
"کودنے": "کودنا",
"کودنا": "کودنا",
"کودنی": "کودنا",
"کودتے": "کودنا",
"کودتا": "کودنا",
"کودتی": "کودنا",
"کودتیں": "کودنا",
"کودو": "کودنا",
"کودوں": "کودنا",
"کودی": "کودنا",
"کودیے": "کودنا",
"کودیں": "کودنا",
"کوک": "کوک",
"کوکے": "کوکہ",
"کوکہ": "کوکہ",
"کوکو": "کوکہ",
"کوکوں": "کوکہ",
"کوکیں": "کوک",
"کوکھ": "کوکھ",
"کوکھو": "کوکھ",
"کوکھوں": "کوکھ",
"کوکھیں": "کوکھ",
"کولھے": "کولھا",
"کولھا": "کولھا",
"کولھو": "کولھا",
"کولھوں": "کولھا",
"کون": "کَیا",
"کونے": "کونا",
"کونا": "کونا",
"کونہ": "کونہ",
"کونج": "کونج",
"کونجو": "کونج",
"کونجوں": "کونج",
"کونجیں": "کونج",
"کونپل": "کونپل",
"کونپلو": "کونپل",
"کونپلوں": "کونپل",
"کونپلیں": "کونپل",
"کونسے": "کَونسا",
"کونسا": "کَونسا",
"کونسی": "کَونسا",
"کونو": "کونا",
"کونوں": "کونا",
"کورے": "کورہ",
"کورہ": "کورہ",
"کورو": "کورہ",
"کوروں": "کورہ",
"کوس": "کوس",
"کوسے": "کوسنا",
"کوسں": "کوسنا",
"کوسا": "کوسنا",
"کوسنے": "کوسنا",
"کوسنا": "کوسنا",
"کوسنی": "کوسنا",
"کوستے": "کوسنا",
"کوستا": "کوسنا",
"کوستی": "کوسنا",
"کوستیں": "کوسنا",
"کوسو": "کوس",
"کوسوں": "کوس",
"کوسی": "کوسنا",
"کوسیے": "کوسنا",
"کوسیں": "کوسنا",
"کوتاہی": "کوتاہی",
"کوتاہیاں": "کوتاہی",
"کوتاہیو": "کوتاہی",
"کوتاہیوں": "کوتاہی",
"کوو": "کوا",
"کووں": "کوا",
"کوئل": "کوئل",
"کوئلے": "کوئلہ",
"کوئلہ": "کوئلہ",
"کوئلو": "کوئلہ",
"کوئلوں": "کوئلہ",
"کوئی": "کوئی",
"کوزے": "کوزہ",
"کوزہ": "کوزہ",
"کوزو": "کوزہ",
"کوزوں": "کوزہ",
"کی": "کم",
"کیے": "کرنا",
"کیں": "کرنا",
"کیڑے": "کیڑا",
"کیڑا": "کیڑا",
"کیڑو": "کیڑا",
"کیڑوں": "کیڑا",
"کئے": "کَئے",
"کئی": "کئی",
"کئیو": "کئی",
"کئیوں": "کئی",
"کیا": "کَیا",
"کیاری": "کیاری",
"کیاریاں": "کیاری",
"کیاریو": "کیاری",
"کیاریوں": "کیاری",
"کیبن": "کیبن",
"کیبنو": "کیبن",
"کیبنوں": "کیبن",
"کیبنیں": "کیبن",
"کیفیت": "کیفیت",
"کیفیتو": "کیفیت",
"کیفیتوں": "کیفیت",
"کیفیتیں": "کیفیت",
"کیکر": "کیکر",
"کیکرو": "کیکر",
"کیکروں": "کیکر",
"کیل": "کیل",
"کیلے": "کیلا",
"کیلا": "کیلا",
"کیلو": "کیلا",
"کیلوں": "کیلا",
"کیلیں": "کیل",
"کیمپ": "کیمپ",
"کیمپو": "کیمپ",
"کیمپوں": "کیمپ",
"کیمرے": "کیمرہ",
"کیمرہ": "کیمرہ",
"کیمرو": "کیمرہ",
"کیمروں": "کیمرہ",
"کین": "کین",
"کینے": "کینہ",
"کینچلی": "کینچلی",
"کینچلیاں": "کینچلی",
"کینچلیو": "کینچلی",
"کینچلیوں": "کینچلی",
"کینہ": "کینہ",
"کینو": "کینہ",
"کینوں": "کینہ",
"کیس": "کیس",
"کیسے": "کیسا",
"کیسا": "کیسا",
"کیسو": "کیسا",
"کیسوں": "کیسا",
"کیسی": "کَیسا",
"کیتلی": "کیتلی",
"کیتلیاں": "کیتلی",
"کیتلیو": "کیتلی",
"کیتلیوں": "کیتلی",
"کیوں": "کِیوُں",
"کیونکہ": "کیونکہ",
"کیونکر": "کِیُونْکَر",
"کھُل": "کھُلْنا",
"کھُلْں": "کھُلْنا",
"کھُلْنے": "کھُلْنا",
"کھُلْنا": "کھُلْنا",
"کھُلْنی": "کھُلْنا",
"کھُلْتے": "کھُلْنا",
"کھُلْتا": "کھُلْنا",
"کھُلْتی": "کھُلْنا",
"کھُلْتیں": "کھُلْنا",
"کھُلْوا": "کھُلْنا",
"کھُلْوانے": "کھُلْنا",
"کھُلْوانا": "کھُلْنا",
"کھُلْواتے": "کھُلْنا",
"کھُلْواتا": "کھُلْنا",
"کھُلْواتی": "کھُلْنا",
"کھُلْواتیں": "کھُلْنا",
"کھُلْواؤ": "کھُلْنا",
"کھُلْواؤں": "کھُلْنا",
"کھُلْوائے": "کھُلْنا",
"کھُلْوائی": "کھُلْنا",
"کھُلْوائیے": "کھُلْنا",
"کھُلْوائیں": "کھُلْنا",
"کھُلْوایا": "کھُلْنا",
"کھُلے": "کھُلْنا",
"کھُلں": "کھُلنا",
"کھُلا": "کھُلْنا",
"کھُلنے": "کھُلنا",
"کھُلنا": "کھُلنا",
"کھُلنی": "کھُلنا",
"کھُلتے": "کھُلنا",
"کھُلتا": "کھُلنا",
"کھُلتی": "کھُلنا",
"کھُلتیں": "کھُلنا",
"کھُلو": "کھُلْنا",
"کھُلوں": "کھُلْنا",
"کھُلوا": "کھُلنا",
"کھُلوانے": "کھُلنا",
"کھُلوانا": "کھُلنا",
"کھُلواتے": "کھُلنا",
"کھُلواتا": "کھُلنا",
"کھُلواتی": "کھُلنا",
"کھُلواتیں": "کھُلنا",
"کھُلواؤ": "کھُلنا",
"کھُلواؤں": "کھُلنا",
"کھُلوائے": "کھُلنا",
"کھُلوائی": "کھُلنا",
"کھُلوائیے": "کھُلنا",
"کھُلوائیں": "کھُلنا",
"کھُلوایا": "کھُلنا",
"کھُلی": "کھُلْنا",
"کھُلیے": "کھُلْنا",
"کھُلیں": "کھُلْنا",
"کھڑاواں": "کھڑاواں",
"کھڑاووںں": "کھڑاواں",
"کھڑاویں": "کھڑاواں",
"کھڑکی": "کھڑکی",
"کھڑکیاں": "کھڑکی",
"کھڑکیو": "کھڑکی",
"کھڑکیوں": "کھڑکی",
"کھٹک": "کھٹکنا",
"کھٹکے": "کھٹکنا",
"کھٹکں": "کھٹکنا",
"کھٹکا": "کھٹکنا",
"کھٹکانے": "کھٹکنا",
"کھٹکانا": "کھٹکنا",
"کھٹکاتے": "کھٹکنا",
"کھٹکاتا": "کھٹکنا",
"کھٹکاتی": "کھٹکنا",
"کھٹکاتیں": "کھٹکنا",
"کھٹکاؤ": "کھٹکنا",
"کھٹکاؤں": "کھٹکنا",
"کھٹکائے": "کھٹکنا",
"کھٹکائی": "کھٹکنا",
"کھٹکائیے": "کھٹکنا",
"کھٹکائیں": "کھٹکنا",
"کھٹکایا": "کھٹکنا",
"کھٹکنے": "کھٹکنا",
"کھٹکنا": "کھٹکنا",
"کھٹکنی": "کھٹکنا",
"کھٹکتے": "کھٹکنا",
"کھٹکتا": "کھٹکنا",
"کھٹکتی": "کھٹکنا",
"کھٹکتیں": "کھٹکنا",
"کھٹکو": "کھٹکنا",
"کھٹکوں": "کھٹکنا",
"کھٹکوا": "کھٹکنا",
"کھٹکوانے": "کھٹکنا",
"کھٹکوانا": "کھٹکنا",
"کھٹکواتے": "کھٹکنا",
"کھٹکواتا": "کھٹکنا",
"کھٹکواتی": "کھٹکنا",
"کھٹکواتیں": "کھٹکنا",
"کھٹکواؤ": "کھٹکنا",
"کھٹکواؤں": "کھٹکنا",
"کھٹکوائے": "کھٹکنا",
"کھٹکوائی": "کھٹکنا",
"کھٹکوائیے": "کھٹکنا",
"کھٹکوائیں": "کھٹکنا",
"کھٹکوایا": "کھٹکنا",
"کھٹکی": "کھٹکنا",
"کھٹکیے": "کھٹکنا",
"کھٹکیں": "کھٹکنا",
"کھٹکھ": "کھٹکھٹا",
"کھٹکھے": "کھٹکھٹا",
"کھٹکھں": "کھٹکھٹا",
"کھٹکھٹے": "کھٹکھٹا",
"کھٹکھٹا": "کھٹکھٹا",
"کھٹکھٹی": "کھٹکھٹا",
"کھٹکھا": "کھٹکھٹا",
"کھٹکھتے": "کھٹکھٹا",
"کھٹکھتا": "کھٹکھٹا",
"کھٹکھتی": "کھٹکھٹا",
"کھٹکھتیں": "کھٹکھٹا",
"کھٹکھو": "کھٹکھٹا",
"کھٹکھوں": "کھٹکھٹا",
"کھٹکھی": "کھٹکھٹا",
"کھٹکھیے": "کھٹکھٹا",
"کھٹکھیں": "کھٹکھٹا",
"کھٹمل": "کھٹمل",
"کھٹملو": "کھٹمل",
"کھٹملوں": "کھٹمل",
"کھٹولے": "کھٹولہ",
"کھٹولہ": "کھٹولہ",
"کھٹولو": "کھٹولہ",
"کھٹولوں": "کھٹولہ",
"کھا": "کھانا",
"کھاٹ": "کھاٹ",
"کھاٹو": "کھاٹ",
"کھاٹوں": "کھاٹ",
"کھال": "کھال",
"کھالو": "کھال",
"کھالوں": "کھال",
"کھالیں": "کھال",
"کھانے": "کھانا",
"کھانا": "کھانا",
"کھانہ": "کھانہ",
"کھانو": "کھانا",
"کھانوں": "کھانا",
"کھانی": "کھانا",
"کھاتے": "کھاتہ",
"کھاتا": "کھانا",
"کھاتہ": "کھاتہ",
"کھاتو": "کھاتہ",
"کھاتوں": "کھاتہ",
"کھاتی": "کھانا",
"کھاتیں": "کھانا",
"کھاؤ": "کھانا",
"کھاؤں": "کھانا",
"کھائے": "کھانا",
"کھائی": "کھائی",
"کھائیے": "کھانا",
"کھائیں": "کھانا",
"کھائیاں": "کھائی",
"کھائیو": "کھائی",
"کھائیوں": "کھائی",
"کھایا": "کھانا",
"کھچ": "کھچنا",
"کھچے": "کھچنا",
"کھچں": "کھچنا",
"کھچا": "کھچنا",
"کھچانے": "کھچنا",
"کھچانا": "کھچنا",
"کھچاتے": "کھچنا",
"کھچاتا": "کھچنا",
"کھچاتی": "کھچنا",
"کھچاتیں": "کھچنا",
"کھچاؤ": "کھچنا",
"کھچاؤں": "کھچنا",
"کھچائے": "کھچنا",
"کھچائی": "کھچنا",
"کھچائیے": "کھچنا",
"کھچائیں": "کھچنا",
"کھچایا": "کھچنا",
"کھچنے": "کھچنا",
"کھچنا": "کھچنا",
"کھچنی": "کھچنا",
"کھچتے": "کھچنا",
"کھچتا": "کھچنا",
"کھچتی": "کھچنا",
"کھچتیں": "کھچنا",
"کھچو": "کھچنا",
"کھچوں": "کھچنا",
"کھچوا": "کھچنا",
"کھچوانے": "کھچنا",
"کھچوانا": "کھچنا",
"کھچواتے": "کھچنا",
"کھچواتا": "کھچنا",
"کھچواتی": "کھچنا",
"کھچواتیں": "کھچنا",
"کھچواؤ": "کھچنا",
"کھچواؤں": "کھچنا",
"کھچوائے": "کھچنا",
"کھچوائی": "کھچنا",
"کھچوائیے": "کھچنا",
"کھچوائیں": "کھچنا",
"کھچوایا": "کھچنا",
"کھچی": "کھچنا",
"کھچیے": "کھچنا",
"کھچیں": "کھچنا",
"کھدر": "کھدر",
"کھدرے": "کھدرا",
"کھدرا": "کھدرا",
"کھدرو": "کھدرا",
"کھدروں": "کھدرا",
"کھدریں": "کھدر",
"کھدیڑ": "کھدیڑنا",
"کھدیڑے": "کھدیڑنا",
"کھدیڑں": "کھدیڑنا",
"کھدیڑا": "کھدیڑنا",
"کھدیڑنے": "کھدیڑنا",
"کھدیڑنا": "کھدیڑنا",
"کھدیڑنی": "کھدیڑنا",
"کھدیڑتے": "کھدیڑنا",
"کھدیڑتا": "کھدیڑنا",
"کھدیڑتی": "کھدیڑنا",
"کھدیڑتیں": "کھدیڑنا",
"کھدیڑو": "کھدیڑنا",
"کھدیڑوں": "کھدیڑنا",
"کھدیڑی": "کھدیڑنا",
"کھدیڑیے": "کھدیڑنا",
"کھدیڑیں": "کھدیڑنا",
"کھج": "کھجنا",
"کھجے": "کھجنا",
"کھجں": "کھجنا",
"کھجا": "کھجنا",
"کھجانے": "کھجنا",
"کھجانا": "کھجنا",
"کھجانی": "کھجانا",
"کھجاتے": "کھجنا",
"کھجاتا": "کھجنا",
"کھجاتی": "کھجنا",
"کھجاتیں": "کھجنا",
"کھجاؤ": "کھجنا",
"کھجاؤں": "کھجنا",
"کھجائے": "کھجنا",
"کھجائی": "کھجنا",
"کھجائیے": "کھجنا",
"کھجائیں": "کھجنا",
"کھجایا": "کھجنا",
"کھجنے": "کھجنا",
"کھجنا": "کھجنا",
"کھجنی": "کھجنا",
"کھجتے": "کھجنا",
"کھجتا": "کھجنا",
"کھجتی": "کھجنا",
"کھجتیں": "کھجنا",
"کھجو": "کھجنا",
"کھجوں": "کھجنا",
"کھجوا": "کھجنا",
"کھجوانے": "کھجنا",
"کھجوانا": "کھجنا",
"کھجواتے": "کھجنا",
"کھجواتا": "کھجنا",
"کھجواتی": "کھجنا",
"کھجواتیں": "کھجنا",
"کھجواؤ": "کھجنا",
"کھجواؤں": "کھجنا",
"کھجوائے": "کھجنا",
"کھجوائی": "کھجنا",
"کھجوائیے": "کھجنا",
"کھجوائیں": "کھجنا",
"کھجوایا": "کھجنا",
"کھجور": "کھجور",
"کھجورو": "کھجور",
"کھجوروں": "کھجور",
"کھجوریں": "کھجور",
"کھجی": "کھجنا",
"کھجیے": "کھجنا",
"کھجیں": "کھجنا",
"کھل": "کھلنا",
"کھلے": "کھلنا",
"کھلں": "کھلنا",
"کھلا": "کھانا",
"کھلاڑی": "کھلاڑی",
"کھلاڑیو": "کھلاڑی",
"کھلاڑیوں": "کھلاڑی",
"کھلانے": "کھانا",
"کھلانا": "کھانا",
"کھلاتے": "کھانا",
"کھلاتا": "کھانا",
"کھلاتی": "کھانا",
"کھلاتیں": "کھانا",
"کھلاؤ": "کھانا",
"کھلاؤں": "کھانا",
"کھلائے": "کھانا",
"کھلائی": "کھانا",
"کھلائیے": "کھانا",
"کھلائیں": "کھانا",
"کھلایا": "کھانا",
"کھلنے": "کھلنا",
"کھلنا": "کھلنا",
"کھلنی": "کھلنا",
"کھلتے": "کھلنا",
"کھلتا": "کھلنا",
"کھلتی": "کھلنا",
"کھلتیں": "کھلنا",
"کھلو": "کھلنا",
"کھلوں": "کھلنا",
"کھلوا": "کھانا",
"کھلوانے": "کھانا",
"کھلوانا": "کھانا",
"کھلواتے": "کھانا",
"کھلواتا": "کھانا",
"کھلواتی": "کھانا",
"کھلواتیں": "کھانا",
"کھلواؤ": "کھانا",
"کھلواؤں": "کھانا",
"کھلوائے": "کھانا",
"کھلوائی": "کھانا",
"کھلوائیے": "کھانا",
"کھلوائیں": "کھانا",
"کھلوایا": "کھانا",
"کھلونے": "کھلونا",
"کھلونا": "کھلونا",
"کھلونو": "کھلونا",
"کھلونوں": "کھلونا",
"کھلی": "کھلنا",
"کھلیے": "کھلنا",
"کھلیں": "کھلنا",
"کھلیا": "کھلینا",
"کھلینے": "کھلینا",
"کھلینا": "کھلینا",
"کھلینی": "کھلینا",
"کھلیتے": "کھلینا",
"کھلیتا": "کھلینا",
"کھلیتی": "کھلینا",
"کھلیتیں": "کھلینا",
"کھلیو": "کھلینا",
"کھلیوں": "کھلینا",
"کھلیی": "کھلینا",
"کھلییے": "کھلینا",
"کھلییں": "کھلینا",
"کھنڈر": "کھنڈر",
"کھنڈرو": "کھنڈر",
"کھنڈروں": "کھنڈر",
"کھنے": "کھنہ",
"کھنچا": "کھینچنا",
"کھنچانے": "کھینچنا",
"کھنچانا": "کھینچنا",
"کھنچاتے": "کھینچنا",
"کھنچاتا": "کھینچنا",
"کھنچاتی": "کھینچنا",
"کھنچاتیں": "کھینچنا",
"کھنچاؤ": "کھینچنا",
"کھنچاؤں": "کھینچنا",
"کھنچائے": "کھینچنا",
"کھنچائی": "کھینچنا",
"کھنچائیے": "کھینچنا",
"کھنچائیں": "کھینچنا",
"کھنچایا": "کھینچنا",
"کھنچوا": "کھینچنا",
"کھنچوانے": "کھینچنا",
"کھنچوانا": "کھینچنا",
"کھنچواتے": "کھینچنا",
"کھنچواتا": "کھینچنا",
"کھنچواتی": "کھینچنا",
"کھنچواتیں": "کھینچنا",
"کھنچواؤ": "کھینچنا",
"کھنچواؤں": "کھینچنا",
"کھنچوائے": "کھینچنا",
"کھنچوائی": "کھینچنا",
"کھنچوائیے": "کھینچنا",
"کھنچوائیں": "کھینچنا",
"کھنچوایا": "کھینچنا",
"کھنہ": "کھنہ",
"کھنکار": "کھنکارنا",
"کھنکارے": "کھنکارنا",
"کھنکارں": "کھنکارنا",
"کھنکارا": "کھنکارنا",
"کھنکارنے": "کھنکارنا",
"کھنکارنا": "کھنکارنا",
"کھنکارنی": "کھنکارنا",
"کھنکارتے": "کھنکارنا",
"کھنکارتا": "کھنکارنا",
"کھنکارتی": "کھنکارنا",
"کھنکارتیں": "کھنکارنا",
"کھنکارو": "کھنکارنا",
"کھنکاروں": "کھنکارنا",
"کھنکاری": "کھنکارنا",
"کھنکاریے": "کھنکارنا",
"کھنکاریں": "کھنکارنا",
"کھنکھار": "کھنکھار",
"کھنکھارو": "کھنکھار",
"کھنکھاروں": "کھنکھار",
"کھنکھاریں": "کھنکھار",
"کھنو": "کھنہ",
"کھنوں": "کھنہ",
"کھنیچ": "کھنیچنا",
"کھنیچے": "کھنیچنا",
"کھنیچں": "کھنیچنا",
"کھنیچا": "کھنیچنا",
"کھنیچانے": "کھنیچنا",
"کھنیچانا": "کھنیچنا",
"کھنیچاتے": "کھنیچنا",
"کھنیچاتا": "کھنیچنا",
"کھنیچاتی": "کھنیچنا",
"کھنیچاتیں": "کھنیچنا",
"کھنیچاؤ": "کھنیچنا",
"کھنیچاؤں": "کھنیچنا",
"کھنیچائے": "کھنیچنا",
"کھنیچائی": "کھنیچنا",
"کھنیچائیے": "کھنیچنا",
"کھنیچائیں": "کھنیچنا",
"کھنیچایا": "کھنیچنا",
"کھنیچنے": "کھنیچنا",
"کھنیچنا": "کھنیچنا",
"کھنیچنی": "کھنیچنا",
"کھنیچتے": "کھنیچنا",
"کھنیچتا": "کھنیچنا",
"کھنیچتی": "کھنیچنا",
"کھنیچتیں": "کھنیچنا",
"کھنیچو": "کھنیچنا",
"کھنیچوں": "کھنیچنا",
"کھنیچوا": "کھنیچنا",
"کھنیچوانے": "کھنیچنا",
"کھنیچوانا": "کھنیچنا",
"کھنیچواتے": "کھنیچنا",
"کھنیچواتا": "کھنیچنا",
"کھنیچواتی": "کھنیچنا",
"کھنیچواتیں": "کھنیچنا",
"کھنیچواؤ": "کھنیچنا",
"کھنیچواؤں": "کھنیچنا",
"کھنیچوائے": "کھنیچنا",
"کھنیچوائی": "کھنیچنا",
"کھنیچوائیے": "کھنیچنا",
"کھنیچوائیں": "کھنیچنا",
"کھنیچوایا": "کھنیچنا",
"کھنیچی": "کھنیچنا",
"کھنیچیے": "کھنیچنا",
"کھنیچیں": "کھنیچنا",
"کھپ": "کھپنا",
"کھپے": "کھپنا",
"کھپں": "کھپنا",
"کھپا": "کھپنا",
"کھپانے": "کھپنا",
"کھپانا": "کھپنا",
"کھپاتے": "کھپنا",
"کھپاتا": "کھپنا",
"کھپاتی": "کھپنا",
"کھپاتیں": "کھپنا",
"کھپاؤ": "کھپنا",
"کھپاؤں": "کھپنا",
"کھپائے": "کھپنا",
"کھپائی": "کھپنا",
"کھپائیے": "کھپنا",
"کھپائیں": "کھپنا",
"کھپایا": "کھپنا",
"کھپنے": "کھپنا",
"کھپنا": "کھپنا",
"کھپنی": "کھپنا",
"کھپتے": "کھپنا",
"کھپتا": "کھپنا",
"کھپتی": "کھپنا",
"کھپتیں": "کھپنا",
"کھپو": "کھپنا",
"کھپوں": "کھپنا",
"کھپوا": "کھپنا",
"کھپوانے": "کھپنا",
"کھپوانا": "کھپنا",
"کھپواتے": "کھپنا",
"کھپواتا": "کھپنا",
"کھپواتی": "کھپنا",
"کھپواتیں": "کھپنا",
"کھپواؤ": "کھپنا",
"کھپواؤں": "کھپنا",
"کھپوائے": "کھپنا",
"کھپوائی": "کھپنا",
"کھپوائیے": "کھپنا",
"کھپوائیں": "کھپنا",
"کھپوایا": "کھپنا",
"کھپی": "کھپنا",
"کھپیے": "کھپنا",
"کھپیں": "کھپنا",
"کھرے": "کھرا",
"کھرا": "کھرا",
"کھرچ": "کھرچنا",
"کھرچے": "کھرچنا",
"کھرچں": "کھرچنا",
"کھرچا": "کھرچنا",
"کھرچانے": "کھرچنا",
"کھرچانا": "کھرچنا",
"کھرچاتے": "کھرچنا",
"کھرچاتا": "کھرچنا",
"کھرچاتی": "کھرچنا",
"کھرچاتیں": "کھرچنا",
"کھرچاؤ": "کھرچنا",
"کھرچاؤں": "کھرچنا",
"کھرچائے": "کھرچنا",
"کھرچائی": "کھرچنا",
"کھرچائیے": "کھرچنا",
"کھرچائیں": "کھرچنا",
"کھرچایا": "کھرچنا",
"کھرچنے": "کھرچنا",
"کھرچنا": "کھرچنا",
"کھرچنی": "کھرچنا",
"کھرچتے": "کھرچنا",
"کھرچتا": "کھرچنا",
"کھرچتی": "کھرچنا",
"کھرچتیں": "کھرچنا",
"کھرچو": "کھرچنا",
"کھرچوں": "کھرچنا",
"کھرچوا": "کھرچنا",
"کھرچوانے": "کھرچنا",
"کھرچوانا": "کھرچنا",
"کھرچواتے": "کھرچنا",
"کھرچواتا": "کھرچنا",
"کھرچواتی": "کھرچنا",
"کھرچواتیں": "کھرچنا",
"کھرچواؤ": "کھرچنا",
"کھرچواؤں": "کھرچنا",
"کھرچوائے": "کھرچنا",
"کھرچوائی": "کھرچنا",
"کھرچوائیے": "کھرچنا",
"کھرچوائیں": "کھرچنا",
"کھرچوایا": "کھرچنا",
"کھرچی": "کھرچنا",
"کھرچیے": "کھرچنا",
"کھرچیں": "کھرچنا",
"کھرو": "کھرا",
"کھروں": "کھرا",
"کھسک": "کھسکنا",
"کھسکے": "کھسکنا",
"کھسکں": "کھسکنا",
"کھسکا": "کھسکنا",
"کھسکانے": "کھسکنا",
"کھسکانا": "کھسکنا",
"کھسکاتے": "کھسکنا",
"کھسکاتا": "کھسکنا",
"کھسکاتی": "کھسکنا",
"کھسکاتیں": "کھسکنا",
"کھسکاؤ": "کھسکنا",
"کھسکاؤں": "کھسکنا",
"کھسکائے": "کھسکنا",
"کھسکائی": "کھسکنا",
"کھسکائیے": "کھسکنا",
"کھسکائیں": "کھسکنا",
"کھسکایا": "کھسکنا",
"کھسکنے": "کھسکنا",
"کھسکنا": "کھسکنا",
"کھسکنی": "کھسکنا",
"کھسکتے": "کھسکنا",
"کھسکتا": "کھسکنا",
"کھسکتی": "کھسکنا",
"کھسکتیں": "کھسکنا",
"کھسکو": "کھسکنا",
"کھسکوں": "کھسکنا",
"کھسکوا": "کھسکنا",
"کھسکوانے": "کھسکنا",
"کھسکوانا": "کھسکنا",
"کھسکواتے": "کھسکنا",
"کھسکواتا": "کھسکنا",
"کھسکواتی": "کھسکنا",
"کھسکواتیں": "کھسکنا",
"کھسکواؤ": "کھسکنا",
"کھسکواؤں": "کھسکنا",
"کھسکوائے": "کھسکنا",
"کھسکوائی": "کھسکنا",
"کھسکوائیے": "کھسکنا",
"کھسکوائیں": "کھسکنا",
"کھسکوایا": "کھسکنا",
"کھسکی": "کھسکنا",
"کھسکیے": "کھسکنا",
"کھسکیں": "کھسکنا",
"کھسیا": "کھسیانا",
"کھسیانے": "کھسیانہ",
"کھسیانا": "کھسیانا",
"کھسیانہ": "کھسیانہ",
"کھسیانو": "کھسیانہ",
"کھسیانوں": "کھسیانہ",
"کھسیانی": "کھسیانا",
"کھسیاتے": "کھسیانا",
"کھسیاتا": "کھسیانا",
"کھسیاتی": "کھسیانا",
"کھسیاتیں": "کھسیانا",
"کھسیاؤ": "کھسیانا",
"کھسیاؤں": "کھسیانا",
"کھسیائے": "کھسیانا",
"کھسیائی": "کھسیانا",
"کھسیائیے": "کھسیانا",
"کھسیائیں": "کھسیانا",
"کھسیایا": "کھسیانا",
"کھو": "کھونا",
"کھوٹے": "کھوٹا",
"کھوٹا": "کھوٹا",
"کھوٹو": "کھوٹا",
"کھوٹوں": "کھوٹا",
"کھود": "کھودنا",
"کھودے": "کھودنا",
"کھودں": "کھودنا",
"کھودا": "کھودنا",
"کھودنے": "کھودنا",
"کھودنا": "کھودنا",
"کھودنی": "کھودنا",
"کھودتے": "کھودنا",
"کھودتا": "کھودنا",
"کھودتی": "کھودنا",
"کھودتیں": "کھودنا",
"کھودو": "کھودنا",
"کھودوں": "کھودنا",
"کھودی": "کھودنا",
"کھودیے": "کھودنا",
"کھودیں": "کھودنا",
"کھوجی": "کھوجی",
"کھوجیو": "کھوجی",
"کھوجیوں": "کھوجی",
"کھول": "کھُلْنا",
"کھولْں": "کھُلْنا",
"کھولْنے": "کھُلْنا",
"کھولْنا": "کھُلْنا",
"کھولْتے": "کھُلْنا",
"کھولْتا": "کھُلْنا",
"کھولْتی": "کھُلْنا",
"کھولْتیں": "کھُلْنا",
"کھولے": "کھُلْنا",
"کھولں": "کھُلنا",
"کھولا": "کھُلْنا",
"کھولانے": "کھولنا",
"کھولانا": "کھولنا",
"کھولاتے": "کھولنا",
"کھولاتا": "کھولنا",
"کھولاتی": "کھولنا",
"کھولاتیں": "کھولنا",
"کھولاؤ": "کھولنا",
"کھولاؤں": "کھولنا",
"کھولائے": "کھولنا",
"کھولائی": "کھولنا",
"کھولائیے": "کھولنا",
"کھولائیں": "کھولنا",
"کھولایا": "کھولنا",
"کھولنے": "کھُلنا",
"کھولنا": "کھُلنا",
"کھولنی": "کھولنا",
"کھولتے": "کھُلنا",
"کھولتا": "کھُلنا",
"کھولتی": "کھُلنا",
"کھولتیں": "کھُلنا",
"کھولو": "کھُلْنا",
"کھولوں": "کھُلْنا",
"کھولوا": "کھولنا",
"کھولوانے": "کھولنا",
"کھولوانا": "کھولنا",
"کھولواتے": "کھولنا",
"کھولواتا": "کھولنا",
"کھولواتی": "کھولنا",
"کھولواتیں": "کھولنا",
"کھولواؤ": "کھولنا",
"کھولواؤں": "کھولنا",
"کھولوائے": "کھولنا",
"کھولوائی": "کھولنا",
"کھولوائیے": "کھولنا",
"کھولوائیں": "کھولنا",
"کھولوایا": "کھولنا",
"کھولی": "کھُلْنا",
"کھولیے": "کھُلْنا",
"کھولیں": "کھُلْنا",
"کھونے": "کھونا",
"کھونٹی": "کھونٹی",
"کھونٹیا": "کھونٹیا",
"کھونٹیاں": "کھونٹی",
"کھونٹیو": "کھونٹی",
"کھونٹیوں": "کھونٹی",
"کھونا": "کھونا",
"کھونی": "کھونا",
"کھوپڑی": "کھوپڑی",
"کھوپڑیاں": "کھوپڑی",
"کھوپڑیو": "کھوپڑی",
"کھوپڑیوں": "کھوپڑی",
"کھوتے": "کھونا",
"کھوتا": "کھونا",
"کھوتی": "کھونا",
"کھوتیں": "کھونا",
"کھوؤ": "کھونا",
"کھوؤں": "کھونا",
"کھوئے": "کھونا",
"کھوئی": "کھونا",
"کھوئیے": "کھونا",
"کھوئیں": "کھونا",
"کھویا": "کھونا",
"کھیل": "کھیل",
"کھیلے": "کھیلنا",
"کھیلں": "کھیلنا",
"کھیلا": "کھیلنا",
"کھیلنے": "کھیلنا",
"کھیلنا": "کھیلنا",
"کھیلنی": "کھیلنا",
"کھیلتے": "کھیلنا",
"کھیلتا": "کھیلنا",
"کھیلتی": "کھیلنا",
"کھیلتیں": "کھیلنا",
"کھیلو": "کھیل",
"کھیلوں": "کھیل",
"کھیلی": "کھیلنا",
"کھیلیے": "کھیلنا",
"کھیلیں": "کھیلنا",
"کھینچ": "کھینچنا",
"کھینچے": "کھینچنا",
"کھینچں": "کھینچنا",
"کھینچا": "کھینچنا",
"کھینچنے": "کھینچنا",
"کھینچنا": "کھینچنا",
"کھینچنی": "کھینچنا",
"کھینچتے": "کھینچنا",
"کھینچتا": "کھینچنا",
"کھینچتی": "کھینچنا",
"کھینچتیں": "کھینچنا",
"کھینچو": "کھینچنا",
"کھینچوں": "کھینچنا",
"کھینچی": "کھینچنا",
"کھینچیے": "کھینچنا",
"کھینچیں": "کھینچنا",
"کھیرے": "کھیرا",
"کھیرا": "کھیرا",
"کھیرو": "کھیرا",
"کھیروں": "کھیرا",
"کھیت": "کھیت",
"کھیتو": "کھیت",
"کھیتوں": "کھیت",
"کھیتی": "کھیتی",
"کھیتی`": "کھیتی`",
"کھیتی`اں": "کھیتی`",
"کھیتی`و": "کھیتی`",
"کھیتی`وں": "کھیتی`",
"کھیتیاں": "کھیتی",
"کھیتیو": "کھیتی",
"کھیتیوں": "کھیتی",
"لَڑْکے": "لَڑْکا",
"لَڑْکا": "لَڑْکا",
"لَڑْکو": "لَڑْکا",
"لَڑْکوں": "لَڑْکا",
"لَڑْکی": "لَڑْکی",
"لَڑْکیاں": "لَڑْکی",
"لَڑْکیو": "لَڑْکی",
"لَڑْکیوں": "لَڑْکی",
"لَٹَک": "لَٹَکْنا",
"لَٹَکْں": "لَٹَکْنا",
"لَٹَکْنے": "لَٹَکْنا",
"لَٹَکْنا": "لَٹَکْنا",
"لَٹَکْنی": "لَٹَکْنا",
"لَٹَکْتے": "لَٹَکْنا",
"لَٹَکْتا": "لَٹَکْنا",
"لَٹَکْتی": "لَٹَکْنا",
"لَٹَکْتیں": "لَٹَکْنا",
"لَٹَکْوا": "لَٹَکْنا",
"لَٹَکْوانے": "لَٹَکْنا",
"لَٹَکْوانا": "لَٹَکْنا",
"لَٹَکْواتے": "لَٹَکْنا",
"لَٹَکْواتا": "لَٹَکْنا",
"لَٹَکْواتی": "لَٹَکْنا",
"لَٹَکْواتیں": "لَٹَکْنا",
"لَٹَکْواؤ": "لَٹَکْنا",
"لَٹَکْواؤں": "لَٹَکْنا",
"لَٹَکْوائے": "لَٹَکْنا",
"لَٹَکْوائی": "لَٹَکْنا",
"لَٹَکْوائیے": "لَٹَکْنا",
"لَٹَکْوائیں": "لَٹَکْنا",
"لَٹَکْوایا": "لَٹَکْنا",
"لَٹَکے": "لَٹَکْنا",
"لَٹَکا": "لَٹَکْنا",
"لَٹَکانے": "لَٹَکْنا",
"لَٹَکانا": "لَٹَکْنا",
"لَٹَکاتے": "لَٹَکْنا",
"لَٹَکاتا": "لَٹَکْنا",
"لَٹَکاتی": "لَٹَکْنا",
"لَٹَکاتیں": "لَٹَکْنا",
"لَٹَکاؤ": "لَٹَکْنا",
"لَٹَکاؤں": "لَٹَکْنا",
"لَٹَکائے": "لَٹَکْنا",
"لَٹَکائی": "لَٹَکْنا",
"لَٹَکائیے": "لَٹَکْنا",
"لَٹَکائیں": "لَٹَکْنا",
"لَٹَکایا": "لَٹَکْنا",
"لَٹَکو": "لَٹَکْنا",
"لَٹَکوں": "لَٹَکْنا",
"لَٹَکی": "لَٹَکْنا",
"لَٹَکیے": "لَٹَکْنا",
"لَٹَکیں": "لَٹَکْنا",
"لِکْھ": "لِکْھنا",
"لِکْھے": "لِکْھنا",
"لِکْھں": "لِکْھنا",
"لِکْھا": "لِکْھنا",
"لِکْھانے": "لِکْھنا",
"لِکْھانا": "لِکْھنا",
"لِکْھاتے": "لِکْھنا",
"لِکْھاتا": "لِکْھنا",
"لِکْھاتی": "لِکْھنا",
"لِکْھاتیں": "لِکْھنا",
"لِکْھاؤ": "لِکْھنا",
"لِکْھاؤں": "لِکْھنا",
"لِکْھائے": "لِکْھنا",
"لِکْھائی": "لِکْھنا",
"لِکْھائیے": "لِکْھنا",
"لِکْھائیں": "لِکْھنا",
"لِکْھایا": "لِکْھنا",
"لِکْھنے": "لِکْھنا",
"لِکْھنا": "لِکْھنا",
"لِکْھنی": "لِکْھنا",
"لِکْھتے": "لِکْھنا",
"لِکْھتا": "لِکْھنا",
"لِکْھتی": "لِکْھنا",
"لِکْھتیں": "لِکْھنا",
"لِکْھو": "لِکْھنا",
"لِکْھوں": "لِکْھنا",
"لِکْھوا": "لِکْھنا",
"لِکْھوانے": "لِکْھنا",
"لِکْھوانا": "لِکْھنا",
"لِکْھواتے": "لِکْھنا",
"لِکْھواتا": "لِکْھنا",
"لِکْھواتی": "لِکْھنا",
"لِکْھواتیں": "لِکْھنا",
"لِکْھواؤ": "لِکْھنا",
"لِکْھواؤں": "لِکْھنا",
"لِکْھوائے": "لِکْھنا",
"لِکْھوائی": "لِکْھنا",
"لِکْھوائیے": "لِکْھنا",
"لِکْھوائیں": "لِکْھنا",
"لِکْھوایا": "لِکْھنا",
"لِکْھی": "لِکْھنا",
"لِکْھیے": "لِکْھنا",
"لِکْھیں": "لِکْھنا",
"لُٹ": "لُٹنا",
"لُٹے": "لُٹنا",
"لُٹں": "لُٹنا",
"لُٹا": "لُٹنا",
"لُٹانے": "لُٹنا",
"لُٹانا": "لُٹنا",
"لُٹاتے": "لُٹنا",
"لُٹاتا": "لُٹنا",
"لُٹاتی": "لُٹنا",
"لُٹاتیں": "لُٹنا",
"لُٹاؤ": "لُٹنا",
"لُٹاؤں": "لُٹنا",
"لُٹائے": "لُٹنا",
"لُٹائی": "لُٹنا",
"لُٹائیے": "لُٹنا",
"لُٹائیں": "لُٹنا",
"لُٹایا": "لُٹنا",
"لُٹنے": "لُٹنا",
"لُٹنا": "لُٹنا",
"لُٹنی": "لُٹنا",
"لُٹتے": "لُٹنا",
"لُٹتا": "لُٹنا",
"لُٹتی": "لُٹنا",
"لُٹتیں": "لُٹنا",
"لُٹو": "لُٹنا",
"لُٹوں": "لُٹنا",
"لُٹوا": "لُٹنا",
"لُٹوانے": "لُٹنا",
"لُٹوانا": "لُٹنا",
"لُٹواتے": "لُٹنا",
"لُٹواتا": "لُٹنا",
"لُٹواتی": "لُٹنا",
"لُٹواتیں": "لُٹنا",
"لُٹواؤ": "لُٹنا",
"لُٹواؤں": "لُٹنا",
"لُٹوائے": "لُٹنا",
"لُٹوائی": "لُٹنا",
"لُٹوائیے": "لُٹنا",
"لُٹوائیں": "لُٹنا",
"لُٹوایا": "لُٹنا",
"لُٹی": "لُٹنا",
"لُٹیے": "لُٹنا",
"لُٹیں": "لُٹنا",
"لڈو": "لڈو",
"لڈوؤ": "لڈو",
"لڈوؤں": "لڈو",
"لے": "لینا",
"لغزش": "لغزش",
"لغزشو": "لغزش",
"لغزشوں": "لغزش",
"لغزشیں": "لغزش",
"لحاف": "لحاف",
"لحافو": "لحاف",
"لحافوں": "لحاف",
"لحافیں": "لحاف",
"لحظے": "لحظہ",
"لحظہ": "لحظہ",
"لحظو": "لحظہ",
"لحظوں": "لحظہ",
"لڑ": "لڑنا",
"لڑے": "لڑنا",
"لڑں": "لڑنا",
"لڑا": "لڑنا",
"لڑانے": "لڑنا",
"لڑانا": "لڑنا",
"لڑاتے": "لڑنا",
"لڑاتا": "لڑنا",
"لڑاتی": "لڑنا",
"لڑاتیں": "لڑنا",
"لڑاؤ": "لڑنا",
"لڑاؤں": "لڑنا",
"لڑائے": "لڑنا",
"لڑائی": "لڑائی",
"لڑائیے": "لڑنا",
"لڑائیں": "لڑنا",
"لڑائیاں": "لڑائی",
"لڑائیو": "لڑائی",
"لڑائیوں": "لڑائی",
"لڑایا": "لڑنا",
"لڑکے": "لڑکا",
"لڑکا": "لڑکا",
"لڑکو": "لڑکا",
"لڑکوں": "لڑکا",
"لڑکی": "لڑکی",
"لڑکیاں": "لڑکی",
"لڑکیو": "لڑکی",
"لڑکیوں": "لڑکی",
"لڑکھڑا": "لڑکھڑانا",
"لڑکھڑانے": "لڑکھڑانا",
"لڑکھڑانا": "لڑکھڑانا",
"لڑکھڑانی": "لڑکھڑانا",
"لڑکھڑاتے": "لڑکھڑانا",
"لڑکھڑاتا": "لڑکھڑانا",
"لڑکھڑاتی": "لڑکھڑانا",
"لڑکھڑاتیں": "لڑکھڑانا",
"لڑکھڑاؤ": "لڑکھڑانا",
"لڑکھڑاؤں": "لڑکھڑانا",
"لڑکھڑائے": "لڑکھڑانا",
"لڑکھڑائی": "لڑکھڑانا",
"لڑکھڑائیے": "لڑکھڑانا",
"لڑکھڑائیں": "لڑکھڑانا",
"لڑکھڑایا": "لڑکھڑانا",
"لڑنے": "لڑنا",
"لڑنا": "لڑنا",
"لڑنی": "لڑنا",
"لڑتے": "لڑنا",
"لڑتا": "لڑنا",
"لڑتی": "لڑنا",
"لڑتیں": "لڑنا",
"لڑو": "لڑنا",
"لڑوں": "لڑنا",
"لڑوا": "لڑنا",
"لڑوانے": "لڑنا",
"لڑوانا": "لڑنا",
"لڑواتے": "لڑنا",
"لڑواتا": "لڑنا",
"لڑواتی": "لڑنا",
"لڑواتیں": "لڑنا",
"لڑواؤ": "لڑنا",
"لڑواؤں": "لڑنا",
"لڑوائے": "لڑنا",
"لڑوائی": "لڑنا",
"لڑوائیے": "لڑنا",
"لڑوائیں": "لڑنا",
"لڑوایا": "لڑنا",
"لڑی": "لڑی",
"لڑیے": "لڑنا",
"لڑیں": "لڑنا",
"لڑیاں": "لڑی",
"لڑیو": "لڑی",
"لڑیوں": "لڑی",
"لڑھک": "لڑھکنا",
"لڑھکے": "لڑھکنا",
"لڑھکں": "لڑھکنا",
"لڑھکا": "لڑھکنا",
"لڑھکانے": "لڑھکنا",
"لڑھکانا": "لڑھکنا",
"لڑھکاتے": "لڑھکنا",
"لڑھکاتا": "لڑھکنا",
"لڑھکاتی": "لڑھکنا",
"لڑھکاتیں": "لڑھکنا",
"لڑھکاؤ": "لڑھکنا",
"لڑھکاؤں": "لڑھکنا",
"لڑھکائے": "لڑھکنا",
"لڑھکائی": "لڑھکنا",
"لڑھکائیے": "لڑھکنا",
"لڑھکائیں": "لڑھکنا",
"لڑھکایا": "لڑھکنا",
"لڑھکنے": "لڑھکنا",
"لڑھکنا": "لڑھکنا",
"لڑھکنی": "لڑھکنا",
"لڑھکتے": "لڑھکنا",
"لڑھکتا": "لڑھکنا",
"لڑھکتی": "لڑھکنا",
"لڑھکتیں": "لڑھکنا",
"لڑھکو": "لڑھکنا",
"لڑھکوں": "لڑھکنا",
"لڑھکوا": "لڑھکنا",
"لڑھکوانے": "لڑھکنا",
"لڑھکوانا": "لڑھکنا",
"لڑھکواتے": "لڑھکنا",
"لڑھکواتا": "لڑھکنا",
"لڑھکواتی": "لڑھکنا",
"لڑھکواتیں": "لڑھکنا",
"لڑھکواؤ": "لڑھکنا",
"لڑھکواؤں": "لڑھکنا",
"لڑھکوائے": "لڑھکنا",
"لڑھکوائی": "لڑھکنا",
"لڑھکوائیے": "لڑھکنا",
"لڑھکوائیں": "لڑھکنا",
"لڑھکوایا": "لڑھکنا",
"لڑھکی": "لڑھکنا",
"لڑھکیے": "لڑھکنا",
"لڑھکیں": "لڑھکنا",
"لٹ": "لٹ",
"لٹے": "لٹنا",
"لٹں": "لٹنا",
"لٹا": "لٹنا",
"لٹانے": "لٹنا",
"لٹانا": "لٹنا",
"لٹاتے": "لٹنا",
"لٹاتا": "لٹنا",
"لٹاتی": "لٹنا",
"لٹاتیں": "لٹنا",
"لٹاؤ": "لٹنا",
"لٹاؤں": "لٹنا",
"لٹائے": "لٹنا",
"لٹائی": "لٹنا",
"لٹائیے": "لٹنا",
"لٹائیں": "لٹنا",
"لٹایا": "لٹنا",
"لٹک": "لٹکنا",
"لٹکے": "لٹکنا",
"لٹکں": "لٹکنا",
"لٹکا": "لٹکنا",
"لٹکانے": "لٹکنا",
"لٹکانا": "لٹکنا",
"لٹکاتے": "لٹکنا",
"لٹکاتا": "لٹکنا",
"لٹکاتی": "لٹکنا",
"لٹکاتیں": "لٹکنا",
"لٹکاؤ": "لٹکنا",
"لٹکاؤں": "لٹکنا",
"لٹکائے": "لٹکنا",
"لٹکائی": "لٹکنا",
"لٹکائیے": "لٹکنا",
"لٹکائیں": "لٹکنا",
"لٹکایا": "لٹکنا",
"لٹکنے": "لٹکنا",
"لٹکنا": "لٹکنا",
"لٹکنی": "لٹکنا",
"لٹکتے": "لٹکنا",
"لٹکتا": "لٹکنا",
"لٹکتی": "لٹکنا",
"لٹکتیں": "لٹکنا",
"لٹکو": "لٹکنا",
"لٹکوں": "لٹکنا",
"لٹکوا": "لٹکنا",
"لٹکوانے": "لٹکنا",
"لٹکوانا": "لٹکنا",
"لٹکواتے": "لٹکنا",
"لٹکواتا": "لٹکنا",
"لٹکواتی": "لٹکنا",
"لٹکواتیں": "لٹکنا",
"لٹکواؤ": "لٹکنا",
"لٹکواؤں": "لٹکنا",
"لٹکوائے": "لٹکنا",
"لٹکوائی": "لٹکنا",
"لٹکوائیے": "لٹکنا",
"لٹکوائیں": "لٹکنا",
"لٹکوایا": "لٹکنا",
"لٹکی": "لٹکنا",
"لٹکیے": "لٹکنا",
"لٹکیں": "لٹکنا",
"لٹنے": "لٹنا",
"لٹنا": "لٹنا",
"لٹنی": "لٹنا",
"لٹتے": "لٹنا",
"لٹتا": "لٹنا",
"لٹتی": "لٹنا",
"لٹتیں": "لٹنا",
"لٹو": "لٹ",
"لٹوں": "لٹ",
"لٹوا": "لٹنا",
"لٹوانے": "لٹنا",
"لٹوانا": "لٹنا",
"لٹواتے": "لٹنا",
"لٹواتا": "لٹنا",
"لٹواتی": "لٹنا",
"لٹواتیں": "لٹنا",
"لٹواؤ": "لٹنا",
"لٹواؤں": "لٹنا",
"لٹوائے": "لٹنا",
"لٹوائی": "لٹنا",
"لٹوائیے": "لٹنا",
"لٹوائیں": "لٹنا",
"لٹوایا": "لٹنا",
"لٹی": "لٹنا",
"لٹیے": "لٹنا",
"لٹیں": "لٹ",
"لشکر": "لشکر",
"لشکرو": "لشکر",
"لشکروں": "لشکر",
"لشکری": "لشکری",
"لشکریو": "لشکری",
"لشکریوں": "لشکری",
"لذّت": "لذّت",
"لذّتو": "لذّت",
"لذّتوں": "لذّت",
"لذّتیں": "لذّت",
"لذت": "لذت",
"لذتو": "لذت",
"لذتوں": "لذت",
"لذتیں": "لذت",
"لذیذ": "لذیذ",
"لذیذو": "لذیذ",
"لذیذوں": "لذیذ",
"لا": "لانا",
"لاڈلی": "لاڈلی",
"لاڈلیاں": "لاڈلی",
"لاڈلیو": "لاڈلی",
"لاڈلیوں": "لاڈلی",
"لاٹھی": "لاٹھی",
"لاٹھیاں": "لاٹھی",
"لاٹھیو": "لاٹھی",
"لاٹھیوں": "لاٹھی",
"لاش": "لاش",
"لاشے": "لاشہ",
"لاشہ": "لاشہ",
"لاشو": "لاشہ",
"لاشوں": "لاشہ",
"لاشیں": "لاش",
"لال": "لال",
"لالے": "لالا",
"لالٹین": "لالٹین",
"لالٹینو": "لالٹین",
"لالٹینوں": "لالٹین",
"لالٹینیں": "لالٹین",
"لالا": "لالا",
"لالہ": "لالہ",
"لالو": "لالا",
"لالوں": "لالا",
"لانے": "لانا",
"لانا": "لانا",
"لانی": "لانا",
"لاری": "لاری",
"لاریاں": "لاری",
"لاریو": "لاری",
"لاریوں": "لاری",
"لات": "لات",
"لاتے": "لانا",
"لاتا": "لانا",
"لاتو": "لات",
"لاتوں": "لات",
"لاتی": "لانا",
"لاتیں": "لات",
"لاؤ": "لانا",
"لاؤں": "لانا",
"لائے": "لانا",
"لائق": "لائق",
"لائقو": "لائق",
"لائقوں": "لائق",
"لائی": "لانا",
"لائیے": "لانا",
"لائیں": "لانا",
"لائین": "لائین",
"لائینو": "لائین",
"لائینوں": "لائین",
"لائینیں": "لائین",
"لایا": "لانا",
"لازِمی": "لازِمی",
"لب": "لب",
"لبادے": "لبادہ",
"لبادہ": "لبادہ",
"لبادو": "لبادہ",
"لبادوں": "لبادہ",
"لباس": "لباس",
"لباسو": "لباس",
"لباسوں": "لباس",
"لبو": "لب",
"لبوں": "لب",
"لفافے": "لفافہ",
"لفافہ": "لفافہ",
"لفافو": "لفافہ",
"لفافوں": "لفافہ",
"لفنگے": "لفنگا",
"لفنگا": "لفنگا",
"لفنگو": "لفنگا",
"لفنگوں": "لفنگا",
"لفظ": "لفظ",
"لفظو": "لفظ",
"لفظوں": "لفظ",
"لگ": "لگنا",
"لگے": "لگنا",
"لگں": "لگنا",
"لگا": "لگنا",
"لگانے": "لگنا",
"لگانا": "لگنا",
"لگاتے": "لگنا",
"لگاتا": "لگنا",
"لگاتی": "لگنا",
"لگاتیں": "لگنا",
"لگاؤ": "لگنا",
"لگاؤں": "لگنا",
"لگائے": "لگنا",
"لگائی": "لگنا",
"لگائیے": "لگنا",
"لگائیں": "لگنا",
"لگایا": "لگنا",
"لگنے": "لگنا",
"لگنا": "لگنا",
"لگنی": "لگنا",
"لگتے": "لگنا",
"لگتا": "لگنا",
"لگتی": "لگنا",
"لگتیں": "لگنا",
"لگو": "لگنا",
"لگوں": "لگنا",
"لگوا": "لگنا",
"لگوانے": "لگنا",
"لگوانا": "لگنا",
"لگواتے": "لگنا",
"لگواتا": "لگنا",
"لگواتی": "لگنا",
"لگواتیں": "لگنا",
"لگواؤ": "لگنا",
"لگواؤں": "لگنا",
"لگوائے": "لگنا",
"لگوائی": "لگنا",
"لگوائیے": "لگنا",
"لگوائیں": "لگنا",
"لگوایا": "لگنا",
"لگی": "لگنا",
"لگیے": "لگنا",
"لگیں": "لگنا",
"لہجے": "لہجہ",
"لہجہ": "لہجہ",
"لہجو": "لہجہ",
"لہجوں": "لہجہ",
"لہلہا": "لہلہانا",
"لہلہانے": "لہلہانا",
"لہلہانا": "لہلہانا",
"لہلہانی": "لہلہانا",
"لہلہاتے": "لہلہانا",
"لہلہاتا": "لہلہانا",
"لہلہاتی": "لہلہانا",
"لہلہاتیں": "لہلہانا",
"لہلہاؤ": "لہلہانا",
"لہلہاؤں": "لہلہانا",
"لہلہائے": "لہلہانا",
"لہلہائی": "لہلہانا",
"لہلہائیے": "لہلہانا",
"لہلہائیں": "لہلہانا",
"لہلہایا": "لہلہانا",
"لہر": "لہر",
"لہرا": "لہرانا",
"لہرانے": "لہرانا",
"لہرانا": "لہرانا",
"لہرانی": "لہرانا",
"لہراتے": "لہرانا",
"لہراتا": "لہرانا",
"لہراتی": "لہرانا",
"لہراتیں": "لہرانا",
"لہراؤ": "لہرانا",
"لہراؤں": "لہرانا",
"لہرائے": "لہرانا",
"لہرائی": "لہرانا",
"لہرائیے": "لہرانا",
"لہرائیں": "لہرانا",
"لہرایا": "لہرانا",
"لہرو": "لہر",
"لہروں": "لہر",
"لہروا": "لہرانا",
"لہروانے": "لہرانا",
"لہروانا": "لہرانا",
"لہرواتے": "لہرانا",
"لہرواتا": "لہرانا",
"لہرواتی": "لہرانا",
"لہرواتیں": "لہرانا",
"لہرواؤ": "لہرانا",
"لہرواؤں": "لہرانا",
"لہروائے": "لہرانا",
"لہروائی": "لہرانا",
"لہروائیے": "لہرانا",
"لہروائیں": "لہرانا",
"لہروایا": "لہرانا",
"لہریں": "لہر",
"لکڑی": "لکڑی",
"لکڑیاں": "لکڑی",
"لکڑیو": "لکڑی",
"لکڑیوں": "لکڑی",
"لکچر": "لکچر",
"لکچرو": "لکچر",
"لکچروں": "لکچر",
"لکیر": "لکیر",
"لکیرو": "لکیر",
"لکیروں": "لکیر",
"لکیریں": "لکیر",
"لکھ": "لکھنا",
"لکھے": "لکھنا",
"لکھں": "لکھنا",
"لکھا": "لکھنا",
"لکھانے": "لکھنا",
"لکھانا": "لکھنا",
"لکھاری": "لکھاری",
"لکھاریو": "لکھاری",
"لکھاریوں": "لکھاری",
"لکھاتے": "لکھنا",
"لکھاتا": "لکھنا",
"لکھاتی": "لکھنا",
"لکھاتیں": "لکھنا",
"لکھاؤ": "لکھنا",
"لکھاؤں": "لکھنا",
"لکھائے": "لکھنا",
"لکھائی": "لکھنا",
"لکھائیے": "لکھنا",
"لکھائیں": "لکھنا",
"لکھایا": "لکھنا",
"لکھنے": "لکھنا",
"لکھنا": "لکھنا",
"لکھنو": "لکھنو",
"لکھنؤ": "لکھنؤ",
"لکھنوؤ": "لکھنو",
"لکھنوؤں": "لکھنو",
"لکھنی": "لکھنا",
"لکھتے": "لکھنا",
"لکھتا": "لکھنا",
"لکھتی": "لکھنا",
"لکھتیں": "لکھنا",
"لکھو": "لکھنا",
"لکھوں": "لکھنا",
"لکھوا": "لکھنا",
"لکھوانے": "لکھنا",
"لکھوانا": "لکھنا",
"لکھواتے": "لکھنا",
"لکھواتا": "لکھنا",
"لکھواتی": "لکھنا",
"لکھواتیں": "لکھنا",
"لکھواؤ": "لکھنا",
"لکھواؤں": "لکھنا",
"لکھوائے": "لکھنا",
"لکھوائی": "لکھنا",
"لکھوائیے": "لکھنا",
"لکھوائیں": "لکھنا",
"لکھوایا": "لکھنا",
"لکھی": "لکھنا",
"لکھیے": "لکھنا",
"لکھیں": "لکھنا",
"لمحے": "لمحہ",
"لمحہ": "لمحہ",
"لمحو": "لمحہ",
"لمحوں": "لمحہ",
"لنگڑ": "لنگڑنا",
"لنگڑے": "لنگڑنا",
"لنگڑں": "لنگڑنا",
"لنگڑا": "لنگڑنا",
"لنگڑانے": "لنگڑنا",
"لنگڑانا": "لنگڑنا",
"لنگڑاتے": "لنگڑنا",
"لنگڑاتا": "لنگڑنا",
"لنگڑاتی": "لنگڑنا",
"لنگڑاتیں": "لنگڑنا",
"لنگڑاؤ": "لنگڑنا",
"لنگڑاؤں": "لنگڑنا",
"لنگڑائے": "لنگڑنا",
"لنگڑائی": "لنگڑنا",
"لنگڑائیے": "لنگڑنا",
"لنگڑائیں": "لنگڑنا",
"لنگڑایا": "لنگڑنا",
"لنگڑنے": "لنگڑنا",
"لنگڑنا": "لنگڑنا",
"لنگڑنی": "لنگڑنا",
"لنگڑتے": "لنگڑنا",
"لنگڑتا": "لنگڑنا",
"لنگڑتی": "لنگڑنا",
"لنگڑتیں": "لنگڑنا",
"لنگڑو": "لنگڑنا",
"لنگڑوں": "لنگڑنا",
"لنگڑوا": "لنگڑنا",
"لنگڑوانے": "لنگڑنا",
"لنگڑوانا": "لنگڑنا",
"لنگڑواتے": "لنگڑنا",
"لنگڑواتا": "لنگڑنا",
"لنگڑواتی": "لنگڑنا",
"لنگڑواتیں": "لنگڑنا",
"لنگڑواؤ": "لنگڑنا",
"لنگڑواؤں": "لنگڑنا",
"لنگڑوائے": "لنگڑنا",
"لنگڑوائی": "لنگڑنا",
"لنگڑوائیے": "لنگڑنا",
"لنگڑوائیں": "لنگڑنا",
"لنگڑوایا": "لنگڑنا",
"لنگڑی": "لنگڑنا",
"لنگڑیے": "لنگڑنا",
"لنگڑیں": "لنگڑنا",
"لنگی": "لنگی",
"لنگیاں": "لنگی",
"لنگیو": "لنگی",
"لنگیوں": "لنگی",
"لپٹ": "لپٹ",
"لپٹے": "لپٹنا",
"لپٹں": "لپٹنا",
"لپٹا": "لپٹنا",
"لپٹانے": "لپٹنا",
"لپٹانا": "لپٹنا",
"لپٹاتے": "لپٹنا",
"لپٹاتا": "لپٹنا",
"لپٹاتی": "لپٹنا",
"لپٹاتیں": "لپٹنا",
"لپٹاؤ": "لپٹنا",
"لپٹاؤں": "لپٹنا",
"لپٹائے": "لپٹنا",
"لپٹائی": "لپٹنا",
"لپٹائیے": "لپٹنا",
"لپٹائیں": "لپٹنا",
"لپٹایا": "لپٹنا",
"لپٹنے": "لپٹنا",
"لپٹنا": "لپٹنا",
"لپٹنی": "لپٹنا",
"لپٹتے": "لپٹنا",
"لپٹتا": "لپٹنا",
"لپٹتی": "لپٹنا",
"لپٹتیں": "لپٹنا",
"لپٹو": "لپٹ",
"لپٹوں": "لپٹ",
"لپٹوا": "لپٹنا",
"لپٹوانے": "لپٹنا",
"لپٹوانا": "لپٹنا",
"لپٹواتے": "لپٹنا",
"لپٹواتا": "لپٹنا",
"لپٹواتی": "لپٹنا",
"لپٹواتیں": "لپٹنا",
"لپٹواؤ": "لپٹنا",
"لپٹواؤں": "لپٹنا",
"لپٹوائے": "لپٹنا",
"لپٹوائی": "لپٹنا",
"لپٹوائیے": "لپٹنا",
"لپٹوائیں": "لپٹنا",
"لپٹوایا": "لپٹنا",
"لپٹی": "لپٹنا",
"لپٹیے": "لپٹنا",
"لپٹیں": "لپٹ",
"لپک": "لپکنا",
"لپکے": "لپکا",
"لپکں": "لپکنا",
"لپکا": "لپکا",
"لپکانے": "لپکنا",
"لپکانا": "لپکنا",
"لپکاتے": "لپکنا",
"لپکاتا": "لپکنا",
"لپکاتی": "لپکنا",
"لپکاتیں": "لپکنا",
"لپکاؤ": "لپکنا",
"لپکاؤں": "لپکنا",
"لپکائے": "لپکنا",
"لپکائی": "لپکنا",
"لپکائیے": "لپکنا",
"لپکائیں": "لپکنا",
"لپکایا": "لپکنا",
"لپکنے": "لپکنا",
"لپکنا": "لپکنا",
"لپکنی": "لپکنا",
"لپکتے": "لپکنا",
"لپکتا": "لپکنا",
"لپکتی": "لپکنا",
"لپکتیں": "لپکنا",
"لپکو": "لپکا",
"لپکوں": "لپکا",
"لپکوا": "لپکنا",
"لپکوانے": "لپکنا",
"لپکوانا": "لپکنا",
"لپکواتے": "لپکنا",
"لپکواتا": "لپکنا",
"لپکواتی": "لپکنا",
"لپکواتیں": "لپکنا",
"لپکواؤ": "لپکنا",
"لپکواؤں": "لپکنا",
"لپکوائے": "لپکنا",
"لپکوائی": "لپکنا",
"لپکوائیے": "لپکنا",
"لپکوائیں": "لپکنا",
"لپکوایا": "لپکنا",
"لپکی": "لپکنا",
"لپکیے": "لپکنا",
"لپکیں": "لپکنا",
"لپیٹ": "لپیٹنا",
"لپیٹے": "لپیٹنا",
"لپیٹں": "لپیٹنا",
"لپیٹا": "لپیٹنا",
"لپیٹنے": "لپیٹنا",
"لپیٹنا": "لپیٹنا",
"لپیٹنی": "لپیٹنا",
"لپیٹتے": "لپیٹنا",
"لپیٹتا": "لپیٹنا",
"لپیٹتی": "لپیٹنا",
"لپیٹتیں": "لپیٹنا",
"لپیٹو": "لپیٹنا",
"لپیٹوں": "لپیٹنا",
"لپیٹی": "لپیٹنا",
"لپیٹیے": "لپیٹنا",
"لپیٹیں": "لپیٹنا",
"لقمے": "لقمہ",
"لقمہ": "لقمہ",
"لقمو": "لقمہ",
"لقموں": "لقمہ",
"لرز": "لرزنا",
"لرزے": "لرزہ",
"لرزں": "لرزنا",
"لرزا": "لرزنا",
"لرزانے": "لرزنا",
"لرزانا": "لرزنا",
"لرزاتے": "لرزنا",
"لرزاتا": "لرزنا",
"لرزاتی": "لرزنا",
"لرزاتیں": "لرزنا",
"لرزاؤ": "لرزنا",
"لرزاؤں": "لرزنا",
"لرزائے": "لرزنا",
"لرزائی": "لرزنا",
"لرزائیے": "لرزنا",
"لرزائیں": "لرزنا",
"لرزایا": "لرزنا",
"لرزہ": "لرزہ",
"لرزنے": "لرزنا",
"لرزنا": "لرزنا",
"لرزنی": "لرزنا",
"لرزتے": "لرزنا",
"لرزتا": "لرزنا",
"لرزتی": "لرزنا",
"لرزتیں": "لرزنا",
"لرزو": "لرزہ",
"لرزوں": "لرزہ",
"لرزوا": "لرزنا",
"لرزوانے": "لرزنا",
"لرزوانا": "لرزنا",
"لرزواتے": "لرزنا",
"لرزواتا": "لرزنا",
"لرزواتی": "لرزنا",
"لرزواتیں": "لرزنا",
"لرزواؤ": "لرزنا",
"لرزواؤں": "لرزنا",
"لرزوائے": "لرزنا",
"لرزوائی": "لرزنا",
"لرزوائیے": "لرزنا",
"لرزوائیں": "لرزنا",
"لرزوایا": "لرزنا",
"لرزی": "لرزنا",
"لرزیے": "لرزنا",
"لرزیں": "لرزنا",
"لو": "لینا",
"لوں": "لینا",
"لوٹ": "لوٹنا",
"لوٹے": "لوٹنا",
"لوٹں": "لوٹنا",
"لوٹا": "لوٹانا",
"لوٹانے": "لوٹانا",
"لوٹانا": "لوٹانا",
"لوٹانی": "لوٹانا",
"لوٹاتے": "لوٹانا",
"لوٹاتا": "لوٹانا",
"لوٹاتی": "لوٹانا",
"لوٹاتیں": "لوٹانا",
"لوٹاؤ": "لوٹانا",
"لوٹاؤں": "لوٹانا",
"لوٹائے": "لوٹانا",
"لوٹائی": "لوٹانا",
"لوٹائیے": "لوٹانا",
"لوٹائیں": "لوٹانا",
"لوٹایا": "لوٹانا",
"لوٹنے": "لوٹنا",
"لوٹنا": "لوٹنا",
"لوٹنی": "لوٹنا",
"لوٹتے": "لوٹنا",
"لوٹتا": "لوٹنا",
"لوٹتی": "لوٹنا",
"لوٹتیں": "لوٹنا",
"لوٹو": "لوٹنا",
"لوٹوں": "لوٹنا",
"لوٹوا": "لوٹانا",
"لوٹوانے": "لوٹانا",
"لوٹوانا": "لوٹانا",
"لوٹواتے": "لوٹانا",
"لوٹواتا": "لوٹانا",
"لوٹواتی": "لوٹانا",
"لوٹواتیں": "لوٹانا",
"لوٹواؤ": "لوٹانا",
"لوٹواؤں": "لوٹانا",
"لوٹوائے": "لوٹانا",
"لوٹوائی": "لوٹانا",
"لوٹوائیے": "لوٹانا",
"لوٹوائیں": "لوٹانا",
"لوٹوایا": "لوٹانا",
"لوٹی": "لوٹنا",
"لوٹیے": "لوٹنا",
"لوٹیں": "لوٹنا",
"لوگ": "لوگ",
"لوگو": "لوگ",
"لوگوں": "لوگ",
"لوہار": "لوہار",
"لوہارو": "لوہار",
"لوہاروں": "لوہار",
"لولے": "لولا",
"لولا": "لولا",
"لولو": "لولا",
"لولوں": "لولا",
"لونڈے": "لونڈا",
"لونڈا": "لونڈا",
"لونڈو": "لونڈا",
"لونڈوں": "لونڈا",
"لونڈی": "لونڈی",
"لونڈیا": "لونڈیا",
"لونڈیاں": "لونڈی",
"لونڈیو": "لونڈی",
"لونڈیوں": "لونڈی",
"لونگ": "لونگ",
"لونگو": "لونگ",
"لونگوں": "لونگ",
"لوری": "لوری",
"لوریاں": "لوری",
"لوریو": "لوری",
"لوریوں": "لوری",
"لوئی": "لوئی",
"لوئیو": "لوئی",
"لوئیوں": "لوئی",
"لی": "لینا",
"لیڈر": "لیڈر",
"لیڈرو": "لیڈر",
"لیڈروں": "لیڈر",
"لیے": "لینا",
"لیں": "لینا",
"لیٹ": "لیٹنا",
"لیٹے": "لیٹنا",
"لیٹں": "لیٹنا",
"لیٹا": "لیٹنا",
"لیٹانے": "لیٹنا",
"لیٹانا": "لیٹنا",
"لیٹاتے": "لیٹنا",
"لیٹاتا": "لیٹنا",
"لیٹاتی": "لیٹنا",
"لیٹاتیں": "لیٹنا",
"لیٹاؤ": "لیٹنا",
"لیٹاؤں": "لیٹنا",
"لیٹائے": "لیٹنا",
"لیٹائی": "لیٹنا",
"لیٹائیے": "لیٹنا",
"لیٹائیں": "لیٹنا",
"لیٹایا": "لیٹنا",
"لیٹنے": "لیٹنا",
"لیٹنا": "لیٹنا",
"لیٹنی": "لیٹنا",
"لیٹتے": "لیٹنا",
"لیٹتا": "لیٹنا",
"لیٹتی": "لیٹنا",
"لیٹتیں": "لیٹنا",
"لیٹو": "لیٹنا",
"لیٹوں": "لیٹنا",
"لیٹوا": "لیٹنا",
"لیٹوانے": "لیٹنا",
"لیٹوانا": "لیٹنا",
"لیٹواتے": "لیٹنا",
"لیٹواتا": "لیٹنا",
"لیٹواتی": "لیٹنا",
"لیٹواتیں": "لیٹنا",
"لیٹواؤ": "لیٹنا",
"لیٹواؤں": "لیٹنا",
"لیٹوائے": "لیٹنا",
"لیٹوائی": "لیٹنا",
"لیٹوائیے": "لیٹنا",
"لیٹوائیں": "لیٹنا",
"لیٹوایا": "لیٹنا",
"لیٹی": "لیٹنا",
"لیٹیے": "لیٹنا",
"لیٹیں": "لیٹنا",
"لیا": "لینا",
"لیبارٹری": "لیبارٹری",
"لیبارٹریاں": "لیبارٹری",
"لیبارٹریو": "لیبارٹری",
"لیبارٹریوں": "لیبارٹری",
"لیبل": "لیبل",
"لیبلو": "لیبل",
"لیبلوں": "لیبل",
"لیکچر": "لیکچر",
"لیکچرو": "لیکچر",
"لیکچروں": "لیکچر",
"لیکن": "لیکن",
"لیلے": "لیلہ",
"لیلہ": "لیلہ",
"لیلو": "لیلہ",
"لیلوں": "لیلہ",
"لیمپ": "لیمپ",
"لیمپو": "لیمپ",
"لیمپوں": "لیمپ",
"لینے": "لینا",
"لینا": "لینا",
"لینی": "لینا",
"لیتے": "لینا",
"لیتا": "لینا",
"لیتی": "لینا",
"لیتیں": "لینا",
"لطافت": "لطافت",
"لطافتو": "لطافت",
"لطافتوں": "لطافت",
"لطافتیں": "لطافت",
"لطیف": "لطیف",
"لطیفے": "لطیفہ",
"لطیفہ": "لطیفہ",
"لطیفو": "لطیفہ",
"لطیفوں": "لطیفہ",
"مَحَبَّت": "مَحَبَّت",
"مَحَبَّتو": "مَحَبَّت",
"مَحَبَّتوں": "مَحَبَّت",
"مَحَبَّتیں": "مَحَبَّت",
"مَہْنْگے": "مَہْنْگا",
"مَہْنْگا": "مَہْنْگا",
"مَہْنْگی": "مَہْنْگا",
"مَر": "مَرْنا",
"مَرْں": "مَرْنا",
"مَرْد": "مَرْد",
"مَرْدو": "مَرْد",
"مَرْدوں": "مَرْد",
"مَرْنے": "مَرْنا",
"مَرْنا": "مَرْنا",
"مَرْنی": "مَرْنا",
"مَرْتے": "مَرْنا",
"مَرْتا": "مَرْنا",
"مَرْتی": "مَرْنا",
"مَرْتیں": "مَرْنا",
"مَرْوا": "مَرْنا",
"مَرْوانے": "مَرْنا",
"مَرْوانا": "مَرْنا",
"مَرْواتے": "مَرْنا",
"مَرْواتا": "مَرْنا",
"مَرْواتی": "مَرْنا",
"مَرْواتیں": "مَرْنا",
"مَرْواؤ": "مَرْنا",
"مَرْواؤں": "مَرْنا",
"مَرْوائے": "مَرْنا",
"مَرْوائی": "مَرْنا",
"مَرْوائیے": "مَرْنا",
"مَرْوائیں": "مَرْنا",
"مَرْوایا": "مَرْنا",
"مَرے": "مَرْنا",
"مَرا": "مَرْنا",
"مَرد": "مَرد",
"مَردو": "مَرد",
"مَردوں": "مَرد",
"مَرو": "مَرْنا",
"مَروں": "مَرْنا",
"مَری": "مَرْنا",
"مَریے": "مَرْنا",
"مَریں": "مَرْنا",
"میں": "میں",
"مِٹ": "مِٹنا",
"مِٹے": "مِٹنا",
"مِٹں": "مِٹنا",
"مِٹا": "مِٹنا",
"مِٹانے": "مِٹنا",
"مِٹانا": "مِٹنا",
"مِٹاتے": "مِٹنا",
"مِٹاتا": "مِٹنا",
"مِٹاتی": "مِٹنا",
"مِٹاتیں": "مِٹنا",
"مِٹاؤ": "مِٹنا",
"مِٹاؤں": "مِٹنا",
"مِٹائے": "مِٹنا",
"مِٹائی": "مِٹنا",
"مِٹائیے": "مِٹنا",
"مِٹائیں": "مِٹنا",
"مِٹایا": "مِٹنا",
"مِٹنے": "مِٹنا",
"مِٹنا": "مِٹنا",
"مِٹنی": "مِٹنا",
"مِٹتے": "مِٹنا",
"مِٹتا": "مِٹنا",
"مِٹتی": "مِٹنا",
"مِٹتیں": "مِٹنا",
"مِٹو": "مِٹنا",
"مِٹوں": "مِٹنا",
"مِٹوا": "مِٹنا",
"مِٹوانے": "مِٹنا",
"مِٹوانا": "مِٹنا",
"مِٹواتے": "مِٹنا",
"مِٹواتا": "مِٹنا",
"مِٹواتی": "مِٹنا",
"مِٹواتیں": "مِٹنا",
"مِٹواؤ": "مِٹنا",
"مِٹواؤں": "مِٹنا",
"مِٹوائے": "مِٹنا",
"مِٹوائی": "مِٹنا",
"مِٹوائیے": "مِٹنا",
"مِٹوائیں": "مِٹنا",
"مِٹوایا": "مِٹنا",
"مِٹی": "مِٹنا",
"مِٹیے": "مِٹنا",
"مِٹیں": "مِٹنا",
"مِل": "مِلنا",
"مِلْں": "مِلْنا",
"مِلْنے": "مِلْنا",
"مِلْنا": "مِلْنا",
"مِلْنی": "مِلْنا",
"مِلْتے": "مِلْنا",
"مِلْتا": "مِلْنا",
"مِلْتی": "مِلْنا",
"مِلْتیں": "مِلْنا",
"مِلْوا": "مِلْنا",
"مِلْوانے": "مِلْنا",
"مِلْوانا": "مِلْنا",
"مِلْواتے": "مِلْنا",
"مِلْواتا": "مِلْنا",
"مِلْواتی": "مِلْنا",
"مِلْواتیں": "مِلْنا",
"مِلْواؤ": "مِلْنا",
"مِلْواؤں": "مِلْنا",
"مِلْوائے": "مِلْنا",
"مِلْوائی": "مِلْنا",
"مِلْوائیے": "مِلْنا",
"مِلْوائیں": "مِلْنا",
"مِلْوایا": "مِلْنا",
"مِلے": "مِلنا",
"مِلں": "مِلنا",
"مِلا": "مِلنا",
"مِلانے": "مِلنا",
"مِلانا": "مِلنا",
"مِلاتے": "مِلنا",
"مِلاتا": "مِلنا",
"مِلاتی": "مِلنا",
"مِلاتیں": "مِلنا",
"مِلاؤ": "مِلنا",
"مِلاؤں": "مِلنا",
"مِلائے": "مِلنا",
"مِلائی": "مِلنا",
"مِلائیے": "مِلنا",
"مِلائیں": "مِلنا",
"مِلایا": "مِلنا",
"مِلنے": "مِلنا",
"مِلنا": "مِلنا",
"مِلنی": "مِلنا",
"مِلتے": "مِلنا",
"مِلتا": "مِلنا",
"مِلتی": "مِلنا",
"مِلتیں": "مِلنا",
"مِلو": "مِلنا",
"مِلوں": "مِلنا",
"مِلوا": "مِلنا",
"مِلوانے": "مِلنا",
"مِلوانا": "مِلنا",
"مِلواتے": "مِلنا",
"مِلواتا": "مِلنا",
"مِلواتی": "مِلنا",
"مِلواتیں": "مِلنا",
"مِلواؤ": "مِلنا",
"مِلواؤں": "مِلنا",
"مِلوائے": "مِلنا",
"مِلوائی": "مِلنا",
"مِلوائیے": "مِلنا",
"مِلوائیں": "مِلنا",
"مِلوایا": "مِلنا",
"مِلی": "مِلنا",
"مِلیے": "مِلنا",
"مِلیں": "مِلنا",
"مُجْھ": "میں",
"مُجرم": "مُجرم",
"مُجرمو": "مُجرم",
"مُجرموں": "مُجرم",
"مُلک": "مُلک",
"مُلکو": "مُلک",
"مُلکوں": "مُلک",
"مُنے": "مُنہ",
"مُنہ": "مُنہ",
"مُنو": "مُنہ",
"مُنوں": "مُنہ",
"مُرغی": "مُرغی",
"مُرغیاں": "مُرغی",
"مُرغیو": "مُرغی",
"مُرغیوں": "مُرغی",
"مُردے": "مُردہ",
"مُردہ": "مُردہ",
"مُردو": "مُردہ",
"مُردوں": "مُردہ",
"مُسلمان": "مُسلمان",
"مُسلمانو": "مُسلمان",
"مُسلمانوں": "مُسلمان",
"مُونا": "مُونا",
"مثال": "مثال",
"مثالو": "مثال",
"مثالوں": "مثال",
"مثالیں": "مثال",
"مثنوی": "مثنوی",
"مثنویاں": "مثنوی",
"مثنویو": "مثنوی",
"مثنویوں": "مثنوی",
"مغالطے": "مغالطہ",
"مغالطہ": "مغالطہ",
"مغالطو": "مغالطہ",
"مغالطوں": "مغالطہ",
"مغرب": "مغرب",
"مغربو": "مغرب",
"مغربوں": "مغرب",
"محاذ": "محاذ",
"محاذو": "محاذ",
"محاذوں": "محاذ",
"محالے": "محالہ",
"محالہ": "محالہ",
"محالو": "محالہ",
"محالوں": "محالہ",
"محاورے": "محاورا",
"محاورا": "محاورا",
"محاورہ": "محاورہ",
"محاورو": "محاورا",
"محاوروں": "محاورا",
"محب": "محب",
"محبت": "محبت",
"محبتو": "محبت",
"محبتوں": "محبت",
"محبتیں": "محبت",
"محبو": "محب",
"محبوں": "محب",
"محفل": "محفل",
"محفلو": "محفل",
"محفلوں": "محفل",
"محفلیں": "محفل",
"محکمے": "محکمہ",
"محکمہ": "محکمہ",
"محکمو": "محکمہ",
"محکموں": "محکمہ",
"محکوم": "محکوم",
"محکومو": "محکوم",
"محکوموں": "محکوم",
"محل": "محل",
"محلّے": "محلّہ",
"محلّہ": "محلّہ",
"محلّو": "محلّہ",
"محلّوں": "محلّہ",
"محلے": "محلہ",
"محلہ": "محلہ",
"محلو": "محلہ",
"محلوں": "محلہ",
"محمود": "محمود",
"محمودو": "محمود",
"محمودوں": "محمود",
"محراب": "محراب",
"محرابو": "محراب",
"محرابوں": "محراب",
"محرابیں": "محراب",
"محرومی": "محرومی",
"محرومیاں": "محرومی",
"محرومیو": "محرومی",
"محرومیوں": "محرومی",
"محسن": "محسن",
"محسنو": "محسن",
"محسنوں": "محسن",
"محتاج": "محتاج",
"محتاجو": "محتاج",
"محتاجوں": "محتاج",
"مخالف": "مخالف",
"مخالفو": "مخالف",
"مخالفوں": "مخالف",
"مڑ": "مڑنا",
"مڑے": "مڑنا",
"مڑں": "مڑنا",
"مڑا": "مڑنا",
"مڑانے": "مڑنا",
"مڑانا": "مڑنا",
"مڑاتے": "مڑنا",
"مڑاتا": "مڑنا",
"مڑاتی": "مڑنا",
"مڑاتیں": "مڑنا",
"مڑاؤ": "مڑنا",
"مڑاؤں": "مڑنا",
"مڑائے": "مڑنا",
"مڑائی": "مڑنا",
"مڑائیے": "مڑنا",
"مڑائیں": "مڑنا",
"مڑایا": "مڑنا",
"مڑنے": "مڑنا",
"مڑنا": "مڑنا",
"مڑنی": "مڑنا",
"مڑتے": "مڑنا",
"مڑتا": "مڑنا",
"مڑتی": "مڑنا",
"مڑتیں": "مڑنا",
"مڑو": "مڑنا",
"مڑوں": "مڑنا",
"مڑوا": "مڑنا",
"مڑوانے": "مڑنا",
"مڑوانا": "مڑنا",
"مڑواتے": "مڑنا",
"مڑواتا": "مڑنا",
"مڑواتی": "مڑنا",
"مڑواتیں": "مڑنا",
"مڑواؤ": "مڑنا",
"مڑواؤں": "مڑنا",
"مڑوائے": "مڑنا",
"مڑوائی": "مڑنا",
"مڑوائیے": "مڑنا",
"مڑوائیں": "مڑنا",
"مڑوایا": "مڑنا",
"مڑی": "مڑنا",
"مڑیے": "مڑنا",
"مڑیں": "مڑنا",
"مصاحب": "مصاحب",
"مصاحبے": "مصاحبہ",
"مصاحبہ": "مصاحبہ",
"مصاحبو": "مصاحبہ",
"مصاحبوں": "مصاحبہ",
"مصافحے": "مصافحہ",
"مصافحہ": "مصافحہ",
"مصافحو": "مصافحہ",
"مصافحوں": "مصافحہ",
"مصالحے": "مصالحہ",
"مصالحہ": "مصالحہ",
"مصالحو": "مصالحہ",
"مصالحوں": "مصالحہ",
"مصبت": "مصبت",
"مصبتو": "مصبت",
"مصبتوں": "مصبت",
"مصبتیں": "مصبت",
"مصلحت": "مصلحت",
"مصلحتو": "مصلحت",
"مصلحتوں": "مصلحت",
"مصلحتیں": "مصلحت",
"مصرع": "مصرع",
"مصرعے": "مصرع",
"مصرعہ": "مصرعہ",
"مصرعو": "مصرع",
"مصرعوں": "مصرع",
"مصروفیت": "مصروفیت",
"مصروفیتو": "مصروفیت",
"مصروفیتوں": "مصروفیت",
"مصروفیتیں": "مصروفیت",
"مصور": "مصور",
"مصورو": "مصور",
"مصوروں": "مصور",
"مصیبت": "مصیبت",
"مصیبتو": "مصیبت",
"مصیبتوں": "مصیبت",
"مصیبتیں": "مصیبت",
"مٹ": "مٹنا",
"مٹے": "مٹنا",
"مٹں": "مٹنا",
"مٹا": "مٹنا",
"مٹانے": "مٹنا",
"مٹانا": "مٹنا",
"مٹاتے": "مٹنا",
"مٹاتا": "مٹنا",
"مٹاتی": "مٹنا",
"مٹاتیں": "مٹنا",
"مٹاؤ": "مٹنا",
"مٹاؤں": "مٹنا",
"مٹائے": "مٹنا",
"مٹائی": "مٹنا",
"مٹائیے": "مٹنا",
"مٹائیں": "مٹنا",
"مٹایا": "مٹنا",
"مٹک": "مٹکنا",
"مٹکے": "مٹکنا",
"مٹکں": "مٹکنا",
"مٹکا": "مٹکنا",
"مٹکانے": "مٹکنا",
"مٹکانا": "مٹکنا",
"مٹکاتے": "مٹکنا",
"مٹکاتا": "مٹکنا",
"مٹکاتی": "مٹکنا",
"مٹکاتیں": "مٹکنا",
"مٹکاؤ": "مٹکنا",
"مٹکاؤں": "مٹکنا",
"مٹکائے": "مٹکنا",
"مٹکائی": "مٹکنا",
"مٹکائیے": "مٹکنا",
"مٹکائیں": "مٹکنا",
"مٹکایا": "مٹکنا",
"مٹکنے": "مٹکنا",
"مٹکنا": "مٹکنا",
"مٹکنی": "مٹکنا",
"مٹکتے": "مٹکنا",
"مٹکتا": "مٹکنا",
"مٹکتی": "مٹکنا",
"مٹکتیں": "مٹکنا",
"مٹکو": "مٹکنا",
"مٹکوں": "مٹکنا",
"مٹکوا": "مٹکنا",
"مٹکوانے": "مٹکنا",
"مٹکوانا": "مٹکنا",
"مٹکواتے": "مٹکنا",
"مٹکواتا": "مٹکنا",
"مٹکواتی": "مٹکنا",
"مٹکواتیں": "مٹکنا",
"مٹکواؤ": "مٹکنا",
"مٹکواؤں": "مٹکنا",
"مٹکوائے": "مٹکنا",
"مٹکوائی": "مٹکنا",
"مٹکوائیے": "مٹکنا",
"مٹکوائیں": "مٹکنا",
"مٹکوایا": "مٹکنا",
"مٹکی": "مٹکی",
"مٹکیے": "مٹکنا",
"مٹکیں": "مٹکنا",
"مٹکیاں": "مٹکی",
"مٹکیو": "مٹکی",
"مٹکیوں": "مٹکی",
"مٹنے": "مٹنا",
"مٹنا": "مٹنا",
"مٹنی": "مٹنا",
"مٹر": "مٹر",
"مٹرو": "مٹر",
"مٹروں": "مٹر",
"مٹتے": "مٹنا",
"مٹتا": "مٹنا",
"مٹتی": "مٹنا",
"مٹتیں": "مٹنا",
"مٹو": "مٹنا",
"مٹوں": "مٹنا",
"مٹوا": "مٹنا",
"مٹوانے": "مٹنا",
"مٹوانا": "مٹنا",
"مٹواتے": "مٹنا",
"مٹواتا": "مٹنا",
"مٹواتی": "مٹنا",
"مٹواتیں": "مٹنا",
"مٹواؤ": "مٹنا",
"مٹواؤں": "مٹنا",
"مٹوائے": "مٹنا",
"مٹوائی": "مٹنا",
"مٹوائیے": "مٹنا",
"مٹوائیں": "مٹنا",
"مٹوایا": "مٹنا",
"مٹی": "مٹنا",
"مٹیے": "مٹنا",
"مٹیں": "مٹنا",
"مٹھے": "مٹھا",
"مٹھا": "مٹھا",
"مٹھائی": "مٹھائی",
"مٹھائیاں": "مٹھائی",
"مٹھائیو": "مٹھائی",
"مٹھائیوں": "مٹھائی",
"مٹھو": "مٹھا",
"مٹھوں": "مٹھا",
"مٹھی": "مٹھی",
"مٹھیاں": "مٹھی",
"مٹھیو": "مٹھی",
"مٹھیوں": "مٹھی",
"مشغلے": "مشغلہ",
"مشغلہ": "مشغلہ",
"مشغلو": "مشغلہ",
"مشغلوں": "مشغلہ",
"مشابہت": "مشابہت",
"مشابہتو": "مشابہت",
"مشابہتوں": "مشابہت",
"مشابہتیں": "مشابہت",
"مشاعرے": "مشاعرہ",
"مشاعرہ": "مشاعرہ",
"مشاعرو": "مشاعرہ",
"مشاعروں": "مشاعرہ",
"مشاہدے": "مشاہدہ",
"مشاہدہ": "مشاہدہ",
"مشاہدو": "مشاہدہ",
"مشاہدوں": "مشاہدہ",
"مشاہرے": "مشاہرہ",
"مشاہرہ": "مشاہرہ",
"مشاہرو": "مشاہرہ",
"مشاہروں": "مشاہرہ",
"مشک": "مشک",
"مشکل": "مشکل",
"مشکلو": "مشکل",
"مشکلوں": "مشکل",
"مشکلیں": "مشکل",
"مشکو": "مشک",
"مشکوں": "مشک",
"مشکیں": "مشک",
"مشق": "مشق",
"مشقت": "مشقت",
"مشقتو": "مشقت",
"مشقتوں": "مشقت",
"مشقتیں": "مشقت",
"مشقو": "مشق",
"مشقوں": "مشق",
"مشقیں": "مشق",
"مشرک": "مشرک",
"مشرکے": "مشرکہ",
"مشرکہ": "مشرکہ",
"مشرکو": "مشرکہ",
"مشرکوں": "مشرکہ",
"مشرق": "مشرق",
"مشرقو": "مشرق",
"مشرقوں": "مشرق",
"مشور": "مشور",
"مشورے": "مشورہ",
"مشورہ": "مشورہ",
"مشورو": "مشورہ",
"مشوروں": "مشورہ",
"مشین": "مشین",
"مشینو": "مشین",
"مشینوں": "مشین",
"مشینیں": "مشین",
"مشیر": "مشیر",
"مشیرے": "مشیرہ",
"مشیرہ": "مشیرہ",
"مشیرو": "مشیرہ",
"مشیروں": "مشیرہ",
"مذہب": "مذہب",
"مذہبو": "مذہب",
"مذہبوں": "مذہب",
"ماڈل": "ماڈل",
"ماڈلو": "ماڈل",
"ماڈلوں": "ماڈل",
"ماڈلیں": "ماڈل",
"ماخذ": "ماخذ",
"ماخذو": "ماخذ",
"ماخذوں": "ماخذ",
"ماں": "ماں",
"ماشے": "ماشہ",
"ماشہ": "ماشہ",
"ماشو": "ماشہ",
"ماشوں": "ماشہ",
"مادّے": "مادّہ",
"مادّہ": "مادّہ",
"مادّو": "مادّہ",
"مادّوں": "مادّہ",
"مادے": "مادہ",
"مادہ": "مادہ",
"مادو": "مادہ",
"مادوں": "مادہ",
"ماہنامے": "ماہنامہ",
"ماہنامہ": "ماہنامہ",
"ماہنامو": "ماہنامہ",
"ماہناموں": "ماہنامہ",
"مال": "مال",
"مالَن": "مالَن",
"مالَنو": "مالَن",
"مالَنوں": "مالَن",
"مالَنیں": "مالَن",
"مالِن": "مالِن",
"مالِنو": "مالِن",
"مالِنوں": "مالِن",
"مالِنیں": "مالِن",
"مالا": "مالا",
"مالاؤ": "مالا",
"مالاؤں": "مالا",
"مالائیں": "مالا",
"مالدار": "مالدار",
"مالدارو": "مالدار",
"مالداروں": "مالدار",
"مالک": "مالک",
"مالکو": "مالک",
"مالکوں": "مالک",
"مالو": "مال",
"مالوں": "مال",
"ماما": "ماما",
"ماماؤ": "ماما",
"ماماؤں": "ماما",
"مامائیں": "ماما",
"مان": "ماننا",
"مانے": "ماننا",
"مانں": "ماننا",
"مانا": "ماننا",
"ماندے": "ماندہ",
"ماندہ": "ماندہ",
"ماندو": "ماندہ",
"ماندوں": "ماندہ",
"مانگ": "مانگ",
"مانگے": "مانگنا",
"مانگں": "مانگنا",
"مانگا": "مانگنا",
"مانگانے": "مانگنا",
"مانگانا": "مانگنا",
"مانگاتے": "مانگنا",
"مانگاتا": "مانگنا",
"مانگاتی": "مانگنا",
"مانگاتیں": "مانگنا",
"مانگاؤ": "مانگنا",
"مانگاؤں": "مانگنا",
"مانگائے": "مانگنا",
"مانگائی": "مانگنا",
"مانگائیے": "مانگنا",
"مانگائیں": "مانگنا",
"مانگایا": "مانگنا",
"مانگنے": "مانگنا",
"مانگنا": "مانگنا",
"مانگنی": "مانگنا",
"مانگتے": "مانگنا",
"مانگتا": "مانگنا",
"مانگتی": "مانگنا",
"مانگتیں": "مانگنا",
"مانگو": "مانگ",
"مانگوں": "مانگ",
"مانگوا": "مانگنا",
"مانگوانے": "مانگنا",
"مانگوانا": "مانگنا",
"مانگواتے": "مانگنا",
"مانگواتا": "مانگنا",
"مانگواتی": "مانگنا",
"مانگواتیں": "مانگنا",
"مانگواؤ": "مانگنا",
"مانگواؤں": "مانگنا",
"مانگوائے": "مانگنا",
"مانگوائی": "مانگنا",
"مانگوائیے": "مانگنا",
"مانگوائیں": "مانگنا",
"مانگوایا": "مانگنا",
"مانگی": "مانگنا",
"مانگیے": "مانگنا",
"مانگیں": "مانگ",
"مانجھ": "مانجھنا",
"مانجھے": "مانجھنا",
"مانجھں": "مانجھنا",
"مانجھا": "مانجھنا",
"مانجھنے": "مانجھنا",
"مانجھنا": "مانجھنا",
"مانجھنی": "مانجھنا",
"مانجھتے": "مانجھنا",
"مانجھتا": "مانجھنا",
"مانجھتی": "مانجھنا",
"مانجھتیں": "مانجھنا",
"مانجھو": "مانجھنا",
"مانجھوں": "مانجھنا",
"مانجھی": "مانجھنا",
"مانجھیے": "مانجھنا",
"مانجھیں": "مانجھنا",
"ماننے": "ماننا",
"ماننا": "ماننا",
"ماننی": "ماننا",
"مانتے": "ماننا",
"مانتا": "ماننا",
"مانتی": "ماننا",
"مانتیں": "ماننا",
"مانو": "ماننا",
"مانوں": "ماننا",
"مانی": "ماننا",
"مانیے": "ماننا",
"مانیں": "ماننا",
"مار": "مار",
"مارے": "مَرْنا",
"مارں": "مَرْنا",
"مارا": "مَرْنا",
"مارکیٹ": "مارکیٹ",
"مارکیٹو": "مارکیٹ",
"مارکیٹوں": "مارکیٹ",
"مارکیٹیں": "مارکیٹ",
"مارنے": "مَرْنا",
"مارنا": "مَرْنا",
"مارتے": "مَرْنا",
"مارتا": "مَرْنا",
"مارتی": "مَرْنا",
"مارتیں": "مَرْنا",
"مارو": "مار",
"ماروں": "مار",
"ماری": "مَرْنا",
"ماریے": "مَرْنا",
"ماریں": "مار",
"ماریا": "ماریا",
"ماریہ": "ماریہ",
"ماسٹر": "ماسٹر",
"ماسٹرو": "ماسٹر",
"ماسٹروں": "ماسٹر",
"ماسک": "ماسک",
"ماسکو": "ماسک",
"ماسکوں": "ماسک",
"ماسی": "ماسی",
"ماسیاں": "ماسی",
"ماسیو": "ماسی",
"ماسیوں": "ماسی",
"ماتمی": "ماتمی",
"ماتمیو": "ماتمی",
"ماتمیوں": "ماتمی",
"ماؤ": "ماں",
"ماؤں": "ماں",
"مائی": "مائی",
"مائیں": "ماں",
"مائیاں": "مائی",
"مائیو": "مائی",
"مائیوں": "مائی",
"مایوسی": "مایوسی",
"مایوسیاں": "مایوسی",
"مایوسیو": "مایوسی",
"مایوسیوں": "مایوسی",
"ماضی": "ماضی",
"ماضیو": "ماضی",
"ماضیوں": "ماضی",
"مباحث": "مباحث",
"مباحثے": "مباحثہ",
"مباحثہ": "مباحثہ",
"مباحثو": "مباحثہ",
"مباحثوں": "مباحثہ",
"مبالغے": "مبالغہ",
"مبالغہ": "مبالغہ",
"مبالغو": "مبالغہ",
"مبالغوں": "مبالغہ",
"مچ": "مچنا",
"مچے": "مچنا",
"مچں": "مچنا",
"مچا": "مچانا",
"مچانے": "مچانا",
"مچانا": "مچانا",
"مچانی": "مچانا",
"مچاتے": "مچانا",
"مچاتا": "مچانا",
"مچاتی": "مچانا",
"مچاتیں": "مچانا",
"مچاؤ": "مچانا",
"مچاؤں": "مچانا",
"مچائے": "مچانا",
"مچائی": "مچانا",
"مچائیے": "مچانا",
"مچائیں": "مچانا",
"مچایا": "مچانا",
"مچل": "مچلنا",
"مچلے": "مچلنا",
"مچلں": "مچلنا",
"مچلا": "مچلنا",
"مچلانے": "مچلنا",
"مچلانا": "مچلنا",
"مچلاتے": "مچلنا",
"مچلاتا": "مچلنا",
"مچلاتی": "مچلنا",
"مچلاتیں": "مچلنا",
"مچلاؤ": "مچلنا",
"مچلاؤں": "مچلنا",
"مچلائے": "مچلنا",
"مچلائی": "مچلنا",
"مچلائیے": "مچلنا",
"مچلائیں": "مچلنا",
"مچلایا": "مچلنا",
"مچلنے": "مچلنا",
"مچلنا": "مچلنا",
"مچلنی": "مچلنا",
"مچلتے": "مچلنا",
"مچلتا": "مچلنا",
"مچلتی": "مچلنا",
"مچلتیں": "مچلنا",
"مچلو": "مچلنا",
"مچلوں": "مچلنا",
"مچلوا": "مچلنا",
"مچلوانے": "مچلنا",
"مچلوانا": "مچلنا",
"مچلواتے": "مچلنا",
"مچلواتا": "مچلنا",
"مچلواتی": "مچلنا",
"مچلواتیں": "مچلنا",
"مچلواؤ": "مچلنا",
"مچلواؤں": "مچلنا",
"مچلوائے": "مچلنا",
"مچلوائی": "مچلنا",
"مچلوائیے": "مچلنا",
"مچلوائیں": "مچلنا",
"مچلوایا": "مچلنا",
"مچلی": "مچلنا",
"مچلیے": "مچلنا",
"مچلیں": "مچلنا",
"مچنے": "مچنا",
"مچنا": "مچنا",
"مچنی": "مچنا",
"مچتے": "مچنا",
"مچتا": "مچنا",
"مچتی": "مچنا",
"مچتیں": "مچنا",
"مچو": "مچنا",
"مچوں": "مچنا",
"مچوا": "مچنا",
"مچوانے": "مچنا",
"مچوانا": "مچنا",
"مچواتے": "مچنا",
"مچواتا": "مچنا",
"مچواتی": "مچنا",
"مچواتیں": "مچنا",
"مچواؤ": "مچنا",
"مچواؤں": "مچنا",
"مچوائے": "مچنا",
"مچوائی": "مچنا",
"مچوائیے": "مچنا",
"مچوائیں": "مچنا",
"مچوایا": "مچنا",
"مچولی": "مچولی",
"مچولیاں": "مچولی",
"مچولیو": "مچولی",
"مچولیوں": "مچولی",
"مچی": "مچنا",
"مچیے": "مچنا",
"مچیں": "مچنا",
"مچھلی": "مچھلی",
"مچھلیاں": "مچھلی",
"مچھلیو": "مچھلی",
"مچھلیوں": "مچھلی",
"مچھر": "مچھر",
"مچھرو": "مچھر",
"مچھروں": "مچھر",
"مدّت": "مدّت",
"مدّتو": "مدّت",
"مدّتوں": "مدّت",
"مدّتیں": "مدّت",
"مدار": "مدار",
"مدارات": "مدار",
"مدارو": "مدار",
"مداروں": "مدار",
"مددگار": "مددگار",
"مددگارو": "مددگار",
"مددگاروں": "مددگار",
"مدرس": "مدرس",
"مدرسے": "مدرسہ",
"مدرسہ": "مدرسہ",
"مدرسو": "مدرسہ",
"مدرسوں": "مدرسہ",
"مدت": "مدت",
"مدتو": "مدت",
"مدتوں": "مدت",
"مدتیں": "مدت",
"مدینے": "مدینہ",
"مدینہ": "مدینہ",
"مدینو": "مدینہ",
"مدینوں": "مدینہ",
"معصوم": "معصوم",
"معصومو": "معصوم",
"معصوموں": "معصوم",
"معذور": "معذور",
"معذورو": "معذور",
"معذوروں": "معذور",
"معاشقے": "معاشقہ",
"معاشقہ": "معاشقہ",
"معاشقو": "معاشقہ",
"معاشقوں": "معاشقہ",
"معاشرے": "معاشرہ",
"معاشرہ": "معاشرہ",
"معاشرو": "معاشرہ",
"معاشروں": "معاشرہ",
"معافی": "معافی",
"معافیاں": "معافی",
"معافیو": "معافی",
"معافیوں": "معافی",
"معاہدے": "معاہدہ",
"معاہدہ": "معاہدہ",
"معاہدو": "معاہدہ",
"معاہدوں": "معاہدہ",
"معالجے": "معالجہ",
"معالجہ": "معالجہ",
"معالجو": "معالجہ",
"معالجوں": "معالجہ",
"معاملے": "معاملہ",
"معاملہ": "معاملہ",
"معاملو": "معاملہ",
"معاملوں": "معاملہ",
"معاوضے": "معاوضہ",
"معاوضہ": "معاوضہ",
"معاوضو": "معاوضہ",
"معاوضوں": "معاوضہ",
"معائنے": "معائنہ",
"معائنہ": "معائنہ",
"معائنو": "معائنہ",
"معائنوں": "معائنہ",
"معبود": "معبود",
"معبودو": "معبود",
"معبودوں": "معبود",
"معدے": "معدہ",
"معدہ": "معدہ",
"معدو": "معدہ",
"معدوں": "معدہ",
"معجزے": "معجزہ",
"معجزہ": "معجزہ",
"معجزو": "معجزہ",
"معجزوں": "معجزہ",
"معمے": "معما",
"معما": "معما",
"معمار": "معمار",
"معمارو": "معمار",
"معماروں": "معمار",
"معمہ": "معمہ",
"معمو": "معما",
"معموں": "معما",
"معرکے": "معرکہ",
"معرکہ": "معرکہ",
"معرکو": "معرکہ",
"معرکوں": "معرکہ",
"معتقد": "معتقد",
"معتقدو": "معتقد",
"معتقدوں": "معتقد",
"معیار": "معیار",
"معیارات": "معیار",
"معیارو": "معیار",
"معیاروں": "معیار",
"مفتوح": "مفتوح",
"مفتوحے": "مفتوحہ",
"مفتوحہ": "مفتوحہ",
"مفتوحو": "مفتوحہ",
"مفتوحوں": "مفتوحہ",
"مگر": "مگر",
"مہاجن": "مہاجن",
"مہاجنو": "مہاجن",
"مہاجنوں": "مہاجن",
"مہاجر": "مہاجر",
"مہاجرو": "مہاجر",
"مہاجروں": "مہاجر",
"مہاراج": "مہاراج",
"مہاراجے": "مہاراجہ",
"مہاراجہ": "مہاراجہ",
"مہاراجو": "مہاراجہ",
"مہاراجوں": "مہاراجہ",
"مہاران": "مہاران",
"مہارانو": "مہاران",
"مہارانوں": "مہاران",
"مہارت": "مہارت",
"مہارتو": "مہارت",
"مہارتوں": "مہارت",
"مہارتیں": "مہارت",
"مہم": "مہم",
"مہمان": "مہمان",
"مہمانو": "مہمان",
"مہمانوں": "مہمان",
"مہمو": "مہم",
"مہموں": "مہم",
"مہمیں": "مہم",
"مہنے": "مہنہ",
"مہنہ": "مہنہ",
"مہنو": "مہنہ",
"مہنوں": "مہنہ",
"مہر": "مہر",
"مہربان": "مہربان",
"مہربانو": "مہربان",
"مہربانوں": "مہربان",
"مہربانی": "مہربانی",
"مہربانیاں": "مہربانی",
"مہربانیو": "مہربانی",
"مہربانیوں": "مہربانی",
"مہرو": "مہر",
"مہروں": "مہر",
"مہریں": "مہر",
"مہینے": "مہینا",
"مہینا": "مہینا",
"مہینہ": "مہینہ",
"مہینو": "مہینا",
"مہینوں": "مہینا",
"مجاہد": "مجاہد",
"مجاہدو": "مجاہد",
"مجاہدوں": "مجاہد",
"مجاور": "مجاور",
"مجاورو": "مجاور",
"مجاوروں": "مجاور",
"مجبوری": "مجبوری",
"مجبوریاں": "مجبوری",
"مجبوریو": "مجبوری",
"مجبوریوں": "مجبوری",
"مجلس": "مجلس",
"مجلسو": "مجلس",
"مجلسوں": "مجلس",
"مجلسیں": "مجلس",
"مجمع": "مجمع",
"مجمعے": "مجمع",
"مجمعو": "مجمع",
"مجمعوں": "مجمع",
"مجموع": "مجموع",
"مجموعے": "مجموع",
"مجموعہ": "مجموعہ",
"مجموعو": "مجموع",
"مجموعوں": "مجموع",
"مجرے": "مجرا",
"مجرا": "مجرا",
"مجرم": "مجرم",
"مجرمو": "مجرم",
"مجرموں": "مجرم",
"مجرو": "مجرا",
"مجروں": "مجرا",
"مجسمے": "مجسمہ",
"مجسمہ": "مجسمہ",
"مجسمو": "مجسمہ",
"مجسموں": "مجسمہ",
"مجھ": "میں",
"مک": "مکنا",
"مکّے": "مکّہ",
"مکّہ": "مکّہ",
"مکّو": "مکّہ",
"مکّوں": "مکّہ",
"مکے": "مکہ",
"مکں": "مکنا",
"مکا": "مکنا",
"مکالمے": "مکالمہ",
"مکالمہ": "مکالمہ",
"مکالمو": "مکالمہ",
"مکالموں": "مکالمہ",
"مکان": "مکان",
"مکانے": "مکنا",
"مکانا": "مکنا",
"مکانات": "مکان",
"مکانو": "مکان",
"مکانوں": "مکان",
"مکاری": "مکاری",
"مکاریاں": "مکاری",
"مکاریو": "مکاری",
"مکاریوں": "مکاری",
"مکاتے": "مکنا",
"مکاتا": "مکنا",
"مکاتی": "مکنا",
"مکاتیں": "مکنا",
"مکاؤ": "مکنا",
"مکاؤں": "مکنا",
"مکائے": "مکنا",
"مکائی": "مکنا",
"مکائیے": "مکنا",
"مکائیں": "مکنا",
"مکایا": "مکنا",
"مکہ": "مکہ",
"مکنے": "مکنا",
"مکنا": "مکنا",
"مکنی": "مکنا",
"مکر": "مکر",
"مکرو": "مکر",
"مکروں": "مکر",
"مکتے": "مکنا",
"مکتا": "مکنا",
"مکتب": "مکتب",
"مکتبے": "مکتبہ",
"مکتبہ": "مکتبہ",
"مکتبو": "مکتبہ",
"مکتبوں": "مکتبہ",
"مکتی": "مکنا",
"مکتیں": "مکنا",
"مکو": "مکہ",
"مکوں": "مکہ",
"مکوا": "مکنا",
"مکوانے": "مکنا",
"مکوانا": "مکنا",
"مکواتے": "مکنا",
"مکواتا": "مکنا",
"مکواتی": "مکنا",
"مکواتیں": "مکنا",
"مکواؤ": "مکنا",
"مکواؤں": "مکنا",
"مکوائے": "مکنا",
"مکوائی": "مکنا",
"مکوائیے": "مکنا",
"مکوائیں": "مکنا",
"مکوایا": "مکنا",
"مکی": "مکنا",
"مکیے": "مکنا",
"مکیں": "مکنا",
"مکین": "مکین",
"مکینو": "مکین",
"مکینوں": "مکین",
"مکھی": "مکھی",
"مکھیاں": "مکھی",
"مکھیو": "مکھی",
"مکھیوں": "مکھی",
"مل": "مل",
"ملّت": "ملّت",
"ملّتو": "ملّت",
"ملّتوں": "ملّت",
"ملّتیں": "ملّت",
"ملے": "ملنا",
"ملں": "ملنا",
"ملا": "ملنا",
"ملامت": "ملامت",
"ملامتو": "ملامت",
"ملامتوں": "ملامت",
"ملامتیں": "ملامت",
"ملانے": "ملنا",
"ملانا": "ملنا",
"ملاقات": "ملاقات",
"ملاقاتو": "ملاقات",
"ملاقاتوں": "ملاقات",
"ملاقاتی": "ملاقاتی",
"ملاقاتیں": "ملاقات",
"ملاقاتیو": "ملاقاتی",
"ملاقاتیوں": "ملاقاتی",
"ملاتے": "ملاتا",
"ملاتا": "ملاتا",
"ملاتو": "ملاتا",
"ملاتوں": "ملاتا",
"ملاتی": "ملنا",
"ملاتیں": "ملنا",
"ملاؤ": "ملنا",
"ملاؤں": "ملنا",
"ملائے": "ملنا",
"ملائی": "ملنا",
"ملائیے": "ملنا",
"ملائیں": "ملنا",
"ملایا": "ملنا",
"ملازم": "ملازم",
"ملازمے": "ملازمہ",
"ملازمہ": "ملازمہ",
"ملازمت": "ملازمت",
"ملازمتو": "ملازمت",
"ملازمتوں": "ملازمت",
"ملازمتیں": "ملازمت",
"ملازمو": "ملازمہ",
"ملازموں": "ملازمہ",
"ملبے": "ملبہ",
"ملبہ": "ملبہ",
"ملبو": "ملبہ",
"ملبوں": "ملبہ",
"ملک": "ملک",
"ملکے": "ملکہ",
"ملکہ": "ملکہ",
"ملکو": "ملکہ",
"ملکوں": "ملکہ",
"ملکی": "ملکی",
"ملکیو": "ملکی",
"ملکیوں": "ملکی",
"ملنے": "ملنا",
"ملنا": "ملنا",
"ملنی": "ملنا",
"ملت": "ملت",
"ملتے": "ملنا",
"ملتا": "ملنا",
"ملتو": "ملت",
"ملتوں": "ملت",
"ملتی": "ملنا",
"ملتیں": "ملت",
"ملو": "مل",
"ملوں": "مل",
"ملوا": "ملنا",
"ملوانے": "ملنا",
"ملوانا": "ملنا",
"ملواتے": "ملنا",
"ملواتا": "ملنا",
"ملواتی": "ملنا",
"ملواتیں": "ملنا",
"ملواؤ": "ملنا",
"ملواؤں": "ملنا",
"ملوائے": "ملنا",
"ملوائی": "ملنا",
"ملوائیے": "ملنا",
"ملوائیں": "ملنا",
"ملوایا": "ملنا",
"ملی": "ملنا",
"ملیے": "ملنا",
"ملیں": "ملنا",
"ملیدے": "ملیدہ",
"ملیدہ": "ملیدہ",
"ملیدو": "ملیدہ",
"ملیدوں": "ملیدہ",
"ملزم": "ملزم",
"ملزمو": "ملزم",
"ملزموں": "ملزم",
"مماثلت": "مماثلت",
"مماثلتو": "مماثلت",
"مماثلتوں": "مماثلت",
"مماثلتیں": "مماثلت",
"ممبر": "ممبر",
"ممبرو": "ممبر",
"ممبروں": "ممبر",
"مملکت": "مملکت",
"مملکتو": "مملکت",
"مملکتوں": "مملکت",
"مملکتیں": "مملکت",
"ممتحن": "ممتحن",
"ممتحنو": "ممتحن",
"ممتحنوں": "ممتحن",
"من": "مننا",
"منّت": "منّت",
"منّتو": "منّت",
"منّتوں": "منّت",
"منّتیں": "منّت",
"منڈ": "منڈنا",
"منڈے": "منڈا",
"منڈں": "منڈنا",
"منڈا": "منڈا",
"منڈانے": "منڈنا",
"منڈانا": "منڈنا",
"منڈاتے": "منڈنا",
"منڈاتا": "منڈنا",
"منڈاتی": "منڈنا",
"منڈاتیں": "منڈنا",
"منڈاؤ": "منڈنا",
"منڈاؤں": "منڈنا",
"منڈائے": "منڈنا",
"منڈائی": "منڈنا",
"منڈائیے": "منڈنا",
"منڈائیں": "منڈنا",
"منڈایا": "منڈنا",
"منڈلا": "منڈلانا",
"منڈلانے": "منڈلانا",
"منڈلانا": "منڈلانا",
"منڈلانی": "منڈلانا",
"منڈلاتے": "منڈلانا",
"منڈلاتا": "منڈلانا",
"منڈلاتی": "منڈلانا",
"منڈلاتیں": "منڈلانا",
"منڈلاؤ": "منڈلانا",
"منڈلاؤں": "منڈلانا",
"منڈلائے": "منڈلانا",
"منڈلائی": "منڈلانا",
"منڈلائیے": "منڈلانا",
"منڈلائیں": "منڈلانا",
"منڈلایا": "منڈلانا",
"منڈنے": "منڈنا",
"منڈنا": "منڈنا",
"منڈنی": "منڈنا",
"منڈتے": "منڈنا",
"منڈتا": "منڈنا",
"منڈتی": "منڈنا",
"منڈتیں": "منڈنا",
"منڈو": "منڈا",
"منڈوں": "منڈا",
"منڈوا": "منڈنا",
"منڈوانے": "منڈنا",
"منڈوانا": "منڈنا",
"منڈواتے": "منڈنا",
"منڈواتا": "منڈنا",
"منڈواتی": "منڈنا",
"منڈواتیں": "منڈنا",
"منڈواؤ": "منڈنا",
"منڈواؤں": "منڈنا",
"منڈوائے": "منڈنا",
"منڈوائی": "منڈنا",
"منڈوائیے": "منڈنا",
"منڈوائیں": "منڈنا",
"منڈوایا": "منڈنا",
"منڈی": "منڈی",
"منڈیے": "منڈنا",
"منڈیں": "منڈنا",
"منڈیاں": "منڈی",
"منڈیو": "منڈی",
"منڈیوں": "منڈی",
"منڈھا": "مونڈھنا",
"منڈھانے": "مونڈھنا",
"منڈھانا": "مونڈھنا",
"منڈھاتے": "مونڈھنا",
"منڈھاتا": "مونڈھنا",
"منڈھاتی": "مونڈھنا",
"منڈھاتیں": "مونڈھنا",
"منڈھاؤ": "مونڈھنا",
"منڈھاؤں": "مونڈھنا",
"منڈھائے": "مونڈھنا",
"منڈھائی": "مونڈھنا",
"منڈھائیے": "مونڈھنا",
"منڈھائیں": "مونڈھنا",
"منڈھایا": "مونڈھنا",
"منڈھوا": "مونڈھنا",
"منڈھوانے": "مونڈھنا",
"منڈھوانا": "مونڈھنا",
"منڈھواتے": "مونڈھنا",
"منڈھواتا": "مونڈھنا",
"منڈھواتی": "مونڈھنا",
"منڈھواتیں": "مونڈھنا",
"منڈھواؤ": "مونڈھنا",
"منڈھواؤں": "مونڈھنا",
"منڈھوائے": "مونڈھنا",
"منڈھوائی": "مونڈھنا",
"منڈھوائیے": "مونڈھنا",
"منڈھوائیں": "مونڈھنا",
"منڈھوایا": "مونڈھنا",
"منے": "منا",
"منحوس": "منحوس",
"منحوسو": "منحوس",
"منحوسوں": "منحوس",
"منں": "مننا",
"منصف": "منصف",
"منصفو": "منصف",
"منصفوں": "منصف",
"منصوبے": "منصوبہ",
"منصوبہ": "منصوبہ",
"منصوبو": "منصوبہ",
"منصوبوں": "منصوبہ",
"منٹ": "منٹ",
"منٹو": "منٹ",
"منٹوں": "منٹ",
"منشی": "منشی",
"منشیو": "منشی",
"منشیوں": "منشی",
"منا": "منا",
"منافع": "منافع",
"منافعے": "منافع",
"منافعو": "منافع",
"منافعوں": "منافع",
"منافق": "منافق",
"منافقت": "منافقت",
"منافقتو": "منافقت",
"منافقتوں": "منافقت",
"منافقتیں": "منافقت",
"منافقو": "منافق",
"منافقوں": "منافق",
"منانے": "ماننا",
"منانا": "ماننا",
"مناسبت": "مناسبت",
"مناسبتو": "مناسبت",
"مناسبتوں": "مناسبت",
"مناسبتیں": "مناسبت",
"مناتے": "ماننا",
"مناتا": "ماننا",
"مناتی": "ماننا",
"مناتیں": "ماننا",
"مناؤ": "ماننا",
"مناؤں": "ماننا",
"منائے": "ماننا",
"منائی": "ماننا",
"منائیے": "ماننا",
"منائیں": "ماننا",
"منایا": "ماننا",
"مناظرے": "مناظرہ",
"مناظرہ": "مناظرہ",
"مناظرو": "مناظرہ",
"مناظروں": "مناظرہ",
"منبع": "منبع",
"منبعے": "منبع",
"منبعو": "منبع",
"منبعوں": "منبع",
"منبر": "منبر",
"منبرو": "منبر",
"منبروں": "منبر",
"مندے": "مندا",
"مندا": "مندا",
"مندر": "مندر",
"مندرو": "مندر",
"مندروں": "مندر",
"مندو": "مندا",
"مندوں": "مندا",
"منفعت": "منفعت",
"منفعتو": "منفعت",
"منفعتوں": "منفعت",
"منفعتیں": "منفعت",
"منگا": "مانگنا",
"منگانے": "مانگنا",
"منگانا": "مانگنا",
"منگاتے": "مانگنا",
"منگاتا": "مانگنا",
"منگاتی": "مانگنا",
"منگاتیں": "مانگنا",
"منگاؤ": "مانگنا",
"منگاؤں": "مانگنا",
"منگائے": "مانگنا",
"منگائی": "مانگنا",
"منگائیے": "مانگنا",
"منگائیں": "مانگنا",
"منگایا": "مانگنا",
"منگوا": "مانگنا",
"منگوانے": "مانگنا",
"منگوانا": "مانگنا",
"منگواتے": "مانگنا",
"منگواتا": "مانگنا",
"منگواتی": "مانگنا",
"منگواتیں": "مانگنا",
"منگواؤ": "مانگنا",
"منگواؤں": "مانگنا",
"منگوائے": "مانگنا",
"منگوائی": "مانگنا",
"منگوائیے": "مانگنا",
"منگوائیں": "مانگنا",
"منگوایا": "مانگنا",
"منج": "منج",
"منجو": "منج",
"منجوں": "منج",
"منجھا": "مانجھنا",
"منجھانے": "مانجھنا",
"منجھانا": "مانجھنا",
"منجھاتے": "مانجھنا",
"منجھاتا": "مانجھنا",
"منجھاتی": "مانجھنا",
"منجھاتیں": "مانجھنا",
"منجھاؤ": "مانجھنا",
"منجھاؤں": "مانجھنا",
"منجھائے": "مانجھنا",
"منجھائی": "مانجھنا",
"منجھائیے": "مانجھنا",
"منجھائیں": "مانجھنا",
"منجھایا": "مانجھنا",
"منجھوا": "مانجھنا",
"منجھوانے": "مانجھنا",
"منجھوانا": "مانجھنا",
"منجھواتے": "مانجھنا",
"منجھواتا": "مانجھنا",
"منجھواتی": "مانجھنا",
"منجھواتیں": "مانجھنا",
"منجھواؤ": "مانجھنا",
"منجھواؤں": "مانجھنا",
"منجھوائے": "مانجھنا",
"منجھوائی": "مانجھنا",
"منجھوائیے": "مانجھنا",
"منجھوائیں": "مانجھنا",
"منجھوایا": "مانجھنا",
"منکر": "منکر",
"منکرو": "منکر",
"منکروں": "منکر",
"منمنا": "منمنانا",
"منمنانے": "منمنانا",
"منمنانا": "منمنانا",
"منمنانی": "منمنانا",
"منمناتے": "منمنانا",
"منمناتا": "منمنانا",
"منمناتی": "منمنانا",
"منمناتیں": "منمنانا",
"منمناؤ": "منمنانا",
"منمناؤں": "منمنانا",
"منمنائے": "منمنانا",
"منمنائی": "منمنانا",
"منمنائیے": "منمنانا",
"منمنائیں": "منمنانا",
"منمنایا": "منمنانا",
"مننے": "مننا",
"مننا": "مننا",
"مننی": "مننا",
"منت": "منت",
"منتے": "مننا",
"منتا": "مننا",
"منتر": "منتر",
"منترو": "منتر",
"منتروں": "منتر",
"منتو": "منت",
"منتوں": "منت",
"منتی": "مننا",
"منتیں": "منت",
"منو": "منا",
"منوں": "منا",
"منوڑے": "منوڑہ",
"منوڑہ": "منوڑہ",
"منوڑو": "منوڑہ",
"منوڑوں": "منوڑہ",
"منوا": "ماننا",
"منوانے": "ماننا",
"منوانا": "ماننا",
"منواتے": "ماننا",
"منواتا": "ماننا",
"منواتی": "ماننا",
"منواتیں": "ماننا",
"منواؤ": "ماننا",
"منواؤں": "ماننا",
"منوائے": "ماننا",
"منوائی": "ماننا",
"منوائیے": "ماننا",
"منوائیں": "ماننا",
"منوایا": "ماننا",
"منی": "مننا",
"منیے": "مننا",
"منیں": "مننا",
"منزل": "منزل",
"منزلو": "منزل",
"منزلوں": "منزل",
"منزلیں": "منزل",
"منطق": "منطق",
"منطقے": "منطقہ",
"منطقہ": "منطقہ",
"منطقو": "منطقہ",
"منطقوں": "منطقہ",
"منطقیں": "منطق",
"منظر": "منظر",
"منظرو": "منظر",
"منظروں": "منظر",
"مقابل": "مقابل",
"مقابلے": "مقابلہ",
"مقابلہ": "مقابلہ",
"مقابلو": "مقابلہ",
"مقابلوں": "مقابلہ",
"مقالے": "مقالہ",
"مقالہ": "مقالہ",
"مقالو": "مقالہ",
"مقالوں": "مقالہ",
"مقام": "مقام",
"مقامے": "مقامہ",
"مقامہ": "مقامہ",
"مقامو": "مقامہ",
"مقاموں": "مقامہ",
"مقبرے": "مقبرہ",
"مقبرہ": "مقبرہ",
"مقبرو": "مقبرہ",
"مقبروں": "مقبرہ",
"مقدمے": "مقدمہ",
"مقدمہ": "مقدمہ",
"مقدمو": "مقدمہ",
"مقدموں": "مقدمہ",
"مقروض": "مقروض",
"مقروضو": "مقروض",
"مقروضوں": "مقروض",
"مقتول": "مقتول",
"مقتولو": "مقتول",
"مقتولوں": "مقتول",
"مقولے": "مقولہ",
"مقولہ": "مقولہ",
"مقولو": "مقولہ",
"مقولوں": "مقولہ",
"مقطع": "مقطع",
"مقطعے": "مقطع",
"مقطعو": "مقطع",
"مقطعوں": "مقطع",
"مر": "مرنا",
"مرثیے": "مرثیہ",
"مرثیہ": "مرثیہ",
"مرثیو": "مرثیہ",
"مرثیوں": "مرثیہ",
"مرے": "مرہ",
"مرغ": "مرغ",
"مرغے": "مرغا",
"مرغا": "مرغا",
"مرغابی": "مرغابی",
"مرغابیاں": "مرغابی",
"مرغابیو": "مرغابی",
"مرغابیوں": "مرغابی",
"مرغو": "مرغا",
"مرغوں": "مرغا",
"مرغی": "مرغی",
"مرغیاں": "مرغی",
"مرغیو": "مرغی",
"مرغیوں": "مرغی",
"مرغزار": "مرغزار",
"مرغزارو": "مرغزار",
"مرغزاروں": "مرغزار",
"مرحلے": "مرحلہ",
"مرحلہ": "مرحلہ",
"مرحلو": "مرحلہ",
"مرحلوں": "مرحلہ",
"مرں": "مرنا",
"مرشد": "مرشد",
"مرشدو": "مرشد",
"مرشدوں": "مرشد",
"مرا": "مرنا",
"مراد": "مراد",
"مرادو": "مراد",
"مرادوں": "مراد",
"مرادیں": "مراد",
"مرانے": "مرنا",
"مرانا": "مرنا",
"مراقبے": "مراقبہ",
"مراقبہ": "مراقبہ",
"مراقبو": "مراقبہ",
"مراقبوں": "مراقبہ",
"مراتے": "مرنا",
"مراتا": "مرنا",
"مراتی": "مرنا",
"مراتیں": "مرنا",
"مراؤ": "مرنا",
"مراؤں": "مرنا",
"مرائے": "مرنا",
"مرائی": "مرنا",
"مرائیے": "مرنا",
"مرائیں": "مرنا",
"مرایا": "مرنا",
"مربے": "مربہ",
"مربع": "مربع",
"مربعے": "مربع",
"مربعو": "مربع",
"مربعوں": "مربع",
"مربہ": "مربہ",
"مربو": "مربہ",
"مربوں": "مربہ",
"مرچ": "مرچ",
"مرچو": "مرچ",
"مرچوں": "مرچ",
"مرچیں": "مرچ",
"مرد": "مرد",
"مردے": "مردا",
"مردا": "مردا",
"مردہ": "مردہ",
"مردو": "مردا",
"مردوں": "مردا",
"مرہ": "مرہ",
"مرجاں": "مرجاں",
"مرجاؤ": "مرجاں",
"مرجاؤں": "مرجاں",
"مرجائیں": "مرجاں",
"مرنے": "مرنا",
"مرنا": "مرنا",
"مرنی": "مرنا",
"مرقع": "مرقع",
"مرقعے": "مرقع",
"مرقعو": "مرقع",
"مرقعوں": "مرقع",
"مرتے": "مرنا",
"مرتا": "مرنا",
"مرتبے": "مرتبہ",
"مرتبان": "مرتبان",
"مرتبانو": "مرتبان",
"مرتبانوں": "مرتبان",
"مرتبہ": "مرتبہ",
"مرتبو": "مرتبہ",
"مرتبوں": "مرتبہ",
"مرتی": "مرنا",
"مرتیں": "مرنا",
"مرو": "مرہ",
"مروں": "مرہ",
"مروڑ": "مروڑنا",
"مروڑے": "مروڑنا",
"مروڑں": "مروڑنا",
"مروڑا": "مروڑنا",
"مروڑنے": "مروڑنا",
"مروڑنا": "مروڑنا",
"مروڑنی": "مروڑنا",
"مروڑتے": "مروڑنا",
"مروڑتا": "مروڑنا",
"مروڑتی": "مروڑنا",
"مروڑتیں": "مروڑنا",
"مروڑو": "مروڑنا",
"مروڑوں": "مروڑنا",
"مروڑی": "مروڑنا",
"مروڑیے": "مروڑنا",
"مروڑیں": "مروڑنا",
"مروا": "مرنا",
"مروانے": "مرنا",
"مروانا": "مرنا",
"مرواتے": "مرنا",
"مرواتا": "مرنا",
"مرواتی": "مرنا",
"مرواتیں": "مرنا",
"مرواؤ": "مرنا",
"مرواؤں": "مرنا",
"مروائے": "مرنا",
"مروائی": "مرنا",
"مروائیے": "مرنا",
"مروائیں": "مرنا",
"مروایا": "مرنا",
"مری": "مرنا",
"مریے": "مرنا",
"مریں": "مرنا",
"مرید": "مرید",
"مریدو": "مرید",
"مریدوں": "مرید",
"مریض": "مریض",
"مریضے": "مریضہ",
"مریضہ": "مریضہ",
"مریضو": "مریضہ",
"مریضوں": "مریضہ",
"مرض": "مرض",
"مرضو": "مرض",
"مرضوں": "مرض",
"مسخرے": "مسخرہ",
"مسخرہ": "مسخرہ",
"مسخرو": "مسخرہ",
"مسخروں": "مسخرہ",
"مسافر": "مسافر",
"مسافرو": "مسافر",
"مسافروں": "مسافر",
"مسافت": "مسافت",
"مسافتو": "مسافت",
"مسافتوں": "مسافت",
"مسافتیں": "مسافت",
"مسالے": "مسالہ",
"مسالہ": "مسالہ",
"مسالو": "مسالہ",
"مسالوں": "مسالہ",
"مسام": "مسام",
"مسامو": "مسام",
"مساموں": "مسام",
"مسجد": "مسجد",
"مسجدو": "مسجد",
"مسجدوں": "مسجد",
"مسجدیں": "مسجد",
"مسکرا": "مسکرانا",
"مسکراہٹ": "مسکراہٹ",
"مسکراہٹو": "مسکراہٹ",
"مسکراہٹوں": "مسکراہٹ",
"مسکراہٹیں": "مسکراہٹ",
"مسکرانے": "مسکرانہ",
"مسکرانا": "مسکرانا",
"مسکرانہ": "مسکرانہ",
"مسکرانو": "مسکرانہ",
"مسکرانوں": "مسکرانہ",
"مسکرانی": "مسکرانا",
"مسکراتے": "مسکرانا",
"مسکراتا": "مسکرانا",
"مسکراتی": "مسکرانا",
"مسکراتیں": "مسکرانا",
"مسکراؤ": "مسکرانا",
"مسکراؤں": "مسکرانا",
"مسکرائے": "مسکرانا",
"مسکرائی": "مسکرانا",
"مسکرائیے": "مسکرانا",
"مسکرائیں": "مسکرانا",
"مسکرایا": "مسکرانا",
"مسکین": "مسکین",
"مسکینو": "مسکین",
"مسکینوں": "مسکین",
"مسکینیں": "مسکین",
"مسل": "مسلنا",
"مسلے": "مسلنا",
"مسلں": "مسلنا",
"مسلا": "مسلنا",
"مسلانے": "مسلنا",
"مسلانا": "مسلنا",
"مسلاتے": "مسلنا",
"مسلاتا": "مسلنا",
"مسلاتی": "مسلنا",
"مسلاتیں": "مسلنا",
"مسلاؤ": "مسلنا",
"مسلاؤں": "مسلنا",
"مسلائے": "مسلنا",
"مسلائی": "مسلنا",
"مسلائیے": "مسلنا",
"مسلائیں": "مسلنا",
"مسلایا": "مسلنا",
"مسلم": "مسلم",
"مسلمان": "مسلمان",
"مسلمانو": "مسلمان",
"مسلمانوں": "مسلمان",
"مسلمانی": "مسلمانی",
"مسلمانیاں": "مسلمانی",
"مسلمانیو": "مسلمانی",
"مسلمانیوں": "مسلمانی",
"مسلمو": "مسلم",
"مسلموں": "مسلم",
"مسلنے": "مسلنا",
"مسلنا": "مسلنا",
"مسلنی": "مسلنا",
"مسلتے": "مسلنا",
"مسلتا": "مسلنا",
"مسلتی": "مسلنا",
"مسلتیں": "مسلنا",
"مسلو": "مسلنا",
"مسلوں": "مسلنا",
"مسلوا": "مسلنا",
"مسلوانے": "مسلنا",
"مسلوانا": "مسلنا",
"مسلواتے": "مسلنا",
"مسلواتا": "مسلنا",
"مسلواتی": "مسلنا",
"مسلواتیں": "مسلنا",
"مسلواؤ": "مسلنا",
"مسلواؤں": "مسلنا",
"مسلوائے": "مسلنا",
"مسلوائی": "مسلنا",
"مسلوائیے": "مسلنا",
"مسلوائیں": "مسلنا",
"مسلوایا": "مسلنا",
"مسلی": "مسلنا",
"مسلیے": "مسلنا",
"مسلیں": "مسلنا",
"مسرت": "مسرت",
"مسرتو": "مسرت",
"مسرتوں": "مسرت",
"مسرتیں": "مسرت",
"مستری": "مستری",
"مستریو": "مستری",
"مستریوں": "مستری",
"مستی": "مستی",
"مستیاں": "مستی",
"مستیو": "مستی",
"مستیوں": "مستی",
"مسواک": "مسواک",
"مسواکو": "مسواک",
"مسواکوں": "مسواک",
"مسواکیں": "مسواک",
"مسودے": "مسودہ",
"مسودہ": "مسودہ",
"مسودو": "مسودہ",
"مسودوں": "مسودہ",
"مسئلے": "مسئلہ",
"مسئلہ": "مسئلہ",
"مسئلو": "مسئلہ",
"مسئلوں": "مسئلہ",
"مت": "مت",
"متکبّر": "متکبّر",
"متکبّرو": "متکبّر",
"متکبّروں": "متکبّر",
"متکبر": "متکبر",
"متکبرّ": "متکبرّ",
"متکبرّو": "متکبرّ",
"متکبرّوں": "متکبرّ",
"متکبرو": "متکبر",
"متکبروں": "متکبر",
"متلاشی": "متلاشی",
"متلاشیو": "متلاشی",
"متلاشیوں": "متلاشی",
"متقی": "متقی",
"متقیو": "متقی",
"متقیوں": "متقی",
"موڑ": "موڑ",
"موڑے": "موڑا",
"موڑا": "موڑا",
"موڑو": "موڑا",
"موڑوں": "موڑا",
"موٹے": "موٹا",
"موٹا": "موٹا",
"موٹر": "موٹر",
"موٹرو": "موٹر",
"موٹروں": "موٹر",
"موٹریں": "موٹر",
"موٹو": "موٹا",
"موٹوں": "موٹا",
"موشگافی": "موشگافی",
"موشگافیاں": "موشگافی",
"موشگافیو": "موشگافی",
"موشگافیوں": "موشگافی",
"مؤذن": "مؤذن",
"مؤذنو": "مؤذن",
"مؤذنوں": "مؤذن",
"مؤمن": "مؤمن",
"مؤمنو": "مؤمن",
"مؤمنوں": "مؤمن",
"مواقع": "مواقع",
"مواقعے": "مواقع",
"مواقعو": "مواقع",
"مواقعوں": "مواقع",
"موازنے": "موازنہ",
"موازنہ": "موازنہ",
"موازنو": "موازنہ",
"موازنوں": "موازنہ",
"موج": "موج",
"موجو": "موج",
"موجوں": "موج",
"موجودے": "موجودہ",
"موجودہ": "موجودہ",
"موجودو": "موجودہ",
"موجودوں": "موجودہ",
"موجیں": "موج",
"مولی": "مولی",
"مولیاں": "مولی",
"مولیو": "مولی",
"مولیوں": "مولی",
"مومن": "مومن",
"مومنو": "مومن",
"مومنوں": "مومن",
"مونڈھ": "مونڈھنا",
"مونڈھے": "مونڈھنا",
"مونڈھں": "مونڈھنا",
"مونڈھا": "مونڈھنا",
"مونڈھنے": "مونڈھنا",
"مونڈھنا": "مونڈھنا",
"مونڈھنی": "مونڈھنا",
"مونڈھتے": "مونڈھنا",
"مونڈھتا": "مونڈھنا",
"مونڈھتی": "مونڈھنا",
"مونڈھتیں": "مونڈھنا",
"مونڈھو": "مونڈھنا",
"مونڈھوں": "مونڈھنا",
"مونڈھی": "مونڈھنا",
"مونڈھیے": "مونڈھنا",
"مونڈھیں": "مونڈھنا",
"مونچھ": "مونچھ",
"مونچھو": "مونچھ",
"مونچھوں": "مونچھ",
"مونچھیں": "مونچھ",
"موند": "موندنا",
"موندے": "موندنا",
"موندں": "موندنا",
"موندا": "موندنا",
"موندنے": "موندنا",
"موندنا": "موندنا",
"موندنی": "موندنا",
"موندتے": "موندنا",
"موندتا": "موندنا",
"موندتی": "موندنا",
"موندتیں": "موندنا",
"موندو": "موندنا",
"موندوں": "موندنا",
"موندی": "موندنا",
"موندیے": "موندنا",
"موندیں": "موندنا",
"موقع": "موقع",
"موقعے": "موقع",
"موقعہ": "موقعہ",
"موقعو": "موقع",
"موقعوں": "موقع",
"مورتی": "مورتی",
"مورتیاں": "مورتی",
"مورتیو": "مورتی",
"مورتیوں": "مورتی",
"موسم": "موسم",
"موسمو": "موسم",
"موسموں": "موسم",
"موت": "موت",
"موتو": "موت",
"موتوں": "موت",
"موتی": "موتی",
"موتیں": "موت",
"موتیو": "موتی",
"موتیوں": "موتی",
"مویشی": "مویشی",
"مویشیو": "مویشی",
"مویشیوں": "مویشی",
"موزے": "موزہ",
"موزہ": "موزہ",
"موزو": "موزہ",
"موزوں": "موزہ",
"میخ": "میخ",
"میخانے": "میخانہ",
"میخانہ": "میخانہ",
"میخانو": "میخانہ",
"میخانوں": "میخانہ",
"میخو": "میخ",
"میخوں": "میخ",
"میخیں": "میخ",
"میٹ": "میٹنا",
"میٹے": "میٹنا",
"میٹں": "میٹنا",
"میٹا": "میٹنا",
"میٹنے": "میٹنا",
"میٹنا": "میٹنا",
"میٹنی": "میٹنا",
"میٹر": "میٹر",
"میٹرو": "میٹر",
"میٹروں": "میٹر",
"میٹتے": "میٹنا",
"میٹتا": "میٹنا",
"میٹتی": "میٹنا",
"میٹتیں": "میٹنا",
"میٹو": "میٹنا",
"میٹوں": "میٹنا",
"میٹی": "میٹنا",
"میٹیے": "میٹنا",
"میٹیں": "میٹنا",
"میچ": "میچ",
"میچو": "میچ",
"میچوں": "میچ",
"میدے": "میدہ",
"میدان": "میدان",
"میدانو": "میدان",
"میدانوں": "میدان",
"میدہ": "میدہ",
"میدو": "میدہ",
"میدوں": "میدہ",
"میکے": "میکہ",
"میکدے": "میکدہ",
"میکدہ": "میکدہ",
"میکدو": "میکدہ",
"میکدوں": "میکدہ",
"میکہ": "میکہ",
"میکو": "میکہ",
"میکوں": "میکہ",
"میل": "میل",
"میلے": "میلا",
"میلا": "میلا",
"میلان": "میلان",
"میلانات": "میلان",
"میلانو": "میلان",
"میلانوں": "میلان",
"میلہ": "میلہ",
"میلو": "میلا",
"میلوں": "میلا",
"میلیں": "میل",
"میم": "میم",
"میمو": "میم",
"میموں": "میم",
"میمیں": "میم",
"مینڈک": "مینڈک",
"مینڈکو": "مینڈک",
"مینڈکوں": "مینڈک",
"مینڈکی": "مینڈکی",
"مینڈکیاں": "مینڈکی",
"مینڈکیو": "مینڈکی",
"مینڈکیوں": "مینڈکی",
"مینے": "مینہ",
"مینا": "مینا",
"مینار": "مینار",
"مینارو": "مینار",
"میناروں": "مینار",
"میناؤ": "مینا",
"میناؤں": "مینا",
"مینائیں": "مینا",
"مینہ": "مینہ",
"مینو": "مینہ",
"مینوں": "مینہ",
"میقات": "میقات",
"میقاتو": "میقات",
"میقاتوں": "میقات",
"میقاتیں": "میقات",
"میرے": "میرا",
"میرا": "میرا",
"میراثی": "میراثی",
"میراثیو": "میراثی",
"میراثیوں": "میراثی",
"میری": "میرا",
"میت": "میت",
"میتو": "میت",
"میتوں": "میت",
"میتیں": "میت",
"میتھی": "میتھی",
"میتھیاں": "میتھی",
"میتھیو": "میتھی",
"میتھیوں": "میتھی",
"میوے": "میوہ",
"میوہ": "میوہ",
"میوو": "میوہ",
"میووں": "میوہ",
"میز": "میز",
"میزائل": "میزائل",
"میزائلو": "میزائل",
"میزائلوں": "میزائل",
"میزائیل": "میزائیل",
"میزائیلو": "میزائیل",
"میزائیلوں": "میزائیل",
"میزبان": "میزبان",
"میزبانو": "میزبان",
"میزبانوں": "میزبان",
"میزو": "میز",
"میزوں": "میز",
"میزیں": "میز",
"مزے": "مزا",
"مزا": "مزا",
"مزاج": "مزاج",
"مزاجو": "مزاج",
"مزاجوں": "مزاج",
"مزار": "مزار",
"مزارو": "مزار",
"مزاروں": "مزار",
"مزدور": "مزدور",
"مزدورو": "مزدور",
"مزدوروں": "مزدور",
"مزہ": "مزہ",
"مزو": "مزا",
"مزوں": "مزا",
"مطالبے": "مطالبہ",
"مطالبہ": "مطالبہ",
"مطالبو": "مطالبہ",
"مطالبوں": "مطالبہ",
"مطالع": "مطالع",
"مطالعے": "مطالع",
"مطالعہ": "مطالعہ",
"مطالعو": "مطالع",
"مطالعوں": "مطالع",
"مطلع": "مطلع",
"مطلعے": "مطلع",
"مطلعو": "مطلع",
"مطلعوں": "مطلع",
"مظاہرے": "مظاہرہ",
"مظاہرہ": "مظاہرہ",
"مظاہرو": "مظاہرہ",
"مظاہروں": "مظاہرہ",
"مظلوم": "مظلوم",
"مظلومو": "مظلوم",
"مظلوموں": "مظلوم",
"نَدامَت": "نَدامَت",
"نَدامَتو": "نَدامَت",
"نَدامَتوں": "نَدامَت",
"نَدامَتیں": "نَدامَت",
"نَہِیں": "نَہِیں",
"نَہِیںتو": "نَہِیںتو",
"نَماز": "نَماز",
"نَمازو": "نَماز",
"نَمازوں": "نَماز",
"نَمازیں": "نَماز",
"نِکَل": "نِکَلْنا",
"نِکَلْں": "نِکَلْنا",
"نِکَلْنے": "نِکَلْنا",
"نِکَلْنا": "نِکَلْنا",
"نِکَلْنی": "نِکَلْنا",
"نِکَلْتے": "نِکَلْنا",
"نِکَلْتا": "نِکَلْنا",
"نِکَلْتی": "نِکَلْنا",
"نِکَلْتیں": "نِکَلْنا",
"نِکَلْوا": "نِکَلْنا",
"نِکَلْوانے": "نِکَلْنا",
"نِکَلْوانا": "نِکَلْنا",
"نِکَلْواتے": "نِکَلْنا",
"نِکَلْواتا": "نِکَلْنا",
"نِکَلْواتی": "نِکَلْنا",
"نِکَلْواتیں": "نِکَلْنا",
"نِکَلْواؤ": "نِکَلْنا",
"نِکَلْواؤں": "نِکَلْنا",
"نِکَلْوائے": "نِکَلْنا",
"نِکَلْوائی": "نِکَلْنا",
"نِکَلْوائیے": "نِکَلْنا",
"نِکَلْوائیں": "نِکَلْنا",
"نِکَلْوایا": "نِکَلْنا",
"نِکَلے": "نِکَلْنا",
"نِکَلا": "نِکَلْنا",
"نِکَلو": "نِکَلْنا",
"نِکَلوں": "نِکَلْنا",
"نِکَلی": "نِکَلْنا",
"نِکَلیے": "نِکَلْنا",
"نِکَلیں": "نِکَلْنا",
"نِکال": "نِکَلْنا",
"نِکالے": "نِکَلْنا",
"نِکالں": "نِکَلْنا",
"نِکالا": "نِکَلْنا",
"نِکالنے": "نِکَلْنا",
"نِکالنا": "نِکَلْنا",
"نِکالتے": "نِکَلْنا",
"نِکالتا": "نِکَلْنا",
"نِکالتی": "نِکَلْنا",
"نِکالتیں": "نِکَلْنا",
"نِکالو": "نِکَلْنا",
"نِکالوں": "نِکَلْنا",
"نِکالی": "نِکَلْنا",
"نِکالیے": "نِکَلْنا",
"نِکالیں": "نِکَلْنا",
"نِیلے": "نِیلا",
"نِیلا": "نِیلا",
"نِیلی": "نِیلا",
"نثار": "نثار",
"نثارو": "نثار",
"نثاروں": "نثار",
"نے": "نے",
"نغمے": "نغما",
"نغما": "نغما",
"نغمہ": "نغمہ",
"نغمو": "نغما",
"نغموں": "نغما",
"نحوست": "نحوست",
"نحوستو": "نحوست",
"نحوستوں": "نحوست",
"نحوستیں": "نحوست",
"نخرے": "نخرہ",
"نخرہ": "نخرہ",
"نخرو": "نخرہ",
"نخروں": "نخرہ",
"نصرانی": "نصرانی",
"نصرانیو": "نصرانی",
"نصرانیوں": "نصرانی",
"نصیحت": "نصیحت",
"نصیحتو": "نصیحت",
"نصیحتوں": "نصیحت",
"نصیحتیں": "نصیحت",
"نصیب": "نصیب",
"نصیبو": "نصیب",
"نصیبوں": "نصیب",
"نشّے": "نشّہ",
"نشّہ": "نشّہ",
"نشّو": "نشّہ",
"نشّوں": "نشّہ",
"نشے": "نشا",
"نشا": "نشا",
"نشان": "نشان",
"نشانے": "نشانہ",
"نشانات": "نشان",
"نشانہ": "نشانہ",
"نشانو": "نشانہ",
"نشانوں": "نشانہ",
"نشانی": "نشانی",
"نشانیاں": "نشانی",
"نشانیو": "نشانی",
"نشانیوں": "نشانی",
"نشہ": "نشہ",
"نشست": "نشست",
"نشستے": "نشستہ",
"نشستہ": "نشستہ",
"نشستو": "نشستہ",
"نشستوں": "نشستہ",
"نشستیں": "نشست",
"نشتر": "نشتر",
"نشترو": "نشتر",
"نشتروں": "نشتر",
"نشو": "نشا",
"نشوں": "نشا",
"نشین": "نشین",
"نشینو": "نشین",
"نشینوں": "نشین",
"نذرانے": "نذرانہ",
"نذرانہ": "نذرانہ",
"نذرانو": "نذرانہ",
"نذرانوں": "نذرانہ",
"نا": "نا",
"ناخن": "ناخن",
"ناخنو": "ناخن",
"ناخنوں": "ناخن",
"ناٹ": "ناٹ",
"ناٹو": "ناٹ",
"ناٹوں": "ناٹ",
"ناشتے": "ناشتہ",
"ناشتہ": "ناشتہ",
"ناشتو": "ناشتہ",
"ناشتوں": "ناشتہ",
"ناانصافی": "ناانصافی",
"ناانصافیاں": "ناانصافی",
"ناانصافیو": "ناانصافی",
"ناانصافیوں": "ناانصافی",
"نابالغ": "نابالغ",
"نابالغو": "نابالغ",
"نابالغوں": "نابالغ",
"نابینا": "نابینا",
"نابیناؤ": "نابینا",
"نابیناؤں": "نابینا",
"ناچ": "ناچنا",
"ناچے": "ناچنا",
"ناچں": "ناچنا",
"ناچا": "ناچنا",
"ناچنے": "ناچنا",
"ناچنا": "ناچنا",
"ناچنی": "ناچنا",
"ناچتے": "ناچنا",
"ناچتا": "ناچنا",
"ناچتی": "ناچنا",
"ناچتیں": "ناچنا",
"ناچو": "ناچنا",
"ناچوں": "ناچنا",
"ناچی": "ناچنا",
"ناچیے": "ناچنا",
"ناچیں": "ناچنا",
"نادِیَہ": "نادِیَہ",
"نادان": "نادان",
"نادانو": "نادان",
"نادانوں": "نادان",
"نافے": "نافہ",
"نافہ": "نافہ",
"نافرمان": "نافرمان",
"نافرمانو": "نافرمان",
"نافرمانوں": "نافرمان",
"نافرمانی": "نافرمانی",
"نافرمانیاں": "نافرمانی",
"نافرمانیو": "نافرمانی",
"نافرمانیوں": "نافرمانی",
"نافو": "نافہ",
"نافوں": "نافہ",
"ناگ": "ناگ",
"ناگو": "ناگ",
"ناگوں": "ناگ",
"ناک": "ناک",
"ناکے": "ناکہ",
"ناکام": "ناکام",
"ناکامو": "ناکام",
"ناکاموں": "ناکام",
"ناکامی": "ناکامی",
"ناکامیاں": "ناکامی",
"ناکامیو": "ناکامی",
"ناکامیوں": "ناکامی",
"ناکہ": "ناکہ",
"ناکو": "ناکہ",
"ناکوں": "ناکہ",
"ناکیں": "ناک",
"نال": "نال",
"نالے": "نالا",
"نالا": "نالا",
"نالائق": "نالائق",
"نالائقو": "نالائق",
"نالائقوں": "نالائق",
"نالائقی": "نالائقی",
"نالائقیاں": "نالائقی",
"نالائقیو": "نالائقی",
"نالائقیوں": "نالائقی",
"نالہ": "نالہ",
"نالو": "نالا",
"نالوں": "نالا",
"نالی": "نالی",
"نالیں": "نال",
"نالیاں": "نالی",
"نالیو": "نالی",
"نالیوں": "نالی",
"نام": "نام",
"نامے": "نامہ",
"نامہ": "نامہ",
"نامراد": "نامراد",
"نامرادو": "نامراد",
"نامرادوں": "نامراد",
"نامرادی": "نامرادی",
"نامرادیاں": "نامرادی",
"نامرادیو": "نامرادی",
"نامرادیوں": "نامرادی",
"نامرد": "نامرد",
"نامردو": "نامرد",
"نامردوں": "نامرد",
"نامو": "نامہ",
"ناموں": "نامہ",
"نامی": "نامی",
"نامیے": "نامیہ",
"نامیہ": "نامیہ",
"نامیو": "نامیہ",
"نامیوں": "نامیہ",
"نانی": "نانی",
"نانیاں": "نانی",
"نانیو": "نانی",
"نانیوں": "نانی",
"ناپ": "ناپ",
"ناپے": "ناپنا",
"ناپں": "ناپنا",
"ناپا": "ناپنا",
"ناپنے": "ناپنا",
"ناپنا": "ناپنا",
"ناپنی": "ناپنا",
"ناپتے": "ناپنا",
"ناپتا": "ناپنا",
"ناپتی": "ناپنا",
"ناپتیں": "ناپنا",
"ناپو": "ناپ",
"ناپوں": "ناپ",
"ناپی": "ناپنا",
"ناپیے": "ناپنا",
"ناپیں": "ناپنا",
"نارنجی": "نارنجی",
"ناری": "ناری",
"ناریاں": "ناری",
"ناریو": "ناری",
"ناریوں": "ناری",
"ناسور": "ناسور",
"ناسورو": "ناسور",
"ناسوروں": "ناسور",
"ناتے": "ناتا",
"ناتا": "ناتا",
"ناتو": "ناتا",
"ناتوں": "ناتا",
"ناول": "ناول",
"ناولو": "ناول",
"ناولوں": "ناول",
"نائب": "نائب",
"نائبو": "نائب",
"نائبوں": "نائب",
"نائی": "نائی",
"نائیو": "نائی",
"نائیوں": "نائی",
"ناز": "ناز",
"نازو": "ناز",
"نازوں": "ناز",
"ناطے": "ناطہ",
"ناطہ": "ناطہ",
"ناطو": "ناطہ",
"ناطوں": "ناطہ",
"نبی": "نبی",
"نبیو": "نبی",
"نبیوں": "نبی",
"نبھ": "نبھنا",
"نبھے": "نبھنا",
"نبھں": "نبھنا",
"نبھا": "نبھنا",
"نبھانے": "نبھنا",
"نبھانا": "نبھنا",
"نبھاتے": "نبھنا",
"نبھاتا": "نبھنا",
"نبھاتی": "نبھنا",
"نبھاتیں": "نبھنا",
"نبھاؤ": "نبھنا",
"نبھاؤں": "نبھنا",
"نبھائے": "نبھنا",
"نبھائی": "نبھنا",
"نبھائیے": "نبھنا",
"نبھائیں": "نبھنا",
"نبھایا": "نبھنا",
"نبھنے": "نبھنا",
"نبھنا": "نبھنا",
"نبھنی": "نبھنا",
"نبھتے": "نبھنا",
"نبھتا": "نبھنا",
"نبھتی": "نبھنا",
"نبھتیں": "نبھنا",
"نبھو": "نبھنا",
"نبھوں": "نبھنا",
"نبھوا": "نبھنا",
"نبھوانے": "نبھنا",
"نبھوانا": "نبھنا",
"نبھواتے": "نبھنا",
"نبھواتا": "نبھنا",
"نبھواتی": "نبھنا",
"نبھواتیں": "نبھنا",
"نبھواؤ": "نبھنا",
"نبھواؤں": "نبھنا",
"نبھوائے": "نبھنا",
"نبھوائی": "نبھنا",
"نبھوائیے": "نبھنا",
"نبھوائیں": "نبھنا",
"نبھوایا": "نبھنا",
"نبھی": "نبھنا",
"نبھیے": "نبھنا",
"نبھیں": "نبھنا",
"نچ": "نچنا",
"نچے": "نچنا",
"نچں": "نچنا",
"نچا": "ناچنا",
"نچانے": "ناچنا",
"نچانا": "ناچنا",
"نچاتے": "ناچنا",
"نچاتا": "ناچنا",
"نچاتی": "ناچنا",
"نچاتیں": "ناچنا",
"نچاؤ": "ناچنا",
"نچاؤں": "ناچنا",
"نچائے": "ناچنا",
"نچائی": "ناچنا",
"نچائیے": "ناچنا",
"نچائیں": "ناچنا",
"نچایا": "ناچنا",
"نچنے": "نچنا",
"نچنا": "نچنا",
"نچنی": "نچنا",
"نچتے": "نچنا",
"نچتا": "نچنا",
"نچتی": "نچنا",
"نچتیں": "نچنا",
"نچو": "نچنا",
"نچوں": "نچنا",
"نچوڑ": "نچوڑنا",
"نچوڑے": "نچوڑنا",
"نچوڑں": "نچوڑنا",
"نچوڑا": "نچوڑنا",
"نچوڑانے": "نچوڑنا",
"نچوڑانا": "نچوڑنا",
"نچوڑاتے": "نچوڑنا",
"نچوڑاتا": "نچوڑنا",
"نچوڑاتی": "نچوڑنا",
"نچوڑاتیں": "نچوڑنا",
"نچوڑاؤ": "نچوڑنا",
"نچوڑاؤں": "نچوڑنا",
"نچوڑائے": "نچوڑنا",
"نچوڑائی": "نچوڑنا",
"نچوڑائیے": "نچوڑنا",
"نچوڑائیں": "نچوڑنا",
"نچوڑایا": "نچوڑنا",
"نچوڑنے": "نچوڑنا",
"نچوڑنا": "نچوڑنا",
"نچوڑنی": "نچوڑنا",
"نچوڑتے": "نچوڑنا",
"نچوڑتا": "نچوڑنا",
"نچوڑتی": "نچوڑنا",
"نچوڑتیں": "نچوڑنا",
"نچوڑو": "نچوڑنا",
"نچوڑوں": "نچوڑنا",
"نچوڑوا": "نچوڑنا",
"نچوڑوانے": "نچوڑنا",
"نچوڑوانا": "نچوڑنا",
"نچوڑواتے": "نچوڑنا",
"نچوڑواتا": "نچوڑنا",
"نچوڑواتی": "نچوڑنا",
"نچوڑواتیں": "نچوڑنا",
"نچوڑواؤ": "نچوڑنا",
"نچوڑواؤں": "نچوڑنا",
"نچوڑوائے": "نچوڑنا",
"نچوڑوائی": "نچوڑنا",
"نچوڑوائیے": "نچوڑنا",
"نچوڑوائیں": "نچوڑنا",
"نچوڑوایا": "نچوڑنا",
"نچوڑی": "نچوڑنا",
"نچوڑیے": "نچوڑنا",
"نچوڑیں": "نچوڑنا",
"نچوا": "ناچنا",
"نچوانے": "ناچنا",
"نچوانا": "ناچنا",
"نچواتے": "ناچنا",
"نچواتا": "ناچنا",
"نچواتی": "ناچنا",
"نچواتیں": "ناچنا",
"نچواؤ": "ناچنا",
"نچواؤں": "ناچنا",
"نچوائے": "ناچنا",
"نچوائی": "ناچنا",
"نچوائیے": "ناچنا",
"نچوائیں": "ناچنا",
"نچوایا": "ناچنا",
"نچی": "نچنا",
"نچیے": "نچنا",
"نچیں": "نچنا",
"ندی": "ندی",
"ندیا": "ندیا",
"ندیاں": "ندی",
"ندیو": "ندی",
"ندیوں": "ندی",
"نعمت": "نعمت",
"نعمتو": "نعمت",
"نعمتوں": "نعمت",
"نعمتیں": "نعمت",
"نعرے": "نعرا",
"نعرا": "نعرا",
"نعرہ": "نعرہ",
"نعرو": "نعرا",
"نعروں": "نعرا",
"نعت": "نعت",
"نعتو": "نعت",
"نعتوں": "نعت",
"نعتیں": "نعت",
"نفل": "نفل",
"نفلو": "نفل",
"نفلوں": "نفل",
"نفرت": "نفرت",
"نفرتو": "نفرت",
"نفرتوں": "نفرت",
"نفرتیں": "نفرت",
"نفس": "نفس",
"نفسے": "نفسہ",
"نفسہ": "نفسہ",
"نفسو": "نفسہ",
"نفسوں": "نفسہ",
"نگ": "نگ",
"نگاہ": "نگاہ",
"نگاہو": "نگاہ",
"نگاہوں": "نگاہ",
"نگاہیں": "نگاہ",
"نگار": "نگار",
"نگارو": "نگار",
"نگاروں": "نگار",
"نگل": "نگلنا",
"نگلے": "نگلنا",
"نگلں": "نگلنا",
"نگلا": "نگلنا",
"نگلنے": "نگلنا",
"نگلنا": "نگلنا",
"نگلنی": "نگلنا",
"نگلتے": "نگلنا",
"نگلتا": "نگلنا",
"نگلتی": "نگلنا",
"نگلتیں": "نگلنا",
"نگلو": "نگلنا",
"نگلوں": "نگلنا",
"نگلوا": "نگلنا",
"نگلوانے": "نگلنا",
"نگلوانا": "نگلنا",
"نگلواتے": "نگلنا",
"نگلواتا": "نگلنا",
"نگلواتی": "نگلنا",
"نگلواتیں": "نگلنا",
"نگلواؤ": "نگلنا",
"نگلواؤں": "نگلنا",
"نگلوائے": "نگلنا",
"نگلوائی": "نگلنا",
"نگلوائیے": "نگلنا",
"نگلوائیں": "نگلنا",
"نگلوایا": "نگلنا",
"نگلی": "نگلنا",
"نگلیے": "نگلنا",
"نگلیں": "نگلنا",
"نگو": "نگ",
"نگوں": "نگ",
"نگینے": "نگینہ",
"نگینہ": "نگینہ",
"نگینو": "نگینہ",
"نگینوں": "نگینہ",
"نہ": "نہ",
"نہا": "نہانا",
"نہانے": "نہانا",
"نہانا": "نہانا",
"نہانی": "نہانا",
"نہات": "نہات",
"نہاتے": "نہانا",
"نہاتا": "نہانا",
"نہاتو": "نہات",
"نہاتوں": "نہات",
"نہاتی": "نہانا",
"نہاتیں": "نہات",
"نہاؤ": "نہانا",
"نہاؤں": "نہانا",
"نہائے": "نہانا",
"نہائی": "نہانا",
"نہائیے": "نہانا",
"نہائیں": "نہانا",
"نہایا": "نہانا",
"نہلا": "نہانا",
"نہلانے": "نہانا",
"نہلانا": "نہانا",
"نہلاتے": "نہانا",
"نہلاتا": "نہانا",
"نہلاتی": "نہانا",
"نہلاتیں": "نہانا",
"نہلاؤ": "نہانا",
"نہلاؤں": "نہانا",
"نہلائے": "نہانا",
"نہلائی": "نہانا",
"نہلائیے": "نہانا",
"نہلائیں": "نہانا",
"نہلایا": "نہانا",
"نہلوا": "نہانا",
"نہلوانے": "نہانا",
"نہلوانا": "نہانا",
"نہلواتے": "نہانا",
"نہلواتا": "نہانا",
"نہلواتی": "نہانا",
"نہلواتیں": "نہانا",
"نہلواؤ": "نہانا",
"نہلواؤں": "نہانا",
"نہلوائے": "نہانا",
"نہلوائی": "نہانا",
"نہلوائیے": "نہانا",
"نہلوائیں": "نہانا",
"نہلوایا": "نہانا",
"نہر": "نہر",
"نہرو": "نہر",
"نہروں": "نہر",
"نہریں": "نہر",
"نہیں": "نہیں",
"نجومی": "نجومی",
"نجومیو": "نجومی",
"نجومیوں": "نجومی",
"نکڑ": "نکڑ",
"نکڑو": "نکڑ",
"نکڑوں": "نکڑ",
"نکال": "نکلنا",
"نکالے": "نکلنا",
"نکالں": "نکلنا",
"نکالا": "نکلنا",
"نکالنے": "نکلنا",
"نکالنا": "نکلنا",
"نکالتے": "نکلنا",
"نکالتا": "نکلنا",
"نکالتی": "نکلنا",
"نکالتیں": "نکلنا",
"نکالو": "نکلنا",
"نکالوں": "نکلنا",
"نکالی": "نکلنا",
"نکالیے": "نکلنا",
"نکالیں": "نکلنا",
"نکل": "نکلنا",
"نکلے": "نکلنا",
"نکلں": "نکلنا",
"نکلا": "نکلنا",
"نکلانے": "نکلنا",
"نکلانا": "نکلنا",
"نکلاتے": "نکلنا",
"نکلاتا": "نکلنا",
"نکلاتی": "نکلنا",
"نکلاتیں": "نکلنا",
"نکلاؤ": "نکلنا",
"نکلاؤں": "نکلنا",
"نکلائے": "نکلنا",
"نکلائی": "نکلنا",
"نکلائیے": "نکلنا",
"نکلائیں": "نکلنا",
"نکلایا": "نکلنا",
"نکلنے": "نکلنا",
"نکلنا": "نکلنا",
"نکلنی": "نکلنا",
"نکلتے": "نکلنا",
"نکلتا": "نکلنا",
"نکلتی": "نکلنا",
"نکلتیں": "نکلنا",
"نکلو": "نکلنا",
"نکلوں": "نکلنا",
"نکلوا": "نکلنا",
"نکلوانے": "نکلنا",
"نکلوانا": "نکلنا",
"نکلواتے": "نکلنا",
"نکلواتا": "نکلنا",
"نکلواتی": "نکلنا",
"نکلواتیں": "نکلنا",
"نکلواؤ": "نکلنا",
"نکلواؤں": "نکلنا",
"نکلوائے": "نکلنا",
"نکلوائی": "نکلنا",
"نکلوائیے": "نکلنا",
"نکلوائیں": "نکلنا",
"نکلوایا": "نکلنا",
"نکلی": "نکلنا",
"نکلیے": "نکلنا",
"نکلیں": "نکلنا",
"نکر": "نکر",
"نکرو": "نکر",
"نکروں": "نکر",
"نکریں": "نکر",
"نکتے": "نکتہ",
"نکتہ": "نکتہ",
"نکتو": "نکتہ",
"نکتوں": "نکتہ",
"نل": "نل",
"نلکے": "نلکا",
"نلکا": "نلکا",
"نلکہ": "نلکہ",
"نلکو": "نلکا",
"نلکوں": "نلکا",
"نلو": "نل",
"نلوں": "نل",
"نمٹ": "نمٹنا",
"نمٹے": "نمٹنا",
"نمٹں": "نمٹنا",
"نمٹا": "نمٹنا",
"نمٹانے": "نمٹنا",
"نمٹانا": "نمٹنا",
"نمٹاتے": "نمٹنا",
"نمٹاتا": "نمٹنا",
"نمٹاتی": "نمٹنا",
"نمٹاتیں": "نمٹنا",
"نمٹاؤ": "نمٹنا",
"نمٹاؤں": "نمٹنا",
"نمٹائے": "نمٹنا",
"نمٹائی": "نمٹنا",
"نمٹائیے": "نمٹنا",
"نمٹائیں": "نمٹنا",
"نمٹایا": "نمٹنا",
"نمٹنے": "نمٹنا",
"نمٹنا": "نمٹنا",
"نمٹنی": "نمٹنا",
"نمٹتے": "نمٹنا",
"نمٹتا": "نمٹنا",
"نمٹتی": "نمٹنا",
"نمٹتیں": "نمٹنا",
"نمٹو": "نمٹنا",
"نمٹوں": "نمٹنا",
"نمٹوا": "نمٹنا",
"نمٹوانے": "نمٹنا",
"نمٹوانا": "نمٹنا",
"نمٹواتے": "نمٹنا",
"نمٹواتا": "نمٹنا",
"نمٹواتی": "نمٹنا",
"نمٹواتیں": "نمٹنا",
"نمٹواؤ": "نمٹنا",
"نمٹواؤں": "نمٹنا",
"نمٹوائے": "نمٹنا",
"نمٹوائی": "نمٹنا",
"نمٹوائیے": "نمٹنا",
"نمٹوائیں": "نمٹنا",
"نمٹوایا": "نمٹنا",
"نمٹی": "نمٹنا",
"نمٹیے": "نمٹنا",
"نمٹیں": "نمٹنا",
"نمائندے": "نمائندہ",
"نمائندہ": "نمائندہ",
"نمائندو": "نمائندہ",
"نمائندوں": "نمائندہ",
"نماز": "نماز",
"نمازو": "نماز",
"نمازوں": "نماز",
"نمازی": "نمازی",
"نمازیں": "نماز",
"نمازیو": "نمازی",
"نمازیوں": "نمازی",
"نمبر": "نمبر",
"نمبرو": "نمبر",
"نمبروں": "نمبر",
"نمدے": "نمدہ",
"نمدہ": "نمدہ",
"نمدو": "نمدہ",
"نمدوں": "نمدہ",
"نمرود": "نمرود",
"نمرودو": "نمرود",
"نمرودوں": "نمرود",
"نمونے": "نمونا",
"نمونا": "نمونا",
"نمونہ": "نمونہ",
"نمونو": "نمونا",
"نمونوں": "نمونا",
"نمونیے": "نمونیہ",
"نمونیہ": "نمونیہ",
"نمونیو": "نمونیہ",
"نمونیوں": "نمونیہ",
"نند": "نند",
"نندو": "نند",
"نندوں": "نند",
"نندیں": "نند",
"ننگے": "ننگا",
"ننگا": "ننگا",
"ننگو": "ننگا",
"ننگوں": "ننگا",
"نقصان": "نقصان",
"نقصانات": "نقصان",
"نقصانو": "نقصان",
"نقصانوں": "نقصان",
"نقشے": "نقشہ",
"نقشہ": "نقشہ",
"نقشو": "نقشہ",
"نقشوں": "نقشہ",
"نقاب": "نقاب",
"نقابو": "نقاب",
"نقابوں": "نقاب",
"نقاد": "نقاد",
"نقادو": "نقاد",
"نقادوں": "نقاد",
"نقارے": "نقارہ",
"نقارہ": "نقارہ",
"نقارو": "نقارہ",
"نقاروں": "نقارہ",
"نقد": "نقد",
"نقدو": "نقد",
"نقدوں": "نقد",
"نقل": "نقل",
"نقلو": "نقل",
"نقلوں": "نقل",
"نقلیں": "نقل",
"نقیب": "نقیب",
"نقیبو": "نقیب",
"نقیبوں": "نقیب",
"نقیبیں": "نقیب",
"نقط": "نقط",
"نقطے": "نقطہ",
"نقطہ": "نقطہ",
"نقطو": "نقطہ",
"نقطوں": "نقطہ",
"نقطیں": "نقط",
"نرس": "نرس",
"نرسو": "نرس",
"نرسوں": "نرس",
"نرسیں": "نرس",
"نس": "نس",
"نسخے": "نسخہ",
"نسخہ": "نسخہ",
"نسخو": "نسخہ",
"نسخوں": "نسخہ",
"نسبت": "نسبت",
"نسبتو": "نسبت",
"نسبتوں": "نسبت",
"نسبتیں": "نسبت",
"نسل": "نسل",
"نسلو": "نسل",
"نسلوں": "نسل",
"نسلیں": "نسل",
"نسو": "نس",
"نسوں": "نس",
"نسیں": "نس",
"نتیجے": "نتیجہ",
"نتیجہ": "نتیجہ",
"نتیجو": "نتیجہ",
"نتیجوں": "نتیجہ",
"نتھ": "نتھ",
"نتھو": "نتھ",
"نتھوں": "نتھ",
"نتھیں": "نتھ",
"نو": "نو",
"نوٹ": "نوٹ",
"نوٹو": "نوٹ",
"نوٹوں": "نوٹ",
"نوشت": "نوشت",
"نوشتے": "نوشتہ",
"نوشتہ": "نوشتہ",
"نوشتو": "نوشتہ",
"نوشتوں": "نوشتہ",
"نوشتیں": "نوشت",
"نواب": "نواب",
"نوابو": "نواب",
"نوابوں": "نواب",
"نواسے": "نواسہ",
"نواسہ": "نواسہ",
"نواسو": "نواسہ",
"نواسوں": "نواسہ",
"نواسی": "نواسی",
"نواسیاں": "نواسی",
"نواسیو": "نواسی",
"نواسیوں": "نواسی",
"نواز": "نواز",
"نوازے": "نوازنا",
"نوازں": "نوازنا",
"نوازش": "نوازش",
"نوازشو": "نوازش",
"نوازشوں": "نوازش",
"نوازشیں": "نوازش",
"نوازا": "نوازنا",
"نوازنے": "نوازنا",
"نوازنا": "نوازنا",
"نوازنی": "نوازنا",
"نوازتے": "نوازنا",
"نوازتا": "نوازنا",
"نوازتی": "نوازنا",
"نوازتیں": "نوازنا",
"نوازو": "نواز",
"نوازوں": "نواز",
"نوازی": "نوازی",
"نوازیے": "نوازنا",
"نوازیں": "نوازنا",
"نوازیاں": "نوازی",
"نوازیو": "نوازی",
"نوازیوں": "نوازی",
"نوجوان": "نوجوان",
"نوجوانو": "نوجوان",
"نوجوانوں": "نوجوان",
"نوکر": "نوکر",
"نوکرانی": "نوکرانی",
"نوکرانیاں": "نوکرانی",
"نوکرانیو": "نوکرانی",
"نوکرانیوں": "نوکرانی",
"نوکرو": "نوکر",
"نوکروں": "نوکر",
"نوکری": "نوکری",
"نوکریاں": "نوکری",
"نوکریو": "نوکری",
"نوکریوں": "نوکری",
"نویس": "نویس",
"نویسو": "نویس",
"نویسوں": "نویس",
"نیچے": "نیچہ",
"نیچہ": "نیچہ",
"نیچو": "نیچہ",
"نیچوں": "نیچہ",
"نیک": "نیک",
"نیکر": "نیکر",
"نیکرو": "نیکر",
"نیکروں": "نیکر",
"نیکریں": "نیکر",
"نیکو": "نیک",
"نیکوں": "نیک",
"نیکوکار": "نیکوکار",
"نیکوکارو": "نیکوکار",
"نیکوکاروں": "نیکوکار",
"نیکی": "نیکی",
"نیکیاں": "نیکی",
"نیکیو": "نیکی",
"نیکیوں": "نیکی",
"نیل": "نیل",
"نیلے": "نیلا",
"نیلا": "نیلا",
"نیلو": "نیلا",
"نیلوں": "نیلا",
"نیند": "نیند",
"نیندو": "نیند",
"نیندوں": "نیند",
"نیندیں": "نیند",
"نیرنگی": "نیرنگی",
"نیرنگیاں": "نیرنگی",
"نیرنگیو": "نیرنگی",
"نیرنگیوں": "نیرنگی",
"نیزے": "نیزہ",
"نیزہ": "نیزہ",
"نیزو": "نیزہ",
"نیزوں": "نیزہ",
"نزاکت": "نزاکت",
"نزاکتو": "نزاکت",
"نزاکتوں": "نزاکت",
"نزاکتیں": "نزاکت",
"نزلے": "نزلہ",
"نزلہ": "نزلہ",
"نزلو": "نزلہ",
"نزلوں": "نزلہ",
"نظّارے": "نظّارہ",
"نظّارہ": "نظّارہ",
"نظّارو": "نظّارہ",
"نظّاروں": "نظّارہ",
"نظارے": "نظارہ",
"نظارہ": "نظارہ",
"نظارو": "نظارہ",
"نظاروں": "نظارہ",
"نظم": "نظم",
"نظمو": "نظم",
"نظموں": "نظم",
"نظمیں": "نظم",
"نظر": "نظر",
"نظرو": "نظر",
"نظروں": "نظر",
"نظریے": "نظریہ",
"نظریں": "نظر",
"نظریہ": "نظریہ",
"نظریو": "نظریہ",
"نظریوں": "نظریہ",
"پَڑْھ": "پَڑْھنا",
"پَڑْھے": "پَڑْھنا",
"پَڑْھں": "پَڑْھنا",
"پَڑْھا": "پَڑْھنا",
"پَڑْھانے": "پَڑْھنا",
"پَڑْھانا": "پَڑْھنا",
"پَڑْھاتے": "پَڑْھنا",
"پَڑْھاتا": "پَڑْھنا",
"پَڑْھاتی": "پَڑْھنا",
"پَڑْھاتیں": "پَڑْھنا",
"پَڑْھاؤ": "پَڑْھنا",
"پَڑْھاؤں": "پَڑْھنا",
"پَڑْھائے": "پَڑْھنا",
"پَڑْھائی": "پَڑْھنا",
"پَڑْھائیے": "پَڑْھنا",
"پَڑْھائیں": "پَڑْھنا",
"پَڑْھایا": "پَڑْھنا",
"پَڑْھنے": "پَڑْھنا",
"پَڑْھنا": "پَڑْھنا",
"پَڑْھنی": "پَڑْھنا",
"پَڑْھتے": "پَڑْھنا",
"پَڑْھتا": "پَڑْھنا",
"پَڑْھتی": "پَڑْھنا",
"پَڑْھتیں": "پَڑْھنا",
"پَڑْھو": "پَڑْھنا",
"پَڑْھوں": "پَڑْھنا",
"پَڑْھوا": "پَڑْھنا",
"پَڑْھوانے": "پَڑْھنا",
"پَڑْھوانا": "پَڑْھنا",
"پَڑْھواتے": "پَڑْھنا",
"پَڑْھواتا": "پَڑْھنا",
"پَڑْھواتی": "پَڑْھنا",
"پَڑْھواتیں": "پَڑْھنا",
"پَڑْھواؤ": "پَڑْھنا",
"پَڑْھواؤں": "پَڑْھنا",
"پَڑْھوائے": "پَڑْھنا",
"پَڑْھوائی": "پَڑْھنا",
"پَڑْھوائیے": "پَڑْھنا",
"پَڑْھوائیں": "پَڑْھنا",
"پَڑْھوایا": "پَڑْھنا",
"پَڑْھی": "پَڑْھنا",
"پَڑْھیے": "پَڑْھنا",
"پَڑْھیں": "پَڑْھنا",
"پَل": "پَلْنا",
"پَلْں": "پَلْنا",
"پَلْنے": "پَلْنا",
"پَلْنا": "پَلْنا",
"پَلْنی": "پَلْنا",
"پَلْتے": "پَلْنا",
"پَلْتا": "پَلْنا",
"پَلْتی": "پَلْنا",
"پَلْتیں": "پَلْنا",
"پَلْوا": "پَلْنا",
"پَلْوانے": "پَلْنا",
"پَلْوانا": "پَلْنا",
"پَلْواتے": "پَلْنا",
"پَلْواتا": "پَلْنا",
"پَلْواتی": "پَلْنا",
"پَلْواتیں": "پَلْنا",
"پَلْواؤ": "پَلْنا",
"پَلْواؤں": "پَلْنا",
"پَلْوائے": "پَلْنا",
"پَلْوائی": "پَلْنا",
"پَلْوائیے": "پَلْنا",
"پَلْوائیں": "پَلْنا",
"پَلْوایا": "پَلْنا",
"پَلے": "پَلْنا",
"پَلا": "پَلْنا",
"پَلو": "پَلْنا",
"پَلوں": "پَلْنا",
"پَلی": "پَلْنا",
"پَلیے": "پَلْنا",
"پَلیں": "پَلْنا",
"پَر": "پَر",
"پَرْدَے": "پَرْدَہ",
"پَرْدَہ": "پَرْدَہ",
"پَرْدَو": "پَرْدَہ",
"پَرْدَوں": "پَرْدَہ",
"پَرو": "پَر",
"پَروں": "پَر",
"پَتَّھر": "پَتَّھر",
"پَتَّھرو": "پَتَّھر",
"پَتَّھروں": "پَتَّھر",
"پِٹ": "پِٹنا",
"پِٹے": "پِٹنا",
"پِٹں": "پِٹنا",
"پِٹا": "پِٹنا",
"پِٹنے": "پِٹنا",
"پِٹنا": "پِٹنا",
"پِٹنی": "پِٹنا",
"پِٹتے": "پِٹنا",
"پِٹتا": "پِٹنا",
"پِٹتی": "پِٹنا",
"پِٹتیں": "پِٹنا",
"پِٹو": "پِٹنا",
"پِٹوں": "پِٹنا",
"پِٹوا": "پِٹنا",
"پِٹوانے": "پِٹنا",
"پِٹوانا": "پِٹنا",
"پِٹواتے": "پِٹنا",
"پِٹواتا": "پِٹنا",
"پِٹواتی": "پِٹنا",
"پِٹواتیں": "پِٹنا",
"پِٹواؤ": "پِٹنا",
"پِٹواؤں": "پِٹنا",
"پِٹوائے": "پِٹنا",
"پِٹوائی": "پِٹنا",
"پِٹوائیے": "پِٹنا",
"پِٹوائیں": "پِٹنا",
"پِٹوایا": "پِٹنا",
"پِٹی": "پِٹنا",
"پِٹیے": "پِٹنا",
"پِٹیں": "پِٹنا",
"پِلا": "پِینا",
"پِلانے": "پِینا",
"پِلانا": "پِینا",
"پِلاتے": "پِینا",
"پِلاتا": "پِینا",
"پِلاتی": "پِینا",
"پِلاتیں": "پِینا",
"پِلاؤ": "پِینا",
"پِلاؤں": "پِینا",
"پِلائے": "پِینا",
"پِلائی": "پِینا",
"پِلائیے": "پِینا",
"پِلائیں": "پِینا",
"پِلایا": "پِینا",
"پِلوا": "پِینا",
"پِلوانے": "پِینا",
"پِلوانا": "پِینا",
"پِلواتے": "پِینا",
"پِلواتا": "پِینا",
"پِلواتی": "پِینا",
"پِلواتیں": "پِینا",
"پِلواؤ": "پِینا",
"پِلواؤں": "پِینا",
"پِلوائے": "پِینا",
"پِلوائی": "پِینا",
"پِلوائیے": "پِینا",
"پِلوائیں": "پِینا",
"پِلوایا": "پِینا",
"پِس": "پِسْنا",
"پِسْں": "پِسْنا",
"پِسْنے": "پِسْنا",
"پِسْنا": "پِسْنا",
"پِسْنی": "پِسْنا",
"پِسْتے": "پِسْنا",
"پِسْتا": "پِسْنا",
"پِسْتی": "پِسْنا",
"پِسْتیں": "پِسْنا",
"پِسْوا": "پِسْنا",
"پِسْوانے": "پِسْنا",
"پِسْوانا": "پِسْنا",
"پِسْواتے": "پِسْنا",
"پِسْواتا": "پِسْنا",
"پِسْواتی": "پِسْنا",
"پِسْواتیں": "پِسْنا",
"پِسْواؤ": "پِسْنا",
"پِسْواؤں": "پِسْنا",
"پِسْوائے": "پِسْنا",
"پِسْوائی": "پِسْنا",
"پِسْوائیے": "پِسْنا",
"پِسْوائیں": "پِسْنا",
"پِسْوایا": "پِسْنا",
"پِسے": "پِسْنا",
"پِسا": "پِسْنا",
"پِسو": "پِسْنا",
"پِسوں": "پِسْنا",
"پِسی": "پِسْنا",
"پِسیے": "پِسْنا",
"پِسیں": "پِسْنا",
"پِی": "پِینا",
"پِیے": "پِینا",
"پِیں": "پِینا",
"پِیا": "پِینا",
"پِیلے": "پِیلا",
"پِیلا": "پِیلا",
"پِیلی": "پِیلا",
"پِینے": "پِینا",
"پِینا": "پِینا",
"پِینی": "پِینا",
"پِیس": "پِسْنا",
"پِیسْں": "پِسْنا",
"پِیسْنے": "پِسْنا",
"پِیسْنا": "پِسْنا",
"پِیسْتے": "پِسْنا",
"پِیسْتا": "پِسْنا",
"پِیسْتی": "پِسْنا",
"پِیسْتیں": "پِسْنا",
"پِیسے": "پِسْنا",
"پِیسا": "پِسْنا",
"پِیسو": "پِسْنا",
"پِیسوں": "پِسْنا",
"پِیسی": "پِسْنا",
"پِیسیے": "پِسْنا",
"پِیسیں": "پِسْنا",
"پِیتے": "پِینا",
"پِیتا": "پِینا",
"پِیتی": "پِینا",
"پِیتیں": "پِینا",
"پِیو": "پِینا",
"پِیوں": "پِینا",
"پِیی": "پِینا",
"پِییے": "پِینا",
"پِییں": "پِینا",
"پِھر": "پِھرنا",
"پِھرے": "پِھرنا",
"پِھرں": "پِھرنا",
"پِھرا": "پِھرنا",
"پِھرانے": "پِھرنا",
"پِھرانا": "پِھرنا",
"پِھراتے": "پِھرنا",
"پِھراتا": "پِھرنا",
"پِھراتی": "پِھرنا",
"پِھراتیں": "پِھرنا",
"پِھراؤ": "پِھرنا",
"پِھراؤں": "پِھرنا",
"پِھرائے": "پِھرنا",
"پِھرائی": "پِھرنا",
"پِھرائیے": "پِھرنا",
"پِھرائیں": "پِھرنا",
"پِھرایا": "پِھرنا",
"پِھرنے": "پِھرنا",
"پِھرنا": "پِھرنا",
"پِھرنی": "پِھرنا",
"پِھرتے": "پِھرنا",
"پِھرتا": "پِھرنا",
"پِھرتی": "پِھرنا",
"پِھرتیں": "پِھرنا",
"پِھرو": "پِھرنا",
"پِھروں": "پِھرنا",
"پِھروا": "پِھرنا",
"پِھروانے": "پِھرنا",
"پِھروانا": "پِھرنا",
"پِھرواتے": "پِھرنا",
"پِھرواتا": "پِھرنا",
"پِھرواتی": "پِھرنا",
"پِھرواتیں": "پِھرنا",
"پِھرواؤ": "پِھرنا",
"پِھرواؤں": "پِھرنا",
"پِھروائے": "پِھرنا",
"پِھروائی": "پِھرنا",
"پِھروائیے": "پِھرنا",
"پِھروائیں": "پِھرنا",
"پِھروایا": "پِھرنا",
"پِھری": "پِھرنا",
"پِھریے": "پِھرنا",
"پِھریں": "پِھرنا",
"پُلاؤ": "پُلاؤ",
"پُرے": "پُرا",
"پُرا": "پُرا",
"پُرکھ": "پُرکھ",
"پُرکھو": "پُرکھ",
"پُرکھوں": "پُرکھ",
"پُرکھیں": "پُرکھ",
"پُرو": "پُرا",
"پُروں": "پُرا",
"پُرزے": "پُرزہ",
"پُرزہ": "پُرزہ",
"پُرزو": "پُرزہ",
"پُرزوں": "پُرزہ",
"پُتلی": "پُتلی",
"پُتلیاں": "پُتلی",
"پُتلیو": "پُتلی",
"پُتلیوں": "پُتلی",
"پُوچھ": "پُوچھنا",
"پُوچھے": "پُوچھنا",
"پُوچھں": "پُوچھنا",
"پُوچھا": "پُوچھنا",
"پُوچھانے": "پُوچھنا",
"پُوچھانا": "پُوچھنا",
"پُوچھاتے": "پُوچھنا",
"پُوچھاتا": "پُوچھنا",
"پُوچھاتی": "پُوچھنا",
"پُوچھاتیں": "پُوچھنا",
"پُوچھاؤ": "پُوچھنا",
"پُوچھاؤں": "پُوچھنا",
"پُوچھائے": "پُوچھنا",
"پُوچھائی": "پُوچھنا",
"پُوچھائیے": "پُوچھنا",
"پُوچھائیں": "پُوچھنا",
"پُوچھایا": "پُوچھنا",
"پُوچھنے": "پُوچھنا",
"پُوچھنا": "پُوچھنا",
"پُوچھنی": "پُوچھنا",
"پُوچھتے": "پُوچھنا",
"پُوچھتا": "پُوچھنا",
"پُوچھتی": "پُوچھنا",
"پُوچھتیں": "پُوچھنا",
"پُوچھو": "پُوچھنا",
"پُوچھوں": "پُوچھنا",
"پُوچھوا": "پُوچھنا",
"پُوچھوانے": "پُوچھنا",
"پُوچھوانا": "پُوچھنا",
"پُوچھواتے": "پُوچھنا",
"پُوچھواتا": "پُوچھنا",
"پُوچھواتی": "پُوچھنا",
"پُوچھواتیں": "پُوچھنا",
"پُوچھواؤ": "پُوچھنا",
"پُوچھواؤں": "پُوچھنا",
"پُوچھوائے": "پُوچھنا",
"پُوچھوائی": "پُوچھنا",
"پُوچھوائیے": "پُوچھنا",
"پُوچھوائیں": "پُوچھنا",
"پُوچھوایا": "پُوچھنا",
"پُوچھی": "پُوچھنا",
"پُوچھیے": "پُوچھنا",
"پُوچھیں": "پُوچھنا",
"پُوج": "پُوجنا",
"پُوجے": "پُوجنا",
"پُوجں": "پُوجنا",
"پُوجا": "پُوجنا",
"پُوجانے": "پُوجنا",
"پُوجانا": "پُوجنا",
"پُوجاتے": "پُوجنا",
"پُوجاتا": "پُوجنا",
"پُوجاتی": "پُوجنا",
"پُوجاتیں": "پُوجنا",
"پُوجاؤ": "پُوجنا",
"پُوجاؤں": "پُوجنا",
"پُوجائے": "پُوجنا",
"پُوجائی": "پُوجنا",
"پُوجائیے": "پُوجنا",
"پُوجائیں": "پُوجنا",
"پُوجایا": "پُوجنا",
"پُوجنے": "پُوجنا",
"پُوجنا": "پُوجنا",
"پُوجنی": "پُوجنا",
"پُوجتے": "پُوجنا",
"پُوجتا": "پُوجنا",
"پُوجتی": "پُوجنا",
"پُوجتیں": "پُوجنا",
"پُوجو": "پُوجنا",
"پُوجوں": "پُوجنا",
"پُوجوا": "پُوجنا",
"پُوجوانے": "پُوجنا",
"پُوجوانا": "پُوجنا",
"پُوجواتے": "پُوجنا",
"پُوجواتا": "پُوجنا",
"پُوجواتی": "پُوجنا",
"پُوجواتیں": "پُوجنا",
"پُوجواؤ": "پُوجنا",
"پُوجواؤں": "پُوجنا",
"پُوجوائے": "پُوجنا",
"پُوجوائی": "پُوجنا",
"پُوجوائیے": "پُوجنا",
"پُوجوائیں": "پُوجنا",
"پُوجوایا": "پُوجنا",
"پُوجی": "پُوجنا",
"پُوجیے": "پُوجنا",
"پُوجیں": "پُوجنا",
"پُھلا": "پُھولنا",
"پُھلانے": "پُھولنا",
"پُھلانا": "پُھولنا",
"پُھلاتے": "پُھولنا",
"پُھلاتا": "پُھولنا",
"پُھلاتی": "پُھولنا",
"پُھلاتیں": "پُھولنا",
"پُھلاؤ": "پُھولنا",
"پُھلاؤں": "پُھولنا",
"پُھلائے": "پُھولنا",
"پُھلائی": "پُھولنا",
"پُھلائیے": "پُھولنا",
"پُھلائیں": "پُھولنا",
"پُھلایا": "پُھولنا",
"پُھلوا": "پُھولنا",
"پُھلوانے": "پُھولنا",
"پُھلوانا": "پُھولنا",
"پُھلواتے": "پُھولنا",
"پُھلواتا": "پُھولنا",
"پُھلواتی": "پُھولنا",
"پُھلواتیں": "پُھولنا",
"پُھلواؤ": "پُھولنا",
"پُھلواؤں": "پُھولنا",
"پُھلوائے": "پُھولنا",
"پُھلوائی": "پُھولنا",
"پُھلوائیے": "پُھولنا",
"پُھلوائیں": "پُھولنا",
"پُھلوایا": "پُھولنا",
"پُھسلا": "پُھسلانا",
"پُھسلانے": "پُھسلانا",
"پُھسلانا": "پُھسلانا",
"پُھسلانی": "پُھسلانا",
"پُھسلاتے": "پُھسلانا",
"پُھسلاتا": "پُھسلانا",
"پُھسلاتی": "پُھسلانا",
"پُھسلاتیں": "پُھسلانا",
"پُھسلاؤ": "پُھسلانا",
"پُھسلاؤں": "پُھسلانا",
"پُھسلائے": "پُھسلانا",
"پُھسلائی": "پُھسلانا",
"پُھسلائیے": "پُھسلانا",
"پُھسلائیں": "پُھسلانا",
"پُھسلایا": "پُھسلانا",
"پُھسلوا": "پُھسلانا",
"پُھسلوانے": "پُھسلانا",
"پُھسلوانا": "پُھسلانا",
"پُھسلواتے": "پُھسلانا",
"پُھسلواتا": "پُھسلانا",
"پُھسلواتی": "پُھسلانا",
"پُھسلواتیں": "پُھسلانا",
"پُھسلواؤ": "پُھسلانا",
"پُھسلواؤں": "پُھسلانا",
"پُھسلوائے": "پُھسلانا",
"پُھسلوائی": "پُھسلانا",
"پُھسلوائیے": "پُھسلانا",
"پُھسلوائیں": "پُھسلانا",
"پُھسلوایا": "پُھسلانا",
"پُھوٹ": "پُھوٹنا",
"پُھوٹے": "پُھوٹنا",
"پُھوٹں": "پُھوٹنا",
"پُھوٹا": "پُھوٹنا",
"پُھوٹنے": "پُھوٹنا",
"پُھوٹنا": "پُھوٹنا",
"پُھوٹنی": "پُھوٹنا",
"پُھوٹتے": "پُھوٹنا",
"پُھوٹتا": "پُھوٹنا",
"پُھوٹتی": "پُھوٹنا",
"پُھوٹتیں": "پُھوٹنا",
"پُھوٹو": "پُھوٹنا",
"پُھوٹوں": "پُھوٹنا",
"پُھوٹوا": "پُھوٹنا",
"پُھوٹوانے": "پُھوٹنا",
"پُھوٹوانا": "پُھوٹنا",
"پُھوٹواتے": "پُھوٹنا",
"پُھوٹواتا": "پُھوٹنا",
"پُھوٹواتی": "پُھوٹنا",
"پُھوٹواتیں": "پُھوٹنا",
"پُھوٹواؤ": "پُھوٹنا",
"پُھوٹواؤں": "پُھوٹنا",
"پُھوٹوائے": "پُھوٹنا",
"پُھوٹوائی": "پُھوٹنا",
"پُھوٹوائیے": "پُھوٹنا",
"پُھوٹوائیں": "پُھوٹنا",
"پُھوٹوایا": "پُھوٹنا",
"پُھوٹی": "پُھوٹنا",
"پُھوٹیے": "پُھوٹنا",
"پُھوٹیں": "پُھوٹنا",
"پُھول": "پُھول",
"پُھولے": "پُھولنا",
"پُھولں": "پُھولنا",
"پُھولا": "پُھولنا",
"پُھولانے": "پُھولنا",
"پُھولانا": "پُھولنا",
"پُھولاتے": "پُھولنا",
"پُھولاتا": "پُھولنا",
"پُھولاتی": "پُھولنا",
"پُھولاتیں": "پُھولنا",
"پُھولاؤ": "پُھولنا",
"پُھولاؤں": "پُھولنا",
"پُھولائے": "پُھولنا",
"پُھولائی": "پُھولنا",
"پُھولائیے": "پُھولنا",
"پُھولائیں": "پُھولنا",
"پُھولایا": "پُھولنا",
"پُھولنے": "پُھولنا",
"پُھولنا": "پُھولنا",
"پُھولنی": "پُھولنا",
"پُھولتے": "پُھولنا",
"پُھولتا": "پُھولنا",
"پُھولتی": "پُھولنا",
"پُھولتیں": "پُھولنا",
"پُھولو": "پُھول",
"پُھولوں": "پُھول",
"پُھولوا": "پُھولنا",
"پُھولوانے": "پُھولنا",
"پُھولوانا": "پُھولنا",
"پُھولواتے": "پُھولنا",
"پُھولواتا": "پُھولنا",
"پُھولواتی": "پُھولنا",
"پُھولواتیں": "پُھولنا",
"پُھولواؤ": "پُھولنا",
"پُھولواؤں": "پُھولنا",
"پُھولوائے": "پُھولنا",
"پُھولوائی": "پُھولنا",
"پُھولوائیے": "پُھولنا",
"پُھولوائیں": "پُھولنا",
"پُھولوایا": "پُھولنا",
"پُھولی": "پُھولنا",
"پُھولیے": "پُھولنا",
"پُھولیں": "پُھولنا",
"پخت": "پخت",
"پختے": "پختہ",
"پختہ": "پختہ",
"پختو": "پختہ",
"پختوں": "پختہ",
"پختون": "پختون",
"پختونو": "پختون",
"پختونوں": "پختون",
"پختیں": "پخت",
"پڑ": "پڑنا",
"پڑے": "پڑنا",
"پڑں": "پڑنا",
"پڑا": "پڑنا",
"پڑاؤ": "پڑاؤ",
"پڑنے": "پڑنا",
"پڑنا": "پڑنا",
"پڑنی": "پڑنا",
"پڑت": "پڑت",
"پڑتے": "پڑنا",
"پڑتا": "پڑنا",
"پڑتو": "پڑت",
"پڑتوں": "پڑت",
"پڑتی": "پڑنا",
"پڑتیں": "پڑت",
"پڑو": "پڑنا",
"پڑوں": "پڑنا",
"پڑوا": "پڑنا",
"پڑوانے": "پڑنا",
"پڑوانا": "پڑنا",
"پڑواتے": "پڑنا",
"پڑواتا": "پڑنا",
"پڑواتی": "پڑنا",
"پڑواتیں": "پڑنا",
"پڑواؤ": "پڑنا",
"پڑواؤں": "پڑنا",
"پڑوائے": "پڑنا",
"پڑوائی": "پڑنا",
"پڑوائیے": "پڑنا",
"پڑوائیں": "پڑنا",
"پڑوایا": "پڑنا",
"پڑوسن": "پڑوسن",
"پڑوسنو": "پڑوسن",
"پڑوسنوں": "پڑوسن",
"پڑوسنیں": "پڑوسن",
"پڑوسی": "پڑوسی",
"پڑوسیو": "پڑوسی",
"پڑوسیوں": "پڑوسی",
"پڑی": "پڑی",
"پڑیے": "پڑنا",
"پڑیں": "پڑنا",
"پڑیا": "پڑیا",
"پڑیاں": "پڑی",
"پڑیو": "پڑی",
"پڑیوں": "پڑی",
"پڑھ": "پڑھنا",
"پڑھے": "پڑھنا",
"پڑھں": "پڑھنا",
"پڑھا": "پڑھنا",
"پڑھانے": "پڑھنا",
"پڑھانا": "پڑھنا",
"پڑھاتے": "پڑھنا",
"پڑھاتا": "پڑھنا",
"پڑھاتی": "پڑھنا",
"پڑھاتیں": "پڑھنا",
"پڑھاؤ": "پڑھنا",
"پڑھاؤں": "پڑھنا",
"پڑھائے": "پڑھنا",
"پڑھائی": "پڑھنا",
"پڑھائیے": "پڑھنا",
"پڑھائیں": "پڑھنا",
"پڑھایا": "پڑھنا",
"پڑھنے": "پڑھنا",
"پڑھنا": "پڑھنا",
"پڑھنی": "پڑھنا",
"پڑھتے": "پڑھنا",
"پڑھتا": "پڑھنا",
"پڑھتی": "پڑھنا",
"پڑھتیں": "پڑھنا",
"پڑھو": "پڑھنا",
"پڑھوں": "پڑھنا",
"پڑھوا": "پڑھنا",
"پڑھوانے": "پڑھنا",
"پڑھوانا": "پڑھنا",
"پڑھواتے": "پڑھنا",
"پڑھواتا": "پڑھنا",
"پڑھواتی": "پڑھنا",
"پڑھواتیں": "پڑھنا",
"پڑھواؤ": "پڑھنا",
"پڑھواؤں": "پڑھنا",
"پڑھوائے": "پڑھنا",
"پڑھوائی": "پڑھنا",
"پڑھوائیے": "پڑھنا",
"پڑھوائیں": "پڑھنا",
"پڑھوایا": "پڑھنا",
"پڑھی": "پڑھنا",
"پڑھیے": "پڑھیا",
"پڑھیں": "پڑھنا",
"پڑھیا": "پڑھیا",
"پڑھیو": "پڑھیا",
"پڑھیوں": "پڑھیا",
"پٹ": "پٹنا",
"پٹے": "پٹا",
"پٹخ": "پٹخنا",
"پٹخے": "پٹخنا",
"پٹخں": "پٹخنا",
"پٹخا": "پٹخنا",
"پٹخانے": "پٹخنا",
"پٹخانا": "پٹخنا",
"پٹخاتے": "پٹخنا",
"پٹخاتا": "پٹخنا",
"پٹخاتی": "پٹخنا",
"پٹخاتیں": "پٹخنا",
"پٹخاؤ": "پٹخنا",
"پٹخاؤں": "پٹخنا",
"پٹخائے": "پٹخنا",
"پٹخائی": "پٹخنا",
"پٹخائیے": "پٹخنا",
"پٹخائیں": "پٹخنا",
"پٹخایا": "پٹخنا",
"پٹخنے": "پٹخنا",
"پٹخنا": "پٹخنا",
"پٹخنی": "پٹخنا",
"پٹختے": "پٹخنا",
"پٹختا": "پٹخنا",
"پٹختی": "پٹخنا",
"پٹختیں": "پٹخنا",
"پٹخو": "پٹخنا",
"پٹخوں": "پٹخنا",
"پٹخوا": "پٹخنا",
"پٹخوانے": "پٹخنا",
"پٹخوانا": "پٹخنا",
"پٹخواتے": "پٹخنا",
"پٹخواتا": "پٹخنا",
"پٹخواتی": "پٹخنا",
"پٹخواتیں": "پٹخنا",
"پٹخواؤ": "پٹخنا",
"پٹخواؤں": "پٹخنا",
"پٹخوائے": "پٹخنا",
"پٹخوائی": "پٹخنا",
"پٹخوائیے": "پٹخنا",
"پٹخوائیں": "پٹخنا",
"پٹخوایا": "پٹخنا",
"پٹخی": "پٹخنا",
"پٹخیے": "پٹخنا",
"پٹخیں": "پٹخنا",
"پٹں": "پٹنا",
"پٹڑی": "پٹڑی",
"پٹڑیاں": "پٹڑی",
"پٹڑیو": "پٹڑی",
"پٹڑیوں": "پٹڑی",
"پٹا": "پٹا",
"پٹاخے": "پٹاخہ",
"پٹاخہ": "پٹاخہ",
"پٹاخو": "پٹاخہ",
"پٹاخوں": "پٹاخہ",
"پٹانے": "پٹنا",
"پٹانا": "پٹنا",
"پٹاتے": "پٹنا",
"پٹاتا": "پٹنا",
"پٹاتی": "پٹنا",
"پٹاتیں": "پٹنا",
"پٹاؤ": "پٹنا",
"پٹاؤں": "پٹنا",
"پٹائے": "پٹنا",
"پٹائی": "پٹنا",
"پٹائیے": "پٹنا",
"پٹائیں": "پٹنا",
"پٹایا": "پٹنا",
"پٹک": "پٹکنا",
"پٹکے": "پٹکنا",
"پٹکں": "پٹکنا",
"پٹکا": "پٹکنا",
"پٹکانے": "پٹکنا",
"پٹکانا": "پٹکنا",
"پٹکاتے": "پٹکنا",
"پٹکاتا": "پٹکنا",
"پٹکاتی": "پٹکنا",
"پٹکاتیں": "پٹکنا",
"پٹکاؤ": "پٹکنا",
"پٹکاؤں": "پٹکنا",
"پٹکائے": "پٹکنا",
"پٹکائی": "پٹکنا",
"پٹکائیے": "پٹکنا",
"پٹکائیں": "پٹکنا",
"پٹکایا": "پٹکنا",
"پٹکنے": "پٹکنا",
"پٹکنا": "پٹکنا",
"پٹکنی": "پٹکنا",
"پٹکتے": "پٹکنا",
"پٹکتا": "پٹکنا",
"پٹکتی": "پٹکنا",
"پٹکتیں": "پٹکنا",
"پٹکو": "پٹکنا",
"پٹکوں": "پٹکنا",
"پٹکوا": "پٹکنا",
"پٹکوانے": "پٹکنا",
"پٹکوانا": "پٹکنا",
"پٹکواتے": "پٹکنا",
"پٹکواتا": "پٹکنا",
"پٹکواتی": "پٹکنا",
"پٹکواتیں": "پٹکنا",
"پٹکواؤ": "پٹکنا",
"پٹکواؤں": "پٹکنا",
"پٹکوائے": "پٹکنا",
"پٹکوائی": "پٹکنا",
"پٹکوائیے": "پٹکنا",
"پٹکوائیں": "پٹکنا",
"پٹکوایا": "پٹکنا",
"پٹکی": "پٹکنا",
"پٹکیے": "پٹکنا",
"پٹکیں": "پٹکنا",
"پٹنے": "پٹنہ",
"پٹنا": "پٹنا",
"پٹنہ": "پٹنہ",
"پٹنو": "پٹنہ",
"پٹنوں": "پٹنہ",
"پٹنی": "پٹنا",
"پٹری": "پٹری",
"پٹریاں": "پٹری",
"پٹریو": "پٹری",
"پٹریوں": "پٹری",
"پٹتے": "پٹنا",
"پٹتا": "پٹنا",
"پٹتی": "پٹنا",
"پٹتیں": "پٹنا",
"پٹو": "پٹا",
"پٹوں": "پٹا",
"پٹوا": "پٹنا",
"پٹوانے": "پٹنا",
"پٹوانا": "پٹنا",
"پٹواتے": "پٹنا",
"پٹواتا": "پٹنا",
"پٹواتی": "پٹنا",
"پٹواتیں": "پٹنا",
"پٹواؤ": "پٹنا",
"پٹواؤں": "پٹنا",
"پٹوائے": "پٹنا",
"پٹوائی": "پٹنا",
"پٹوائیے": "پٹنا",
"پٹوائیں": "پٹنا",
"پٹوایا": "پٹنا",
"پٹی": "پٹی",
"پٹیے": "پٹنا",
"پٹیں": "پٹنا",
"پٹیاں": "پٹی",
"پٹیو": "پٹی",
"پٹیوں": "پٹی",
"پٹھے": "پٹھا",
"پٹھا": "پٹھا",
"پٹھان": "پٹھان",
"پٹھانو": "پٹھان",
"پٹھانوں": "پٹھان",
"پٹھو": "پٹھا",
"پٹھوں": "پٹھا",
"پشت": "پشت",
"پشتے": "پشتہ",
"پشتہ": "پشتہ",
"پشتو": "پشتہ",
"پشتوں": "پشتہ",
"پشتون": "پشتون",
"پشتونو": "پشتون",
"پشتونوں": "پشتون",
"پشتیں": "پشت",
"پا": "پانا",
"پاخانے": "پاخانہ",
"پاخانہ": "پاخانہ",
"پاخانو": "پاخانہ",
"پاخانوں": "پاخانہ",
"پاشی": "پاشی",
"پاشیاں": "پاشی",
"پاشیو": "پاشی",
"پاشیوں": "پاشی",
"پابندی": "پابندی",
"پابندیاں": "پابندی",
"پابندیو": "پابندی",
"پابندیوں": "پابندی",
"پادری": "پادری",
"پادریو": "پادری",
"پادریوں": "پادری",
"پاگل": "پاگل",
"پاگلو": "پاگل",
"پاگلوں": "پاگل",
"پاجامے": "پاجامہ",
"پاجامہ": "پاجامہ",
"پاجامو": "پاجامہ",
"پاجاموں": "پاجامہ",
"پاکِسْتان": "پاکِسْتان",
"پاکستانی": "پاکستانی",
"پاکستانیو": "پاکستانی",
"پاکستانیوں": "پاکستانی",
"پال": "پَلْنا",
"پالے": "پَلْنا",
"پالں": "پَلْنا",
"پالا": "پَلْنا",
"پالنے": "پَلْنا",
"پالنا": "پَلْنا",
"پالت": "پالت",
"پالتے": "پَلْنا",
"پالتا": "پَلْنا",
"پالتو": "پالت",
"پالتوں": "پالت",
"پالتی": "پَلْنا",
"پالتیں": "پالت",
"پالو": "پَلْنا",
"پالوں": "پَلْنا",
"پالی": "پَلْنا",
"پالیے": "پَلْنا",
"پالیں": "پَلْنا",
"پالیسی": "پالیسی",
"پالیسیاں": "پالیسی",
"پالیسیو": "پالیسی",
"پالیسیوں": "پالیسی",
"پان": "پان",
"پانے": "پانا",
"پانا": "پانا",
"پانچ": "پانچ",
"پانچو": "پانچ",
"پانچوں": "پانچ",
"پانچواں": "پانچواں",
"پانچووںں": "پانچواں",
"پانچویں": "پانچواں",
"پانسے": "پانسہ",
"پانسہ": "پانسہ",
"پانسو": "پانسہ",
"پانسوں": "پانسہ",
"پانو": "پان",
"پانوں": "پان",
"پانی": "پانی",
"پانیو": "پانی",
"پانیوں": "پانی",
"پارے": "پارا",
"پارٹی": "پارٹی",
"پارٹیاں": "پارٹی",
"پارٹیو": "پارٹی",
"پارٹیوں": "پارٹی",
"پارا": "پارا",
"پارہ": "پارہ",
"پارک": "پارک",
"پارکو": "پارک",
"پارکوں": "پارک",
"پارکیں": "پارک",
"پارسی": "پارسی",
"پارسیو": "پارسی",
"پارسیوں": "پارسی",
"پارو": "پارا",
"پاروں": "پارا",
"پاسے": "پاسہ",
"پاسہ": "پاسہ",
"پاسو": "پاسہ",
"پاسوں": "پاسہ",
"پات": "پات",
"پاتے": "پانا",
"پاتا": "پانا",
"پاتو": "پات",
"پاتوں": "پات",
"پاتی": "پانا",
"پاتیں": "پات",
"پاؤ": "پانا",
"پاؤں": "پانا",
"پایے": "پایہ",
"پائے": "پانا",
"پائی": "پانا",
"پائیے": "پانا",
"پائیں": "پانا",
"پائینچے": "پائینچہ",
"پائینچہ": "پائینچہ",
"پائینچو": "پائینچہ",
"پائینچوں": "پائینچہ",
"پایا": "پانا",
"پایہ": "پایہ",
"پایو": "پایہ",
"پایوں": "پایہ",
"پچکاری": "پچکاری",
"پچکاریاں": "پچکاری",
"پچکاریو": "پچکاری",
"پچکاریوں": "پچکاری",
"پچس": "پچس",
"پچھا": "پوچھنا",
"پچھانے": "پوچھنا",
"پچھانا": "پوچھنا",
"پچھاتے": "پوچھنا",
"پچھاتا": "پوچھنا",
"پچھاتی": "پوچھنا",
"پچھاتیں": "پوچھنا",
"پچھاؤ": "پوچھنا",
"پچھاؤں": "پوچھنا",
"پچھائے": "پوچھنا",
"پچھائی": "پوچھنا",
"پچھائیے": "پوچھنا",
"پچھائیں": "پوچھنا",
"پچھایا": "پوچھنا",
"پچھل": "پچھل",
"پچھلے": "پچھلا",
"پچھلا": "پچھلا",
"پچھلو": "پچھلا",
"پچھلوں": "پچھلا",
"پچھوا": "پوچھنا",
"پچھوانے": "پوچھنا",
"پچھوانا": "پوچھنا",
"پچھواتے": "پوچھنا",
"پچھواتا": "پوچھنا",
"پچھواتی": "پوچھنا",
"پچھواتیں": "پوچھنا",
"پچھواؤ": "پوچھنا",
"پچھواؤں": "پوچھنا",
"پچھوائے": "پوچھنا",
"پچھوائی": "پوچھنا",
"پچھوائیے": "پوچھنا",
"پچھوائیں": "پوچھنا",
"پچھوایا": "پوچھنا",
"پدے": "پدہ",
"پدہ": "پدہ",
"پدو": "پدہ",
"پدوں": "پدہ",
"پگڈنڈی": "پگڈنڈی",
"پگڈنڈیاں": "پگڈنڈی",
"پگڈنڈیو": "پگڈنڈی",
"پگڈنڈیوں": "پگڈنڈی",
"پگڑی": "پگڑی",
"پگڑیاں": "پگڑی",
"پگڑیو": "پگڑی",
"پگڑیوں": "پگڑی",
"پہاڑ": "پہاڑ",
"پہاڑے": "پہاڑا",
"پہاڑا": "پہاڑا",
"پہاڑہ": "پہاڑہ",
"پہاڑو": "پہاڑا",
"پہاڑوں": "پہاڑا",
"پہاڑی": "پہاڑی",
"پہاڑیاں": "پہاڑی",
"پہاڑیو": "پہاڑی",
"پہاڑیوں": "پہاڑی",
"پہچ": "پہچنا",
"پہچے": "پہچنا",
"پہچں": "پہچنا",
"پہچا": "پہچنا",
"پہچان": "پہچان",
"پہچانے": "پہچاننا",
"پہچانں": "پہچاننا",
"پہچانا": "پہچاننا",
"پہچاننے": "پہچاننا",
"پہچاننا": "پہچاننا",
"پہچاننی": "پہچاننا",
"پہچانتے": "پہچاننا",
"پہچانتا": "پہچاننا",
"پہچانتی": "پہچاننا",
"پہچانتیں": "پہچاننا",
"پہچانو": "پہچان",
"پہچانوں": "پہچان",
"پہچانی": "پہچاننا",
"پہچانیے": "پہچاننا",
"پہچانیں": "پہچان",
"پہچاتے": "پہچنا",
"پہچاتا": "پہچنا",
"پہچاتی": "پہچنا",
"پہچاتیں": "پہچنا",
"پہچاؤ": "پہچنا",
"پہچاؤں": "پہچنا",
"پہچائے": "پہچنا",
"پہچائی": "پہچنا",
"پہچائیے": "پہچنا",
"پہچائیں": "پہچنا",
"پہچایا": "پہچنا",
"پہچنے": "پہچنا",
"پہچنا": "پہچنا",
"پہچنی": "پہچنا",
"پہچتے": "پہچنا",
"پہچتا": "پہچنا",
"پہچتی": "پہچنا",
"پہچتیں": "پہچنا",
"پہچو": "پہچنا",
"پہچوں": "پہچنا",
"پہچوا": "پہچنا",
"پہچوانے": "پہچنا",
"پہچوانا": "پہچنا",
"پہچواتے": "پہچنا",
"پہچواتا": "پہچنا",
"پہچواتی": "پہچنا",
"پہچواتیں": "پہچنا",
"پہچواؤ": "پہچنا",
"پہچواؤں": "پہچنا",
"پہچوائے": "پہچنا",
"پہچوائی": "پہچنا",
"پہچوائیے": "پہچنا",
"پہچوائیں": "پہچنا",
"پہچوایا": "پہچنا",
"پہچی": "پہچنا",
"پہچیے": "پہچنا",
"پہچیں": "پہچنا",
"پہل": "پہل",
"پہلے": "پہلا",
"پہلا": "پہلا",
"پہلہ": "پہلہ",
"پہلو": "پہلا",
"پہلوں": "پہلا",
"پہلواں": "پہلواں",
"پہلوان": "پہلوان",
"پہلوانو": "پہلوان",
"پہلوانوں": "پہلوان",
"پہلووںں": "پہلواں",
"پہلوؤ": "پہلو",
"پہلوؤں": "پہلو",
"پہلویں": "پہلواں",
"پہن": "پہننا",
"پہنے": "پہننا",
"پہنں": "پہننا",
"پہنا": "پہننا",
"پہنانے": "پہننا",
"پہنانا": "پہننا",
"پہناتے": "پہننا",
"پہناتا": "پہننا",
"پہناتی": "پہننا",
"پہناتیں": "پہننا",
"پہناؤ": "پہننا",
"پہناؤں": "پہننا",
"پہنائے": "پہننا",
"پہنائی": "پہنائی",
"پہنائیے": "پہننا",
"پہنائیں": "پہننا",
"پہنائیاں": "پہنائی",
"پہنائیو": "پہنائی",
"پہنائیوں": "پہنائی",
"پہنایا": "پہننا",
"پہنچ": "پہنچنا",
"پہنچے": "پہنچنا",
"پہنچں": "پہنچنا",
"پہنچا": "پہنچنا",
"پہنچان": "پہنچنا",
"پہنچانے": "پہنچنا",
"پہنچانں": "پہنچنا",
"پہنچانا": "پہنچنا",
"پہنچاننے": "پہنچنا",
"پہنچاننا": "پہنچنا",
"پہنچانتے": "پہنچنا",
"پہنچانتا": "پہنچنا",
"پہنچانتی": "پہنچنا",
"پہنچانتیں": "پہنچنا",
"پہنچانو": "پہنچنا",
"پہنچانوں": "پہنچنا",
"پہنچانی": "پہنچنا",
"پہنچانیے": "پہنچنا",
"پہنچانیں": "پہنچنا",
"پہنچاتے": "پہنچنا",
"پہنچاتا": "پہنچنا",
"پہنچاتی": "پہنچنا",
"پہنچاتیں": "پہنچنا",
"پہنچاؤ": "پہنچنا",
"پہنچاؤں": "پہنچنا",
"پہنچائے": "پہنچنا",
"پہنچائی": "پہنچنا",
"پہنچائیے": "پہنچنا",
"پہنچائیں": "پہنچنا",
"پہنچایا": "پہنچنا",
"پہنچنے": "پہنچنا",
"پہنچنا": "پہنچنا",
"پہنچنی": "پہنچنا",
"پہنچت": "پہنچت",
"پہنچتے": "پہنچنا",
"پہنچتا": "پہنچنا",
"پہنچتو": "پہنچت",
"پہنچتوں": "پہنچت",
"پہنچتی": "پہنچنا",
"پہنچتیں": "پہنچت",
"پہنچو": "پہنچنا",
"پہنچوں": "پہنچنا",
"پہنچوا": "پہنچنا",
"پہنچوان": "پہنچنا",
"پہنچوانے": "پہنچنا",
"پہنچوانں": "پہنچنا",
"پہنچوانا": "پہنچنا",
"پہنچواننے": "پہنچنا",
"پہنچواننا": "پہنچنا",
"پہنچوانتے": "پہنچنا",
"پہنچوانتا": "پہنچنا",
"پہنچوانتی": "پہنچنا",
"پہنچوانتیں": "پہنچنا",
"پہنچوانو": "پہنچنا",
"پہنچوانوں": "پہنچنا",
"پہنچوانی": "پہنچنا",
"پہنچوانیے": "پہنچنا",
"پہنچوانیں": "پہنچنا",
"پہنچواتے": "پہنچنا",
"پہنچواتا": "پہنچنا",
"پہنچواتی": "پہنچنا",
"پہنچواتیں": "پہنچنا",
"پہنچواؤ": "پہنچنا",
"پہنچواؤں": "پہنچنا",
"پہنچوائے": "پہنچنا",
"پہنچوائی": "پہنچنا",
"پہنچوائیے": "پہنچنا",
"پہنچوائیں": "پہنچنا",
"پہنچوایا": "پہنچنا",
"پہنچی": "پہنچنا",
"پہنچیے": "پہنچنا",
"پہنچیں": "پہنچنا",
"پہننے": "پہننا",
"پہننا": "پہننا",
"پہننی": "پہننا",
"پہنت": "پہنت",
"پہنتے": "پہننا",
"پہنتا": "پہننا",
"پہنتو": "پہنت",
"پہنتوں": "پہنت",
"پہنتی": "پہننا",
"پہنتیں": "پہنت",
"پہنو": "پہننا",
"پہنوں": "پہننا",
"پہنوا": "پہننا",
"پہنوانے": "پہننا",
"پہنوانا": "پہننا",
"پہنواتے": "پہننا",
"پہنواتا": "پہننا",
"پہنواتی": "پہننا",
"پہنواتیں": "پہننا",
"پہنواؤ": "پہننا",
"پہنواؤں": "پہننا",
"پہنوائے": "پہننا",
"پہنوائی": "پہننا",
"پہنوائیے": "پہننا",
"پہنوائیں": "پہننا",
"پہنوایا": "پہننا",
"پہنی": "پہننا",
"پہنیے": "پہننا",
"پہنیں": "پہننا",
"پہر": "پہر",
"پہرے": "پہرا",
"پہرا": "پہرا",
"پہرہ": "پہرہ",
"پہرو": "پہرا",
"پہروں": "پہرا",
"پہریں": "پہر",
"پہیے": "پہیہ",
"پہیہ": "پہیہ",
"پہیو": "پہیہ",
"پہیوں": "پہیہ",
"پجا": "پوجنا",
"پجانے": "پوجنا",
"پجانا": "پوجنا",
"پجاری": "پجاری",
"پجاریو": "پجاری",
"پجاریوں": "پجاری",
"پجاتے": "پوجنا",
"پجاتا": "پوجنا",
"پجاتی": "پوجنا",
"پجاتیں": "پوجنا",
"پجاؤ": "پوجنا",
"پجاؤں": "پوجنا",
"پجائے": "پوجنا",
"پجائی": "پوجنا",
"پجائیے": "پوجنا",
"پجائیں": "پوجنا",
"پجایا": "پوجنا",
"پجوا": "پوجنا",
"پجوانے": "پوجنا",
"پجوانا": "پوجنا",
"پجواتے": "پوجنا",
"پجواتا": "پوجنا",
"پجواتی": "پوجنا",
"پجواتیں": "پوجنا",
"پجواؤ": "پوجنا",
"پجواؤں": "پوجنا",
"پجوائے": "پوجنا",
"پجوائی": "پوجنا",
"پجوائیے": "پوجنا",
"پجوائیں": "پوجنا",
"پجوایا": "پوجنا",
"پک": "پکنا",
"پکے": "پکنا",
"پکں": "پکنا",
"پکڑ": "پکڑنا",
"پکڑے": "پکڑنا",
"پکڑں": "پکڑنا",
"پکڑا": "پکڑنا",
"پکڑانے": "پکڑنا",
"پکڑانا": "پکڑنا",
"پکڑاتے": "پکڑنا",
"پکڑاتا": "پکڑنا",
"پکڑاتی": "پکڑنا",
"پکڑاتیں": "پکڑنا",
"پکڑاؤ": "پکڑنا",
"پکڑاؤں": "پکڑنا",
"پکڑائے": "پکڑنا",
"پکڑائی": "پکڑنا",
"پکڑائیے": "پکڑنا",
"پکڑائیں": "پکڑنا",
"پکڑایا": "پکڑنا",
"پکڑنے": "پکڑنا",
"پکڑنا": "پکڑنا",
"پکڑنی": "پکڑنا",
"پکڑتے": "پکڑنا",
"پکڑتا": "پکڑنا",
"پکڑتی": "پکڑنا",
"پکڑتیں": "پکڑنا",
"پکڑو": "پکڑنا",
"پکڑوں": "پکڑنا",
"پکڑوا": "پکڑنا",
"پکڑوانے": "پکڑنا",
"پکڑوانا": "پکڑنا",
"پکڑواتے": "پکڑنا",
"پکڑواتا": "پکڑنا",
"پکڑواتی": "پکڑنا",
"پکڑواتیں": "پکڑنا",
"پکڑواؤ": "پکڑنا",
"پکڑواؤں": "پکڑنا",
"پکڑوائے": "پکڑنا",
"پکڑوائی": "پکڑنا",
"پکڑوائیے": "پکڑنا",
"پکڑوائیں": "پکڑنا",
"پکڑوایا": "پکڑنا",
"پکڑی": "پکڑنا",
"پکڑیے": "پکڑنا",
"پکڑیں": "پکڑنا",
"پکا": "پکنا",
"پکانے": "پکنا",
"پکانا": "پکنا",
"پکار": "پکار",
"پکارے": "پکارنا",
"پکارں": "پکارنا",
"پکارا": "پکارنا",
"پکارنے": "پکارنا",
"پکارنا": "پکارنا",
"پکارنی": "پکارنا",
"پکارتے": "پکارنا",
"پکارتا": "پکارنا",
"پکارتی": "پکارنا",
"پکارتیں": "پکارنا",
"پکارو": "پکار",
"پکاروں": "پکار",
"پکاری": "پکارنا",
"پکاریے": "پکارنا",
"پکاریں": "پکار",
"پکاتے": "پکنا",
"پکاتا": "پکنا",
"پکاتی": "پکنا",
"پکاتیں": "پکنا",
"پکاؤ": "پکنا",
"پکاؤں": "پکنا",
"پکائے": "پکنا",
"پکائی": "پکنا",
"پکائیے": "پکنا",
"پکائیں": "پکنا",
"پکایا": "پکنا",
"پکنے": "پکنا",
"پکنا": "پکنا",
"پکنی": "پکنا",
"پکتے": "پکنا",
"پکتا": "پکنا",
"پکتی": "پکنا",
"پکتیں": "پکنا",
"پکو": "پکنا",
"پکوں": "پکنا",
"پکوڑے": "پکوڑہ",
"پکوڑہ": "پکوڑہ",
"پکوڑو": "پکوڑہ",
"پکوڑوں": "پکوڑہ",
"پکوا": "پکنا",
"پکوانے": "پکنا",
"پکوانا": "پکنا",
"پکواتے": "پکنا",
"پکواتا": "پکنا",
"پکواتی": "پکنا",
"پکواتیں": "پکنا",
"پکواؤ": "پکنا",
"پکواؤں": "پکنا",
"پکوائے": "پکنا",
"پکوائی": "پکنا",
"پکوائیے": "پکنا",
"پکوائیں": "پکنا",
"پکوایا": "پکنا",
"پکی": "پکنا",
"پکیے": "پکنا",
"پکیں": "پکنا",
"پل": "پل",
"پلّے": "پلّہ",
"پلّہ": "پلّہ",
"پلّو": "پلّہ",
"پلّوں": "پلّہ",
"پلے": "پلہ",
"پلں": "پلنا",
"پلڑے": "پلڑا",
"پلڑا": "پلڑا",
"پلڑہ": "پلڑہ",
"پلڑو": "پلڑا",
"پلڑوں": "پلڑا",
"پلٹ": "پلٹنا",
"پلٹے": "پلٹنا",
"پلٹں": "پلٹنا",
"پلٹا": "پلٹنا",
"پلٹانے": "پلٹنا",
"پلٹانا": "پلٹنا",
"پلٹاتے": "پلٹنا",
"پلٹاتا": "پلٹنا",
"پلٹاتی": "پلٹنا",
"پلٹاتیں": "پلٹنا",
"پلٹاؤ": "پلٹنا",
"پلٹاؤں": "پلٹنا",
"پلٹائے": "پلٹنا",
"پلٹائی": "پلٹنا",
"پلٹائیے": "پلٹنا",
"پلٹائیں": "پلٹنا",
"پلٹایا": "پلٹنا",
"پلٹنے": "پلٹنا",
"پلٹنا": "پلٹنا",
"پلٹنی": "پلٹنا",
"پلٹتے": "پلٹنا",
"پلٹتا": "پلٹنا",
"پلٹتی": "پلٹنا",
"پلٹتیں": "پلٹنا",
"پلٹو": "پلٹنا",
"پلٹوں": "پلٹنا",
"پلٹوا": "پلٹنا",
"پلٹوانے": "پلٹنا",
"پلٹوانا": "پلٹنا",
"پلٹواتے": "پلٹنا",
"پلٹواتا": "پلٹنا",
"پلٹواتی": "پلٹنا",
"پلٹواتیں": "پلٹنا",
"پلٹواؤ": "پلٹنا",
"پلٹواؤں": "پلٹنا",
"پلٹوائے": "پلٹنا",
"پلٹوائی": "پلٹنا",
"پلٹوائیے": "پلٹنا",
"پلٹوائیں": "پلٹنا",
"پلٹوایا": "پلٹنا",
"پلٹی": "پلٹنا",
"پلٹیے": "پلٹنا",
"پلٹیں": "پلٹنا",
"پلا": "پلنا",
"پلانے": "پلنا",
"پلانا": "پلنا",
"پلاتے": "پلنا",
"پلاتا": "پلنا",
"پلاتی": "پلنا",
"پلاتیں": "پلنا",
"پلاؤ": "پلنا",
"پلاؤں": "پلنا",
"پلائے": "پلنا",
"پلائی": "پلائی",
"پلائیے": "پلنا",
"پلائیں": "پلنا",
"پلائیو": "پلائی",
"پلائیوں": "پلائی",
"پلایا": "پلنا",
"پلازے": "پلازہ",
"پلازہ": "پلازہ",
"پلازو": "پلازہ",
"پلازوں": "پلازہ",
"پلہ": "پلہ",
"پلک": "پلک",
"پلکو": "پلک",
"پلکوں": "پلک",
"پلکیں": "پلک",
"پلنے": "پلنا",
"پلنا": "پلنا",
"پلندے": "پلندہ",
"پلندہ": "پلندہ",
"پلندو": "پلندہ",
"پلندوں": "پلندہ",
"پلنگ": "پلنگ",
"پلنگو": "پلنگ",
"پلنگوں": "پلنگ",
"پلنی": "پلنا",
"پلتے": "پلنا",
"پلتا": "پلنا",
"پلتی": "پلنا",
"پلتیں": "پلنا",
"پلو": "پلہ",
"پلوں": "پلہ",
"پلوا": "پلنا",
"پلوانے": "پلنا",
"پلوانا": "پلنا",
"پلواتے": "پلنا",
"پلواتا": "پلنا",
"پلواتی": "پلنا",
"پلواتیں": "پلنا",
"پلواؤ": "پلنا",
"پلواؤں": "پلنا",
"پلوائے": "پلنا",
"پلوائی": "پلنا",
"پلوائیے": "پلنا",
"پلوائیں": "پلنا",
"پلوایا": "پلنا",
"پلی": "پلی",
"پلیے": "پلنا",
"پلیں": "پلنا",
"پلیٹ": "پلیٹ",
"پلیٹو": "پلیٹ",
"پلیٹوں": "پلیٹ",
"پلیٹیں": "پلیٹ",
"پلیاں": "پلی",
"پلیو": "پلی",
"پلیوں": "پلی",
"پمپ": "پمپ",
"پمپو": "پمپ",
"پمپوں": "پمپ",
"پن": "پن",
"پنڈلی": "پنڈلی",
"پنڈلیاں": "پنڈلی",
"پنڈلیو": "پنڈلی",
"پنڈلیوں": "پنڈلی",
"پنڈت": "پنڈت",
"پنڈتو": "پنڈت",
"پنڈتوں": "پنڈت",
"پنڈتیں": "پنڈت",
"پندرہ": "پندرہ",
"پنگھوڑے": "پنگھوڑا",
"پنگھوڑا": "پنگھوڑا",
"پنگھوڑو": "پنگھوڑا",
"پنگھوڑوں": "پنگھوڑا",
"پنج": "پنج",
"پنجے": "پنجا",
"پنجا": "پنجا",
"پنجاب": "پنجاب",
"پنجابو": "پنجاب",
"پنجابوں": "پنجاب",
"پنجہ": "پنجہ",
"پنجرے": "پنجرہ",
"پنجرہ": "پنجرہ",
"پنجرو": "پنجرہ",
"پنجروں": "پنجرہ",
"پنجو": "پنجا",
"پنجوں": "پنجا",
"پنکھے": "پنکھا",
"پنکھا": "پنکھا",
"پنکھو": "پنکھا",
"پنکھوں": "پنکھا",
"پنکھی": "پنکھی",
"پنکھیا": "پنکھیا",
"پنکھیاں": "پنکھی",
"پنکھیو": "پنکھی",
"پنکھیوں": "پنکھی",
"پنپ": "پنپنا",
"پنپے": "پنپنا",
"پنپں": "پنپنا",
"پنپا": "پنپنا",
"پنپنے": "پنپنا",
"پنپنا": "پنپنا",
"پنپنی": "پنپنا",
"پنپتے": "پنپنا",
"پنپتا": "پنپنا",
"پنپتی": "پنپنا",
"پنپتیں": "پنپنا",
"پنپو": "پنپنا",
"پنپوں": "پنپنا",
"پنپی": "پنپنا",
"پنپیے": "پنپنا",
"پنپیں": "پنپنا",
"پنساری": "پنساری",
"پنساریو": "پنساری",
"پنساریوں": "پنساری",
"پنسل": "پنسل",
"پنسلو": "پنسل",
"پنسلوں": "پنسل",
"پنسلیں": "پنسل",
"پنو": "پن",
"پنوں": "پن",
"پنیں": "پن",
"پپوٹے": "پپوٹا",
"پپوٹا": "پپوٹا",
"پپوٹو": "پپوٹا",
"پپوٹوں": "پپوٹا",
"پر": "پرنا",
"پرے": "پرنا",
"پرں": "پرنا",
"پرا": "پرنا",
"پراٹھے": "پراٹھا",
"پراٹھا": "پراٹھا",
"پراٹھو": "پراٹھا",
"پراٹھوں": "پراٹھا",
"پرانے": "پرانا",
"پرانا": "پرانا",
"پرانو": "پرانا",
"پرانوں": "پرانا",
"پراپوزیشن": "پراپوزیشن",
"پراپوزیشنو": "پراپوزیشن",
"پراپوزیشنوں": "پراپوزیشن",
"پراپوزیشنیں": "پراپوزیشن",
"پرچ": "پرچ",
"پرچے": "پرچہ",
"پرچہ": "پرچہ",
"پرچم": "پرچم",
"پرچمو": "پرچم",
"پرچموں": "پرچم",
"پرچو": "پرچہ",
"پرچوں": "پرچہ",
"پرچیں": "پرچ",
"پردے": "پردہ",
"پرداز": "پرداز",
"پردازو": "پرداز",
"پردازوں": "پرداز",
"پردہ": "پردہ",
"پردو": "پردہ",
"پردوں": "پردہ",
"پرگرام": "پرگرام",
"پرگرامو": "پرگرام",
"پرگراموں": "پرگرام",
"پرہیزگار": "پرہیزگار",
"پرہیزگارو": "پرہیزگار",
"پرہیزگاروں": "پرہیزگار",
"پرکھ": "پرکھنا",
"پرکھے": "پرکھنا",
"پرکھں": "پرکھنا",
"پرکھا": "پرکھنا",
"پرکھانے": "پرکھنا",
"پرکھانا": "پرکھنا",
"پرکھاتے": "پرکھنا",
"پرکھاتا": "پرکھنا",
"پرکھاتی": "پرکھنا",
"پرکھاتیں": "پرکھنا",
"پرکھاؤ": "پرکھنا",
"پرکھاؤں": "پرکھنا",
"پرکھائے": "پرکھنا",
"پرکھائی": "پرکھنا",
"پرکھائیے": "پرکھنا",
"پرکھائیں": "پرکھنا",
"پرکھایا": "پرکھنا",
"پرکھنے": "پرکھنا",
"پرکھنا": "پرکھنا",
"پرکھنی": "پرکھنا",
"پرکھتے": "پرکھنا",
"پرکھتا": "پرکھنا",
"پرکھتی": "پرکھنا",
"پرکھتیں": "پرکھنا",
"پرکھو": "پرکھنا",
"پرکھوں": "پرکھنا",
"پرکھوا": "پرکھنا",
"پرکھوانے": "پرکھنا",
"پرکھوانا": "پرکھنا",
"پرکھواتے": "پرکھنا",
"پرکھواتا": "پرکھنا",
"پرکھواتی": "پرکھنا",
"پرکھواتیں": "پرکھنا",
"پرکھواؤ": "پرکھنا",
"پرکھواؤں": "پرکھنا",
"پرکھوائے": "پرکھنا",
"پرکھوائی": "پرکھنا",
"پرکھوائیے": "پرکھنا",
"پرکھوائیں": "پرکھنا",
"پرکھوایا": "پرکھنا",
"پرکھی": "پرکھنا",
"پرکھیے": "پرکھنا",
"پرکھیں": "پرکھنا",
"پرلوگ": "پرلوگ",
"پرلوگو": "پرلوگ",
"پرلوگوں": "پرلوگ",
"پرنے": "پرنہ",
"پرنا": "پرنا",
"پرنالے": "پرنالہ",
"پرنالہ": "پرنالہ",
"پرنالو": "پرنالہ",
"پرنالوں": "پرنالہ",
"پرند": "پرند",
"پرندے": "پرندہ",
"پرندہ": "پرندہ",
"پرندو": "پرندہ",
"پرندوں": "پرندہ",
"پرنہ": "پرنہ",
"پرنو": "پرنہ",
"پرنوں": "پرنہ",
"پرنی": "پرنا",
"پرس": "پرس",
"پرسے": "پرسا",
"پرسا": "پرسا",
"پرست": "پرست",
"پرستار": "پرستار",
"پرستارو": "پرستار",
"پرستاروں": "پرستار",
"پرستو": "پرست",
"پرستوں": "پرست",
"پرستیں": "پرست",
"پرسو": "پرسا",
"پرسوں": "پرسا",
"پرت": "پرت",
"پرتے": "پرنا",
"پرتا": "پرنا",
"پرتو": "پرت",
"پرتوں": "پرت",
"پرتی": "پرنا",
"پرتیں": "پرت",
"پرو": "پرنا",
"پروں": "پرنا",
"پروان": "پروان",
"پروانے": "پروانہ",
"پروانہ": "پروانہ",
"پروانو": "پروانہ",
"پروانوں": "پروانہ",
"پرواز": "پرواز",
"پروازو": "پرواز",
"پروازوں": "پرواز",
"پروازیں": "پرواز",
"پروفسر": "پروفسر",
"پروفسرو": "پروفسر",
"پروفسروں": "پروفسر",
"پروفسریں": "پروفسر",
"پروفیسر": "پروفیسر",
"پروفیسرو": "پروفیسر",
"پروفیسروں": "پروفیسر",
"پروگرام": "پروگرام",
"پروگرامو": "پروگرام",
"پروگراموں": "پروگرام",
"پرونے": "پرونا",
"پرونا": "پرونا",
"پرونی": "پرونا",
"پروپیگنڈے": "پروپیگنڈہ",
"پروپیگنڈہ": "پروپیگنڈہ",
"پروپیگنڈو": "پروپیگنڈہ",
"پروپیگنڈوں": "پروپیگنڈہ",
"پروتے": "پرونا",
"پروتا": "پرونا",
"پروتی": "پرونا",
"پروتیں": "پرونا",
"پروؤ": "پرونا",
"پروؤں": "پرونا",
"پروئے": "پرونا",
"پروئی": "پرونا",
"پروئیے": "پرونا",
"پروئیں": "پرونا",
"پرویا": "پرونا",
"پری": "پری",
"پریے": "پرنا",
"پریں": "پرنا",
"پریشانی": "پریشانی",
"پریشانیاں": "پریشانی",
"پریشانیو": "پریشانی",
"پریشانیوں": "پریشانی",
"پریاں": "پری",
"پریمی": "پریمی",
"پریمیو": "پریمی",
"پریمیوں": "پریمی",
"پریو": "پری",
"پریوں": "پری",
"پرزے": "پرزہ",
"پرزہ": "پرزہ",
"پرزو": "پرزہ",
"پرزوں": "پرزہ",
"پسا": "پیسنا",
"پسانے": "پیسنا",
"پسانا": "پیسنا",
"پسار": "پسارنا",
"پسارے": "پسارنا",
"پسارں": "پسارنا",
"پسارا": "پسارنا",
"پسارنے": "پسارنا",
"پسارنا": "پسارنا",
"پسارنی": "پسارنا",
"پسارتے": "پسارنا",
"پسارتا": "پسارنا",
"پسارتی": "پسارنا",
"پسارتیں": "پسارنا",
"پسارو": "پسارنا",
"پساروں": "پسارنا",
"پساری": "پسارنا",
"پساریے": "پسارنا",
"پساریں": "پسارنا",
"پساتے": "پیسنا",
"پساتا": "پیسنا",
"پساتی": "پیسنا",
"پساتیں": "پیسنا",
"پساؤ": "پیسنا",
"پساؤں": "پیسنا",
"پسائے": "پیسنا",
"پسائی": "پیسنا",
"پسائیے": "پیسنا",
"پسائیں": "پیسنا",
"پسایا": "پیسنا",
"پسلی": "پسلی",
"پسلیاں": "پسلی",
"پسلیو": "پسلی",
"پسلیوں": "پسلی",
"پسنے": "پسنہ",
"پسنہ": "پسنہ",
"پسنو": "پسنہ",
"پسنوں": "پسنہ",
"پستے": "پستہ",
"پستان": "پستان",
"پستانو": "پستان",
"پستانوں": "پستان",
"پستہ": "پستہ",
"پستو": "پستہ",
"پستوں": "پستہ",
"پسوا": "پیسنا",
"پسوانے": "پیسنا",
"پسوانا": "پیسنا",
"پسواتے": "پیسنا",
"پسواتا": "پیسنا",
"پسواتی": "پیسنا",
"پسواتیں": "پیسنا",
"پسواؤ": "پیسنا",
"پسواؤں": "پیسنا",
"پسوائے": "پیسنا",
"پسوائی": "پیسنا",
"پسوائیے": "پیسنا",
"پسوائیں": "پیسنا",
"پسوایا": "پیسنا",
"پسینے": "پسینہ",
"پسینہ": "پسینہ",
"پسینو": "پسینہ",
"پسینوں": "پسینہ",
"پت": "پت",
"پتّے": "پتّا",
"پتّا": "پتّا",
"پتّل": "پتّل",
"پتّلو": "پتّل",
"پتّلوں": "پتّل",
"پتّو": "پتّا",
"پتّوں": "پتّا",
"پتّی": "پتّی",
"پتّیاں": "پتّی",
"پتّیو": "پتّی",
"پتّیوں": "پتّی",
"پتے": "پتا",
"پتا": "پتا",
"پتہ": "پتہ",
"پتل": "پتل",
"پتلے": "پتلا",
"پتلا": "پتلا",
"پتلو": "پتلا",
"پتلوں": "پتلا",
"پتلی": "پتلی",
"پتلیاں": "پتلی",
"پتلیو": "پتلی",
"پتلیوں": "پتلی",
"پتنگ": "پتنگ",
"پتنگو": "پتنگ",
"پتنگوں": "پتنگ",
"پتنگیں": "پتنگ",
"پتر": "پتر",
"پترو": "پتر",
"پتروں": "پتر",
"پتو": "پتا",
"پتوں": "پتا",
"پتی": "پتی",
"پتیں": "پت",
"پتیاں": "پتی",
"پتیلی": "پتیلی",
"پتیلیاں": "پتیلی",
"پتیلیو": "پتیلی",
"پتیلیوں": "پتیلی",
"پتیو": "پتی",
"پتیوں": "پتی",
"پتھّر": "پتھّر",
"پتھّرو": "پتھّر",
"پتھّروں": "پتھّر",
"پتھر": "پتھر",
"پتھراؤ": "پتھراؤ",
"پتھرو": "پتھر",
"پتھروں": "پتھر",
"پتھری": "پتھری",
"پتھریاں": "پتھری",
"پتھریو": "پتھری",
"پتھریوں": "پتھری",
"پوٹلی": "پوٹلی",
"پوٹلیاں": "پوٹلی",
"پوٹلیو": "پوٹلی",
"پوٹلیوں": "پوٹلی",
"پوچھ": "پوچھنا",
"پوچھے": "پوچھنا",
"پوچھں": "پوچھنا",
"پوچھا": "پوچھنا",
"پوچھنے": "پوچھنا",
"پوچھنا": "پوچھنا",
"پوچھنی": "پوچھنا",
"پوچھتے": "پوچھنا",
"پوچھتا": "پوچھنا",
"پوچھتی": "پوچھنا",
"پوچھتیں": "پوچھنا",
"پوچھو": "پوچھنا",
"پوچھوں": "پوچھنا",
"پوچھی": "پوچھنا",
"پوچھیے": "پوچھنا",
"پوچھیں": "پوچھنا",
"پود": "پود",
"پودے": "پودا",
"پودا": "پودا",
"پودو": "پودا",
"پودوں": "پودا",
"پودیں": "پود",
"پوج": "پوجنا",
"پوجے": "پوجا",
"پوجں": "پوجنا",
"پوجا": "پوجا",
"پوجنے": "پوجنا",
"پوجنا": "پوجنا",
"پوجنی": "پوجنا",
"پوجتے": "پوجنا",
"پوجتا": "پوجنا",
"پوجتی": "پوجنا",
"پوجتیں": "پوجنا",
"پوجو": "پوجا",
"پوجوں": "پوجا",
"پوجی": "پوجنا",
"پوجیے": "پوجنا",
"پوجیں": "پوجنا",
"پول": "پول",
"پولے": "پولا",
"پولا": "پولا",
"پولو": "پولا",
"پولوں": "پولا",
"پولین": "پولین",
"پولینو": "پولین",
"پولینوں": "پولین",
"پور": "پور",
"پورے": "پورا",
"پورا": "پورا",
"پورہ": "پورہ",
"پورو": "پورا",
"پوروں": "پورا",
"پوری": "پوری",
"پوریں": "پور",
"پوریاں": "پوری",
"پوریو": "پوری",
"پوریوں": "پوری",
"پوسٹ": "پوسٹ",
"پوسٹو": "پوسٹ",
"پوسٹوں": "پوسٹ",
"پوسٹیں": "پوسٹ",
"پوست": "پوست",
"پوستو": "پوست",
"پوستوں": "پوست",
"پوستیں": "پوست",
"پوت": "پوت",
"پوتے": "پوتا",
"پوتا": "پوتا",
"پوتو": "پوتا",
"پوتوں": "پوتا",
"پوتی": "پوتی",
"پوتیں": "پوت",
"پوتیاں": "پوتی",
"پوتیو": "پوتی",
"پوتیوں": "پوتی",
"پی": "پینا",
"پیے": "پیش",
"پیغمبر": "پیغمبر",
"پیغمبرو": "پیغمبر",
"پیغمبروں": "پیغمبر",
"پیں": "پینا",
"پیڑ": "پیڑ",
"پیڑے": "پیڑا",
"پیڑا": "پیڑا",
"پیڑو": "پیڑا",
"پیڑوں": "پیڑا",
"پیڑھی": "پیڑھی",
"پیڑھیاں": "پیڑھی",
"پیڑھیو": "پیڑھی",
"پیڑھیوں": "پیڑھی",
"پیٹ": "پیٹ",
"پیٹے": "پِٹنا",
"پیٹں": "پِٹنا",
"پیٹا": "پِٹنا",
"پیٹن": "پیٹننا",
"پیٹنے": "پِٹنا",
"پیٹنں": "پیٹننا",
"پیٹنا": "پِٹنا",
"پیٹنانے": "پیٹننا",
"پیٹنانا": "پیٹننا",
"پیٹناتے": "پیٹننا",
"پیٹناتا": "پیٹننا",
"پیٹناتی": "پیٹننا",
"پیٹناتیں": "پیٹننا",
"پیٹناؤ": "پیٹننا",
"پیٹناؤں": "پیٹننا",
"پیٹنائے": "پیٹننا",
"پیٹنائی": "پیٹننا",
"پیٹنائیے": "پیٹننا",
"پیٹنائیں": "پیٹننا",
"پیٹنایا": "پیٹننا",
"پیٹننے": "پیٹننا",
"پیٹننا": "پیٹننا",
"پیٹننی": "پیٹننا",
"پیٹنتے": "پیٹننا",
"پیٹنتا": "پیٹننا",
"پیٹنتی": "پیٹننا",
"پیٹنتیں": "پیٹننا",
"پیٹنو": "پیٹننا",
"پیٹنوں": "پیٹننا",
"پیٹنی": "پیٹنا",
"پیٹنیے": "پیٹننا",
"پیٹنیں": "پیٹننا",
"پیٹتے": "پِٹنا",
"پیٹتا": "پِٹنا",
"پیٹتی": "پِٹنا",
"پیٹتیں": "پِٹنا",
"پیٹو": "پیٹ",
"پیٹوں": "پیٹ",
"پیٹی": "پِٹنا",
"پیٹیے": "پِٹنا",
"پیٹیں": "پِٹنا",
"پیٹھ": "پیٹھ",
"پیٹھو": "پیٹھ",
"پیٹھوں": "پیٹھ",
"پیٹھیں": "پیٹھ",
"پیش": "پیش",
"پیشے": "پیشہ",
"پیشانی": "پیشانی",
"پیشانیاں": "پیشانی",
"پیشانیو": "پیشانی",
"پیشانیوں": "پیشانی",
"پیشہ": "پیشہ",
"پیشو": "پیشہ",
"پیشوں": "پیشہ",
"پیشوا": "پیشوا",
"پیشواؤ": "پیشوا",
"پیشواؤں": "پیشوا",
"پیشی": "پیشی",
"پیشیاں": "پیشی",
"پیشیو": "پیشی",
"پیشیوں": "پیشی",
"پیا": "پینا",
"پیالے": "پیالا",
"پیالا": "پیالا",
"پیالہ": "پیالہ",
"پیالو": "پیالا",
"پیالوں": "پیالا",
"پیالی": "پیالی",
"پیالیاں": "پیالی",
"پیالیو": "پیالی",
"پیالیوں": "پیالی",
"پیار": "پیار",
"پیارے": "پیارا",
"پیارا": "پیارا",
"پیارو": "پیارا",
"پیاروں": "پیارا",
"پیاری": "پیاری",
"پیاریو": "پیاری",
"پیاریوں": "پیاری",
"پیاس": "پیاس",
"پیاسے": "پیاسا",
"پیاسا": "پیاسا",
"پیاسہ": "پیاسہ",
"پیاسو": "پیاسا",
"پیاسوں": "پیاسا",
"پیچیدگی": "پیچیدگی",
"پیچیدگیاں": "پیچیدگی",
"پیچیدگیو": "پیچیدگی",
"پیچیدگیوں": "پیچیدگی",
"پیکٹ": "پیکٹ",
"پیکٹو": "پیکٹ",
"پیکٹوں": "پیکٹ",
"پیل": "پیلنا",
"پیلے": "پیلا",
"پیلں": "پیلنا",
"پیلا": "پیلا",
"پیلنے": "پیلنا",
"پیلنا": "پیلنا",
"پیلنی": "پیلنا",
"پیلتے": "پیلنا",
"پیلتا": "پیلنا",
"پیلتی": "پیلنا",
"پیلتیں": "پیلنا",
"پیلو": "پیلا",
"پیلوں": "پیلا",
"پیلوا": "پیلنا",
"پیلوانے": "پیلنا",
"پیلوانا": "پیلنا",
"پیلواتے": "پیلنا",
"پیلواتا": "پیلنا",
"پیلواتی": "پیلنا",
"پیلواتیں": "پیلنا",
"پیلواؤ": "پیلنا",
"پیلواؤں": "پیلنا",
"پیلوائے": "پیلنا",
"پیلوائی": "پیلنا",
"پیلوائیے": "پیلنا",
"پیلوائیں": "پیلنا",
"پیلوایا": "پیلنا",
"پیلی": "پیلنا",
"پیلیے": "پیلنا",
"پیلیں": "پیلنا",
"پیمان": "پیمان",
"پیمانے": "پیمانہ",
"پیمانہ": "پیمانہ",
"پیمانو": "پیمانہ",
"پیمانوں": "پیمانہ",
"پینے": "پینا",
"پینا": "پینا",
"پینی": "پینا",
"پیر": "پیر",
"پیرایے": "پیرایہ",
"پیرایہ": "پیرایہ",
"پیرایو": "پیرایہ",
"پیرایوں": "پیرایہ",
"پیرو": "پیر",
"پیروں": "پیر",
"پیروکار": "پیروکار",
"پیروکارو": "پیروکار",
"پیروکاروں": "پیروکار",
"پیس": "پیسنا",
"پیسے": "پیسا",
"پیسں": "پیسنا",
"پیسا": "پیسا",
"پیسہ": "پیسہ",
"پیسنے": "پیسنا",
"پیسنا": "پیسنا",
"پیسنی": "پیسنا",
"پیستے": "پیسنا",
"پیستا": "پیسنا",
"پیستی": "پیسنا",
"پیستیں": "پیسنا",
"پیسو": "پیسا",
"پیسوں": "پیسا",
"پیسی": "پیسنا",
"پیسیے": "پیسنا",
"پیسیں": "پیسنا",
"پیتے": "پینا",
"پیتا": "پینا",
"پیتی": "پینا",
"پیتیں": "پینا",
"پیو": "پینا",
"پیوں": "پینا",
"پیی": "پیش",
"پییے": "پینا",
"پییں": "پینا",
"پھڑک": "پھڑکنا",
"پھڑکے": "پھڑکنا",
"پھڑکں": "پھڑکنا",
"پھڑکا": "پھڑکنا",
"پھڑکانے": "پھڑکنا",
"پھڑکانا": "پھڑکنا",
"پھڑکاتے": "پھڑکنا",
"پھڑکاتا": "پھڑکنا",
"پھڑکاتی": "پھڑکنا",
"پھڑکاتیں": "پھڑکنا",
"پھڑکاؤ": "پھڑکنا",
"پھڑکاؤں": "پھڑکنا",
"پھڑکائے": "پھڑکنا",
"پھڑکائی": "پھڑکنا",
"پھڑکائیے": "پھڑکنا",
"پھڑکائیں": "پھڑکنا",
"پھڑکایا": "پھڑکنا",
"پھڑکنے": "پھڑکنا",
"پھڑکنا": "پھڑکنا",
"پھڑکنی": "پھڑکنا",
"پھڑکتے": "پھڑکنا",
"پھڑکتا": "پھڑکنا",
"پھڑکتی": "پھڑکنا",
"پھڑکتیں": "پھڑکنا",
"پھڑکو": "پھڑکنا",
"پھڑکوں": "پھڑکنا",
"پھڑکوا": "پھڑکنا",
"پھڑکوانے": "پھڑکنا",
"پھڑکوانا": "پھڑکنا",
"پھڑکواتے": "پھڑکنا",
"پھڑکواتا": "پھڑکنا",
"پھڑکواتی": "پھڑکنا",
"پھڑکواتیں": "پھڑکنا",
"پھڑکواؤ": "پھڑکنا",
"پھڑکواؤں": "پھڑکنا",
"پھڑکوائے": "پھڑکنا",
"پھڑکوائی": "پھڑکنا",
"پھڑکوائیے": "پھڑکنا",
"پھڑکوائیں": "پھڑکنا",
"پھڑکوایا": "پھڑکنا",
"پھڑکی": "پھڑکنا",
"پھڑکیے": "پھڑکنا",
"پھڑکیں": "پھڑکنا",
"پھڑپھڑا": "پھڑپھڑانا",
"پھڑپھڑانے": "پھڑپھڑانا",
"پھڑپھڑانا": "پھڑپھڑانا",
"پھڑپھڑانی": "پھڑپھڑانا",
"پھڑپھڑاتے": "پھڑپھڑانا",
"پھڑپھڑاتا": "پھڑپھڑانا",
"پھڑپھڑاتی": "پھڑپھڑانا",
"پھڑپھڑاتیں": "پھڑپھڑانا",
"پھڑپھڑاؤ": "پھڑپھڑانا",
"پھڑپھڑاؤں": "پھڑپھڑانا",
"پھڑپھڑائے": "پھڑپھڑانا",
"پھڑپھڑائی": "پھڑپھڑانا",
"پھڑپھڑائیے": "پھڑپھڑانا",
"پھڑپھڑائیں": "پھڑپھڑانا",
"پھڑپھڑایا": "پھڑپھڑانا",
"پھڑوا": "پھاڑنا",
"پھڑوانے": "پھاڑنا",
"پھڑوانا": "پھاڑنا",
"پھڑواتے": "پھاڑنا",
"پھڑواتا": "پھاڑنا",
"پھڑواتی": "پھاڑنا",
"پھڑواتیں": "پھاڑنا",
"پھڑواؤ": "پھاڑنا",
"پھڑواؤں": "پھاڑنا",
"پھڑوائے": "پھاڑنا",
"پھڑوائی": "پھاڑنا",
"پھڑوائیے": "پھاڑنا",
"پھڑوائیں": "پھاڑنا",
"پھڑوایا": "پھاڑنا",
"پھٹ": "پھٹنا",
"پھٹے": "پھٹا",
"پھٹں": "پھٹنا",
"پھٹا": "پھٹا",
"پھٹانے": "پھٹنا",
"پھٹانا": "پھٹنا",
"پھٹاتے": "پھٹنا",
"پھٹاتا": "پھٹنا",
"پھٹاتی": "پھٹنا",
"پھٹاتیں": "پھٹنا",
"پھٹاؤ": "پھٹنا",
"پھٹاؤں": "پھٹنا",
"پھٹائے": "پھٹنا",
"پھٹائی": "پھٹنا",
"پھٹائیے": "پھٹنا",
"پھٹائیں": "پھٹنا",
"پھٹایا": "پھٹنا",
"پھٹک": "پھٹکنا",
"پھٹکے": "پھٹکنا",
"پھٹکں": "پھٹکنا",
"پھٹکا": "پھٹکنا",
"پھٹکنے": "پھٹکنا",
"پھٹکنا": "پھٹکنا",
"پھٹکنی": "پھٹکنا",
"پھٹکتے": "پھٹکنا",
"پھٹکتا": "پھٹکنا",
"پھٹکتی": "پھٹکنا",
"پھٹکتیں": "پھٹکنا",
"پھٹکو": "پھٹکنا",
"پھٹکوں": "پھٹکنا",
"پھٹکی": "پھٹکنا",
"پھٹکیے": "پھٹکنا",
"پھٹکیں": "پھٹکنا",
"پھٹنے": "پھٹنا",
"پھٹنا": "پھٹنا",
"پھٹنی": "پھٹنا",
"پھٹتے": "پھٹنا",
"پھٹتا": "پھٹنا",
"پھٹتی": "پھٹنا",
"پھٹتیں": "پھٹنا",
"پھٹو": "پھٹا",
"پھٹوں": "پھٹا",
"پھٹوا": "پھٹنا",
"پھٹوانے": "پھٹنا",
"پھٹوانا": "پھٹنا",
"پھٹواتے": "پھٹنا",
"پھٹواتا": "پھٹنا",
"پھٹواتی": "پھٹنا",
"پھٹواتیں": "پھٹنا",
"پھٹواؤ": "پھٹنا",
"پھٹواؤں": "پھٹنا",
"پھٹوائے": "پھٹنا",
"پھٹوائی": "پھٹنا",
"پھٹوائیے": "پھٹنا",
"پھٹوائیں": "پھٹنا",
"پھٹوایا": "پھٹنا",
"پھٹی": "پھٹنا",
"پھٹیے": "پھٹنا",
"پھٹیں": "پھٹنا",
"پھاڑ": "پھاڑنا",
"پھاڑے": "پھاڑنا",
"پھاڑں": "پھاڑنا",
"پھاڑا": "پھاڑنا",
"پھاڑنے": "پھاڑنا",
"پھاڑنا": "پھاڑنا",
"پھاڑنی": "پھاڑنا",
"پھاڑتے": "پھاڑنا",
"پھاڑتا": "پھاڑنا",
"پھاڑتی": "پھاڑنا",
"پھاڑتیں": "پھاڑنا",
"پھاڑو": "پھاڑنا",
"پھاڑوں": "پھاڑنا",
"پھاڑی": "پھاڑنا",
"پھاڑیے": "پھاڑنا",
"پھاڑیں": "پھاڑنا",
"پھانس": "پھانسنا",
"پھانسے": "پھانسنا",
"پھانسں": "پھانسنا",
"پھانسا": "پھانسنا",
"پھانسانے": "پھانسنا",
"پھانسانا": "پھانسنا",
"پھانساتے": "پھانسنا",
"پھانساتا": "پھانسنا",
"پھانساتی": "پھانسنا",
"پھانساتیں": "پھانسنا",
"پھانساؤ": "پھانسنا",
"پھانساؤں": "پھانسنا",
"پھانسائے": "پھانسنا",
"پھانسائی": "پھانسنا",
"پھانسائیے": "پھانسنا",
"پھانسائیں": "پھانسنا",
"پھانسایا": "پھانسنا",
"پھانسنے": "پھانسنا",
"پھانسنا": "پھانسنا",
"پھانسنی": "پھانسنا",
"پھانستے": "پھانسنا",
"پھانستا": "پھانسنا",
"پھانستی": "پھانسنا",
"پھانستیں": "پھانسنا",
"پھانسو": "پھانسنا",
"پھانسوں": "پھانسنا",
"پھانسوا": "پھانسنا",
"پھانسوانے": "پھانسنا",
"پھانسوانا": "پھانسنا",
"پھانسواتے": "پھانسنا",
"پھانسواتا": "پھانسنا",
"پھانسواتی": "پھانسنا",
"پھانسواتیں": "پھانسنا",
"پھانسواؤ": "پھانسنا",
"پھانسواؤں": "پھانسنا",
"پھانسوائے": "پھانسنا",
"پھانسوائی": "پھانسنا",
"پھانسوائیے": "پھانسنا",
"پھانسوائیں": "پھانسنا",
"پھانسوایا": "پھانسنا",
"پھانسی": "پھانسنا",
"پھانسیے": "پھانسنا",
"پھانسیں": "پھانسنا",
"پھبتی": "پھبتی",
"پھبتیاں": "پھبتی",
"پھبتیو": "پھبتی",
"پھبتیوں": "پھبتی",
"پھل": "پھل",
"پھلے": "پھلنا",
"پھلں": "پھلنا",
"پھلا": "پھلنا",
"پھلانے": "پھلنا",
"پھلانا": "پھلنا",
"پھلانگ": "پھلانگنا",
"پھلانگے": "پھلانگنا",
"پھلانگں": "پھلانگنا",
"پھلانگا": "پھلانگنا",
"پھلانگنے": "پھلانگنا",
"پھلانگنا": "پھلانگنا",
"پھلانگنی": "پھلانگنا",
"پھلانگتے": "پھلانگنا",
"پھلانگتا": "پھلانگنا",
"پھلانگتی": "پھلانگنا",
"پھلانگتیں": "پھلانگنا",
"پھلانگو": "پھلانگنا",
"پھلانگوں": "پھلانگنا",
"پھلانگی": "پھلانگنا",
"پھلانگیے": "پھلانگنا",
"پھلانگیں": "پھلانگنا",
"پھلاتے": "پھلنا",
"پھلاتا": "پھلنا",
"پھلاتی": "پھلنا",
"پھلاتیں": "پھلنا",
"پھلاؤ": "پھلنا",
"پھلاؤں": "پھلنا",
"پھلائے": "پھلنا",
"پھلائی": "پھلنا",
"پھلائیے": "پھلنا",
"پھلائیں": "پھلنا",
"پھلایا": "پھلنا",
"پھلجڑی": "پھلجڑی",
"پھلجڑیاں": "پھلجڑی",
"پھلجڑیو": "پھلجڑی",
"پھلجڑیوں": "پھلجڑی",
"پھلکی": "پھلکی",
"پھلکیاں": "پھلکی",
"پھلکیو": "پھلکی",
"پھلکیوں": "پھلکی",
"پھلنے": "پھلنا",
"پھلنا": "پھلنا",
"پھلنی": "پھلنا",
"پھلتے": "پھلنا",
"پھلتا": "پھلنا",
"پھلتی": "پھلنا",
"پھلتیں": "پھلنا",
"پھلو": "پھل",
"پھلوں": "پھل",
"پھلوا": "پھلنا",
"پھلوانے": "پھلنا",
"پھلوانا": "پھلنا",
"پھلواری": "پھلواری",
"پھلواریاں": "پھلواری",
"پھلواریو": "پھلواری",
"پھلواریوں": "پھلواری",
"پھلواتے": "پھلنا",
"پھلواتا": "پھلنا",
"پھلواتی": "پھلنا",
"پھلواتیں": "پھلنا",
"پھلواؤ": "پھلنا",
"پھلواؤں": "پھلنا",
"پھلوائے": "پھلنا",
"پھلوائی": "پھلنا",
"پھلوائیے": "پھلنا",
"پھلوائیں": "پھلنا",
"پھلوایا": "پھلنا",
"پھلی": "پھلی",
"پھلیے": "پھلنا",
"پھلیں": "پھلنا",
"پھلیاں": "پھلی",
"پھلیو": "پھلی",
"پھلیوں": "پھلی",
"پھند": "پھندنا",
"پھندے": "پھندہ",
"پھندں": "پھندنا",
"پھندا": "پھندنا",
"پھندہ": "پھندہ",
"پھندنے": "پھندنا",
"پھندنا": "پھندنا",
"پھندنو": "پھندنا",
"پھندنوں": "پھندنا",
"پھندنی": "پھندنا",
"پھندتے": "پھندنا",
"پھندتا": "پھندنا",
"پھندتی": "پھندنا",
"پھندتیں": "پھندنا",
"پھندو": "پھندہ",
"پھندوں": "پھندہ",
"پھندوا": "پھندنا",
"پھندوانے": "پھندنا",
"پھندوانا": "پھندنا",
"پھندواتے": "پھندنا",
"پھندواتا": "پھندنا",
"پھندواتی": "پھندنا",
"پھندواتیں": "پھندنا",
"پھندواؤ": "پھندنا",
"پھندواؤں": "پھندنا",
"پھندوائے": "پھندنا",
"پھندوائی": "پھندنا",
"پھندوائیے": "پھندنا",
"پھندوائیں": "پھندنا",
"پھندوایا": "پھندنا",
"پھندی": "پھندنا",
"پھندیے": "پھندنا",
"پھندیں": "پھندنا",
"پھنکا": "پھینکنا",
"پھنکانے": "پھینکنا",
"پھنکانا": "پھینکنا",
"پھنکار": "پھنکار",
"پھنکارو": "پھنکار",
"پھنکاروں": "پھنکار",
"پھنکاریں": "پھنکار",
"پھنکاتے": "پھینکنا",
"پھنکاتا": "پھینکنا",
"پھنکاتی": "پھینکنا",
"پھنکاتیں": "پھینکنا",
"پھنکاؤ": "پھینکنا",
"پھنکاؤں": "پھینکنا",
"پھنکائے": "پھینکنا",
"پھنکائی": "پھینکنا",
"پھنکائیے": "پھینکنا",
"پھنکائیں": "پھینکنا",
"پھنکایا": "پھینکنا",
"پھنکوا": "پھینکنا",
"پھنکوانے": "پھینکنا",
"پھنکوانا": "پھینکنا",
"پھنکواتے": "پھینکنا",
"پھنکواتا": "پھینکنا",
"پھنکواتی": "پھینکنا",
"پھنکواتیں": "پھینکنا",
"پھنکواؤ": "پھینکنا",
"پھنکواؤں": "پھینکنا",
"پھنکوائے": "پھینکنا",
"پھنکوائی": "پھینکنا",
"پھنکوائیے": "پھینکنا",
"پھنکوائیں": "پھینکنا",
"پھنکوایا": "پھینکنا",
"پھنس": "پھنسنا",
"پھنسے": "پھنسنا",
"پھنسں": "پھنسنا",
"پھنسا": "پھنسنا",
"پھنسانے": "پھنسنا",
"پھنسانا": "پھنسنا",
"پھنساتے": "پھنسنا",
"پھنساتا": "پھنسنا",
"پھنساتی": "پھنسنا",
"پھنساتیں": "پھنسنا",
"پھنساؤ": "پھنسنا",
"پھنساؤں": "پھنسنا",
"پھنسائے": "پھنسنا",
"پھنسائی": "پھنسنا",
"پھنسائیے": "پھنسنا",
"پھنسائیں": "پھنسنا",
"پھنسایا": "پھنسنا",
"پھنسنے": "پھنسنا",
"پھنسنا": "پھنسنا",
"پھنسنی": "پھنسنا",
"پھنستے": "پھنسنا",
"پھنستا": "پھنسنا",
"پھنستی": "پھنسنا",
"پھنستیں": "پھنسنا",
"پھنسو": "پھنسنا",
"پھنسوں": "پھنسنا",
"پھنسوا": "پھنسنا",
"پھنسوانے": "پھنسنا",
"پھنسوانا": "پھنسنا",
"پھنسواتے": "پھنسنا",
"پھنسواتا": "پھنسنا",
"پھنسواتی": "پھنسنا",
"پھنسواتیں": "پھنسنا",
"پھنسواؤ": "پھنسنا",
"پھنسواؤں": "پھنسنا",
"پھنسوائے": "پھنسنا",
"پھنسوائی": "پھنسنا",
"پھنسوائیے": "پھنسنا",
"پھنسوائیں": "پھنسنا",
"پھنسوایا": "پھنسنا",
"پھنسی": "پھنسی",
"پھنسیے": "پھنسنا",
"پھنسیں": "پھنسنا",
"پھنسیاں": "پھنسی",
"پھنسیو": "پھنسی",
"پھنسیوں": "پھنسی",
"پھر": "پھرنا",
"پھرے": "پھرا",
"پھرں": "پھرنا",
"پھرا": "پھرا",
"پھرانے": "پھرنا",
"پھرانا": "پھرنا",
"پھراتے": "پھرنا",
"پھراتا": "پھرنا",
"پھراتی": "پھرنا",
"پھراتیں": "پھرنا",
"پھراؤ": "پھرنا",
"پھراؤں": "پھرنا",
"پھرائے": "پھرنا",
"پھرائی": "پھرنا",
"پھرائیے": "پھرنا",
"پھرائیں": "پھرنا",
"پھرایا": "پھرنا",
"پھرکی": "پھرکی",
"پھرکیاں": "پھرکی",
"پھرکیو": "پھرکی",
"پھرکیوں": "پھرکی",
"پھرنے": "پھرنا",
"پھرنا": "پھرنا",
"پھرنی": "پھرنا",
"پھرتے": "پھرنا",
"پھرتا": "پھرنا",
"پھرتی": "پھرنا",
"پھرتیں": "پھرنا",
"پھرو": "پھرا",
"پھروں": "پھرا",
"پھروا": "پھرنا",
"پھروانے": "پھرنا",
"پھروانا": "پھرنا",
"پھرواتے": "پھرنا",
"پھرواتا": "پھرنا",
"پھرواتی": "پھرنا",
"پھرواتیں": "پھرنا",
"پھرواؤ": "پھرنا",
"پھرواؤں": "پھرنا",
"پھروائے": "پھرنا",
"پھروائی": "پھرنا",
"پھروائیے": "پھرنا",
"پھروائیں": "پھرنا",
"پھروایا": "پھرنا",
"پھری": "پھری",
"پھریے": "پھرنا",
"پھریں": "پھرنا",
"پھریاں": "پھری",
"پھریو": "پھری",
"پھریوں": "پھری",
"پھس": "پھسنا",
"پھسے": "پھسنا",
"پھسں": "پھسنا",
"پھسا": "پھسنا",
"پھسانے": "پھسنا",
"پھسانا": "پھسنا",
"پھساتے": "پھسنا",
"پھساتا": "پھسنا",
"پھساتی": "پھسنا",
"پھساتیں": "پھسنا",
"پھساؤ": "پھسنا",
"پھساؤں": "پھسنا",
"پھسائے": "پھسنا",
"پھسائی": "پھسنا",
"پھسائیے": "پھسنا",
"پھسائیں": "پھسنا",
"پھسایا": "پھسنا",
"پھسل": "پھسلنا",
"پھسلے": "پھسلنا",
"پھسلں": "پھسلنا",
"پھسلا": "پھسلنا",
"پھسلانے": "پھسلنا",
"پھسلانا": "پھسلنا",
"پھسلاتے": "پھسلنا",
"پھسلاتا": "پھسلنا",
"پھسلاتی": "پھسلنا",
"پھسلاتیں": "پھسلنا",
"پھسلاؤ": "پھسلنا",
"پھسلاؤں": "پھسلنا",
"پھسلائے": "پھسلنا",
"پھسلائی": "پھسلنا",
"پھسلائیے": "پھسلنا",
"پھسلائیں": "پھسلنا",
"پھسلایا": "پھسلنا",
"پھسلنے": "پھسلنا",
"پھسلنا": "پھسلنا",
"پھسلنی": "پھسلنا",
"پھسلتے": "پھسلنا",
"پھسلتا": "پھسلنا",
"پھسلتی": "پھسلنا",
"پھسلتیں": "پھسلنا",
"پھسلو": "پھسلنا",
"پھسلوں": "پھسلنا",
"پھسلوا": "پھسلنا",
"پھسلوانے": "پھسلنا",
"پھسلوانا": "پھسلنا",
"پھسلواتے": "پھسلنا",
"پھسلواتا": "پھسلنا",
"پھسلواتی": "پھسلنا",
"پھسلواتیں": "پھسلنا",
"پھسلواؤ": "پھسلنا",
"پھسلواؤں": "پھسلنا",
"پھسلوائے": "پھسلنا",
"پھسلوائی": "پھسلنا",
"پھسلوائیے": "پھسلنا",
"پھسلوائیں": "پھسلنا",
"پھسلوایا": "پھسلنا",
"پھسلی": "پھسلنا",
"پھسلیے": "پھسلنا",
"پھسلیں": "پھسلنا",
"پھسنے": "پھسنا",
"پھسنا": "پھسنا",
"پھسنی": "پھسنا",
"پھستے": "پھسنا",
"پھستا": "پھسنا",
"پھستی": "پھسنا",
"پھستیں": "پھسنا",
"پھسو": "پھسنا",
"پھسوں": "پھسنا",
"پھسوا": "پھسنا",
"پھسوانے": "پھسنا",
"پھسوانا": "پھسنا",
"پھسواتے": "پھسنا",
"پھسواتا": "پھسنا",
"پھسواتی": "پھسنا",
"پھسواتیں": "پھسنا",
"پھسواؤ": "پھسنا",
"پھسواؤں": "پھسنا",
"پھسوائے": "پھسنا",
"پھسوائی": "پھسنا",
"پھسوائیے": "پھسنا",
"پھسوائیں": "پھسنا",
"پھسوایا": "پھسنا",
"پھسی": "پھسنا",
"پھسیے": "پھسنا",
"پھسیں": "پھسنا",
"پھوڑ": "پُھوٹنا",
"پھوڑْں": "پُھوٹنا",
"پھوڑْنے": "پُھوٹنا",
"پھوڑْنا": "پُھوٹنا",
"پھوڑْتے": "پُھوٹنا",
"پھوڑْتا": "پُھوٹنا",
"پھوڑْتی": "پُھوٹنا",
"پھوڑْتیں": "پُھوٹنا",
"پھوڑے": "پھوڑا",
"پھوڑں": "پھوڑنا",
"پھوڑا": "پھوڑا",
"پھوڑنے": "پھوڑنا",
"پھوڑنا": "پھوڑنا",
"پھوڑنی": "پھوڑنا",
"پھوڑتے": "پھوڑنا",
"پھوڑتا": "پھوڑنا",
"پھوڑتی": "پھوڑنا",
"پھوڑتیں": "پھوڑنا",
"پھوڑو": "پھوڑا",
"پھوڑوں": "پھوڑا",
"پھوڑوا": "پھوڑنا",
"پھوڑوانے": "پھوڑنا",
"پھوڑوانا": "پھوڑنا",
"پھوڑواتے": "پھوڑنا",
"پھوڑواتا": "پھوڑنا",
"پھوڑواتی": "پھوڑنا",
"پھوڑواتیں": "پھوڑنا",
"پھوڑواؤ": "پھوڑنا",
"پھوڑواؤں": "پھوڑنا",
"پھوڑوائے": "پھوڑنا",
"پھوڑوائی": "پھوڑنا",
"پھوڑوائیے": "پھوڑنا",
"پھوڑوائیں": "پھوڑنا",
"پھوڑوایا": "پھوڑنا",
"پھوڑی": "پُھوٹنا",
"پھوڑیے": "پُھوٹنا",
"پھوڑیں": "پُھوٹنا",
"پھوٹ": "پھوٹنا",
"پھوٹے": "پھوٹنا",
"پھوٹں": "پھوٹنا",
"پھوٹا": "پھوٹنا",
"پھوٹنے": "پھوٹنا",
"پھوٹنا": "پھوٹنا",
"پھوٹنی": "پھوٹنا",
"پھوٹتے": "پھوٹنا",
"پھوٹتا": "پھوٹنا",
"پھوٹتی": "پھوٹنا",
"پھوٹتیں": "پھوٹنا",
"پھوٹو": "پھوٹنا",
"پھوٹوں": "پھوٹنا",
"پھوٹی": "پھوٹنا",
"پھوٹیے": "پھوٹنا",
"پھوٹیں": "پھوٹنا",
"پھول": "پھول",
"پھولے": "پھولنا",
"پھولں": "پھولنا",
"پھولا": "پھولنا",
"پھولنے": "پھولنا",
"پھولنا": "پھولنا",
"پھولنی": "پھولنا",
"پھولتے": "پھولنا",
"پھولتا": "پھولنا",
"پھولتی": "پھولنا",
"پھولتیں": "پھولنا",
"پھولو": "پھول",
"پھولوں": "پھول",
"پھولی": "پھولنا",
"پھولیے": "پھولنا",
"پھولیں": "پھولنا",
"پھونک": "پھونک",
"پھونکے": "پھونکنا",
"پھونکں": "پھونکنا",
"پھونکا": "پھونکنا",
"پھونکانے": "پھونکنا",
"پھونکانا": "پھونکنا",
"پھونکاتے": "پھونکنا",
"پھونکاتا": "پھونکنا",
"پھونکاتی": "پھونکنا",
"پھونکاتیں": "پھونکنا",
"پھونکاؤ": "پھونکنا",
"پھونکاؤں": "پھونکنا",
"پھونکائے": "پھونکنا",
"پھونکائی": "پھونکنا",
"پھونکائیے": "پھونکنا",
"پھونکائیں": "پھونکنا",
"پھونکایا": "پھونکنا",
"پھونکنے": "پھونکنا",
"پھونکنا": "پھونکنا",
"پھونکنی": "پھونکنا",
"پھونکتے": "پھونکنا",
"پھونکتا": "پھونکنا",
"پھونکتی": "پھونکنا",
"پھونکتیں": "پھونکنا",
"پھونکو": "پھونک",
"پھونکوں": "پھونک",
"پھونکوا": "پھونکنا",
"پھونکوانے": "پھونکنا",
"پھونکوانا": "پھونکنا",
"پھونکواتے": "پھونکنا",
"پھونکواتا": "پھونکنا",
"پھونکواتی": "پھونکنا",
"پھونکواتیں": "پھونکنا",
"پھونکواؤ": "پھونکنا",
"پھونکواؤں": "پھونکنا",
"پھونکوائے": "پھونکنا",
"پھونکوائی": "پھونکنا",
"پھونکوائیے": "پھونکنا",
"پھونکوائیں": "پھونکنا",
"پھونکوایا": "پھونکنا",
"پھونکی": "پھونکنا",
"پھونکیے": "پھونکنا",
"پھونکیں": "پھونک",
"پھوپھی": "پھوپھی",
"پھوپھیاں": "پھوپھی",
"پھوپھیو": "پھوپھی",
"پھوپھیوں": "پھوپھی",
"پھیل": "پھیلنا",
"پھیلے": "پھیلنا",
"پھیلں": "پھیلنا",
"پھیلا": "پھیلنا",
"پھیلانے": "پھیلنا",
"پھیلانا": "پھیلنا",
"پھیلاتے": "پھیلنا",
"پھیلاتا": "پھیلنا",
"پھیلاتی": "پھیلنا",
"پھیلاتیں": "پھیلنا",
"پھیلاؤ": "پھیلنا",
"پھیلاؤں": "پھیلنا",
"پھیلائے": "پھیلنا",
"پھیلائی": "پھیلنا",
"پھیلائیے": "پھیلنا",
"پھیلائیں": "پھیلنا",
"پھیلایا": "پھیلنا",
"پھیلنے": "پھیلنا",
"پھیلنا": "پھیلنا",
"پھیلنی": "پھیلنا",
"پھیلتے": "پھیلنا",
"پھیلتا": "پھیلنا",
"پھیلتی": "پھیلنا",
"پھیلتیں": "پھیلنا",
"پھیلو": "پھیلنا",
"پھیلوں": "پھیلنا",
"پھیلوا": "پھیلنا",
"پھیلوانے": "پھیلنا",
"پھیلوانا": "پھیلنا",
"پھیلواتے": "پھیلنا",
"پھیلواتا": "پھیلنا",
"پھیلواتی": "پھیلنا",
"پھیلواتیں": "پھیلنا",
"پھیلواؤ": "پھیلنا",
"پھیلواؤں": "پھیلنا",
"پھیلوائے": "پھیلنا",
"پھیلوائی": "پھیلنا",
"پھیلوائیے": "پھیلنا",
"پھیلوائیں": "پھیلنا",
"پھیلوایا": "پھیلنا",
"پھیلی": "پھیلنا",
"پھیلیے": "پھیلنا",
"پھیلیں": "پھیلنا",
"پھینٹ": "پھینٹنا",
"پھینٹے": "پھینٹنا",
"پھینٹں": "پھینٹنا",
"پھینٹا": "پھینٹنا",
"پھینٹانے": "پھینٹنا",
"پھینٹانا": "پھینٹنا",
"پھینٹاتے": "پھینٹنا",
"پھینٹاتا": "پھینٹنا",
"پھینٹاتی": "پھینٹنا",
"پھینٹاتیں": "پھینٹنا",
"پھینٹاؤ": "پھینٹنا",
"پھینٹاؤں": "پھینٹنا",
"پھینٹائے": "پھینٹنا",
"پھینٹائی": "پھینٹنا",
"پھینٹائیے": "پھینٹنا",
"پھینٹائیں": "پھینٹنا",
"پھینٹایا": "پھینٹنا",
"پھینٹنے": "پھینٹنا",
"پھینٹنا": "پھینٹنا",
"پھینٹنی": "پھینٹنا",
"پھینٹتے": "پھینٹنا",
"پھینٹتا": "پھینٹنا",
"پھینٹتی": "پھینٹنا",
"پھینٹتیں": "پھینٹنا",
"پھینٹو": "پھینٹنا",
"پھینٹوں": "پھینٹنا",
"پھینٹوا": "پھینٹنا",
"پھینٹوانے": "پھینٹنا",
"پھینٹوانا": "پھینٹنا",
"پھینٹواتے": "پھینٹنا",
"پھینٹواتا": "پھینٹنا",
"پھینٹواتی": "پھینٹنا",
"پھینٹواتیں": "پھینٹنا",
"پھینٹواؤ": "پھینٹنا",
"پھینٹواؤں": "پھینٹنا",
"پھینٹوائے": "پھینٹنا",
"پھینٹوائی": "پھینٹنا",
"پھینٹوائیے": "پھینٹنا",
"پھینٹوائیں": "پھینٹنا",
"پھینٹوایا": "پھینٹنا",
"پھینٹی": "پھینٹنا",
"پھینٹیے": "پھینٹنا",
"پھینٹیں": "پھینٹنا",
"پھینک": "پھینکنا",
"پھینکے": "پھینکنا",
"پھینکں": "پھینکنا",
"پھینکا": "پھینکنا",
"پھینکانے": "پھینکنا",
"پھینکانا": "پھینکنا",
"پھینکاتے": "پھینکنا",
"پھینکاتا": "پھینکنا",
"پھینکاتی": "پھینکنا",
"پھینکاتیں": "پھینکنا",
"پھینکاؤ": "پھینکنا",
"پھینکاؤں": "پھینکنا",
"پھینکائے": "پھینکنا",
"پھینکائی": "پھینکنا",
"پھینکائیے": "پھینکنا",
"پھینکائیں": "پھینکنا",
"پھینکایا": "پھینکنا",
"پھینکنے": "پھینکنا",
"پھینکنا": "پھینکنا",
"پھینکنی": "پھینکنا",
"پھینکتے": "پھینکنا",
"پھینکتا": "پھینکنا",
"پھینکتی": "پھینکنا",
"پھینکتیں": "پھینکنا",
"پھینکو": "پھینکنا",
"پھینکوں": "پھینکنا",
"پھینکوا": "پھینکنا",
"پھینکوانے": "پھینکنا",
"پھینکوانا": "پھینکنا",
"پھینکواتے": "پھینکنا",
"پھینکواتا": "پھینکنا",
"پھینکواتی": "پھینکنا",
"پھینکواتیں": "پھینکنا",
"پھینکواؤ": "پھینکنا",
"پھینکواؤں": "پھینکنا",
"پھینکوائے": "پھینکنا",
"پھینکوائی": "پھینکنا",
"پھینکوائیے": "پھینکنا",
"پھینکوائیں": "پھینکنا",
"پھینکوایا": "پھینکنا",
"پھینکی": "پھینکنا",
"پھینکیے": "پھینکنا",
"پھینکیں": "پھینکنا",
"پھیر": "پھیرنا",
"پھیرے": "پھیرا",
"پھیرں": "پھیرنا",
"پھیرا": "پھیرا",
"پھیرنے": "پھیرنا",
"پھیرنا": "پھیرنا",
"پھیرنی": "پھیرنا",
"پھیرتے": "پھیرنا",
"پھیرتا": "پھیرنا",
"پھیرتی": "پھیرنا",
"پھیرتیں": "پھیرنا",
"پھیرو": "پھیرا",
"پھیروں": "پھیرا",
"پھیروا": "پھیرنا",
"پھیروانے": "پھیرنا",
"پھیروانا": "پھیرنا",
"پھیرواتے": "پھیرنا",
"پھیرواتا": "پھیرنا",
"پھیرواتی": "پھیرنا",
"پھیرواتیں": "پھیرنا",
"پھیرواؤ": "پھیرنا",
"پھیرواؤں": "پھیرنا",
"پھیروائے": "پھیرنا",
"پھیروائی": "پھیرنا",
"پھیروائیے": "پھیرنا",
"پھیروائیں": "پھیرنا",
"پھیروایا": "پھیرنا",
"پھیری": "پھیرنا",
"پھیریے": "پھیرنا",
"پھیریں": "پھیرنا",
"قَسم": "قَسم",
"قَسمو": "قَسم",
"قَسموں": "قَسم",
"قَسمیں": "قَسم",
"قِسم": "قِسم",
"قِسمو": "قِسم",
"قِسموں": "قِسم",
"قِسمیں": "قِسم",
"قصّے": "قصّہ",
"قصّہ": "قصّہ",
"قصّو": "قصّہ",
"قصّوں": "قصّہ",
"قصے": "قصہ",
"قصاب": "قصاب",
"قصابو": "قصاب",
"قصابوں": "قصاب",
"قصائی": "قصائی",
"قصائیو": "قصائی",
"قصائیوں": "قصائی",
"قصبے": "قصبہ",
"قصبہ": "قصبہ",
"قصبو": "قصبہ",
"قصبوں": "قصبہ",
"قصہ": "قصہ",
"قصو": "قصہ",
"قصوں": "قصہ",
"قصور": "قصور",
"قصورو": "قصور",
"قصوروں": "قصور",
"قصیدے": "قصیدہ",
"قصیدہ": "قصیدہ",
"قصیدو": "قصیدہ",
"قصیدوں": "قصیدہ",
"قاعدے": "قاعدہ",
"قاعدہ": "قاعدہ",
"قاعدو": "قاعدہ",
"قاعدوں": "قاعدہ",
"قافلے": "قافلہ",
"قافلہ": "قافلہ",
"قافلو": "قافلہ",
"قافلوں": "قافلہ",
"قافیے": "قافیہ",
"قافیہ": "قافیہ",
"قافیو": "قافیہ",
"قافیوں": "قافیہ",
"قالین": "قالین",
"قالینو": "قالین",
"قالینوں": "قالین",
"قانون": "قانون",
"قانونو": "قانون",
"قانونوں": "قانون",
"قاری": "قاری",
"قاریو": "قاری",
"قاریوں": "قاری",
"قاتل": "قاتل",
"قاتلو": "قاتل",
"قاتلوں": "قاتل",
"قباحت": "قباحت",
"قباحتو": "قباحت",
"قباحتوں": "قباحت",
"قباحتیں": "قباحت",
"قبائلی": "قبائلی",
"قبائلیو": "قبائلی",
"قبائلیوں": "قبائلی",
"قبلے": "قبلہ",
"قبلہ": "قبلہ",
"قبلو": "قبلہ",
"قبلوں": "قبلہ",
"قبر": "قبر",
"قبرو": "قبر",
"قبروں": "قبر",
"قبریں": "قبر",
"قبیلے": "قبیلہ",
"قبیلہ": "قبیلہ",
"قبیلو": "قبیلہ",
"قبیلوں": "قبیلہ",
"قبضے": "قبضہ",
"قبضہ": "قبضہ",
"قبضو": "قبضہ",
"قبضوں": "قبضہ",
"قد": "قد",
"قدم": "قدم",
"قدمو": "قدم",
"قدموں": "قدم",
"قدر": "قدر",
"قدرت": "قدرت",
"قدرتو": "قدرت",
"قدرتوں": "قدرت",
"قدرتیں": "قدرت",
"قدرو": "قدر",
"قدروں": "قدر",
"قدریں": "قدر",
"قدو": "قد",
"قدوں": "قد",
"قہقہے": "قہقہہ",
"قہقہہ": "قہقہہ",
"قہقہو": "قہقہہ",
"قہقہوں": "قہقہہ",
"قہوے": "قہوہ",
"قہوہ": "قہوہ",
"قہوو": "قہوہ",
"قہووں": "قہوہ",
"قلے": "قلہ",
"قلابازی": "قلابازی",
"قلابازیاں": "قلابازی",
"قلابازیو": "قلابازی",
"قلابازیوں": "قلابازی",
"قلع": "قلع",
"قلعے": "قلع",
"قلعہ": "قلعہ",
"قلعو": "قلع",
"قلعوں": "قلع",
"قلہ": "قلہ",
"قلمکار": "قلمکار",
"قلمکارو": "قلمکار",
"قلمکاروں": "قلمکار",
"قلو": "قلہ",
"قلوں": "قلہ",
"قلی": "قلی",
"قلیو": "قلی",
"قلیوں": "قلی",
"قمری": "قمری",
"قمریو": "قمری",
"قمریوں": "قمری",
"قمیض": "قمیض",
"قمیضو": "قمیض",
"قمیضوں": "قمیض",
"قمیضیں": "قمیض",
"قنات": "قنات",
"قناتو": "قنات",
"قناتوں": "قنات",
"قناتیں": "قنات",
"قندیل": "قندیل",
"قندیلو": "قندیل",
"قندیلوں": "قندیل",
"قندیلیں": "قندیل",
"قرابت": "قرابت",
"قرابتو": "قرابت",
"قرابتوں": "قرابت",
"قرابتیں": "قرابت",
"قرارداد": "قرارداد",
"قراردادو": "قرارداد",
"قراردادوں": "قرارداد",
"قراردادیں": "قرارداد",
"قربانی": "قربانی",
"قربانیاں": "قربانی",
"قربانیو": "قربانی",
"قربانیوں": "قربانی",
"قریے": "قریہ",
"قریہ": "قریہ",
"قریو": "قریہ",
"قریوں": "قریہ",
"قرض": "قرض",
"قرضے": "قرضہ",
"قرضہ": "قرضہ",
"قرضو": "قرضہ",
"قرضوں": "قرضہ",
"قسم": "قسم",
"قسمو": "قسم",
"قسموں": "قسم",
"قسمیں": "قسم",
"قسط": "قسط",
"قسطو": "قسط",
"قسطوں": "قسط",
"قسطیں": "قسط",
"قتل": "قتل",
"قتلے": "قتلہ",
"قتلہ": "قتلہ",
"قتلو": "قتلہ",
"قتلوں": "قتلہ",
"قوّت": "قوّت",
"قوّتو": "قوّت",
"قوّتوں": "قوّت",
"قوّتیں": "قوّت",
"قوال": "قوال",
"قوالو": "قوال",
"قوالوں": "قوال",
"قوم": "قوم",
"قومے": "قومہ",
"قومہ": "قومہ",
"قومو": "قومہ",
"قوموں": "قومہ",
"قومیں": "قوم",
"قومیت": "قومیت",
"قومیتو": "قومیت",
"قومیتوں": "قومیت",
"قومیتیں": "قومیت",
"قورمے": "قورمہ",
"قورمہ": "قورمہ",
"قورمو": "قورمہ",
"قورموں": "قورمہ",
"قوس": "قوس",
"قوسو": "قوس",
"قوسوں": "قوس",
"قوسیں": "قوس",
"قوت": "قوت",
"قوتو": "قوت",
"قوتوں": "قوت",
"قوتیں": "قوت",
"قید": "قید",
"قیدو": "قید",
"قیدوں": "قید",
"قیدی": "قیدی",
"قیدیں": "قید",
"قیدیو": "قیدی",
"قیدیوں": "قیدی",
"قیمت": "قیمت",
"قیمتو": "قیمت",
"قیمتوں": "قیمت",
"قیمتیں": "قیمت",
"قزاق": "قزاق",
"قزاقو": "قزاق",
"قزاقوں": "قزاق",
"قضیے": "قضیہ",
"قضیہ": "قضیہ",
"قضیو": "قضیہ",
"قضیوں": "قضیہ",
"قطار": "قطار",
"قطارو": "قطار",
"قطاروں": "قطار",
"قطاریں": "قطار",
"قطع": "قطع",
"قطعے": "قطع",
"قطعہ": "قطعہ",
"قطعو": "قطع",
"قطعوں": "قطع",
"قطر": "قطر",
"قطرے": "قطرہ",
"قطرہ": "قطرہ",
"قطرو": "قطرہ",
"قطروں": "قطرہ",
"قطریں": "قطر",
"رَو": "رَونا",
"رَونے": "رَونا",
"رَونا": "رَونا",
"رَونی": "رَونا",
"رَوتے": "رَونا",
"رَوتا": "رَونا",
"رَوتی": "رَونا",
"رَوتیں": "رَونا",
"رَوؤ": "رَونا",
"رَوؤں": "رَونا",
"رَوئے": "رَونا",
"رَوئی": "رَونا",
"رَوئیے": "رَونا",
"رَوئیں": "رَونا",
"رَویا": "رَونا",
"رِس": "رِسنا",
"رِسے": "رِسنا",
"رِسں": "رِسنا",
"رِسا": "رِسنا",
"رِسنے": "رِسنا",
"رِسنا": "رِسنا",
"رِسنی": "رِسنا",
"رِستے": "رِسنا",
"رِستا": "رِسنا",
"رِستی": "رِسنا",
"رِستیں": "رِسنا",
"رِسو": "رِسنا",
"رِسوں": "رِسنا",
"رِسوا": "رِسنا",
"رِسوانے": "رِسنا",
"رِسوانا": "رِسنا",
"رِسواتے": "رِسنا",
"رِسواتا": "رِسنا",
"رِسواتی": "رِسنا",
"رِسواتیں": "رِسنا",
"رِسواؤ": "رِسنا",
"رِسواؤں": "رِسنا",
"رِسوائے": "رِسنا",
"رِسوائی": "رِسنا",
"رِسوائیے": "رِسنا",
"رِسوائیں": "رِسنا",
"رِسوایا": "رِسنا",
"رِسی": "رِسنا",
"رِسیے": "رِسنا",
"رِسیں": "رِسنا",
"رِیا": "رِیا",
"رِیاؤں": "رِیا",
"رِیائیں": "رِیا",
"رُک": "رُکنا",
"رُکے": "رُکنا",
"رُکں": "رُکنا",
"رُکا": "رُکنا",
"رُکانے": "رُکنا",
"رُکانا": "رُکنا",
"رُکاتے": "رُکنا",
"رُکاتا": "رُکنا",
"رُکاتی": "رُکنا",
"رُکاتیں": "رُکنا",
"رُکاؤ": "رُکنا",
"رُکاؤں": "رُکنا",
"رُکائے": "رُکنا",
"رُکائی": "رُکنا",
"رُکائیے": "رُکنا",
"رُکائیں": "رُکنا",
"رُکایا": "رُکنا",
"رُکنے": "رُکنا",
"رُکنا": "رُکنا",
"رُکنی": "رُکنا",
"رُکتے": "رُکنا",
"رُکتا": "رُکنا",
"رُکتی": "رُکنا",
"رُکتیں": "رُکنا",
"رُکو": "رُکنا",
"رُکوں": "رُکنا",
"رُکوا": "رُکنا",
"رُکوانے": "رُکنا",
"رُکوانا": "رُکنا",
"رُکواتے": "رُکنا",
"رُکواتا": "رُکنا",
"رُکواتی": "رُکنا",
"رُکواتیں": "رُکنا",
"رُکواؤ": "رُکنا",
"رُکواؤں": "رُکنا",
"رُکوائے": "رُکنا",
"رُکوائی": "رُکنا",
"رُکوائیے": "رُکنا",
"رُکوائیں": "رُکنا",
"رُکوایا": "رُکنا",
"رُکی": "رُکنا",
"رُکیے": "رُکنا",
"رُکیں": "رُکنا",
"رُلْوا": "رَونا",
"رُلْوانے": "رَونا",
"رُلْوانا": "رَونا",
"رُلْواتے": "رَونا",
"رُلْواتا": "رَونا",
"رُلْواتی": "رَونا",
"رُلْواتیں": "رَونا",
"رُلْواؤ": "رَونا",
"رُلْواؤں": "رَونا",
"رُلْوائے": "رَونا",
"رُلْوائی": "رَونا",
"رُلْوائیے": "رَونا",
"رُلْوائیں": "رَونا",
"رُلْوایا": "رَونا",
"رُلا": "رَونا",
"رُلانے": "رَونا",
"رُلانا": "رَونا",
"رُلانی": "رُلانا",
"رُلاتے": "رَونا",
"رُلاتا": "رَونا",
"رُلاتی": "رَونا",
"رُلاتیں": "رَونا",
"رُلاؤ": "رَونا",
"رُلاؤں": "رَونا",
"رُلائے": "رَونا",
"رُلائی": "رَونا",
"رُلائیے": "رَونا",
"رُلائیں": "رَونا",
"رُلایا": "رَونا",
"رُلوا": "رُلانا",
"رُلوانے": "رُلانا",
"رُلوانا": "رُلانا",
"رُلواتے": "رُلانا",
"رُلواتا": "رُلانا",
"رُلواتی": "رُلانا",
"رُلواتیں": "رُلانا",
"رُلواؤ": "رُلانا",
"رُلواؤں": "رُلانا",
"رُلوائے": "رُلانا",
"رُلوائی": "رُلانا",
"رُلوائیے": "رُلانا",
"رُلوائیں": "رُلانا",
"رُلوایا": "رُلانا",
"رُس": "رُسنا",
"رُسے": "رُسنا",
"رُسں": "رُسنا",
"رُسا": "رُسنا",
"رُسانے": "رُسنا",
"رُسانا": "رُسنا",
"رُساتے": "رُسنا",
"رُساتا": "رُسنا",
"رُساتی": "رُسنا",
"رُساتیں": "رُسنا",
"رُساؤ": "رُسنا",
"رُساؤں": "رُسنا",
"رُسائے": "رُسنا",
"رُسائی": "رُسنا",
"رُسائیے": "رُسنا",
"رُسائیں": "رُسنا",
"رُسایا": "رُسنا",
"رُسنے": "رُسنا",
"رُسنا": "رُسنا",
"رُسنی": "رُسنا",
"رُستے": "رُسنا",
"رُستا": "رُسنا",
"رُستی": "رُسنا",
"رُستیں": "رُسنا",
"رُسو": "رُسنا",
"رُسوں": "رُسنا",
"رُسوا": "رُسنا",
"رُسوانے": "رُسنا",
"رُسوانا": "رُسنا",
"رُسواتے": "رُسنا",
"رُسواتا": "رُسنا",
"رُسواتی": "رُسنا",
"رُسواتیں": "رُسنا",
"رُسواؤ": "رُسنا",
"رُسواؤں": "رُسنا",
"رُسوائے": "رُسنا",
"رُسوائی": "رُسنا",
"رُسوائیے": "رُسنا",
"رُسوائیں": "رُسنا",
"رُسوایا": "رُسنا",
"رُسی": "رُسنا",
"رُسیے": "رُسنا",
"رُسیں": "رُسنا",
"رُوح": "رُوح",
"رُوحو": "رُوح",
"رُوحوں": "رُوح",
"رُوحیں": "رُوح",
"رحم": "رحم",
"رحمت": "رحمت",
"رحمتو": "رحمت",
"رحمتوں": "رحمت",
"رحمتیں": "رحمت",
"رحمو": "رحم",
"رحموں": "رحم",
"رخنے": "رخنہ",
"رخنہ": "رخنہ",
"رخنو": "رخنہ",
"رخنوں": "رخنہ",
"رخسار": "رخسار",
"رخسارو": "رخسار",
"رخساروں": "رخسار",
"رش": "رش",
"رشت": "رشت",
"رشتے": "رشتہ",
"رشتےدار": "رشتےدار",
"رشتےدارو": "رشتےدار",
"رشتےداروں": "رشتےدار",
"رشتہ": "رشتہ",
"رشتو": "رشتہ",
"رشتوں": "رشتہ",
"رشتیں": "رشت",
"رشو": "رش",
"رشوں": "رش",
"راحت": "راحت",
"راحتو": "راحت",
"راحتوں": "راحت",
"راحتیں": "راحت",
"رابط": "رابط",
"رابطے": "رابطہ",
"رابطہ": "رابطہ",
"رابطو": "رابطہ",
"رابطوں": "رابطہ",
"رابطیں": "رابط",
"راگنی": "راگنی",
"راگنیاں": "راگنی",
"راگنیو": "راگنی",
"راگنیوں": "راگنی",
"راہ": "راہ",
"راہب": "راہب",
"راہبو": "راہب",
"راہبوں": "راہب",
"راہدارؤں": "راہداری",
"راہداری": "راہداری",
"راہدارئیں": "راہداری",
"راہداریاں": "راہداری",
"راہداریو": "راہداری",
"راہداریوں": "راہداری",
"راہو": "راہ",
"راہوں": "راہ",
"راہی": "راہی",
"راہیں": "راہ",
"راہیو": "راہی",
"راہیوں": "راہی",
"راج": "راج",
"راجے": "راجہ",
"راجا": "راجا",
"راجاؤ": "راجا",
"راجاؤں": "راجا",
"راجائیں": "راجا",
"راجہ": "راجہ",
"راجپوت": "راجپوت",
"راجپوتو": "راجپوت",
"راجپوتوں": "راجپوت",
"راجپوتیں": "راجپوت",
"راجو": "راجہ",
"راجوں": "راجہ",
"ران": "ران",
"رانو": "ران",
"رانوں": "ران",
"رانی": "رانی",
"رانیں": "ران",
"رانیاں": "رانی",
"رانیو": "رانی",
"رانیوں": "رانی",
"راست": "راست",
"راستے": "راستہ",
"راستہ": "راستہ",
"راستو": "راستہ",
"راستوں": "راستہ",
"راستیں": "راست",
"رات": "رات",
"راتو": "رات",
"راتوں": "رات",
"راتیں": "رات",
"راؤ": "راؤ",
"راوی": "راوی",
"راویو": "راوی",
"راویوں": "راوی",
"رائٹر": "رائٹر",
"رائٹرو": "رائٹر",
"رائٹروں": "رائٹر",
"رائفل": "رائفل",
"رائفلو": "رائفل",
"رائفلوں": "رائفل",
"رائفلیں": "رائفل",
"رائتے": "رائتہ",
"رائتہ": "رائتہ",
"رائتو": "رائتہ",
"رائتوں": "رائتہ",
"راز": "راز",
"رازو": "راز",
"رازوں": "راز",
"رب": "رب",
"ربر": "ربر",
"ربرو": "ربر",
"ربروں": "ربر",
"ربریں": "ربر",
"ربو": "رب",
"ربوں": "رب",
"رچ": "رچنا",
"رچے": "رچنا",
"رچں": "رچنا",
"رچا": "رچنا",
"رچانے": "رچنا",
"رچانا": "رچنا",
"رچاتے": "رچنا",
"رچاتا": "رچنا",
"رچاتی": "رچنا",
"رچاتیں": "رچنا",
"رچاؤ": "رچنا",
"رچاؤں": "رچنا",
"رچائے": "رچنا",
"رچائی": "رچنا",
"رچائیے": "رچنا",
"رچائیں": "رچنا",
"رچایا": "رچنا",
"رچنے": "رچنا",
"رچنا": "رچنا",
"رچنی": "رچنا",
"رچتے": "رچنا",
"رچتا": "رچنا",
"رچتی": "رچنا",
"رچتیں": "رچنا",
"رچو": "رچنا",
"رچوں": "رچنا",
"رچوا": "رچنا",
"رچوانے": "رچنا",
"رچوانا": "رچنا",
"رچواتے": "رچنا",
"رچواتا": "رچنا",
"رچواتی": "رچنا",
"رچواتیں": "رچنا",
"رچواؤ": "رچنا",
"رچواؤں": "رچنا",
"رچوائے": "رچنا",
"رچوائی": "رچنا",
"رچوائیے": "رچنا",
"رچوائیں": "رچنا",
"رچوایا": "رچنا",
"رچی": "رچنا",
"رچیے": "رچنا",
"رچیں": "رچنا",
"ردیف": "ردیف",
"ردیفو": "ردیف",
"ردیفوں": "ردیف",
"ردیفیں": "ردیف",
"رعایت": "رعایت",
"رعایتو": "رعایت",
"رعایتوں": "رعایت",
"رعایتیں": "رعایت",
"رعنائی": "رعنائی",
"رعنائیاں": "رعنائی",
"رعنائیو": "رعنائی",
"رعنائیوں": "رعنائی",
"رعنائییں": "رعنائی",
"رفاقت": "رفاقت",
"رفاقتو": "رفاقت",
"رفاقتوں": "رفاقت",
"رفاقتیں": "رفاقت",
"رفتگی": "رفتگی",
"رفتگیاں": "رفتگی",
"رفتگیو": "رفتگی",
"رفتگیوں": "رفتگی",
"رفیق": "رفیق",
"رفیقو": "رفیق",
"رفیقوں": "رفیق",
"رگ": "رگ",
"رگڑ": "رگڑنا",
"رگڑے": "رگڑنا",
"رگڑں": "رگڑنا",
"رگڑا": "رگڑنا",
"رگڑانے": "رگڑنا",
"رگڑانا": "رگڑنا",
"رگڑاتے": "رگڑنا",
"رگڑاتا": "رگڑنا",
"رگڑاتی": "رگڑنا",
"رگڑاتیں": "رگڑنا",
"رگڑاؤ": "رگڑنا",
"رگڑاؤں": "رگڑنا",
"رگڑائے": "رگڑنا",
"رگڑائی": "رگڑنا",
"رگڑائیے": "رگڑنا",
"رگڑائیں": "رگڑنا",
"رگڑایا": "رگڑنا",
"رگڑنے": "رگڑنا",
"رگڑنا": "رگڑنا",
"رگڑنی": "رگڑنا",
"رگڑتے": "رگڑنا",
"رگڑتا": "رگڑنا",
"رگڑتی": "رگڑنا",
"رگڑتیں": "رگڑنا",
"رگڑو": "رگڑنا",
"رگڑوں": "رگڑنا",
"رگڑوا": "رگڑنا",
"رگڑوانے": "رگڑنا",
"رگڑوانا": "رگڑنا",
"رگڑواتے": "رگڑنا",
"رگڑواتا": "رگڑنا",
"رگڑواتی": "رگڑنا",
"رگڑواتیں": "رگڑنا",
"رگڑواؤ": "رگڑنا",
"رگڑواؤں": "رگڑنا",
"رگڑوائے": "رگڑنا",
"رگڑوائی": "رگڑنا",
"رگڑوائیے": "رگڑنا",
"رگڑوائیں": "رگڑنا",
"رگڑوایا": "رگڑنا",
"رگڑی": "رگڑنا",
"رگڑیے": "رگڑنا",
"رگڑیں": "رگڑنا",
"رگو": "رگ",
"رگوں": "رگ",
"رگیں": "رگ",
"رگید": "رگیدنا",
"رگیدے": "رگیدنا",
"رگیدں": "رگیدنا",
"رگیدا": "رگیدنا",
"رگیدنے": "رگیدنا",
"رگیدنا": "رگیدنا",
"رگیدنی": "رگیدنا",
"رگیدتے": "رگیدنا",
"رگیدتا": "رگیدنا",
"رگیدتی": "رگیدنا",
"رگیدتیں": "رگیدنا",
"رگیدو": "رگیدنا",
"رگیدوں": "رگیدنا",
"رگیدوا": "رگیدنا",
"رگیدوانے": "رگیدنا",
"رگیدوانا": "رگیدنا",
"رگیدواتے": "رگیدنا",
"رگیدواتا": "رگیدنا",
"رگیدواتی": "رگیدنا",
"رگیدواتیں": "رگیدنا",
"رگیدواؤ": "رگیدنا",
"رگیدواؤں": "رگیدنا",
"رگیدوائے": "رگیدنا",
"رگیدوائی": "رگیدنا",
"رگیدوائیے": "رگیدنا",
"رگیدوائیں": "رگیدنا",
"رگیدوایا": "رگیدنا",
"رگیدی": "رگیدنا",
"رگیدیے": "رگیدنا",
"رگیدیں": "رگیدنا",
"رہ": "رہنا",
"رہے": "رہنا",
"رہں": "رہنا",
"رہا": "رہنا",
"رہائش": "رہائش",
"رہائشو": "رہائش",
"رہائشوں": "رہائش",
"رہائشی": "رہائشی",
"رہائشیں": "رہائش",
"رہائشیاں": "رہائشی",
"رہائشیو": "رہائشی",
"رہائشیوں": "رہائشی",
"رہنے": "رہنا",
"رہنا": "رہنا",
"رہنما": "رہنما",
"رہنماؤ": "رہنما",
"رہنماؤں": "رہنما",
"رہنی": "رہنا",
"رہرو": "رہرو",
"رہروؤ": "رہرو",
"رہروؤں": "رہرو",
"رہت": "رہت",
"رہتے": "رہنا",
"رہتا": "رہنا",
"رہتو": "رہت",
"رہتوں": "رہت",
"رہتی": "رہنا",
"رہتیں": "رہت",
"رہو": "رہنا",
"رہوں": "رہنا",
"رہی": "رہنا",
"رہیے": "رہنا",
"رہیں": "رہنا",
"رجحان": "رجحان",
"رجحانات": "رجحان",
"رجحانو": "رجحان",
"رجحانوں": "رجحان",
"رجسٹر": "رجسٹر",
"رجسٹرو": "رجسٹر",
"رجسٹروں": "رجسٹر",
"رک": "رکنا",
"رکے": "رکنا",
"رکں": "رکنا",
"رکشا": "رکشا",
"رکشاؤ": "رکشا",
"رکشاؤں": "رکشا",
"رکشائیں": "رکشا",
"رکا": "رکنا",
"رکاب": "رکاب",
"رکابو": "رکاب",
"رکابوں": "رکاب",
"رکابیں": "رکاب",
"رکانے": "رکنا",
"رکانا": "رکنا",
"رکاتے": "رکنا",
"رکاتا": "رکنا",
"رکاتی": "رکنا",
"رکاتیں": "رکنا",
"رکاوٹ": "رکاوٹ",
"رکاوٹو": "رکاوٹ",
"رکاوٹوں": "رکاوٹ",
"رکاوٹیں": "رکاوٹ",
"رکاؤ": "رکنا",
"رکاؤں": "رکنا",
"رکائے": "رکنا",
"رکائی": "رکنا",
"رکائیے": "رکنا",
"رکائیں": "رکنا",
"رکایا": "رکنا",
"رکعت": "رکعت",
"رکعتو": "رکعت",
"رکعتوں": "رکعت",
"رکعتیں": "رکعت",
"رکنے": "رکنا",
"رکنا": "رکنا",
"رکنی": "رکنا",
"رکتے": "رکنا",
"رکتا": "رکنا",
"رکتی": "رکنا",
"رکتیں": "رکنا",
"رکو": "رکنا",
"رکوں": "رکنا",
"رکوا": "رکنا",
"رکوانے": "رکنا",
"رکوانا": "رکنا",
"رکواتے": "رکنا",
"رکواتا": "رکنا",
"رکواتی": "رکنا",
"رکواتیں": "رکنا",
"رکواؤ": "رکنا",
"رکواؤں": "رکنا",
"رکوائے": "رکنا",
"رکوائی": "رکنا",
"رکوائیے": "رکنا",
"رکوائیں": "رکنا",
"رکوایا": "رکنا",
"رکی": "رکنا",
"رکیے": "رکنا",
"رکیں": "رکنا",
"رکھ": "رکھنا",
"رکھے": "رکھنا",
"رکھں": "رکھنا",
"رکھا": "رکھا",
"رکھانے": "رکھنا",
"رکھانا": "رکھنا",
"رکھاتے": "رکھنا",
"رکھاتا": "رکھنا",
"رکھاتی": "رکھنا",
"رکھاتیں": "رکھنا",
"رکھاؤ": "رکھا",
"رکھاؤں": "رکھا",
"رکھائے": "رکھنا",
"رکھائی": "رکھنا",
"رکھائیے": "رکھنا",
"رکھائیں": "رکھا",
"رکھایا": "رکھنا",
"رکھنے": "رکھنا",
"رکھنا": "رکھنا",
"رکھنی": "رکھنا",
"رکھت": "رکھت",
"رکھتے": "رکھنا",
"رکھتا": "رکھنا",
"رکھتو": "رکھت",
"رکھتوں": "رکھت",
"رکھتی": "رکھنا",
"رکھتیں": "رکھت",
"رکھو": "رکھنا",
"رکھوں": "رکھنا",
"رکھوا": "رکھنا",
"رکھوانے": "رکھنا",
"رکھوانا": "رکھنا",
"رکھواتے": "رکھنا",
"رکھواتا": "رکھنا",
"رکھواتی": "رکھنا",
"رکھواتیں": "رکھنا",
"رکھواؤ": "رکھنا",
"رکھواؤں": "رکھنا",
"رکھوائے": "رکھنا",
"رکھوائی": "رکھنا",
"رکھوائیے": "رکھنا",
"رکھوائیں": "رکھنا",
"رکھوایا": "رکھنا",
"رکھی": "رکھنا",
"رکھیے": "رکھنا",
"رکھیں": "رکھنا",
"رل": "رلنا",
"رلے": "رلنا",
"رلں": "رلنا",
"رلا": "رلنا",
"رلانے": "رلنا",
"رلانا": "رلنا",
"رلاتے": "رلنا",
"رلاتا": "رلنا",
"رلاتی": "رلنا",
"رلاتیں": "رلنا",
"رلاؤ": "رلنا",
"رلاؤں": "رلنا",
"رلائے": "رلنا",
"رلائی": "رلنا",
"رلائیے": "رلنا",
"رلائیں": "رلنا",
"رلایا": "رلنا",
"رلنے": "رلنا",
"رلنا": "رلنا",
"رلنی": "رلنا",
"رلتے": "رلنا",
"رلتا": "رلنا",
"رلتی": "رلنا",
"رلتیں": "رلنا",
"رلو": "رلنا",
"رلوں": "رلنا",
"رلوا": "رلنا",
"رلوانے": "رلنا",
"رلوانا": "رلنا",
"رلواتے": "رلنا",
"رلواتا": "رلنا",
"رلواتی": "رلنا",
"رلواتیں": "رلنا",
"رلواؤ": "رلنا",
"رلواؤں": "رلنا",
"رلوائے": "رلنا",
"رلوائی": "رلنا",
"رلوائیے": "رلنا",
"رلوائیں": "رلنا",
"رلوایا": "رلنا",
"رلی": "رلنا",
"رلیے": "رلنا",
"رلیں": "رلنا",
"رنڈی": "رنڈی",
"رنڈیاں": "رنڈی",
"رنڈیو": "رنڈی",
"رنڈیوں": "رنڈی",
"رندے": "رندا",
"رندا": "رندا",
"رندہ": "رندہ",
"رندو": "رندا",
"رندوں": "رندا",
"رنگ": "رنگ",
"رنگے": "رنگنا",
"رنگں": "رنگنا",
"رنگا": "رنگنا",
"رنگانے": "رنگنا",
"رنگانا": "رنگنا",
"رنگاتے": "رنگنا",
"رنگاتا": "رنگنا",
"رنگاتی": "رنگنا",
"رنگاتیں": "رنگنا",
"رنگاؤ": "رنگنا",
"رنگاؤں": "رنگنا",
"رنگائے": "رنگنا",
"رنگائی": "رنگنا",
"رنگائیے": "رنگنا",
"رنگائیں": "رنگنا",
"رنگایا": "رنگنا",
"رنگنے": "رنگنا",
"رنگنا": "رنگنا",
"رنگنی": "رنگنا",
"رنگتے": "رنگنا",
"رنگتا": "رنگنا",
"رنگتی": "رنگنا",
"رنگتیں": "رنگنا",
"رنگو": "رنگ",
"رنگوں": "رنگ",
"رنگوا": "رنگنا",
"رنگوانے": "رنگنا",
"رنگوانا": "رنگنا",
"رنگواتے": "رنگنا",
"رنگواتا": "رنگنا",
"رنگواتی": "رنگنا",
"رنگواتیں": "رنگنا",
"رنگواؤ": "رنگنا",
"رنگواؤں": "رنگنا",
"رنگوائے": "رنگنا",
"رنگوائی": "رنگنا",
"رنگوائیے": "رنگنا",
"رنگوائیں": "رنگنا",
"رنگوایا": "رنگنا",
"رنگی": "رنگنا",
"رنگیے": "رنگنا",
"رنگیں": "رنگنا",
"رنگینی": "رنگینی",
"رنگینیاں": "رنگینی",
"رنگینیو": "رنگینی",
"رنگینیوں": "رنگینی",
"رنجش": "رنجش",
"رنجشو": "رنجش",
"رنجشوں": "رنجش",
"رنجشیں": "رنجش",
"رپورٹ": "رپورٹ",
"رپورٹو": "رپورٹ",
"رپورٹوں": "رپورٹ",
"رپورٹیں": "رپورٹ",
"رقعے": "رقعہ",
"رقعہ": "رقعہ",
"رقعو": "رقعہ",
"رقعوں": "رقعہ",
"رقیب": "رقیب",
"رقیبو": "رقیب",
"رقیبوں": "رقیب",
"رس": "رسنا",
"رسّی": "رسّی",
"رسّیاں": "رسّی",
"رسّیو": "رسّی",
"رسّیوں": "رسّی",
"رسے": "رسا",
"رسں": "رسنا",
"رسا": "رسا",
"رسالے": "رسالہ",
"رسالہ": "رسالہ",
"رسالو": "رسالہ",
"رسالوں": "رسالہ",
"رسانے": "رسنا",
"رسانا": "رسنا",
"رسانی": "رسانی",
"رسانیاں": "رسانی",
"رسانیو": "رسانی",
"رسانیوں": "رسانی",
"رساتے": "رسنا",
"رساتا": "رسنا",
"رساتی": "رسنا",
"رساتیں": "رسنا",
"رساؤ": "رسنا",
"رساؤں": "رسنا",
"رسائے": "رسنا",
"رسائی": "رسنا",
"رسائیے": "رسنا",
"رسائیں": "رسنا",
"رسایا": "رسنا",
"رسہ": "رسہ",
"رسم": "رسم",
"رسمو": "رسم",
"رسموں": "رسم",
"رسمیں": "رسم",
"رسنے": "رسنا",
"رسنا": "رسنا",
"رسنی": "رسنا",
"رست": "رست",
"رستے": "رستا",
"رستا": "رستا",
"رستہ": "رستہ",
"رستو": "رستا",
"رستوں": "رستا",
"رستی": "رسنا",
"رستیں": "رست",
"رسو": "رسا",
"رسوں": "رسا",
"رسوا": "رسنا",
"رسوانے": "رسنا",
"رسوانا": "رسنا",
"رسواتے": "رسنا",
"رسواتا": "رسنا",
"رسواتی": "رسنا",
"رسواتیں": "رسنا",
"رسواؤ": "رسنا",
"رسواؤں": "رسنا",
"رسوائے": "رسنا",
"رسوائی": "رسنا",
"رسوائیے": "رسنا",
"رسوائیں": "رسنا",
"رسوایا": "رسنا",
"رسول": "رسول",
"رسولو": "رسول",
"رسولوں": "رسول",
"رسی": "رسی",
"رسیے": "رسنا",
"رسیں": "رسنا",
"رسیا": "رسیا",
"رسیاں": "رسی",
"رسید": "رسید",
"رسیدے": "رسیدہ",
"رسیدہ": "رسیدہ",
"رسیدو": "رسیدہ",
"رسیدوں": "رسیدہ",
"رسیدیں": "رسید",
"رسیو": "رسی",
"رسیوں": "رسی",
"رت": "رت",
"رتبے": "رتبہ",
"رتبہ": "رتبہ",
"رتبو": "رتبہ",
"رتبوں": "رتبہ",
"رتو": "رت",
"رتوں": "رت",
"رتیں": "رت",
"رو": "رونا",
"روّیے": "روّیہ",
"روّیہ": "روّیہ",
"روّیو": "روّیہ",
"روّیوں": "روّیہ",
"روح": "روح",
"روحو": "روح",
"روحوں": "روح",
"روحیں": "روح",
"روڑ": "روڑ",
"روڑے": "روڑا",
"روڑا": "روڑا",
"روڑو": "روڑا",
"روڑوں": "روڑا",
"روڑیں": "روڑ",
"روٹی": "روٹی",
"روٹیاں": "روٹی",
"روٹیو": "روٹی",
"روٹیوں": "روٹی",
"روشن": "روشن",
"روشنو": "روشن",
"روشنوں": "روشن",
"روشنی": "روشنی",
"روشنیاں": "روشنی",
"روشنیو": "روشنی",
"روشنیوں": "روشنی",
"رواں": "رواں",
"رواج": "رواج",
"رواجو": "رواج",
"رواجوں": "رواج",
"روایت": "روایت",
"روایتو": "روایت",
"روایتوں": "روایت",
"روایتیں": "روایت",
"روہیل": "روہیل",
"روہیلہ": "روہیلہ",
"روہیلو": "روہیل",
"روہیلوں": "روہیل",
"روک": "روکنا",
"روکے": "روکنا",
"روکں": "روکنا",
"روکا": "روکنا",
"روکنے": "روکنا",
"روکنا": "روکنا",
"روکنی": "روکنا",
"روکتے": "روکنا",
"روکتا": "روکنا",
"روکتی": "روکنا",
"روکتیں": "روکنا",
"روکو": "روکنا",
"روکوں": "روکنا",
"روکوا": "روکنا",
"روکوانے": "روکنا",
"روکوانا": "روکنا",
"روکواتے": "روکنا",
"روکواتا": "روکنا",
"روکواتی": "روکنا",
"روکواتیں": "روکنا",
"روکواؤ": "روکنا",
"روکواؤں": "روکنا",
"روکوائے": "روکنا",
"روکوائی": "روکنا",
"روکوائیے": "روکنا",
"روکوائیں": "روکنا",
"روکوایا": "روکنا",
"روکی": "روکنا",
"روکیے": "روکنا",
"روکیں": "روکنا",
"رومال": "رومال",
"رومالو": "رومال",
"رومالوں": "رومال",
"رومالیں": "رومال",
"رونے": "رونا",
"رونا": "رونا",
"رونق": "رونق",
"رونقو": "رونق",
"رونقوں": "رونق",
"رونقیں": "رونق",
"رونی": "رونا",
"روپ": "روپ",
"روپہ": "روپہ",
"روپو": "روپ",
"روپوں": "روپ",
"روپیے": "روپیہ",
"روپیا": "روپیا",
"روپیاں": "روپیا",
"روپیہ": "روپیہ",
"روپیو": "روپیہ",
"روپیوں": "روپیہ",
"روسی": "روسی",
"روسیو": "روسی",
"روسیوں": "روسی",
"روتے": "رونا",
"روتا": "رونا",
"روتی": "رونا",
"روتیں": "رونا",
"رووںں": "رواں",
"روؤ": "رونا",
"روؤں": "رونا",
"روی": "روی",
"رویے": "رویہ",
"رویں": "رواں",
"روئے": "رونا",
"روئی": "رونا",
"روئیے": "رونا",
"روئیں": "رونا",
"رویا": "رونا",
"رویہ": "رویہ",
"رویو": "رویہ",
"رویوں": "رویہ",
"روزے": "روزا",
"روزا": "روزا",
"روزہ": "روزہ",
"روزنامے": "روزنامہ",
"روزنامچے": "روزنامچہ",
"روزنامچہ": "روزنامچہ",
"روزنامچو": "روزنامچہ",
"روزنامچوں": "روزنامچہ",
"روزنامہ": "روزنامہ",
"روزنامو": "روزنامہ",
"روزناموں": "روزنامہ",
"روزو": "روزا",
"روزوں": "روزا",
"ریختے": "ریختہ",
"ریختہ": "ریختہ",
"ریختو": "ریختہ",
"ریختوں": "ریختہ",
"ریشے": "ریشہ",
"ریشہ": "ریشہ",
"ریشو": "ریشہ",
"ریشوں": "ریشہ",
"رئیس": "رئیس",
"رئیسو": "رئیس",
"رئیسوں": "رئیس",
"ریاکار": "ریاکار",
"ریاکارو": "ریاکار",
"ریاکاروں": "ریاکار",
"ریاست": "ریاست",
"ریاستو": "ریاست",
"ریاستوں": "ریاست",
"ریاستیں": "ریاست",
"ریگستان": "ریگستان",
"ریگستانو": "ریگستان",
"ریگستانوں": "ریگستان",
"ریل": "ریل",
"ریلے": "ریلا",
"ریلا": "ریلا",
"ریلو": "ریلا",
"ریلوں": "ریلا",
"ریلی": "ریلی",
"ریلیں": "ریل",
"ریلیاں": "ریلی",
"ریلیو": "ریلی",
"ریلیوں": "ریلی",
"ریس": "ریس",
"ریستوران": "ریستوران",
"ریستورانو": "ریستوران",
"ریستورانوں": "ریستوران",
"ریسو": "ریس",
"ریسوں": "ریس",
"ریسیں": "ریس",
"ریوڑ": "ریوڑ",
"ریوڑو": "ریوڑ",
"ریوڑوں": "ریوڑ",
"ریوڑی": "ریوڑی",
"ریوڑیاں": "ریوڑی",
"ریوڑیو": "ریوڑی",
"ریوڑیوں": "ریوڑی",
"ریزے": "ریزہ",
"ریزہ": "ریزہ",
"ریزر": "ریزر",
"ریزرو": "ریزر",
"ریزروں": "ریزر",
"ریزو": "ریزہ",
"ریزوں": "ریزہ",
"رضاکار": "رضاکار",
"رضاکارو": "رضاکار",
"رضاکاروں": "رضاکار",
"رضائی": "رضائی",
"رضائیاں": "رضائی",
"رضائیو": "رضائی",
"رضائیوں": "رضائی",
"سَب": "سَب",
"سَبھا": "سَبھا",
"سَبھاؤ": "سَبھا",
"سَبھاؤں": "سَبھا",
"سَبھائیں": "سَبھا",
"سَنْبھَل": "سَنْبھَلْنا",
"سَنْبھَلْں": "سَنْبھَلْنا",
"سَنْبھَلْنے": "سَنْبھَلْنا",
"سَنْبھَلْنا": "سَنْبھَلْنا",
"سَنْبھَلْنی": "سَنْبھَلْنا",
"سَنْبھَلْتے": "سَنْبھَلْنا",
"سَنْبھَلْتا": "سَنْبھَلْنا",
"سَنْبھَلْتی": "سَنْبھَلْنا",
"سَنْبھَلْتیں": "سَنْبھَلْنا",
"سَنْبھَلْوا": "سَنْبھَلْنا",
"سَنْبھَلْوانے": "سَنْبھَلْنا",
"سَنْبھَلْوانا": "سَنْبھَلْنا",
"سَنْبھَلْواتے": "سَنْبھَلْنا",
"سَنْبھَلْواتا": "سَنْبھَلْنا",
"سَنْبھَلْواتی": "سَنْبھَلْنا",
"سَنْبھَلْواتیں": "سَنْبھَلْنا",
"سَنْبھَلْواؤ": "سَنْبھَلْنا",
"سَنْبھَلْواؤں": "سَنْبھَلْنا",
"سَنْبھَلْوائے": "سَنْبھَلْنا",
"سَنْبھَلْوائی": "سَنْبھَلْنا",
"سَنْبھَلْوائیے": "سَنْبھَلْنا",
"سَنْبھَلْوائیں": "سَنْبھَلْنا",
"سَنْبھَلْوایا": "سَنْبھَلْنا",
"سَنْبھَلے": "سَنْبھَلْنا",
"سَنْبھَلا": "سَنْبھَلْنا",
"سَنْبھَلو": "سَنْبھَلْنا",
"سَنْبھَلوں": "سَنْبھَلْنا",
"سَنْبھَلی": "سَنْبھَلْنا",
"سَنْبھَلیے": "سَنْبھَلْنا",
"سَنْبھَلیں": "سَنْبھَلْنا",
"سَنْبھال": "سَنْبھَلْنا",
"سَنْبھالے": "سَنْبھَلْنا",
"سَنْبھالں": "سَنْبھَلْنا",
"سَنْبھالا": "سَنْبھَلْنا",
"سَنْبھالنے": "سَنْبھَلْنا",
"سَنْبھالنا": "سَنْبھَلْنا",
"سَنْبھالتے": "سَنْبھَلْنا",
"سَنْبھالتا": "سَنْبھَلْنا",
"سَنْبھالتی": "سَنْبھَلْنا",
"سَنْبھالتیں": "سَنْبھَلْنا",
"سَنْبھالو": "سَنْبھَلْنا",
"سَنْبھالوں": "سَنْبھَلْنا",
"سَنْبھالی": "سَنْبھَلْنا",
"سَنْبھالیے": "سَنْبھَلْنا",
"سَنْبھالیں": "سَنْبھَلْنا",
"سَر": "سَر",
"سَرو": "سَر",
"سَروں": "سَر",
"سَسْتے": "سَسْتا",
"سَسْتا": "سَسْتا",
"سَسْتی": "سَسْتا",
"سَو": "سَونا",
"سَونے": "سَونا",
"سَونا": "سَونا",
"سَونی": "سَونا",
"سَوتے": "سَونا",
"سَوتا": "سَونا",
"سَوتی": "سَونا",
"سَوتیں": "سَونا",
"سَوؤ": "سَونا",
"سَوؤں": "سَونا",
"سَوئے": "سَونا",
"سَوئی": "سَونا",
"سَوئیے": "سَونا",
"سَوئیں": "سَونا",
"سَویا": "سَونا",
"سِنان": "سِنان",
"سِنانو": "سِنان",
"سِنانوں": "سِنان",
"سِنانیں": "سِنان",
"سِرے": "سِرا",
"سِرا": "سِرا",
"سِرو": "سِرا",
"سِروں": "سِرا",
"سُلْوا": "سَونا",
"سُلْوانے": "سَونا",
"سُلْوانا": "سَونا",
"سُلْواتے": "سَونا",
"سُلْواتا": "سَونا",
"سُلْواتی": "سَونا",
"سُلْواتیں": "سَونا",
"سُلْواؤ": "سَونا",
"سُلْواؤں": "سَونا",
"سُلْوائے": "سَونا",
"سُلْوائی": "سَونا",
"سُلْوائیے": "سَونا",
"سُلْوائیں": "سَونا",
"سُلْوایا": "سَونا",
"سُلا": "سَونا",
"سُلانے": "سَونا",
"سُلانا": "سَونا",
"سُلاتے": "سَونا",
"سُلاتا": "سَونا",
"سُلاتی": "سَونا",
"سُلاتیں": "سَونا",
"سُلاؤ": "سَونا",
"سُلاؤں": "سَونا",
"سُلائے": "سَونا",
"سُلائی": "سَونا",
"سُلائیے": "سَونا",
"سُلائیں": "سَونا",
"سُلایا": "سَونا",
"سُم": "سُم",
"سُمو": "سُم",
"سُموں": "سُم",
"سُن": "سُنْنا",
"سُنْں": "سُنْنا",
"سُنْنے": "سُنْنا",
"سُنْنا": "سُنْنا",
"سُنْنی": "سُنْنا",
"سُنْتے": "سُنْنا",
"سُنْتا": "سُنْنا",
"سُنْتی": "سُنْنا",
"سُنْتیں": "سُنْنا",
"سُنْوا": "سُنْنا",
"سُنْوانے": "سُنْنا",
"سُنْوانا": "سُنْنا",
"سُنْواتے": "سُنْنا",
"سُنْواتا": "سُنْنا",
"سُنْواتی": "سُنْنا",
"سُنْواتیں": "سُنْنا",
"سُنْواؤ": "سُنْنا",
"سُنْواؤں": "سُنْنا",
"سُنْوائے": "سُنْنا",
"سُنْوائی": "سُنْنا",
"سُنْوائیے": "سُنْنا",
"سُنْوائیں": "سُنْنا",
"سُنْوایا": "سُنْنا",
"سُنے": "سُنْنا",
"سُنں": "سُننا",
"سُنا": "سُنْنا",
"سُنانے": "سُنْنا",
"سُنانا": "سُنْنا",
"سُناتے": "سُنْنا",
"سُناتا": "سُنْنا",
"سُناتی": "سُنْنا",
"سُناتیں": "سُنْنا",
"سُناؤ": "سُنْنا",
"سُناؤں": "سُنْنا",
"سُنائے": "سُنْنا",
"سُنائی": "سُنْنا",
"سُنائیے": "سُنْنا",
"سُنائیں": "سُنْنا",
"سُنایا": "سُنْنا",
"سُننے": "سُننا",
"سُننا": "سُننا",
"سُننی": "سُننا",
"سُنتے": "سُننا",
"سُنتا": "سُننا",
"سُنتی": "سُننا",
"سُنتیں": "سُننا",
"سُنو": "سُنْنا",
"سُنوں": "سُنْنا",
"سُنوا": "سُننا",
"سُنوانے": "سُننا",
"سُنوانا": "سُننا",
"سُنواتے": "سُننا",
"سُنواتا": "سُننا",
"سُنواتی": "سُننا",
"سُنواتیں": "سُننا",
"سُنواؤ": "سُننا",
"سُنواؤں": "سُننا",
"سُنوائے": "سُننا",
"سُنوائی": "سُننا",
"سُنوائیے": "سُننا",
"سُنوائیں": "سُننا",
"سُنوایا": "سُننا",
"سُنی": "سُنی",
"سُنیے": "سُنْنا",
"سُنیں": "سُنْنا",
"سُنیو": "سُنی",
"سُنیوں": "سُنی",
"سُر": "سُر",
"سُرْخ": "سُرْخ",
"سُرمے": "سُرمہ",
"سُرمہ": "سُرمہ",
"سُرمو": "سُرمہ",
"سُرموں": "سُرمہ",
"سُرنگ": "سُرنگ",
"سُرنگو": "سُرنگ",
"سُرنگوں": "سُرنگ",
"سُرنگیں": "سُرنگ",
"سُرو": "سُر",
"سُروں": "سُر",
"سُو": "سُو",
"سُوؤ": "سُو",
"سُوؤں": "سُو",
"سے": "سے",
"سےبات": "سےبات",
"سےباتو": "سےبات",
"سےباتوں": "سےبات",
"سےباتیں": "سےبات",
"سخن": "سخن",
"سخنو": "سخن",
"سخنوں": "سخن",
"سختی": "سختی",
"سختیاں": "سختی",
"سختیو": "سختی",
"سختیوں": "سختی",
"سڑ": "سڑنا",
"سڑے": "سڑنا",
"سڑں": "سڑنا",
"سڑا": "سڑنا",
"سڑانے": "سڑنا",
"سڑانا": "سڑنا",
"سڑاتے": "سڑنا",
"سڑاتا": "سڑنا",
"سڑاتی": "سڑنا",
"سڑاتیں": "سڑنا",
"سڑاؤ": "سڑنا",
"سڑاؤں": "سڑنا",
"سڑائے": "سڑنا",
"سڑائی": "سڑنا",
"سڑائیے": "سڑنا",
"سڑائیں": "سڑنا",
"سڑایا": "سڑنا",
"سڑک": "سڑک",
"سڑکو": "سڑک",
"سڑکوں": "سڑک",
"سڑکیں": "سڑک",
"سڑنے": "سڑنا",
"سڑنا": "سڑنا",
"سڑنی": "سڑنا",
"سڑتے": "سڑنا",
"سڑتا": "سڑنا",
"سڑتی": "سڑنا",
"سڑتیں": "سڑنا",
"سڑو": "سڑنا",
"سڑوں": "سڑنا",
"سڑوا": "سڑنا",
"سڑوانے": "سڑنا",
"سڑوانا": "سڑنا",
"سڑواتے": "سڑنا",
"سڑواتا": "سڑنا",
"سڑواتی": "سڑنا",
"سڑواتیں": "سڑنا",
"سڑواؤ": "سڑنا",
"سڑواؤں": "سڑنا",
"سڑوائے": "سڑنا",
"سڑوائی": "سڑنا",
"سڑوائیے": "سڑنا",
"سڑوائیں": "سڑنا",
"سڑوایا": "سڑنا",
"سڑی": "سڑنا",
"سڑیے": "سڑنا",
"سڑیں": "سڑنا",
"سٹے": "سٹہ",
"سٹال": "سٹال",
"سٹالو": "سٹال",
"سٹالوں": "سٹال",
"سٹہ": "سٹہ",
"سٹو": "سٹہ",
"سٹوں": "سٹہ",
"سٹول": "سٹول",
"سٹولو": "سٹول",
"سٹولوں": "سٹول",
"سٹور": "سٹور",
"سٹورو": "سٹور",
"سٹوروں": "سٹور",
"سٹیشن": "سٹیشن",
"سٹیشنو": "سٹیشن",
"سٹیشنوں": "سٹیشن",
"سا": "سا",
"ساحل": "ساحل",
"ساحلو": "ساحل",
"ساحلوں": "ساحل",
"ساڑی": "ساڑی",
"ساڑیاں": "ساڑی",
"ساڑیو": "ساڑی",
"ساڑیوں": "ساڑی",
"ساڑھی": "ساڑھی",
"ساڑھیاں": "ساڑھی",
"ساڑھیو": "ساڑھی",
"ساڑھیوں": "ساڑھی",
"سادے": "سادہ",
"سادہ": "سادہ",
"سادو": "سادہ",
"سادوں": "سادہ",
"سادھو": "سادھو",
"سادھوؤ": "سادھو",
"سادھوؤں": "سادھو",
"ساعت": "ساعت",
"ساعتو": "ساعت",
"ساعتوں": "ساعت",
"ساعتیں": "ساعت",
"ساگودانے": "ساگودانہ",
"ساگودانہ": "ساگودانہ",
"ساگودانو": "ساگودانہ",
"ساگودانوں": "ساگودانہ",
"ساہوکار": "ساہوکار",
"ساہوکارو": "ساہوکار",
"ساہوکاروں": "ساہوکار",
"ساہوکاریں": "ساہوکار",
"سال": "سال",
"سالے": "سالا",
"سالا": "سالا",
"سالو": "سالا",
"سالوں": "سالا",
"سامان": "سامان",
"سامانو": "سامان",
"سامانوں": "سامان",
"سامنے": "سامنہ",
"سامنہ": "سامنہ",
"سامنو": "سامنہ",
"سامنوں": "سامنہ",
"سان": "سان",
"سانحے": "سانحہ",
"سانحہ": "سانحہ",
"سانحو": "سانحہ",
"سانحوں": "سانحہ",
"سانچے": "سانچہ",
"سانچہ": "سانچہ",
"سانچو": "سانچہ",
"سانچوں": "سانچہ",
"سانپ": "سانپ",
"سانپو": "سانپ",
"سانپوں": "سانپ",
"سانس": "سانس",
"سانسو": "سانس",
"سانسوں": "سانس",
"سانسیں": "سانس",
"سانو": "سان",
"سانوں": "سان",
"سانول": "سانول",
"سانولے": "سانولا",
"سانولا": "سانولا",
"سانولو": "سانولا",
"سانولوں": "سانولا",
"سارے": "سارا",
"سارا": "سارا",
"سارہ": "سارہ",
"سارنگی": "سارنگی",
"سارنگیا": "سارنگیا",
"سارنگیاں": "سارنگی",
"سارنگیو": "سارنگی",
"سارنگیوں": "سارنگی",
"سارو": "سارا",
"ساروں": "سارا",
"ساری": "ساری",
"ساریاں": "ساری",
"ساریو": "ساری",
"ساریوں": "ساری",
"ساس": "ساس",
"ساسو": "ساس",
"ساسوں": "ساس",
"ساسیں": "ساس",
"سات": "سات",
"ساتے": "ساتہ",
"ساتہ": "ساتہ",
"ساتو": "ساتہ",
"ساتوں": "ساتہ",
"ساتواں": "ساتواں",
"ساتووںں": "ساتواں",
"ساتویں": "ساتواں",
"ساتیں": "سات",
"ساتھے": "ساتھہ",
"ساتھہ": "ساتھہ",
"ساتھو": "ساتھہ",
"ساتھوں": "ساتھہ",
"ساتھی": "ساتھی",
"ساتھیو": "ساتھی",
"ساتھیوں": "ساتھی",
"سایے": "سایا",
"سائٹ": "سائٹ",
"سائٹو": "سائٹ",
"سائٹوں": "سائٹ",
"سائبان": "سائبان",
"سائبانو": "سائبان",
"سائبانوں": "سائبان",
"سائل": "سائل",
"سائلو": "سائل",
"سائلوں": "سائل",
"سائنسدان": "سائنسدان",
"سائنسدانو": "سائنسدان",
"سائنسدانوں": "سائنسدان",
"سائیکل": "سائیکل",
"سائیکلو": "سائیکل",
"سائیکلوں": "سائیکل",
"سائیکلیں": "سائیکل",
"سایا": "سایا",
"سایہ": "سایہ",
"سایو": "سایا",
"سایوں": "سایا",
"ساز": "ساز",
"سازش": "سازش",
"سازشو": "سازش",
"سازشوں": "سازش",
"سازشیں": "سازش",
"سازو": "ساز",
"سازوں": "ساز",
"سازی": "سازی",
"سازیو": "سازی",
"سازیوں": "سازی",
"سب": "سَب",
"سبکی": "سبکی",
"سبکیو": "سبکی",
"سبکیوں": "سبکی",
"سبز": "سبز",
"سبزے": "سبزہ",
"سبزہ": "سبزہ",
"سبزو": "سبزہ",
"سبزوں": "سبزہ",
"سبزی": "سبزی",
"سبزیاں": "سبزی",
"سبزیو": "سبزی",
"سبزیوں": "سبزی",
"سبھا": "سبھا",
"سبھاؤ": "سبھاؤ",
"سبھاؤں": "سبھا",
"سبھائیں": "سبھا",
"سچ": "سچ",
"سچے": "سچا",
"سچا": "سچا",
"سچائی": "سچائی",
"سچائیاں": "سچائی",
"سچائیو": "سچائی",
"سچائیوں": "سچائی",
"سچو": "سچا",
"سچوں": "سچا",
"سدھا": "سدھانا",
"سدھانے": "سدھانا",
"سدھانا": "سدھانا",
"سدھانی": "سدھانا",
"سدھار": "سدھار",
"سدھارے": "سدھرنا",
"سدھارں": "سدھرنا",
"سدھارا": "سدھرنا",
"سدھارنے": "سدھرنا",
"سدھارنا": "سدھرنا",
"سدھارتے": "سدھرنا",
"سدھارتا": "سدھرنا",
"سدھارتی": "سدھرنا",
"سدھارتیں": "سدھرنا",
"سدھارو": "سدھار",
"سدھاروں": "سدھار",
"سدھاری": "سدھرنا",
"سدھاریے": "سدھرنا",
"سدھاریں": "سدھرنا",
"سدھاتے": "سدھانا",
"سدھاتا": "سدھانا",
"سدھاتی": "سدھانا",
"سدھاتیں": "سدھانا",
"سدھاؤ": "سدھانا",
"سدھاؤں": "سدھانا",
"سدھائے": "سدھانا",
"سدھائی": "سدھانا",
"سدھائیے": "سدھانا",
"سدھائیں": "سدھانا",
"سدھایا": "سدھانا",
"سدھر": "سدھرنا",
"سدھرے": "سدھرنا",
"سدھرں": "سدھرنا",
"سدھرا": "سدھرنا",
"سدھرنے": "سدھرنا",
"سدھرنا": "سدھرنا",
"سدھرنی": "سدھرنا",
"سدھرتے": "سدھرنا",
"سدھرتا": "سدھرنا",
"سدھرتی": "سدھرنا",
"سدھرتیں": "سدھرنا",
"سدھرو": "سدھرنا",
"سدھروں": "سدھرنا",
"سدھروا": "سدھرنا",
"سدھروانے": "سدھرنا",
"سدھروانا": "سدھرنا",
"سدھرواتے": "سدھرنا",
"سدھرواتا": "سدھرنا",
"سدھرواتی": "سدھرنا",
"سدھرواتیں": "سدھرنا",
"سدھرواؤ": "سدھرنا",
"سدھرواؤں": "سدھرنا",
"سدھروائے": "سدھرنا",
"سدھروائی": "سدھرنا",
"سدھروائیے": "سدھرنا",
"سدھروائیں": "سدھرنا",
"سدھروایا": "سدھرنا",
"سدھری": "سدھرنا",
"سدھریے": "سدھرنا",
"سدھریں": "سدھرنا",
"سدھوا": "سدھانا",
"سدھوانے": "سدھانا",
"سدھوانا": "سدھانا",
"سدھواتے": "سدھانا",
"سدھواتا": "سدھانا",
"سدھواتی": "سدھانا",
"سدھواتیں": "سدھانا",
"سدھواؤ": "سدھانا",
"سدھواؤں": "سدھانا",
"سدھوائے": "سدھانا",
"سدھوائی": "سدھانا",
"سدھوائیے": "سدھانا",
"سدھوائیں": "سدھانا",
"سدھوایا": "سدھانا",
"سعادت": "سعادت",
"سعادتو": "سعادت",
"سعادتوں": "سعادت",
"سعادتیں": "سعادت",
"سفارشی": "سفارشی",
"سفارشیو": "سفارشی",
"سفارشیوں": "سفارشی",
"سفر": "سفر",
"سفرنامے": "سفرنامہ",
"سفرنامہ": "سفرنامہ",
"سفرنامو": "سفرنامہ",
"سفرناموں": "سفرنامہ",
"سفرو": "سفر",
"سفروں": "سفر",
"سفیدی": "سفیدی",
"سفیدیاں": "سفیدی",
"سفیدیو": "سفیدی",
"سفیدیوں": "سفیدی",
"سفینے": "سفینہ",
"سفینہ": "سفینہ",
"سفینو": "سفینہ",
"سفینوں": "سفینہ",
"سفیر": "سفیر",
"سفیرو": "سفیر",
"سفیروں": "سفیر",
"سگرٹ": "سگرٹ",
"سگرٹو": "سگرٹ",
"سگرٹوں": "سگرٹ",
"سگرٹیں": "سگرٹ",
"سگریٹ": "سگریٹ",
"سگریٹو": "سگریٹ",
"سگریٹوں": "سگریٹ",
"سگریٹیں": "سگریٹ",
"سہ": "سہنا",
"سہے": "سہنا",
"سہں": "سہنا",
"سہا": "سہنا",
"سہاگے": "سہاگہ",
"سہاگہ": "سہاگہ",
"سہاگو": "سہاگہ",
"سہاگوں": "سہاگہ",
"سہار": "سہنا",
"سہارے": "سہنا",
"سہارں": "سہنا",
"سہارا": "سہنا",
"سہارنے": "سہنا",
"سہارنا": "سہنا",
"سہارتے": "سہنا",
"سہارتا": "سہنا",
"سہارتی": "سہنا",
"سہارتیں": "سہنا",
"سہارو": "سہنا",
"سہاروں": "سہنا",
"سہاری": "سہنا",
"سہاریے": "سہنا",
"سہاریں": "سہنا",
"سہنے": "سہنا",
"سہنا": "سہنا",
"سہنی": "سہنا",
"سہتے": "سہنا",
"سہتا": "سہنا",
"سہتی": "سہنا",
"سہتیں": "سہنا",
"سہو": "سہنا",
"سہوں": "سہنا",
"سہولت": "سہولت",
"سہولتو": "سہولت",
"سہولتوں": "سہولت",
"سہولتیں": "سہولت",
"سہی": "سہنا",
"سہیے": "سہنا",
"سہیں": "سہنا",
"سہیلی": "سہیلی",
"سہیلیاں": "سہیلی",
"سہیلیو": "سہیلی",
"سہیلیوں": "سہیلی",
"سج": "سجنا",
"سجے": "سجنا",
"سجں": "سجنا",
"سجا": "سجنا",
"سجانے": "سجنا",
"سجانا": "سجنا",
"سجاتے": "سجنا",
"سجاتا": "سجنا",
"سجاتی": "سجنا",
"سجاتیں": "سجنا",
"سجاؤ": "سجنا",
"سجاؤں": "سجنا",
"سجائے": "سجنا",
"سجائی": "سجنا",
"سجائیے": "سجنا",
"سجائیں": "سجنا",
"سجایا": "سجنا",
"سجدے": "سجدہ",
"سجدہ": "سجدہ",
"سجدو": "سجدہ",
"سجدوں": "سجدہ",
"سجنے": "سجنا",
"سجنا": "سجنا",
"سجنی": "سجنا",
"سجتے": "سجنا",
"سجتا": "سجنا",
"سجتی": "سجنا",
"سجتیں": "سجنا",
"سجو": "سجنا",
"سجوں": "سجنا",
"سجوا": "سجنا",
"سجوانے": "سجنا",
"سجوانا": "سجنا",
"سجواتے": "سجنا",
"سجواتا": "سجنا",
"سجواتی": "سجنا",
"سجواتیں": "سجنا",
"سجواؤ": "سجنا",
"سجواؤں": "سجنا",
"سجوائے": "سجنا",
"سجوائی": "سجنا",
"سجوائیے": "سجنا",
"سجوائیں": "سجنا",
"سجوایا": "سجنا",
"سجی": "سجنا",
"سجیے": "سجنا",
"سجیں": "سجنا",
"سجھ": "سجھنا",
"سجھے": "سجھنا",
"سجھں": "سجھنا",
"سجھا": "سجھنا",
"سجھانے": "سوجھنا",
"سجھانا": "سوجھنا",
"سجھاتے": "سوجھنا",
"سجھاتا": "سوجھنا",
"سجھاتی": "سوجھنا",
"سجھاتیں": "سوجھنا",
"سجھاؤ": "سوجھنا",
"سجھاؤں": "سوجھنا",
"سجھائے": "سوجھنا",
"سجھائی": "سوجھنا",
"سجھائیے": "سوجھنا",
"سجھائیں": "سوجھنا",
"سجھایا": "سوجھنا",
"سجھنے": "سجھنا",
"سجھنا": "سجھنا",
"سجھنی": "سجھنا",
"سجھتے": "سجھنا",
"سجھتا": "سجھنا",
"سجھتی": "سجھنا",
"سجھتیں": "سجھنا",
"سجھو": "سجھنا",
"سجھوں": "سجھنا",
"سجھوا": "سوجھنا",
"سجھوانے": "سوجھنا",
"سجھوانا": "سوجھنا",
"سجھواتے": "سوجھنا",
"سجھواتا": "سوجھنا",
"سجھواتی": "سوجھنا",
"سجھواتیں": "سوجھنا",
"سجھواؤ": "سوجھنا",
"سجھواؤں": "سوجھنا",
"سجھوائے": "سوجھنا",
"سجھوائی": "سوجھنا",
"سجھوائیے": "سوجھنا",
"سجھوائیں": "سوجھنا",
"سجھوایا": "سوجھنا",
"سجھی": "سجھنا",
"سجھیے": "سجھنا",
"سجھیں": "سجھنا",
"سک": "سکنا",
"سکے": "سکنا",
"سکں": "سکنا",
"سکڑ": "سکڑنا",
"سکڑے": "سکڑنا",
"سکڑں": "سکڑنا",
"سکڑا": "سکڑنا",
"سکڑانے": "سکڑنا",
"سکڑانا": "سکڑنا",
"سکڑاتے": "سکڑنا",
"سکڑاتا": "سکڑنا",
"سکڑاتی": "سکڑنا",
"سکڑاتیں": "سکڑنا",
"سکڑاؤ": "سکڑنا",
"سکڑاؤں": "سکڑنا",
"سکڑائے": "سکڑنا",
"سکڑائی": "سکڑنا",
"سکڑائیے": "سکڑنا",
"سکڑائیں": "سکڑنا",
"سکڑایا": "سکڑنا",
"سکڑنے": "سکڑنا",
"سکڑنا": "سکڑنا",
"سکڑنی": "سکڑنا",
"سکڑتے": "سکڑنا",
"سکڑتا": "سکڑنا",
"سکڑتی": "سکڑنا",
"سکڑتیں": "سکڑنا",
"سکڑو": "سکڑنا",
"سکڑوں": "سکڑنا",
"سکڑوا": "سکڑنا",
"سکڑوانے": "سکڑنا",
"سکڑوانا": "سکڑنا",
"سکڑواتے": "سکڑنا",
"سکڑواتا": "سکڑنا",
"سکڑواتی": "سکڑنا",
"سکڑواتیں": "سکڑنا",
"سکڑواؤ": "سکڑنا",
"سکڑواؤں": "سکڑنا",
"سکڑوائے": "سکڑنا",
"سکڑوائی": "سکڑنا",
"سکڑوائیے": "سکڑنا",
"سکڑوائیں": "سکڑنا",
"سکڑوایا": "سکڑنا",
"سکڑی": "سکڑنا",
"سکڑیے": "سکڑنا",
"سکڑیں": "سکڑنا",
"سکا": "سکنا",
"سکانے": "سکنا",
"سکانا": "سکنا",
"سکاتے": "سکنا",
"سکاتا": "سکنا",
"سکاتی": "سکنا",
"سکاتیں": "سکنا",
"سکاؤ": "سکنا",
"سکاؤں": "سکنا",
"سکائے": "سکنا",
"سکائی": "سکنا",
"سکائیے": "سکنا",
"سکائیں": "سکنا",
"سکایا": "سکنا",
"سکنے": "سکنا",
"سکنا": "سکنا",
"سکندر": "سکندر",
"سکندرو": "سکندر",
"سکندروں": "سکندر",
"سکنی": "سکنا",
"سکرپٹ": "سکرپٹ",
"سکرپٹو": "سکرپٹ",
"سکرپٹوں": "سکرپٹ",
"سکت": "سکت",
"سکتے": "سکتہ",
"سکتا": "سکنا",
"سکتہ": "سکتہ",
"سکتو": "سکتہ",
"سکتوں": "سکتہ",
"سکتی": "سکنا",
"سکتیں": "سکت",
"سکو": "سکنا",
"سکوں": "سکنا",
"سکوا": "سکنا",
"سکوانے": "سکنا",
"سکوانا": "سکنا",
"سکواتے": "سکنا",
"سکواتا": "سکنا",
"سکواتی": "سکنا",
"سکواتیں": "سکنا",
"سکواؤ": "سکنا",
"سکواؤں": "سکنا",
"سکوائے": "سکنا",
"سکوائی": "سکنا",
"سکوائیے": "سکنا",
"سکوائیں": "سکنا",
"سکوایا": "سکنا",
"سکول": "سکول",
"سکولو": "سکول",
"سکولوں": "سکول",
"سکی": "سکنا",
"سکیے": "سکنا",
"سکیں": "سکنا",
"سکیم": "سکیم",
"سکیمو": "سکیم",
"سکیموں": "سکیم",
"سکیمیں": "سکیم",
"سکھ": "سکھنا",
"سکھے": "سکھنا",
"سکھں": "سکھنا",
"سکھا": "سکھنا",
"سکھانے": "سکھنا",
"سکھانا": "سکھنا",
"سکھاتے": "سکھنا",
"سکھاتا": "سکھنا",
"سکھاتی": "سکھنا",
"سکھاتیں": "سکھنا",
"سکھاؤ": "سکھنا",
"سکھاؤں": "سکھنا",
"سکھائے": "سکھنا",
"سکھائی": "سکھنا",
"سکھائیے": "سکھنا",
"سکھائیں": "سکھنا",
"سکھایا": "سکھنا",
"سکھنے": "سکھنا",
"سکھنا": "سکھنا",
"سکھنی": "سکھنا",
"سکھتے": "سکھنا",
"سکھتا": "سکھنا",
"سکھتی": "سکھنا",
"سکھتیں": "سکھنا",
"سکھو": "سکھنا",
"سکھوں": "سکھنا",
"سکھوا": "سکھنا",
"سکھوانے": "سکھنا",
"سکھوانا": "سکھنا",
"سکھواتے": "سکھنا",
"سکھواتا": "سکھنا",
"سکھواتی": "سکھنا",
"سکھواتیں": "سکھنا",
"سکھواؤ": "سکھنا",
"سکھواؤں": "سکھنا",
"سکھوائے": "سکھنا",
"سکھوائی": "سکھنا",
"سکھوائیے": "سکھنا",
"سکھوائیں": "سکھنا",
"سکھوایا": "سکھنا",
"سکھی": "سکھی",
"سکھیے": "سکھنا",
"سکھیں": "سکھنا",
"سکھیاں": "سکھی",
"سکھیو": "سکھی",
"سکھیوں": "سکھی",
"سل": "سل",
"سلا": "سونا",
"سلاخ": "سلاخ",
"سلاخو": "سلاخ",
"سلاخوں": "سلاخ",
"سلاخیں": "سلاخ",
"سلاد": "سلاد",
"سلادو": "سلاد",
"سلادوں": "سلاد",
"سلادیں": "سلاد",
"سلامی": "سلامی",
"سلامیاں": "سلامی",
"سلامیو": "سلامی",
"سلامیوں": "سلامی",
"سلانے": "سونا",
"سلانا": "سونا",
"سلاتے": "سونا",
"سلاتا": "سونا",
"سلاتی": "سونا",
"سلاتیں": "سونا",
"سلاؤ": "سونا",
"سلاؤں": "سونا",
"سلائے": "سونا",
"سلائی": "سونا",
"سلائیے": "سونا",
"سلائیں": "سونا",
"سلایا": "سونا",
"سلفے": "سلفہ",
"سلفچی": "سلفچی",
"سلفچیاں": "سلفچی",
"سلفچیو": "سلفچی",
"سلفچیوں": "سلفچی",
"سلفہ": "سلفہ",
"سلفو": "سلفہ",
"سلفوں": "سلفہ",
"سلگ": "سلگنا",
"سلگے": "سلگنا",
"سلگں": "سلگنا",
"سلگا": "سلگنا",
"سلگانے": "سلگنا",
"سلگانا": "سلگنا",
"سلگاتے": "سلگنا",
"سلگاتا": "سلگنا",
"سلگاتی": "سلگنا",
"سلگاتیں": "سلگنا",
"سلگاؤ": "سلگنا",
"سلگاؤں": "سلگنا",
"سلگائے": "سلگنا",
"سلگائی": "سلگنا",
"سلگائیے": "سلگنا",
"سلگائیں": "سلگنا",
"سلگایا": "سلگنا",
"سلگنے": "سلگنا",
"سلگنا": "سلگنا",
"سلگنی": "سلگنا",
"سلگت": "سلگت",
"سلگتے": "سلگنا",
"سلگتا": "سلگنا",
"سلگتو": "سلگت",
"سلگتوں": "سلگت",
"سلگتی": "سلگنا",
"سلگتیں": "سلگت",
"سلگو": "سلگنا",
"سلگوں": "سلگنا",
"سلگوا": "سلگنا",
"سلگوانے": "سلگنا",
"سلگوانا": "سلگنا",
"سلگواتے": "سلگنا",
"سلگواتا": "سلگنا",
"سلگواتی": "سلگنا",
"سلگواتیں": "سلگنا",
"سلگواؤ": "سلگنا",
"سلگواؤں": "سلگنا",
"سلگوائے": "سلگنا",
"سلگوائی": "سلگنا",
"سلگوائیے": "سلگنا",
"سلگوائیں": "سلگنا",
"سلگوایا": "سلگنا",
"سلگی": "سلگنا",
"سلگیے": "سلگنا",
"سلگیں": "سلگنا",
"سلجھ": "سلجھنا",
"سلجھے": "سلجھنا",
"سلجھں": "سلجھنا",
"سلجھا": "سلجھنا",
"سلجھانے": "سلجھنا",
"سلجھانا": "سلجھنا",
"سلجھاتے": "سلجھنا",
"سلجھاتا": "سلجھنا",
"سلجھاتی": "سلجھنا",
"سلجھاتیں": "سلجھنا",
"سلجھاؤ": "سلجھنا",
"سلجھاؤں": "سلجھنا",
"سلجھائے": "سلجھنا",
"سلجھائی": "سلجھنا",
"سلجھائیے": "سلجھنا",
"سلجھائیں": "سلجھنا",
"سلجھایا": "سلجھنا",
"سلجھنے": "سلجھنا",
"سلجھنا": "سلجھنا",
"سلجھنی": "سلجھنا",
"سلجھتے": "سلجھنا",
"سلجھتا": "سلجھنا",
"سلجھتی": "سلجھنا",
"سلجھتیں": "سلجھنا",
"سلجھو": "سلجھنا",
"سلجھوں": "سلجھنا",
"سلجھوا": "سلجھنا",
"سلجھوانے": "سلجھنا",
"سلجھوانا": "سلجھنا",
"سلجھواتے": "سلجھنا",
"سلجھواتا": "سلجھنا",
"سلجھواتی": "سلجھنا",
"سلجھواتیں": "سلجھنا",
"سلجھواؤ": "سلجھنا",
"سلجھواؤں": "سلجھنا",
"سلجھوائے": "سلجھنا",
"سلجھوائی": "سلجھنا",
"سلجھوائیے": "سلجھنا",
"سلجھوائیں": "سلجھنا",
"سلجھوایا": "سلجھنا",
"سلجھی": "سلجھنا",
"سلجھیے": "سلجھنا",
"سلجھیں": "سلجھنا",
"سلقے": "سلقہ",
"سلقہ": "سلقہ",
"سلقو": "سلقہ",
"سلقوں": "سلقہ",
"سلسے": "سلسہ",
"سلسہ": "سلسہ",
"سلسلے": "سلسلہ",
"سلسلہ": "سلسلہ",
"سلسلو": "سلسلہ",
"سلسلوں": "سلسلہ",
"سلسو": "سلسہ",
"سلسوں": "سلسہ",
"سلو": "سل",
"سلوں": "سل",
"سلوٹ": "سلوٹ",
"سلوٹو": "سلوٹ",
"سلوٹوں": "سلوٹ",
"سلوٹیں": "سلوٹ",
"سلوا": "سونا",
"سلوانے": "سونا",
"سلوانا": "سونا",
"سلواتے": "سونا",
"سلواتا": "سونا",
"سلواتی": "سونا",
"سلواتیں": "سونا",
"سلواؤ": "سونا",
"سلواؤں": "سونا",
"سلوائے": "سونا",
"سلوائی": "سونا",
"سلوائیے": "سونا",
"سلوائیں": "سونا",
"سلوایا": "سونا",
"سلیں": "سل",
"سلیپر": "سلیپر",
"سلیپرو": "سلیپر",
"سلیپروں": "سلیپر",
"سلیپریں": "سلیپر",
"سلیقے": "سلیقہ",
"سلیقہ": "سلیقہ",
"سلیقو": "سلیقہ",
"سلیقوں": "سلیقہ",
"سلطان": "سلطان",
"سلطانہ": "سلطانہ",
"سلطانو": "سلطان",
"سلطانوں": "سلطان",
"سلطنت": "سلطنت",
"سلطنتو": "سلطنت",
"سلطنتوں": "سلطنت",
"سلطنتیں": "سلطنت",
"سم": "سم",
"سمے": "سما",
"سمں": "سمنا",
"سما": "سما",
"سمادھی": "سمادھی",
"سمادھیو": "سمادھی",
"سمادھیوں": "سمادھی",
"سماج": "سماج",
"سماجو": "سماج",
"سماجوں": "سماج",
"سمانے": "سمنا",
"سمانا": "سمنا",
"سماتے": "سمنا",
"سماتا": "سمنا",
"سماتی": "سمنا",
"سماتیں": "سمنا",
"سماؤ": "سمنا",
"سماؤں": "سمنا",
"سمائے": "سمنا",
"سمائی": "سمنا",
"سمائیے": "سمنا",
"سمائیں": "سمنا",
"سمایا": "سمنا",
"سمجھ": "سمجھنا",
"سمجھے": "سمجھنا",
"سمجھں": "سمجھنا",
"سمجھا": "سمجھنا",
"سمجھانے": "سمجھنا",
"سمجھانا": "سمجھنا",
"سمجھات": "سمجھات",
"سمجھاتے": "سمجھنا",
"سمجھاتا": "سمجھنا",
"سمجھاتو": "سمجھات",
"سمجھاتوں": "سمجھات",
"سمجھاتی": "سمجھنا",
"سمجھاتیں": "سمجھات",
"سمجھاؤ": "سمجھنا",
"سمجھاؤں": "سمجھنا",
"سمجھائے": "سمجھنا",
"سمجھائی": "سمجھنا",
"سمجھائیے": "سمجھنا",
"سمجھائیں": "سمجھنا",
"سمجھایا": "سمجھنا",
"سمجھنے": "سمجھنا",
"سمجھنا": "سمجھنا",
"سمجھنی": "سمجھنا",
"سمجھتے": "سمجھنا",
"سمجھتا": "سمجھنا",
"سمجھتی": "سمجھنا",
"سمجھتیں": "سمجھنا",
"سمجھو": "سمجھنا",
"سمجھوں": "سمجھنا",
"سمجھوا": "سمجھنا",
"سمجھوانے": "سمجھنا",
"سمجھوانا": "سمجھنا",
"سمجھواتے": "سمجھنا",
"سمجھواتا": "سمجھنا",
"سمجھواتی": "سمجھنا",
"سمجھواتیں": "سمجھنا",
"سمجھواؤ": "سمجھنا",
"سمجھواؤں": "سمجھنا",
"سمجھوائے": "سمجھنا",
"سمجھوائی": "سمجھنا",
"سمجھوائیے": "سمجھنا",
"سمجھوائیں": "سمجھنا",
"سمجھوایا": "سمجھنا",
"سمجھوتے": "سمجھوتہ",
"سمجھوتہ": "سمجھوتہ",
"سمجھوتو": "سمجھوتہ",
"سمجھوتوں": "سمجھوتہ",
"سمجھی": "سمجھنا",
"سمجھیے": "سمجھنا",
"سمجھیں": "سمجھنا",
"سمنے": "سمنا",
"سمنا": "سمنا",
"سمندر": "سمندر",
"سمندرو": "سمندر",
"سمندروں": "سمندر",
"سمنی": "سمنا",
"سمت": "سمت",
"سمتے": "سمنا",
"سمتا": "سمنا",
"سمتو": "سمت",
"سمتوں": "سمت",
"سمتی": "سمنا",
"سمتیں": "سمت",
"سمو": "سما",
"سموں": "سما",
"سموا": "سمنا",
"سموانے": "سمنا",
"سموانا": "سمنا",
"سمواتے": "سمنا",
"سمواتا": "سمنا",
"سمواتی": "سمنا",
"سمواتیں": "سمنا",
"سمواؤ": "سمنا",
"سمواؤں": "سمنا",
"سموائے": "سمنا",
"سموائی": "سمنا",
"سموائیے": "سمنا",
"سموائیں": "سمنا",
"سموایا": "سمنا",
"سموسے": "سموسہ",
"سموسہ": "سموسہ",
"سموسو": "سموسہ",
"سموسوں": "سموسہ",
"سمی": "سمنا",
"سمیے": "سمنا",
"سمیں": "سمنا",
"سمیسٹر": "سمیسٹر",
"سمیسٹرو": "سمیسٹر",
"سمیسٹروں": "سمیسٹر",
"سن": "سننا",
"سنے": "سننا",
"سنں": "سننا",
"سنا": "سننا",
"سنانے": "سننا",
"سنانا": "سننا",
"سناتے": "سننا",
"سناتا": "سننا",
"سناتی": "سننا",
"سناتیں": "سننا",
"سناؤ": "سننا",
"سناؤں": "سننا",
"سنائے": "سننا",
"سنائی": "سننا",
"سنائیے": "سننا",
"سنائیں": "سننا",
"سنایا": "سننا",
"سنبھال": "سنبھلنا",
"سنبھالے": "سنبھلنا",
"سنبھالں": "سنبھلنا",
"سنبھالا": "سنبھلنا",
"سنبھالنے": "سنبھلنا",
"سنبھالنا": "سنبھلنا",
"سنبھالتے": "سنبھلنا",
"سنبھالتا": "سنبھلنا",
"سنبھالتی": "سنبھلنا",
"سنبھالتیں": "سنبھلنا",
"سنبھالو": "سنبھلنا",
"سنبھالوں": "سنبھلنا",
"سنبھالی": "سنبھلنا",
"سنبھالیے": "سنبھلنا",
"سنبھالیں": "سنبھلنا",
"سنبھل": "سنبھلنا",
"سنبھلے": "سنبھلنا",
"سنبھلں": "سنبھلنا",
"سنبھلا": "سنبھلنا",
"سنبھلنے": "سنبھلنا",
"سنبھلنا": "سنبھلنا",
"سنبھلنی": "سنبھلنا",
"سنبھلتے": "سنبھلنا",
"سنبھلتا": "سنبھلنا",
"سنبھلتی": "سنبھلنا",
"سنبھلتیں": "سنبھلنا",
"سنبھلو": "سنبھلنا",
"سنبھلوں": "سنبھلنا",
"سنبھلوا": "سنبھلنا",
"سنبھلوانے": "سنبھلنا",
"سنبھلوانا": "سنبھلنا",
"سنبھلواتے": "سنبھلنا",
"سنبھلواتا": "سنبھلنا",
"سنبھلواتی": "سنبھلنا",
"سنبھلواتیں": "سنبھلنا",
"سنبھلواؤ": "سنبھلنا",
"سنبھلواؤں": "سنبھلنا",
"سنبھلوائے": "سنبھلنا",
"سنبھلوائی": "سنبھلنا",
"سنبھلوائیے": "سنبھلنا",
"سنبھلوائیں": "سنبھلنا",
"سنبھلوایا": "سنبھلنا",
"سنبھلی": "سنبھلنا",
"سنبھلیے": "سنبھلنا",
"سنبھلیں": "سنبھلنا",
"سند": "سند",
"سندو": "سند",
"سندوں": "سند",
"سندیں": "سند",
"سندیلے": "سندیلہ",
"سندیلہ": "سندیلہ",
"سندیلو": "سندیلہ",
"سندیلوں": "سندیلہ",
"سندھی": "سندھی",
"سندھیو": "سندھی",
"سندھیوں": "سندھی",
"سنگین": "سنگین",
"سنگینو": "سنگین",
"سنگینوں": "سنگین",
"سنگینیں": "سنگین",
"سنگھے": "سنگھہ",
"سنگھا": "سونگھنا",
"سنگھاڑے": "سنگھاڑا",
"سنگھاڑا": "سنگھاڑا",
"سنگھاڑو": "سنگھاڑا",
"سنگھاڑوں": "سنگھاڑا",
"سنگھانے": "سونگھنا",
"سنگھانا": "سونگھنا",
"سنگھاتے": "سونگھنا",
"سنگھاتا": "سونگھنا",
"سنگھاتی": "سونگھنا",
"سنگھاتیں": "سونگھنا",
"سنگھاؤ": "سونگھنا",
"سنگھاؤں": "سونگھنا",
"سنگھائے": "سونگھنا",
"سنگھائی": "سونگھنا",
"سنگھائیے": "سونگھنا",
"سنگھائیں": "سونگھنا",
"سنگھایا": "سونگھنا",
"سنگھہ": "سنگھہ",
"سنگھو": "سنگھہ",
"سنگھوں": "سنگھہ",
"سنگھوا": "سونگھنا",
"سنگھوانے": "سونگھنا",
"سنگھوانا": "سونگھنا",
"سنگھواتے": "سونگھنا",
"سنگھواتا": "سونگھنا",
"سنگھواتی": "سونگھنا",
"سنگھواتیں": "سونگھنا",
"سنگھواؤ": "سونگھنا",
"سنگھواؤں": "سونگھنا",
"سنگھوائے": "سونگھنا",
"سنگھوائی": "سونگھنا",
"سنگھوائیے": "سونگھنا",
"سنگھوائیں": "سونگھنا",
"سنگھوایا": "سونگھنا",
"سننے": "سننا",
"سننا": "سننا",
"سننی": "سننا",
"سنس": "سنسنا",
"سنسے": "سنسنا",
"سنسں": "سنسنا",
"سنسا": "سنسنا",
"سنسانے": "سنسنا",
"سنسانا": "سنسنا",
"سنساتے": "سنسنا",
"سنساتا": "سنسنا",
"سنساتی": "سنسنا",
"سنساتیں": "سنسنا",
"سنساؤ": "سنسنا",
"سنساؤں": "سنسنا",
"سنسائے": "سنسنا",
"سنسائی": "سنسنا",
"سنسائیے": "سنسنا",
"سنسائیں": "سنسنا",
"سنسایا": "سنسنا",
"سنسنے": "سنسنا",
"سنسنا": "سنسنا",
"سنسنی": "سنسنا",
"سنستے": "سنسنا",
"سنستا": "سنسنا",
"سنستی": "سنسنا",
"سنستیں": "سنسنا",
"سنسو": "سنسنا",
"سنسوں": "سنسنا",
"سنسوا": "سنسنا",
"سنسوانے": "سنسنا",
"سنسوانا": "سنسنا",
"سنسواتے": "سنسنا",
"سنسواتا": "سنسنا",
"سنسواتی": "سنسنا",
"سنسواتیں": "سنسنا",
"سنسواؤ": "سنسنا",
"سنسواؤں": "سنسنا",
"سنسوائے": "سنسنا",
"سنسوائی": "سنسنا",
"سنسوائیے": "سنسنا",
"سنسوائیں": "سنسنا",
"سنسوایا": "سنسنا",
"سنسی": "سنسنا",
"سنسیے": "سنسنا",
"سنسیں": "سنسنا",
"سنت": "سنت",
"سنتے": "سننا",
"سنتا": "سننا",
"سنتو": "سنت",
"سنتوں": "سنت",
"سنتی": "سننا",
"سنتیں": "سنت",
"سنو": "سننا",
"سنوں": "سننا",
"سنوا": "سننا",
"سنوانے": "سننا",
"سنوانا": "سننا",
"سنوار": "سنوارنا",
"سنوارے": "سنوارنا",
"سنوارں": "سنوارنا",
"سنوارا": "سنوارنا",
"سنوارنے": "سنوارنا",
"سنوارنا": "سنوارنا",
"سنوارنی": "سنوارنا",
"سنوارتے": "سنوارنا",
"سنوارتا": "سنوارنا",
"سنوارتی": "سنوارنا",
"سنوارتیں": "سنوارنا",
"سنوارو": "سنوارنا",
"سنواروں": "سنوارنا",
"سنواری": "سنوارنا",
"سنواریے": "سنوارنا",
"سنواریں": "سنوارنا",
"سنواتے": "سننا",
"سنواتا": "سننا",
"سنواتی": "سننا",
"سنواتیں": "سننا",
"سنواؤ": "سننا",
"سنواؤں": "سننا",
"سنوائے": "سننا",
"سنوائی": "سننا",
"سنوائیے": "سننا",
"سنوائیں": "سننا",
"سنوایا": "سننا",
"سنور": "سنورنا",
"سنورے": "سنورنا",
"سنورں": "سنورنا",
"سنورا": "سنورنا",
"سنورنے": "سنورنا",
"سنورنا": "سنورنا",
"سنورنی": "سنورنا",
"سنورتے": "سنورنا",
"سنورتا": "سنورنا",
"سنورتی": "سنورنا",
"سنورتیں": "سنورنا",
"سنورو": "سنورنا",
"سنوروں": "سنورنا",
"سنوری": "سنورنا",
"سنوریے": "سنورنا",
"سنوریں": "سنورنا",
"سنی": "سنی",
"سنیے": "سننا",
"سنیں": "سننا",
"سنیو": "سنی",
"سنیوں": "سنی",
"سنھبال": "سنھبلنا",
"سنھبالے": "سنھبلنا",
"سنھبالں": "سنھبلنا",
"سنھبالا": "سنھبلنا",
"سنھبالنے": "سنھبلنا",
"سنھبالنا": "سنھبلنا",
"سنھبالتے": "سنھبلنا",
"سنھبالتا": "سنھبلنا",
"سنھبالتی": "سنھبلنا",
"سنھبالتیں": "سنھبلنا",
"سنھبالو": "سنھبلنا",
"سنھبالوں": "سنھبلنا",
"سنھبالی": "سنھبلنا",
"سنھبالیے": "سنھبلنا",
"سنھبالیں": "سنھبلنا",
"سنھبل": "سنھبلنا",
"سنھبلے": "سنھبلنا",
"سنھبلں": "سنھبلنا",
"سنھبلا": "سنھبلنا",
"سنھبلنے": "سنھبلنا",
"سنھبلنا": "سنھبلنا",
"سنھبلنی": "سنھبلنا",
"سنھبلتے": "سنھبلنا",
"سنھبلتا": "سنھبلنا",
"سنھبلتی": "سنھبلنا",
"سنھبلتیں": "سنھبلنا",
"سنھبلو": "سنھبلنا",
"سنھبلوں": "سنھبلنا",
"سنھبلوا": "سنھبلنا",
"سنھبلوانے": "سنھبلنا",
"سنھبلوانا": "سنھبلنا",
"سنھبلواتے": "سنھبلنا",
"سنھبلواتا": "سنھبلنا",
"سنھبلواتی": "سنھبلنا",
"سنھبلواتیں": "سنھبلنا",
"سنھبلواؤ": "سنھبلنا",
"سنھبلواؤں": "سنھبلنا",
"سنھبلوائے": "سنھبلنا",
"سنھبلوائی": "سنھبلنا",
"سنھبلوائیے": "سنھبلنا",
"سنھبلوائیں": "سنھبلنا",
"سنھبلوایا": "سنھبلنا",
"سنھبلی": "سنھبلنا",
"سنھبلیے": "سنھبلنا",
"سنھبلیں": "سنھبلنا",
"سپاہی": "سپاہی",
"سپاہیو": "سپاہی",
"سپاہیوں": "سپاہی",
"سپنے": "سپنا",
"سپنا": "سپنا",
"سپنو": "سپنا",
"سپنوں": "سپنا",
"سپی": "سپی",
"سپیاں": "سپی",
"سپیو": "سپی",
"سپیوں": "سپی",
"سقے": "سقہ",
"سقہ": "سقہ",
"سقو": "سقہ",
"سقوں": "سقہ",
"سر": "سر",
"سرے": "سرا",
"سرغنے": "سرغنہ",
"سرغنہ": "سرغنہ",
"سرغنو": "سرغنہ",
"سرغنوں": "سرغنہ",
"سرحد": "سرحد",
"سرحدو": "سرحد",
"سرحدوں": "سرحد",
"سرحدیں": "سرحد",
"سرخی": "سرخی",
"سرخیاں": "سرخی",
"سرخیو": "سرخی",
"سرخیوں": "سرخی",
"سرا": "سرا",
"سراب": "سراب",
"سرابو": "سراب",
"سرابوں": "سراب",
"سرابیں": "سراب",
"سراہ": "سراہنا",
"سراہے": "سراہنا",
"سراہں": "سراہنا",
"سراہا": "سراہنا",
"سراہنے": "سراہنا",
"سراہنا": "سراہنا",
"سراہنی": "سراہنا",
"سراہتے": "سراہنا",
"سراہتا": "سراہنا",
"سراہتی": "سراہنا",
"سراہتیں": "سراہنا",
"سراہو": "سراہنا",
"سراہوں": "سراہنا",
"سراہی": "سراہنا",
"سراہیے": "سراہنا",
"سراہیں": "سراہنا",
"سرائکی": "سرائکی",
"سرائکیو": "سرائکی",
"سرائکیوں": "سرائکی",
"سرچشمے": "سرچشمہ",
"سرچشمہ": "سرچشمہ",
"سرچشمو": "سرچشمہ",
"سرچشموں": "سرچشمہ",
"سرد": "سرد",
"سردار": "سردار",
"سردارو": "سردار",
"سرداروں": "سردار",
"سردو": "سرد",
"سردوں": "سرد",
"سردی": "سردی",
"سردیاں": "سردی",
"سردیو": "سردی",
"سردیوں": "سردی",
"سرگم": "سرگم",
"سرگمو": "سرگم",
"سرگموں": "سرگم",
"سرگرمی": "سرگرمی",
"سرگرمیاں": "سرگرمی",
"سرگرمیو": "سرگرمی",
"سرگرمیوں": "سرگرمی",
"سرگوشی": "سرگوشی",
"سرگوشیاں": "سرگوشی",
"سرگوشیو": "سرگوشی",
"سرگوشیوں": "سرگوشی",
"سرجن": "سرجن",
"سرجنو": "سرجن",
"سرجنوں": "سرجن",
"سرک": "سرکنا",
"سرکے": "سرکنا",
"سرکں": "سرکنا",
"سرکش": "سرکش",
"سرکشو": "سرکش",
"سرکشوں": "سرکش",
"سرکا": "سرکنا",
"سرکانے": "سرکنا",
"سرکانا": "سرکنا",
"سرکاتے": "سرکنا",
"سرکاتا": "سرکنا",
"سرکاتی": "سرکنا",
"سرکاتیں": "سرکنا",
"سرکاؤ": "سرکنا",
"سرکاؤں": "سرکنا",
"سرکائے": "سرکنا",
"سرکائی": "سرکنا",
"سرکائیے": "سرکنا",
"سرکائیں": "سرکنا",
"سرکایا": "سرکنا",
"سرکنڈے": "سرکنڈہ",
"سرکنڈہ": "سرکنڈہ",
"سرکنڈو": "سرکنڈہ",
"سرکنڈوں": "سرکنڈہ",
"سرکنے": "سرکنا",
"سرکنا": "سرکنا",
"سرکنی": "سرکنا",
"سرکتے": "سرکنا",
"سرکتا": "سرکنا",
"سرکتی": "سرکنا",
"سرکتیں": "سرکنا",
"سرکو": "سرکنا",
"سرکوں": "سرکنا",
"سرکوا": "سرکنا",
"سرکوانے": "سرکنا",
"سرکوانا": "سرکنا",
"سرکواتے": "سرکنا",
"سرکواتا": "سرکنا",
"سرکواتی": "سرکنا",
"سرکواتیں": "سرکنا",
"سرکواؤ": "سرکنا",
"سرکواؤں": "سرکنا",
"سرکوائے": "سرکنا",
"سرکوائی": "سرکنا",
"سرکوائیے": "سرکنا",
"سرکوائیں": "سرکنا",
"سرکوایا": "سرکنا",
"سرکی": "سرکنا",
"سرکیے": "سرکنا",
"سرکیں": "سرکنا",
"سرمے": "سرمہ",
"سرمہ": "سرمہ",
"سرمستی": "سرمستی",
"سرمستیاں": "سرمستی",
"سرمستیو": "سرمستی",
"سرمستیوں": "سرمستی",
"سرمو": "سرمہ",
"سرموں": "سرمہ",
"سرنگ": "سرنگ",
"سرنگو": "سرنگ",
"سرنگوں": "سرنگ",
"سرنگیں": "سرنگ",
"سرقے": "سرقہ",
"سرقہ": "سرقہ",
"سرقو": "سرقہ",
"سرقوں": "سرقہ",
"سرسبز": "سرسبز",
"سرسبزو": "سرسبز",
"سرسبزوں": "سرسبز",
"سرسرا": "سرسرانا",
"سرسرانے": "سرسرانا",
"سرسرانا": "سرسرانا",
"سرسرانی": "سرسرانا",
"سرسراتے": "سرسرانا",
"سرسراتا": "سرسرانا",
"سرسراتی": "سرسرانا",
"سرسراتیں": "سرسرانا",
"سرسراؤ": "سرسرانا",
"سرسراؤں": "سرسرانا",
"سرسرائے": "سرسرانا",
"سرسرائی": "سرسرانا",
"سرسرائیے": "سرسرانا",
"سرسرائیں": "سرسرانا",
"سرسرایا": "سرسرانا",
"سرتاج": "سرتاج",
"سرتاجو": "سرتاج",
"سرتاجوں": "سرتاج",
"سرو": "سرا",
"سروں": "سرا",
"سریے": "سریہ",
"سریہ": "سریہ",
"سریو": "سریہ",
"سریوں": "سریہ",
"سسکی": "سسکی",
"سسکیاں": "سسکی",
"سسکیو": "سسکی",
"سسکیوں": "سسکی",
"ست": "ست",
"ستے": "ستنا",
"ستں": "ستنا",
"ستا": "ستنا",
"ستانے": "ستنا",
"ستانا": "ستنا",
"ستار": "ستار",
"ستارے": "ستارہ",
"ستارہ": "ستارہ",
"ستارو": "ستارہ",
"ستاروں": "ستارہ",
"ستاریں": "ستار",
"ستاتے": "ستنا",
"ستاتا": "ستنا",
"ستاتی": "ستنا",
"ستاتیں": "ستنا",
"ستاؤ": "ستنا",
"ستاؤں": "ستنا",
"ستائے": "ستنا",
"ستائش": "ستائش",
"ستائشو": "ستائش",
"ستائشوں": "ستائش",
"ستائشیں": "ستائش",
"ستائس": "ستائس",
"ستائی": "ستنا",
"ستائیے": "ستنا",
"ستائیں": "ستنا",
"ستایا": "ستنا",
"ستمگر": "ستمگر",
"ستمگرو": "ستمگر",
"ستمگروں": "ستمگر",
"ستنے": "ستنا",
"ستنا": "ستنا",
"ستنی": "ستنا",
"سترے": "سترہ",
"سترہ": "سترہ",
"سترو": "سترہ",
"ستروں": "سترہ",
"ستتے": "ستنا",
"ستتا": "ستنا",
"ستتی": "ستنا",
"ستتیں": "ستنا",
"ستو": "ست",
"ستوں": "ست",
"ستوا": "ستنا",
"ستوانے": "ستنا",
"ستوانا": "ستنا",
"ستواتے": "ستنا",
"ستواتا": "ستنا",
"ستواتی": "ستنا",
"ستواتیں": "ستنا",
"ستواؤ": "ستنا",
"ستواؤں": "ستنا",
"ستوائے": "ستنا",
"ستوائی": "ستنا",
"ستوائیے": "ستنا",
"ستوائیں": "ستنا",
"ستوایا": "ستنا",
"ستون": "ستون",
"ستونو": "ستون",
"ستونوں": "ستون",
"ستی": "ستنا",
"ستیے": "ستنا",
"ستیں": "ست",
"سو": "سونا",
"سوِیڈن": "سوِیڈن",
"سوغات": "سوغات",
"سوغاتو": "سوغات",
"سوغاتوں": "سوغات",
"سوغاتیں": "سوغات",
"سواں": "سواں",
"سوال": "سوال",
"سوالو": "سوال",
"سوالوں": "سوال",
"سوار": "سوار",
"سوارو": "سوار",
"سواروں": "سوار",
"سواری": "سواری",
"سواریں": "سوار",
"سواریاں": "سواری",
"سواریو": "سواری",
"سواریوں": "سواری",
"سوچ": "سوچ",
"سوچے": "سوچنا",
"سوچں": "سوچنا",
"سوچا": "سوچنا",
"سوچنے": "سوچنا",
"سوچنا": "سوچنا",
"سوچنی": "سوچنا",
"سوچت": "سوچت",
"سوچتے": "سوچنا",
"سوچتا": "سوچنا",
"سوچتو": "سوچت",
"سوچتوں": "سوچت",
"سوچتی": "سوچنا",
"سوچتیں": "سوچت",
"سوچو": "سوچ",
"سوچوں": "سوچ",
"سوچوا": "سوچنا",
"سوچوانے": "سوچنا",
"سوچوانا": "سوچنا",
"سوچواتے": "سوچنا",
"سوچواتا": "سوچنا",
"سوچواتی": "سوچنا",
"سوچواتیں": "سوچنا",
"سوچواؤ": "سوچنا",
"سوچواؤں": "سوچنا",
"سوچوائے": "سوچنا",
"سوچوائی": "سوچنا",
"سوچوائیے": "سوچنا",
"سوچوائیں": "سوچنا",
"سوچوایا": "سوچنا",
"سوچی": "سوچنا",
"سوچیے": "سوچنا",
"سوچیں": "سوچ",
"سود": "سود",
"سودے": "سودا",
"سودا": "سودا",
"سوداگر": "سوداگر",
"سوداگرو": "سوداگر",
"سوداگروں": "سوداگر",
"سودہ": "سودہ",
"سودو": "سودا",
"سودوں": "سودا",
"سوگند": "سوگند",
"سوگندو": "سوگند",
"سوگندوں": "سوگند",
"سوگندیں": "سوگند",
"سوجھ": "سوجھنا",
"سوجھے": "سوجھنا",
"سوجھں": "سوجھنا",
"سوجھا": "سوجھنا",
"سوجھنے": "سوجھنا",
"سوجھنا": "سوجھنا",
"سوجھنی": "سوجھنا",
"سوجھتے": "سوجھنا",
"سوجھتا": "سوجھنا",
"سوجھتی": "سوجھنا",
"سوجھتیں": "سوجھنا",
"سوجھو": "سوجھنا",
"سوجھوں": "سوجھنا",
"سوجھی": "سوجھنا",
"سوجھیے": "سوجھنا",
"سوجھیں": "سوجھنا",
"سوکن": "سوکن",
"سوکنو": "سوکن",
"سوکنوں": "سوکن",
"سوکنیں": "سوکن",
"سوکھ": "سوکھنا",
"سوکھے": "سوکھنا",
"سوکھں": "سوکھنا",
"سوکھا": "سوکھنا",
"سوکھانے": "سوکھنا",
"سوکھانا": "سوکھنا",
"سوکھاتے": "سوکھنا",
"سوکھاتا": "سوکھنا",
"سوکھاتی": "سوکھنا",
"سوکھاتیں": "سوکھنا",
"سوکھاؤ": "سوکھنا",
"سوکھاؤں": "سوکھنا",
"سوکھائے": "سوکھنا",
"سوکھائی": "سوکھنا",
"سوکھائیے": "سوکھنا",
"سوکھائیں": "سوکھنا",
"سوکھایا": "سوکھنا",
"سوکھنے": "سوکھنا",
"سوکھنا": "سوکھنا",
"سوکھنی": "سوکھنا",
"سوکھتے": "سوکھنا",
"سوکھتا": "سوکھنا",
"سوکھتی": "سوکھنا",
"سوکھتیں": "سوکھنا",
"سوکھو": "سوکھنا",
"سوکھوں": "سوکھنا",
"سوکھوا": "سوکھنا",
"سوکھوانے": "سوکھنا",
"سوکھوانا": "سوکھنا",
"سوکھواتے": "سوکھنا",
"سوکھواتا": "سوکھنا",
"سوکھواتی": "سوکھنا",
"سوکھواتیں": "سوکھنا",
"سوکھواؤ": "سوکھنا",
"سوکھواؤں": "سوکھنا",
"سوکھوائے": "سوکھنا",
"سوکھوائی": "سوکھنا",
"سوکھوائیے": "سوکھنا",
"سوکھوائیں": "سوکھنا",
"سوکھوایا": "سوکھنا",
"سوکھی": "سوکھنا",
"سوکھیے": "سوکھنا",
"سوکھیں": "سوکھنا",
"سولہ": "سولہ",
"سولہواں": "سولہواں",
"سولہووںں": "سولہواں",
"سولہویں": "سولہواں",
"سونے": "سونا",
"سونا": "سونا",
"سونگھ": "سونگھنا",
"سونگھے": "سونگھنا",
"سونگھں": "سونگھنا",
"سونگھا": "سونگھنا",
"سونگھنے": "سونگھنا",
"سونگھنا": "سونگھنا",
"سونگھنی": "سونگھنا",
"سونگھتے": "سونگھنا",
"سونگھتا": "سونگھنا",
"سونگھتی": "سونگھنا",
"سونگھتیں": "سونگھنا",
"سونگھو": "سونگھنا",
"سونگھوں": "سونگھنا",
"سونگھی": "سونگھنا",
"سونگھیے": "سونگھنا",
"سونگھیں": "سونگھنا",
"سونو": "سونا",
"سونوں": "سونا",
"سونی": "سونا",
"سور": "سور",
"سورے": "سورہ",
"سورہ": "سورہ",
"سورج": "سورج",
"سورجو": "سورج",
"سورجوں": "سورج",
"سورت": "سورت",
"سورتو": "سورت",
"سورتوں": "سورت",
"سورتیں": "سورت",
"سورو": "سورہ",
"سوروں": "سورہ",
"سوسائٹی": "سوسائٹی",
"سوسائٹیاں": "سوسائٹی",
"سوسائٹیو": "سوسائٹی",
"سوسائٹیوں": "سوسائٹی",
"سوت": "سوت",
"سوتے": "سونا",
"سوتا": "سونا",
"سوتو": "سوت",
"سوتوں": "سوت",
"سوتی": "سونا",
"سوتیں": "سوت",
"سووںں": "سواں",
"سوؤ": "سونا",
"سوؤں": "سونا",
"سویں": "سواں",
"سوئے": "سونا",
"سوئی": "سوئی",
"سوئیے": "سونا",
"سوئیں": "سونا",
"سوئیو": "سوئی",
"سوئیوں": "سوئی",
"سویا": "سونا",
"سوز": "سوز",
"سوزو": "سوز",
"سوزوں": "سوز",
"سوزی": "سوزی",
"سوزیاں": "سوزی",
"سوزیو": "سوزی",
"سوزیوں": "سوزی",
"سی": "سینا",
"سیّارے": "سیّارہ",
"سیّارہ": "سیّارہ",
"سیّارو": "سیّارہ",
"سیّاروں": "سیّارہ",
"سیے": "سینا",
"سیخ": "سیخ",
"سیخو": "سیخ",
"سیخوں": "سیخ",
"سیخیں": "سیخ",
"سیں": "سینا",
"سیڑھی": "سیڑھی",
"سیڑھیاں": "سیڑھی",
"سیڑھیو": "سیڑھی",
"سیڑھیوں": "سیڑھی",
"سیٹ": "سیٹ",
"سیٹو": "سیٹ",
"سیٹوں": "سیٹ",
"سیٹی": "سیٹی",
"سیٹیں": "سیٹ",
"سیٹیاں": "سیٹی",
"سیٹیو": "سیٹی",
"سیٹیوں": "سیٹی",
"سیا": "سینا",
"سیاح": "سیاح",
"سیاحو": "سیاح",
"سیاحوں": "سیاح",
"سیانے": "سیانا",
"سیانا": "سیانا",
"سیانو": "سیانا",
"سیانوں": "سیانا",
"سیارے": "سیارہ",
"سیارہ": "سیارہ",
"سیارو": "سیارہ",
"سیاروں": "سیارہ",
"سیاستدان": "سیاستدان",
"سیاستدانو": "سیاستدان",
"سیاستدانوں": "سیاستدان",
"سیب": "سیب",
"سیبو": "سیب",
"سیبوں": "سیب",
"سید": "سید",
"سیدو": "سید",
"سیدوں": "سید",
"سیک": "سکنا",
"سیکے": "سکنا",
"سیکں": "سکنا",
"سیکا": "سکنا",
"سیکنے": "سکنا",
"سیکنا": "سکنا",
"سیکرٹری": "سیکرٹری",
"سیکرٹریاں": "سیکرٹری",
"سیکرٹریو": "سیکرٹری",
"سیکرٹریوں": "سیکرٹری",
"سیکریٹری": "سیکریٹری",
"سیکریٹریاں": "سیکریٹری",
"سیکریٹریو": "سیکریٹری",
"سیکریٹریوں": "سیکریٹری",
"سیکتے": "سکنا",
"سیکتا": "سکنا",
"سیکتی": "سکنا",
"سیکتیں": "سکنا",
"سیکو": "سکنا",
"سیکوں": "سکنا",
"سیکوا": "سکنا",
"سیکوانے": "سکنا",
"سیکوانا": "سکنا",
"سیکواتے": "سکنا",
"سیکواتا": "سکنا",
"سیکواتی": "سکنا",
"سیکواتیں": "سکنا",
"سیکواؤ": "سکنا",
"سیکواؤں": "سکنا",
"سیکوائے": "سکنا",
"سیکوائی": "سکنا",
"سیکوائیے": "سکنا",
"سیکوائیں": "سکنا",
"سیکوایا": "سکنا",
"سیکی": "سکنا",
"سیکیے": "سکنا",
"سیکیں": "سکنا",
"سیکھ": "سیکھنا",
"سیکھے": "سیکھنا",
"سیکھں": "سیکھنا",
"سیکھا": "سیکھنا",
"سیکھنے": "سیکھنا",
"سیکھنا": "سیکھنا",
"سیکھنی": "سیکھنا",
"سیکھتے": "سیکھنا",
"سیکھتا": "سیکھنا",
"سیکھتی": "سیکھنا",
"سیکھتیں": "سیکھنا",
"سیکھو": "سیکھنا",
"سیکھوں": "سیکھنا",
"سیکھی": "سیکھنا",
"سیکھیے": "سیکھنا",
"سیکھیں": "سیکھنا",
"سیلزمین": "سیلزمین",
"سیلزمینو": "سیلزمین",
"سیلزمینوں": "سیلزمین",
"سین": "سین",
"سینے": "سینہ",
"سینا": "سینا",
"سینچ": "سینچنا",
"سینچے": "سینچنا",
"سینچں": "سینچنا",
"سینچا": "سینچنا",
"سینچانے": "سینچنا",
"سینچانا": "سینچنا",
"سینچاتے": "سینچنا",
"سینچاتا": "سینچنا",
"سینچاتی": "سینچنا",
"سینچاتیں": "سینچنا",
"سینچاؤ": "سینچنا",
"سینچاؤں": "سینچنا",
"سینچائے": "سینچنا",
"سینچائی": "سینچنا",
"سینچائیے": "سینچنا",
"سینچائیں": "سینچنا",
"سینچایا": "سینچنا",
"سینچنے": "سینچنا",
"سینچنا": "سینچنا",
"سینچنی": "سینچنا",
"سینچتے": "سینچنا",
"سینچتا": "سینچنا",
"سینچتی": "سینچنا",
"سینچتیں": "سینچنا",
"سینچو": "سینچنا",
"سینچوں": "سینچنا",
"سینچوا": "سینچنا",
"سینچوانے": "سینچنا",
"سینچوانا": "سینچنا",
"سینچواتے": "سینچنا",
"سینچواتا": "سینچنا",
"سینچواتی": "سینچنا",
"سینچواتیں": "سینچنا",
"سینچواؤ": "سینچنا",
"سینچواؤں": "سینچنا",
"سینچوائے": "سینچنا",
"سینچوائی": "سینچنا",
"سینچوائیے": "سینچنا",
"سینچوائیں": "سینچنا",
"سینچوایا": "سینچنا",
"سینچی": "سینچنا",
"سینچیے": "سینچنا",
"سینچیں": "سینچنا",
"سینگ": "سینگ",
"سینگو": "سینگ",
"سینگوں": "سینگ",
"سینگیں": "سینگ",
"سینہ": "سینہ",
"سینو": "سینہ",
"سینوں": "سینہ",
"سینوری": "سینوری",
"سینوریاں": "سینوری",
"سینوریو": "سینوری",
"سینوریوں": "سینوری",
"سینی": "سینا",
"سیپارے": "سیپارہ",
"سیپارہ": "سیپارہ",
"سیپارو": "سیپارہ",
"سیپاروں": "سیپارہ",
"سیر": "سیر",
"سیرو": "سیر",
"سیروں": "سیر",
"سیریں": "سیر",
"سیتے": "سینا",
"سیتا": "سینا",
"سیتی": "سینا",
"سیتیں": "سینا",
"سیو": "سینا",
"سیوں": "سینا",
"سیوک": "سیوک",
"سیوکو": "سیوک",
"سیوکوں": "سیوک",
"سیی": "سینا",
"سییے": "سینا",
"سییں": "سینا",
"سزا": "سزا",
"سزاؤ": "سزا",
"سزاؤں": "سزا",
"سزاوار": "سزاوار",
"سزاوارو": "سزاوار",
"سزاواروں": "سزاوار",
"سزائیں": "سزا",
"سطر": "سطر",
"سطرو": "سطر",
"سطروں": "سطر",
"سطریں": "سطر",
"ت": "ت",
"تَصْوِیر": "تَصْوِیر",
"تَصْوِیرو": "تَصْوِیر",
"تَصْوِیروں": "تَصْوِیر",
"تَصْوِیریں": "تَصْوِیر",
"تَب": "تَب",
"تَک": "تَک",
"تَلْوار": "تَلْوار",
"تَلْوارو": "تَلْوار",
"تَلْواروں": "تَلْوار",
"تَلْواریں": "تَلْوار",
"تَلَک": "تَلَک",
"تَلے": "تَلے",
"تَمَنّا": "تَمَنّا",
"تَمَنّاؤ": "تَمَنّا",
"تَمَنّاؤں": "تَمَنّا",
"تَمَنّائیں": "تَمَنّا",
"تِین": "تِین",
"تُڑْوا": "ٹُوٹْنا",
"تُڑْوانے": "ٹُوٹْنا",
"تُڑْوانا": "ٹُوٹْنا",
"تُڑْواتے": "ٹُوٹْنا",
"تُڑْواتا": "ٹُوٹْنا",
"تُڑْواتی": "ٹُوٹْنا",
"تُڑْواتیں": "ٹُوٹْنا",
"تُڑْواؤ": "ٹُوٹْنا",
"تُڑْواؤں": "ٹُوٹْنا",
"تُڑْوائے": "ٹُوٹْنا",
"تُڑْوائی": "ٹُوٹْنا",
"تُڑْوائیے": "ٹُوٹْنا",
"تُڑْوائیں": "ٹُوٹْنا",
"تُڑْوایا": "ٹُوٹْنا",
"تُڑا": "توڑْنا",
"تُڑانے": "توڑْنا",
"تُڑانا": "توڑْنا",
"تُڑاتے": "توڑْنا",
"تُڑاتا": "توڑْنا",
"تُڑاتی": "توڑْنا",
"تُڑاتیں": "توڑْنا",
"تُڑاؤ": "توڑْنا",
"تُڑاؤں": "توڑْنا",
"تُڑائے": "توڑْنا",
"تُڑائی": "توڑْنا",
"تُڑائیے": "توڑْنا",
"تُڑائیں": "توڑْنا",
"تُڑایا": "توڑْنا",
"تُجھ": "میں",
"تُم": "میں",
"تُمْھارے": "میرا",
"تُمْھارا": "میرا",
"تُمْھاری": "میرا",
"تُو": "میں",
"تحصیلدار": "تحصیلدار",
"تحصیلدارو": "تحصیلدار",
"تحصیلداروں": "تحصیلدار",
"تحفے": "تحفہ",
"تحفہ": "تحفہ",
"تحفو": "تحفہ",
"تحفوں": "تحفہ",
"تحریک": "تحریک",
"تحریکو": "تحریک",
"تحریکوں": "تحریک",
"تحریکیں": "تحریک",
"تحریر": "تحریر",
"تحریرو": "تحریر",
"تحریروں": "تحریر",
"تحریریں": "تحریر",
"تخلیے": "تخلیہ",
"تخلیہ": "تخلیہ",
"تخلیو": "تخلیہ",
"تخلیوں": "تخلیہ",
"تخت": "تخت",
"تختے": "تختہ",
"تختہ": "تختہ",
"تختو": "تختہ",
"تختوں": "تختہ",
"تختی": "تختی",
"تختیں": "تخت",
"تختیاں": "تختی",
"تختیو": "تختی",
"تختیوں": "تختی",
"تڑا": "توڑنا",
"تڑانے": "توڑنا",
"تڑانا": "توڑنا",
"تڑاتے": "توڑنا",
"تڑاتا": "توڑنا",
"تڑاتی": "توڑنا",
"تڑاتیں": "توڑنا",
"تڑاؤ": "توڑنا",
"تڑاؤں": "توڑنا",
"تڑائے": "توڑنا",
"تڑائی": "توڑنا",
"تڑائیے": "توڑنا",
"تڑائیں": "توڑنا",
"تڑایا": "توڑنا",
"تڑپ": "تڑپنا",
"تڑپے": "تڑپنا",
"تڑپں": "تڑپنا",
"تڑپا": "تڑپنا",
"تڑپانے": "تڑپنا",
"تڑپانا": "تڑپنا",
"تڑپاتے": "تڑپنا",
"تڑپاتا": "تڑپنا",
"تڑپاتی": "تڑپنا",
"تڑپاتیں": "تڑپنا",
"تڑپاؤ": "تڑپنا",
"تڑپاؤں": "تڑپنا",
"تڑپائے": "تڑپنا",
"تڑپائی": "تڑپنا",
"تڑپائیے": "تڑپنا",
"تڑپائیں": "تڑپنا",
"تڑپایا": "تڑپنا",
"تڑپنے": "تڑپنا",
"تڑپنا": "تڑپنا",
"تڑپنی": "تڑپنا",
"تڑپتے": "تڑپنا",
"تڑپتا": "تڑپنا",
"تڑپتی": "تڑپنا",
"تڑپتیں": "تڑپنا",
"تڑپو": "تڑپنا",
"تڑپوں": "تڑپنا",
"تڑپوا": "تڑپنا",
"تڑپوانے": "تڑپنا",
"تڑپوانا": "تڑپنا",
"تڑپواتے": "تڑپنا",
"تڑپواتا": "تڑپنا",
"تڑپواتی": "تڑپنا",
"تڑپواتیں": "تڑپنا",
"تڑپواؤ": "تڑپنا",
"تڑپواؤں": "تڑپنا",
"تڑپوائے": "تڑپنا",
"تڑپوائی": "تڑپنا",
"تڑپوائیے": "تڑپنا",
"تڑپوائیں": "تڑپنا",
"تڑپوایا": "تڑپنا",
"تڑپی": "تڑپنا",
"تڑپیے": "تڑپنا",
"تڑپیں": "تڑپنا",
"تڑوا": "توڑنا",
"تڑوانے": "توڑنا",
"تڑوانا": "توڑنا",
"تڑواتے": "توڑنا",
"تڑواتا": "توڑنا",
"تڑواتی": "توڑنا",
"تڑواتیں": "توڑنا",
"تڑواؤ": "توڑنا",
"تڑواؤں": "توڑنا",
"تڑوائے": "توڑنا",
"تڑوائی": "توڑنا",
"تڑوائیے": "توڑنا",
"تڑوائیں": "توڑنا",
"تڑوایا": "توڑنا",
"تصور": "تصور",
"تصورو": "تصور",
"تصوروں": "تصور",
"تصویر": "تصویر",
"تصویرو": "تصویر",
"تصویروں": "تصویر",
"تصویریں": "تصویر",
"تشبیہ": "تشبیہ",
"تشبیہو": "تشبیہ",
"تشبیہوں": "تشبیہ",
"تشبیہیں": "تشبیہ",
"تذکر": "تذکر",
"تذکرے": "تذکرہ",
"تذکرہ": "تذکرہ",
"تذکرو": "تذکرہ",
"تذکروں": "تذکرہ",
"تذکیے": "تذکیہ",
"تذکیہ": "تذکیہ",
"تذکیو": "تذکیہ",
"تذکیوں": "تذکیہ",
"تاج": "تاج",
"تاجر": "تاجر",
"تاجرو": "تاجر",
"تاجروں": "تاجر",
"تاجو": "تاج",
"تاجوں": "تاج",
"تاک": "تکنا",
"تاکے": "تکنا",
"تاکں": "تکنا",
"تاکا": "تکنا",
"تاکہ": "تاکہ",
"تاکنے": "تکنا",
"تاکنا": "تکنا",
"تاکتے": "تکنا",
"تاکتا": "تکنا",
"تاکتی": "تکنا",
"تاکتیں": "تکنا",
"تاکو": "تکنا",
"تاکوں": "تکنا",
"تاکی": "تکنا",
"تاکیے": "تکنا",
"تاکیں": "تکنا",
"تاکید": "تاکید",
"تاکیدو": "تاکید",
"تاکیدوں": "تاکید",
"تاکیدیں": "تاکید",
"تال": "تال",
"تالے": "تالا",
"تالا": "تالا",
"تالاب": "تالاب",
"تالابو": "تالاب",
"تالابوں": "تالاب",
"تالابیں": "تالاب",
"تالہ": "تالہ",
"تالو": "تالا",
"تالوں": "تالا",
"تالی": "تالی",
"تالیاں": "تالی",
"تالیو": "تالی",
"تالیوں": "تالی",
"تان": "تننا",
"تانے": "تانہ",
"تانں": "تننا",
"تانا": "تننا",
"تانبے": "تانبہ",
"تانبہ": "تانبہ",
"تانبو": "تانبہ",
"تانبوں": "تانبہ",
"تانگے": "تانگا",
"تانگا": "تانگا",
"تانگہ": "تانگہ",
"تانگو": "تانگا",
"تانگوں": "تانگا",
"تانہ": "تانہ",
"تاننے": "تننا",
"تاننا": "تننا",
"تانتے": "تننا",
"تانتا": "تننا",
"تانتی": "تننا",
"تانتیں": "تننا",
"تانو": "تانہ",
"تانوں": "تانہ",
"تانی": "تننا",
"تانیے": "تننا",
"تانیں": "تننا",
"تاپ": "تپنا",
"تاپے": "تپنا",
"تاپں": "تپنا",
"تاپا": "تپنا",
"تاپنے": "تپنا",
"تاپنا": "تپنا",
"تاپتے": "تپنا",
"تاپتا": "تپنا",
"تاپتی": "تپنا",
"تاپتیں": "تپنا",
"تاپو": "تپنا",
"تاپوں": "تپنا",
"تاپی": "تپنا",
"تاپیے": "تپنا",
"تاپیں": "تپنا",
"تار": "تار",
"تارے": "تارا",
"تارں": "ترنا",
"تارا": "تارا",
"تارہ": "تارہ",
"تارنے": "ترنا",
"تارنا": "ترنا",
"تارتے": "ترنا",
"تارتا": "ترنا",
"تارتی": "ترنا",
"تارتیں": "ترنا",
"تارو": "تارا",
"تاروں": "تارا",
"تاری": "ترنا",
"تاریے": "ترنا",
"تاریخ": "تاریخ",
"تاریخو": "تاریخ",
"تاریخوں": "تاریخ",
"تاریخیں": "تاریخ",
"تاریں": "تار",
"تاریکی": "تاریکی",
"تاریکیاں": "تاریکی",
"تاریکیو": "تاریکی",
"تاریکیوں": "تاریکی",
"تاؤ": "تاؤ",
"تازے": "تازہ",
"تازہ": "تازہ",
"تازو": "تازہ",
"تازوں": "تازہ",
"تازی": "تازہ",
"تازیانے": "تازیانہ",
"تازیانہ": "تازیانہ",
"تازیانو": "تازیانہ",
"تازیانوں": "تازیانہ",
"تب": "تَب",
"تبصرے": "تبصرہ",
"تبصرہ": "تبصرہ",
"تبصرو": "تبصرہ",
"تبصروں": "تبصرہ",
"تبادلے": "تبادلہ",
"تبادلہ": "تبادلہ",
"تبادلو": "تبادلہ",
"تبادلوں": "تبادلہ",
"تبدیلی": "تبدیلی",
"تبدیلیاں": "تبدیلی",
"تبدیلیو": "تبدیلی",
"تبدیلیوں": "تبدیلی",
"تدبیر": "تدبیر",
"تدبیرو": "تدبیر",
"تدبیروں": "تدبیر",
"تدبیریں": "تدبیر",
"تعبیر": "تعبیر",
"تعبیرو": "تعبیر",
"تعبیروں": "تعبیر",
"تعبیریں": "تعبیر",
"تعرف": "تعرف",
"تعرفو": "تعرف",
"تعرفوں": "تعرف",
"تعریف": "تعریف",
"تعریفو": "تعریف",
"تعریفوں": "تعریف",
"تعریفیں": "تعریف",
"تعویذ": "تعویذ",
"تعویذو": "تعویذ",
"تعویذوں": "تعویذ",
"تعویذیں": "تعویذ",
"تعطیل": "تعطیل",
"تعطیلو": "تعطیل",
"تعطیلوں": "تعطیل",
"تعطیلیں": "تعطیل",
"تفصیل": "تفصیل",
"تفصیلو": "تفصیل",
"تفصیلوں": "تفصیل",
"تفصیلیں": "تفصیل",
"تفرقے": "تفرقہ",
"تفرقہ": "تفرقہ",
"تفرقو": "تفرقہ",
"تفرقوں": "تفرقہ",
"تہذیب": "تہذیب",
"تہذیبو": "تہذیب",
"تہذیبوں": "تہذیب",
"تہذیبیں": "تہذیب",
"تہمت": "تہمت",
"تہمتو": "تہمت",
"تہمتوں": "تہمت",
"تہمتیں": "تہمت",
"تہوار": "تہوار",
"تہوارو": "تہوار",
"تہواروں": "تہوار",
"تہواریں": "تہوار",
"تجربے": "تجربہ",
"تجربہ": "تجربہ",
"تجربو": "تجربہ",
"تجربوں": "تجربہ",
"تجوری": "تجوری",
"تجوریاں": "تجوری",
"تجوریو": "تجوری",
"تجوریوں": "تجوری",
"تجویز": "تجویز",
"تجویزو": "تجویز",
"تجویزوں": "تجویز",
"تجویزیں": "تجویز",
"تجزیے": "تجزیہ",
"تجزیہ": "تجزیہ",
"تجزیو": "تجزیہ",
"تجزیوں": "تجزیہ",
"تجھ": "میں",
"تک": "تکنا",
"تکے": "تکا",
"تکں": "تکنا",
"تکا": "تکا",
"تکانے": "تکنا",
"تکانا": "تکنا",
"تکاتے": "تکنا",
"تکاتا": "تکنا",
"تکاتی": "تکنا",
"تکاتیں": "تکنا",
"تکاؤ": "تکنا",
"تکاؤں": "تکنا",
"تکائے": "تکنا",
"تکائی": "تکنا",
"تکائیے": "تکنا",
"تکائیں": "تکنا",
"تکایا": "تکنا",
"تکبیر": "تکبیر",
"تکبیرو": "تکبیر",
"تکبیروں": "تکبیر",
"تکبیریں": "تکبیر",
"تکہ": "تکہ",
"تکلیف": "تکلیف",
"تکلیفو": "تکلیف",
"تکلیفوں": "تکلیف",
"تکلیفیں": "تکلیف",
"تکنے": "تکنا",
"تکنا": "تکنا",
"تکنی": "تکنا",
"تکنیک": "تکنیک",
"تکنیکو": "تکنیک",
"تکنیکوں": "تکنیک",
"تکنیکیں": "تکنیک",
"تکرا": "تکرانا",
"تکرانے": "تکرانا",
"تکرانا": "تکرانا",
"تکرانی": "تکرانا",
"تکراتے": "تکرانا",
"تکراتا": "تکرانا",
"تکراتی": "تکرانا",
"تکراتیں": "تکرانا",
"تکراؤ": "تکرانا",
"تکراؤں": "تکرانا",
"تکرائے": "تکرانا",
"تکرائی": "تکرانا",
"تکرائیے": "تکرانا",
"تکرائیں": "تکرانا",
"تکرایا": "تکرانا",
"تکتے": "تکنا",
"تکتا": "تکنا",
"تکتی": "تکنا",
"تکتیں": "تکنا",
"تکو": "تکا",
"تکوں": "تکا",
"تکوا": "تکنا",
"تکوانے": "تکنا",
"تکوانا": "تکنا",
"تکواتے": "تکنا",
"تکواتا": "تکنا",
"تکواتی": "تکنا",
"تکواتیں": "تکنا",
"تکواؤ": "تکنا",
"تکواؤں": "تکنا",
"تکوائے": "تکنا",
"تکوائی": "تکنا",
"تکوائیے": "تکنا",
"تکوائیں": "تکنا",
"تکوایا": "تکنا",
"تکی": "تکی",
"تکیے": "تکیہ",
"تکیں": "تکنا",
"تکیاں": "تکی",
"تکیہ": "تکیہ",
"تکیو": "تکیہ",
"تکیوں": "تکیہ",
"تل": "تل",
"تلے": "تلا",
"تلخی": "تلخی",
"تلخیاں": "تلخی",
"تلخیو": "تلخی",
"تلخیوں": "تلخی",
"تلں": "تلنا",
"تلا": "تلا",
"تلاشی": "تلاشی",
"تلاشیاں": "تلاشی",
"تلاشیو": "تلاشی",
"تلاشیوں": "تلاشی",
"تلانے": "تلنا",
"تلانا": "تلنا",
"تلاتے": "تلنا",
"تلاتا": "تلنا",
"تلاتی": "تلنا",
"تلاتیں": "تلنا",
"تلاؤ": "تلنا",
"تلاؤں": "تلنا",
"تلائے": "تلنا",
"تلائی": "تلنا",
"تلائیے": "تلنا",
"تلائیں": "تلنا",
"تلایا": "تلنا",
"تلازمے": "تلازمہ",
"تلازمہ": "تلازمہ",
"تلازمو": "تلازمہ",
"تلازموں": "تلازمہ",
"تلہ": "تلہ",
"تلک": "تلک",
"تلنے": "تلنا",
"تلنا": "تلنا",
"تلنی": "تلنا",
"تلتے": "تلنا",
"تلتا": "تلنا",
"تلتی": "تلنا",
"تلتیں": "تلنا",
"تلو": "تلا",
"تلوے": "تلوا",
"تلوں": "تلا",
"تلوا": "تلوا",
"تلوانے": "تلنا",
"تلوانا": "تلنا",
"تلوار": "تلوار",
"تلوارو": "تلوار",
"تلواروں": "تلوار",
"تلواریں": "تلوار",
"تلواتے": "تلنا",
"تلواتا": "تلنا",
"تلواتی": "تلنا",
"تلواتیں": "تلنا",
"تلواؤ": "تلنا",
"تلواؤں": "تلنا",
"تلوائے": "تلنا",
"تلوائی": "تلنا",
"تلوائیے": "تلنا",
"تلوائیں": "تلنا",
"تلوایا": "تلنا",
"تلوو": "تلوا",
"تلووں": "تلوا",
"تلی": "تلنا",
"تلیے": "تلنا",
"تلیں": "تلنا",
"تم": "میں",
"تمغے": "تمغہ",
"تمغہ": "تمغہ",
"تمغو": "تمغہ",
"تمغوں": "تمغہ",
"تماے": "تمام",
"تماشے": "تماشا",
"تماشا": "تماشا",
"تماشائی": "تماشائی",
"تماشائیاں": "تماشائی",
"تماشائیو": "تماشائی",
"تماشائیوں": "تماشائی",
"تماشہ": "تماشہ",
"تماشو": "تماشا",
"تماشوں": "تماشا",
"تمام": "تمام",
"تمای": "تمام",
"تمنّا": "تمنّا",
"تمنّاؤ": "تمنّا",
"تمنّاؤں": "تمنّا",
"تمنّائیں": "تمنّا",
"تمنا": "تمنا",
"تمناؤ": "تمنا",
"تمناؤں": "تمنا",
"تمنائیں": "تمنا",
"تمھارے": "میرا",
"تمھارا": "میرا",
"تمھاری": "میرا",
"تن": "تن",
"تنے": "تنا",
"تنخواہ": "تنخواہ",
"تنخواہو": "تنخواہ",
"تنخواہوں": "تنخواہ",
"تنخواہیں": "تنخواہ",
"تنں": "تننا",
"تنا": "تنا",
"تناؤ": "تناؤ",
"تنازع": "تنازع",
"تنازعے": "تنازع",
"تنازعہ": "تنازعہ",
"تنازعو": "تنازع",
"تنازعوں": "تنازع",
"تنبی": "تنبی",
"تنبیاں": "تنبی",
"تنبیو": "تنبی",
"تنبیوں": "تنبی",
"تنگی": "تنگی",
"تنگیاں": "تنگی",
"تنگیو": "تنگی",
"تنگیوں": "تنگی",
"تنہائی": "تنہائی",
"تنہائیاں": "تنہائی",
"تنہائیو": "تنہائی",
"تنہائیوں": "تنہائی",
"تنکے": "تنکا",
"تنکا": "تنکا",
"تنکہ": "تنکہ",
"تنکو": "تنکا",
"تنکوں": "تنکا",
"تننے": "تننا",
"تننا": "تننا",
"تننی": "تننا",
"تنتے": "تننا",
"تنتا": "تننا",
"تنتی": "تننا",
"تنتیں": "تننا",
"تنو": "تنا",
"تنوں": "تنا",
"تنوا": "تننا",
"تنوانے": "تننا",
"تنوانا": "تننا",
"تنواتے": "تننا",
"تنواتا": "تننا",
"تنواتی": "تننا",
"تنواتیں": "تننا",
"تنواؤ": "تننا",
"تنواؤں": "تننا",
"تنوائے": "تننا",
"تنوائی": "تننا",
"تنوائیے": "تننا",
"تنوائیں": "تننا",
"تنوایا": "تننا",
"تنور": "تنور",
"تنورو": "تنور",
"تنوروں": "تنور",
"تنی": "تننا",
"تنیے": "تننا",
"تنیں": "تننا",
"تنظیم": "تنظیم",
"تنظیمو": "تنظیم",
"تنظیموں": "تنظیم",
"تنظیمیں": "تنظیم",
"تپ": "تپنا",
"تپے": "تپنا",
"تپں": "تپنا",
"تپا": "تپنا",
"تپنے": "تپنا",
"تپنا": "تپنا",
"تپنی": "تپنا",
"تپتے": "تپنا",
"تپتا": "تپنا",
"تپتی": "تپنا",
"تپتیں": "تپنا",
"تپو": "تپنا",
"تپوں": "تپنا",
"تپوا": "تپنا",
"تپوانے": "تپنا",
"تپوانا": "تپنا",
"تپواتے": "تپنا",
"تپواتا": "تپنا",
"تپواتی": "تپنا",
"تپواتیں": "تپنا",
"تپواؤ": "تپنا",
"تپواؤں": "تپنا",
"تپوائے": "تپنا",
"تپوائی": "تپنا",
"تپوائیے": "تپنا",
"تپوائیں": "تپنا",
"تپوایا": "تپنا",
"تپی": "تپنا",
"تپیے": "تپنا",
"تپیں": "تپنا",
"تقاضے": "تقاضا",
"تقاضا": "تقاضا",
"تقاضہ": "تقاضہ",
"تقاضو": "تقاضا",
"تقاضوں": "تقاضا",
"تقدیر": "تقدیر",
"تقدیرو": "تقدیر",
"تقدیروں": "تقدیر",
"تقدیریں": "تقدیر",
"تقرب": "تقرب",
"تقربو": "تقرب",
"تقربوں": "تقرب",
"تقریب": "تقریب",
"تقریبو": "تقریب",
"تقریبوں": "تقریب",
"تقریبیں": "تقریب",
"تقریر": "تقریر",
"تقریرو": "تقریر",
"تقریروں": "تقریر",
"تقریریں": "تقریر",
"تر": "تر",
"ترے": "ترنا",
"ترں": "ترنا",
"ترا": "ترنا",
"تراش": "تراشنا",
"تراشے": "تراشا",
"تراشں": "تراشنا",
"تراشا": "تراشا",
"تراشنے": "تراشنا",
"تراشنا": "تراشنا",
"تراشنی": "تراشنا",
"تراشتے": "تراشنا",
"تراشتا": "تراشنا",
"تراشتی": "تراشنا",
"تراشتیں": "تراشنا",
"تراشو": "تراشا",
"تراشوں": "تراشا",
"تراشی": "تراشی",
"تراشیے": "تراشنا",
"تراشیں": "تراشنا",
"تراشیاں": "تراشی",
"تراشیو": "تراشی",
"تراشیوں": "تراشی",
"تراکیب": "تراکیب",
"تراکیبو": "تراکیب",
"تراکیبوں": "تراکیب",
"تراکیبیں": "تراکیب",
"ترانے": "ترانا",
"ترانا": "ترانا",
"ترانہ": "ترانہ",
"ترانو": "ترانا",
"ترانوں": "ترانا",
"ترجمے": "ترجمہ",
"ترجمان": "ترجمان",
"ترجمانو": "ترجمان",
"ترجمانوں": "ترجمان",
"ترجمہ": "ترجمہ",
"ترجمو": "ترجمہ",
"ترجموں": "ترجمہ",
"ترک": "ترک",
"ترکے": "ترکہ",
"ترکاری": "ترکاری",
"ترکاریاں": "ترکاری",
"ترکاریو": "ترکاری",
"ترکاریوں": "ترکاری",
"ترکہ": "ترکہ",
"ترکو": "ترکہ",
"ترکوں": "ترکہ",
"ترکیب": "ترکیب",
"ترکیبو": "ترکیب",
"ترکیبوں": "ترکیب",
"ترکیبیں": "ترکیب",
"ترکھان": "ترکھان",
"ترکھانو": "ترکھان",
"ترکھانوں": "ترکھان",
"ترنے": "ترنا",
"ترنا": "ترنا",
"ترنی": "ترنا",
"ترقی": "ترقی",
"ترقیاں": "ترقی",
"ترقیو": "ترقی",
"ترقیوں": "ترقی",
"ترس": "ترسنا",
"ترسے": "ترسنا",
"ترسں": "ترسنا",
"ترسا": "ترسنا",
"ترسانے": "ترسنا",
"ترسانا": "ترسنا",
"ترساتے": "ترسنا",
"ترساتا": "ترسنا",
"ترساتی": "ترسنا",
"ترساتیں": "ترسنا",
"ترساؤ": "ترسنا",
"ترساؤں": "ترسنا",
"ترسائے": "ترسنا",
"ترسائی": "ترسنا",
"ترسائیے": "ترسنا",
"ترسائیں": "ترسنا",
"ترسایا": "ترسنا",
"ترسنے": "ترسنا",
"ترسنا": "ترسنا",
"ترسنی": "ترسنا",
"ترستے": "ترسنا",
"ترستا": "ترسنا",
"ترستی": "ترسنا",
"ترستیں": "ترسنا",
"ترسو": "ترسنا",
"ترسوں": "ترسنا",
"ترسوا": "ترسنا",
"ترسوانے": "ترسنا",
"ترسوانا": "ترسنا",
"ترسواتے": "ترسنا",
"ترسواتا": "ترسنا",
"ترسواتی": "ترسنا",
"ترسواتیں": "ترسنا",
"ترسواؤ": "ترسنا",
"ترسواؤں": "ترسنا",
"ترسوائے": "ترسنا",
"ترسوائی": "ترسنا",
"ترسوائیے": "ترسنا",
"ترسوائیں": "ترسنا",
"ترسوایا": "ترسنا",
"ترسی": "ترسنا",
"ترسیے": "ترسنا",
"ترسیں": "ترسنا",
"ترتے": "ترنا",
"ترتا": "ترنا",
"ترتی": "ترنا",
"ترتیں": "ترنا",
"ترو": "تر",
"تروں": "تر",
"تروا": "ترنا",
"تروانے": "ترنا",
"تروانا": "ترنا",
"ترواتے": "ترنا",
"ترواتا": "ترنا",
"ترواتی": "ترنا",
"ترواتیں": "ترنا",
"ترواؤ": "ترنا",
"ترواؤں": "ترنا",
"تروائے": "ترنا",
"تروائی": "ترنا",
"تروائیے": "ترنا",
"تروائیں": "ترنا",
"تروایا": "ترنا",
"تری": "ترنا",
"تریے": "ترنا",
"تریں": "ترنا",
"تسبیح": "تسبیح",
"تسبیحو": "تسبیح",
"تسبیحوں": "تسبیح",
"تسبیحیں": "تسبیح",
"تسمے": "تسما",
"تسما": "تسما",
"تسمہ": "تسمہ",
"تسمو": "تسما",
"تسموں": "تسما",
"تتلی": "تتلی",
"تتلیاں": "تتلی",
"تتلیو": "تتلی",
"تتلیوں": "تتلی",
"تتر": "تتر",
"تترو": "تتر",
"تتروں": "تتر",
"تو": "ت",
"توں": "ت",
"توڑ": "ٹُوٹْنا",
"توڑْں": "ٹُوٹْنا",
"توڑْنے": "ٹُوٹْنا",
"توڑْنا": "ٹُوٹْنا",
"توڑْنی": "توڑْنا",
"توڑْتے": "ٹُوٹْنا",
"توڑْتا": "ٹُوٹْنا",
"توڑْتی": "ٹُوٹْنا",
"توڑْتیں": "ٹُوٹْنا",
"توڑے": "توڑا",
"توڑں": "توڑنا",
"توڑا": "توڑا",
"توڑنے": "توڑنا",
"توڑنا": "توڑنا",
"توڑنی": "توڑنا",
"توڑتے": "توڑنا",
"توڑتا": "توڑنا",
"توڑتی": "توڑنا",
"توڑتیں": "توڑنا",
"توڑو": "توڑا",
"توڑوں": "توڑا",
"توڑوا": "توڑنا",
"توڑوانے": "توڑنا",
"توڑوانا": "توڑنا",
"توڑواتے": "توڑنا",
"توڑواتا": "توڑنا",
"توڑواتی": "توڑنا",
"توڑواتیں": "توڑنا",
"توڑواؤ": "توڑنا",
"توڑواؤں": "توڑنا",
"توڑوائے": "توڑنا",
"توڑوائی": "توڑنا",
"توڑوائیے": "توڑنا",
"توڑوائیں": "توڑنا",
"توڑوایا": "توڑنا",
"توڑی": "ٹُوٹْنا",
"توڑیے": "ٹُوٹْنا",
"توڑیں": "ٹُوٹْنا",
"توٹ": "توٹنا",
"توٹے": "توٹنا",
"توٹں": "توٹنا",
"توٹا": "توٹنا",
"توٹنے": "توٹنا",
"توٹنا": "توٹنا",
"توٹنی": "توٹنا",
"توٹتے": "توٹنا",
"توٹتا": "توٹنا",
"توٹتی": "توٹنا",
"توٹتیں": "توٹنا",
"توٹو": "توٹنا",
"توٹوں": "توٹنا",
"توٹی": "توٹنا",
"توٹیے": "توٹنا",
"توٹیں": "توٹنا",
"توانائی": "توانائی",
"توانائیاں": "توانائی",
"توانائیو": "توانائی",
"توانائیوں": "توانائی",
"توبے": "توبہ",
"توبہ": "توبہ",
"توبو": "توبہ",
"توبوں": "توبہ",
"تودے": "تودہ",
"تودہ": "تودہ",
"تودو": "تودہ",
"تودوں": "تودہ",
"توجے": "توجہ",
"توجہ": "توجہ",
"توجو": "توجہ",
"توجوں": "توجہ",
"تول": "تولنا",
"تولے": "تولا",
"تولں": "تولنا",
"تولا": "تولا",
"تولانے": "تولنا",
"تولانا": "تولنا",
"تولاتے": "تولنا",
"تولاتا": "تولنا",
"تولاتی": "تولنا",
"تولاتیں": "تولنا",
"تولاؤ": "تولنا",
"تولاؤں": "تولنا",
"تولائے": "تولنا",
"تولائی": "تولنا",
"تولائیے": "تولنا",
"تولائیں": "تولنا",
"تولایا": "تولنا",
"تولہ": "تولہ",
"تولنے": "تولنا",
"تولنا": "تولنا",
"تولنی": "تولنا",
"تولتے": "تولنا",
"تولتا": "تولنا",
"تولتی": "تولنا",
"تولتیں": "تولنا",
"تولو": "تولا",
"تولوں": "تولا",
"تولوا": "تولنا",
"تولوانے": "تولنا",
"تولوانا": "تولنا",
"تولواتے": "تولنا",
"تولواتا": "تولنا",
"تولواتی": "تولنا",
"تولواتیں": "تولنا",
"تولواؤ": "تولنا",
"تولواؤں": "تولنا",
"تولوائے": "تولنا",
"تولوائی": "تولنا",
"تولوائیے": "تولنا",
"تولوائیں": "تولنا",
"تولوایا": "تولنا",
"تولی": "تولنا",
"تولیے": "تولیہ",
"تولیں": "تولنا",
"تولیہ": "تولیہ",
"تولیو": "تولیہ",
"تولیوں": "تولیہ",
"توپ": "توپ",
"توپو": "توپ",
"توپوں": "توپ",
"توپیں": "توپ",
"توت": "توت",
"توتے": "توتا",
"توتا": "توتا",
"توتو": "توتا",
"توتوں": "توتا",
"تیغ": "تیغ",
"تیغو": "تیغ",
"تیغوں": "تیغ",
"تیغیں": "تیغ",
"تیں": "ت",
"تیشے": "تیشہ",
"تیشہ": "تیشہ",
"تیشو": "تیشہ",
"تیشوں": "تیشہ",
"تیاری": "تیاری",
"تیاریاں": "تیاری",
"تیاریو": "تیاری",
"تیاریوں": "تیاری",
"تیلی": "تیلی",
"تیلیا": "تیلیا",
"تیلیاں": "تیلی",
"تیلیو": "تیلی",
"تیلیوں": "تیلی",
"تیماردار": "تیماردار",
"تیماردارو": "تیماردار",
"تیمارداروں": "تیماردار",
"تین": "تین",
"تینو": "تین",
"تینوں": "تین",
"تیر": "تیر",
"تیرے": "تیرا",
"تیرں": "تیرنا",
"تیرا": "تیرا",
"تیراک": "تیراک",
"تیراکو": "تیراک",
"تیراکوں": "تیراک",
"تیرانے": "تیرنا",
"تیرانا": "تیرنا",
"تیراتے": "تیرنا",
"تیراتا": "تیرنا",
"تیراتی": "تیرنا",
"تیراتیں": "تیرنا",
"تیراؤ": "تیرنا",
"تیراؤں": "تیرنا",
"تیرائے": "تیرنا",
"تیرائی": "تیرنا",
"تیرائیے": "تیرنا",
"تیرائیں": "تیرنا",
"تیرایا": "تیرنا",
"تیرہ": "تیرہ",
"تیرنے": "تیرنا",
"تیرنا": "تیرنا",
"تیرنی": "تیرنا",
"تیرتے": "تیرنا",
"تیرتا": "تیرنا",
"تیرتی": "تیرنا",
"تیرتیں": "تیرنا",
"تیرو": "تیرا",
"تیروں": "تیرا",
"تیروا": "تیرنا",
"تیروانے": "تیرنا",
"تیروانا": "تیرنا",
"تیرواتے": "تیرنا",
"تیرواتا": "تیرنا",
"تیرواتی": "تیرنا",
"تیرواتیں": "تیرنا",
"تیرواؤ": "تیرنا",
"تیرواؤں": "تیرنا",
"تیروائے": "تیرنا",
"تیروائی": "تیرنا",
"تیروائیے": "تیرنا",
"تیروائیں": "تیرنا",
"تیروایا": "تیرنا",
"تیری": "تیرنا",
"تیریے": "تیرنا",
"تیریں": "تیرنا",
"تیس": "تیس",
"تیتر": "تیتر",
"تیترو": "تیتر",
"تیتروں": "تیتر",
"تیئس": "تیئس",
"تیز": "تیز",
"تیزو": "تیز",
"تیزوں": "تیز",
"تیزی": "تیزی",
"تیزیاں": "تیزی",
"تیزیو": "تیزی",
"تیزیوں": "تیزی",
"تھے": "تھا",
"تھا": "تھا",
"تھالی": "تھالی",
"تھالیاں": "تھالی",
"تھالیو": "تھالی",
"تھالیوں": "تھالی",
"تھام": "تھامنا",
"تھامے": "تھامنا",
"تھامں": "تھامنا",
"تھاما": "تھامنا",
"تھامنے": "تھامنا",
"تھامنا": "تھامنا",
"تھامنی": "تھامنا",
"تھامتے": "تھامنا",
"تھامتا": "تھامنا",
"تھامتی": "تھامنا",
"تھامتیں": "تھامنا",
"تھامو": "تھامنا",
"تھاموں": "تھامنا",
"تھاموا": "تھامنا",
"تھاموانے": "تھامنا",
"تھاموانا": "تھامنا",
"تھامواتے": "تھامنا",
"تھامواتا": "تھامنا",
"تھامواتی": "تھامنا",
"تھامواتیں": "تھامنا",
"تھامواؤ": "تھامنا",
"تھامواؤں": "تھامنا",
"تھاموائے": "تھامنا",
"تھاموائی": "تھامنا",
"تھاموائیے": "تھامنا",
"تھاموائیں": "تھامنا",
"تھاموایا": "تھامنا",
"تھامی": "تھامنا",
"تھامیے": "تھامنا",
"تھامیں": "تھامنا",
"تھان": "تھان",
"تھانے": "تھانہ",
"تھانہ": "تھانہ",
"تھانو": "تھانہ",
"تھانوں": "تھانہ",
"تھہر": "تھہرنا",
"تھہرے": "تھہرنا",
"تھہرں": "تھہرنا",
"تھہرا": "تھہرنا",
"تھہرانے": "تھہرنا",
"تھہرانا": "تھہرنا",
"تھہراتے": "تھہرنا",
"تھہراتا": "تھہرنا",
"تھہراتی": "تھہرنا",
"تھہراتیں": "تھہرنا",
"تھہراؤ": "تھہرنا",
"تھہراؤں": "تھہرنا",
"تھہرائے": "تھہرنا",
"تھہرائی": "تھہرنا",
"تھہرائیے": "تھہرنا",
"تھہرائیں": "تھہرنا",
"تھہرایا": "تھہرنا",
"تھہرنے": "تھہرنا",
"تھہرنا": "تھہرنا",
"تھہرنی": "تھہرنا",
"تھہرتے": "تھہرنا",
"تھہرتا": "تھہرنا",
"تھہرتی": "تھہرنا",
"تھہرتیں": "تھہرنا",
"تھہرو": "تھہرنا",
"تھہروں": "تھہرنا",
"تھہروا": "تھہرنا",
"تھہروانے": "تھہرنا",
"تھہروانا": "تھہرنا",
"تھہرواتے": "تھہرنا",
"تھہرواتا": "تھہرنا",
"تھہرواتی": "تھہرنا",
"تھہرواتیں": "تھہرنا",
"تھہرواؤ": "تھہرنا",
"تھہرواؤں": "تھہرنا",
"تھہروائے": "تھہرنا",
"تھہروائی": "تھہرنا",
"تھہروائیے": "تھہرنا",
"تھہروائیں": "تھہرنا",
"تھہروایا": "تھہرنا",
"تھہری": "تھہرنا",
"تھہریے": "تھہرنا",
"تھہریں": "تھہرنا",
"تھک": "تھکنا",
"تھکے": "تھکنا",
"تھکں": "تھکنا",
"تھکا": "تھکنا",
"تھکانے": "تھکنا",
"تھکانا": "تھکنا",
"تھکاتے": "تھکنا",
"تھکاتا": "تھکنا",
"تھکاتی": "تھکنا",
"تھکاتیں": "تھکنا",
"تھکاؤ": "تھکنا",
"تھکاؤں": "تھکنا",
"تھکائے": "تھکنا",
"تھکائی": "تھکنا",
"تھکائیے": "تھکنا",
"تھکائیں": "تھکنا",
"تھکایا": "تھکنا",
"تھکنے": "تھکنا",
"تھکنا": "تھکنا",
"تھکنی": "تھکنا",
"تھکتے": "تھکنا",
"تھکتا": "تھکنا",
"تھکتی": "تھکنا",
"تھکتیں": "تھکنا",
"تھکو": "تھکنا",
"تھکوں": "تھکنا",
"تھکوا": "تھکنا",
"تھکوانے": "تھکنا",
"تھکوانا": "تھکنا",
"تھکواتے": "تھکنا",
"تھکواتا": "تھکنا",
"تھکواتی": "تھکنا",
"تھکواتیں": "تھکنا",
"تھکواؤ": "تھکنا",
"تھکواؤں": "تھکنا",
"تھکوائے": "تھکنا",
"تھکوائی": "تھکنا",
"تھکوائیے": "تھکنا",
"تھکوائیں": "تھکنا",
"تھکوایا": "تھکنا",
"تھکی": "تھکنا",
"تھکیے": "تھکنا",
"تھکیں": "تھکنا",
"تھلے": "تھلا",
"تھلا": "تھلا",
"تھلو": "تھلا",
"تھلوں": "تھلا",
"تھم": "تھمنا",
"تھمے": "تھمنا",
"تھمں": "تھمنا",
"تھما": "تھامنا",
"تھمانے": "تھامنا",
"تھمانا": "تھامنا",
"تھماتے": "تھامنا",
"تھماتا": "تھامنا",
"تھماتی": "تھامنا",
"تھماتیں": "تھامنا",
"تھماؤ": "تھامنا",
"تھماؤں": "تھامنا",
"تھمائے": "تھامنا",
"تھمائی": "تھامنا",
"تھمائیے": "تھامنا",
"تھمائیں": "تھامنا",
"تھمایا": "تھامنا",
"تھمنے": "تھمنا",
"تھمنا": "تھمنا",
"تھمنی": "تھمنا",
"تھمتے": "تھمنا",
"تھمتا": "تھمنا",
"تھمتی": "تھمنا",
"تھمتیں": "تھمنا",
"تھمو": "تھمنا",
"تھموں": "تھمنا",
"تھموا": "تھامنا",
"تھموانے": "تھامنا",
"تھموانا": "تھامنا",
"تھمواتے": "تھامنا",
"تھمواتا": "تھامنا",
"تھمواتی": "تھامنا",
"تھمواتیں": "تھامنا",
"تھمواؤ": "تھامنا",
"تھمواؤں": "تھامنا",
"تھموائے": "تھامنا",
"تھموائی": "تھامنا",
"تھموائیے": "تھامنا",
"تھموائیں": "تھامنا",
"تھموایا": "تھامنا",
"تھمی": "تھمنا",
"تھمیے": "تھمنا",
"تھمیں": "تھمنا",
"تھن": "تھن",
"تھنو": "تھن",
"تھنوں": "تھن",
"تھپڑ": "تھپڑ",
"تھپڑو": "تھپڑ",
"تھپڑوں": "تھپڑ",
"تھرا": "تھرانا",
"تھرانے": "تھرانا",
"تھرانا": "تھرانا",
"تھرانی": "تھرانا",
"تھراتے": "تھرانا",
"تھراتا": "تھرانا",
"تھراتی": "تھرانا",
"تھراتیں": "تھرانا",
"تھراؤ": "تھرانا",
"تھراؤں": "تھرانا",
"تھرائے": "تھرانا",
"تھرائی": "تھرانا",
"تھرائیے": "تھرانا",
"تھرائیں": "تھرانا",
"تھرایا": "تھرانا",
"تھرک": "تھرکنا",
"تھرکے": "تھرکنا",
"تھرکں": "تھرکنا",
"تھرکا": "تھرکنا",
"تھرکانے": "تھرکنا",
"تھرکانا": "تھرکنا",
"تھرکاتے": "تھرکنا",
"تھرکاتا": "تھرکنا",
"تھرکاتی": "تھرکنا",
"تھرکاتیں": "تھرکنا",
"تھرکاؤ": "تھرکنا",
"تھرکاؤں": "تھرکنا",
"تھرکائے": "تھرکنا",
"تھرکائی": "تھرکنا",
"تھرکائیے": "تھرکنا",
"تھرکائیں": "تھرکنا",
"تھرکایا": "تھرکنا",
"تھرکنے": "تھرکنا",
"تھرکنا": "تھرکنا",
"تھرکنی": "تھرکنا",
"تھرکتے": "تھرکنا",
"تھرکتا": "تھرکنا",
"تھرکتی": "تھرکنا",
"تھرکتیں": "تھرکنا",
"تھرکو": "تھرکنا",
"تھرکوں": "تھرکنا",
"تھرکوا": "تھرکنا",
"تھرکوانے": "تھرکنا",
"تھرکوانا": "تھرکنا",
"تھرکواتے": "تھرکنا",
"تھرکواتا": "تھرکنا",
"تھرکواتی": "تھرکنا",
"تھرکواتیں": "تھرکنا",
"تھرکواؤ": "تھرکنا",
"تھرکواؤں": "تھرکنا",
"تھرکوائے": "تھرکنا",
"تھرکوائی": "تھرکنا",
"تھرکوائیے": "تھرکنا",
"تھرکوائیں": "تھرکنا",
"تھرکوایا": "تھرکنا",
"تھرکی": "تھرکنا",
"تھرکیے": "تھرکنا",
"تھرکیں": "تھرکنا",
"تھرتھرا": "تھرتھرانا",
"تھرتھرانے": "تھرتھرانا",
"تھرتھرانا": "تھرتھرانا",
"تھرتھرانی": "تھرتھرانا",
"تھرتھراتے": "تھرتھرانا",
"تھرتھراتا": "تھرتھرانا",
"تھرتھراتی": "تھرتھرانا",
"تھرتھراتیں": "تھرتھرانا",
"تھرتھراؤ": "تھرتھرانا",
"تھرتھراؤں": "تھرتھرانا",
"تھرتھرائے": "تھرتھرانا",
"تھرتھرائی": "تھرتھرانا",
"تھرتھرائیے": "تھرتھرانا",
"تھرتھرائیں": "تھرتھرانا",
"تھرتھرایا": "تھرتھرانا",
"تھو": "تھا",
"تھوں": "تھا",
"تھوک": "تھوکنا",
"تھوکے": "تھوکنا",
"تھوکں": "تھوکنا",
"تھوکا": "تھوکنا",
"تھوکانے": "تھوکنا",
"تھوکانا": "تھوکنا",
"تھوکاتے": "تھوکنا",
"تھوکاتا": "تھوکنا",
"تھوکاتی": "تھوکنا",
"تھوکاتیں": "تھوکنا",
"تھوکاؤ": "تھوکنا",
"تھوکاؤں": "تھوکنا",
"تھوکائے": "تھوکنا",
"تھوکائی": "تھوکنا",
"تھوکائیے": "تھوکنا",
"تھوکائیں": "تھوکنا",
"تھوکایا": "تھوکنا",
"تھوکنے": "تھوکنا",
"تھوکنا": "تھوکنا",
"تھوکنی": "تھوکنا",
"تھوکتے": "تھوکنا",
"تھوکتا": "تھوکنا",
"تھوکتی": "تھوکنا",
"تھوکتیں": "تھوکنا",
"تھوکو": "تھوکنا",
"تھوکوں": "تھوکنا",
"تھوکوا": "تھوکنا",
"تھوکوانے": "تھوکنا",
"تھوکوانا": "تھوکنا",
"تھوکواتے": "تھوکنا",
"تھوکواتا": "تھوکنا",
"تھوکواتی": "تھوکنا",
"تھوکواتیں": "تھوکنا",
"تھوکواؤ": "تھوکنا",
"تھوکواؤں": "تھوکنا",
"تھوکوائے": "تھوکنا",
"تھوکوائی": "تھوکنا",
"تھوکوائیے": "تھوکنا",
"تھوکوائیں": "تھوکنا",
"تھوکوایا": "تھوکنا",
"تھوکی": "تھوکنا",
"تھوکیے": "تھوکنا",
"تھوکیں": "تھوکنا",
"تھی": "ہونا",
"تھیں": "ہونا",
"تھیٹر": "تھیٹر",
"تھیٹرو": "تھیٹر",
"تھیٹروں": "تھیٹر",
"تھیلی": "تھیلی",
"تھیلیاں": "تھیلی",
"تھیلیو": "تھیلی",
"تھیلیوں": "تھیلی",
"وَہاں": "وَہاں",
"وَیسے": "وَیسا",
"وَیسا": "وَیسا",
"وَیسی": "وَیسا",
"وُہ": "میں",
"وحشت": "وحشت",
"وحشتو": "وحشت",
"وحشتوں": "وحشت",
"وحشتیں": "وحشت",
"وحشی": "وحشی",
"وحشیو": "وحشی",
"وحشیوں": "وحشی",
"وحدت": "وحدت",
"وحدتو": "وحدت",
"وحدتوں": "وحدت",
"وحدتیں": "وحدت",
"وخت": "وخت",
"وختو": "وخت",
"وختوں": "وخت",
"وختیں": "وخت",
"واڑے": "واڑہ",
"واڑہ": "واڑہ",
"واڑو": "واڑہ",
"واڑوں": "واڑہ",
"وادی": "وادی",
"وادیاں": "وادی",
"وادیو": "وادی",
"وادیوں": "وادی",
"واہ": "واہ",
"والے": "والا",
"والا": "والا",
"والد": "والد",
"والدے": "والدہ",
"والدہ": "والدہ",
"والدو": "والدہ",
"والدوں": "والدہ",
"والہ": "والہ",
"والو": "والا",
"والوں": "والا",
"والی": "والی",
"والیو": "والی",
"والیوں": "والی",
"واقع": "واقع",
"واقعے": "واقع",
"واقعہ": "واقعہ",
"واقعو": "واقع",
"واقعوں": "واقع",
"وارث": "وارث",
"وارثو": "وارث",
"وارثوں": "وارث",
"واردات": "واردات",
"وارداتو": "واردات",
"وارداتوں": "واردات",
"وارداتیں": "واردات",
"واسوخت": "واسوخت",
"واسوختو": "واسوخت",
"واسوختوں": "واسوخت",
"واسوختیں": "واسوخت",
"واسطے": "واسطہ",
"واسطہ": "واسطہ",
"واسطو": "واسطہ",
"واسطوں": "واسطہ",
"وبا": "وبا",
"وباؤ": "وبا",
"وباؤں": "وبا",
"وبائیں": "وبا",
"وعدے": "وعدہ",
"وعدہ": "وعدہ",
"وعدو": "وعدہ",
"وعدوں": "وعدہ",
"وعید": "وعید",
"وعیدو": "وعید",
"وعیدوں": "وعید",
"وعیدیں": "وعید",
"وعظ": "وعظ",
"وعظو": "وعظ",
"وعظوں": "وعظ",
"وعظیں": "وعظ",
"وفاداری": "وفاداری",
"وفاداریاں": "وفاداری",
"وفاداریو": "وفاداری",
"وفاداریوں": "وفاداری",
"وہ": "میں",
"وہاں": "وَہاں",
"وجے": "وجہ",
"وجہ": "وجہ",
"وجہے": "وجہہ",
"وجہہ": "وجہہ",
"وجہو": "وجہہ",
"وجہوں": "وجہہ",
"وجہیں": "وجہ",
"وجو": "وجہ",
"وجوں": "وجہ",
"وکٹ": "وکٹ",
"وکٹو": "وکٹ",
"وکٹوں": "وکٹ",
"وکٹوریا": "وکٹوریا",
"وکٹوریاؤ": "وکٹوریا",
"وکٹوریاؤں": "وکٹوریا",
"وکٹوریائیں": "وکٹوریا",
"وکٹیں": "وکٹ",
"ولائیت": "ولائیت",
"ولائیتو": "ولائیت",
"ولائیتوں": "ولائیت",
"ولائیتیں": "ولائیت",
"ولایت": "ولایت",
"ولایتو": "ولایت",
"ولایتوں": "ولایت",
"ولایتیں": "ولایت",
"ولولے": "ولولہ",
"ولولہ": "ولولہ",
"ولولو": "ولولہ",
"ولولوں": "ولولہ",
"ولی": "ولی",
"ولیمے": "ولیمہ",
"ولیمہ": "ولیمہ",
"ولیمو": "ولیمہ",
"ولیموں": "ولیمہ",
"ولیو": "ولی",
"ولیوں": "ولی",
"وقف": "وقف",
"وقفے": "وقفہ",
"وقفہ": "وقفہ",
"وقفو": "وقفہ",
"وقفوں": "وقفہ",
"وقت": "وقت",
"وقتے": "وقتہ",
"وقتہ": "وقتہ",
"وقتو": "وقتہ",
"وقتوں": "وقتہ",
"وقتیں": "وقت",
"ورثے": "ورثا",
"ورثا": "ورثا",
"ورثہ": "ورثہ",
"ورثو": "ورثا",
"ورثوں": "ورثا",
"ورانے": "ورانہ",
"ورانہ": "ورانہ",
"ورانو": "ورانہ",
"ورانوں": "ورانہ",
"وردی": "وردی",
"وردیاں": "وردی",
"وردیو": "وردی",
"وردیوں": "وردی",
"ورک": "ورک",
"ورکو": "ورک",
"ورکوں": "ورک",
"ورزی": "ورزی",
"ورزیاں": "ورزی",
"ورزیو": "ورزی",
"ورزیوں": "ورزی",
"وسعت": "وسعت",
"وسعتو": "وسعت",
"وسعتوں": "وسعت",
"وسعتیں": "وسعت",
"وست": "وست",
"وستو": "وست",
"وستوں": "وست",
"وستیں": "وست",
"وسوسے": "وسوسہ",
"وسوسہ": "وسوسہ",
"وسوسو": "وسوسہ",
"وسوسوں": "وسوسہ",
"وسیلے": "وسیلہ",
"وسیلہ": "وسیلہ",
"وسیلو": "وسیلہ",
"وسیلوں": "وسیلہ",
"وتر": "وتر",
"وترے": "وترہ",
"وترہ": "وترہ",
"وترو": "وترہ",
"وتروں": "وترہ",
"وتریں": "وتر",
"ویران": "ویران",
"ویرانے": "ویرانہ",
"ویرانہ": "ویرانہ",
"ویرانو": "ویرانہ",
"ویرانوں": "ویرانہ",
"ویرانیں": "ویران",
"ویسے": "وَیسا",
"ویسا": "وَیسا",
"ویسی": "وَیسا",
"ویزے": "ویزہ",
"ویزہ": "ویزہ",
"ویزو": "ویزہ",
"ویزوں": "ویزہ",
"وزیر": "وزیر",
"وزیرو": "وزیر",
"وزیروں": "وزیر",
"وضاحت": "وضاحت",
"وضاحتو": "وضاحت",
"وضاحتوں": "وضاحت",
"وضاحتیں": "وضاحت",
"وضعداری": "وضعداری",
"وضعداریاں": "وضعداری",
"وضعداریو": "وضعداری",
"وضعداریوں": "وضعداری",
"وضو": "وضو",
"وضوؤ": "وضو",
"وضوؤں": "وضو",
"وطن": "وطن",
"وطنو": "وطن",
"وطنوں": "وطن",
"وطیرے": "وطیرہ",
"وطیرہ": "وطیرہ",
"وطیرو": "وطیرہ",
"وطیروں": "وطیرہ",
"وظیفے": "وظیفہ",
"وظیفہ": "وظیفہ",
"وظیفو": "وظیفہ",
"وظیفوں": "وظیفہ",
"یَہاں": "یَہاں",
"یِہ": "میں",
"یا": "یا",
"یاد": "یاد",
"یاداشت": "یاداشت",
"یاداشتو": "یاداشت",
"یاداشتوں": "یاداشت",
"یاداشتیں": "یاداشت",
"یاددہانی": "یاددہانی",
"یاددہانیاں": "یاددہانی",
"یاددہانیو": "یاددہانی",
"یاددہانیوں": "یاددہانی",
"یادگار": "یادگار",
"یادگارو": "یادگار",
"یادگاروں": "یادگار",
"یادگاریں": "یادگار",
"یادو": "یاد",
"یادوں": "یاد",
"یادیں": "یاد",
"یار": "یار",
"یارو": "یار",
"یاروں": "یار",
"یاتری": "یاتری",
"یاتریو": "یاتری",
"یاتریوں": "یاتری",
"یہ": "میں",
"یہاں": "یَہاں",
"یہودی": "یہودی",
"یہودیو": "یہودی",
"یہودیوں": "یہودی",
"یک": "یک",
"یکے": "یکہ",
"یکہ": "یکہ",
"یکو": "یکہ",
"یکوں": "یکہ",
"یت": "یت",
"یتو": "یت",
"یتوں": "یت",
"یتیں": "یت",
"یتیم": "یتیم",
"یتیمو": "یتیم",
"یتیموں": "یتیم",
"یونانی": "یونانی",
"یونانیو": "یونانی",
"یونانیوں": "یونانی",
"یونیورسٹی": "یونیورسٹی",
"یونیورسٹیاں": "یونیورسٹی",
"یونیورسٹیو": "یونیورسٹی",
"یونیورسٹیوں": "یونیورسٹی",
"زِنْدَہ": "زِنْدَہ",
"زخم": "زخم",
"زخمو": "زخم",
"زخموں": "زخم",
"زخمی": "زخمی",
"زخمیو": "زخمی",
"زخمیوں": "زخمی",
"زاد": "زاد",
"زادے": "زادہ",
"زادہ": "زادہ",
"زادت": "زادت",
"زادتو": "زادت",
"زادتوں": "زادت",
"زادتیں": "زادت",
"زادو": "زادہ",
"زادوں": "زادہ",
"زادی": "زادی",
"زادیاں": "زادی",
"زادیو": "زادی",
"زادیوں": "زادی",
"زاہد": "زاہد",
"زاہدے": "زاہدہ",
"زاہدہ": "زاہدہ",
"زاہدو": "زاہدہ",
"زاہدوں": "زاہدہ",
"زار": "زار",
"زارو": "زار",
"زاروں": "زار",
"زاری": "زاری",
"زاریاں": "زاری",
"زاریو": "زاری",
"زاریوں": "زاری",
"زاویے": "زاویہ",
"زاویہ": "زاویہ",
"زاویو": "زاویہ",
"زاویوں": "زاویہ",
"زبان": "زبان",
"زبانو": "زبان",
"زبانوں": "زبان",
"زبانیں": "زبان",
"زچگی": "زچگی",
"زچگیاں": "زچگی",
"زچگیو": "زچگی",
"زچگیوں": "زچگی",
"زدے": "زدہ",
"زدہ": "زدہ",
"زدو": "زدہ",
"زدوں": "زدہ",
"زلف": "زلف",
"زلفو": "زلف",
"زلفوں": "زلف",
"زلفیں": "زلف",
"زلزلے": "زلزلہ",
"زلزلہ": "زلزلہ",
"زلزلو": "زلزلہ",
"زلزلوں": "زلزلہ",
"زمانے": "زمانہ",
"زمانہ": "زمانہ",
"زمانو": "زمانہ",
"زمانوں": "زمانہ",
"زمرے": "زمرہ",
"زمرہ": "زمرہ",
"زمرو": "زمرہ",
"زمروں": "زمرہ",
"زمین": "زمین",
"زمیندار": "زمیندار",
"زمیندارو": "زمیندار",
"زمینداروں": "زمیندار",
"زمینو": "زمین",
"زمینوں": "زمین",
"زمینیں": "زمین",
"زنے": "زنا",
"زنا": "زنا",
"زنانے": "زنانہ",
"زنانہ": "زنانہ",
"زنانو": "زنانہ",
"زنانوں": "زنانہ",
"زندے": "زندہ",
"زندگی": "زندگی",
"زندگیاں": "زندگی",
"زندگیو": "زندگی",
"زندگیوں": "زندگی",
"زندہ": "زندہ",
"زندو": "زندہ",
"زندوں": "زندہ",
"زنجیر": "زنجیر",
"زنجیرو": "زنجیر",
"زنجیروں": "زنجیر",
"زنجیریں": "زنجیر",
"زنو": "زنا",
"زنوں": "زنا",
"زر": "زر",
"زرے": "زرہ",
"زراعت": "زراعت",
"زراعتو": "زراعت",
"زراعتوں": "زراعت",
"زراعتیں": "زراعت",
"زردے": "زردہ",
"زردار": "زردار",
"زردارو": "زردار",
"زرداروں": "زردار",
"زردہ": "زردہ",
"زردو": "زردہ",
"زردوں": "زردہ",
"زردی": "زردی",
"زردیاں": "زردی",
"زردیو": "زردی",
"زردیوں": "زردی",
"زرہ": "زرہ",
"زرو": "زرہ",
"زروں": "زرہ",
"زور": "زور",
"زورو": "زور",
"زوروں": "زور",
"زیادہ": "زیادہ",
"زیادتی": "زیادتی",
"زیادتیاں": "زیادتی",
"زیادتیو": "زیادتی",
"زیادتیوں": "زیادتی",
"زیارت": "زیارت",
"زیارتو": "زیارت",
"زیارتوں": "زیارت",
"زیارتیں": "زیارت",
"زین": "زین",
"زینے": "زینہ",
"زینہ": "زینہ",
"زینو": "زینہ",
"زینوں": "زینہ",
"زینیں": "زین",
"زیر": "زیر",
"زیرو": "زیر",
"زیروں": "زیر",
"زیریں": "زیر",
"زیور": "زیور",
"زیورو": "زیور",
"زیوروں": "زیور",
"ضابط": "ضابط",
"ضابطے": "ضابطہ",
"ضابطگی": "ضابطگی",
"ضابطگیاں": "ضابطگی",
"ضابطگیو": "ضابطگی",
"ضابطگیوں": "ضابطگی",
"ضابطہ": "ضابطہ",
"ضابطو": "ضابطہ",
"ضابطوں": "ضابطہ",
"ضابطیں": "ضابط",
"ضعیف": "ضعیف",
"ضعیفے": "ضعیفہ",
"ضعیفہ": "ضعیفہ",
"ضعیفو": "ضعیفہ",
"ضعیفوں": "ضعیفہ",
"ضلع": "ضلع",
"ضلعے": "ضلع",
"ضلعو": "ضلع",
"ضلعوں": "ضلع",
"ضمنی": "ضمنی",
"ضمنیو": "ضمنی",
"ضمنیوں": "ضمنی",
"ضمیمے": "ضمیمہ",
"ضمیمہ": "ضمیمہ",
"ضمیمو": "ضمیمہ",
"ضمیموں": "ضمیمہ",
"ضرورت": "ضرورت",
"ضرورتاں": "ضرورت",
"ضرورتو": "ضرورت",
"ضرورتوں": "ضرورت",
"ضرورتیں": "ضرورت",
"ضیافت": "ضیافت",
"ضیافتاں": "ضیافت",
"ضیافتو": "ضیافت",
"ضیافتوں": "ضیافت",
"ضیافتیں": "ضیافت",
"طاعت": "طاعت",
"طاعتو": "طاعت",
"طاعتوں": "طاعت",
"طاعتیں": "طاعت",
"طالب": "طالب",
"طالبے": "طالبہ",
"طالبعلم": "طالبعلم",
"طالبعلمو": "طالبعلم",
"طالبعلموں": "طالبعلم",
"طالبہ": "طالبہ",
"طالبو": "طالبہ",
"طالبوں": "طالبہ",
"طاق": "طاق",
"طاقچے": "طاقچہ",
"طاقچہ": "طاقچہ",
"طاقچو": "طاقچہ",
"طاقچوں": "طاقچہ",
"طاقت": "طاقت",
"طاقتاں": "طاقت",
"طاقتو": "طاقت",
"طاقتوے": "طاقتور",
"طاقتوں": "طاقت",
"طاقتور": "طاقتور",
"طاقتوی": "طاقتور",
"طاقتیں": "طاقت",
"طاقو": "طاق",
"طاقوں": "طاق",
"طائر": "طائر",
"طائرو": "طائر",
"طائروں": "طائر",
"طبلے": "طبلہ",
"طبلہ": "طبلہ",
"طبلو": "طبلہ",
"طبلوں": "طبلہ",
"طبق": "طبق",
"طبقے": "طبقہ",
"طبقہ": "طبقہ",
"طبقو": "طبقہ",
"طبقوں": "طبقہ",
"طبیعت": "طبیعت",
"طبیعتاں": "طبیعت",
"طبیعتو": "طبیعت",
"طبیعتوں": "طبیعت",
"طبیعتیں": "طبیعت",
"طعنے": "طعنہ",
"طعنہ": "طعنہ",
"طعنو": "طعنہ",
"طعنوں": "طعنہ",
"طلاق": "طلاق",
"طلاقو": "طلاق",
"طلاقوں": "طلاق",
"طلاقیں": "طلاق",
"طلب": "طلب",
"طلبو": "طلب",
"طلبوں": "طلب",
"طلبی": "طلبی",
"طلبیں": "طلب",
"طلبیاں": "طلبی",
"طلبیو": "طلبی",
"طلبیوں": "طلبی",
"طلعت": "طلعت",
"طلعتو": "طلعت",
"طلعتوں": "طلعت",
"طلعتیں": "طلعت",
"طمانچے": "طمانچہ",
"طمانچہ": "طمانچہ",
"طمانچو": "طمانچہ",
"طمانچوں": "طمانچہ",
"طنطنے": "طنطنہ",
"طنطنہ": "طنطنہ",
"طنطنو": "طنطنہ",
"طنطنوں": "طنطنہ",
"طرے": "طرہ",
"طرازی": "طرازی",
"طرازیاں": "طرازی",
"طرازیو": "طرازی",
"طرازیوں": "طرازی",
"طرہ": "طرہ",
"طرقے": "طرقہ",
"طرقہ": "طرقہ",
"طرقو": "طرقہ",
"طرقوں": "طرقہ",
"طرو": "طرہ",
"طروں": "طرہ",
"طریقے": "طریقہ",
"طریقہ": "طریقہ",
"طریقو": "طریقہ",
"طریقوں": "طریقہ",
"طرز": "طرز",
"طرزو": "طرز",
"طرزوں": "طرز",
"طرزیں": "طرز",
"طوائف": "طوائف",
"طوائفو": "طوائف",
"طوائفوں": "طوائف",
"طوائفیں": "طوائف",
"طویلے": "طویلہ",
"طویلہ": "طویلہ",
"طویلو": "طویلہ",
"طویلوں": "طویلہ",
"طوطے": "طوطا",
"طوطا": "طوطا",
"طوطو": "طوطا",
"طوطوں": "طوطا",
"طیارے": "طیارہ",
"طیارہ": "طیارہ",
"طیارو": "طیارہ",
"طیاروں": "طیارہ",
"ظالم": "ظالم",
"ظالمو": "ظالم",
"ظالموں": "ظالم",
"ظلم": "ظلم",
"ظلمو": "ظلم",
"ظلموں": "ظلم"
} | recognai/spaCy | spacy/lang/ur/lemmatizer.py | Python | mit | 921,455 |
# -*- coding: utf-8 -*-
from django.shortcuts import render
from .models import *
from .forms import *
from comunicacion.lugar.models import *
from mapeo.models import *
from django.http import HttpResponse
from django.db.models import Sum, Count, Avg
import collections
import numpy as np
# Create your views here.
def _queryset_filtrado(request):
params = {}
if request.session['year']:
params['annio'] = request.session['year']
if request.session['municipio']:
params['productor__comunidad__municipio__in'] = request.session['municipio']
else:
if request.session['comunidad']:
params['productor__comunidad__in'] = request.session['comunidad']
if request.session['ciclo']:
params['ciclo_productivo'] = request.session['ciclo']
if request.session['rubro']:
params['cultivo'] = request.session['rubro']
if request.session['organizacion']:
params['productor__productor__organizacion'] = request.session['organizacion']
unvalid_keys = []
for key in params:
if not params[key]:
unvalid_keys.append(key)
for key in unvalid_keys:
del params[key]
return Monitoreo.objects.filter(**params)
def consulta(request,template="granos_basicos/consulta.html"):
if request.method == 'POST':
mensaje = None
form = Consulta(request.POST)
if form.is_valid():
request.session['year'] = form.cleaned_data['year']
request.session['municipio'] = form.cleaned_data['municipio']
request.session['comunidad'] = form.cleaned_data['comunidad']
request.session['ciclo'] = form.cleaned_data['ciclo']
request.session['rubro'] = form.cleaned_data['rubro']
request.session['organizacion'] = form.cleaned_data['organizacion']
mensaje = "Todas las variables estan correctamente :)"
request.session['activo'] = True
centinela = 1
else:
centinela = 0
else:
form = Consulta()
mensaje = "Existen alguno errores"
centinela = 0
try:
del request.session['year']
del request.session['municipio']
del request.session['comunidad']
del request.session['ciclo']
del request.session['rubro']
del request.session['organizacion']
except:
pass
return render(request, template, locals())
def genero_produccion(request,template="granos_basicos/productores/genero_produccion.html"):
filtro = _queryset_filtrado(request)
productores = filtro.distinct('productor').count()
CHOICE_SEXO = ((1,'Hombre'),(2,'Mujer'))
choice = ((1,'Hombre'),(2,'Mujer'),(3,'Compartida'))
sexo_productor = {}
for obj in choice:
conteo = filtro.filter(productor__productor__jefe = obj[0]).distinct('productor').count()
sexo_productor[obj[1]] = conteo
if request.GET.get('jefe'):
jefe = request.GET['jefe']
if jefe == '1':
CHOICE_SEXO_JEFE = ((1,'Hombre'),)
elif jefe == '2':
CHOICE_SEXO_JEFE = ((2,'Mujer'),)
elif jefe == '3':
CHOICE_SEXO_JEFE = ((3,'Compartida'),)
else:
CHOICE_SEXO_JEFE = ((1,'Hombre'),(2,'Mujer'),(3,'Compartida'))
RELACION_CHOICES = ((1,'Jefe/Jefa de familia'),(2,'Cónyuge'),
(3,'Hijo/Hija'),(4,'Otro familiar'),
(5,'Administrador'),)
prod_gb = {}
prod = {}
dic_relacion = {}
for obj in CHOICE_SEXO_JEFE:
for x in CHOICE_SEXO:
#relacion entre responsables de familia
jefe_familia = filtro.filter(productor__sexo = x[0],productor__productor__jefe = obj[0]).distinct('productor').count()
prod[x[1]] = jefe_familia
for relacion in RELACION_CHOICES:
conteo = filtro.filter(productor__productorgranosbasicos__relacion = relacion[0],productor__productor__jefe = obj[0]).distinct('productor').count()
dic_relacion[relacion[1]] = conteo
for x in CHOICE_SEXO:
conteo = filtro.filter(productor__sexo = x[0]).distinct('productor').count()
prod_gb[x[1]] = conteo
return render(request, template, locals())
def composicion_familiar(request,template="granos_basicos/productores/composicion_familiar.html"):
filtro = _queryset_filtrado(request)
productores = filtro.distinct('productor').count()
#nuevas salidas
lista_hijos = []
lista_hijas = []
lista_sumatoria = []
for obj in filtro:
hijos = ComposicionFamiliar.objects.filter(persona = obj.productor,familia = '3').count()
lista_hijos.append(hijos)
hijas = ComposicionFamiliar.objects.filter(persona = obj.productor,familia = '4').count()
lista_hijas.append(hijas)
sumatoria = hijos + hijas
lista_sumatoria.append(sumatoria)
result = []
#promedio,mediana,desviacion standard, minimo y maximo
promedios = [np.mean(lista_hijos),np.mean(lista_hijas),np.mean(lista_sumatoria)]
mediana = [np.median(lista_hijos),np.median(lista_hijas),np.median(lista_sumatoria)]
desviacion = [np.std(lista_hijos),np.std(lista_hijas),np.std(lista_sumatoria)]
minimo = [min(lista_hijos),min(lista_hijas),min(lista_sumatoria)]
maximo = [max(lista_hijos),max(lista_hijas),max(lista_sumatoria)]
# agregando a la lista
result.append(promedios)
result.append(mediana)
result.append(desviacion)
result.append(minimo)
result.append(maximo)
#grafico nivel educativo de los padres en las familias
ESCOLARIDAD_CHOICES = (
(1,'Ninguno'),(2,'Primaria Incompleta'),(3,'Primaria'),
(4,'Secundaria Incompleta'),(5,'Secundaria'),(6,'Técnico'),
(7,'Universitario'),(8,'Profesional'))
escolaridad = collections.OrderedDict()
for obj in ESCOLARIDAD_CHOICES:
madre = filtro.filter(productor__composicionfamiliar__familia = '2',
productor__composicionfamiliar__escolaridad = obj[0]).distinct('productor__composicionfamiliar').count()
padre = filtro.filter(productor__composicionfamiliar__familia = '1',
productor__composicionfamiliar__escolaridad = obj[0]).distinct('productor__composicionfamiliar').count()
#hijos--------------------
hijos_5_12 = filtro.filter(productor__composicionfamiliar__familia = '3',
productor__composicionfamiliar__escolaridad = obj[0],
productor__composicionfamiliar__edad__range = (5,12)).distinct('productor__composicionfamiliar').count()
hijos_13_18 = filtro.filter(productor__composicionfamiliar__familia = '3',
productor__composicionfamiliar__escolaridad = obj[0],
productor__composicionfamiliar__edad__range = (13,18)).distinct('productor__composicionfamiliar').count()
hijos_19 = filtro.filter(productor__composicionfamiliar__familia = '3',
productor__composicionfamiliar__escolaridad = obj[0],
productor__composicionfamiliar__edad__range = (19,100)).distinct('productor__composicionfamiliar').count()
#hijas--------------------
hijas_5_12 = filtro.filter(productor__composicionfamiliar__familia = '4',
productor__composicionfamiliar__escolaridad = obj[0],
productor__composicionfamiliar__edad__range = (5,12)).distinct('productor__composicionfamiliar').count()
hijas_13_18 = filtro.filter(productor__composicionfamiliar__familia = '4',
productor__composicionfamiliar__escolaridad = obj[0],
productor__composicionfamiliar__edad__range = (13,18)).distinct('productor__composicionfamiliar').count()
hijas_19 = filtro.filter(productor__composicionfamiliar__familia = '4',
productor__composicionfamiliar__escolaridad = obj[0],
productor__composicionfamiliar__edad__range = (19,100)).distinct('productor__composicionfamiliar').count()
escolaridad[obj[1]] = (madre,padre,
hijos_5_12,hijos_13_18,hijos_19,
hijas_5_12,hijas_13_18,hijas_19)
#--------------------------------------------------------------------------------
SI_NO_CHOICES = ((1,'Si'),(2,'No'))
FAMILIA_CHOICES = ((1,'Padre'),(2,'Madre'),(3,'Hijo'),(4,'Hija'),(5,'Hermano'),
(6,'Hermana'),(7,'Sobrino'),(8,'Sobrina'),(9,'Abuelo'),
(10,'Abuela'),(11,'Cuñado'),(12,'Cuñada'),(13,'Yerno'),
(14,'Nuera'),(15,'Otro'),)
list_participacion = []
for obj in FAMILIA_CHOICES:
total = filtro.filter(productor__composicionfamiliar__familia = obj[0]).distinct(
'productor__composicionfamiliar').count()
si_participa = filtro.filter(productor__composicionfamiliar__familia = obj[0],
productor__composicionfamiliar__participacion = '1').distinct(
'productor__composicionfamiliar').count()
promedio = total / float(productores)
promedio = round(promedio, 2)
list_participacion.append((obj[1],saca_porcentajes(si_participa,total,False),promedio))
return render(request, template, locals())
def georeferencia(request,template="granos_basicos/monitoreos/georeferencia.html"):
filtro = _queryset_filtrado(request)
productores = filtro.distinct('productor').count()
lista_mapa = filtro.values('nombre_parcela','latitud','longitud')
mapa = []
for obj in lista_mapa:
if obj['latitud'] != None and obj['longitud'] != None:
mapa.append((obj['nombre_parcela'],obj['latitud'],obj['longitud']))
return render(request, template, locals())
def caracteristicas_parcela(request,template="granos_basicos/monitoreos/caracteristicas_parcela.html"):
filtro = _queryset_filtrado(request)
productores = filtro.distinct('productor').count()
lista_parcela = []
lista_inclinado = []
lista_plano = []
#edad parcela y profundidad capa arable
parcela = filtro.values('edad_parcela','profundidad_capa')
for obj in parcela:
if obj['edad_parcela'] != None and obj['profundidad_capa'] != None:
lista_parcela.append((obj['edad_parcela'],obj['profundidad_capa']))
#edad de las parcelas
menor_5 = filtro.filter(edad_parcela__range = (0,5)).count()
edad_6_20 = filtro.filter(edad_parcela__range = (5.1,20)).count()
mayor_20 = filtro.filter(edad_parcela__range = (20.1,100)).count()
for obj in filtro:
# % area inclinado > 60%
area = DistribucionPendiente.objects.filter(monitoreo = obj,seleccion = '1').values_list('inclinado',flat = True)
for x in area:
if x >= 60:
inclinado = DistribucionPendiente.objects.filter(monitoreo = obj,seleccion = '2').values_list('inclinado','monitoreo__profundidad_capa')
lista_inclinado.append(inclinado)
# % area plano > 60%
area1 = DistribucionPendiente.objects.filter(monitoreo = obj,seleccion = '1').values_list('plano',flat = True)
for y in area1:
if y >= 60:
plano = DistribucionPendiente.objects.filter(monitoreo = obj,seleccion = '2').values_list('plano','monitoreo__profundidad_capa')
lista_plano.append(plano)
#acceso agua
SI_NO_CHOICES = ((1,'Si'),(2,'No'))
acceso_agua = {}
conteo_si = 0
for obj in SI_NO_CHOICES:
conteo = filtro.filter(acceso_agua = obj[0]).count()
acceso_agua[obj[1]] = conteo
#fuente agua
fuente_agua = {}
conteo_si = filtro.filter(acceso_agua = 1).count()
for obj in ACCESO_AGUA_CHOICES:
conteo = filtro.filter(fuente_agua__icontains = obj[0]).count()
fuente_agua[obj[1]] = saca_porcentajes(conteo,conteo_si,False)
return render(request, template, locals())
def ciclo_productivo(request,template="granos_basicos/monitoreos/ciclo_productivo.html"):
filtro = _queryset_filtrado(request)
productores = filtro.distinct('productor').count()
#siembra
fecha_siembra = filtro.values_list('datosmonitoreo__fecha_siembra',flat = True)
lista_siembra = []
for obj in fecha_siembra:
if obj != None:
x = obj.isocalendar()[1]
lista_siembra.append(x)
l_siembra = sorted(lista_siembra)
dic_siembra = collections.OrderedDict()
for v in l_siembra:
count = l_siembra.count(v)
dic_siembra[v] = count
#cosecha
fecha_cosecha = filtro.values_list('datosmonitoreo__fecha_cosecha',flat = True)
lista_cosecha = []
for obj in fecha_cosecha:
if obj != None:
x = obj.isocalendar()[1]
lista_cosecha.append(x)
l_cosecha = sorted(lista_cosecha)
dic_cosecha = collections.OrderedDict()
for v in l_cosecha:
count = l_cosecha.count(v)
dic_cosecha[v] = count
return render(request, template, locals())
def uso_suelo(request,template="granos_basicos/monitoreos/uso_suelo.html"):
filtro = _queryset_filtrado(request)
productores = filtro.distinct('productor').count()
USO_SUELO_CHOICES = ((1,'Área Total'),(2,'Cultivos Anuales (GB)'),(3,'Cultivos perennes'),
(4,'Tacotales'),(5,'Potreros'),(6,'Pasto de Corte'))
total = filtro.filter(productor__usosuelo__uso = '1').aggregate(total = Sum('productor__usosuelo__cantidad'))['total']
uso_suelo = collections.OrderedDict()
for obj in USO_SUELO_CHOICES:
#tabla 1
familias = filtro.filter(productor__usosuelo__uso = obj[0]).count()
mz = filtro.filter(productor__usosuelo__uso = obj[0]).aggregate(total = Sum('productor__usosuelo__cantidad'))['total']
porcentaje = saca_porcentajes(mz,total,False)
try:
promedio = mz / float(productores)
except:
promedio = 0
#diccionario de datos
uso_suelo[obj[1]] = (familias,mz,porcentaje,promedio)
#tabla 2
tamano_finca = filtro.filter(productor__usosuelo__uso = '1').values_list('productor__usosuelo__cantidad',flat = True)
granos_basicos = filtro.filter(productor__usosuelo__uso = '2').values_list('productor__usosuelo__cantidad',flat = True)
area_siembra = filtro.values_list('datosmonitoreo__area_siembra',flat = True)
result = []
#promedio,mediana,desviacion standard, minimo y maximo
promedios = [np.mean(tamano_finca),np.mean(granos_basicos)]
mediana = [np.median(tamano_finca),np.median(granos_basicos)]
desviacion = [np.std(tamano_finca),np.std(granos_basicos)]
minimo = [min(tamano_finca),min(granos_basicos)]
maximo = [max(tamano_finca),max(granos_basicos)]
# agregando a la lista
result.append(promedios)
result.append(mediana)
result.append(desviacion)
result.append(minimo)
result.append(maximo)
#distribucion area de siembra
menor_1 = filtro.filter(datosmonitoreo__area_siembra__range = (0,0.99)).count()
entre_1_2 = filtro.filter(datosmonitoreo__area_siembra__range = (1,2)).count()
entre_2_3 = filtro.filter(datosmonitoreo__area_siembra__range = (2.1,3)).count()
entre_3_4 = filtro.filter(datosmonitoreo__area_siembra__range = (3.1,4)).count()
entre_4_5 = filtro.filter(datosmonitoreo__area_siembra__range = (4.1,5)).count()
#promedio area de siembra
area_siembra = filtro.values_list('datosmonitoreo__area_siembra',flat = True)
lista = []
for obj in area_siembra:
if obj != None:
lista.append(obj)
promedio_area = np.mean(lista)
desviacion_area = np.std(lista)
mediana_area = np.median(lista)
minimo_area = min(lista)
maximo_area = max(lista)
return render(request, template, locals())
def recursos_economicos(request,template="granos_basicos/monitoreos/recursos_economicos.html"):
filtro = _queryset_filtrado(request)
productores = filtro.distinct('productor').count()
dic = {}
for obj in RESPUESTA_CHOICES:
conteo = filtro.filter(recursossiembra__respuesta = obj[0]).count()
dic[obj[1]] = conteo
return render(request, template, locals())
def rendimiento(request,template="granos_basicos/monitoreos/rendimiento.html"):
filtro = _queryset_filtrado(request)
productores = filtro.distinct('productor').count()
ANIO_CHOICES = ((2014,'2014'),(2015,'2015'),(2016,'2016'),(2017,'2017'),
(2018,'2018'),(2019,'2019'),(2020,'2020'),)
#maiz
rend_maiz = collections.OrderedDict()
productores_maiz = HistorialRendimiento.objects.filter(ciclo_productivo = '1',rubro = '1').distinct('monitoreo__productor').count()
for obj in ANIO_CHOICES:
primera_maiz = HistorialRendimiento.objects.filter(ciclo_productivo = '1',rubro = '1',
anio = obj[1]).aggregate(avg = Avg('rendimiento'))['avg']
postrera_maiz = HistorialRendimiento.objects.filter(ciclo_productivo = '2',rubro = '1',
anio = obj[1]).aggregate(avg = Avg('rendimiento'))['avg']
apante_maiz = HistorialRendimiento.objects.filter(ciclo_productivo = '3',rubro = '1',
anio = obj[1]).aggregate(avg = Avg('rendimiento'))['avg']
if primera_maiz != None or postrera_maiz != None or apante_maiz != None:
rend_maiz[obj[1]] = (primera_maiz,postrera_maiz,apante_maiz)
#frijol
rend_frijol = collections.OrderedDict()
productores_frijol = HistorialRendimiento.objects.filter(ciclo_productivo = '1',rubro = '2').distinct('monitoreo__productor').count()
for obj in ANIO_CHOICES:
primera_frijol = HistorialRendimiento.objects.filter(ciclo_productivo = '1',rubro = '2',
anio = obj[1]).aggregate(avg = Avg('rendimiento'))['avg']
postrera_frijol = HistorialRendimiento.objects.filter(ciclo_productivo = '2',rubro = '3',
anio = obj[1]).aggregate(avg = Avg('rendimiento'))['avg']
apante_frijol = HistorialRendimiento.objects.filter(ciclo_productivo = '3',rubro = '4',
anio = obj[1]).aggregate(avg = Avg('rendimiento'))['avg']
if primera_frijol != None or postrera_frijol != None or apante_frijol != None:
rend_frijol[obj[1]] = (primera_frijol,postrera_frijol,apante_frijol)
return render(request, template, locals())
def get_comunies(request):
ids = request.GET.get('ids', '')
results = []
dicc = {}
if ids:
lista = ids.split(',')
for id in lista:
monitoreos = Monitoreo.objects.filter(productor__municipio__id = id).distinct().values_list('productor__comunidad__id', flat=True)
municipios = Municipio.objects.get(pk = id)
comunies = Comunidad.objects.filter(municipio__id = municipios.pk,id__in = monitoreos).order_by('nombre')
lista1 = []
for c in comunies:
comu = {}
comu['id'] = c.id
comu['nombre'] = c.nombre
lista1.append(comu)
dicc[municipios.nombre] = lista1
return HttpResponse(simplejson.dumps(dicc), content_type = 'application/json')
def saca_porcentajes(dato, total, formato=True):
if dato != None:
try:
porcentaje = (dato/float(total)) * 100 if total != None or total != 0 else 0
except:
return 0
if formato:
return porcentaje
else:
return '%.2f' % porcentaje
else:
return 0
| ErickMurillo/ciat_plataforma | ficha_granos_basicos/views.py | Python | mit | 17,583 |
# -*- coding: utf-8 -*-
# Generated by Django 1.10.2 on 2016-12-12 07:08
from __future__ import unicode_literals
from django.db import migrations
class Migration(migrations.Migration):
dependencies = [
('mords_api', '0021_learningword'),
]
operations = [
migrations.RenameField(
model_name='learningword',
old_name='updated_date',
new_name='update_date',
),
]
| TeppieC/M-ords | mords_backend/mords_api/migrations/0022_auto_20161212_0008.py | Python | mit | 441 |
"""
Django settings for mysite project.
Generated by 'django-admin startproject' using Django 1.9.1.
For more information on this file, see
https://docs.djangoproject.com/en/1.9/topics/settings/
For the full list of settings and their values, see
https://docs.djangoproject.com/en/1.9/ref/settings/
"""
import os
# Build paths inside the project like this: os.path.join(BASE_DIR, ...)
BASE_DIR = os.path.dirname(os.path.dirname(os.path.abspath(__file__)))
# Quick-start development settings - unsuitable for production
# See https://docs.djangoproject.com/en/1.9/howto/deployment/checklist/
# SECURITY WARNING: keep the secret key used in production secret!
SECRET_KEY = '@w$i9&1blz%(h_kx4qsoq_2e11l#z9%=7+aseo1xdb-8^b-(b5'
# SECURITY WARNING: don't run with debug turned on in production!
DEBUG = True
ALLOWED_HOSTS = []
# Application definition
INSTALLED_APPS = [
'django.contrib.admin',
'django.contrib.auth',
'django.contrib.contenttypes',
'django.contrib.sessions',
'django.contrib.messages',
'django.contrib.staticfiles',
'ckeditor',
'ckeditor_uploader',
'blog',
'userprofiles',
]
MIDDLEWARE_CLASSES = [
'django.middleware.security.SecurityMiddleware',
'django.contrib.sessions.middleware.SessionMiddleware',
'django.middleware.common.CommonMiddleware',
'django.middleware.csrf.CsrfViewMiddleware',
'django.contrib.auth.middleware.AuthenticationMiddleware',
'django.contrib.auth.middleware.SessionAuthenticationMiddleware',
'django.contrib.messages.middleware.MessageMiddleware',
'django.middleware.clickjacking.XFrameOptionsMiddleware',
]
ROOT_URLCONF = 'mysite.urls'
TEMPLATES = [
{
'BACKEND': 'django.template.backends.django.DjangoTemplates',
'DIRS': [os.path.join(BASE_DIR, "templates")],
'APP_DIRS': True,
'OPTIONS': {
'context_processors': [
'django.template.context_processors.debug',
'django.template.context_processors.request',
'django.contrib.auth.context_processors.auth',
'django.contrib.messages.context_processors.messages',
],
},
},
]
WSGI_APPLICATION = 'mysite.wsgi.application'
# Database
# https://docs.djangoproject.com/en/1.9/ref/settings/#databases
DATABASES = {
'default': {
'ENGINE': 'django.db.backends.sqlite3',
'NAME': os.path.join(BASE_DIR, 'db.sqlite3'),
}
}
# Password validation
# https://docs.djangoproject.com/en/1.9/ref/settings/#auth-password-validators
AUTH_PASSWORD_VALIDATORS = [
{
'NAME': 'django.contrib.auth.password_validation.UserAttributeSimilarityValidator',
},
{
'NAME': 'django.contrib.auth.password_validation.MinimumLengthValidator',
},
{
'NAME': 'django.contrib.auth.password_validation.CommonPasswordValidator',
},
{
'NAME': 'django.contrib.auth.password_validation.NumericPasswordValidator',
},
]
# Internationalization
# https://docs.djangoproject.com/en/1.9/topics/i18n/
LANGUAGE_CODE = 'en-us'
TIME_ZONE = 'UTC'
USE_I18N = True
USE_L10N = True
USE_TZ = True
# Static files (CSS, JavaScript, Images)
# https://docs.djangoproject.com/en/1.9/howto/static-files/
STATIC_URL = '/static/'
STATICFILES_DIRS = (
os.path.join(BASE_DIR, "static"),
)
STATIC_ROOT = os.path.join(BASE_DIR, "public/static")
MEDIA_URL = '/media/'
MEDIA_ROOT = os.path.join(BASE_DIR, 'public/media')
CKEDITOR_JQUERY_URL = 'https://ajax.googleapis.com/ajax/libs/jquery/2.1.1/jquery.min.js'
CKEDITOR_UPLOAD_PATH = "uploads/"
CKEDITOR_UPLOAD_SLUGIFY_FILENAME = False
CKEDITOR_RESTRICT_BY_USER = True
CKEDITOR_BROWSE_SHOW_DIRS = True
CKEDITOR_IMAGE_BACKEND = "pillow"
| janusnic/dj-21v | unit_10/mysite/mysite/settings.py | Python | mit | 3,736 |
#### NOTICE: THIS FILE IS AUTOGENERATED
#### MODIFICATIONS MAY BE LOST IF DONE IMPROPERLY
#### PLEASE SEE THE ONLINE DOCUMENTATION FOR EXAMPLES
from swgpy.object import *
def create(kernel):
result = Intangible()
result.template = "object/draft_schematic/clothing/shared_clothing_armor_mandalorian_bracer_r.iff"
result.attribute_template_id = -1
result.stfName("string_id_table","")
#### BEGIN MODIFICATIONS ####
#### END MODIFICATIONS ####
return result | anhstudios/swganh | data/scripts/templates/object/draft_schematic/clothing/shared_clothing_armor_mandalorian_bracer_r.py | Python | mit | 473 |
from decimal import Decimal
import mock
from unittest2 import TestCase
from restorm.clients.jsonclient import JSONClient, JSONClientMixin
class JSONClientTests(TestCase):
def setUp(self):
self.client = JSONClient()
@mock.patch('httplib2.Http.request')
def test_get(self, request):
request.return_value = ({'Status': 200, 'Content-Type': 'application/json'}, '{"foo": "bar"}')
response = self.client.get(uri='http://localhost/api')
data = response.content
self.assertIsInstance(data, dict)
self.assertTrue('foo' in data)
self.assertEqual(data['foo'], 'bar')
@mock.patch('httplib2.Http.request')
def test_incorrect_content_type(self, request):
request.return_value = ({'Status': 200, 'Content-Type': 'foobar'}, '{"foo": "bar"}')
response = self.client.get(uri='http://localhost/api')
data = response.content
self.assertIsInstance(data, basestring)
self.assertEqual(data, '{"foo": "bar"}')
class JSONClientMixinTests(TestCase):
def setUp(self):
self.mixin = JSONClientMixin()
def test_empty(self):
original_data = None
serialized_data = self.mixin.serialize(original_data)
self.assertEqual(serialized_data, '')
deserialized_data = self.mixin.deserialize(serialized_data)
self.assertEqual(original_data, deserialized_data)
def test_empty_string(self):
original_data = ''
serialized_data = self.mixin.serialize(original_data)
self.assertEqual(serialized_data, '""')
deserialized_data = self.mixin.deserialize(serialized_data)
self.assertEqual(original_data, deserialized_data)
def test_complex_data(self):
original_data = {'a': ['b', 'c', 1, Decimal('2.3')]}
serialized_data = self.mixin.serialize(original_data)
self.assertEqual(serialized_data, '{"a": ["b", "c", 1, 2.3]}')
deserialized_data = self.mixin.deserialize(serialized_data)
self.assertEqual(original_data, deserialized_data)
| joeribekker/restorm | restorm/clients/tests/test_jsonclient.py | Python | mit | 2,145 |
#!/usr/bin/env python
"""Example code of learning a large scale convnet from ILSVRC2012 dataset.
Prerequisite: To run this example, crop the center of ILSVRC2012 training and
validation images and scale them to 256x256, and make two lists of space-
separated CSV whose first column is full path to image and second column is
zero-origin label (this format is same as that used by Caffe's ImageDataLayer).
"""
import argparse
import cPickle as pickle
from datetime import timedelta
import json
import math
from multiprocessing import Pool
from Queue import Queue
import random
import sys
from threading import Thread
import time
import cv2
import numpy as np
from chainer import cuda, Variable, FunctionSet, optimizers
import chainer.functions as F
parser = argparse.ArgumentParser(
description='Learning convnet from ILSVRC2012 dataset')
parser.add_argument('train', help='Path to training image-label list file')
parser.add_argument('val', help='Path to validation image-label list file')
parser.add_argument('--mean', '-m', default='mean.npy',
help='Path to the mean file (computed by compute_mean.py)')
parser.add_argument('--arch', '-a', default='nin',
help='Convnet architecture (nin, alexbn, googlenet, googlenetbn)')
parser.add_argument('--batchsize', '-B', type=int, default=32,
help='Learning minibatch size')
parser.add_argument('--val_batchsize', '-b', type=int, default=250,
help='Validation minibatch size')
parser.add_argument('--epoch', '-E', default=10, type=int,
help='Number of epochs to learn')
parser.add_argument('--gpu', '-g', default=-1, type=int,
help='GPU ID (negative value indicates CPU)')
parser.add_argument('--loaderjob', '-j', default=20, type=int,
help='Number of parallel data loading processes')
parser.add_argument('--out', '-o', default='model',
help='Path to save model on each validation')
args = parser.parse_args()
assert 50000 % args.val_batchsize == 0
# Prepare dataset
def load_image_list(path):
tuples = []
for line in open(path):
pair = line.strip().split()
tuples.append((pair[0], np.int32(pair[1])))
return tuples
train_list = load_image_list(args.train)
val_list = load_image_list(args.val)
mean_image = pickle.load(open(args.mean, 'rb'))
# Prepare model
if args.arch == 'nin':
import nin
model = nin.NIN()
elif args.arch == 'alexbn':
import alexbn
model = alexbn.AlexBN()
elif args.arch == 'googlenet':
import inception
model = inception.GoogLeNet()
elif args.arch == 'googlenetbn':
import inceptionbn
model = inceptionbn.GoogLeNetBN()
else:
raise ValueError('Invalid architecture name')
if args.gpu >= 0:
cuda.init(args.gpu)
model.to_gpu()
# Setup optimizer
optimizer = optimizers.MomentumSGD(lr=0.01, momentum=0.9)
optimizer.setup(model.collect_parameters())
# ------------------------------------------------------------------------------
# This example consists of three threads: data feeder, logger and trainer. These
# communicate with each other via Queue.
data_q = Queue(maxsize=1)
res_q = Queue()
# Data loading routine
cropwidth = 256 - model.insize
def read_image(path, center=False, flip=False):
image = cv2.imread(path).transpose(2, 0, 1)
if center:
top = left = cropwidth / 2
else:
top = random.randint(0, cropwidth - 1)
left = random.randint(0, cropwidth - 1)
bottom = model.insize + top
right = model.insize + left
image = image[[2, 1, 0], top:bottom, left:right].astype(np.float32)
image -= mean_image[:, top:bottom, left:right]
image /= 255
if flip and random.randint(0, 1) == 0:
return image[:, :, ::-1]
else:
return image
# Data feeder
def feed_data():
i = 0
count = 0
x_batch = np.ndarray(
(args.batchsize, 3, model.insize, model.insize), dtype=np.float32)
y_batch = np.ndarray((args.batchsize,), dtype=np.int32)
val_x_batch = np.ndarray(
(args.val_batchsize, 3, model.insize, model.insize), dtype=np.float32)
val_y_batch = np.ndarray((args.val_batchsize,), dtype=np.int32)
batch_pool = [None] * args.batchsize
val_batch_pool = [None] * args.val_batchsize
pool = Pool(args.loaderjob)
data_q.put('train')
for epoch in xrange(1, 1 + args.epoch):
print >> sys.stderr, 'epoch', epoch
print >> sys.stderr, 'learning rate', optimizer.lr
perm = np.random.permutation(len(train_list))
for idx in perm:
path, label = train_list[idx]
batch_pool[i] = pool.apply_async(read_image, (path, False, True))
y_batch[i] = label
i += 1
if i == args.batchsize:
for j, x in enumerate(batch_pool):
x_batch[j] = x.get()
data_q.put((x_batch.copy(), y_batch.copy()))
i = 0
count += 1
if count % 100000 == 0:
data_q.put('val')
j = 0
for path, label in val_list:
val_batch_pool[j] = pool.apply_async(
read_image, (path, True, False))
val_y_batch[j] = label
j += 1
if j == args.val_batchsize:
for k, x in enumerate(val_batch_pool):
val_x_batch[k] = x.get()
data_q.put((val_x_batch.copy(), val_y_batch.copy()))
j = 0
data_q.put('train')
optimizer.lr *= 0.97
pool.close()
pool.join()
data_q.put('end')
# Logger
def log_result():
train_count = 0
train_cur_loss = 0
train_cur_accuracy = 0
begin_at = time.time()
val_begin_at = None
while True:
result = res_q.get()
if result == 'end':
print >> sys.stderr, ''
break
elif result == 'train':
print >> sys.stderr, ''
train = True
if val_begin_at is not None:
begin_at += time.time() - val_begin_at
val_begin_at = None
continue
elif result == 'val':
print >> sys.stderr, ''
train = False
val_count = val_loss = val_accuracy = 0
val_begin_at = time.time()
continue
loss, accuracy = result
if train:
train_count += 1
duration = time.time() - begin_at
throughput = train_count * args.batchsize / duration
sys.stderr.write(
'\rtrain {} updates ({} samples) time: {} ({} images/sec)'
.format(train_count, train_count * args.batchsize,
timedelta(seconds=duration), throughput))
train_cur_loss += loss
train_cur_accuracy += accuracy
if train_count % 1000 == 0:
mean_loss = train_cur_loss / 1000
mean_error = 1 - train_cur_accuracy / 1000
print >> sys.stderr, ''
print json.dumps({'type': 'train', 'iteration': train_count,
'error': mean_error, 'loss': mean_loss})
sys.stdout.flush()
train_cur_loss = 0
train_cur_accuracy = 0
else:
val_count += args.val_batchsize
duration = time.time() - val_begin_at
throughput = val_count / duration
sys.stderr.write(
'\rval {} batches ({} samples) time: {} ({} images/sec)'
.format(val_count / args.val_batchsize, val_count,
timedelta(seconds=duration), throughput))
val_loss += loss
val_accuracy += accuracy
if val_count == 50000:
mean_loss = val_loss * args.val_batchsize / 50000
mean_error = 1 - val_accuracy * args.val_batchsize / 50000
print >> sys.stderr, ''
print json.dumps({'type': 'val', 'iteration': train_count,
'error': mean_error, 'loss': mean_loss})
sys.stdout.flush()
# Trainer
def train_loop():
while True:
while data_q.empty():
time.sleep(0.1)
inp = data_q.get()
if inp == 'end': # quit
res_q.put('end')
break
elif inp == 'train': # restart training
res_q.put('train')
train = True
continue
elif inp == 'val': # start validation
res_q.put('val')
pickle.dump(model, open('model', 'wb'), -1)
train = False
continue
x, y = inp
if args.gpu >= 0:
x = cuda.to_gpu(x)
y = cuda.to_gpu(y)
if train:
optimizer.zero_grads()
loss, accuracy = model.forward(x, y)
loss.backward()
optimizer.update()
else:
loss, accuracy = model.forward(x, y, train=False)
res_q.put((float(cuda.to_cpu(loss.data)),
float(cuda.to_cpu(accuracy.data))))
del loss, accuracy, x, y
# Invoke threads
feeder = Thread(target=feed_data)
feeder.daemon = True
feeder.start()
logger = Thread(target=log_result)
logger.daemon = True
logger.start()
train_loop()
feeder.join()
logger.join()
# Save final model
pickle.dump(model, open('model', 'wb'), -1)
| ttakamura/chainer | examples/imagenet/train_imagenet.py | Python | mit | 9,557 |
# Copyright 2021 Google LLC
#
# Licensed under the Apache License, Version 2.0 (the "License");
# you may not use this file except in compliance with the License.
# You may obtain a copy of the License at
#
# http://www.apache.org/licenses/LICENSE-2.0
#
# Unless required by applicable law or agreed to in writing, software
# distributed under the License is distributed on an "AS IS" BASIS,
# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
# See the License for the specific language governing permissions and
# limitations under the License.
"""Helpers for rest transports."""
import functools
import operator
def flatten_query_params(obj):
"""Flatten a nested dict into a list of (name,value) tuples.
The result is suitable for setting query params on an http request.
.. code-block:: python
>>> obj = {'a':
... {'b':
... {'c': ['x', 'y', 'z']} },
... 'd': 'uvw', }
>>> flatten_query_params(obj)
[('a.b.c', 'x'), ('a.b.c', 'y'), ('a.b.c', 'z'), ('d', 'uvw')]
Note that, as described in
https://github.com/googleapis/googleapis/blob/48d9fb8c8e287c472af500221c6450ecd45d7d39/google/api/http.proto#L117,
repeated fields (i.e. list-valued fields) may only contain primitive types (not lists or dicts).
This is enforced in this function.
Args:
obj: a nested dictionary (from json), or None
Returns: a list of tuples, with each tuple having a (possibly) multi-part name
and a scalar value.
Raises:
TypeError if obj is not a dict or None
ValueError if obj contains a list of non-primitive values.
"""
if obj is not None and not isinstance(obj, dict):
raise TypeError("flatten_query_params must be called with dict object")
return _flatten(obj, key_path=[])
def _flatten(obj, key_path):
if obj is None:
return []
if isinstance(obj, dict):
return _flatten_dict(obj, key_path=key_path)
if isinstance(obj, list):
return _flatten_list(obj, key_path=key_path)
return _flatten_value(obj, key_path=key_path)
def _is_primitive_value(obj):
if obj is None:
return False
if isinstance(obj, (list, dict)):
raise ValueError("query params may not contain repeated dicts or lists")
return True
def _flatten_value(obj, key_path):
return [(".".join(key_path), obj)]
def _flatten_dict(obj, key_path):
items = (_flatten(value, key_path=key_path + [key]) for key, value in obj.items())
return functools.reduce(operator.concat, items, [])
def _flatten_list(elems, key_path):
# Only lists of scalar values are supported.
# The name (key_path) is repeated for each value.
items = (
_flatten_value(elem, key_path=key_path)
for elem in elems
if _is_primitive_value(elem)
)
return functools.reduce(operator.concat, items, [])
| martbhell/wasthereannhlgamelastnight | src/lib/google/api_core/rest_helpers.py | Python | mit | 2,929 |
import unittest
from palindromes import is_palindrome
cases = (
('lsdkjfskf', False),
('radar', True),
('racecar', True),
)
class TestCorrectness(unittest.TestCase):
def test_identifies_palindromes(self):
for word, expectation in cases:
self.assertEqual(is_palindrome(word), expectation)
| Bradfield/algorithms-and-data-structures | book/deques/palindromes_test.py | Python | cc0-1.0 | 328 |
from django.contrib import admin
from models.snippets import Contact
@admin.register(Contact)
class ContactAdmin(admin.ModelAdmin):
pass
| kave/cfgov-refresh | cfgov/v1/admin.py | Python | cc0-1.0 | 143 |
"""
Contains the manager class and exceptions for handling the mappings between
repositories and content units.
"""
from gettext import gettext as _
import logging
import sys
from celery import task
import pymongo
from pulp.plugins.conduits.unit_import import ImportUnitConduit
from pulp.plugins.config import PluginCallConfiguration
from pulp.plugins.loader import api as plugin_api
from pulp.server.async.tasks import Task
from pulp.server.db.model.criteria import UnitAssociationCriteria
from pulp.server.db.model.repository import RepoContentUnit
import pulp.plugins.conduits._common as conduit_common_utils
import pulp.plugins.types.database as types_db
import pulp.server.exceptions as exceptions
import pulp.server.managers.factory as manager_factory
import pulp.server.managers.repo._common as common_utils
# Shadowed here to remove the need for the caller to import RepoContentUnit
# to get access to them
OWNER_TYPE_IMPORTER = RepoContentUnit.OWNER_TYPE_IMPORTER
OWNER_TYPE_USER = RepoContentUnit.OWNER_TYPE_USER
_OWNER_TYPES = (OWNER_TYPE_IMPORTER, OWNER_TYPE_USER)
# Valid sort strings
SORT_TYPE_ID = 'type_id'
SORT_OWNER_TYPE = 'owner_type'
SORT_OWNER_ID = 'owner_id'
SORT_CREATED = 'created'
SORT_UPDATED = 'updated'
_VALID_SORTS = (SORT_TYPE_ID, SORT_OWNER_TYPE, SORT_OWNER_ID, SORT_CREATED, SORT_UPDATED)
SORT_ASCENDING = pymongo.ASCENDING
SORT_DESCENDING = pymongo.DESCENDING
_VALID_DIRECTIONS = (SORT_ASCENDING, SORT_DESCENDING)
logger = logging.getLogger(__name__)
class RepoUnitAssociationManager(object):
"""
Manager used to handle the associations between repositories and content
units. The functionality provided within assumes the repo and units have
been created outside of this manager.
"""
def associate_unit_by_id(self, repo_id, unit_type_id, unit_id, owner_type,
owner_id, update_repo_metadata=True):
"""
Creates an association between the given repository and content unit.
If there is already an association between the given repo and content
unit where all other metadata matches the input to this method,
this call has no effect.
Both repo and unit must exist in the database prior to this call,
however this call will not verify that for performance reasons. Care
should be taken by the caller to preserve the data integrity.
@param repo_id: identifies the repo
@type repo_id: str
@param unit_type_id: identifies the type of unit being added
@type unit_type_id: str
@param unit_id: uniquely identifies the unit within the given type
@type unit_id: str
@param owner_type: category of the caller making the association;
must be one of the OWNER_* variables in this module
@type owner_type: str
@param owner_id: identifies the caller making the association, either
the importer ID or user login
@type owner_id: str
@param update_repo_metadata: if True, updates the unit association count
after the new association is made. The last
unit added field will also be updated. Set this
to False when doing bulk associations, and
make one call to update the count at the end.
defaults to True
@type update_repo_metadata: bool
@raise InvalidType: if the given owner type is not of the valid enumeration
"""
if owner_type not in _OWNER_TYPES:
raise exceptions.InvalidValue(['owner_type'])
# If the association already exists, no need to do anything else
spec = {'repo_id': repo_id,
'unit_id': unit_id,
'unit_type_id': unit_type_id}
existing_association = RepoContentUnit.get_collection().find_one(spec)
if existing_association is not None:
return
similar_exists = False
if update_repo_metadata:
similar_exists = RepoUnitAssociationManager.association_exists(repo_id, unit_id,
unit_type_id)
# Create the database entry
association = RepoContentUnit(repo_id, unit_id, unit_type_id, owner_type, owner_id)
RepoContentUnit.get_collection().save(association, safe=True)
manager = manager_factory.repo_manager()
# update the count of associated units on the repo object
if update_repo_metadata and not similar_exists:
manager.update_unit_count(repo_id, unit_type_id, 1)
# update the record for the last added field
manager.update_last_unit_added(repo_id)
def associate_all_by_ids(self, repo_id, unit_type_id, unit_id_list, owner_type, owner_id):
"""
Creates multiple associations between the given repo and content units.
See associate_unit_by_id for semantics.
@param repo_id: identifies the repo
@type repo_id: str
@param unit_type_id: identifies the type of unit being added
@type unit_type_id: str
@param unit_id_list: list or generator of unique identifiers for units within the given type
@type unit_id_list: list or generator of str
@param owner_type: category of the caller making the association;
must be one of the OWNER_* variables in this module
@type owner_type: str
@param owner_id: identifies the caller making the association, either
the importer ID or user login
@type owner_id: str
:return: number of new units added to the repo
:rtype: int
@raise InvalidType: if the given owner type is not of the valid enumeration
"""
# There may be a way to batch this in mongo which would be ideal for a
# bulk operation like this. But for deadline purposes, this call will
# simply loop and call the single method.
unique_count = 0
for unit_id in unit_id_list:
if not RepoUnitAssociationManager.association_exists(repo_id, unit_id, unit_type_id):
unique_count += 1
self.associate_unit_by_id(repo_id, unit_type_id, unit_id, owner_type, owner_id, False)
# update the count of associated units on the repo object
if unique_count:
manager_factory.repo_manager().update_unit_count(
repo_id, unit_type_id, unique_count)
# update the timestamp for when the units were added to the repo
manager_factory.repo_manager().update_last_unit_added(repo_id)
return unique_count
@staticmethod
def associate_from_repo(source_repo_id, dest_repo_id, criteria=None,
import_config_override=None):
"""
Creates associations in a repository based on the contents of a source
repository. Units from the source repository can be filtered by
specifying a criteria object.
The destination repository must have an importer that can support
the types of units being associated. This is done by analyzing the
unit list and the importer metadata and takes place before the
destination repository is called.
Pulp does not actually perform the associations as part of this call.
The unit list is determined and passed to the destination repository's
importer. It is the job of the importer to make the associate calls
back into Pulp where applicable.
If criteria is None, the effect of this call is to copy the source
repository's associations into the destination repository.
:param source_repo_id: identifies the source repository
:type source_repo_id: str
:param dest_repo_id: identifies the destination repository
:type dest_repo_id: str
:param criteria: optional; if specified, will filter the units retrieved from
the source repository
:type criteria: UnitAssociationCriteria
:param import_config_override: optional config containing values to use for this import only
:type import_config_override: dict
:return: dict with key 'units_successful' whose
value is a list of unit keys that were copied.
units that were associated by this operation
:rtype: dict
:raise MissingResource: if either of the specified repositories don't exist
"""
# Validation
repo_query_manager = manager_factory.repo_query_manager()
importer_manager = manager_factory.repo_importer_manager()
source_repo = repo_query_manager.get_repository(source_repo_id)
dest_repo = repo_query_manager.get_repository(dest_repo_id)
# This will raise MissingResource if there isn't one, which is the
# behavior we want this method to exhibit, so just let it bubble up.
dest_repo_importer = importer_manager.get_importer(dest_repo_id)
source_repo_importer = importer_manager.get_importer(source_repo_id)
# The docs are incorrect on the list_importer_types call; it actually
# returns a dict with the types under key "types" for some reason.
supported_type_ids = plugin_api.list_importer_types(
dest_repo_importer['importer_type_id'])['types']
# If criteria is specified, retrieve the list of units now
associate_us = None
if criteria is not None:
associate_us = load_associated_units(source_repo_id, criteria)
# If units were supposed to be filtered but none matched, we're done
if len(associate_us) == 0:
# Return an empty list to indicate nothing was copied
return {'units_successful': []}
# Now we can make sure the destination repository's importer is capable
# of importing either the selected units or all of the units
associated_unit_type_ids = calculate_associated_type_ids(source_repo_id, associate_us)
unsupported_types = [t for t in associated_unit_type_ids if t not in supported_type_ids]
if len(unsupported_types) > 0:
raise exceptions.InvalidValue(['types'])
# Convert all of the units into the plugin standard representation if
# a filter was specified
transfer_units = None
if associate_us is not None:
transfer_units = create_transfer_units(associate_us, associated_unit_type_ids)
# Convert the two repos into the plugin API model
transfer_dest_repo = common_utils.to_transfer_repo(dest_repo)
transfer_dest_repo.working_dir = common_utils.importer_working_dir(
dest_repo_importer['importer_type_id'], dest_repo['id'], mkdir=True)
transfer_source_repo = common_utils.to_transfer_repo(source_repo)
transfer_source_repo.working_dir = common_utils.importer_working_dir(
source_repo_importer['importer_type_id'], source_repo['id'], mkdir=True)
# Invoke the importer
importer_instance, plugin_config = plugin_api.get_importer_by_id(
dest_repo_importer['importer_type_id'])
call_config = PluginCallConfiguration(plugin_config, dest_repo_importer['config'],
import_config_override)
login = manager_factory.principal_manager().get_principal()['login']
conduit = ImportUnitConduit(
source_repo_id, dest_repo_id, source_repo_importer['id'], dest_repo_importer['id'],
RepoContentUnit.OWNER_TYPE_USER, login)
try:
copied_units = importer_instance.import_units(
transfer_source_repo, transfer_dest_repo, conduit, call_config,
units=transfer_units)
unit_ids = [u.to_id_dict() for u in copied_units]
return {'units_successful': unit_ids}
except Exception:
msg = _('Exception from importer [%(i)s] while importing units into repository [%(r)s]')
msg = msg % {'i': dest_repo_importer['importer_type_id'], 'r': dest_repo_id}
logger.exception(msg)
raise exceptions.PulpExecutionException(), None, sys.exc_info()[2]
def unassociate_unit_by_id(self, repo_id, unit_type_id, unit_id, owner_type, owner_id,
notify_plugins=True):
"""
Removes the association between a repo and the given unit. Only the
association made by the given owner will be removed. It is possible the
repo will still have a manually created association will for the unit.
If no association exists between the repo and unit, this call has no
effect.
@param repo_id: identifies the repo
@type repo_id: str
@param unit_type_id: identifies the type of unit being removed
@type unit_type_id: str
@param unit_id: uniquely identifies the unit within the given type
@type unit_id: str
@param owner_type: category of the caller who created the association;
must be one of the OWNER_* variables in this module
@type owner_type: str
@param owner_id: identifies the caller who created the association, either
the importer ID or user login
@type owner_id: str
@param notify_plugins: if true, relevant plugins will be informed of the
removal
@type notify_plugins: bool
"""
return self.unassociate_all_by_ids(repo_id, unit_type_id, [unit_id], owner_type, owner_id,
notify_plugins=notify_plugins)
def unassociate_all_by_ids(self, repo_id, unit_type_id, unit_id_list, owner_type, owner_id,
notify_plugins=True):
"""
Removes the association between a repo and a number of units. Only the
association made by the given owner will be removed. It is possible the
repo will still have a manually created association will for the unit.
@param repo_id: identifies the repo
@type repo_id: str
@param unit_type_id: identifies the type of units being removed
@type unit_type_id: str
@param unit_id_list: list of unique identifiers for units within the given type
@type unit_id_list: list of str
@param owner_type: category of the caller who created the association;
must be one of the OWNER_* variables in this module
@type owner_type: str
@param owner_id: identifies the caller who created the association, either
the importer ID or user login
@type owner_id: str
@param notify_plugins: if true, relevant plugins will be informed of the
removal
@type notify_plugins: bool
"""
association_filters = {'unit_id': {'$in': unit_id_list}}
criteria = UnitAssociationCriteria(type_ids=[unit_type_id],
association_filters=association_filters)
return self.unassociate_by_criteria(repo_id, criteria, owner_type, owner_id,
notify_plugins=notify_plugins)
@staticmethod
def unassociate_by_criteria(repo_id, criteria, owner_type, owner_id, notify_plugins=True):
"""
Unassociate units that are matched by the given criteria.
:param repo_id: identifies the repo
:type repo_id: str
:param criteria:
:param owner_type: category of the caller who created the association
:type owner_type: str
:param owner_id: identifies the call who created the association
:type owner_id: str
:param notify_plugins: if true, relevant plugins will be informed of the removal
:type notify_plugins: bool
"""
association_query_manager = manager_factory.repo_unit_association_query_manager()
unassociate_units = association_query_manager.get_units(repo_id, criteria=criteria)
if len(unassociate_units) == 0:
return {}
unit_map = {} # maps unit_type_id to a list of unit_ids
for unit in unassociate_units:
id_list = unit_map.setdefault(unit['unit_type_id'], [])
id_list.append(unit['unit_id'])
collection = RepoContentUnit.get_collection()
repo_manager = manager_factory.repo_manager()
for unit_type_id, unit_ids in unit_map.items():
spec = {'repo_id': repo_id,
'unit_type_id': unit_type_id,
'unit_id': {'$in': unit_ids}
}
collection.remove(spec, safe=True)
unique_count = sum(
1 for unit_id in unit_ids if not RepoUnitAssociationManager.association_exists(
repo_id, unit_id, unit_type_id))
if not unique_count:
continue
repo_manager.update_unit_count(repo_id, unit_type_id, -unique_count)
repo_manager.update_last_unit_removed(repo_id)
# Convert the units into transfer units. This happens regardless of whether or not
# the plugin will be notified as it's used to generate the return result,
unit_type_ids = calculate_associated_type_ids(repo_id, unassociate_units)
transfer_units = create_transfer_units(unassociate_units, unit_type_ids)
if notify_plugins:
remove_from_importer(repo_id, transfer_units)
# Match the return type/format as copy
serializable_units = [u.to_id_dict() for u in transfer_units]
return {'units_successful': serializable_units}
@staticmethod
def association_exists(repo_id, unit_id, unit_type_id):
"""
Determines if an identical association already exists.
I know the order of arguments does not match other methods in this
module, but it does match the constructor for the RepoContentUnit
object, which I think is the higher authority.
@param repo_id: identifies the repo
@type repo_id: str
@param unit_type_id: identifies the type of unit being removed
@type unit_type_id: str
@param unit_id: uniquely identifies the unit within the given type
@type unit_id: str
@return: True if unique else False
@rtype: bool
"""
spec = {
'repo_id': repo_id,
'unit_id': unit_id,
'unit_type_id': unit_type_id,
}
unit_coll = RepoContentUnit.get_collection()
existing_count = unit_coll.find(spec).count()
return bool(existing_count)
associate_from_repo = task(RepoUnitAssociationManager.associate_from_repo, base=Task)
unassociate_by_criteria = task(RepoUnitAssociationManager.unassociate_by_criteria, base=Task)
def load_associated_units(source_repo_id, criteria):
criteria.association_fields = None
# Retrieve the units to be associated
association_query_manager = manager_factory.repo_unit_association_query_manager()
associate_us = association_query_manager.get_units(source_repo_id, criteria=criteria)
return associate_us
def calculate_associated_type_ids(source_repo_id, associated_units):
if associated_units is not None:
associated_unit_type_ids = set([u['unit_type_id'] for u in associated_units])
else:
association_query_manager = manager_factory.repo_unit_association_query_manager()
associated_unit_type_ids = association_query_manager.unit_type_ids_for_repo(source_repo_id)
return associated_unit_type_ids
def create_transfer_units(associate_units, associated_unit_type_ids):
type_defs = {}
for def_id in associated_unit_type_ids:
type_def = types_db.type_definition(def_id)
type_defs[def_id] = type_def
transfer_units = []
for unit in associate_units:
type_id = unit['unit_type_id']
u = conduit_common_utils.to_plugin_associated_unit(unit, type_defs[type_id])
transfer_units.append(u)
return transfer_units
def remove_from_importer(repo_id, transfer_units):
# Retrieve the repo from the database and convert to the transfer repo
repo_query_manager = manager_factory.repo_query_manager()
repo = repo_query_manager.get_repository(repo_id)
importer_manager = manager_factory.repo_importer_manager()
repo_importer = importer_manager.get_importer(repo_id)
transfer_repo = common_utils.to_transfer_repo(repo)
transfer_repo.working_dir = common_utils.importer_working_dir(repo_importer['importer_type_id'],
repo_id, mkdir=True)
# Retrieve the plugin instance to invoke
importer_instance, plugin_config = plugin_api.get_importer_by_id(
repo_importer['importer_type_id'])
call_config = PluginCallConfiguration(plugin_config, repo_importer['config'])
# Invoke the importer's remove method
try:
importer_instance.remove_units(transfer_repo, transfer_units, call_config)
except Exception:
msg = _('Exception from importer [%(i)s] while removing units from repo [%(r)s]')
msg = msg % {'i': repo_importer['id'], 'r': repo_id}
logger.exception(msg)
# Do not raise the exception; this should not block the removal and is
# intended to be more informational to the plugin rather than a requirement
| beav/pulp | server/pulp/server/managers/repo/unit_association.py | Python | gpl-2.0 | 21,921 |
# This file is part of Buildbot. Buildbot is free software: you can
# redistribute it and/or modify it under the terms of the GNU General Public
# License as published by the Free Software Foundation, version 2.
#
# This program is distributed in the hope that it will be useful, but WITHOUT
# ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or FITNESS
# FOR A PARTICULAR PURPOSE. See the GNU General Public License for more
# details.
#
# You should have received a copy of the GNU General Public License along with
# this program; if not, write to the Free Software Foundation, Inc., 51
# Franklin Street, Fifth Floor, Boston, MA 02110-1301 USA.
#
# Copyright Buildbot Team Members
from twisted.internet import defer
from twisted.trial import unittest
from buildbot.test.fake import httpclientservice as fakehttpclientservice
from buildbot.test.util import www
from buildbot.test.util.misc import TestReactorMixin
from buildbot.www import auth
from buildbot.www import avatar
class TestAvatar(avatar.AvatarBase):
def getUserAvatar(self, email, username, size, defaultAvatarUrl):
return defer.succeed((b"image/png", '{!r} {!r} {!r}'.format(
email, size, defaultAvatarUrl).encode('utf-8')))
class AvatarResource(TestReactorMixin, www.WwwTestMixin, unittest.TestCase):
def setUp(self):
self.setUpTestReactor()
@defer.inlineCallbacks
def test_default(self):
master = self.make_master(
url='http://a/b/', auth=auth.NoAuth(), avatar_methods=[])
rsrc = avatar.AvatarResource(master)
rsrc.reconfigResource(master.config)
res = yield self.render_resource(rsrc, b'/')
self.assertEqual(
res, dict(redirected=avatar.AvatarResource.defaultAvatarUrl))
@defer.inlineCallbacks
def test_gravatar(self):
master = self.make_master(
url='http://a/b/', auth=auth.NoAuth(), avatar_methods=[avatar.AvatarGravatar()])
rsrc = avatar.AvatarResource(master)
rsrc.reconfigResource(master.config)
res = yield self.render_resource(rsrc, b'/?email=foo')
self.assertEqual(res, dict(redirected=b'//www.gravatar.com/avatar/acbd18db4cc2f85ce'
b'def654fccc4a4d8?d=retro&s=32'))
@defer.inlineCallbacks
def test_avatar_call(self):
master = self.make_master(
url='http://a/b/', auth=auth.NoAuth(), avatar_methods=[TestAvatar()])
rsrc = avatar.AvatarResource(master)
rsrc.reconfigResource(master.config)
res = yield self.render_resource(rsrc, b'/?email=foo')
self.assertEqual(res, b"b'foo' 32 b'http://a/b/img/nobody.png'")
@defer.inlineCallbacks
def test_custom_size(self):
master = self.make_master(
url='http://a/b/', auth=auth.NoAuth(), avatar_methods=[TestAvatar()])
rsrc = avatar.AvatarResource(master)
rsrc.reconfigResource(master.config)
res = yield self.render_resource(rsrc, b'/?email=foo&size=64')
self.assertEqual(res, b"b'foo' 64 b'http://a/b/img/nobody.png'")
@defer.inlineCallbacks
def test_invalid_size(self):
master = self.make_master(
url='http://a/b/', auth=auth.NoAuth(), avatar_methods=[TestAvatar()])
rsrc = avatar.AvatarResource(master)
rsrc.reconfigResource(master.config)
res = yield self.render_resource(rsrc, b'/?email=foo&size=abcd')
self.assertEqual(res, b"b'foo' 32 b'http://a/b/img/nobody.png'")
@defer.inlineCallbacks
def test_custom_not_found(self):
# use gravatar if the custom avatar fail to return a response
class CustomAvatar(avatar.AvatarBase):
def getUserAvatar(self, email, username, size, defaultAvatarUrl):
return defer.succeed(None)
master = self.make_master(url=b'http://a/b/', auth=auth.NoAuth(),
avatar_methods=[CustomAvatar(), avatar.AvatarGravatar()])
rsrc = avatar.AvatarResource(master)
rsrc.reconfigResource(master.config)
res = yield self.render_resource(rsrc, b'/?email=foo')
self.assertEqual(res, dict(redirected=b'//www.gravatar.com/avatar/acbd18db4cc2f85ce'
b'def654fccc4a4d8?d=retro&s=32'))
github_username_search_reply = {
"login": "defunkt",
"id": 42424242,
"node_id": "MDQ6VXNlcjQyNDI0MjQy",
"avatar_url": "https://avatars3.githubusercontent.com/u/42424242?v=4",
"gravatar_id": "",
"url": "https://api.github.com/users/defunkt",
"html_url": "https://github.com/defunkt",
"followers_url": "https://api.github.com/users/defunkt/followers",
"following_url": "https://api.github.com/users/defunkt/following{/other_user}",
"gists_url": "https://api.github.com/users/defunkt/gists{/gist_id}",
"starred_url": "https://api.github.com/users/defunkt/starred{/owner}{/repo}",
"subscriptions_url": "https://api.github.com/users/defunkt/subscriptions",
"organizations_url": "https://api.github.com/users/defunkt/orgs",
"repos_url": "https://api.github.com/users/defunkt/repos",
"events_url": "https://api.github.com/users/defunkt/events{/privacy}",
"received_events_url": "https://api.github.com/users/defunkt/received_events",
"type": "User",
"site_admin": False,
"name": "Defunkt User",
"company": None,
"blog": "",
"location": None,
"email": None,
"hireable": None,
"bio": None,
"twitter_username": None,
"public_repos": 1,
"public_gists": 1,
"followers": 1,
"following": 1,
"created_at": "2000-01-01T00:00:00Z",
"updated_at": "2021-01-01T00:00:00Z"
}
github_username_not_found_reply = {
"message": "Not Found",
"documentation_url": "https://docs.github.com/rest/reference/users#get-a-user"
}
github_email_search_reply = {
"total_count": 1,
"incomplete_results": False,
"items": [
{
"login": "defunkt",
"id": 42424242,
"node_id": "MDQ6VXNlcjQyNDI0MjQy",
"avatar_url": "https://avatars3.githubusercontent.com/u/42424242?v=4",
"gravatar_id": "",
"url": "https://api.github.com/users/defunkt",
"html_url": "https://github.com/defunkt",
"followers_url": "https://api.github.com/users/defunkt/followers",
"following_url": "https://api.github.com/users/defunkt/following{/other_user}",
"gists_url": "https://api.github.com/users/defunkt/gists{/gist_id}",
"starred_url": "https://api.github.com/users/defunkt/starred{/owner}{/repo}",
"subscriptions_url": "https://api.github.com/users/defunkt/subscriptions",
"organizations_url": "https://api.github.com/users/defunkt/orgs",
"repos_url": "https://api.github.com/users/defunkt/repos",
"events_url": "https://api.github.com/users/defunkt/events{/privacy}",
"received_events_url": "https://api.github.com/users/defunkt/received_events",
"type": "User",
"site_admin": False,
"score": 1.0
}
]
}
github_email_search_not_found_reply = {
"total_count": 0,
"incomplete_results": False,
"items": [
]
}
github_commit_search_reply = {
"total_count": 1,
"incomplete_results": False,
"items": [
{
"url": "https://api.github.com/repos/defunkt-org/defunkt-repo/"
"commits/1111111111111111111111111111111111111111",
"sha": "1111111111111111111111111111111111111111",
"node_id":
"MDY6Q29tbWl0NDM0MzQzNDM6MTExMTExMTExMTExMTExMTExMTExMTExMTExMTExMTExMTExMTEx",
"html_url": "https://github.com/defunkt-org/defunkt-repo/"
"commit/1111111111111111111111111111111111111111",
"comments_url": "https://api.github.com/repos/defunkt-org/defunkt-repo/"
"commits/1111111111111111111111111111111111111111/comments",
"commit": {
"url": "https://api.github.com/repos/defunkt-org/defunkt-repo/"
"git/commits/1111111111111111111111111111111111111111",
"author": {
"date": "2021-01-01T01:01:01.000-01:00",
"name": "Defunkt User",
"email": "defunkt@defunkt.com"
},
"committer": {
"date": "2021-01-01T01:01:01.000-01:00",
"name": "Defunkt User",
"email": "defunkt@defunkt.com"
},
"message": "defunkt message",
"tree": {
"url": "https://api.github.com/repos/defunkt-org/defunkt-repo/"
"git/trees/2222222222222222222222222222222222222222",
"sha": "2222222222222222222222222222222222222222"
},
"comment_count": 0
},
"author": {
"login": "defunkt",
"id": 42424242,
"node_id": "MDQ6VXNlcjQyNDI0MjQy",
"avatar_url": "https://avatars3.githubusercontent.com/u/42424242?v=4",
"gravatar_id": "",
"url": "https://api.github.com/users/defunkt",
"html_url": "https://github.com/defunkt",
"followers_url": "https://api.github.com/users/defunkt/followers",
"following_url": "https://api.github.com/users/defunkt/following{/other_user}",
"gists_url": "https://api.github.com/users/defunkt/gists{/gist_id}",
"starred_url": "https://api.github.com/users/defunkt/starred{/owner}{/repo}",
"subscriptions_url": "https://api.github.com/users/defunkt/subscriptions",
"organizations_url": "https://api.github.com/users/defunkt/orgs",
"repos_url": "https://api.github.com/users/defunkt/repos",
"events_url": "https://api.github.com/users/defunkt/events{/privacy}",
"received_events_url": "https://api.github.com/users/defunkt/received_events",
"type": "User",
"site_admin": False
},
"committer": {
"login": "defunkt",
"id": 42424242,
"node_id": "MDQ6VXNlcjQyNDI0MjQy",
"avatar_url": "https://avatars3.githubusercontent.com/u/42424242?v=4",
"gravatar_id": "",
"url": "https://api.github.com/users/defunkt",
"html_url": "https://github.com/defunkt",
"followers_url": "https://api.github.com/users/defunkt/followers",
"following_url": "https://api.github.com/users/defunkt/following{/other_user}",
"gists_url": "https://api.github.com/users/defunkt/gists{/gist_id}",
"starred_url": "https://api.github.com/users/defunkt/starred{/owner}{/repo}",
"subscriptions_url": "https://api.github.com/users/defunkt/subscriptions",
"organizations_url": "https://api.github.com/users/defunkt/orgs",
"repos_url": "https://api.github.com/users/defunkt/repos",
"events_url": "https://api.github.com/users/defunkt/events{/privacy}",
"received_events_url": "https://api.github.com/users/defunkt/received_events",
"type": "User",
"site_admin": False
},
"parents": [
{
"url": "https://api.github.com/repos/defunkt-org/defunkt-repo/"
"commits/3333333333333333333333333333333333333333",
"html_url": "https://github.com/defunkt-org/defunkt-repo/"
"commit/3333333333333333333333333333333333333333",
"sha": "3333333333333333333333333333333333333333"
}
],
"repository": {
"id": 43434343,
"node_id": "MDEwOlJlcG9zaXRvcnk0MzQzNDM0Mw==",
"name": "defunkt-repo",
"full_name": "defunkt-org/defunkt-repo",
"private": False,
"owner": {
"login": "defunkt-org",
"id": 44444444,
"node_id": "MDEyOk9yZ2FuaXphdGlvbjQ0NDQ0NDQ0",
"avatar_url": "https://avatars2.githubusercontent.com/u/44444444?v=4",
"gravatar_id": "",
"url": "https://api.github.com/users/defunkt-org",
"html_url": "https://github.com/defunkt-org",
"followers_url": "https://api.github.com/users/defunkt-org/followers",
"following_url": "https://api.github.com/users/defunkt-org/"
"following{/other_user}",
"gists_url": "https://api.github.com/users/defunkt-org/gists{/gist_id}",
"starred_url": "https://api.github.com/users/defunkt-org/"
"starred{/owner}{/repo}",
"subscriptions_url": "https://api.github.com/users/defunkt-org/subscriptions",
"organizations_url": "https://api.github.com/users/defunkt-org/orgs",
"repos_url": "https://api.github.com/users/defunkt-org/repos",
"events_url": "https://api.github.com/users/defunkt-org/events{/privacy}",
"received_events_url": "https://api.github.com/users/defunkt-org/"
"received_events",
"type": "Organization",
"site_admin": False
},
"html_url": "https://github.com/defunkt-org/defunkt-repo",
"description": "defunkt project",
"fork": False,
"url": "https://api.github.com/repos/defunkt-org/defunkt-repo",
"forks_url": "https://api.github.com/repos/defunkt-org/defunkt-repo/forks",
"keys_url": "https://api.github.com/repos/defunkt-org/defunkt-repo/keys{/key_id}",
"collaborators_url": "https://api.github.com/repos/defunkt-org/defunkt-repo/"
"collaborators{/collaborator}",
"teams_url": "https://api.github.com/repos/defunkt-org/defunkt-repo/teams",
"hooks_url": "https://api.github.com/repos/defunkt-org/defunkt-repo/hooks",
"issue_events_url": "https://api.github.com/repos/defunkt-org/defunkt-repo/"
"issues/events{/number}",
"events_url": "https://api.github.com/repos/defunkt-org/defunkt-repo/events",
"assignees_url": "https://api.github.com/repos/defunkt-org/defunkt-repo/"
"assignees{/user}",
"branches_url": "https://api.github.com/repos/defunkt-org/defunkt-repo/"
"branches{/branch}",
"tags_url": "https://api.github.com/repos/defunkt-org/defunkt-repo/tags",
"blobs_url": "https://api.github.com/repos/defunkt-org/defunkt-repo/"
"git/blobs{/sha}",
"git_tags_url": "https://api.github.com/repos/defunkt-org/defunkt-repo/"
"git/tags{/sha}",
"git_refs_url": "https://api.github.com/repos/defunkt-org/defunkt-repo/"
"git/refs{/sha}",
"trees_url": "https://api.github.com/repos/defunkt-org/defunkt-repo/"
"git/trees{/sha}",
"statuses_url": "https://api.github.com/repos/defunkt-org/defunkt-repo/"
"statuses/{sha}",
"languages_url": "https://api.github.com/repos/defunkt-org/defunkt-repo/"
"languages",
"stargazers_url": "https://api.github.com/repos/defunkt-org/defunkt-repo/"
"stargazers",
"contributors_url": "https://api.github.com/repos/defunkt-org/defunkt-repo/"
"contributors",
"subscribers_url": "https://api.github.com/repos/defunkt-org/defunkt-repo/"
"subscribers",
"subscription_url": "https://api.github.com/repos/defunkt-org/defunkt-repo/"
"subscription",
"commits_url": "https://api.github.com/repos/defunkt-org/defunkt-repo/"
"commits{/sha}",
"git_commits_url": "https://api.github.com/repos/defunkt-org/defunkt-repo/"
"git/commits{/sha}",
"comments_url": "https://api.github.com/repos/defunkt-org/defunkt-repo/"
"comments{/number}",
"issue_comment_url": "https://api.github.com/repos/defunkt-org/defunkt-repo/"
"issues/comments{/number}",
"contents_url": "https://api.github.com/repos/defunkt-org/defunkt-repo/"
"contents/{+path}",
"compare_url": "https://api.github.com/repos/defunkt-org/defunkt-repo/"
"compare/{base}...{head}",
"merges_url": "https://api.github.com/repos/defunkt-org/defunkt-repo/merges",
"archive_url": "https://api.github.com/repos/defunkt-org/defunkt-repo/"
"{archive_format}{/ref}",
"downloads_url": "https://api.github.com/repos/defunkt-org/defunkt-repo/"
"downloads",
"issues_url": "https://api.github.com/repos/defunkt-org/defunkt-repo/"
"issues{/number}",
"pulls_url": "https://api.github.com/repos/defunkt-org/defunkt-repo/"
"pulls{/number}",
"milestones_url": "https://api.github.com/repos/defunkt-org/defunkt-repo/"
"milestones{/number}",
"notifications_url": "https://api.github.com/repos/defunkt-org/defunkt-repo/"
"notifications{?since,all,participating}",
"labels_url": "https://api.github.com/repos/defunkt-org/defunkt-repo/"
"labels{/name}",
"releases_url": "https://api.github.com/repos/defunkt-org/defunkt-repo/"
"releases{/id}",
"deployments_url": "https://api.github.com/repos/defunkt-org/defunkt-repo/"
"deployments"
},
"score": 1.0
}
]
}
github_commit_search_not_found_reply = {
"total_count": 0,
"incomplete_results": False,
"items": [
]
}
class GitHubAvatar(TestReactorMixin, www.WwwTestMixin, unittest.TestCase):
@defer.inlineCallbacks
def setUp(self):
self.setUpTestReactor()
master = self.make_master(
url='http://a/b/', auth=auth.NoAuth(),
avatar_methods=[avatar.AvatarGitHub(token="abcd")])
self.rsrc = avatar.AvatarResource(master)
self.rsrc.reconfigResource(master.config)
headers = {
'User-Agent': 'Buildbot',
'Authorization': 'token abcd',
}
self._http = yield fakehttpclientservice.HTTPClientService.getService(
master, self,
avatar.AvatarGitHub.DEFAULT_GITHUB_API_URL,
headers=headers,
debug=False, verify=False)
yield self.master.startService()
@defer.inlineCallbacks
def tearDown(self):
yield self.master.stopService()
@defer.inlineCallbacks
def test_username(self):
username_search_endpoint = '/users/defunkt'
self._http.expect('get', username_search_endpoint,
content_json=github_username_search_reply,
headers={'Accept': 'application/vnd.github.v3+json'})
res = yield self.render_resource(self.rsrc, b'/?username=defunkt')
self.assertEqual(res, dict(redirected=b'https://avatars3.githubusercontent.com/'
b'u/42424242?v=4&s=32'))
@defer.inlineCallbacks
def test_username_not_found(self):
username_search_endpoint = '/users/inexistent'
self._http.expect('get', username_search_endpoint, code=404,
content_json=github_username_not_found_reply,
headers={'Accept': 'application/vnd.github.v3+json'})
res = yield self.render_resource(self.rsrc, b'/?username=inexistent')
self.assertEqual(res, dict(redirected=b'img/nobody.png'))
@defer.inlineCallbacks
def test_username_error(self):
username_search_endpoint = '/users/error'
self._http.expect('get', username_search_endpoint, code=500,
headers={'Accept': 'application/vnd.github.v3+json'})
res = yield self.render_resource(self.rsrc, b'/?username=error')
self.assertEqual(res, dict(redirected=b'img/nobody.png'))
@defer.inlineCallbacks
def test_username_cached(self):
username_search_endpoint = '/users/defunkt'
self._http.expect('get', username_search_endpoint,
content_json=github_username_search_reply,
headers={'Accept': 'application/vnd.github.v3+json'})
res = yield self.render_resource(self.rsrc, b'/?username=defunkt')
self.assertEqual(res, dict(redirected=b'https://avatars3.githubusercontent.com/'
b'u/42424242?v=4&s=32'))
# Second request will give same result but without an HTTP request
res = yield self.render_resource(self.rsrc, b'/?username=defunkt')
self.assertEqual(res, dict(redirected=b'https://avatars3.githubusercontent.com/'
b'u/42424242?v=4&s=32'))
@defer.inlineCallbacks
def test_email(self):
email_search_endpoint = '/search/users?q=defunkt%40defunkt.com+in%3Aemail'
self._http.expect('get', email_search_endpoint, content_json=github_email_search_reply,
headers={'Accept': 'application/vnd.github.v3+json'})
res = yield self.render_resource(self.rsrc, b'/?email=defunkt@defunkt.com')
self.assertEqual(res, dict(redirected=b'https://avatars3.githubusercontent.com/'
b'u/42424242?v=4&s=32'))
@defer.inlineCallbacks
def test_email_commit(self):
email_search_endpoint = '/search/users?q=defunkt%40defunkt.com+in%3Aemail'
self._http.expect('get', email_search_endpoint,
content_json=github_email_search_not_found_reply,
headers={'Accept': 'application/vnd.github.v3+json'})
commit_search_endpoint = ('/search/commits?'
'per_page=1&q=author-email%3Adefunkt%40defunkt.com&sort=committer-date')
self._http.expect('get', commit_search_endpoint, content_json=github_commit_search_reply,
headers={'Accept': 'application/vnd.github.v3+json,'
'application/vnd.github.cloak-preview'})
res = yield self.render_resource(self.rsrc, b'/?email=defunkt@defunkt.com')
self.assertEqual(res, dict(redirected=b'https://avatars3.githubusercontent.com/'
b'u/42424242?v=4&s=32'))
@defer.inlineCallbacks
def test_email_not_found(self):
email_search_endpoint = '/search/users?q=notfound%40defunkt.com+in%3Aemail'
self._http.expect('get', email_search_endpoint,
content_json=github_email_search_not_found_reply,
headers={'Accept': 'application/vnd.github.v3+json'})
commit_search_endpoint = ('/search/commits?'
'per_page=1&q=author-email%3Anotfound%40defunkt.com&sort=committer-date')
self._http.expect('get', commit_search_endpoint,
content_json=github_commit_search_not_found_reply,
headers={'Accept': 'application/vnd.github.v3+json,'
'application/vnd.github.cloak-preview'})
res = yield self.render_resource(self.rsrc, b'/?email=notfound@defunkt.com')
self.assertEqual(res, dict(redirected=b'img/nobody.png'))
@defer.inlineCallbacks
def test_email_error(self):
email_search_endpoint = '/search/users?q=error%40defunkt.com+in%3Aemail'
self._http.expect('get', email_search_endpoint, code=500,
headers={'Accept': 'application/vnd.github.v3+json'})
commit_search_endpoint = ('/search/commits?'
'per_page=1&q=author-email%3Aerror%40defunkt.com&sort=committer-date')
self._http.expect('get', commit_search_endpoint, code=500,
headers={'Accept': 'application/vnd.github.v3+json,'
'application/vnd.github.cloak-preview'})
res = yield self.render_resource(self.rsrc, b'/?email=error@defunkt.com')
self.assertEqual(res, dict(redirected=b'img/nobody.png'))
| rodrigc/buildbot | master/buildbot/test/unit/www/test_avatar.py | Python | gpl-2.0 | 24,990 |
from ConfigParser import DEFAULTSECT
from cmd import Cmd
import logging
import sys
import subprocess
import argparse
import datetime
from fibbing import FibbingManager
import fibbingnode
from fibbingnode.misc.utils import dump_threads
import signal
log = fibbingnode.log
CFG = fibbingnode.CFG
class FibbingCLI(Cmd):
Cmd.prompt = '> '
def __init__(self, mngr, *args, **kwargs):
self.fibbing = mngr
Cmd.__init__(self, *args, **kwargs)
def do_add_node(self, line=''):
"""Add a new fibbing node"""
self.fibbing.add_node()
def do_show_lsdb(self, line=''):
log.info(self.fibbing.root.lsdb)
def do_draw_network(self, line):
"""Draw the network as pdf in the given file"""
self.fibbing.root.lsdb.graph.draw(line)
def do_print_graph(self, line=''):
log.info('Current network graph: %s',
self.fibbing.root.lsdb.graph.edges(data=True))
def do_print_net(self, line=''):
"""Print information about the fibbing network"""
self.fibbing.print_net()
def do_print_routes(self, line=''):
"""Print information about the fibbing routes"""
self.fibbing.print_routes()
def do_exit(self, line=''):
"""Exit the prompt"""
return True
def do_cfg(self, line=''):
part = line.split(' ')
val = part.pop()
key = part.pop()
sect = part.pop() if part else DEFAULTSECT
CFG.set(sect, key, val)
def do_call(self, line):
"""Execute a command on a node"""
items = line.split(' ')
try:
node = self.fibbing[items[0]]
node.call(*items[1:])
except KeyError:
log.error('Unknown node %s', items[0])
def do_add_route(self, line=''):
"""Setup a fibbing route
add_route network via1 metric1 via2 metric2 ..."""
items = line.split(' ')
if len(items) < 3:
log.error('route only takes at least 3 arguments: '
'network via_address metric')
else:
points = []
i = 2
while i < len(items):
points.append((items[i-1], items[i]))
i += 2
log.critical('Add route request at %s',
datetime.datetime.now().strftime('%H.%M.%S.%f'))
self.fibbing.install_route(items[0], points, True)
def do_rm_route(self, line):
"""Remove a route or parts of a route"""
items = line.split(' ')
if len(items) == 1:
ans = raw_input('Remove the WHOLE fibbing route for %s ? (y/N)'
% line)
if ans == 'y':
self.fibbing.remove_route(line)
else:
self.fibbing.remove_route_part(items[0], *items[1:])
def default(self, line):
"""Pass the command to the shell"""
args = line.split(' ')
if args[0] in self.fibbing.nodes:
self.do_call(' '.join(args))
else:
try:
log.info(subprocess.check_output(line, shell=True))
except Exception as e:
log.info('Command %s failed', line)
log.info(e.message)
def eval(self, line):
"""Interpret the given line ..."""
self.eval(line)
def do_ospfd(self, line):
"""Connect to the ospfd daemon of the given node"""
try:
self.fibbing[line].call('telnet', 'localhost', '2604')
except KeyError:
log.error('Unknown node %s', line)
def do_vtysh(self, line):
"""Execute a vtysh command on a node"""
items = line.split(' ')
try:
node = self.fibbing[items[0]]
result = node.vtysh(*items[1:], configure=False)
log.info(result)
except KeyError:
log.error('Unknown node %s', items[0])
def do_configure(self, line):
"""Execute a vtysh configure command on a node"""
items = line.split(' ')
try:
node = self.fibbing[items[0]]
result = node.vtysh(*items[1:], configure=True)
result = result.strip(' \n\t')
if result:
log.info(result)
except KeyError:
log.error('Unknown node %s', items[0])
def do_traceroute(self, line, max_ttl=10):
"""
Perform a simple traceroute between the source and an IP
:param max_ttl: the maximal ttl to use
"""
items = line.split(' ')
try:
node = self.fibbing[items[0]]
node.call('traceroute', '-q', '1', '-I',
'-m', str(max_ttl), '-w', '.1', items[1])
except KeyError:
log.error('Unknown node %s', items[0])
except ValueError:
log.error('This command takes 2 arguments: '
'source node and destination IP')
def do_dump(self, line=''):
dump_threads()
def handle_args():
parser = argparse.ArgumentParser(description='Starts a fibbing node.')
parser.add_argument('ports', metavar='IF', type=str, nargs='*',
help='A physical interface to use')
parser.add_argument('--debug', action='store_true', default=False,
help='Debug (default: disabled)')
parser.add_argument('--nocli', action='store_true', default=False,
help='Disable the CLI')
parser.add_argument('--cfg', help='Use specified config file',
default=None)
args = parser.parse_args()
instance_count = CFG.getint(DEFAULTSECT, 'controller_instance_number')
# Update default config
if args.cfg:
CFG.read(args.cfg)
fibbingnode.BIN = CFG.get(DEFAULTSECT, 'quagga_path')
# Check if we need to force debug mode
if args.debug:
CFG.set(DEFAULTSECT, 'debug', '1')
if CFG.getboolean(DEFAULTSECT, 'debug'):
log.setLevel(logging.DEBUG)
else:
log.setLevel(logging.INFO)
# Check for any specified physical port to use both in config file
# or in args
ports = set(p for p in CFG.sections()
if not (p == 'fake' or p == 'physical' or p == DEFAULTSECT))
ports.update(args.ports)
if not ports:
log.warning('The fibbing node will not be connected '
'to any physical ports!')
else:
log.info('Using the physical ports: %s', ports)
return ports, instance_count, not args.nocli
def main(_CLI=FibbingCLI):
phys_ports, name, cli = handle_args()
if not cli:
fibbingnode.log_to_file('%s.log' % name)
mngr = FibbingManager(name)
def sig_handler(sig, frame):
mngr.cleanup()
fibbingnode.EXIT.set()
sys.exit()
signal.signal(signal.SIGINT, sig_handler)
signal.signal(signal.SIGTERM, sig_handler)
try:
mngr.start(phys_ports=phys_ports)
if cli:
cli = _CLI(mngr=mngr)
cli.cmdloop()
fibbingnode.EXIT.set()
except Exception as e:
log.exception(e)
fibbingnode.EXIT.set()
finally:
fibbingnode.EXIT.wait()
mngr.cleanup()
if __name__ == '__main__':
main()
| lferran/FibbingNode | fibbingnode/southbound/main.py | Python | gpl-2.0 | 7,223 |
# -*- coding: utf-8 -*-
"""
This plugin is 3rd party and not it is not part of the plexus-streams addon
Torrent-tv.ru (All categories)
"""
import sys,os
current_dir = os.path.dirname(os.path.realpath(__file__))
basename = os.path.basename(current_dir)
core_dir = current_dir.replace(basename,'').replace('parsers','')
sys.path.append(core_dir)
from utils.webutils import *
from utils.pluginxbmc import *
from utils.directoryhandle import *
from utils.timeutils import translate_months
base_url = "http://super-pomoyka.us.to/trash/ttv-list/ttv.m3u"
def module_tree(name,url,iconimage,mode,parser,parserfunction):
if not parserfunction: torrenttv()
elif parserfunction == 'channels': torrenttv_play(name,url)
def torrenttv():
dict_torrent = {}
html_source = get_page_source(base_url)
match = re.compile('#EXTINF:-1,(.+?)\n(.*)').findall(html_source)
for title, acehash in match:
channel_name = re.compile('(.+?) \(').findall(title)
match_cat = re.compile('\((.+?)\)').findall(title)
for i in xrange(0,len(match_cat)):
if match_cat[i] == "Для взрослых" and settings.getSetting('hide_porn') == "true":
pass
elif match_cat[i] == "Ночной канал" and settings.getSetting('hide_porn') == "true":
pass
else:
if settings.getSetting('russian_translation') == "true": categorie = russiandictionary(match_cat[i])
else: categorie=match_cat[i]
if categorie not in dict_torrent.keys():
try:
dict_torrent[categorie] = [(channel_name[0],acehash)]
except: pass
else:
try:
dict_torrent[categorie].append((channel_name[0],acehash))
except: pass
for categories in dict_torrent.keys():
addDir(categories,str(dict_torrent),401,os.path.join(current_dir,"icon.png"),401,True,parser="torrenttvruall",parserfunction="channels")
def torrenttv_play(name,url):
dict_torrent=eval(url)
for channel in dict_torrent[name]:
try: addDir(channel[0],channel[1],1,os.path.join(current_dir,"icon.png"),2,False)
except:pass
def russiandictionary(string):
if string == "Eng": return translate(40077)
elif string == "Спорт": return translate(40078)
elif string == "Новостные": return translate(40079)
elif string == "Свадебный": return translate(40080)
elif string == "Общие": return translate(40081)
elif string == "Познавательные": return translate(40082)
elif string == "СНГ": return translate(40083)
elif string == "Мужские": return translate(40084)
elif string == "Ukraine": return translate(40085)
elif string == "резерв": return translate(40086)
elif string == "Донецк": return translate(40087)
elif string == "Региональные": return translate(40088)
elif string == "Для взрослых": return translate(40089)
elif string == "TV21": return translate(40090)
elif string == "Украина": return translate(40091)
elif string == "Детские": return translate(40092)
elif string == "Фильмы": return translate(40093)
elif string == "Ночной канал": return translate(40094)
elif string == "Европа": return translate(40095)
elif string == "укр": return translate(40096)
elif string == "Музыка": return translate(40097)
elif string == "Религиозные": return translate(40098)
elif string == "Развлекательные": return translate(40099)
elif string == "украина": return translate(40151)
elif string == "Казахстан": return "Kazakstan"
else: return string
| repotvsupertuga/tvsupertuga.repository | plugin.video.plexus-streams/resources/core/parsers/torrenttvruall/main.py | Python | gpl-2.0 | 3,711 |
# -*- coding: utf-8 -*-
# vi:si:et:sw=4:sts=4:ts=4
##
## Copyright (C) 2012 Async Open Source <http://www.async.com.br>
## All rights reserved
##
## This program is free software; you can redistribute it and/or modify
## it under the terms of the GNU General Public License as published by
## the Free Software Foundation; either version 2 of the License, or
## (at your option) any later version.
##
## This program is distributed in the hope that it will be useful,
## but WITHOUT ANY WARRANTY; without even the implied warranty of
## MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
## GNU General Public License for more details.
##
## You should have received a copy of the GNU General Public License
## along with this program; if not, write to the Free Software
## Foundation, Inc., or visit: http://www.gnu.org/.
##
## Author(s): Stoq Team <stoq-devel@async.com.br>
##
import datetime
import mock
import gtk
from stoqlib.api import api
from stoq.gui.purchase import PurchaseApp
from stoq.gui.test.baseguitest import BaseGUITest
from stoqlib.domain.purchase import PurchaseItem, PurchaseOrder, PurchaseOrderView
from stoqlib.domain.receiving import (ReceivingOrderItem, ReceivingOrder,
PurchaseReceivingMap)
from stoqlib.gui.dialogs.purchasedetails import PurchaseDetailsDialog
from stoqlib.gui.search.searchresultview import SearchResultListView
from stoqlib.gui.wizards.consignmentwizard import ConsignmentWizard
from stoqlib.gui.wizards.productwizard import ProductCreateWizard
from stoqlib.gui.wizards.purchasefinishwizard import PurchaseFinishWizard
from stoqlib.gui.wizards.purchasequotewizard import QuotePurchaseWizard
from stoqlib.gui.wizards.purchasewizard import PurchaseWizard
from stoqlib.reporting.purchase import PurchaseReport
class TestPurchase(BaseGUITest):
def create_app(self, *args, **kwargs):
app = BaseGUITest.create_app(self, *args, **kwargs)
app.branch_filter.combo.select_item_by_data(None)
return app
def test_initial(self):
app = self.create_app(PurchaseApp, u'purchase')
for purchase in app.results:
purchase.open_date = datetime.datetime(2012, 1, 1)
self.check_app(app, u'purchase')
def test_select(self):
self.create_purchase_order()
app = self.create_app(PurchaseApp, u'purchase')
results = app.results
results.select(results[0])
@mock.patch('stoq.gui.purchase.PurchaseApp.run_dialog')
def test_edit_quote_order(self, run_dialog):
api.sysparam.set_bool(self.store, 'SMART_LIST_LOADING', False)
purchase = self.create_purchase_order()
app = self.create_app(PurchaseApp, u'purchase')
for purchase in app.results:
purchase.open_date = datetime.datetime(2012, 1, 1)
olist = app.results
olist.select(olist[0])
with mock.patch('stoq.gui.purchase.api', new=self.fake.api):
self.fake.set_retval(purchase)
self.activate(app.NewQuote)
self.assertEquals(run_dialog.call_count, 1)
args, kwargs = run_dialog.call_args
wizard, store, edit_mode = args
self.assertEquals(wizard, QuotePurchaseWizard)
self.assertTrue(store is not None)
self.assertEquals(edit_mode, None)
@mock.patch('stoq.gui.purchase.PurchaseApp.print_report')
def test_print_report(self, print_report):
api.sysparam.set_bool(self.store, 'SMART_LIST_LOADING', False)
app = self.create_app(PurchaseApp, u'purchase')
self.activate(app.window.Print)
self.assertEquals(print_report.call_count, 1)
args, kwargs = print_report.call_args
report, results, views = args
self.assertEquals(report, PurchaseReport)
self.assertTrue(isinstance(results, SearchResultListView))
for view in views:
self.assertTrue(isinstance(view, PurchaseOrderView))
@mock.patch('stoq.gui.purchase.PurchaseApp.select_result')
@mock.patch('stoq.gui.purchase.PurchaseApp.run_dialog')
@mock.patch('stoq.gui.purchase.api.new_store')
def test_new_quote_order(self, new_store, run_dialog, select_result):
new_store.return_value = self.store
self.clean_domain([ReceivingOrderItem, PurchaseReceivingMap,
ReceivingOrder, PurchaseItem, PurchaseOrder])
quotation = self.create_quotation()
quotation.purchase.add_item(self.create_sellable(), 2)
quotation.purchase.status = PurchaseOrder.ORDER_PENDING
api.sysparam.set_bool(self.store, 'SMART_LIST_LOADING', False)
app = self.create_app(PurchaseApp, u'purchase')
olist = app.results
olist.select(olist[0])
self.store.retval = olist[0]
with mock.patch.object(self.store, 'close'):
with mock.patch.object(self.store, 'commit'):
self.activate(app.Edit)
run_dialog.assert_called_once_with(PurchaseWizard,
self.store,
quotation.purchase, False)
select_result.assert_called_once_with(olist[0])
@mock.patch('stoq.gui.purchase.PurchaseApp.run_dialog')
def test_details_dialog(self, run_dialog):
self.clean_domain([ReceivingOrderItem, PurchaseReceivingMap,
ReceivingOrder, PurchaseItem, PurchaseOrder])
purchase = self.create_purchase_order()
purchase.add_item(self.create_sellable(), 2)
api.sysparam.set_bool(self.store, 'SMART_LIST_LOADING', False)
app = self.create_app(PurchaseApp, u'purchase')
olist = app.results
olist.select(olist[0])
olist.double_click(0)
self.assertEquals(run_dialog.call_count, 1)
args, kwargs = run_dialog.call_args
dialog, store = args
self.assertEquals(dialog, PurchaseDetailsDialog)
self.assertTrue(store is not None)
self.assertEquals(kwargs[u'model'], purchase)
@mock.patch('stoq.gui.purchase.yesno')
@mock.patch('stoq.gui.purchase.api.new_store')
def test_confirm_order(self, new_store, yesno):
new_store.return_value = self.store
yesno.return_value = True
self.clean_domain([ReceivingOrderItem, PurchaseReceivingMap,
ReceivingOrder, PurchaseItem, PurchaseOrder])
purchase = self.create_purchase_order()
purchase.add_item(self.create_sellable(), 2)
purchase.status = PurchaseOrder.ORDER_PENDING
api.sysparam.set_bool(self.store, 'SMART_LIST_LOADING', False)
app = self.create_app(PurchaseApp, u'purchase')
olist = app.results
olist.select(olist[0])
with mock.patch.object(self.store, 'close'):
with mock.patch.object(self.store, 'commit'):
self.activate(app.Confirm)
yesno.assert_called_once_with(u'The selected order will be '
u'marked as sent.',
gtk.RESPONSE_YES,
u"Confirm order", u"Don't confirm")
self.assertEquals(purchase.status, PurchaseOrder.ORDER_CONFIRMED)
@mock.patch('stoq.gui.purchase.PurchaseApp.run_dialog')
@mock.patch('stoq.gui.purchase.api.new_store')
def test_finish_order(self, new_store, run_dialog):
new_store.return_value = self.store
self.clean_domain([ReceivingOrderItem, PurchaseReceivingMap,
ReceivingOrder, PurchaseItem, PurchaseOrder])
purchase = self.create_purchase_order()
purchase.add_item(self.create_sellable(), 2)
purchase.get_items()[0].quantity_received = 2
purchase.status = PurchaseOrder.ORDER_CONFIRMED
purchase.received_quantity = 2
api.sysparam.set_bool(self.store, 'SMART_LIST_LOADING', False)
app = self.create_app(PurchaseApp, u'purchase')
olist = app.results
olist.select(olist[0])
with mock.patch.object(self.store, 'close'):
with mock.patch.object(self.store, 'commit'):
self.activate(app.Finish)
run_dialog.assert_called_once_with(PurchaseFinishWizard,
self.store, purchase)
@mock.patch('stoq.gui.purchase.yesno')
@mock.patch('stoq.gui.purchase.api.new_store')
def test_cancel_order(self, new_store, yesno):
new_store.return_value = self.store
yesno.return_value = True
self.clean_domain([ReceivingOrderItem, PurchaseReceivingMap,
ReceivingOrder, PurchaseItem, PurchaseOrder])
purchase = self.create_purchase_order()
purchase.add_item(self.create_sellable(), 2)
purchase.status = PurchaseOrder.ORDER_PENDING
api.sysparam.set_bool(self.store, 'SMART_LIST_LOADING', False)
app = self.create_app(PurchaseApp, u'purchase')
olist = app.results
olist.select(olist[0])
with mock.patch.object(self.store, 'close'):
with mock.patch.object(self.store, 'commit'):
self.activate(app.Cancel)
yesno.assert_called_once_with(u'The selected order will be '
u'cancelled.', gtk.RESPONSE_YES,
u"Cancel order", u"Don't cancel")
self.assertEquals(purchase.status, PurchaseOrder.ORDER_CANCELLED)
@mock.patch('stoqlib.gui.wizards.productwizard.run_dialog')
@mock.patch('stoqlib.gui.wizards.productwizard.api.new_store')
def test_new_product(self, new_store, run_dialog):
run_dialog.return_value = False
new_store.return_value = self.store
self.clean_domain([ReceivingOrderItem, PurchaseReceivingMap,
ReceivingOrder, PurchaseItem, PurchaseOrder])
purchase = self.create_purchase_order()
purchase.add_item(self.create_sellable(), 2)
purchase.status = PurchaseOrder.ORDER_PENDING
api.sysparam.set_bool(self.store, 'SMART_LIST_LOADING', False)
app = self.create_app(PurchaseApp, u'purchase')
olist = app.results
olist.select(olist[0])
with mock.patch.object(self.store, 'close'):
with mock.patch.object(self.store, 'commit'):
self.activate(app.NewProduct)
run_dialog.assert_called_once_with(ProductCreateWizard,
app, self.store)
@mock.patch('stoq.gui.purchase.PurchaseApp.run_dialog')
def test_new_consignment(self, run_dialog):
api.sysparam.set_bool(self.store, 'SMART_LIST_LOADING', False)
purchase = self.create_purchase_order()
app = self.create_app(PurchaseApp, u'purchase')
for purchase in app.results:
purchase.open_date = datetime.datetime(2012, 1, 1)
olist = app.results
olist.select(olist[0])
with mock.patch('stoq.gui.purchase.api', new=self.fake.api):
self.fake.set_retval(purchase)
self.activate(app.NewConsignment)
self.assertEquals(run_dialog.call_count, 1)
args, kwargs = run_dialog.call_args
wizard, store = args
self.assertEquals(wizard, ConsignmentWizard)
self.assertTrue(store is not None)
self.assertEquals(kwargs[u'model'], None)
| andrebellafronte/stoq | stoq/gui/test/test_purchase.py | Python | gpl-2.0 | 11,536 |
# -*- coding: utf-8 -*-
##
## This file is part of Invenio.
## Copyright (C) 2007, 2008, 2010, 2011 CERN.
##
## Invenio is free software; you can redistribute it and/or
## modify it under the terms of the GNU General Public License as
## published by the Free Software Foundation; either version 2 of the
## License, or (at your option) any later version.
##
## Invenio is distributed in the hope that it will be useful, but
## WITHOUT ANY WARRANTY; without even the implied warranty of
## MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU
## General Public License for more details.
##
## You should have received a copy of the GNU General Public License
## along with Invenio; if not, write to the Free Software Foundation, Inc.,
## 59 Temple Place, Suite 330, Boston, MA 02111-1307, USA.
"""BibFormat module regression tests."""
__revision__ = "$Id$"
import unittest
from invenio.config import CFG_SITE_URL, CFG_SITE_LANG
from invenio.testutils import make_test_suite, \
run_test_suite, \
test_web_page_content
from invenio.bibformat import format_record
class BibFormatAPITest(unittest.TestCase):
"""Check BibFormat API"""
def test_basic_formatting(self):
"""bibformat - Checking BibFormat API"""
result = format_record(recID=73,
of='hx',
ln=CFG_SITE_LANG,
verbose=0,
search_pattern=[],
xml_record=None,
user_info=None,
on_the_fly=True)
pageurl = CFG_SITE_URL + '/record/73?of=hx'
result = test_web_page_content(pageurl,
expected_text=result)
class BibFormatBibTeXTest(unittest.TestCase):
"""Check output produced by BibFormat for BibTeX output for
various records"""
def setUp(self):
"""Prepare some ideal outputs"""
self.record_74_hx = '''<pre>
@article{Wang:74,
author = "Wang, B and Lin, C Y and Abdalla, E",
title = "Quasinormal modes of Reissner-Nordstrom Anti-de Sitter
Black Holes",
journal = "Phys. Lett., B",
number = "hep-th/0003295",
volume = "481",
pages = "79-88",
year = "2000",
}
</pre>'''
def test_bibtex_output(self):
"""bibformat - BibTeX output"""
pageurl = CFG_SITE_URL + '/record/74?of=hx'
result = test_web_page_content(pageurl,
expected_text=self.record_74_hx)
self.assertEqual([], result)
class BibFormatDetailedHTMLTest(unittest.TestCase):
"""Check output produced by BibFormat for detailed HTML ouput for
various records"""
def setUp(self):
"""Prepare some ideal outputs"""
# Record 7 (Article)
self.record_74_hd_header = '''<table border="0" width="100%">
<tr>
<td>Published Article<small> / Particle Physics - Theory</small></td>
<td><small><strong></strong></small></td>
<td align="right"><strong>hep-th/0003295</strong></td>
</tr>
</table>'''
self.record_74_hd_title = '''<center><big><big><strong>Quasinormal modes of Reissner-Nordstrom Anti-de Sitter Black Holes</strong></big></big></center>'''
self.record_74_hd_authors = '''<a href="%(siteurl)s/search?f=author&p=Wang%%2C%%20B&ln=%(lang)s">Wang, B</a><small> (Fudan University)</small> ; <a href="%(siteurl)s/search?f=author&p=Lin%%2C%%20C%%20Y&ln=%(lang)s">Lin, C Y</a> ; <a href="%(siteurl)s/search?f=author&p=Abdalla%%2C%%20E&ln=%(lang)s">Abdalla, E</a><br />'''% \
{'siteurl' : CFG_SITE_URL,
'lang': CFG_SITE_LANG}
self.record_74_hd_abstract = '''<small><strong>Abstract: </strong>Complex frequencies associated with quasinormal modes for large Reissner-Nordstr$\ddot{o}$m Anti-de Sitter black holes have been computed. These frequencies have close relation to the black hole charge and do not linearly scale withthe black hole temperature as in Schwarzschild Anti-de Sitter case. In terms of AdS/CFT correspondence, we found that the bigger the black hole charge is, the quicker for the approach to thermal equilibrium in the CFT. The propertiesof quasinormal modes for $l>0$ have also been studied.</small><br />'''
self.record_74_hd_pubinfo = '''<strong>Published in: </strong><a href="http://weblib.cern.ch/cgi-bin/ejournals?publication=Phys.%20Lett.%2C%20B&volume=481&year=2000&page=79">Phys. Lett., B :481 2000 79-88</a>'''
self.record_74_hd_fulltext = '''0003295.pdf"><img style="border:none"'''
self.record_74_hd_citations = '''<strong>Cited by:</strong> try citation search for <a href="%(siteurl)s/search?f=reference&p=hep-th/0003295&ln=%(lang)s">hep-th/0003295</a>'''% \
{'siteurl' : CFG_SITE_URL,
'lang': CFG_SITE_LANG}
self.record_74_hd_references = '''<li><small>[17]</small> <small>A. Chamblin, R. Emparan, C. V. Johnson and R. C. Myers, Phys. Rev., D60: 104026 (1999) 5070 90 110 130 150 r+ 130 230 330 50 70 90 110 130 150 r+</small> </li>'''
# Record 7 (Picture)
self.record_7_hd_header = '''<table border="0" width="100%">
<tr>
<td>Pictures<small> / Life at CERN</small></td>
<td><small><strong></strong></small></td>
<td align="right"><strong>CERN-GE-9806033</strong></td>
</tr>
</table>'''
self.record_7_hd_title = '''<center><big><big><strong>Tim Berners-Lee</strong></big></big></center>'''
self.record_7_hd_date = '''<center>28 Jun 1998</center>'''
self.record_7_hd_abstract = '''<p><span class="blocknote">
Caption</span><br /> <small>Conference "Internet, Web, What's next?" on 26 June 1998 at CERN : Tim Berners-Lee, inventor of the World-Wide Web and Director of the W3C, explains how the Web came to be and give his views on the future.</small></p><p><span class="blocknote">
Légende</span><br /><small>Conference "Internet, Web, What's next?" le 26 juin 1998 au CERN: Tim Berners-Lee, inventeur du World-Wide Web et directeur du W3C, explique comment le Web est ne, et donne ses opinions sur l'avenir.</small></p>'''
self.record_7_hd_resource = '''<img src="%s/record/7/files/9806033.gif?subformat=icon" alt="9806033" style="max-width:250px;_width:250px;" />''' % CFG_SITE_URL
self.record_7_hd_resource_link = '%s/record/7/files/9806033.jpeg' % CFG_SITE_URL
def test_detailed_html_output(self):
"""bibformat - Detailed HTML output"""
# Test record 74 (Article)
pageurl = CFG_SITE_URL + '/record/74?of=hd'
result = test_web_page_content(pageurl,
expected_text=[self.record_74_hd_header,
self.record_74_hd_title,
self.record_74_hd_authors,
self.record_74_hd_abstract,
self.record_74_hd_pubinfo,
self.record_74_hd_fulltext,
#self.record_74_hd_citations,
#self.record_74_hd_references
])
self.assertEqual([], result)
# Test record 7 (Picture)
pageurl = CFG_SITE_URL + '/record/7?of=hd'
result = test_web_page_content(pageurl,
expected_text=[self.record_7_hd_header,
self.record_7_hd_title,
self.record_7_hd_date,
self.record_7_hd_abstract,
self.record_7_hd_resource,
self.record_7_hd_resource_link])
self.assertEqual([], result)
def test_detailed_html_edit_record(self):
"""bibformat - Detailed HTML output edit record link presence"""
pageurl = CFG_SITE_URL + '/record/74?of=hd'
result = test_web_page_content(pageurl, username='admin',
expected_text="Edit This Record")
self.assertEqual([], result)
def test_detailed_html_no_error_message(self):
"""bibformat - Detailed HTML output without error message"""
# No error message should be displayed in the web interface, whatever happens
pageurl = CFG_SITE_URL + '/record/74?of=hd'
result = test_web_page_content(pageurl, username='admin',
expected_text=["Exception",
"Could not"])
self.assertNotEqual([], result)
pageurl = CFG_SITE_URL + '/record/7?of=hd'
result = test_web_page_content(pageurl, username='admin',
expected_text=["Exception",
"Could not"])
self.assertNotEqual([], result)
class BibFormatNLMTest(unittest.TestCase):
"""Check output produced by BibFormat for NLM output for various
records"""
def setUp(self):
"""Prepare some ideal outputs"""
self.record_70_xn = '''<?xml version="1.0" encoding="UTF-8"?>
<articles>
<article xmlns:xlink="http://www.w3.org/1999/xlink/">
<front>
<journal-meta>
<journal-title>J. High Energy Phys.</journal-title>
<abbrev-journal-title>J. High Energy Phys.</abbrev-journal-title>
<issn>1126-6708</issn>
</journal-meta>
<article-meta>
<title-group>
<article-title>AdS/CFT For Non-Boundary Manifolds</article-title>
</title-group>
<contrib-group>
<contrib contrib-type="author">
<name>
<surname>McInnes</surname>
<given-names>B</given-names>
</name>
<aff>
<institution>National University of Singapore</institution>
</aff>
</contrib>
</contrib-group>
<pub-date pub-type="pub">
<year>2000</year>
</pub-date>
<volume>05</volume>
<fpage/>
<lpage/>
<self-uri xlink:href="%(siteurl)s/record/70"/>
<self-uri xlink:href="%(siteurl)s/record/70/files/0003291.pdf"/>
<self-uri xlink:href="%(siteurl)s/record/70/files/0003291.ps.gz"/>
</article-meta>
<abstract>In its Euclidean formulation, the AdS/CFT correspondence begins as a study of Yang-Mills conformal field theories on the sphere, S^4. It has been successfully extended, however, to S^1 X S^3 and to the torus T^4. It is natural tohope that it can be made to work for any manifold on which it is possible to define a stable Yang-Mills conformal field theory. We consider a possible classification of such manifolds, and show how to deal with the most obviousobjection : the existence of manifolds which cannot be represented as boundaries. We confirm Witten's suggestion that this can be done with the help of a brane in the bulk.</abstract>
</front>
<article-type>research-article</article-type>
<ref/>
</article>
</articles>''' % {'siteurl': CFG_SITE_URL}
def test_nlm_output(self):
"""bibformat - NLM output"""
pageurl = CFG_SITE_URL + '/record/70?of=xn'
result = test_web_page_content(pageurl,
expected_text=self.record_70_xn)
try:
self.assertEqual([], result)
except AssertionError:
result = test_web_page_content(pageurl,
expected_text=self.record_70_xn.replace('<fpage/>', '<fpage></fpage>').replace('<lpage/>', '<lpage></lpage>'))
self.assertEqual([], result)
class BibFormatBriefHTMLTest(unittest.TestCase):
"""Check output produced by BibFormat for brief HTML ouput for
various records"""
def setUp(self):
"""Prepare some ideal outputs"""
self.record_76_hb = '''<strong>Ιθάκη</strong>
/ <a href="%s/search?f=author&p=%%CE%%9A%%CE%%B1%%CE%%B2%%CE%%AC%%CF%%86%%CE%%B7%%CF%%82%%2C%%20%%CE%%9A%%20%%CE%%A0&ln=%s">Καβάφης, Κ Π</a>
<br /><small>
Σα βγεις στον πηγαιμό για την Ιθάκη, <br />
να εύχεσαι νάναι μακρύς ο δρόμος, <br />
γεμάτος περιπέτειες, γεμάτος γνώσεις [...] </small>''' % (CFG_SITE_URL, CFG_SITE_LANG)
def test_brief_html_output(self):
"""bibformat - Brief HTML output"""
pageurl = CFG_SITE_URL + '/record/76?of=HB'
result = test_web_page_content(pageurl,
expected_text=self.record_76_hb)
self.assertEqual([], result)
class BibFormatMARCXMLTest(unittest.TestCase):
"""Check output produced by BibFormat for MARCXML ouput for various records"""
def setUp(self):
"""Prepare some ideal outputs"""
self.record_9_xm = '''<?xml version="1.0" encoding="UTF-8"?>
<collection xmlns="http://www.loc.gov/MARC21/slim">
<record>
<controlfield tag="001">9</controlfield>
<datafield tag="041" ind1=" " ind2=" ">
<subfield code="a">eng</subfield>
</datafield>
<datafield tag="088" ind1=" " ind2=" ">
<subfield code="a">PRE-25553</subfield>
</datafield>
<datafield tag="088" ind1=" " ind2=" ">
<subfield code="a">RL-82-024</subfield>
</datafield>
<datafield tag="100" ind1=" " ind2=" ">
<subfield code="a">Ellis, J</subfield>
<subfield code="u">University of Oxford</subfield>
</datafield>
<datafield tag="245" ind1=" " ind2=" ">
<subfield code="a">Grand unification with large supersymmetry breaking</subfield>
</datafield>
<datafield tag="260" ind1=" " ind2=" ">
<subfield code="c">Mar 1982</subfield>
</datafield>
<datafield tag="300" ind1=" " ind2=" ">
<subfield code="a">18 p</subfield>
</datafield>
<datafield tag="650" ind1="1" ind2="7">
<subfield code="2">SzGeCERN</subfield>
<subfield code="a">General Theoretical Physics</subfield>
</datafield>
<datafield tag="700" ind1=" " ind2=" ">
<subfield code="a">Ibanez, L E</subfield>
</datafield>
<datafield tag="700" ind1=" " ind2=" ">
<subfield code="a">Ross, G G</subfield>
</datafield>
<datafield tag="909" ind1="C" ind2="0">
<subfield code="y">1982</subfield>
</datafield>
<datafield tag="909" ind1="C" ind2="0">
<subfield code="b">11</subfield>
</datafield>
<datafield tag="909" ind1="C" ind2="1">
<subfield code="u">Oxford Univ.</subfield>
</datafield>
<datafield tag="909" ind1="C" ind2="1">
<subfield code="u">Univ. Auton. Madrid</subfield>
</datafield>
<datafield tag="909" ind1="C" ind2="1">
<subfield code="u">Rutherford Lab.</subfield>
</datafield>
<datafield tag="909" ind1="C" ind2="1">
<subfield code="c">1990-01-28</subfield>
<subfield code="l">50</subfield>
<subfield code="m">2002-01-04</subfield>
<subfield code="o">BATCH</subfield>
</datafield>
<datafield tag="909" ind1="C" ind2="S">
<subfield code="s">h</subfield>
<subfield code="w">1982n</subfield>
</datafield>
<datafield tag="980" ind1=" " ind2=" ">
<subfield code="a">PREPRINT</subfield>
</datafield>
</record>
</collection>'''
def test_marcxml_output(self):
"""bibformat - MARCXML output"""
pageurl = CFG_SITE_URL + '/record/9?of=xm'
result = test_web_page_content(pageurl,
expected_text=self.record_9_xm)
self.assertEqual([], result)
class BibFormatMARCTest(unittest.TestCase):
"""Check output produced by BibFormat for MARC ouput for various
records"""
def setUp(self):
"""Prepare some ideal outputs"""
self.record_29_hm = '''000000029 001__ 29
000000029 020__ $$a0720421039
000000029 041__ $$aeng
000000029 080__ $$a517.11
000000029 100__ $$aKleene, Stephen Cole$$uUniversity of Wisconsin
000000029 245__ $$aIntroduction to metamathematics
000000029 260__ $$aAmsterdam$$bNorth-Holland$$c1952 (repr.1964.)
000000029 300__ $$a560 p
000000029 490__ $$aBibl. Matematica$$v1
000000029 909C0 $$y1952
000000029 909C0 $$b21
000000029 909C1 $$c1990-01-27$$l00$$m2002-04-12$$oBATCH
000000029 909CS $$sm$$w198606
000000029 980__ $$aBOOK'''
def test_marc_output(self):
"""bibformat - MARC output"""
pageurl = CFG_SITE_URL + '/record/29?of=hm'
result = test_web_page_content(pageurl,
expected_text=self.record_29_hm)
self.assertEqual([], result)
class BibFormatTitleFormattingTest(unittest.TestCase):
"""Check title formatting produced by BibFormat."""
def test_subtitle_in_html_brief(self):
"""bibformat - title subtitle in HTML brief formats"""
self.assertEqual([],
test_web_page_content(CFG_SITE_URL + '/search?p=statistics+computer',
expected_text="Statistics: a computer approach"))
def test_subtitle_in_html_detailed(self):
"""bibformat - title subtitle in HTML detailed formats"""
self.assertEqual([],
test_web_page_content(CFG_SITE_URL + '/search?p=statistics+computer&of=HD',
expected_text="Statistics: a computer approach"))
def test_title_edition_in_html_brief(self):
"""bibformat - title edition in HTML brief formats"""
self.assertEqual([],
test_web_page_content(CFG_SITE_URL + '/search?p=2nd',
expected_text="Introductory statistics: a decision map; 2nd ed"))
def test_title_edition_in_html_detailed(self):
"""bibformat - title edition in HTML detailed formats"""
self.assertEqual([],
test_web_page_content(CFG_SITE_URL + '/search?p=2nd&of=HD',
expected_text="Introductory statistics: a decision map; 2nd ed"))
def test_title_part_in_html_brief(self):
"""bibformat - title part in HTML brief formats"""
self.assertEqual([],
test_web_page_content(CFG_SITE_URL + '/search?p=analyse+informatique',
expected_text="Analyse informatique, t.2"))
def test_title_part_in_html_detailed(self):
"""bibformat - title part in HTML detailed formats"""
self.assertEqual([],
test_web_page_content(CFG_SITE_URL + '/search?p=analyse+informatique&of=HD',
expected_text="Analyse informatique, t.2: L'accomplissement"))
class BibFormatISBNFormattingTest(unittest.TestCase):
"""Check ISBN formatting produced by BibFormat."""
def test_isbn_in_html_detailed(self):
"""bibformat - ISBN in HTML detailed formats"""
self.assertEqual([],
test_web_page_content(CFG_SITE_URL + '/search?p=analyse+informatique&of=HD',
expected_text="ISBN: 2225350574"))
class BibFormatPublInfoFormattingTest(unittest.TestCase):
"""Check publication reference info formatting produced by BibFormat."""
def test_publinfo_in_html_brief(self):
"""bibformat - publication reference info in HTML brief formats"""
self.assertEqual([],
test_web_page_content(CFG_SITE_URL + '/search?p=recid%3A84',
expected_text="Nucl. Phys. B: 656 (2003) pp. 23-36"))
def test_publinfo_in_html_detailed(self):
"""bibformat - publication reference info in HTML detailed formats"""
self.assertEqual([],
test_web_page_content(CFG_SITE_URL + '/record/84',
expected_text="Nucl. Phys. B: 656 (2003) pp. 23-36"))
TEST_SUITE = make_test_suite(BibFormatBibTeXTest,
BibFormatDetailedHTMLTest,
BibFormatBriefHTMLTest,
BibFormatNLMTest,
BibFormatMARCTest,
BibFormatMARCXMLTest,
BibFormatAPITest,
BibFormatTitleFormattingTest,
BibFormatISBNFormattingTest,
BibFormatPublInfoFormattingTest)
if __name__ == "__main__":
run_test_suite(TEST_SUITE, warn_user=True)
| kaplun/Invenio-OpenAIRE | modules/bibformat/lib/bibformat_regression_tests.py | Python | gpl-2.0 | 20,498 |
# -*- coding: utf-8 -*-
"""
***************************************************************************
doExtractProj.py
---------------------
Date : August 2011
Copyright : (C) 2011 by Alexander Bruy
Email : alexander dot bruy at gmail dot com
***************************************************************************
* *
* This program is free software; you can redistribute it and/or modify *
* it under the terms of the GNU General Public License as published by *
* the Free Software Foundation; either version 2 of the License, or *
* (at your option) any later version. *
* *
***************************************************************************
"""
__author__ = 'Alexander Bruy'
__date__ = 'August 2011'
__copyright__ = '(C) 2011, Alexander Bruy'
# This will get replaced with a git SHA1 when you do a git archive
__revision__ = '$Format:%H$'
from PyQt4.QtCore import *
from PyQt4.QtGui import *
from qgis.core import *
from qgis.gui import *
from ui_dialogExtractProjection import Ui_GdalToolsDialog as Ui_Dialog
import GdalTools_utils as Utils
import os.path
try:
from osgeo import gdal
from osgeo import osr
except ImportError, e:
error_str = e.args[ 0 ]
error_mod = error_str.replace( "No module named ", "" )
if req_mods.has_key( error_mod ):
error_str = error_str.replace( error_mod, req_mods[error_mod] )
raise ImportError( error_str )
class GdalToolsDialog( QDialog, Ui_Dialog ):
def __init__( self, iface ):
QDialog.__init__( self, iface.mainWindow() )
self.setupUi( self )
self.iface = iface
self.inSelector.setType( self.inSelector.FILE )
self.recurseCheck.hide()
self.okButton = self.buttonBox.button( QDialogButtonBox.Ok )
self.cancelButton = self.buttonBox.button( QDialogButtonBox.Cancel )
self.connect( self.inSelector, SIGNAL( "selectClicked()" ), self.fillInputFileEdit )
self.connect( self.batchCheck, SIGNAL( "stateChanged( int )" ), self.switchToolMode )
def switchToolMode( self ):
self.recurseCheck.setVisible( self.batchCheck.isChecked() )
self.inSelector.clear()
if self.batchCheck.isChecked():
self.inFileLabel = self.label.text()
self.label.setText( QCoreApplication.translate( "GdalTools", "&Input directory" ) )
QObject.disconnect( self.inSelector, SIGNAL( "selectClicked()" ), self.fillInputFileEdit )
QObject.connect( self.inSelector, SIGNAL( "selectClicked()" ), self.fillInputDir )
else:
self.label.setText( self.inFileLabel )
QObject.connect( self.inSelector, SIGNAL( "selectClicked()" ), self.fillInputFileEdit )
QObject.disconnect( self.inSelector, SIGNAL( "selectClicked()" ), self.fillInputDir )
def fillInputFileEdit( self ):
lastUsedFilter = Utils.FileFilter.lastUsedRasterFilter()
inputFile = Utils.FileDialog.getOpenFileName( self, self.tr( "Select the file to analyse" ), Utils.FileFilter.allRastersFilter(), lastUsedFilter )
if not inputFile:
return
Utils.FileFilter.setLastUsedRasterFilter( lastUsedFilter )
self.inSelector.setFilename( inputFile )
def fillInputDir( self ):
inputDir = Utils.FileDialog.getExistingDirectory( self, self.tr( "Select the input directory with files to Assign projection" ))
if not inputDir:
return
self.inSelector.setFilename( inputDir )
def reject( self ):
QDialog.reject( self )
def accept( self ):
self.inFiles = None
if self.batchCheck.isChecked():
self.inFiles = Utils.getRasterFiles( self.inSelector.filename(), self.recurseCheck.isChecked() )
else:
self.inFiles = [ self.inSelector.filename() ]
self.progressBar.setRange( 0, len( self.inFiles ) )
QApplication.setOverrideCursor( QCursor( Qt.WaitCursor ) )
self.okButton.setEnabled( False )
self.extractor = ExtractThread( self.inFiles, self.prjCheck.isChecked() )
QObject.connect( self.extractor, SIGNAL( "fileProcessed()" ), self.updateProgress )
QObject.connect( self.extractor, SIGNAL( "processFinished()" ), self.processingFinished )
QObject.connect( self.extractor, SIGNAL( "processInterrupted()" ), self.processingInterrupted )
QObject.disconnect( self.buttonBox, SIGNAL( "rejected()" ), self.reject )
QObject.connect( self.buttonBox, SIGNAL( "rejected()" ), self.stopProcessing )
self.extractor.start()
def updateProgress( self ):
self.progressBar.setValue( self.progressBar.value() + 1 )
def processingFinished( self ):
self.stopProcessing()
def processingInterrupted( self ):
self.restoreGui()
def stopProcessing( self ):
if self.extractor != None:
self.extractor.stop()
self.extractor = None
self.restoreGui()
def restoreGui( self ):
self.progressBar.setRange( 0, 100 )
self.progressBar.setValue( 0 )
QApplication.restoreOverrideCursor()
QObject.disconnect( self.buttonBox, SIGNAL( "rejected()" ), self.stopProcessing )
QObject.connect( self.buttonBox, SIGNAL( "rejected()" ), self.reject )
self.okButton.setEnabled( True )
# ----------------------------------------------------------------------
def extractProjection( filename, createPrj ):
raster = gdal.Open( unicode( filename ) )
crs = raster.GetProjection()
geotransform = raster.GetGeoTransform()
raster = None
outFileName = os.path.splitext( unicode( filename ) )[0]
# create prj file requested and if projection available
if crs != "" and createPrj:
# convert CRS into ESRI format
tmp = osr.SpatialReference()
tmp.ImportFromWkt( crs )
tmp.MorphToESRI()
crs = tmp.ExportToWkt()
tmp = None
prj = open( outFileName + '.prj', 'wt' )
prj.write( crs )
prj.close()
# create wld file
wld = open( outFileName + '.wld', 'wt')
wld.write( "%0.8f\n" % geotransform[1] )
wld.write( "%0.8f\n" % geotransform[4] )
wld.write( "%0.8f\n" % geotransform[2] )
wld.write( "%0.8f\n" % geotransform[5] )
wld.write( "%0.8f\n" % (geotransform[0] + 0.5 * geotransform[1] + 0.5 * geotransform[2] ) )
wld.write( "%0.8f\n" % (geotransform[3] + 0.5 * geotransform[4] + 0.5 * geotransform[5] ) )
wld.close()
class ExtractThread( QThread ):
def __init__( self, files, needPrj ):
QThread.__init__( self, QThread.currentThread() )
self.inFiles = files
self.needPrj = needPrj
self.mutex = QMutex()
self.stopMe = 0
def run( self ):
self.mutex.lock()
self.stopMe = 0
self.mutex.unlock()
interrupted = False
for f in self.inFiles:
extractProjection( f, self.needPrj )
self.emit( SIGNAL( "fileProcessed()" ) )
self.mutex.lock()
s = self.stopMe
self.mutex.unlock()
if s == 1:
interrupted = True
break
if not interrupted:
self.emit( SIGNAL( "processFinished()" ) )
else:
self.emit( SIGNAL( "processIterrupted()" ) )
def stop( self ):
self.mutex.lock()
self.stopMe = 1
self.mutex.unlock()
QThread.wait( self )
| camptocamp/QGIS | python/plugins/GdalTools/tools/doExtractProj.py | Python | gpl-2.0 | 7,191 |
'''
Given an array nums, there is a sliding window of size k which is moving from the very left of the array to the very right. You can only see the k numbers in the window. Each time the sliding window moves right by one position.
For example,
Given nums = [1,3,-1,-3,5,3,6,7], and k = 3.
Window position Max
--------------- -----
[1 3 -1] -3 5 3 6 7 3
1 [3 -1 -3] 5 3 6 7 3
1 3 [-1 -3 5] 3 6 7 5
1 3 -1 [-3 5 3] 6 7 5
1 3 -1 -3 [5 3 6] 7 6
1 3 -1 -3 5 [3 6 7] 7
Therefore, return the max sliding window as [3,3,5,5,6,7].
Note:
You may assume k is always valid, ie: 1 ≤ k ≤ input array's size for non-empty array.
Follow up:
Could you solve it in linear time?
Hint:
How about using a data structure such as deque (double-ended queue)?
The queue size need not be the same as the window’s size.
Remove redundant elements and the queue should store only elements that need to be considered.
Hide Tags Heap
Hide Similar Problems (H) Minimum Window Substring (E) Min Stack (H) Longest Substring with At Most Two Distinct Characters
@author: Chauncey
'''
import sys
import collections
class Solution:
# @param {integer[]} nums
# @param {integer} k
# @return {integer[]}
def maxSlidingWindow(self, nums, k):
res = []
l = len(nums)
if l == 0: return res
dq = collections.deque()
for i in xrange(l):
while dq and nums[dq[-1]] <= nums[i]:
dq.pop()
dq.append(i)
if i >= k - 1:
res.append(nums[dq[0]])
if dq[0] == i - k + 1:
dq.popleft()
return res
if __name__ == '__main__':
solution = Solution();
print solution.maxSlidingWindow([1,3,-1,-3,5,3,6,7], 3)
| mornsun/javascratch | src/topcoder.py/xSlidingWindowMaximum.py | Python | gpl-2.0 | 1,886 |
# -*- coding: utf-8 -*-
"""
***************************************************************************
FixedDistanceBuffer.py
---------------------
Date : August 2012
Copyright : (C) 2012 by Victor Olaya
Email : volayaf at gmail dot com
***************************************************************************
* *
* This program is free software; you can redistribute it and/or modify *
* it under the terms of the GNU General Public License as published by *
* the Free Software Foundation; either version 2 of the License, or *
* (at your option) any later version. *
* *
***************************************************************************
"""
__author__ = 'Victor Olaya'
__date__ = 'August 2012'
__copyright__ = '(C) 2012, Victor Olaya'
# This will get replaced with a git SHA1 when you do a git archive
__revision__ = '$Format:%H$'
from PyQt4.QtCore import *
from qgis.core import *
from processing.core.GeoAlgorithm import GeoAlgorithm
from processing.core.parameters import ParameterVector
from processing.core.parameters import ParameterBoolean
from processing.core.parameters import ParameterNumber
from processing.core.outputs import OutputVector
import Buffer as buff
from processing.tools import dataobjects
class FixedDistanceBuffer(GeoAlgorithm):
INPUT = 'INPUT'
OUTPUT = 'OUTPUT'
FIELD = 'FIELD'
DISTANCE = 'DISTANCE'
SEGMENTS = 'SEGMENTS'
DISSOLVE = 'DISSOLVE'
# =========================================================================
# def getIcon(self):
# return QtGui.QIcon(os.path.dirname(__file__) + "/icons/buffer.png")
# =========================================================================
def defineCharacteristics(self):
self.name = 'Fixed distance buffer'
self.group = 'Vector geometry tools'
self.addParameter(ParameterVector(self.INPUT, 'Input layer',
[ParameterVector.VECTOR_TYPE_ANY]))
self.addParameter(ParameterNumber(self.DISTANCE, 'Distance',
default=10.0))
self.addParameter(ParameterNumber(self.SEGMENTS, 'Segments', 1,
default=5))
self.addParameter(ParameterBoolean(self.DISSOLVE, 'Dissolve result',
False))
self.addOutput(OutputVector(self.OUTPUT, 'Buffer'))
def processAlgorithm(self, progress):
layer = dataobjects.getObjectFromUri(
self.getParameterValue(self.INPUT))
distance = self.getParameterValue(self.DISTANCE)
dissolve = self.getParameterValue(self.DISSOLVE)
segments = int(self.getParameterValue(self.SEGMENTS))
writer = self.getOutputFromName(
self.OUTPUT).getVectorWriter(layer.pendingFields().toList(),
QGis.WKBPolygon, layer.crs())
buff.buffering(progress, writer, distance, None, False, layer,
dissolve, segments)
| luofei98/qgis | python/plugins/processing/algs/qgis/ftools/FixedDistanceBuffer.py | Python | gpl-2.0 | 3,213 |
# Rekall Memory Forensics
# Copyright 2016 Google Inc. All Rights Reserved.
#
# This program is free software; you can redistribute it and/or modify
# it under the terms of the GNU General Public License as published by
# the Free Software Foundation; either version 2 of the License, or (at
# your option) any later version.
#
# This program is distributed in the hope that it will be useful, but
# WITHOUT ANY WARRANTY; without even the implied warranty of
# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU
# General Public License for more details.
#
# You should have received a copy of the GNU General Public License
# along with this program; if not, write to the Free Software
# Foundation, Inc., 59 Temple Place, Suite 330, Boston, MA 02111-1307 USA
#
"""This module implements plugins related to forensic artifacts.
https://github.com/ForensicArtifacts
"""
from future import standard_library
standard_library.install_aliases()
from builtins import str
from past.builtins import basestring
from builtins import object
from future.utils import with_metaclass
__author__ = "Michael Cohen <scudette@google.com>"
import csv
import datetime
import json
import platform
import os
import io
import sys
import zipfile
import yaml
from artifacts import definitions
from artifacts import errors
from rekall import plugin
from rekall import obj
from rekall_lib import yaml_utils
from rekall.ui import text
from rekall.ui import json_renderer
from rekall.plugins.response import common
from rekall_lib import registry
class ArtifactResult(object):
"""Bundle all the results from an artifact."""
def __init__(self, artifact_name=None, result_type=None, fields=None):
self.artifact_name = artifact_name
self.result_type = result_type
self.results = []
self.fields = fields or []
def __iter__(self):
return iter(self.results)
def add_result(self, **data):
if data:
self.results.append(data)
def merge(self, other):
self.results.extend(other)
def as_dict(self):
return dict(fields=self.fields,
results=self.results,
artifact_name=self.artifact_name,
result_type=self.result_type)
class BaseArtifactResultWriter(with_metaclass(registry.MetaclassRegistry, object)):
"""Writes the results of artifacts."""
__abstract = True
def __init__(self, session=None, copy_files=False,
create_timeline=False):
self.session = session
self.copy_files = copy_files
self.create_timeline = create_timeline
def write_result(self, result):
"""Writes the artifact result."""
def _create_timeline(self, artifact_result):
"""Create a new timeline result from the given result.
We use the output format suitable for the timesketch tool:
https://github.com/google/timesketch/wiki/UserGuideTimelineFromFile
"""
artifact_fields = artifact_result.fields
fields = [
dict(name="message", type="unicode"),
dict(name="timestamp", type="int"),
dict(name="datetime", type="unicode"),
dict(name="timestamp_desc", type="unicode"),
] + artifact_fields
new_result = ArtifactResult(
artifact_name=artifact_result.artifact_name,
result_type="timeline",
fields=fields)
for field in artifact_fields:
# This field is a timestamp - copy the entire row into the timeline.
if field["type"] == "epoch":
for row in artifact_result.results:
new_row = row.copy()
timestamp = row.get(field["name"])
if timestamp is None:
continue
new_row["timestamp"] = int(timestamp)
new_row["datetime"] = datetime.datetime.utcfromtimestamp(
timestamp).strftime("%Y-%m-%dT%H:%M:%S+00:00")
new_row["timestamp_desc"] = artifact_result.artifact_name
new_row["message"] = " ".join(
str(row[field["name"]]) for field in artifact_fields
if field["name"] in row)
new_result.add_result(**new_row)
return new_result
def __enter__(self):
return self
def __exit__(self, unused_type, unused_value, unused_traceback):
return
class DirectoryBasedWriter(BaseArtifactResultWriter):
name = "Directory"
def __init__(self, output=None, **kwargs):
super(DirectoryBasedWriter, self).__init__(**kwargs)
self.dump_dir = output
# Check if the directory already exists.
if not os.path.isdir(self.dump_dir):
raise plugin.PluginError("%s is not a directory" % self.dump_dir)
def write_file(self, result):
"""Writes a FileInformation object."""
for row in result.results:
filename = row["filename"]
with open(filename, "rb") as in_fd:
with self.session.GetRenderer().open(
directory=self.dump_dir,
filename=filename, mode="wb") as out_fd:
while 1:
data = in_fd.read(1024*1024)
if not data:
break
out_fd.write(data)
def _write_csv_file(self, out_fd, result):
fieldnames = [x["name"] for x in result.fields]
writer = csv.DictWriter(
out_fd, dialect="excel",
fieldnames=fieldnames)
writer.writeheader()
for row in result.results:
writer.writerow(row)
def write_result(self, result):
"""Writes the artifact result."""
if self.copy_files and result.result_type == "file_information":
try:
self.write_file(result)
except (IOError, OSError) as e:
self.session.logging.warn("Unable to copy file: %s", e)
with self.session.GetRenderer().open(
directory=self.dump_dir,
filename="artifacts/%s.json" % result.artifact_name,
mode="wb") as out_fd:
out_fd.write(json.dumps(result.as_dict(), sort_keys=True))
with self.session.GetRenderer().open(
directory=self.dump_dir,
filename="artifacts/%s.csv" % result.artifact_name,
mode="wb") as out_fd:
self._write_csv_file(out_fd, result)
if self.create_timeline:
with self.session.GetRenderer().open(
directory=self.dump_dir,
filename="artifacts/%s.timeline.csv" %
result.artifact_name,
mode="wb") as out_fd:
self._write_csv_file(out_fd, self._create_timeline(result))
class ZipBasedWriter(BaseArtifactResultWriter):
name = "Zip"
def __init__(self, output=None, **kwargs):
super(ZipBasedWriter, self).__init__(**kwargs)
self.output = output
def __enter__(self):
self.out_fd = self.session.GetRenderer().open(
filename=self.output, mode="wb").__enter__()
self.outzip = zipfile.ZipFile(self.out_fd, mode="w",
compression=zipfile.ZIP_DEFLATED)
return self
def __exit__(self, *args):
self.outzip.close()
self.out_fd.__exit__(*args)
def _write_csv_file(self, out_fd, result):
fieldnames = [x["name"] for x in result.fields]
writer = csv.DictWriter(
out_fd, dialect="excel",
fieldnames=fieldnames)
writer.writeheader()
for row in result.results:
writer.writerow(row)
def write_file(self, result):
for row in result.results:
filename = row["filename"]
self.outzip.write(filename)
def write_result(self, result):
"""Writes the artifact result."""
if self.copy_files and result.result_type == "file_information":
try:
self.write_file(result)
except (IOError, OSError) as e:
self.session.logging.warn(
"Unable to copy file %s into output: %s",
result["filename"], e)
self.outzip.writestr("artifacts/%s.json" % result.artifact_name,
json.dumps(result.as_dict(), sort_keys=True),
zipfile.ZIP_DEFLATED)
tmp_fd = io.StringIO()
self._write_csv_file(tmp_fd, result)
self.outzip.writestr("artifacts/%s.csv" % result.artifact_name,
tmp_fd.getvalue(),
zipfile.ZIP_DEFLATED)
if self.create_timeline:
tmp_fd = io.StringIO()
self._write_csv_file(tmp_fd, self._create_timeline(result))
self.outzip.writestr("artifacts/%s.timeline.csv" %
result.artifact_name,
tmp_fd.getvalue(),
zipfile.ZIP_DEFLATED)
# Rekall defines a new artifact type.
TYPE_INDICATOR_REKALL = "REKALL_EFILTER"
class _FieldDefinitionValidator(object):
"""Loads and validates fields in a dict.
We check their name, types and if they are optional according to a template
in _field_definitions.
"""
_field_definitions = []
def _LoadFieldDefinitions(self, data, field_definitions):
for field in field_definitions:
name = field["name"]
default = field.get("default")
required_type = field.get("type")
if required_type in (str, str):
required_type = basestring
if default is None and required_type is not None:
# basestring cant be instantiated.
if required_type is basestring:
default = ""
else:
default = required_type()
if required_type is None and default is not None:
required_type = type(default)
if not field.get("optional"):
if name not in data:
raise errors.FormatError(
u'Missing fields {}.'.format(name))
value = data.get(name, default)
if default is not None and not isinstance(value, required_type):
raise errors.FormatError(
u'field {} has type {} should be {}.'.format(
name, type(data[name]), required_type))
if field.get("checker"):
value = field["checker"](self, data)
setattr(self, name, value)
class SourceType(_FieldDefinitionValidator):
"""All sources inherit from this."""
# Common fields for all sources.
_common_fields = [
dict(name="type", optional=False),
dict(name="supported_os", optional=True, type=list,
default=list(definitions.SUPPORTED_OS)),
]
def __init__(self, source_definition, artifact=None):
attributes = source_definition["attributes"]
# The artifact that owns us.
self.artifact = artifact
self.source_definition = source_definition
self.type_indicator = source_definition["type"]
self._LoadFieldDefinitions(attributes, self._field_definitions)
self._LoadFieldDefinitions(source_definition, self._common_fields)
def is_active(self, **_):
"""Indicates if the source is applicable to the environment."""
return True
def apply(self, artifact_name=None, fields=None, result_type=None, **_):
"""Generate ArtifactResult instances."""
return ArtifactResult(artifact_name=artifact_name,
result_type=result_type,
fields=fields)
# These are the valid types of Rekall images. They can be used to restrict
# REKALL_EFILTER artifacts to specific types of images. The types which end in
# API refer to the API only version of the similar plugins.
REKALL_IMAGE_TYPES = [
"Windows", "WindowsAPI",
"Linux", "LinuxAPI",
"Darwin", "DarwinAPI"
]
class RekallEFilterArtifacts(SourceType):
"""Class to support Rekall Efilter artifact types."""
allowed_types = {
"int": int,
"unicode": str, # Unicode data.
"str": str, # Used for binary data.
"float": float,
"epoch": float, # Dates as epoch timestamps.
"any": str # Used for opaque types that can not be further processed.
}
_field_definitions = [
dict(name="query", type=basestring),
dict(name="query_parameters", default=[], optional=True),
dict(name="fields", type=list),
dict(name="type_name", type=basestring),
dict(name="image_type", type=list, optional=True,
default=REKALL_IMAGE_TYPES),
]
def __init__(self, source_definition, **kw):
super(RekallEFilterArtifacts, self).__init__(source_definition, **kw)
for column in self.fields:
if "name" not in column or "type" not in column:
raise errors.FormatError(
u"Field definition should have both name and type.")
mapped_type = column["type"]
if mapped_type not in self.allowed_types:
raise errors.FormatError(
u"Unsupported type %s." % mapped_type)
def GetImageType(self, session):
"""Returns one of the standard image types based on the session."""
result = session.profile.metadata("os").capitalize()
if session.GetParameter("live_mode") == "API":
result += "API"
return result
def is_active(self, session=None):
"""Determine if this source is active."""
return (self.image_type and
self.GetImageType(session) in self.image_type)
def apply(self, session=None, **kwargs):
result = super(RekallEFilterArtifacts, self).apply(
fields=self.fields, result_type=self.type_name, **kwargs)
if not self.is_active(session):
return
search = session.plugins.search(
query=self.query,
query_parameters=self.query_parameters)
for match in search.solve():
row = {}
for column in self.fields:
name = column["name"]
type = column["type"]
value = match.get(name)
if value is None:
continue
row[name] = RekallEFilterArtifacts.allowed_types[
type](value)
result.add_result(**row)
yield result
class LiveModeSourceMixin(object):
def is_active(self, session=None):
"""Determine if this source is active."""
# We are only active in Live mode (API or Memory).
return (session.GetParameter("live_mode") != None and
session.profile.metadata("os").capitalize() in
self.supported_os)
class FileSourceType(LiveModeSourceMixin, SourceType):
_field_definitions = [
dict(name="paths", default=[]),
dict(name="separator", default="/", type=basestring,
optional=True),
]
# These fields will be present in the ArtifactResult object we return.
_FIELDS = [
dict(name="st_mode", type="unicode"),
dict(name="st_nlink", type="int"),
dict(name="st_uid", type="unicode"),
dict(name="st_gid", type="unicode"),
dict(name="st_size", type="int"),
dict(name="st_mtime", type="epoch"),
dict(name="filename", type="unicode"),
]
def apply(self, session=None, **kwargs):
result = super(FileSourceType, self).apply(
fields=self._FIELDS, result_type="file_information", **kwargs)
for hits in session.plugins.glob(
self.paths, path_sep=self.separator,
root=self.separator).collect():
# Hits are FileInformation objects, and we just pick some of the
# important fields to report.
info = hits["path"]
row = {}
for field in self._FIELDS:
name = field["name"]
type = RekallEFilterArtifacts.allowed_types[field["type"]]
row[name] = type(getattr(info, name))
result.add_result(**row)
yield result
class ArtifactGroupSourceType(SourceType):
_field_definitions = [
dict(name="names", type=list),
dict(name="supported_os", optional=True,
default=definitions.SUPPORTED_OS),
]
def apply(self, collector=None, **_):
for name in self.names:
for result in collector.collect_artifact(name):
yield result
class WMISourceType(LiveModeSourceMixin, SourceType):
_field_definitions = [
dict(name="query", type=basestring),
dict(name="fields", type=list, optional=True, default=[]),
dict(name="type_name", type=basestring, optional=True),
dict(name="supported_os", optional=True,
default=definitions.SUPPORTED_OS),
]
fields = None
def _guess_returned_fields(self, sample):
result = []
for key, value in sample.items():
field_type = type(value)
if field_type is int:
field_type = "int"
elif field_type is str:
field_type = "unicode"
else:
field_type = "unicode"
result.append(dict(name=key, type=field_type))
return result
def apply(self, session=None, **kwargs):
result = super(WMISourceType, self).apply(
result_type=self.type_name, **kwargs)
wmi = session.plugins.wmi(query=self.query)
# The wmi plugin may not exist on non-windows systems.
if wmi == None:
return
for collected in wmi.collect():
match = collected["Result"]
row = {}
# If the user did not specify the fields, we must
# deduce them from the first returned row.
if not self.fields:
self.fields = self._guess_returned_fields(match)
result.fields = self.fields
for column in self.fields:
name = column["name"]
type = column["type"]
value = match.get(name)
if value is None:
continue
row[name] = RekallEFilterArtifacts.allowed_types[
type](value)
result.add_result(**row)
yield result
class RegistryKeySourceType(LiveModeSourceMixin, SourceType):
_field_definitions = [
dict(name="keys", default=[]),
dict(name="supported_os", optional=True,
default=["Windows"]),
]
_FIELDS = [
dict(name="st_mtime", type="epoch"),
dict(name="hive", type="unicode"),
dict(name="key_name", type="unicode"),
dict(name="value", type="str"),
dict(name="value_type", type="str"),
]
def apply(self, session=None, **kwargs):
result = super(RegistryKeySourceType, self).apply(
fields=self._FIELDS, result_type="registry_key", **kwargs)
for hits in session.plugins.glob(
self.keys, path_sep="\\", filesystem="Reg",
root="\\").collect():
# Hits are FileInformation objects, and we just pick some of the
# important fields to report.
info = hits["path"]
row = {}
for field in self._FIELDS:
name = field["name"]
field_type = RekallEFilterArtifacts.allowed_types[field["type"]]
data = info.get(name)
if data is not None:
row[name] = field_type(data)
result.add_result(**row)
yield result
class RegistryValueSourceType(LiveModeSourceMixin, SourceType):
def CheckKeyValuePairs(self, source):
key_value_pairs = source["key_value_pairs"]
for pair in key_value_pairs:
if (not isinstance(pair, dict) or "key" not in pair or
"value" not in pair):
raise errors.FormatError(
u"key_value_pairs should consist of dicts with key and "
"value items.")
return key_value_pairs
_field_definitions = [
dict(name="key_value_pairs", default=[],
checker=CheckKeyValuePairs),
dict(name="supported_os", optional=True,
default=["Windows"]),
]
_FIELDS = [
dict(name="st_mtime", type="epoch"),
dict(name="hive", type="unicode"),
dict(name="key_name", type="unicode"),
dict(name="value_name", type="unicode"),
dict(name="value_type", type="str"),
dict(name="value", type="str"),
]
def apply(self, session=None, **kwargs):
result = super(RegistryValueSourceType, self).apply(
fields=self._FIELDS, result_type="registry_value", **kwargs)
globs = [u"%s\\%s" % (x["key"], x["value"])
for x in self.key_value_pairs]
for hits in session.plugins.glob(
globs, path_sep="\\", filesystem="Reg",
root="\\").collect():
info = hits["path"]
row = {}
for field in self._FIELDS:
name = field["name"]
field_type = RekallEFilterArtifacts.allowed_types[field["type"]]
data = info.get(name)
if data is not None:
row[name] = field_type(data)
result.add_result(**row)
yield result
# This lookup table maps between source type name and concrete implementations
# that we support. Artifacts which contain sources which are not implemented
# will be ignored.
SOURCE_TYPES = {
TYPE_INDICATOR_REKALL: RekallEFilterArtifacts,
definitions.TYPE_INDICATOR_FILE: FileSourceType,
definitions.TYPE_INDICATOR_ARTIFACT_GROUP: ArtifactGroupSourceType,
definitions.TYPE_INDICATOR_WMI_QUERY: WMISourceType,
definitions.TYPE_INDICATOR_WINDOWS_REGISTRY_KEY: RegistryKeySourceType,
definitions.TYPE_INDICATOR_WINDOWS_REGISTRY_VALUE: RegistryValueSourceType,
}
class ArtifactDefinition(_FieldDefinitionValidator):
"""The main artifact class."""
def CheckLabels(self, art_definition):
"""Ensure labels are defined."""
labels = art_definition.get("labels", [])
# Keep unknown labels around in case callers want to check for complete
# label coverage. In most cases it is desirable to allow users to extend
# labels but when super strict validation is required we want to make
# sure that users dont typo a label.
self.undefined_labels = set(labels).difference(definitions.LABELS)
return labels
def BuildSources(self, art_definition):
sources = art_definition["sources"]
result = []
self.unsupported_source_types = []
for source in sources:
if not isinstance(source, dict):
raise errors.FormatError("Source is not a dict.")
source_type_name = source.get("type")
if source_type_name is None:
raise errors.FormatError("Source has no type.")
source_cls = self.source_types.get(source_type_name)
if source_cls:
result.append(source_cls(source, artifact=self))
else:
self.unsupported_source_types.append(source_type_name)
if not result:
if self.unsupported_source_types:
raise errors.FormatError(
"No supported sources: %s" % (
self.unsupported_source_types,))
raise errors.FormatError("No available sources.")
return result
def SupportedOS(self, art_definition):
supported_os = art_definition.get(
"supported_os", definitions.SUPPORTED_OS)
undefined_supported_os = set(supported_os).difference(
definitions.SUPPORTED_OS)
if undefined_supported_os:
raise errors.FormatError(
u'supported operating system: {} '
u'not defined.'.format(
u', '.join(undefined_supported_os)))
return supported_os
_field_definitions = [
dict(name="name", type=basestring),
dict(name="doc", type=basestring),
dict(name="labels", default=[],
checker=CheckLabels, optional=True),
dict(name="sources", default=[],
checker=BuildSources),
dict(name="supported_os",
checker=SupportedOS, optional=True),
dict(name="conditions", default=[], optional=True),
dict(name="returned_types", default=[], optional=True),
dict(name="provides", type=list, optional=True),
dict(name="urls", type=list, optional=True)
]
name = "unknown"
source_types = SOURCE_TYPES
def __init__(self, data, source_types=None):
self.source_types = source_types or SOURCE_TYPES
self.data = data
try:
self._LoadDefinition(data)
except Exception as e:
exc_info = sys.exc_info()
raise errors.FormatError(
"Definition %s: %s" % (self.name, e))
def set_implementations(self, source_types):
return self.__class__(self.data, source_types)
def _LoadDefinition(self, data):
if not isinstance(data, dict):
raise errors.FormatError(
"Artifact definition must be a dict.")
different_keys = set(data) - definitions.TOP_LEVEL_KEYS
if different_keys:
raise errors.FormatError(u'Undefined keys: {}'.format(
different_keys))
self._LoadFieldDefinitions(data, self._field_definitions)
class ArtifactDefinitionProfileSectionLoader(obj.ProfileSectionLoader):
"""Loads artifacts from the artifact profiles."""
name = "$ARTIFACTS"
def LoadIntoProfile(self, session, profile, art_definitions):
for definition in art_definitions:
try:
profile.AddDefinition(definition)
except errors.FormatError as e:
session.logging.debug(
"Skipping Artifact %s: %s", definition.get("name"), e)
return profile
class ArtifactProfile(obj.Profile):
"""A profile containing artifact definitions."""
# This will contain the definitions.
def __init__(self, *args, **kwargs):
super(ArtifactProfile, self).__init__(*args, **kwargs)
self.definitions = []
self.definitions_by_name = {}
def AddDefinition(self, definition):
"""Add a new definition from a dict."""
self.definitions.append(definition)
self.definitions_by_name[definition["name"]] = definition
def GetDefinitionByName(self, name, source_types=None):
if source_types is None:
source_types = SOURCE_TYPES
definition = self.definitions_by_name[name]
return ArtifactDefinition(definition, source_types)
def GetDefinitions(self, source_types=None):
if source_types is None:
source_types = SOURCE_TYPES
for definition in self.definitions:
try:
yield ArtifactDefinition(definition, source_types)
except errors.FormatError:
pass
class ArtifactsCollector(plugin.TypedProfileCommand,
plugin.Command):
"""Collects artifacts."""
name = "artifact_collector"
__args = [
dict(name="artifacts", positional=True, required=True,
type="ArrayStringParser",
help="A list of artifact names to collect."),
dict(name="artifact_files", type="ArrayStringParser",
help="A list of additional yaml files to load which contain "
"artifact definitions."),
dict(name="definitions", type="ArrayStringParser",
help="An inline artifact definition in yaml format."),
dict(name="create_timeline", type="Bool", default=False,
help="Also generate a timeline file."),
dict(name="copy_files", type="Bool", default=False,
help="Copy files into the output."),
dict(name="writer", type="Choices",
choices=lambda: (
x.name for x in list(BaseArtifactResultWriter.classes.values())),
help="Writer for artifact results."),
dict(name="output_path",
help="Path suitable for dumping files."),
]
table_header = [
dict(name="divider", type="Divider"),
dict(name="result"),
]
table_options = dict(
suppress_headers=True
)
def column_types(self):
return dict(path=common.FileInformation(filename="/etc"))
def __init__(self, *args, **kwargs):
super(ArtifactsCollector, self).__init__(*args, **kwargs)
self.artifact_profile = self.session.LoadProfile("artifacts")
extra_definitions = [
open(x).read() for x in self.plugin_args.artifact_files]
extra_definitions.extend(self.plugin_args.definitions or [])
# Make a copy of the artifact registry.
if extra_definitions:
self.artifact_profile = self.artifact_profile.copy()
for definition in extra_definitions:
for definition_data in yaml.safe_load_all(definition):
self.artifact_profile.AddDefinition(definition_data)
self.seen = set()
self.supported_os = self.get_supported_os(self.session)
if self.supported_os is None:
raise plugin.PluginError(
"Unable to determine running environment.")
# Make sure the args make sense.
if self.plugin_args.output_path is None:
if self.plugin_args.copy_files:
raise plugin.PluginError(
"Can only copy files when an output file is specified.")
if self.plugin_args.create_timeline:
raise plugin.PluginError(
"Can only create timelines when an output file "
"is specified.")
@classmethod
def get_supported_os(cls, session):
# Determine which context we are running in. If we are running in live
# mode, we use the platform to determine the supported OS, otherwise we
# determine it from the profile.
if session.GetParameter("live"):
return platform.system()
elif session.profile.metadata("os") == "linux":
return "Linux"
elif session.profile.metadata("os") == "windows":
return "Windows"
elif session.profile.metadata("os") == "darwin":
return "Darwin"
def _evaluate_conditions(self, conditions):
# TODO: Implement an expression parser for these. For now we just return
# True always.
return True
def collect_artifact(self, artifact_name):
if artifact_name in self.seen:
return
self.seen.add(artifact_name)
try:
definition = self.artifact_profile.GetDefinitionByName(
artifact_name)
except KeyError:
self.session.logging.error("Unknown artifact %s" % artifact_name)
return
# This artifact is not for us.
if self.supported_os not in definition.supported_os:
self.session.logging.debug(
"Skipping artifact %s: Supported OS: %s, but we are %s",
definition.name, definition.supported_os,
self.supported_os)
return
if not self._evaluate_conditions(definition.conditions):
return
yield dict(divider="Artifact: %s" % definition.name)
for source in definition.sources:
# This source is not for us.
if not source.is_active(session=self.session):
continue
for result in source.apply(
artifact_name=definition.name,
session=self.session,
collector=self):
if isinstance(result, dict):
yield result
else:
yield dict(result=result)
def collect(self):
# Figure out a sensible default for the output writer.
if (self.plugin_args.output_path is not None and
self.plugin_args.writer is None):
if os.path.isdir(self.plugin_args.output_path):
self.plugin_args.writer = "Directory"
else:
self.plugin_args.writer = "Zip"
if self.plugin_args.writer:
impl = BaseArtifactResultWriter.ImplementationByName(
self.plugin_args.writer)
with impl(session=self.session,
copy_files=self.plugin_args.copy_files,
create_timeline=self.plugin_args.create_timeline,
output=self.plugin_args.output_path) as writer:
for x in self._collect(writer=writer):
yield x
else:
for x in self._collect():
yield x
def _collect(self, writer=None):
for artifact_name in self.plugin_args.artifacts:
for hit in self.collect_artifact(artifact_name):
if "result" in hit and writer:
writer.write_result(hit["result"])
yield hit
class ArtifactsView(plugin.TypedProfileCommand,
plugin.Command):
name = "artifact_view"
__args = [
dict(name="artifacts", type="ArrayStringParser", positional=True,
help="A list of artifacts to display")
]
table_header = [
dict(name="divider", type="Divider"),
dict(name="Message")
]
def collect(self):
artifact_profile = self.session.LoadProfile("artifacts")
for artifact in self.plugin_args.artifacts:
definition = artifact_profile.definitions_by_name.get(artifact)
if definition:
yield dict(divider=artifact)
yield dict(Message=yaml_utils.safe_dump(definition))
class ArtifactsList(plugin.TypedProfileCommand,
plugin.Command):
"""List details about all known artifacts."""
name = "artifact_list"
__args = [
dict(name="regex", type="RegEx",
default=".",
help="Filter the artifact name."),
dict(name="supported_os", type="ArrayStringParser", required=False,
help="If specified show for these OSs, otherwise autodetect "
"based on the current image."),
dict(name="labels", type="ArrayStringParser",
help="Filter by these labels."),
dict(name="all", type="Bool",
help="Show all artifacts."),
]
table_header = [
dict(name="Name", width=30),
dict(name="OS", width=8),
dict(name="Labels", width=20),
dict(name="Types", width=20),
dict(name="Description", width=50),
]
def collect(self):
# Empty means autodetect based on the image.
if not self.plugin_args.supported_os:
supported_os = set([
ArtifactsCollector.get_supported_os(self.session)])
else:
supported_os = set(self.plugin_args.supported_os)
for definition in self.session.LoadProfile(
"artifacts").GetDefinitions():
if (not self.plugin_args.all and
not supported_os.intersection(definition.supported_os)):
continue
# Determine the type:
types = set()
for source in definition.sources:
if self.plugin_args.all or source.is_active(
session=self.session):
types.add(source.type_indicator)
if self.plugin_args.regex.match(definition.name):
yield (definition.name, definition.supported_os,
definition.labels, sorted(types), definition.doc)
class ArtifactResult_TextObjectRenderer(text.TextObjectRenderer):
renders_type = "ArtifactResult"
def render_row(self, target, **_):
column_names = [x["name"] for x in target.fields]
table = text.TextTable(
columns=target.fields,
renderer=self.renderer,
session=self.session)
if not target.results:
return text.Cell("")
result = [
text.JoinedCell(*[text.Cell(x) for x in column_names]),
text.JoinedCell(*[text.Cell("-" * len(x)) for x in column_names])]
for row in target.results:
ordered_row = []
for column in column_names:
ordered_row.append(row.get(column))
result.append(table.get_row(*ordered_row))
result = text.StackedCell(*result)
return result
class ArtifactResult_DataExportObjectRenderer(
json_renderer.StateBasedObjectRenderer):
renders_type = "ArtifactResult"
renderers = ["DataExportRenderer"]
def GetState(self, item, **_):
return dict(artifact_name=item.artifact_name,
result_type=item.result_type,
fields=item.fields,
results=item.results)
| google/rekall | rekall-core/rekall/plugins/response/forensic_artifacts.py | Python | gpl-2.0 | 37,683 |
# This file is part of the Anitya project.
# Copyright (C) 2017 Red Hat, Inc.
#
# This program is free software; you can redistribute it and/or modify
# it under the terms of the GNU General Public License as published by
# the Free Software Foundation; either version 2 of the License, or
# (at your option) any later version.
#
# This program is distributed in the hope that it will be useful,
# but WITHOUT ANY WARRANTY; without even the implied warranty of
# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
# GNU General Public License for more details.
#
# You should have received a copy of the GNU General Public License
# along with this program; if not, write to the Free Software
# Foundation, Inc., 51 Franklin Street, Fifth Floor, Boston, MA 02110-1301 USA
from .app import create
application = create()
| release-monitoring/anitya | anitya/wsgi.py | Python | gpl-2.0 | 835 |
import re
import django.core.exceptions
import productstatus.core.models
UUID_REGEX = re.compile('[0-9a-f]{8}-[0-9a-f]{4}-[0-9a-f]{4}-[0-9a-f]{4}-[0-9a-f]{12}')
def get_objects_from_field(field, value):
results = []
for subclass in productstatus.core.models.BaseModel.__subclasses__():
try:
qs = subclass.objects.filter(**{field: value}).order_by('-modified')
except django.core.exceptions.FieldError:
continue
results += list(qs[:1000])
return results
def lookup_uuid(query):
matches = UUID_REGEX.search(query)
if not matches:
return []
return get_objects_from_field('id', matches.group(0))
def lookup_slug(query):
return get_objects_from_field('slug', query)
def lookup_source_key(query):
return get_objects_from_field('source_key', query)
def lookup_name(query):
return get_objects_from_field('name__icontains', query)
def lookup_url(query):
return get_objects_from_field('url__contains', query)
def lookup_any(query):
for func in [lookup_uuid, lookup_slug, lookup_source_key, lookup_name, lookup_url]:
o = func(query)
if not o:
continue
return o
return []
| metno/modelstatus | productstatus/core/lookup.py | Python | gpl-2.0 | 1,218 |
import attr
from navmazing import NavigateToAttribute
from navmazing import NavigateToSibling
from cfme.common import Taggable
from cfme.common import TagPageView
from cfme.containers.provider import ContainerObjectAllBaseView
from cfme.containers.provider import ContainerObjectDetailsBaseView
from cfme.containers.provider import GetRandomInstancesMixin
from cfme.containers.provider import Labelable
from cfme.containers.provider import LoggingableView
from cfme.modeling.base import BaseCollection
from cfme.modeling.base import BaseEntity
from cfme.utils.appliance.implementations.ui import CFMENavigateStep
from cfme.utils.appliance.implementations.ui import navigator
from cfme.utils.providers import get_crud_by_name
class ServiceView(ContainerObjectAllBaseView, LoggingableView):
"""Container Nodes view"""
@property
def in_service(self):
"""Determine if the Service page is currently open"""
return (
self.logged_in_as_current_user and
self.navigation.currently_selected == ['Compute', 'Containers', 'Container Services']
)
class ServiceAllView(ServiceView):
"""Container Services All view"""
SUMMARY_TEXT = "Container Services"
@property
def is_displayed(self):
return self.in_service and super().is_displayed
class ServiceDetailsView(ContainerObjectDetailsBaseView):
"""Container Services Details view"""
SUMMARY_TEXT = "Container Services"
@attr.s
class Service(BaseEntity, Taggable, Labelable):
PLURAL = 'Container Services'
all_view = ServiceAllView
details_view = ServiceDetailsView
name = attr.ib()
project_name = attr.ib()
provider = attr.ib()
@attr.s
class ServiceCollection(GetRandomInstancesMixin, BaseCollection):
"""Collection object for :py:class:`Service`."""
ENTITY = Service
def all(self):
# container_services table has ems_id, join with ext_mgmgt_systems on id for provider name
# Then join with container_projects on the id for the project
service_table = self.appliance.db.client['container_services']
ems_table = self.appliance.db.client['ext_management_systems']
project_table = self.appliance.db.client['container_projects']
service_query = (
self.appliance.db.client.session
.query(service_table.name, project_table.name, ems_table.name)
.join(ems_table, service_table.ems_id == ems_table.id)
.join(project_table, service_table.container_project_id == project_table.id))
provider = None
# filtered
if self.filters.get('provider'):
provider = self.filters.get('provider')
service_query = service_query.filter(ems_table.name == provider.name)
services = []
for name, project_name, ems_name in service_query.all():
services.append(self.instantiate(name=name, project_name=project_name,
provider=provider or get_crud_by_name(ems_name)))
return services
@navigator.register(ServiceCollection, 'All')
class All(CFMENavigateStep):
prerequisite = NavigateToAttribute('appliance.server', 'LoggedIn')
VIEW = ServiceAllView
def step(self, *args, **kwargs):
self.prerequisite_view.navigation.select('Compute', 'Containers', 'Container Services')
def resetter(self, *args, **kwargs):
# Reset view and selection
self.view.toolbar.view_selector.select("List View")
self.view.paginator.reset_selection()
@navigator.register(Service, 'Details')
class Details(CFMENavigateStep):
prerequisite = NavigateToAttribute('parent', 'All')
VIEW = ServiceDetailsView
def step(self, *args, **kwargs):
search_visible = self.prerequisite_view.entities.search.is_displayed
self.prerequisite_view.entities.get_entity(name=self.obj.name,
project_name=self.obj.project_name,
surf_pages=not search_visible,
use_search=search_visible).click()
@navigator.register(Service, 'EditTags')
class EditTags(CFMENavigateStep):
VIEW = TagPageView
prerequisite = NavigateToSibling('Details')
def step(self, *args, **kwargs):
self.prerequisite_view.toolbar.policy.item_select('Edit Tags')
| nachandr/cfme_tests | cfme/containers/service.py | Python | gpl-2.0 | 4,417 |
# -*- coding: utf-8 -*-
#
# libmypaint documentation build configuration file, created by
# sphinx-quickstart2 on Wed Jun 13 23:40:45 2012.
#
# This file is execfile()d with the current directory set to its containing dir.
#
# Note that not all possible configuration values are present in this
# autogenerated file.
#
# All configuration values have a default; values that are commented out
# serve to show the default.
import sys, os
# If extensions (or modules to document with autodoc) are in another directory,
# add these directories to sys.path here. If the directory is relative to the
# documentation root, use os.path.abspath to make it absolute, like shown here.
#sys.path.insert(0, os.path.abspath('.'))
# -- General configuration -----------------------------------------------------
# If your documentation needs a minimal Sphinx version, state it here.
#needs_sphinx = '1.0'
# Add any Sphinx extension module names here, as strings. They can be extensions
# coming with Sphinx (named 'sphinx.ext.*') or your custom ones.
extensions = ['sphinx.ext.autodoc', 'sphinx.ext.doctest', 'sphinx.ext.intersphinx', 'sphinx.ext.todo', 'sphinx.ext.coverage', 'sphinx.ext.pngmath', 'sphinx.ext.ifconfig', 'sphinx.ext.viewcode']
# Breathe setup, for integrating doxygen content
extensions.append('breathe')
doxyxml_dir = os.path.join(os.path.abspath(os.path.dirname(__file__)), '../doxygen')
print doxyxml_dir
breathe_projects = {"libmypaint": doxyxml_dir}
breathe_default_project = "libmypaint"
# Add any paths that contain templates here, relative to this directory.
templates_path = ['_templates']
# The suffix of source filenames.
source_suffix = '.rst'
# The encoding of source files.
#source_encoding = 'utf-8-sig'
# The master toctree document.
master_doc = 'index'
# General information about the project.
project = u'libmypaint'
copyright = u'2012, MyPaint Development Team'
# The version info for the project you're documenting, acts as replacement for
# |version| and |release|, also used in various other places throughout the
# built documents.
#
# The short X.Y version.
version = '0.1'
# The full version, including alpha/beta/rc tags.
release = '0.1'
# The language for content autogenerated by Sphinx. Refer to documentation
# for a list of supported languages.
#language = None
# There are two options for replacing |today|: either, you set today to some
# non-false value, then it is used:
#today = ''
# Else, today_fmt is used as the format for a strftime call.
#today_fmt = '%B %d, %Y'
# List of patterns, relative to source directory, that match files and
# directories to ignore when looking for source files.
exclude_patterns = []
# The reST default role (used for this markup: `text`) to use for all documents.
#default_role = None
# If true, '()' will be appended to :func: etc. cross-reference text.
#add_function_parentheses = True
# If true, the current module name will be prepended to all description
# unit titles (such as .. function::).
#add_module_names = True
# If true, sectionauthor and moduleauthor directives will be shown in the
# output. They are ignored by default.
#show_authors = False
# The name of the Pygments (syntax highlighting) style to use.
pygments_style = 'sphinx'
# A list of ignored prefixes for module index sorting.
#modindex_common_prefix = []
# -- Options for HTML output ---------------------------------------------------
# The theme to use for HTML and HTML Help pages. See the documentation for
# a list of builtin themes.
html_theme = 'default'
# Theme options are theme-specific and customize the look and feel of a theme
# further. For a list of options available for each theme, see the
# documentation.
#html_theme_options = {}
# Add any paths that contain custom themes here, relative to this directory.
#html_theme_path = []
# The name for this set of Sphinx documents. If None, it defaults to
# "<project> v<release> documentation".
#html_title = None
# A shorter title for the navigation bar. Default is the same as html_title.
#html_short_title = None
# The name of an image file (relative to this directory) to place at the top
# of the sidebar.
#html_logo = None
# The name of an image file (within the static path) to use as favicon of the
# docs. This file should be a Windows icon file (.ico) being 16x16 or 32x32
# pixels large.
#html_favicon = None
# Add any paths that contain custom static files (such as style sheets) here,
# relative to this directory. They are copied after the builtin static files,
# so a file named "default.css" will overwrite the builtin "default.css".
html_static_path = ['_static']
# If not '', a 'Last updated on:' timestamp is inserted at every page bottom,
# using the given strftime format.
#html_last_updated_fmt = '%b %d, %Y'
# If true, SmartyPants will be used to convert quotes and dashes to
# typographically correct entities.
#html_use_smartypants = True
# Custom sidebar templates, maps document names to template names.
#html_sidebars = {}
# Additional templates that should be rendered to pages, maps page names to
# template names.
#html_additional_pages = {}
# If false, no module index is generated.
#html_domain_indices = True
# If false, no index is generated.
#html_use_index = True
# If true, the index is split into individual pages for each letter.
#html_split_index = False
# If true, links to the reST sources are added to the pages.
#html_show_sourcelink = True
# If true, "Created using Sphinx" is shown in the HTML footer. Default is True.
#html_show_sphinx = True
# If true, "(C) Copyright ..." is shown in the HTML footer. Default is True.
#html_show_copyright = True
# If true, an OpenSearch description file will be output, and all pages will
# contain a <link> tag referring to it. The value of this option must be the
# base URL from which the finished HTML is served.
#html_use_opensearch = ''
# This is the file name suffix for HTML files (e.g. ".xhtml").
#html_file_suffix = None
# Output file base name for HTML help builder.
htmlhelp_basename = 'libmypaintdoc'
# -- Options for LaTeX output --------------------------------------------------
latex_elements = {
# The paper size ('letterpaper' or 'a4paper').
#'papersize': 'letterpaper',
# The font size ('10pt', '11pt' or '12pt').
#'pointsize': '10pt',
# Additional stuff for the LaTeX preamble.
#'preamble': '',
}
# Grouping the document tree into LaTeX files. List of tuples
# (source start file, target name, title, author, documentclass [howto/manual]).
latex_documents = [
('index', 'libmypaint.tex', u'libmypaint Documentation',
u'MyPaint Development Team', 'manual'),
]
# The name of an image file (relative to this directory) to place at the top of
# the title page.
#latex_logo = None
# For "manual" documents, if this is true, then toplevel headings are parts,
# not chapters.
#latex_use_parts = False
# If true, show page references after internal links.
#latex_show_pagerefs = False
# If true, show URL addresses after external links.
#latex_show_urls = False
# Documents to append as an appendix to all manuals.
#latex_appendices = []
# If false, no module index is generated.
#latex_domain_indices = True
# -- Options for manual page output --------------------------------------------
# One entry per manual page. List of tuples
# (source start file, name, description, authors, manual section).
man_pages = [
('index', 'libmypaint', u'libmypaint Documentation',
[u'MyPaint Development Team'], 1)
]
# If true, show URL addresses after external links.
#man_show_urls = False
# -- Options for Texinfo output ------------------------------------------------
# Grouping the document tree into Texinfo files. List of tuples
# (source start file, target name, title, author,
# dir menu entry, description, category)
texinfo_documents = [
('index', 'libmypaint', u'libmypaint Documentation',
u'MyPaint Development Team', 'libmypaint', 'One line description of project.',
'Miscellaneous'),
]
# Documents to append as an appendix to all manuals.
#texinfo_appendices = []
# If false, no module index is generated.
#texinfo_domain_indices = True
# How to display URL addresses: 'footnote', 'no', or 'inline'.
#texinfo_show_urls = 'footnote'
# Example configuration for intersphinx: refer to the Python standard library.
intersphinx_mapping = {'http://docs.python.org/': None}
| kragniz/mypaint | brushlib/doc/source/conf.py | Python | gpl-2.0 | 8,376 |
# -*- coding: utf-8 -*-
""" Tests used to check the operation of log collecting.
Author: Milan Falešník <mfalesni@redhat.com>
Since: 2013-02-20
"""
from datetime import datetime
import fauxfactory
import pytest
import re
from cfme import test_requirements
from cfme.configure import configuration as configure
from utils import conf, testgen
from utils.appliance.implementations.ui import navigate_to
from utils.blockers import BZ
from utils.ftp import FTPClient
from utils.providers import get_mgmt
from utils.version import current_version
from utils.virtual_machines import deploy_template
pytestmark = [test_requirements.log_depot]
class LogDepotType(object):
def __init__(self, protocol, credentials, access_dir=None, path=None):
self.protocol = protocol
self._param_name = self.protocol
self.credentials = credentials
self.access_dir = access_dir or ""
self.path = path
self.machine_ip = None
@property
def ftp(self):
if self.protocol == "anon_ftp":
ftp_user_name = "anonymous"
ftp_password = ""
# case anonymous connection cfme works only with hardcoded "incoming" directory
# incoming folder used for https://bugzilla.redhat.com/show_bug.cgi?id=1307019
upload_dir = "incoming"
else:
ftp_user_name = self.credentials["username"]
ftp_password = self.credentials["password"]
# if it's not anonymous using predefined credentials
upload_dir = "/"
return FTPClient(self.machine_ip,
ftp_user_name,
ftp_password,
upload_dir)
def pytest_generate_tests(metafunc):
""" Parametrizes the logdepot tests according to cfme_data YAML file.
YAML structure (shared with db backup tests) is as follows:
log_db_depot:
credentials: credentials_key
protocols:
smb:
path_on_host: /path/on/host
use_for_log_collection: True
use_for_db_backups: False
nfs:
hostname: nfs.example.com/path/on/host
use_for_log_collection: False
use_for_db_backups: True
ftp:
hostname: ftp.example.com
use_for_log_collection: True
"""
if metafunc.function.__name__ == 'test_collect_unconfigured':
return
fixtures = ['log_depot']
data = conf.cfme_data.get("log_db_operations", {})
depots = []
ids = []
creds = conf.credentials[data['credentials']]
for protocol, proto_data in data['protocols'].iteritems():
if proto_data['use_for_log_collection']:
depots.append([LogDepotType(
protocol, creds,
proto_data.get('sub_folder'), proto_data.get('path_on_host'))])
ids.append(protocol)
if metafunc.function.__name__ in ['test_collect_multiple_servers',
"test_collect_single_servers"]:
ids = ids[:1]
depots = depots[:1]
testgen.parametrize(metafunc, fixtures, depots, ids=ids, scope="function")
return
@pytest.yield_fixture(scope="module")
def depot_machine_ip():
""" Deploy vm for depot test
This fixture uses for deploy vm on provider from yaml and then receive it's ip
After test run vm deletes from provider
"""
depot_machine_name = "test_long_log_depot_{}".format(fauxfactory.gen_alphanumeric())
data = conf.cfme_data.get("log_db_operations", {})
depot_provider_key = data["log_db_depot_template"]["provider"]
depot_template_name = data["log_db_depot_template"]["template_name"]
prov = get_mgmt(depot_provider_key)
deploy_template(depot_provider_key,
depot_machine_name,
template_name=depot_template_name)
yield prov.get_ip_address(depot_machine_name)
prov.delete_vm(depot_machine_name)
@pytest.fixture(scope="module")
def configured_external_appliance(temp_appliance_preconfig, app_creds_modscope,
temp_appliance_unconfig):
hostname = temp_appliance_preconfig.address
temp_appliance_unconfig.appliance_console_cli.configure_appliance_external_join(hostname,
app_creds_modscope['username'], app_creds_modscope['password'], 'vmdb_production',
hostname, app_creds_modscope['sshlogin'], app_creds_modscope['sshpass'])
temp_appliance_unconfig.start_evm_service()
temp_appliance_unconfig.wait_for_evm_service()
temp_appliance_unconfig.wait_for_web_ui()
return temp_appliance_unconfig
@pytest.yield_fixture(scope="function")
def configured_depot(log_depot, depot_machine_ip):
""" Configure selected depot provider
This fixture used the trick that the fixtures are cached for given function.
So if placed behind the depot_* stuff on the test function, it can actually
take the values from them.
It also provides a finalizer to disable the depot after test run.
"""
log_depot.machine_ip = depot_machine_ip
uri = log_depot.machine_ip + log_depot.access_dir
log_depot = configure.ServerLogDepot(log_depot.protocol,
depot_name=fauxfactory.gen_alphanumeric(),
uri=uri,
username=log_depot.credentials["username"],
password=log_depot.credentials["password"]
)
log_depot.create()
yield log_depot
log_depot.clear()
def check_ftp(ftp, server_name, server_zone_id):
server_string = server_name + "_" + str(server_zone_id)
with ftp:
# Files must have been created after start with server string in it (for ex. EVM_1)
zip_files = ftp.filesystem.search(re.compile(r"^.*{}.*?[.]zip$".format(server_string)),
directories=False)
assert zip_files, "No logs found!"
# Check the times of the files by names
datetimes = []
for file in zip_files:
# files looks like "Current_region_0_default_1_EVM_1_20170127_043343_20170127_051010.zip"
# 20170127_043343 - date and time
date = file.name.split("_")
date_from = date[7] + date[8]
# removing ".zip" from last item
date_to = date[9] + date[10][:-4]
try:
date_from = datetime.strptime(date_from, "%Y%m%d%H%M%S")
date_to = datetime.strptime(date_to, "%Y%m%d%H%M%S")
except ValueError:
assert False, "Wrong file matching of {}".format(file.name)
datetimes.append((date_from, date_to, file.name))
# Check for the gaps
if len(datetimes) > 1:
for i in range(len(datetimes) - 1):
dt = datetimes[i + 1][0] - datetimes[i][1]
assert dt.total_seconds() >= 0.0, \
"Negative gap between log files ({}, {})".format(
datetimes[i][2], datetimes[i + 1][2])
@pytest.mark.tier(3)
@pytest.mark.nondestructive
@pytest.mark.meta(blockers=[BZ(1341502, unblock=lambda log_depot: log_depot.protocol != "anon_ftp",
forced_streams=["5.6", "5.7", "5.8", "upstream"])]
)
def test_collect_log_depot(log_depot, appliance, configured_depot, request):
""" Boilerplate test to verify functionality of this concept
Will be extended and improved.
"""
# Wipe the FTP contents in the end
@request.addfinalizer
def _clear_ftp():
with log_depot.ftp as ftp:
ftp.cwd(ftp.upload_dir)
ftp.recursively_delete()
# Prepare empty workspace
with log_depot.ftp as ftp:
# move to upload folder
ftp.cwd(ftp.upload_dir)
# delete all files
ftp.recursively_delete()
# Start the collection
configured_depot.collect_all()
# Check it on FTP
check_ftp(log_depot.ftp, appliance.server_name(), appliance.server_zone_id())
@pytest.mark.meta(blockers=[BZ(1436367, forced_streams=["5.8"])])
@pytest.mark.tier(3)
def test_collect_unconfigured(appliance):
""" Test checking is collect button enable and disable after log depot was configured
"""
log_credentials = configure.ServerLogDepot("anon_ftp",
depot_name=fauxfactory.gen_alphanumeric(),
uri=fauxfactory.gen_alphanumeric())
log_credentials.create()
view = navigate_to(appliance.server, 'DiagnosticsCollectLogs')
# check button is enable after adding log depot
assert view.collect.item_enabled('Collect all logs') is True
log_credentials.clear()
# check button is disable after removing log depot
assert view.collect.item_enabled('Collect all logs') is False
@pytest.mark.uncollectif(lambda from_slave: from_slave and
BZ.bugzilla.get_bug(1443927).is_opened and current_version() >= '5.8')
@pytest.mark.meta(blockers=[BZ(1436367, forced_streams=["5.8"])])
@pytest.mark.parametrize('from_slave', [True, False], ids=['from_slave', 'from_master'])
@pytest.mark.parametrize('zone_collect', [True, False], ids=['zone_collect', 'server_collect'])
@pytest.mark.parametrize('collect_type', ['all', 'current'], ids=['collect_all', 'collect_current'])
@pytest.mark.tier(3)
def test_collect_multiple_servers(log_depot, temp_appliance_preconfig, depot_machine_ip, request,
configured_external_appliance, zone_collect, collect_type,
from_slave):
appliance = temp_appliance_preconfig
log_depot.machine_ip = depot_machine_ip
@request.addfinalizer
def _clear_ftp():
with log_depot.ftp as ftp:
ftp.cwd(ftp.upload_dir)
ftp.recursively_delete()
# Prepare empty workspace
with log_depot.ftp as ftp:
# move to upload folder
ftp.cwd(ftp.upload_dir)
# delete all files
ftp.recursively_delete()
with appliance:
uri = log_depot.machine_ip + log_depot.access_dir
depot = configure.ServerLogDepot(log_depot.protocol,
depot_name=fauxfactory.gen_alphanumeric(),
uri=uri,
username=log_depot.credentials["username"],
password=log_depot.credentials["password"],
second_server_collect=from_slave,
zone_collect=zone_collect
)
depot.create()
if collect_type == 'all':
depot.collect_all()
else:
depot.collect_current()
if from_slave and zone_collect:
check_ftp(log_depot.ftp, appliance.slave_server_name(), appliance.slave_server_zone_id())
check_ftp(log_depot.ftp, appliance.server_name(), appliance.server_zone_id())
elif from_slave:
check_ftp(log_depot.ftp, appliance.slave_server_name(), appliance.slave_server_zone_id())
else:
check_ftp(log_depot.ftp, appliance.server_name(), appliance.server_zone_id())
@pytest.mark.meta(blockers=[BZ(1436367, forced_streams=["5.8"])])
@pytest.mark.parametrize('zone_collect', [True, False], ids=['zone_collect', 'server_collect'])
@pytest.mark.parametrize('collect_type', ['all', 'current'], ids=['collect_all', 'collect_current'])
@pytest.mark.tier(3)
def test_collect_single_servers(log_depot, appliance, depot_machine_ip, request, zone_collect,
collect_type):
log_depot.machine_ip = depot_machine_ip
@request.addfinalizer
def _clear_ftp():
with log_depot.ftp as ftp:
ftp.cwd(ftp.upload_dir)
ftp.recursively_delete()
# Prepare empty workspace
with log_depot.ftp as ftp:
# move to upload folder
ftp.cwd(ftp.upload_dir)
# delete all files
ftp.recursively_delete()
uri = log_depot.machine_ip + log_depot.access_dir
depot = configure.ServerLogDepot(log_depot.protocol,
depot_name=fauxfactory.gen_alphanumeric(),
uri=uri,
username=log_depot.credentials["username"],
password=log_depot.credentials["password"],
zone_collect=zone_collect
)
depot.create()
if collect_type == 'all':
depot.collect_all()
else:
depot.collect_current()
check_ftp(log_depot.ftp, appliance.server_name(), appliance.server_zone_id())
| jteehan/cfme_tests | cfme/tests/configure/test_log_depot_operation.py | Python | gpl-2.0 | 12,788 |
# -----------------------------------------------------------
# compares the creation of sorted lists using the python
# bisect module, and the "usual" way
#o
# (C) 2015 Frank Hofmann, Berlin, Germany
# Released under GNU Public License (GPL)
# email frank.hofmann@efho.de
# -----------------------------------------------------------
# import standard modules
import bisect, random, time
def sortListDefault():
# define empty list, and fill with 200000 randomized integers
sortedNumbers = []
for element in range(200000):
# choose a number between 0 and 1000
newNumber = random.randint(0, 1000)
# add number to list
#print ("adding %i to list ... " %newNumber)
sortedNumbers.append(newNumber)
# sort the list in-place
sortedNumbers.sort()
return
def sortListBisect():
# define empty list, and fill with 200000 randomized integers
sortedNumbers = []
for element in range(200000):
# choose a number between 0 and 1000
newNumber = random.randint(0, 1000)
#print ("adding %i to list ... " %newNumber)
# insert into sorted list
bisect.insort(sortedNumbers, newNumber)
return
# evaluate default sort
startTime1 = time.time()
listPosition = sortListDefault()
endTime1 = time.time()
# calculate and output interval time
seconds = endTime1 - startTime1
print ("default sort took %.8f seconds" % seconds)
# evaluate bisect sort
startTime1 = time.time()
listPosition = sortListBisect()
endTime1 = time.time()
# calculate and output interval time
seconds = endTime1 - startTime1
print ("bisect sort took %.8f seconds" % seconds)
| plasmashadow/training-python | time/sorted-list.py | Python | gpl-2.0 | 1,566 |
#coding=utf8
def hello(instr):
bufstr = " helloWorld!"
return (instr + bufstr), 123
if __name__ == "__main__":
k = "yzh"
print hello(k)
| gdefias/StudyC | VS/test_CcallPY/Test_ccallpy/helloWorld.py | Python | gpl-2.0 | 153 |
import os
import sys
import warnings
import opcode # opcode is not a virtualenv module, so we can use it to find the stdlib
# Important! To work on pypy, this must be a module that resides in the
# lib-python/modified-x.y.z directory
dirname = os.path.dirname
distutils_path = os.path.join(os.path.dirname(opcode.__file__), 'distutils')
if os.path.normpath(distutils_path) == os.path.dirname(os.path.normpath(__file__)):
warnings.warn(
"The virtualenv distutils package at %s appears to be in the same location as the system distutils?")
else:
__path__.insert(0, distutils_path)
exec open(os.path.join(distutils_path, '__init__.py')).read()
import dist
import sysconfig
## patch build_ext (distutils doesn't know how to get the libs directory
## path on windows - it hardcodes the paths around the patched sys.prefix)
if sys.platform == 'win32':
from distutils.command.build_ext import build_ext as old_build_ext
class build_ext(old_build_ext):
def finalize_options (self):
if self.library_dirs is None:
self.library_dirs = []
elif isinstance(self.library_dirs, basestring):
self.library_dirs = self.library_dirs.split(os.pathsep)
self.library_dirs.insert(0, os.path.join(sys.real_prefix, "Libs"))
old_build_ext.finalize_options(self)
from distutils.command import build_ext as build_ext_module
build_ext_module.build_ext = build_ext
## distutils.dist patches:
old_find_config_files = dist.Distribution.find_config_files
def find_config_files(self):
found = old_find_config_files(self)
system_distutils = os.path.join(distutils_path, 'distutils.cfg')
#if os.path.exists(system_distutils):
# found.insert(0, system_distutils)
# What to call the per-user config file
if os.name == 'posix':
user_filename = ".pydistutils.cfg"
else:
user_filename = "pydistutils.cfg"
user_filename = os.path.join(sys.prefix, user_filename)
if os.path.isfile(user_filename):
for item in list(found):
if item.endswith('pydistutils.cfg'):
found.remove(item)
found.append(user_filename)
return found
dist.Distribution.find_config_files = find_config_files
## distutils.sysconfig patches:
old_get_python_inc = sysconfig.get_python_inc
def sysconfig_get_python_inc(plat_specific=0, prefix=None):
if prefix is None:
prefix = sys.real_prefix
return old_get_python_inc(plat_specific, prefix)
sysconfig_get_python_inc.__doc__ = old_get_python_inc.__doc__
sysconfig.get_python_inc = sysconfig_get_python_inc
old_get_python_lib = sysconfig.get_python_lib
def sysconfig_get_python_lib(plat_specific=0, standard_lib=0, prefix=None):
if standard_lib and prefix is None:
prefix = sys.real_prefix
return old_get_python_lib(plat_specific, standard_lib, prefix)
sysconfig_get_python_lib.__doc__ = old_get_python_lib.__doc__
sysconfig.get_python_lib = sysconfig_get_python_lib
old_get_config_vars = sysconfig.get_config_vars
def sysconfig_get_config_vars(*args):
real_vars = old_get_config_vars(*args)
if sys.platform == 'win32':
lib_dir = os.path.join(sys.real_prefix, "libs")
if isinstance(real_vars, dict) and 'LIBDIR' not in real_vars:
real_vars['LIBDIR'] = lib_dir # asked for all
elif isinstance(real_vars, list) and 'LIBDIR' in args:
real_vars = real_vars + [lib_dir] # asked for list
return real_vars
sysconfig_get_config_vars.__doc__ = old_get_config_vars.__doc__
sysconfig.get_config_vars = sysconfig_get_config_vars
| mmccollow/TSV-Convert | lib/python2.6/distutils/__init__.py | Python | gpl-2.0 | 3,677 |
"""
KeepNote Extension
new_file
Extension allows adding new filetypes to a notebook
"""
#
# KeepNote
# Copyright (c) 2008-2011 Matt Rasmussen
# Author: Matt Rasmussen <rasmus@mit.edu>
#
# This program is free software; you can redistribute it and/or modify
# it under the terms of the GNU General Public License as published by
# the Free Software Foundation; version 2 of the License.
#
# This program is distributed in the hope that it will be useful,
# but WITHOUT ANY WARRANTY; without even the implied warranty of
# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
# GNU General Public License for more details.
#
# You should have received a copy of the GNU General Public License
# along with this program; if not, write to the Free Software
# Foundation, Inc., 51 Franklin St, Fifth Floor, Boston, MA 02110-1301, USA.
#
import gettext
import os
import re
import shutil
import sys
import time
import xml.etree.cElementTree as etree
#_ = gettext.gettext
import keepnote
from keepnote import unicode_gtk
from keepnote.notebook import NoteBookError
from keepnote import notebook as notebooklib
from keepnote import tasklib
from keepnote import tarfile
from keepnote.gui import extension
from keepnote.gui import dialog_app_options
# pygtk imports
try:
import pygtk
pygtk.require('2.0')
from gtk import gdk
import gtk.glade
import gobject
except ImportError:
# do not fail on gtk import error,
# extension should be usable for non-graphical uses
pass
class Extension (extension.Extension):
def __init__(self, app):
"""Initialize extension"""
extension.Extension.__init__(self, app)
self.app = app
self._file_types = []
self._default_file_types = [
FileType("Text File (txt)", "untitled.txt", "plain_text.txt"),
FileType("Spreadsheet (xls)", "untitled.xls", "spreadsheet.xls"),
FileType("Word Document (doc)", "untitled.doc", "document.doc")
]
self.enabled.add(self.on_enabled)
def get_filetypes(self):
return self._file_types
def on_enabled(self, enabled):
if enabled:
self.load_config()
def get_depends(self):
return [("keepnote", ">=", (0, 7, 1))]
#===============================
# config handling
def get_config_file(self):
return self.get_data_file("config.xml")
def load_config(self):
config = self.get_config_file()
if not os.path.exists(config):
self.set_default_file_types()
self.save_default_example_files()
self.save_config()
try:
tree = etree.ElementTree(file=config)
# check root
root = tree.getroot()
if root.tag != "file_types":
raise NoteBookError("Root tag is not 'file_types'")
# iterate children
self._file_types = []
for child in root:
if child.tag == "file_type":
filetype = FileType("", "", "")
for child2 in child:
if child2.tag == "name":
filetype.name = child2.text
elif child2.tag == "filename":
filetype.filename = child2.text
elif child2.tag == "example_file":
filetype.example_file = child2.text
self._file_types.append(filetype)
except:
self.app.error("Error reading file type configuration")
self.set_default_file_types()
self.save_config()
def save_config(self):
config = self.get_config_file()
tree = etree.ElementTree(
etree.Element("file_types"))
root = tree.getroot()
for file_type in self._file_types:
elm = etree.SubElement(root, "file_type")
name = etree.SubElement(elm, "name")
name.text = file_type.name
example = etree.SubElement(elm, "example_file")
example.text = file_type.example_file
filename = etree.SubElement(elm, "filename")
filename.text = file_type.filename
tree.write(open(config, "w"), "UTF-8")
def set_default_file_types(self):
self._file_types = list(self._default_file_types)
def save_default_example_files(self):
base = self.get_base_dir()
data_dir = self.get_data_dir()
for file_type in self._default_file_types:
fn = file_type.example_file
shutil.copy(os.path.join(base, fn), os.path.join(data_dir, fn))
def update_all_menus(self):
for window in self.get_windows():
self.set_new_file_menus(window)
#==============================
# UI
def on_add_ui(self, window):
"""Initialize extension for a particular window"""
# add menu options
self.add_action(window, "New File", "New _File")
#("treeview_popup", None, None),
self.add_ui(window,
"""
<ui>
<menubar name="main_menu_bar">
<menu action="File">
<placeholder name="New">
<menuitem action="New File"/>
</placeholder>
</menu>
</menubar>
<!--
<menubar name="popup_menus">
<menu action="treeview_popup">
<placeholder action="New">
<menuitem action="New File"/>
</placeholder>
</menu>
</menubar>
-->
</ui>
""")
self.set_new_file_menus(window)
#=================================
# Options UI setup
def on_add_options_ui(self, dialog):
dialog.add_section(NewFileSection("new_file",
dialog, self._app,
self),
"extensions")
def on_remove_options_ui(self, dialog):
dialog.remove_section("new_file")
#======================================
# callbacks
def on_new_file(self, window, file_type):
"""Callback from gui to add a new file"""
notebook = window.get_notebook()
if notebook is None:
return
nodes = window.get_selected_nodes()
if len(nodes) == 0:
parent = notebook
else:
sibling = nodes[0]
if sibling.get_parent():
parent = sibling.get_parent()
index = sibling.get_attr("order") + 1
else:
parent = sibling
try:
uri = os.path.join(self.get_data_dir(), file_type.example_file)
node = notebooklib.attach_file(uri, parent)
node.rename(file_type.filename)
window.get_viewer().goto_node(node)
except Exception, e:
window.error("Error while attaching file '%s'." % uri, e)
def on_new_file_type(self, window):
"""Callback from gui for adding a new file type"""
self.app.app_options_dialog.show(window, "new_file")
#==========================================
# menu setup
def set_new_file_menus(self, window):
"""Set the recent notebooks in the file menu"""
menu = window.get_uimanager().get_widget("/main_menu_bar/File/New/New File")
if menu:
self.set_new_file_menu(window, menu)
menu = window.get_uimanager().get_widget("/popup_menus/treeview_popup/New/New File")
if menu:
self.set_new_file_menu(window, menu)
def set_new_file_menu(self, window, menu):
"""Set the recent notebooks in the file menu"""
# TODO: perform lookup of filetypes again
# init menu
if menu.get_submenu() is None:
submenu = gtk.Menu()
submenu.show()
menu.set_submenu(submenu)
menu = menu.get_submenu()
# clear menu
menu.foreach(lambda x: menu.remove(x))
def make_func(file_type):
return lambda w: self.on_new_file(window, file_type)
# populate menu
for file_type in self._file_types:
item = gtk.MenuItem(u"New %s" % file_type.name)
item.connect("activate", make_func(file_type))
item.show()
menu.append(item)
item = gtk.SeparatorMenuItem()
item.show()
menu.append(item)
item = gtk.MenuItem(u"Add New File Type")
item.connect("activate", lambda w: self.on_new_file_type(window))
item.show()
menu.append(item)
#===============================
# actions
def install_example_file(self, filename):
"""Installs a new example file into the extension"""
newpath = self.get_data_dir()
newfilename = os.path.basename(filename)
newfilename, ext = os.path.splitext(newfilename)
newfilename = notebooklib.get_unique_filename(newpath, newfilename,
ext=ext, sep=u"",
number=2)
shutil.copy(filename, newfilename)
return os.path.basename(newfilename)
class FileType (object):
"""Class containing information about a filetype"""
def __init__(self, name, filename, example_file):
self.name = name
self.filename = filename
self.example_file = example_file
def copy(self):
return FileType(self.name, self.filename, self.example_file)
class NewFileSection (dialog_app_options.Section):
"""A Section in the Options Dialog"""
def __init__(self, key, dialog, app, ext,
label=u"New File Types",
icon=None):
dialog_app_options.Section.__init__(self, key, dialog, app, label, icon)
self.ext = ext
self._filetypes = []
self._current_filetype = None
# setup UI
w = self.get_default_widget()
h = gtk.HBox(False, 5)
w.add(h)
# left column (file type list)
v = gtk.VBox(False, 5)
h.pack_start(v, False, True, 0)
self.filetype_store = gtk.ListStore(str, object)
self.filetype_listview = gtk.TreeView(self.filetype_store)
self.filetype_listview.set_headers_visible(False)
self.filetype_listview.get_selection().connect("changed",
self.on_listview_select)
sw = gtk.ScrolledWindow()
sw.set_policy(gtk.POLICY_AUTOMATIC, gtk.POLICY_AUTOMATIC)
sw.set_shadow_type(gtk.SHADOW_IN)
sw.add(self.filetype_listview)
sw.set_size_request(160, 200)
v.pack_start(sw, False, True, 0)
# create the treeview column
column = gtk.TreeViewColumn()
self.filetype_listview.append_column(column)
cell_text = gtk.CellRendererText()
column.pack_start(cell_text, True)
column.add_attribute(cell_text, 'text', 0)
# add/del buttons
h2 = gtk.HBox(False, 5)
v.pack_start(h2, False, True, 0)
button = gtk.Button("New")
button.connect("clicked", self.on_new_filetype)
h2.pack_start(button, True, True, 0)
button = gtk.Button("Delete")
button.connect("clicked", self.on_delete_filetype)
h2.pack_start(button, True, True, 0)
# right column (file type editor)
v = gtk.VBox(False, 5)
h.pack_start(v, False, True, 0)
table = gtk.Table(3, 2)
self.filetype_editor = table
v.pack_start(table, False, True, 0)
# file type name
label = gtk.Label("File type name:")
table.attach(label, 0, 1, 0, 1,
xoptions=0, yoptions=0,
xpadding=2, ypadding=2)
self.filetype = gtk.Entry()
table.attach(self.filetype, 1, 2, 0, 1,
xoptions=gtk.FILL, yoptions=0,
xpadding=2, ypadding=2)
# default filename
label = gtk.Label("Default filename:")
table.attach(label, 0, 1, 1, 2,
xoptions=0, yoptions=0,
xpadding=2, ypadding=2)
self.filename = gtk.Entry()
table.attach(self.filename, 1, 2, 1, 2,
xoptions=gtk.FILL, yoptions=0,
xpadding=2, ypadding=2)
# example new file
label = gtk.Label("Example new file:")
table.attach(label, 0, 1, 2, 3,
xoptions=0, yoptions=0,
xpadding=2, ypadding=2)
self.example_file = gtk.Entry()
table.attach(self.example_file, 1, 2, 2, 3,
xoptions=gtk.FILL, yoptions=0,
xpadding=2, ypadding=2)
# browse button
button = gtk.Button(_("Browse..."))
button.set_image(
gtk.image_new_from_stock(gtk.STOCK_OPEN,
gtk.ICON_SIZE_SMALL_TOOLBAR))
button.show()
button.connect("clicked", lambda w:
dialog_app_options.on_browse(
w.get_toplevel(), "Choose Example New File", "",
self.example_file))
table.attach(button, 1, 2, 3, 4,
xoptions=gtk.FILL, yoptions=0,
xpadding=2, ypadding=2)
w.show_all()
self.set_filetypes()
self.set_filetype_editor(None)
def load_options(self, app):
"""Load options from app to UI"""
self._filetypes = [x.copy() for x in self.ext.get_filetypes()]
self.set_filetypes()
self.filetype_listview.get_selection().unselect_all()
def save_options(self, app):
"""Save options to the app"""
self.save_current_filetype()
# install example files
bad = []
for filetype in self._filetypes:
if os.path.isabs(filetype.example_file):
# copy new file into extension data dir
try:
filetype.example_file = self.ext.install_example_file(
filetype.example_file)
except Exception, e:
app.error("Cannot install example file '%s'" %
filetype.example_file, e)
bad.append(filetype)
# update extension state
self.ext.get_filetypes()[:] = [x.copy() for x in self._filetypes
if x not in bad]
self.ext.save_config()
self.ext.update_all_menus()
def set_filetypes(self):
"""Initialize the lisview to the loaded filetypes"""
self.filetype_store.clear()
for filetype in self._filetypes:
self.filetype_store.append([filetype.name, filetype])
def set_filetype_editor(self, filetype):
"""Update editor with current filetype"""
if filetype is None:
self._current_filetype = None
self.filetype.set_text("")
self.filename.set_text("")
self.example_file.set_text("")
self.filetype_editor.set_sensitive(False)
else:
self._current_filetype = filetype
self.filetype.set_text(filetype.name)
self.filename.set_text(filetype.filename)
self.example_file.set_text(filetype.example_file)
self.filetype_editor.set_sensitive(True)
def save_current_filetype(self):
"""Save the contents of the editor into the current filetype object"""
if self._current_filetype:
self._current_filetype.name = self.filetype.get_text()
self._current_filetype.filename = self.filename.get_text()
self._current_filetype.example_file = self.example_file.get_text()
# update filetype list
for row in self.filetype_store:
if row[1] == self._current_filetype:
row[0] = self._current_filetype.name
def on_listview_select(self, selection):
"""Callback for when listview selection changes"""
model, it = self.filetype_listview.get_selection().get_selected()
self.save_current_filetype()
# set editor to current selection
if it is not None:
filetype = self.filetype_store[it][1]
self.set_filetype_editor(filetype)
else:
self.set_filetype_editor(None)
def on_new_filetype(self, button):
"""Callback for adding a new filetype"""
self._filetypes.append(FileType(u"New File Type", u"untitled", ""))
self.set_filetypes()
self.filetype_listview.set_cursor((len(self._filetypes)-1,))
def on_delete_filetype(self, button):
model, it = self.filetype_listview.get_selection().get_selected()
if it is not None:
filetype = self.filetype_store[it][1]
self._filetypes.remove(filetype)
self.set_filetypes()
| reshadh/Keepnote-LaTeX | keepnote/extensions/new_file/__init__.py | Python | gpl-2.0 | 17,272 |
#!/usr/bin/python
import libploop
import shutil
import io
import os
import socket
import time
import subprocess as sp
import unittest
import hashlib
sleep_sec = 3
def hashfile(afile, hasher, blocksize=65536):
buf = afile.read(blocksize)
while len(buf) > 0:
hasher.update(buf)
buf = afile.read(blocksize)
print (hasher.hexdigest())
return hasher.hexdigest()
def start_image_filller():
pid = os.fork()
if pid == 0:
os.execl('/bin/dd', 'dd', 'if=/dev/urandom', "of=/dev/ploop0", 'bs=4096', 'count=131072', 'oflag=direct')
os._exit(1)
else:
print "Start filler pid=%d" % pid
time.sleep(sleep_sec)
return pid
def start_pcopy_receiver(fname, fd):
print "Start receiver"
t = libploop.ploopcopy_thr_receiver(fname, fd)
t.start()
return t
def get_storage():
return '/vz/test'
def get_image():
return os.path.join(get_storage(), "test.hds")
def get_ddxml():
return os.path.join(get_storage(), 'DiskDescriptor.xml')
def get_mnt_dir():
return '_'.join([get_storage(), "mnt"])
def ploop_create(img):
ret = sp.call(["ploop", "init", "-s10g", img])
if ret != 0:
raise Exception("failed to create image")
def ploop_mount(ddxml):
ret = sp.call(["ploop", "mount", "-d/dev/ploop0", ddxml])
if ret != 0:
raise Exception("failed to mount image")
def ploop_umount(ddxml):
return sp.call(["ploop", "umount", "-d/dev/ploop0"])
def do_ploop_copy(ddxml, fd):
print "do_ploop_copy"
ploop_mount(ddxml)
pc = libploop.ploopcopy(ddxml, fd);
pid = start_image_filller()
print "Start copy"
pc.copy_start()
for n in range(0, 10):
print "Iter:", n
transferred = pc.copy_next_iteration()
print "transferred:", transferred
time.sleep(sleep_sec)
print "Wait filler %d" % pid
os.kill(pid, 15)
os.waitpid(pid, 0)
print "Stop sopy"
pc.copy_stop()
ploop_umount(ddxml)
class testPcopy(unittest.TestCase):
def setUp(self):
if not os.path.exists('/dev/ploop0'):
sp.call(['mknod', '/dev/ploop0', 'b', '182', '0'])
if os.path.exists(get_ddxml()):
ploop_umount(get_ddxml())
shutil.rmtree(get_storage())
if not os.path.exists(get_storage()):
os.mkdir(get_storage())
if not os.path.exists(get_mnt_dir()):
os.mkdir(get_mnt_dir())
ploop_create(get_image())
self.out = os.path.join(get_storage(), "out.hds")
self.ddxml = get_ddxml()
def tearDown(self):
print "tearDown"
if os.path.exists(get_ddxml()):
ploop_umount(get_ddxml())
shutil.rmtree(get_storage())
def test_aremote(self):
print "Start remote"
parent, child = socket.socketpair(socket.AF_UNIX, socket.SOCK_STREAM)
self.rcv_thr = start_pcopy_receiver(self.out, child.fileno())
do_ploop_copy(self.ddxml, parent.fileno())
src = hashfile(open(get_image(), 'rb'), hashlib.md5())
dst = hashfile(open(self.out, 'rb'), hashlib.md5())
self.assertEqual(src, dst)
def test_local(self):
print "Start local"
f = open(self.out, 'wb')
do_ploop_copy(self.ddxml, f.fileno())
src = hashfile(open(get_image(), 'rb'), hashlib.md5())
dst = hashfile(open(self.out, 'rb'), hashlib.md5())
self.assertEqual(src, dst)
if __name__ == '__main__':
unittest.main()
| rootfs/ploop | test/test-pcopy.py | Python | gpl-2.0 | 3,109 |
[] = c
y = []
for [] in x:
BLOCK
[] = []
| zrax/pycdc | tests/input/unpack_empty.py | Python | gpl-3.0 | 45 |
from __future__ import print_function
from numpy import int16
import time
def connect(route,**args):
'''
route can either be I.I2C , or a radioLink instance
'''
return SHT21(route,**args)
class SHT21():
RESET = 0xFE
TEMP_ADDRESS = 0xF3
HUMIDITY_ADDRESS = 0xF5
selected=0xF3
NUMPLOTS=1
PLOTNAMES = ['Data']
ADDRESS = 0x40
name = 'Humidity/Temperature'
def __init__(self,I2C,**args):
self.I2C=I2C
self.ADDRESS = args.get('address',self.ADDRESS)
self.name = 'Humidity/Temperature'
'''
try:
print ('switching baud to 400k')
self.I2C.configI2C(400e3)
except:
print ('FAILED TO CHANGE BAUD RATE')
'''
self.params={'selectParameter':['temperature','humidity']}
self.init('')
def init(self,x):
self.I2C.writeBulk(self.ADDRESS,[self.RESET]) #soft reset
time.sleep(0.1)
def rawToTemp(self,vals):
if vals:
if len(vals):
v = (vals[0]<<8)|(vals[1]&0xFC) #make integer & remove status bits
v*=175.72; v/= (1<<16); v-=46.85
return [v]
return False
def rawToRH(self,vals):
if vals:
if len(vals):
v = (vals[0]<<8)|(vals[1]&0xFC) #make integer & remove status bits
v*=125.; v/= (1<<16); v-=6
return [v]
return False
@staticmethod
def _calculate_checksum(data, number_of_bytes):
"""5.7 CRC Checksum using the polynomial given in the datasheet
Credits: https://github.com/jaques/sht21_python/blob/master/sht21.py
"""
# CRC
POLYNOMIAL = 0x131 # //P(x)=x^8+x^5+x^4+1 = 100110001
crc = 0
# calculates 8-Bit checksum with given polynomial
for byteCtr in range(number_of_bytes):
crc ^= (data[byteCtr])
for bit in range(8, 0, -1):
if crc & 0x80:
crc = (crc << 1) ^ POLYNOMIAL
else:
crc = (crc << 1)
return crc
def selectParameter(self,param):
if param=='temperature':self.selected=self.TEMP_ADDRESS
elif param=='humidity':self.selected=self.HUMIDITY_ADDRESS
def getRaw(self):
self.I2C.writeBulk(self.ADDRESS,[self.selected])
if self.selected==self.TEMP_ADDRESS:time.sleep(0.1)
elif self.selected==self.HUMIDITY_ADDRESS:time.sleep(0.05)
vals = self.I2C.simpleRead(self.ADDRESS,3)
if vals:
if self._calculate_checksum(vals,2)!=vals[2]:
return False
print (vals)
if self.selected==self.TEMP_ADDRESS:return self.rawToTemp(vals)
elif self.selected==self.HUMIDITY_ADDRESS:return self.rawToRH(vals)
| jithinbp/SEELablet | SEEL/SENSORS/SHT21.py | Python | gpl-3.0 | 2,349 |
#!/usr/bin/env python
# -*- coding: utf-8 -*-
from __future__ import print_function
import sys
def get_color(color):
if 'default'==color:
return '\x1b[39;01m'
elif 'black'==color:
return '\x1b[30;01m'
elif 'red'==color:
return '\x1b[31;01m'
elif 'green'==color:
return '\x1b[32;01m'
elif 'yellow'==color:
return '\x1b[33;01m'
elif 'blue'==color:
return '\x1b[34;01m'
elif 'magenta'==color:
return '\x1b[35;01m'
elif 'cyan'==color:
return '\x1b[36;01m'
return '\x1b[34;01m'
def main():
if 4==len(sys.argv):
color,cmd,action=get_color(sys.argv[1]),sys.argv[2],sys.argv[3]
if action=='stop':
action='exit'
template='\x1b[1m%s[ ΔOS : %s : make : %s ]\x1b[0m'
else:
action='init'
template='\x1b[1m%s[ ΔOS : %s : make : %s ]\x1b[0m'
print(template%(color,action,cmd))
if __name__=="__main__":
main()
| 0x47d/atd.id | src/print.py | Python | gpl-3.0 | 989 |
# Kevin Nash (kjn33)
# EECS 293
# Assignment 12
from entity import Entity
from random import randint
class Passenger(Entity):
""" Entities that need to be checked in following queueing """
def __init__(self):
"""
Passengers follow Entity initialization,
are randomly given special parameters
"""
super(Passenger, self).__init__()
# 50% chance of being a frequent flyer
self.frequent = randint(1, 2) % 2 == 0
# 10% chance of having a given special condition
self.oversize = randint(1, 10) % 10 == 0
self.rerouted = randint(1, 10) % 10 == 0
self.overbook = randint(1, 10) % 10 == 0
self.time = 2
self.calc_time()
def __str__(self):
""" Represent Passenger by name, ID, and flyer type """
flyer_type = "regular"
if self.frequent:
flyer_type = "frequent"
return "%s %d (%s)" % (self.__class__.__name__, self.id, flyer_type)
def calc_time(self):
""" Set the time required for check in based on special parameters """
if self.oversize:
self.time += 2
if self.rerouted:
self.time += 2
if self.overbook:
self.time += 2
| Fullbiter/EECS-293 | pa12-13/airville/src/passenger.py | Python | gpl-3.0 | 1,260 |
#!/usr/bin/env python
data = {
"default_prefix": "OSVC_COMP_REMOVE_FILES_",
"example_value": """
[
"/tmp/foo",
"/bar/to/delete"
]
""",
"description": """* Verify files and file trees are uninstalled
""",
"form_definition": """
Desc: |
A rule defining a set of files to remove, fed to the 'remove_files' compliance object.
Css: comp48
Outputs:
-
Dest: compliance variable
Class: remove_files
Type: json
Format: list
Inputs:
-
Id: path
Label: File path
DisplayModeLabel: ""
LabelCss: edit16
Mandatory: Yes
Help: You must set paths in fully qualified form.
Type: string
""",
}
import os
import sys
import re
import json
from glob import glob
import shutil
sys.path.append(os.path.dirname(__file__))
from comp import *
blacklist = [
"/",
"/root"
]
class CompRemoveFiles(CompObject):
def __init__(self, prefix=None):
CompObject.__init__(self, prefix=prefix, data=data)
def init(self):
patterns = self.get_rules()
patterns = sorted(list(set(patterns)))
self.files = self.expand_patterns(patterns)
if len(self.files) == 0:
pinfo("no files matching patterns")
raise NotApplicable
def expand_patterns(self, patterns):
l = []
for pattern in patterns:
l += glob(pattern)
return l
def fixable(self):
return RET_NA
def check_file(self, _file):
if not os.path.exists(_file):
pinfo(_file, "does not exist. on target.")
return RET_OK
perror(_file, "exists. shouldn't")
return RET_ERR
def fix_file(self, _file):
if not os.path.exists(_file):
return RET_OK
try:
if os.path.isdir(_file) and not os.path.islink(_file):
shutil.rmtree(_file)
else:
os.unlink(_file)
pinfo(_file, "deleted")
except Exception as e:
perror("failed to delete", _file, "(%s)"%str(e))
return RET_ERR
return RET_OK
def check(self):
r = 0
for _file in self.files:
r |= self.check_file(_file)
return r
def fix(self):
r = 0
for _file in self.files:
r |= self.fix_file(_file)
return r
if __name__ == "__main__":
main(CompRemoveFiles)
| tanji/replication-manager | share/opensvc/compliance/com.replication-manager/remove_files.py | Python | gpl-3.0 | 2,367 |
#!/usr/bin/env python
###############################################################################
#
# SageMathCloud: A collaborative web-based interface to Sage, IPython, LaTeX and the Terminal.
#
# Copyright (C) 2014, William Stein
#
# This program is free software: you can redistribute it and/or modify
# it under the terms of the GNU General Public License as published by
# the Free Software Foundation, either version 3 of the License, or
# (at your option) any later version.
#
# This program is distributed in the hope that it will be useful,
# but WITHOUT ANY WARRANTY; without even the implied warranty of
# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
# GNU General Public License for more details.
#
# You should have received a copy of the GNU General Public License
# along with this program. If not, see <http://www.gnu.org/licenses/>.
#
###############################################################################
"""
Administration and Launch control of salvus components
"""
####################
# Standard imports
####################
import json, logging, os, shutil, signal, socket, stat, subprocess, sys, tempfile, time
from string import Template
import misc
############################################################
# Paths where data and configuration are stored
############################################################
SITENAME = 'cloud.sagemath.com'
DATA = 'data'
CONF = 'conf'
AGENT = os.path.join(os.environ['HOME'], '.ssh', 'agent')
PWD = os.path.abspath('.')
PIDS = os.path.join(DATA, 'pids') # preferred location for pid files
LOGS = os.path.join(DATA, 'logs') # preferred location for pid files
BIN = os.path.join(DATA, 'local', 'bin')
PYTHON = os.path.join(BIN, 'python')
SECRETS = os.path.join(DATA,'secrets')
# Read in socket of ssh-agent, if there is an AGENT file.
# NOTE: I'm using this right now on my laptop, but it's not yet
# deployed on cloud.sagemath *yet*. When done, it will mean the
# ssh key used by the hub is password protected, which
# will be much more secure: someone who steals ~/.ssh gets nothing,
# though still if somebody logs in as the salvus user on one of
# these nodes, they can ssh to other nodes, though they can't
# change passwords, etc. Also, this means having the ssh private
# key on the compute vm's is no longer a security risk, since it
# is protected by a (very long, very random) passphrase.
if os.path.exists(AGENT):
for X in open(AGENT).readlines():
if 'SSH_AUTH_SOCK' in X:
# The AGENT file is as output by ssh-agent.
os.environ['SSH_AUTH_SOCK'] = X.split(';')[0][len('SSH_AUTH_SOCK='):]
# TODO: factor out all $HOME/salvus/salvus style stuff in code below and use BASE.
BASE = 'salvus/salvus/'
LOG_INTERVAL = 6
GIT_REPO='' # TODO
whoami = os.environ['USER']
# Default ports
HAPROXY_PORT = 8000
NGINX_PORT = 8080
HUB_PORT = 5000
HUB_PROXY_PORT = 5001
SYNCSTRING_PORT = 6001
# These are used by the firewall.
CASSANDRA_CLIENT_PORT = 9160
CASSANDRA_NATIVE_PORT = 9042
CASSANDRA_INTERNODE_PORTS = [7000, 7001]
CASSANDRA_PORTS = CASSANDRA_INTERNODE_PORTS + [CASSANDRA_CLIENT_PORT, CASSANDRA_NATIVE_PORT]
####################
# Sending an email (useful for monitoring script)
# See http://www.nixtutor.com/linux/send-mail-through-gmail-with-python/
####################
def email(msg= '', subject='ADMIN -- cloud.sagemath.com', toaddrs='wstein@sagemath.com,hsy@sagemath.com', fromaddr='salvusmath@gmail.com'):
log.info("sending email to %s", toaddrs)
username = 'salvusmath'
password = open(os.path.join(os.environ['HOME'],'salvus/salvus/data/secrets/salvusmath_email_password')
).read().strip()
import smtplib
from email.mime.text import MIMEText
msg = MIMEText(msg)
server = smtplib.SMTP('smtp.gmail.com:587')
server.starttls()
server.login(username,password)
for x in toaddrs.split(','):
toaddr = x.strip()
msg['Subject'] = subject
msg['From'] = fromaddr
msg['To'] = toaddr
server.sendmail(fromaddr, toaddr, msg.as_string())
server.quit()
def zfs_size(s):
"""
Convert a zfs size string to gigabytes (float)
"""
if len(s) == 0:
return 0.0
u = s[-1]; q = float(s[:-1])
if u == 'M':
q /= 1000
elif u == 'T':
q *= 1000
elif u == 'K':
q /= 1000000
return q
####################
# Running a subprocess
####################
MAXTIME_S=300
def run(args, maxtime=MAXTIME_S, verbose=True, stderr=True):
"""
Run the command line specified by args (using subprocess.Popen)
and return the stdout and stderr, killing the subprocess if it
takes more than maxtime seconds to run.
If stderr is false, don't include in the returned output.
If args is a list of lists, run all the commands separately in the
list.
if ignore_errors is true, completely ignores any error codes!
"""
if args and isinstance(args[0], list):
return '\n'.join([str(run(a, maxtime=maxtime, verbose=verbose)) for a in args])
args = [str(x) for x in args]
if maxtime:
def timeout(*a):
raise KeyboardInterrupt("running '%s' took more than %s seconds, so killed"%(' '.join(args), maxtime))
signal.signal(signal.SIGALRM, timeout)
signal.alarm(maxtime)
if verbose:
log.info("running '%s'", ' '.join(args))
try:
a = subprocess.Popen(args,
stdin = subprocess.PIPE,
stdout = subprocess.PIPE,
stderr = subprocess.PIPE)
if stderr:
out = a.stderr.read()
else:
out = ''
out += a.stdout.read()
if verbose:
log.info("output '%s'", out[:256])
return out
finally:
if maxtime:
signal.signal(signal.SIGALRM, signal.SIG_IGN) # cancel the alarm
# A convenience object "sh":
# sh['list', 'of', ..., 'arguments'] to run a shell command
class SH(object):
def __init__(self, maxtime=MAXTIME_S):
self.maxtime = maxtime
def __getitem__(self, args):
return run([args] if isinstance(args, str) else list(args), maxtime=self.maxtime)
sh = SH()
def process_status(pid, run):
"""
Return the status of a process, obtained using the ps command.
The run option is used to run the command (so it could run on
a remote machine). The result is a dictionary; it is empty if
the given process is not running.
"""
fields = ['%cpu', '%mem', 'etime', 'pid', 'start', 'cputime', 'rss', 'vsize']
v = run(['ps', '-p', str(int(pid)), '-o', ' '.join(fields)], verbose=False).splitlines()
if len(v) <= 1: return {}
return dict(zip(fields, v[-1].split()))
def dns(host, timeout=10):
"""
Return list of ip addresses of a given host. Errors out after timeout seconds.
"""
a = os.popen3("host -t A -W %s %s | awk '{print $4}'"%(timeout,host))
err = a[2].read().strip()
if err:
raise RuntimeError(err)
out = a[1].read()
if 'found' in out:
raise RuntimeError("unknown domain '%s'"%host)
else:
return out.split()
########################################
# Standard Python Logging
########################################
logging.basicConfig()
log = logging.getLogger('')
#log.setLevel(logging.DEBUG) # WARNING, INFO, etc.
log.setLevel(logging.WARNING) # WARNING, INFO, etc.
#log.setLevel(logging.INFO) # WARNING, INFO, etc.
def restrict(path):
#log.info("ensuring that '%s' has restrictive permissions", path)
if os.stat(path)[stat.ST_MODE] != 0o40700:
os.chmod(path, 0o40700)
def init_data_directory():
#log.info("ensuring that '%s' exist", DATA)
for path in [DATA, PIDS, LOGS]:
if not os.path.exists(path):
os.makedirs(path)
restrict(path)
#log.info("ensuring that PATH starts with programs in DATA directory")
os.environ['PATH'] = os.path.join(DATA, 'local/bin/') + ':' + os.environ['PATH']
init_data_directory()
########################################
# Misc operating system interaction
########################################
def system(args):
"""
Run the command line specified by args (using os.system) and
return the stdout and stderr, killing the subprocess if it takes
more than maxtime seconds to run. If args is a list of lists, run
all the commands separately in the list, returning *sum* of error
codes output by os.system.
"""
if args and isinstance(args[0], list):
return sum([system(a) for a in args])
c = ' '.join([str(x) for x in args])
log.info("running '%s' via system", c)
return os.system(c)
def abspath(path='.'):
return os.path.abspath(path)
def kill(pid, signal=15):
"""Send signal to the process with pid."""
if pid is not None:
return run(['kill', '-%s'%signal, pid])
def copyfile(src, target):
return shutil.copyfile(src, target)
def readfile(filename):
"""Read the named file and return its contents."""
if not os.path.exists(filename):
raise IOError, "no such file or directory: '%s'"%filename
try:
return open(filename).read()
except IOError:
pass
def writefile(filename, content):
open(filename,'w').write(content)
def makedirs(path):
if not os.path.exists(path):
os.makedirs(path)
def unlink(filename):
os.unlink(filename)
def path_exists(path):
return os.path.exists(path)
def is_running(pid):
try:
os.kill(pid, 0)
return True
except OSError:
return False
########################################
# Component: named collection of Process objects
########################################
class Component(object):
def __init__(self, id, processes):
self._processes = processes
self._id = id
def __repr__(self):
return "Component %s with %s processes"%(self._id, len(self._processes))
def __getitem__(self, i):
return self._processes[i]
def _procs_with_id(self, ids):
return [p for p in self._processes if ids is None or p.id() in ids]
def start(self, ids=None):
return [p.start() for p in self._procs_with_id(ids)]
def stop(self, ids=None):
return [p.stop() for p in self._procs_with_id(ids)]
def reload(self, ids=None):
return [p.reload() for p in self._procs_with_id(ids)]
def restart(self, ids=None):
return [p.restart() for p in self._procs_with_id(ids)]
def status(self, ids=None):
return [p.status() for p in self._procs_with_id(ids)]
########################################
# Process: a daemon process
########################################
class Process(object):
def __init__(self, id, name, port,
pidfile, logfile=None, monitor_database=None,
start_cmd=None, stop_cmd=None, reload_cmd=None,
start_using_system = False,
service=None,
term_signal=15):
self._name = name
self._port = port
self._id = str(id)
assert len(self._id.split()) == 1
self._pidfile = pidfile
self._start_cmd = start_cmd
self._start_using_system = start_using_system
self._stop_cmd = stop_cmd
self._reload_cmd = reload_cmd
self._pids = {}
self._logfile = logfile
self._monitor_database = monitor_database
self._monitor_pidfile = os.path.splitext(pidfile)[0] + '-log.pid'
self._term_signal = term_signal
def id(self):
return self._id
def log_tail(self):
if self._logfile is None:
raise NotImplementedError("the logfile is not known")
system(['tail', '-f', self._logfile])
def _parse_pidfile(self, contents):
return int(contents)
def _read_pid(self, file):
try:
return self._pids[file]
except KeyError:
try:
self._pids[file] = self._parse_pidfile(readfile(file).strip())
except: # no file
self._pids[file] = None
return self._pids[file]
def pid(self):
return self._read_pid(self._pidfile)
def is_running(self):
return len(self.status()) > 0
def _start_monitor(self):
# TODO: temporarily disabled -- they do no real good anyways.
return
if self._monitor_database and self._logfile:
run([PYTHON, 'monitor.py', '--logfile', self._logfile,
'--pidfile', self._monitor_pidfile, '--interval', LOG_INTERVAL,
'--database_nodes', self._monitor_database,
'--target_pidfile', self._pidfile,
'--target_name', self._name,
'--target_address', socket.gethostname(),
'--target_port', self._port])
def monitor_pid(self):
return self._read_pid(self._monitor_pidfile)
def _stop_monitor(self):
# NOTE: This function should never need to be called; the
# monitor stops automatically when the process it is
# monitoring stops and it has succeeded in recording this fact
# in the database.
if self._monitor_database and self._logfile and path_exists(self._monitor_pidfile):
try:
kill(self.monitor_pid())
unlink(self._monitor_pidfile)
except Exception, msg:
print msg
def _pre_start(self):
pass # overload to add extra config steps before start
def start(self):
if self.is_running(): return
self._pids = {}
self._pre_start()
if self._start_cmd is not None:
if self._start_using_system:
print system(self._start_cmd)
else:
print run(self._start_cmd)
print self._start_monitor()
def stop(self, force=False):
pid = self.pid()
if pid is None and not force: return
if self._stop_cmd is not None:
print run(self._stop_cmd)
else:
kill(pid, self._term_signal)
try:
if os.path.exists(self._pidfile): unlink(self._pidfile)
except Exception, msg:
print msg
if pid:
while True:
s = process_status(pid, run)
if not s:
break
print "waiting for %s to terminate"%pid
time.sleep(0.5)
self._pids = {}
def reload(self):
self._stop_monitor()
self._pids = {}
if self._reload_cmd is not None:
return run(self._reload_cmd)
else:
return 'reload not defined'
def status(self):
pid = self.pid()
if not pid: return {}
s = process_status(pid, run)
if not s:
self._stop_monitor()
self._pids = {}
if path_exists(self._pidfile):
unlink(self._pidfile)
return s
def restart(self):
self.stop()
self.start()
####################
# Nginx
####################
class Nginx(Process):
def __init__(self, id=0, port=NGINX_PORT, monitor_database=None, base_url=""):
self._base_url = base_url
self._port = port
self._log = 'nginx-%s.log'%id
self._pid = 'nginx-%s.pid'%id
self._nginx_conf = 'nginx-%s.conf'%id
nginx_cmd = ['nginx', '-c', '../' + self._nginx_conf]
Process.__init__(self, id, name='nginx', port=self._port,
monitor_database = monitor_database,
logfile = os.path.join(LOGS, self._log),
pidfile = os.path.join(PIDS, self._pid),
start_cmd = nginx_cmd,
stop_cmd = nginx_cmd + ['-s', 'stop'],
reload_cmd = nginx_cmd + ['-s', 'reload'])
def _pre_start(self):
# Create and write conf file
conf = Template(open(os.path.join(CONF, 'nginx.conf')).read())
conf = conf.substitute(logfile=self._log, pidfile=self._pid,
http_port=self._port, base_url=self._base_url,
ifbase='#' if not self._base_url else '',
ifnobase='' if not self._base_url else '#')
writefile(filename=os.path.join(DATA, self._nginx_conf), content=conf)
# Write base_url javascript file, so clients have access to it
s = "salvus_base_url='%s'; /* autogenerated on nginx startup by admin.py */"%self._base_url
open(os.path.join(PWD, 'static/salvus_base_url.js'), 'w').write(s)
def __repr__(self):
return "Nginx process %s"%self._id
####################
# HAproxy
####################
class Haproxy(Process):
def __init__(self, id=0,
sitename=SITENAME, # name of site, e.g., 'cloud.sagemath.com' if site is https://cloud.sagemath.com; used only if insecure_redirect is set
accept_proxy_port=HAPROXY_PORT, # port that stunnel sends decrypted traffic to
insecure_redirect_port=None, # if set to a port number (say 80), then all traffic to that port is immediately redirected to the secure site
insecure_testing_port=None, # if set to a port, then gives direct insecure access to full site
nginx_servers=None, # list of ip addresses
hub_servers=None, # list of ip addresses
proxy_servers=None, # list of ip addresses
monitor_database=None,
conf_file='conf/haproxy.conf',
base_url=''):
pidfile = os.path.join(PIDS, 'haproxy-%s.pid'%id)
# WARNING: this is now ignored since I don't want to patch haproxy; instead logging goes to syslog...
logfile = os.path.join(LOGS, 'haproxy-%s.log'%id)
# randomize the order of the servers to get better distribution between them by all the different
# haproxies that are running on the edge machines. (Users may hit any of them.)
import random
if nginx_servers:
random.shuffle(nginx_servers)
t = Template('server nginx$n $ip:$port maxconn $maxconn check ')
nginx_servers = ' ' + ('\n '.join([t.substitute(n=n, ip=x['ip'], port=x.get('port', NGINX_PORT), maxconn=x.get('maxconn',10000)) for
n, x in enumerate(nginx_servers)]))
if hub_servers:
random.shuffle(hub_servers)
t = Template('server hub$n $ip:$port cookie server:$ip:$port check inter 4000 maxconn $maxconn')
hub_servers = ' ' + ('\n '.join([t.substitute(n=n, ip=x['ip'], port=x.get('port', HUB_PORT), maxconn=x.get('maxconn',10000)) for
n, x in enumerate(hub_servers)]))
if proxy_servers:
random.shuffle(proxy_servers)
t = Template('server proxy$n $ip:$port cookie server:$ip:$cookie_port check inter 4000 maxconn $maxconn')
# WARNING: note that cookie_port -- that is the port in the cookie's value, is set to be 1 less, i.e., it is
# the corresponding hub port. This could cause bugs/confusion if that convention were changed!!!!!! ***
# We do this so we can use the same cookie for both the hub and proxy servers, for efficiency.
proxy_servers = ' ' + ('\n '.join([t.substitute(n = n,
ip = x['ip'],
port = x.get('proxy_port', HUB_PROXY_PORT),
cookie_port = str(int(x.get('proxy_port', HUB_PROXY_PORT))-1),
maxconn = x.get('maxconn',10000)) for
n, x in enumerate(proxy_servers)]))
if insecure_redirect_port:
insecure_redirect = Template(
"""
frontend unsecured *:$port
redirect location https://$sitename
""").substitute(port=insecure_redirect_port, sitename=sitename)
else:
insecure_redirect=''
conf = Template(open(conf_file).read()).substitute(
accept_proxy_port = accept_proxy_port,
insecure_testing_bind = 'bind *:%s'%insecure_testing_port if insecure_testing_port else '',
nginx_servers = nginx_servers,
hub_servers = hub_servers,
proxy_servers = proxy_servers,
insecure_redirect = insecure_redirect,
base_url = base_url
)
haproxy_conf = 'haproxy-%s.conf'%id
target_conf = os.path.join(DATA, haproxy_conf)
writefile(filename=target_conf, content=conf)
Process.__init__(self, id, name='haproxy', port=accept_proxy_port,
pidfile = pidfile,
logfile = logfile, monitor_database = monitor_database,
start_using_system = True,
start_cmd = ['HAPROXY_LOGFILE='+logfile, os.path.join(BIN, 'haproxy'), '-D', '-f', target_conf, '-p', pidfile])
def _parse_pidfile(self, contents):
return int(contents.splitlines()[0])
####################
# Hub
####################
class Hub(Process):
def __init__(self,
id = 0,
host = '',
port = HUB_PORT,
proxy_port = HUB_PROXY_PORT,
monitor_database = None,
keyspace = 'salvus',
debug = False,
logfile = None,
pidfile = None,
base_url = None,
local = False):
self._port = port
if pidfile is None:
pidfile = os.path.join(PIDS, 'hub-%s.pid'%id)
if logfile is None:
logfile = os.path.join(LOGS, 'hub-%s.log'%id)
extra = []
if debug:
extra.append('-g')
if base_url:
extra.append('--base_url')
extra.append(base_url)
if local:
extra.append('--local')
Process.__init__(self, id, name='hub', port=port,
pidfile = pidfile,
logfile = logfile, monitor_database=monitor_database,
start_cmd = [os.path.join(PWD, 'hub'), 'start',
'--id', id,
'--port', port,
'--proxy_port', proxy_port,
'--keyspace', keyspace,
'--host', host,
'--database_nodes', monitor_database,
'--pidfile', pidfile,
'--logfile', logfile] + extra,
stop_cmd = [os.path.join(PWD, 'hub'), 'stop', '--id', id],
reload_cmd = [os.path.join(PWD, 'hub'), 'restart', '--id', id])
def __repr__(self):
return "Hub server %s on port %s"%(self.id(), self._port)
########################################
# Rethinkdb database daemon
########################################
class Rethinkdb(Process):
def __init__(self, path = None, id=None, http_port=9000, monitor_database=None, **kwds):
"""
id -- arbitrary identifier
path -- path to where the rethinkdb files are stored.
"""
path = os.path.join(DATA, 'rethinkdb-%s'%id) if path is None else path
makedirs(path)
logs_path = os.path.join(path, 'logs'); makedirs(logs_path)
pidfile = os.path.abspath(os.path.join(PIDS, 'rethinkdb-%s.pid'%id))
log_link_path = os.path.join(os.environ['HOME'], 'logs')
makedirs(log_link_path)
log_link = os.path.join(log_link_path, 'rethinkdb.log')
if not os.path.exists(log_link):
os.symlink(os.path.abspath(os.path.join(path, 'log_file')), log_link)
Process.__init__(self, id=id, name='rethinkdb', port=9160,
logfile = '%s/system.log'%logs_path,
pidfile = pidfile,
start_cmd = ['rethinkdb', '--directory', path, '--http-port', http_port,
'--pid-file', pidfile, '--daemon'],
monitor_database=monitor_database)
########################################
# Compute server daemon
########################################
class Compute(Process):
def __init__(self, path = '/projects/conf', port=0, id=None, **kwds):
"""
id -- arbitrary identifier
path -- path to where the rethinkdb files are stored.
"""
logs_path = os.path.join(path, 'logs'); makedirs(logs_path)
pidfile = os.path.abspath(os.path.join(path, 'compute.pid'))
logfile =os.path.abspath(os.path.join(path, 'compute.log'))
log_link_path = os.path.join(os.environ['HOME'], 'logs')
makedirs(log_link_path)
log_link = os.path.join(log_link_path, 'compute.log')
if not os.path.exists(log_link):
os.symlink(logfile, log_link)
Process.__init__(self, id=id,
name='compute',
port=port,
logfile = logfile,
pidfile = pidfile,
stop_cmd = ['compute', 'stop'],
start_cmd = ['compute', 'start',
'--port', port,
'--pidfile', pidfile,
'--logfile', logfile])
##############################################
# A Virtual Machine running at UW
##############################################
class Vm(Process):
def __init__(self, ip_address, hostname=None, vcpus=2, ram=4, vnc=0, disk='', base='salvus', id=0, monitor_database=None, name='virtual_machine', fstab=''):
"""
INPUT:
- ip_address -- ip_address machine gets on the VPN
- hostname -- hostname to set on the machine itself (if
not given, sets to something based on the ip address)
- vcpus -- number of cpus
- ram -- number of gigabytes of ram (an integer)
- vnc -- port of vnc console (default: 0 for no vnc)
- disk -- string 'name1:size1,name2:size2,...' with size in gigabytes
- base -- string (default: 'salvus'); name of base vm image
- id -- optional, defaulta:0 (basically ignored)
- monitor_database -- default: None
- name -- default: "virtual_machine"
"""
self._ip_address = ip_address
self._hostname = hostname
self._vcpus = vcpus
self._ram = ram
self._vnc = vnc
self._base = base
self._disk = disk
self._fstab = fstab.strip()
pidfile = os.path.join(PIDS, 'vm-%s.pid'%ip_address)
logfile = os.path.join(LOGS, 'vm-%s.log'%ip_address)
start_cmd = [PYTHON, 'vm.py', '-d', '--ip_address', ip_address,
'--pidfile', pidfile, '--logfile', logfile,
'--vcpus', vcpus, '--ram', ram,
'--vnc', vnc,
'--base', base] + \
(['--fstab', fstab] if self._fstab else []) + \
(['--disk', disk] if self._disk else []) + \
(['--hostname', self._hostname] if self._hostname else [])
stop_cmd = [PYTHON, 'vm.py', '--stop', '--logfile', logfile, '--ip_address', ip_address] + (['--hostname', self._hostname] if self._hostname else [])
Process.__init__(self, id=id, name=name, port=0,
pidfile = pidfile, logfile = logfile,
start_cmd = start_cmd,
stop_cmd = stop_cmd,
monitor_database=monitor_database,
term_signal = 2 # must use 2 (=SIGINT) instead of 15 or 9 for proper cleanup!
)
def stop(self):
Process.stop(self, force=True)
##############################################
# A Virtual Machine instance running on Google Compute Engine
##############################################
class Vmgce(Process):
def __init__(self, ip_address='', hostname='', instance_type='n1-standard-1', base='', disk='', zone='', id=0, monitor_database=None, name='gce_virtual_machine'):
"""
INPUT:
- ip_address -- ip_address machine gets on the VPN
- hostname -- hostname to set on the machine itself
- instance_type -- see https://cloud.google.com/products/compute-engine/#pricing
- disk -- string 'name1:size1,name2:size2,...' with size in gigabytes
- base -- string (default: use newest); name of base snapshot
- id -- optional, defaulta:0 (basically ignored)
- monitor_database -- default: None
- name -- default: "gce_virtual_machine"
"""
if not ip_address:
raise RuntimeError("you must specify the ip_address")
if not hostname:
raise RuntimeError("you must specify the hostname")
self._ip_address = ip_address
self._hostname = hostname
self._instance_type = instance_type
self._base = base
self._disk = disk
self._zone = zone
pidfile = os.path.join(PIDS, 'vm_gce-%s.pid'%ip_address)
logfile = os.path.join(LOGS, 'vm_gce-%s.log'%ip_address)
start_cmd = ([PYTHON, 'vm_gce.py',
'--daemon', '--pidfile', pidfile, '--logfile', logfile] +
(['--zone', zone] if zone else []) +
['start',
'--ip_address', ip_address,
'--type', instance_type] +
(['--base', base] if base else []) +
(['--disk', disk] if disk else []) + [self._hostname])
stop_cmd = [PYTHON, 'vm_gce.py'] + (['--zone', zone] if zone else []) + ['stop', self._hostname]
Process.__init__(self, id=id, name=name, port=0,
pidfile = pidfile, logfile = logfile,
start_cmd = start_cmd,
stop_cmd = stop_cmd,
monitor_database=monitor_database,
term_signal = 2 # must use 2 (=SIGINT) instead of 15 or 9 for proper cleanup!
)
def stop(self):
Process.stop(self, force=True)
#################################
# Classical Sage Notebook Server
#################################
class Sagenb(Process):
def __init__(self, address, path, port, pool_size=16, monitor_database=None, debug=True, id=0):
self._address = address # to listen on
self._path = path
self._port = port
pidfile = os.path.join(PIDS, 'sagenb-%s.pid'%port)
logfile = os.path.join(LOGS, 'sagenb-%s.log'%port)
Process.__init__(self, id, name='sage', port=port,
pidfile = pidfile,
logfile = logfile,
monitor_database = monitor_database,
start_cmd = [PYTHON, 'sagenb_server.py', '--daemon',
'--path', path,
'--port', port,
'--address', address,
'--pool_size', pool_size,
'--pidfile', pidfile,
'--logfile', logfile]
)
########################################
# tinc VPN management
########################################
def ping(hostname, count=3, timeout=2):
"""
Try to ping hostname count times, timing out if we do not
finishing after timeout seconds.
Return False if the ping fails. If the ping succeeds, return
(min, average, max) ping times in milliseconds.
"""
p = subprocess.Popen(['ping', '-t', str(timeout), '-c', str(count), hostname],
stdin=subprocess.PIPE, stdout = subprocess.PIPE,
stderr=subprocess.PIPE)
if p.wait() == 0:
r = p.stdout.read()
i = r.rfind('=')
v = [float(t) for t in r[i+1:].strip().split()[0].split('/')]
return v[0], v[1], v[2]
else:
return False # fail
def tinc_conf(ip_address):
"""
Configure tinc on this machine, so it can be part of the VPN.
-- ip_address -- address this machine gets on the vpn
"""
SALVUS = os.path.realpath(__file__)
os.chdir(os.path.split(SALVUS)[0])
# make sure the directories are there
TARGET = 'data/local/etc/tinc'
if os.path.exists(TARGET):
print "deleting '%s'"%TARGET
shutil.rmtree(TARGET)
for path in [TARGET, 'data/local/var/run']: # .../run used for pidfile
if not os.path.exists(path):
os.makedirs(path)
# create symbolic link to hosts directory in salvus git repo
os.symlink(os.path.join('../../../../conf/tinc_hosts'),
os.path.join(TARGET, 'hosts'))
# determine what our external ip address is
external_ip = misc.local_ip_address(dest='8.8.8.8')
# determine our hostname
hostname = socket.gethostname()
# Create the tinc-up script
tinc_up = os.path.join(TARGET, 'tinc-up')
open(tinc_up,'w').write(
"""#!/bin/sh
ifconfig $INTERFACE %s netmask 255.0.0.0
"""%ip_address)
os.chmod(tinc_up, stat.S_IRWXU)
# Create tinc.conf
tinc_conf = open(os.path.join(TARGET, 'tinc.conf'),'w')
tinc_conf.write('Name = %s\n'%hostname)
for h in os.listdir(os.path.join(TARGET, 'hosts')):
if "Address" in open(os.path.join(TARGET, 'hosts', h)).read():
tinc_conf.write('ConnectTo = %s\n'%h)
# on OS X, we need this, but otherwise we don't:
if os.uname()[0] == "Darwin":
tinc_conf.write('Device = /dev/tap0\n')
tinc_conf.close()
host_file = os.path.join(TARGET, 'hosts', hostname)
open(host_file,'w').write(
"""Address = %s
Subnet = %s/32"""%(external_ip, ip_address))
# generate keys
print sh['data/local/sbin/tincd', '-K']
# add file to git and checkin, then push to official repo
gitaddr = "git@github.com:williamstein/salvus.git"
print sh['git', 'pull', gitaddr]
print sh['git', 'add', os.path.join('conf/tinc_hosts', hostname)]
print sh['git', 'commit', '-a', '-m', 'tinc config for %s'%hostname]
print sh['git', 'push', gitaddr]
print "To join the vpn on startup,"
print "add this line to /etc/rc.local:\n"
print " nice --19 /home/salvus/salvus/salvus/data/local/sbin/tincd"
print "You *must* also pull the git repo on"
print "at least one of the ConnectTo machines to connect."
########################################
# Grouped collection of hosts
# See the files conf/hosts* for examples.
# The format is
# [group1]
# hostname1
# hostname2
# [group2]
# hostname3
# hostname1 # repeats allowed, comments allowed
########################################
def parse_groupfile(filename):
groups = {None:[]}
group = None
group_opts = []
ordered_group_names = []
namespace = {}
namespace['os'] = os
for r in open(filename).xreadlines():
line = r.split('#')[0].strip() # ignore comments and leading/trailing whitespace
if line: # ignore blank lines
if line.startswith('import ') or '=' in line:
# import modules for use in assignments below
print "exec ", line
exec line in namespace
continue
i = line.find(' ')
if i == -1:
opts = {}
name = line
else:
name = line[:i]
opts = eval(line[i+1:], namespace)
if name.startswith('['): # host group
group = name.strip(' []')
group_opts = opts
groups[group] = []
ordered_group_names.append(group)
else:
opts.update(group_opts)
groups[group].append((name, opts))
for k in sorted(namespace.keys()):
if not k.startswith('_') and k not in ['os']:
print "%-20s = %s"%(k, namespace[k])
return groups, ordered_group_names
def parse_hosts_file(filename):
ip = {} # ip = dictionary mapping from hostname to a list of ip addresses
hn = {} # hn = canonical hostnames for each ip address
for r in open(filename).readlines():
line = r.split('#')[0].strip() # ignore comments and leading/trailing whitespace
v = line.split()
if len(v) == 0: continue
if len(v) <= 1:
raise ValueError("parsing hosts file -- invalid line '%s'"%r)
address = v[0]
hostnames = v[1:]
hn[address] = hostnames[-1]
for h in hostnames:
if len(h) < 1 or len(h) > 63 or not (h.replace('-','').isalnum()):
raise RuntimeError("invalid hostname: must be at most 63 characters from a-z, 0-9, or -")
if h in ip:
ip[h].append(address)
else:
ip[h] = [address]
# make ip address lists canonical
ip = dict([(host, list(sorted(set(addresses)))) for host, addresses in ip.iteritems()])
return ip, hn
class Hosts(object):
"""
Defines a set of hosts on a network and provides convenient tools
for running commands on them using ssh.
"""
def __init__(self, hosts_file, username=whoami, passwd=True, password=None):
"""
- passwd -- if False, don't ask for a password; in this case nothing must require sudo to
run, and all logins must work using ssh with keys
"""
self._ssh = {}
self._username = username
self._password = password
self._passwd = passwd
self._ip_addresses, self._canonical_hostnames = parse_hosts_file(hosts_file)
def __getitem__(self, hostname):
"""
Return list of dinstinct ip_address matching the given hostname. If the hostname
is an ip address defined in the hosts file, return [hostname].
"""
v = hostname.split()
if len(v) > 1:
return list(sorted(set(sum([self[q] for q in v], []))))
if hostname in self._canonical_hostnames.keys(): # it is already a known ip address
return [hostname]
if hostname == 'all': # return all ip addresses
return list(sorted(self._canonical_hostnames.keys()))
if hostname in self._ip_addresses:
return self._ip_addresses[hostname]
raise ValueError("unknown ip hostname or address '%s'"%hostname)
def hostname(self, ip):
return self._canonical_hostnames[ip]
def is_valid_hostname(self, hostname):
return hostname in self._canonical_hostnames # ok, since is dictionary mapping hostnames to canonical ones
def password(self, retry=False):
if not self._passwd:
log.info("Explicitly skipping asking for password, due to passwd=False option.")
return self._password
if self._password is None or retry:
import getpass
self._password = getpass.getpass("%s's password: "%self._username)
return self._password
def ssh(self, hostname, timeout=10, keepalive=None, use_cache=True, username=None):
if username is None:
username = self._username
key = (hostname, username)
if use_cache and key in self._ssh:
return self._ssh[key]
import paramiko
ssh = paramiko.SSHClient()
ssh.set_missing_host_key_policy(paramiko.AutoAddPolicy())
ssh.connect(hostname=hostname, username=username, password=self._password, timeout=timeout)
if keepalive:
ssh.get_transport().set_keepalive(keepalive)
self._ssh[key] = ssh
return ssh
def _do_map(self, callable, address, **kwds):
log.info('%s (%s):', address, self.hostname(address))
x = callable(address, **kwds)
log.info(x)
return x
def map(self, callable, hostname, parallel=True, **kwds):
# needed before parallel
self.password()
def f(address, **kwds):
return ((address, self.hostname(address)), self._do_map(callable, address, **kwds))
if parallel:
return misc.thread_map(f, [((address,), kwds) for address in self[hostname]])
else:
return [f(address, **kwds) for address in self[hostname]]
def ping(self, hostname='all', timeout=3, count=3, parallel=True):
"""
Return list of pairs ((ip, hostname), ping_time) of those that succeed at pinging
and a list of pairs ((ip, hostname), False) for those that do not.
"""
v = self.map(ping, hostname, timeout=timeout, count=count, parallel=parallel)
return [x for x in v if x[1] is not False], [x for x in v if x[1] is False]
def ip_addresses(self, hostname):
return [socket.gethostbyname(h) for h in self[hostname]]
def exec_command(self, hostname, command, sudo=False, timeout=90, wait=True, parallel=True, username=None, verbose=True):
def f(hostname):
try:
return self._exec_command(command, hostname, sudo=sudo, timeout=timeout, wait=wait, username=username, verbose=verbose)
except Exception, msg:
return {'stdout':'', 'stderr':'Error connecting -- %s: %s'%(hostname, msg)}
return dict(self.map(f, hostname=hostname, parallel=parallel))
def __call__(self, *args, **kwds):
"""
>>> self(hostname, command)
"""
result = self.exec_command(*args, **kwds)
if kwds.get('verbose',True):
for h,v in result.iteritems():
print '%s :'%(h,),
print v.get('stdout',''),
print v.get('stderr',''),
print
return result
def _exec_command(self, command, hostname, sudo, timeout, wait, username=None, verbose=True):
if not self._passwd:
# never use sudo if self._passwd is false...
sudo = False
start = time.time()
ssh = self.ssh(hostname, username=username, timeout=timeout)
try:
chan = ssh.get_transport().open_session()
except:
# try again in case if remote machine got rebooted or something...
chan = self.ssh(hostname, username=username, timeout=timeout, use_cache=False).get_transport().open_session()
stdin = chan.makefile('wb')
stdout = chan.makefile('rb')
stderr = chan.makefile_stderr('rb')
cmd = ('sudo -S bash -c "%s"' % command.replace('"', '\\"')) if sudo else command
log.info("hostname=%s, command='%s'", hostname, cmd)
chan.exec_command(cmd)
if sudo and not stdin.channel.closed:
try:
print "sending sudo password..."
stdin.write('%s\n' % self.password()); stdin.flush()
except:
pass # could have closed in the meantime if password cached
if not wait:
return {'stdout':None, 'stderr':None, 'exit_status':None, 'note':"wait=False: '%s'"%cmd}
while not stdout.channel.closed:
time.sleep(0.05)
if time.time() - start >= timeout:
raise RuntimeError("on %s@%s command '%s' timed out"%(self._username, hostname, command))
return {'stdout':stdout.read(), 'stderr':stderr.read(), 'exit_status':chan.recv_exit_status()}
def public_ssh_keys(self, hostname, timeout=5):
return '\n'.join([x['stdout'] for x in self.exec_command(hostname, 'cat .ssh/id_rsa.pub', timeout=timeout).values()])
def git_pull(self, hostname, repo=GIT_REPO, timeout=60):
return self(hostname, 'cd salvus && git pull %s'%repo, timeout=timeout)
def build(self, hostname, pkg_name, timeout=250):
return self(hostname, 'cd $HOME/salvus/salvus && . ./salvus-env && ./build.py --build_%s'%pkg_name, timeout=timeout)
def python_c(self, hostname, cmd, timeout=60, sudo=False, wait=True):
command = 'cd \"$HOME/salvus/salvus\" && . ./salvus-env && python -c "%s"'%cmd
log.info("python_c: %s", command)
return self(hostname, command, sudo=sudo, timeout=timeout, wait=wait)
def apt_upgrade(self, hostname):
# some nodes (e.g., sage nodes) have a firewall that disables upgrading via apt,
# so we temporarily disable it.
try:
return self(hostname,'ufw --force disable && apt-get update && apt-get -y upgrade', sudo=True, timeout=120)
# very important to re-enable the firewall, no matter what!
finally:
self(hostname,'ufw --force enable', sudo=True, timeout=120)
def apt_install(self, hostname, pkg):
# EXAMPLE: hosts.apt_install('cassandra', 'openjdk-7-jre')
try:
return self(hostname, 'ufw --force disable && apt-get -y --force-yes install %s'%pkg, sudo=True, timeout=120)
finally:
self(hostname,'ufw --force enable', sudo=True, timeout=120)
def reboot(self, hostname):
return self(hostname, 'reboot -h now', sudo=True, timeout=5)
def ufw(self, hostname, commands):
if self[hostname] == ['127.0.0.1']:
print "Not enabling firewall on 127.0.0.1"
return
cmd = ' && '.join(['/home/salvus/salvus/salvus/scripts/ufw_clear'] + ['ufw disable'] +
['ufw default allow incoming'] + ['ufw default allow outgoing'] + ['ufw --force reset']
+ ['ufw ' + c for c in commands] +
(['ufw --force enable'] if commands else []))
return self(hostname, cmd, sudo=True, timeout=10, wait=False)
def nodetool(self, args='', hostname='cassandra', wait=False, timeout=120, parallel=False):
for k, v in self(hostname, 'salvus/salvus/data/local/cassandra/bin/nodetool %s'%args, timeout=timeout, wait=wait, parallel=parallel).iteritems():
print k
print v.get('stdout','')
def nodetool_repair(self):
# timeout is long since each repair can take quite a while; also, we wait, since we're supposed to do one at a time.
self.nodetool('repair', wait=True, timeout=36*60*60)
def nodetool_snapshot(self):
# we are supposed to do snapshots all at once.
self.nodetool('snapshot', wait=False, timeout=120, parallel=True)
#########################################################
# SFTP support
#########################################################
def put(self, hostname, local_filename, remote_filename=None, timeout=5):
if remote_filename is None:
remote_filename = local_filename
for hostname in self[hostname]:
sftp = self.ssh(hostname, timeout=timeout).open_sftp()
log.info('put: %s --> %s:%s', local_filename, hostname, remote_filename)
sftp.put(local_filename, remote_filename)
def putdir(self, hostname, local_path, remote_containing_path='.', timeout=5):
# recursively copy over the local_path directory tree so that it is contained
# in remote_containing_path on the target
for hostname in self[hostname]:
sftp = self.ssh(hostname, timeout=timeout).open_sftp()
self._mkdir(sftp, remote_containing_path)
for dirpath, dirnames, filenames in os.walk(local_path):
print dirpath, dirnames, filenames
self._mkdir(sftp, os.path.join(remote_containing_path, dirpath))
for name in filenames:
local = os.path.join(dirpath, name)
remote = os.path.join(remote_containing_path, dirpath, name)
log.info('put: %s --> %s:%s', local, hostname, remote)
sftp.put(local, remote)
def get(self, hostname, remote_filename, local_filename=None, timeout=5):
if local_filename is None:
local_filename = remote_filename
ssh = self.ssh(hostname, timeout=timeout)
sftp = ssh.open_sftp()
sftp.get(remote_filename, local_filename)
# If I want to implement recursive get of directory: http://stackoverflow.com/questions/6674862/recursive-directory-download-with-paramiko
def rmdir(self, hostname, path, timeout=10):
# this is a very dangerous function!
self(hostname, 'rm -rf "%s"'%path, timeout=timeout)
def _mkdir(self, sftp, path, mode=0o40700):
try:
sftp.mkdir(path, mode)
except IOError:
from stat import S_ISDIR
if not S_ISDIR(sftp.stat(path).st_mode):
raise IOError("remote '%s' (on %s) exists and is not a path"%(path, hostname))
def mkdir(self, hostname, path, timeout=10, mode=0o40700): # default mode is restrictive=user only, on general principle.
for hostname in self[hostname]:
ssh = self.ssh(hostname, timeout=timeout)
sftp = ssh.open_sftp()
self._mkdir(sftp, path, mode)
def unlink(self, hostname, filename, timeout=10):
for hostname in self[hostname]:
ssh = self.ssh(hostname, timeout=timeout)
sftp = ssh.open_sftp()
try:
sftp.remove(filename)
except:
pass # file doesn't exist
class Monitor(object):
def __init__(self, hosts, services):
self._hosts = hosts
self._services = services # used for self-healing
def compute(self):
ans = []
c = 'nproc && uptime && free -g && ps -C node -o args=|grep "local_hub.js run" |wc -l && cd salvus/salvus; . salvus-env'
for k, v in self._hosts('compute', c, wait=True, parallel=True, timeout=120).iteritems():
d = {'host':k[0], 'service':'compute'}
stdout = v.get('stdout','')
m = stdout.splitlines()
if v.get('exit_status',1) != 0 or len(m) < 7:
d['status'] = 'down'
else:
d['status'] = 'up'
d['nproc'] = int(m[0])
z = m[1].replace(',','').split()
d['load1'] = float(z[-3]) / d['nproc']
d['load5'] = float(z[-2]) / d['nproc']
d['load15'] = float(z[-1]) / d['nproc']
z = m[3].split()
d['ram_used_GB'] = int(z[2])
d['ram_free_GB'] = int(z[3])
d['nprojects'] = int(m[6])
ans.append(d)
w = [(-d.get('load15',0), d) for d in ans]
w.sort()
return [y for x,y in w]
def database(self):
ans = []
c = 'pidof rethinkdb'
for k, v in self._hosts('database', c, wait=True, parallel=True, timeout=120).iteritems():
d = {'host':k[0], 'service':'database'}
if v.get('exit_status',1) != 0 :
d['status'] = 'down'
else:
d['status'] = 'up'
ans.append(d)
return ans
def hub(self):
ans = []
cmd = 'export TERM=vt100; cd salvus/salvus&& . salvus-env && check_hub && check_hub_block |tail -1'
for k, v in self._hosts('hub', cmd, wait=True, parallel=True, timeout=60).iteritems():
d = {'host':k[0], 'service':'hub'}
if v['exit_status'] != 0 or v['stderr']:
d['status'] = 'down'
continue
for x in v['stdout'].splitlines()[:5]:
i = x.find(' ')
if i != -1:
d[x[:i]] = x[i:].strip()
if 'sign_in_timeouts' in d:
d['sign_in_timeouts'] = int(d['sign_in_timeouts'])
if 'db_errors' in d:
d['db_errors'] = int(d['db_errors'])
if 'concurrent_warn' in d:
d['concurrent_warn'] = int(d['concurrent_warn'])
d['status'] = 'up'
if d['etime'] == 'ELAPSED':
d['status'] = 'down'
if d['sign_in_timeouts'] > 4:
d['status'] = 'down' # demands attention!
if d['db_errors'] > 0:
d['status'] = 'down' # demands attention!
if d['concurrent_warn'] > 0:
d['status'] = 'down' # demands attention!
try:
d['block'] = int(v['stdout'].splitlines()[3].split()[-1].rstrip('ms'))
except: pass
ans.append(d)
def f(x,y):
if x['status'] == 'down':
return -1
if y['status'] == 'down':
return 1
if 'loadavg' in x and 'loadavg' in y:
return -cmp(float(x['loadavg'].split()[0]), float(y['loadavg'].split()[0]))
return -1
ans.sort(f)
return ans
def load(self):
"""
Return normalized load on *everything*, sorted by highest current load first.
"""
ans = []
for k, v in self._hosts('all', 'nproc && uptime', parallel=True, wait=True, timeout=80).iteritems():
d = {'host':k[0]}
m = v.get('stdout','').splitlines()
if v.get('exit_status',1) != 0 or len(m) < 2:
d['status'] = 'down'
else:
d['status'] = 'up'
d['nproc'] = int(m[0])
z = m[1].replace(',','').split()
d['load1'] = float(z[-3])/d['nproc']
d['load5'] = float(z[-2])/d['nproc']
d['load15'] = float(z[-1])/d['nproc']
ans.append(d)
w = [(-d['load15'], d) for d in ans]
w.sort()
return [y for x,y in w]
def pingall(self, hosts='all', on=None):
v = []
for x in hosts.split():
try:
v += self._hosts[x]
except ValueError:
v.append(x)
c = 'pingall ' + ' '.join(v)
if on is not None:
c = 'ssh %s "cd salvus/salvus && . salvus-env && %s"'%(on, c)
print c
s = os.popen(c).read()
print s
return json.loads(s)
def disk_usage(self, hosts='all', disk_threshold=96):
"""
Verify that no disk is more than disk_threshold (=disk_threshold%).
"""
cmd = "df --output=pcent,source |grep -v fuse | sort -n|tail -1"
ans = []
for k, v in self._hosts(hosts, cmd, parallel=True, wait=True, timeout=30).iteritems():
d = {'host':k[0], 'service':'disk_usage'}
percent = int((v.get('stdout','100') + ' 0').split()[0].strip().strip('%'))
d['percent'] = percent
if percent > disk_threshold:
d['status'] = 'down'
print k,v
else:
d['status'] = 'up'
ans.append(d)
w = [((-d['percent'],d['host']),d) for d in ans]
w.sort()
return [y for x,y in w]
def dns(self, hosts='all', rounds=1):
"""
Verify that DNS is working well on all machines.
"""
cmd = '&&'.join(["host -v google.com > /dev/null"]*rounds) + "; echo $?"
ans = []
exclude = set([]) # set(self._hosts['cellserver']) # + self._hosts['webdev'])
h = ' '.join([host for host in self._hosts[hosts] if host not in exclude])
if not h:
return []
for k, v in self._hosts(h, cmd, parallel=True, wait=True, timeout=30).iteritems():
d = {'host':k[0], 'service':'dns'}
exit_code = v.get('stdout','').strip()
if exit_code == '':
exit_code = '1'
if exit_code=='1' or v.get('exit_status',1) != 0:
d['status'] = 'down'
print k,v
else:
d['status'] = 'up'
ans.append(d)
w = [((d.get('status','down'),d['host']),d) for d in ans]
w.sort()
return [y for x,y in w]
def stats(self, timeout=90):
"""
Get all ip addresses that SITENAME resolves to, then verify that https://ip_address/stats returns
valid data, for each ip. This tests that all stunnel and haproxy servers are running.
"""
ans = []
import urllib2, ssl
ctx = ssl.create_default_context() # see http://stackoverflow.com/questions/19268548/python-ignore-certicate-validation-urllib2
ctx.check_hostname = False
ctx.verify_mode = ssl.CERT_NONE
try:
for ip_address in dns(SITENAME, timeout):
entry = {'host':ip_address, 'service':'stats'}
ans.append(entry)
try:
# site must return and be valid json
json.loads(urllib2.urlopen('https://%s/stats'%ip_address, timeout=timeout, context=ctx).read())
entry['status'] = 'up'
except: # urllib2.URLError: # there are other possible errors
entry['status'] = 'down'
except (RuntimeError, ValueError):
ans = [{'host':SITENAME, 'service':'stats', 'status':'down'}]
w = [(d.get('status','down'),d) for d in ans]
w.sort()
return [y for x,y in w]
def all(self):
return {
'timestamp' : time.time(),
'disk_usage' : self.disk_usage(),
'dns' : self.dns(),
'load' : self.load(),
'hub' : self.hub(),
'stats' : self.stats(),
'compute' : self.compute(),
'database' : self.database()
}
def down(self, all):
# Make a list of down services
down = []
for service, v in all.iteritems():
if isinstance(v, list):
for x in v:
if x.get('status','') == 'down':
down.append(x)
return down
def print_status(self, all=None, n=9):
if all is None:
all = self.all( )
print "TIME: " + time.strftime("%Y-%m-%d %H:%M:%S")
#print "DNS"
#for x in all['dns'][:n]:
# print x
print "HUB"
for x in all['hub'][:n]:
print x
print "DATABASE"
for x in all['database'][:n]:
print x
print "DISK USAGE"
for x in all['disk_usage'][:n]:
print x
print "LOAD"
for x in all['load'][:n]:
print x
print "STATS"
for x in all['stats'][:n]:
print x
print "COMPUTE"
vcompute = all['compute']
print "%s projects running"%(sum([x.get('nprojects',0) for x in vcompute]))
for x in all['compute'][:n]:
print x
def _go(self):
all = self.all()
self.print_status(all=all)
down = self.down(all=all)
m = ''
if len(down) > 0:
m += "The following are down: %s"%down
for x in all['load']:
if x['load15'] > 400:
m += "A machine is going *crazy* with load!: %s"%x
#for x in all['zfs']:
# if x['nproc'] > 10000:
# m += "Large amount of ZFS: %s"%x
if m:
try:
email(m, subject="SMC issue")
except Exception, msg:
print "Failed to send email! -- %s\n%s"%(msg, m)
def go(self, interval=5, residue=0):
"""
Run a full monitor scan when the current time in *minutes* since the epoch
is congruent to residue modulo interval.
"""
self._services._hosts.password() # ensure known for self-healing
import time
last_time = 0
i = 0
while True:
now = int(time.time()/60) # minutes since epoch
if now != last_time:
#print "%s minutes since epoch"%now
if now % interval == residue:
last_time = now
try:
self._go()
except:
print sys.exc_info()[:2]
print "ERROR"
try:
self._go()
except:
print sys.exc_info()[:2]
print "ERROR"
time.sleep(20)
class Services(object):
def __init__(self, path, username=whoami, keyspace='salvus', passwd=True, password=""):
"""
- passwd -- if False, don't ask for a password; in this case nothing must require sudo to
run, and all logins must work using ssh with keys
"""
self._keyspace = keyspace
self._path = path
self._username = username
self._hosts = Hosts(os.path.join(path, 'hosts'), username=username, passwd=passwd, password=password)
self._services, self._ordered_service_names = parse_groupfile(os.path.join(path, 'services'))
del self._services[None]
self.monitor = Monitor(Hosts(os.path.join(path, 'hosts'), username=username, passwd=False), services = self)
# this is the canonical list of options, expanded out by service and host.
def hostopts(service, query='all', copy=True):
"""Return list of pairs (hostname, options) defined in the services file, where
the hostname matches the given hostname/group"""
restrict = set(self._hosts[query])
return sum([[(h, dict(opts) if copy else opts) for h in self._hosts[query] if h in restrict]
for query, opts in self._services[service]], [])
self._options = dict([(service, hostopts(service)) for service in self._ordered_service_names])
def _all(self, callable, reverse=False):
names = self._ordered_service_names
return dict([(s, callable(s)) for s in (reversed(names) if reverse else names)])
def start(self, service, host='all', wait=True, parallel=False, **opts):
if service == 'all':
return self._all(lambda x: self.start(x, host=host, wait=wait, **opts), reverse=False)
return self._action(service, 'start', host, opts, wait=wait, parallel=parallel)
def stop(self, service, host='all', wait=True, parallel=False, **opts):
if service == 'all':
return self._all(lambda x: self.stop(x, host=host, wait=wait, **opts), reverse=True)
return self._action(service, 'stop', host, opts, wait, parallel=parallel)
def status(self, service, host='all', wait=True, parallel=False, **opts):
if service == 'all':
return self._all(lambda x: self.status(x, host=host, wait=True, **opts), reverse=False)
return self._action(service, 'status', host, opts, wait=True, parallel=parallel)
def restart(self, service, host='all', wait=True, reverse=True, parallel=False, **opts):
if service == 'all':
return self._all(lambda x: self.restart(x, host=host, reverse=reverse, wait=wait, **opts), reverse=reverse)
return self._action(service, 'restart', host, opts, wait, parallel=parallel)
def wait_until_up(self, host='all'):
while True:
v = self._hosts.ping(host)[1]
if not v: return
log.info("Waiting for %s"%(v,))
def _action(self, service, action, host, opts, wait, parallel):
if service not in self._services:
raise ValueError("unknown service '%s'"%service)
name = service.capitalize()
if name=='Compute' or not hasattr(self, '_cassandra'):
def db_string(address):
return ""
else:
def db_string(address):
dc = self.ip_address_to_dc(self._hosts[address][0])
if dc == -1:
return "monitor_database=''"
else:
return "monitor_database='%s'"%(','.join(self.cassandras_in_dc(dc)))
v = self._hostopts(service, host, opts)
self._hosts.password() # can't get password in thread
w = [((name, action, address, options, db_string(address), wait),{}) for address, options in v]
if parallel:
return misc.thread_map(self._do_action, w)
else:
return [self._do_action(*args, **kwds) for args, kwds in w]
def _hostopts(self, service, hostname, opts):
"""
Return copy of pairs (hostname, options_dict) for the given
service, restricted by the given hostname.
"""
hosts = set(self._hosts[hostname])
opts1 = set(opts.iteritems())
return [(h,dict(o)) for h,o in self._options[service] if h in hosts and opts1.issubset(set([(x,y) for x, y in o.iteritems() if x in opts]))]
def _do_action(self, name, action, address, options, db_string, wait):
if 'sudo' in options:
sudo = True
del options['sudo']
else:
sudo = False
if 'timeout' in options:
timeout = options['timeout']
del options['timeout']
else:
timeout = 60
for t in ['hub', 'nginx', 'proxy']:
s = '%s_servers'%t
if s in options:
# restrict to the subset of servers in the same data center
dc = self.ip_address_to_dc(address)
options[s] = [dict(x) for x in options[s] if self.ip_address_to_dc(x['ip']) == dc]
# turn the ip's into hostnames
for x in options[s]:
x['ip'] = self._hosts.hostname(x['ip'])
if 'id' not in options:
options['id'] = 0
if 'monitor_database' in options:
db_string = ''
elif db_string.strip():
db_string = db_string + ', '
cmd = "import admin; print admin.%s(%s**%r).%s()"%(name, db_string, options, action)
if name == "Cassandra":
self.cassandra_firewall(address, action)
ret = self._hosts.python_c(address, cmd, sudo=sudo, timeout=timeout, wait=wait)
if name == "Compute":
log.info("Recording compute server in database")
# TODO...
return (address, self._hosts.hostname(address), options, ret)
| shubham0d/smc | salvus/admin.py | Python | gpl-3.0 | 66,944 |
from dipde.internals.internalpopulation import InternalPopulation
from dipde.internals.externalpopulation import ExternalPopulation
from dipde.internals.network import Network
from dipde.internals.connection import Connection as Connection
# from dipde.profiling import profile_simulation, extract_value
from mongodistributedconfiguration import MongoDistributedConfiguration
import sys
import os
import logging
import time
logging.disable(logging.CRITICAL)
number_of_processes = int(os.environ.get('NUMBER_OF_NODES',2))
try:
rank = int(sys.argv[1])
except:
rank = 0
# Settings:
t0 = 0.
dt = .0001
dv = .0001
tf = .1
update_method = 'approx'
approx_order = None
tol = 1e-14
# Run simulation:
b1 = ExternalPopulation(100)
b2 = ExternalPopulation(100)
b3 = ExternalPopulation(100)
b4 = ExternalPopulation(100)
i1 = InternalPopulation(v_min=0, v_max=.02, dv=dv, update_method=update_method, approx_order=approx_order, tol=tol)
i2 = InternalPopulation(v_min=0, v_max=.02, dv=dv, update_method=update_method, approx_order=approx_order, tol=tol)
i3 = InternalPopulation(v_min=0, v_max=.02, dv=dv, update_method=update_method, approx_order=approx_order, tol=tol)
i4 = InternalPopulation(v_min=0, v_max=.02, dv=dv, update_method=update_method, approx_order=approx_order, tol=tol)
b1_i1 = Connection(b1, i1, 1, weights=.005)
b2_i2 = Connection(b2, i2, 1, weights=.005)
b3_i3 = Connection(b3, i3, 1, weights=.005)
b4_i4 = Connection(b4, i4, 1, weights=.005)
network = Network([b1, b2, b3, b4, i1, i2, i3, i4], [b1_i1, b2_i2, b3_i3, b4_i4])
run_dict = {'t0':t0,
'dt':dt,
'tf':tf,
'distributed_configuration':MongoDistributedConfiguration(rank, number_of_processes=number_of_processes)}
import re
from dipde.internals.network import Network
import cProfile
import pstats
import StringIO
import logging as logging_module
prof = cProfile.Profile()
prof.runcall(network.run, **run_dict)
stream = StringIO.StringIO()
p = pstats.Stats(prof, stream=stream)
p.strip_dirs().sort_stats('cumtime').print_stats(20)
if rank == 0:
print stream.getvalue()
# network.run(**run_dict)
# print time.time() - t0
# profile = profile_simulation(simulation, run_dict, logging=False)
# total_time = extract_value(profile, 'simulation.py', 'run')
# parallel_overhead = extract_value(profile, 'distributedconfiguration.py', 'update')
# parallel_win = extract_value(profile, 'internalpopulation.py', 'update')
# if rank == 0: print 'total time: %s' % total_time
# if rank == 0: print 'parallel_overhead: %s' % parallel_overhead
# print 'parallel_win: %s' % parallel_win
# 1001 0.001 0.000 0.193 0.000 distributedconfiguration.py:28(update)
# if rank == 0:
# print profile
# print extract_value(profile, 'cumtime', 'simulation.py', 'run')
# # Visualize:
# i1 = simulation.population_list[1]
# fig, ax = plt.subplots(figsize=(3,3))
# i1.plot(ax=ax)
# plt.xlim([0,tf])
# plt.ylim(ymin=0)
# plt.xlabel('Time (s)')
# plt.ylabel('Firing Rate (Hz)')
# fig.tight_layout()
# plt.show()
#
# #
# #
#
#
# class ThreadCallback(threading.Thread):
#
# def __init__(self, obj, callback, sleep_time):
# super(self.__class__, self).__init__()
# self.daemon = True
# self.callback = callback
# self.sleep_time = sleep_time
# self.obj = obj
# self.start()
#
#
# def run(self):
# while True:
# self.callback(self.obj)
# time.sleep(self.sleep_time)
#
# def sleep_callback(self):
# time.sleep(1)
# pass
#
# def firing_rate_callback(self):
# print self.recent_full_firing_rate_dict
# tmp = ThreadCallback(simulation, firing_rate_callback, .5)
| AllenInstitute/dipde | dipde/experimental/distributed_mongo.py | Python | gpl-3.0 | 3,737 |
#!/usr/bin/env python
# -*- coding: utf-8 -*-
from setuptools import setup
import os
os.system('cp config/.lircrc ~/.lircrc')
os.system('cp config/hardware.conf /etc/lirc/hardware.conf')
os.system('cp config/lircd.conf /etc/lirc/lircd.conf')
os.system('cp config/lircmd.conf /etc/lirc/lircmd.conf')
os.system('mkdir ~/.slightgen')
os.system('cp img/logo.png ~/.slightgen/logo.png')
setup(
name='SG-remote',
version='1.0.0',
url='https://github.com/Slightgen/SG-remote',
author='girish joshi',
author_email='girish946@gmail.com',
description=('interface for ir remote controllers provided with slight-gen minicomp'
'operate the desktop using ir remote'),
license='GPLV3',
packages=['remote'],
test_suite='',
install_requires=['pyautogui', 'python-lirc' , 'clipboard'],
keywords="operate mate-desktop ir-remote-controller",
classifiers=[
'Development Status :: 3 - Alpha',
'Environment :: X11 Applications',
'Intended Audience :: Developers',
'Intended Audience :: Education',
'Intended Audience :: End Users/Desktop',
'License :: OSI Approved :: GNU General Public License v3 (GPLv3)',
'Operating System :: POSIX :: Linux',
'Programming Language :: Python',
'Programming Language :: Python :: 2.7',
],
scripts=['r-controller']
)
| Slightgen/SG-remote | setup.py | Python | gpl-3.0 | 1,378 |
import gc
import os
import signal
from datetime import datetime
from errbot import BotPlugin, botcmd, arg_botcmd
from errbot.plugin_manager import global_restart
from errbot.utils import format_timedelta
class Health(BotPlugin):
@botcmd(template='status')
def status(self, mess, args):
""" If I am alive I should be able to respond to this one
"""
plugins_statuses = self.status_plugins(mess, args)
loads = self.status_load(mess, args)
gc = self.status_gc(mess, args)
return {'plugins_statuses': plugins_statuses['plugins_statuses'],
'loads': loads['loads'],
'gc': gc['gc']}
@botcmd(template='status_load')
def status_load(self, mess, args):
""" shows the load status
"""
try:
from posix import getloadavg
loads = getloadavg()
except Exception:
loads = None
return {'loads': loads}
@botcmd(template='status_gc')
def status_gc(self, mess, args):
""" shows the garbage collection details
"""
return {'gc': gc.get_count()}
@botcmd(template='status_plugins')
def status_plugins(self, mess, args):
""" shows the plugin status
"""
pm = self._bot.plugin_manager
all_blacklisted = pm.get_blacklisted_plugin()
all_loaded = pm.get_all_active_plugin_names()
all_attempted = sorted([p.name for p in pm.all_candidates])
plugins_statuses = []
for name in all_attempted:
if name in all_blacklisted:
if name in all_loaded:
plugins_statuses.append(('BA', name))
else:
plugins_statuses.append(('BD', name))
elif name in all_loaded:
plugins_statuses.append(('A', name))
elif pm.get_plugin_obj_by_name(name) is not None \
and pm.get_plugin_obj_by_name(name).get_configuration_template() is not None \
and pm.get_plugin_configuration(name) is None:
plugins_statuses.append(('C', name))
else:
plugins_statuses.append(('D', name))
return {'plugins_statuses': plugins_statuses}
@botcmd
def uptime(self, mess, args):
""" Return the uptime of the bot
"""
return "I've been up for %s %s (since %s)" % (args, format_timedelta(datetime.now() - self._bot.startup_time),
self._bot.startup_time.strftime('%A, %b %d at %H:%M'))
# noinspection PyUnusedLocal
@botcmd(admin_only=True)
def restart(self, mess, args):
""" Restart the bot. """
self.send(mess.frm, "Deactivating all the plugins...")
self._bot.plugin_manager.deactivate_all_plugins()
self.send(mess.frm, "Restarting")
self._bot.shutdown()
global_restart()
return "I'm restarting..."
# noinspection PyUnusedLocal
@arg_botcmd('--confirm', dest="confirmed", action="store_true",
help="confirm you want to shut down", admin_only=True)
@arg_botcmd('--kill', dest="kill", action="store_true",
help="kill the bot instantly, don't shut down gracefully", admin_only=True)
def shutdown(self, mess, confirmed, kill):
"""
Shutdown the bot.
Useful when the things are going crazy and you don't have access to the machine.
"""
if not confirmed:
yield "Please provide `--confirm` to confirm you really want me to shut down."
return
if kill:
yield "Killing myself right now!"
os.kill(os.getpid(), signal.SIGKILL)
else:
yield "Roger that. I am shutting down."
os.kill(os.getpid(), signal.SIGINT)
| mrshu/err | errbot/core_plugins/health.py | Python | gpl-3.0 | 3,841 |
from django.conf.urls import url
from fir_artifacts import views
app_name='fir_artifacts'
urlpatterns = [
url(r'^(?P<artifact_id>\d+)/detach/(?P<relation_name>\w+)/(?P<relation_id>\d+)/$', views.detach_artifact, name='detach'),
url(r'^(?P<artifact_id>\d+)/correlations/$', views.artifacts_correlations, name='correlations'),
url(r'^files/(?P<content_type>\d+)/upload/(?P<object_id>\d+)/$', views.upload_file, name='upload_file'),
url(r'^files/(?P<content_type>\d+)/archive/(?P<object_id>\d+)/$', views.download_archive, name='download_archive'),
url(r'^files/(?P<file_id>\d+)/remove/$', views.remove_file, name='remove_file'),
url(r'^files/(?P<file_id>\d+)/download/$', views.download, name='download_file'),
]
| certsocietegenerale/FIR | fir_artifacts/urls.py | Python | gpl-3.0 | 738 |
# Copyright (C) 2010-2014 GRNET S.A.
#
# This program is free software: you can redistribute it and/or modify
# it under the terms of the GNU General Public License as published by
# the Free Software Foundation, either version 3 of the License, or
# (at your option) any later version.
#
# This program is distributed in the hope that it will be useful,
# but WITHOUT ANY WARRANTY; without even the implied warranty of
# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
# GNU General Public License for more details.
#
# You should have received a copy of the GNU General Public License
# along with this program. If not, see <http://www.gnu.org/licenses/>.
from django.core.urlresolvers import reverse
from django.utils.translation import ugettext as _
from django.utils.http import urlencode
from django.contrib.auth import authenticate
from django.http import (
HttpResponse, HttpResponseBadRequest, HttpResponseForbidden)
from django.core.exceptions import ValidationError
from django.views.decorators.http import require_http_methods
from urlparse import urlunsplit, urlsplit, parse_qsl
from astakos.im.util import restrict_next
from astakos.im.user_utils import login as auth_login, logout
from astakos.im.views.decorators import cookie_fix
import astakos.im.messages as astakos_messages
from astakos.im.settings import REDIRECT_ALLOWED_SCHEMES
import logging
logger = logging.getLogger(__name__)
@require_http_methods(["GET"])
@cookie_fix
def login(request):
"""
If there is no ``next`` request parameter redirects to astakos index page
displaying an error message.
If the request user is authenticated and has signed the approval terms,
redirects to `next` request parameter. If not, redirects to approval terms
in order to return back here after agreeing with the terms.
Otherwise, redirects to login in order to return back here after successful
login.
"""
next = request.GET.get('next')
if not next:
return HttpResponseBadRequest('Missing next parameter')
if not restrict_next(next, allowed_schemes=REDIRECT_ALLOWED_SCHEMES):
return HttpResponseForbidden(_(
astakos_messages.NOT_ALLOWED_NEXT_PARAM))
force = request.GET.get('force', None)
response = HttpResponse()
if force == '' and request.user.is_authenticated():
logout(request)
if request.user.is_authenticated():
# if user has not signed the approval terms
# redirect to approval terms with next the request path
if not request.user.signed_terms:
# first build next parameter
parts = list(urlsplit(request.build_absolute_uri()))
params = dict(parse_qsl(parts[3], keep_blank_values=True))
parts[3] = urlencode(params)
next = urlunsplit(parts)
# build url location
parts[2] = reverse('latest_terms')
params = {'next': next}
parts[3] = urlencode(params)
url = urlunsplit(parts)
response['Location'] = url
response.status_code = 302
return response
renew = request.GET.get('renew', None)
if renew == '':
request.user.renew_token(
flush_sessions=True,
current_key=request.session.session_key
)
try:
request.user.save()
except ValidationError, e:
return HttpResponseBadRequest(e)
# authenticate before login
user = authenticate(
username=request.user.username,
auth_token=request.user.auth_token
)
auth_login(request, user)
logger.info('Token reset for %s' % user.username)
parts = list(urlsplit(next))
parts[3] = urlencode({
'uuid': request.user.uuid,
'token': request.user.auth_token
})
url = urlunsplit(parts)
response['Location'] = url
response.status_code = 302
return response
else:
# redirect to login with next the request path
# first build next parameter
parts = list(urlsplit(request.build_absolute_uri()))
params = dict(parse_qsl(parts[3], keep_blank_values=True))
# delete force parameter
if 'force' in params:
del params['force']
parts[3] = urlencode(params)
next = urlunsplit(parts)
# build url location
parts[2] = reverse('login')
params = {'next': next}
parts[3] = urlencode(params)
url = urlunsplit(parts)
response['Location'] = url
response.status_code = 302
return response
| Erethon/synnefo | snf-astakos-app/astakos/im/views/target/redirect.py | Python | gpl-3.0 | 4,711 |
../../../../../../../share/pyshared/orca/scripts/apps/packagemanager/script_settings.py | Alberto-Beralix/Beralix | i386-squashfs-root/usr/lib/python2.7/dist-packages/orca/scripts/apps/packagemanager/script_settings.py | Python | gpl-3.0 | 87 |
# -*- coding: utf-8 -*-
#------------------------------------------------------------
# Gestión de parámetros de configuración - xbmc
#------------------------------------------------------------
# tvalacarta
# http://blog.tvalacarta.info/plugin-xbmc/tvalacarta/
#------------------------------------------------------------
# Creado por: Jesús (tvalacarta@gmail.com)
# Licencia: GPL (http://www.gnu.org/licenses/gpl-3.0.html)
#------------------------------------------------------------
import sys
import os
import xbmcplugin
import xbmc
PLATFORM_NAME = "xbmc-plugin"
PLUGIN_NAME = "pelisalacarta"
def get_platform():
return PLATFORM_NAME
def is_xbmc():
return True
def get_library_support():
return True
def get_system_platform():
""" fonction: pour recuperer la platform que xbmc tourne """
import xbmc
platform = "unknown"
if xbmc.getCondVisibility( "system.platform.linux" ):
platform = "linux"
elif xbmc.getCondVisibility( "system.platform.xbox" ):
platform = "xbox"
elif xbmc.getCondVisibility( "system.platform.windows" ):
platform = "windows"
elif xbmc.getCondVisibility( "system.platform.osx" ):
platform = "osx"
return platform
def open_settings():
xbmcplugin.openSettings( sys.argv[ 0 ] )
def get_setting(name):
return xbmcplugin.getSetting(name)
def set_setting(name,value):
try:
xbmcplugin.setSetting(name,value)
except:
pass
def get_localized_string(code):
dev = xbmc.getLocalizedString( code )
try:
dev = dev.encode ("utf-8") #This only aplies to unicode strings. The rest stay as they are.
except:
pass
return dev
def get_library_path():
#return os.path.join( get_data_path(), 'library' )
default = os.path.join( get_data_path(), 'library' )
value = get_setting("librarypath")
if value=="":
value=default
return value
def get_temp_file(filename):
return xbmc.translatePath( os.path.join( "special://temp/", filename ))
def get_runtime_path():
return os.getcwd()
def get_data_path():
devuelve = xbmc.translatePath( os.path.join("special://home/","userdata","plugin_data","video",PLUGIN_NAME) )
# XBMC en modo portable
if devuelve.startswith("special:"):
devuelve = xbmc.translatePath( os.path.join("special://xbmc/","userdata","plugin_data","video",PLUGIN_NAME) )
# Plex 8
if devuelve.startswith("special:"):
devuelve = os.getcwd()
return devuelve
def get_cookie_data():
import os
ficherocookies = os.path.join( get_data_path(), 'cookies.dat' )
cookiedatafile = open(ficherocookies,'r')
cookiedata = cookiedatafile.read()
cookiedatafile.close();
return cookiedata
# Test if all the required directories are created
def verify_directories_created():
import logger
import os
logger.info("pelisalacarta.core.config.verify_directories_created")
# Force download path if empty
download_path = get_setting("downloadpath")
if download_path=="":
download_path = os.path.join( get_data_path() , "downloads")
set_setting("downloadpath" , download_path)
# Force download list path if empty
download_list_path = get_setting("downloadlistpath")
if download_list_path=="":
download_list_path = os.path.join( get_data_path() , "downloads" , "list")
set_setting("downloadlistpath" , download_list_path)
# Force bookmark path if empty
bookmark_path = get_setting("bookmarkpath")
if bookmark_path=="":
bookmark_path = os.path.join( get_data_path() , "bookmarks")
set_setting("bookmarkpath" , bookmark_path)
# Create data_path if not exists
if not os.path.exists(get_data_path()):
logger.debug("Creating data_path "+get_data_path())
try:
os.mkdir(get_data_path())
except:
pass
# Create download_path if not exists
if not download_path.lower().startswith("smb") and not os.path.exists(download_path):
logger.debug("Creating download_path "+download_path)
try:
os.mkdir(download_path)
except:
pass
# Create download_list_path if not exists
if not download_list_path.lower().startswith("smb") and not os.path.exists(download_list_path):
logger.debug("Creating download_list_path "+download_list_path)
try:
os.mkdir(download_list_path)
except:
pass
# Create bookmark_path if not exists
if not bookmark_path.lower().startswith("smb") and not os.path.exists(bookmark_path):
logger.debug("Creating bookmark_path "+bookmark_path)
try:
os.mkdir(bookmark_path)
except:
pass
# Create library_path if not exists
if not get_library_path().lower().startswith("smb") and not os.path.exists(get_library_path()):
logger.debug("Creating library_path "+get_library_path())
try:
os.mkdir(get_library_path())
except:
pass
# Checks that a directory "xbmc" is not present on platformcode
old_xbmc_directory = os.path.join( get_runtime_path() , "platformcode" , "xbmc" )
if os.path.exists( old_xbmc_directory ):
logger.debug("Removing old platformcode.xbmc directory")
try:
import shutil
shutil.rmtree(old_xbmc_directory)
except:
pass
| conejoninja/pelisalacarta | python/version-xbmc-09-plugin/core/config.py | Python | gpl-3.0 | 5,454 |
# (c) 2012-2014, Michael DeHaan <michael.dehaan@gmail.com>
#
# This file is part of Ansible
#
# Ansible is free software: you can redistribute it and/or modify
# it under the terms of the GNU General Public License as published by
# the Free Software Foundation, either version 3 of the License, or
# (at your option) any later version.
#
# Ansible is distributed in the hope that it will be useful,
# but WITHOUT ANY WARRANTY; without even the implied warranty of
# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
# GNU General Public License for more details.
#
# You should have received a copy of the GNU General Public License
# along with Ansible. If not, see <http://www.gnu.org/licenses/>.
import multiprocessing
import signal
import os
import pwd
import Queue
import random
import traceback
import tempfile
import time
import collections
import socket
import base64
import sys
import pipes
import jinja2
import subprocess
import getpass
import ansible.constants as C
import ansible.inventory
from ansible import utils
from ansible.utils import template
from ansible.utils import check_conditional
from ansible.utils import string_functions
from ansible import errors
from ansible import module_common
import poller
import connection
from return_data import ReturnData
from ansible.callbacks import DefaultRunnerCallbacks, vv
from ansible.module_common import ModuleReplacer
module_replacer = ModuleReplacer(strip_comments=False)
HAS_ATFORK=True
try:
from Crypto.Random import atfork
except ImportError:
HAS_ATFORK=False
multiprocessing_runner = None
OUTPUT_LOCKFILE = tempfile.TemporaryFile()
PROCESS_LOCKFILE = tempfile.TemporaryFile()
################################################
def _executor_hook(job_queue, result_queue, new_stdin):
# attempt workaround of https://github.com/newsapps/beeswithmachineguns/issues/17
# this function also not present in CentOS 6
if HAS_ATFORK:
atfork()
signal.signal(signal.SIGINT, signal.SIG_IGN)
while not job_queue.empty():
try:
host = job_queue.get(block=False)
return_data = multiprocessing_runner._executor(host, new_stdin)
result_queue.put(return_data)
except Queue.Empty:
pass
except:
traceback.print_exc()
class HostVars(dict):
''' A special view of vars_cache that adds values from the inventory when needed. '''
def __init__(self, vars_cache, inventory, vault_password=None):
self.vars_cache = vars_cache
self.inventory = inventory
self.lookup = dict()
self.update(vars_cache)
self.vault_password = vault_password
def __getitem__(self, host):
if host not in self.lookup:
result = self.inventory.get_variables(host, vault_password=self.vault_password)
result.update(self.vars_cache.get(host, {}))
self.lookup[host] = result
return self.lookup[host]
class Runner(object):
''' core API interface to ansible '''
# see bin/ansible for how this is used...
def __init__(self,
host_list=C.DEFAULT_HOST_LIST, # ex: /etc/ansible/hosts, legacy usage
module_path=None, # ex: /usr/share/ansible
module_name=C.DEFAULT_MODULE_NAME, # ex: copy
module_args=C.DEFAULT_MODULE_ARGS, # ex: "src=/tmp/a dest=/tmp/b"
forks=C.DEFAULT_FORKS, # parallelism level
timeout=C.DEFAULT_TIMEOUT, # SSH timeout
pattern=C.DEFAULT_PATTERN, # which hosts? ex: 'all', 'acme.example.org'
remote_user=C.DEFAULT_REMOTE_USER, # ex: 'username'
remote_pass=C.DEFAULT_REMOTE_PASS, # ex: 'password123' or None if using key
remote_port=None, # if SSH on different ports
private_key_file=C.DEFAULT_PRIVATE_KEY_FILE, # if not using keys/passwords
sudo_pass=C.DEFAULT_SUDO_PASS, # ex: 'password123' or None
background=0, # async poll every X seconds, else 0 for non-async
basedir=None, # directory of playbook, if applicable
setup_cache=None, # used to share fact data w/ other tasks
vars_cache=None, # used to store variables about hosts
transport=C.DEFAULT_TRANSPORT, # 'ssh', 'paramiko', 'local'
conditional='True', # run only if this fact expression evals to true
callbacks=None, # used for output
sudo=False, # whether to run sudo or not
sudo_user=C.DEFAULT_SUDO_USER, # ex: 'root'
module_vars=None, # a playbooks internals thing
default_vars=None, # ditto
is_playbook=False, # running from playbook or not?
inventory=None, # reference to Inventory object
subset=None, # subset pattern
check=False, # don't make any changes, just try to probe for potential changes
diff=False, # whether to show diffs for template files that change
environment=None, # environment variables (as dict) to use inside the command
complex_args=None, # structured data in addition to module_args, must be a dict
error_on_undefined_vars=C.DEFAULT_UNDEFINED_VAR_BEHAVIOR, # ex. False
accelerate=False, # use accelerated connection
accelerate_ipv6=False, # accelerated connection w/ IPv6
accelerate_port=None, # port to use with accelerated connection
su=False, # Are we running our command via su?
su_user=None, # User to su to when running command, ex: 'root'
su_pass=C.DEFAULT_SU_PASS,
vault_pass=None,
run_hosts=None, # an optional list of pre-calculated hosts to run on
no_log=False, # option to enable/disable logging for a given task
):
# used to lock multiprocess inputs and outputs at various levels
self.output_lockfile = OUTPUT_LOCKFILE
self.process_lockfile = PROCESS_LOCKFILE
if not complex_args:
complex_args = {}
# storage & defaults
self.check = check
self.diff = diff
self.setup_cache = utils.default(setup_cache, lambda: collections.defaultdict(dict))
self.vars_cache = utils.default(vars_cache, lambda: collections.defaultdict(dict))
self.basedir = utils.default(basedir, lambda: os.getcwd())
self.callbacks = utils.default(callbacks, lambda: DefaultRunnerCallbacks())
self.generated_jid = str(random.randint(0, 999999999999))
self.transport = transport
self.inventory = utils.default(inventory, lambda: ansible.inventory.Inventory(host_list))
self.module_vars = utils.default(module_vars, lambda: {})
self.default_vars = utils.default(default_vars, lambda: {})
self.always_run = None
self.connector = connection.Connection(self)
self.conditional = conditional
self.module_name = module_name
self.forks = int(forks)
self.pattern = pattern
self.module_args = module_args
self.timeout = timeout
self.remote_user = remote_user
self.remote_pass = remote_pass
self.remote_port = remote_port
self.private_key_file = private_key_file
self.background = background
self.sudo = sudo
self.sudo_user_var = sudo_user
self.sudo_user = None
self.sudo_pass = sudo_pass
self.is_playbook = is_playbook
self.environment = environment
self.complex_args = complex_args
self.error_on_undefined_vars = error_on_undefined_vars
self.accelerate = accelerate
self.accelerate_port = accelerate_port
self.accelerate_ipv6 = accelerate_ipv6
self.callbacks.runner = self
self.su = su
self.su_user_var = su_user
self.su_user = None
self.su_pass = su_pass
self.vault_pass = vault_pass
self.no_log = no_log
if self.transport == 'smart':
# if the transport is 'smart' see if SSH can support ControlPersist if not use paramiko
# 'smart' is the default since 1.2.1/1.3
cmd = subprocess.Popen(['ssh','-o','ControlPersist'], stdout=subprocess.PIPE, stderr=subprocess.PIPE)
(out, err) = cmd.communicate()
if "Bad configuration option" in err:
self.transport = "paramiko"
else:
self.transport = "ssh"
# save the original transport, in case it gets
# changed later via options like accelerate
self.original_transport = self.transport
# misc housekeeping
if subset and self.inventory._subset is None:
# don't override subset when passed from playbook
self.inventory.subset(subset)
# If we get a pre-built list of hosts to run on, from say a playbook, use them.
# Also where we will store the hosts to run on once discovered
self.run_hosts = run_hosts
if self.transport == 'local':
self.remote_user = pwd.getpwuid(os.geteuid())[0]
if module_path is not None:
for i in module_path.split(os.pathsep):
utils.plugins.module_finder.add_directory(i)
utils.plugins.push_basedir(self.basedir)
# ensure we are using unique tmp paths
random.seed()
# *****************************************************
def _complex_args_hack(self, complex_args, module_args):
"""
ansible-playbook both allows specifying key=value string arguments and complex arguments
however not all modules use our python common module system and cannot
access these. An example might be a Bash module. This hack allows users to still pass "args"
as a hash of simple scalars to those arguments and is short term. We could technically
just feed JSON to the module, but that makes it hard on Bash consumers. The way this is implemented
it does mean values in 'args' have LOWER priority than those on the key=value line, allowing
args to provide yet another way to have pluggable defaults.
"""
if complex_args is None:
return module_args
if not isinstance(complex_args, dict):
raise errors.AnsibleError("complex arguments are not a dictionary: %s" % complex_args)
for (k,v) in complex_args.iteritems():
if isinstance(v, basestring):
module_args = "%s=%s %s" % (k, pipes.quote(v), module_args)
return module_args
# *****************************************************
def _transfer_str(self, conn, tmp, name, data):
''' transfer string to remote file '''
if type(data) == dict:
data = utils.jsonify(data)
afd, afile = tempfile.mkstemp()
afo = os.fdopen(afd, 'w')
try:
if not isinstance(data, unicode):
#ensure the data is valid UTF-8
data.decode('utf-8')
else:
data = data.encode('utf-8')
afo.write(data)
except:
raise errors.AnsibleError("failure encoding into utf-8")
afo.flush()
afo.close()
remote = os.path.join(tmp, name)
try:
conn.put_file(afile, remote)
finally:
os.unlink(afile)
return remote
# *****************************************************
def _compute_environment_string(self, inject=None):
''' what environment variables to use when running the command? '''
if not self.environment:
return ""
enviro = template.template(self.basedir, self.environment, inject, convert_bare=True)
enviro = utils.safe_eval(enviro)
if type(enviro) != dict:
raise errors.AnsibleError("environment must be a dictionary, received %s" % enviro)
result = ""
for (k,v) in enviro.iteritems():
result = "%s=%s %s" % (k, pipes.quote(unicode(v)), result)
return result
# *****************************************************
def _compute_delegate(self, host, password, remote_inject):
""" Build a dictionary of all attributes for the delegate host """
delegate = {}
# allow delegated host to be templated
delegate['host'] = template.template(self.basedir, host,
remote_inject, fail_on_undefined=True)
delegate['inject'] = remote_inject.copy()
# set any interpreters
interpreters = []
for i in delegate['inject']:
if i.startswith("ansible_") and i.endswith("_interpreter"):
interpreters.append(i)
for i in interpreters:
del delegate['inject'][i]
port = C.DEFAULT_REMOTE_PORT
this_host = delegate['host']
# get the vars for the delegate by it's name
try:
this_info = delegate['inject']['hostvars'][this_host]
except:
# make sure the inject is empty for non-inventory hosts
this_info = {}
# get the real ssh_address for the delegate
# and allow ansible_ssh_host to be templated
delegate['ssh_host'] = template.template(self.basedir,
this_info.get('ansible_ssh_host', this_host),
this_info, fail_on_undefined=True)
delegate['port'] = this_info.get('ansible_ssh_port', port)
delegate['user'] = self._compute_delegate_user(this_host, delegate['inject'])
delegate['pass'] = this_info.get('ansible_ssh_pass', password)
delegate['private_key_file'] = this_info.get('ansible_ssh_private_key_file',
self.private_key_file)
delegate['transport'] = this_info.get('ansible_connection', self.transport)
delegate['sudo_pass'] = this_info.get('ansible_sudo_pass', self.sudo_pass)
if delegate['private_key_file'] is not None:
delegate['private_key_file'] = os.path.expanduser(delegate['private_key_file'])
for i in this_info:
if i.startswith("ansible_") and i.endswith("_interpreter"):
delegate['inject'][i] = this_info[i]
return delegate
def _compute_delegate_user(self, host, inject):
""" Caculate the remote user based on an order of preference """
# inventory > playbook > original_host
actual_user = inject.get('ansible_ssh_user', self.remote_user)
thisuser = None
if host in inject['hostvars']:
if inject['hostvars'][host].get('ansible_ssh_user'):
# user for delegate host in inventory
thisuser = inject['hostvars'][host].get('ansible_ssh_user')
if thisuser is None and self.remote_user:
# user defined by play/runner
thisuser = self.remote_user
if thisuser is not None:
actual_user = thisuser
else:
# fallback to the inventory user of the play host
#actual_user = inject.get('ansible_ssh_user', actual_user)
actual_user = inject.get('ansible_ssh_user', self.remote_user)
return actual_user
# *****************************************************
def _execute_module(self, conn, tmp, module_name, args,
async_jid=None, async_module=None, async_limit=None, inject=None, persist_files=False, complex_args=None, delete_remote_tmp=True):
''' transfer and run a module along with its arguments on the remote side'''
# hack to support fireball mode
if module_name == 'fireball':
args = "%s password=%s" % (args, base64.b64encode(str(utils.key_for_hostname(conn.host))))
if 'port' not in args:
args += " port=%s" % C.ZEROMQ_PORT
(
module_style,
shebang,
module_data
) = self._configure_module(conn, module_name, args, inject, complex_args)
# a remote tmp path may be necessary and not already created
if self._late_needs_tmp_path(conn, tmp, module_style):
tmp = self._make_tmp_path(conn)
remote_module_path = os.path.join(tmp, module_name)
if (module_style != 'new'
or async_jid is not None
or not conn.has_pipelining
or not C.ANSIBLE_SSH_PIPELINING
or C.DEFAULT_KEEP_REMOTE_FILES
or self.su):
self._transfer_str(conn, tmp, module_name, module_data)
environment_string = self._compute_environment_string(inject)
if "tmp" in tmp and ((self.sudo and self.sudo_user != 'root') or (self.su and self.su_user != 'root')):
# deal with possible umask issues once sudo'ed to other user
cmd_chmod = "chmod a+r %s" % remote_module_path
self._low_level_exec_command(conn, cmd_chmod, tmp, sudoable=False)
cmd = ""
in_data = None
if module_style != 'new':
if 'CHECKMODE=True' in args:
# if module isn't using AnsibleModuleCommon infrastructure we can't be certain it knows how to
# do --check mode, so to be safe we will not run it.
return ReturnData(conn=conn, result=dict(skipped=True, msg="cannot yet run check mode against old-style modules"))
elif 'NO_LOG' in args:
return ReturnData(conn=conn, result=dict(skipped=True, msg="cannot use no_log: with old-style modules"))
args = template.template(self.basedir, args, inject)
# decide whether we need to transfer JSON or key=value
argsfile = None
if module_style == 'non_native_want_json':
if complex_args:
complex_args.update(utils.parse_kv(args))
argsfile = self._transfer_str(conn, tmp, 'arguments', utils.jsonify(complex_args))
else:
argsfile = self._transfer_str(conn, tmp, 'arguments', utils.jsonify(utils.parse_kv(args)))
else:
argsfile = self._transfer_str(conn, tmp, 'arguments', args)
if (self.sudo and self.sudo_user != 'root') or (self.su and self.su_user != 'root'):
# deal with possible umask issues once sudo'ed to other user
cmd_args_chmod = "chmod a+r %s" % argsfile
self._low_level_exec_command(conn, cmd_args_chmod, tmp, sudoable=False)
if async_jid is None:
cmd = "%s %s" % (remote_module_path, argsfile)
else:
cmd = " ".join([str(x) for x in [remote_module_path, async_jid, async_limit, async_module, argsfile]])
else:
if async_jid is None:
if conn.has_pipelining and C.ANSIBLE_SSH_PIPELINING and not C.DEFAULT_KEEP_REMOTE_FILES and not self.su:
in_data = module_data
else:
cmd = "%s" % (remote_module_path)
else:
cmd = " ".join([str(x) for x in [remote_module_path, async_jid, async_limit, async_module]])
if not shebang:
raise errors.AnsibleError("module is missing interpreter line")
cmd = " ".join([environment_string.strip(), shebang.replace("#!","").strip(), cmd])
cmd = cmd.strip()
if "tmp" in tmp and not C.DEFAULT_KEEP_REMOTE_FILES and not persist_files and delete_remote_tmp:
if not self.sudo or self.su or self.sudo_user == 'root' or self.su_user == 'root':
# not sudoing or sudoing to root, so can cleanup files in the same step
cmd = cmd + "; rm -rf %s >/dev/null 2>&1" % tmp
sudoable = True
if module_name == "accelerate":
# always run the accelerate module as the user
# specified in the play, not the sudo_user
sudoable = False
if self.su:
res = self._low_level_exec_command(conn, cmd, tmp, su=True, in_data=in_data)
else:
res = self._low_level_exec_command(conn, cmd, tmp, sudoable=sudoable, in_data=in_data)
if "tmp" in tmp and not C.DEFAULT_KEEP_REMOTE_FILES and not persist_files and delete_remote_tmp:
if (self.sudo and self.sudo_user != 'root') or (self.su and self.su_user != 'root'):
# not sudoing to root, so maybe can't delete files as that other user
# have to clean up temp files as original user in a second step
cmd2 = "rm -rf %s >/dev/null 2>&1" % tmp
self._low_level_exec_command(conn, cmd2, tmp, sudoable=False)
data = utils.parse_json(res['stdout'])
if 'parsed' in data and data['parsed'] == False:
data['msg'] += res['stderr']
return ReturnData(conn=conn, result=data)
# *****************************************************
def _executor(self, host, new_stdin):
''' handler for multiprocessing library '''
try:
fileno = sys.stdin.fileno()
except ValueError:
fileno = None
try:
self._new_stdin = new_stdin
if not new_stdin and fileno is not None:
try:
self._new_stdin = os.fdopen(os.dup(fileno))
except OSError, e:
# couldn't dupe stdin, most likely because it's
# not a valid file descriptor, so we just rely on
# using the one that was passed in
pass
exec_rc = self._executor_internal(host, new_stdin)
if type(exec_rc) != ReturnData:
raise Exception("unexpected return type: %s" % type(exec_rc))
# redundant, right?
if not exec_rc.comm_ok:
self.callbacks.on_unreachable(host, exec_rc.result)
return exec_rc
except errors.AnsibleError, ae:
msg = str(ae)
self.callbacks.on_unreachable(host, msg)
return ReturnData(host=host, comm_ok=False, result=dict(failed=True, msg=msg))
except Exception:
msg = traceback.format_exc()
self.callbacks.on_unreachable(host, msg)
return ReturnData(host=host, comm_ok=False, result=dict(failed=True, msg=msg))
# *****************************************************
def _executor_internal(self, host, new_stdin):
''' executes any module one or more times '''
host_variables = self.inventory.get_variables(host, vault_password=self.vault_pass)
host_connection = host_variables.get('ansible_connection', self.transport)
if host_connection in [ 'paramiko', 'ssh', 'accelerate' ]:
port = host_variables.get('ansible_ssh_port', self.remote_port)
if port is None:
port = C.DEFAULT_REMOTE_PORT
else:
# fireball, local, etc
port = self.remote_port
module_vars = template.template(self.basedir, self.module_vars, host_variables)
# merge the VARS and SETUP caches for this host
combined_cache = self.setup_cache.copy()
combined_cache.get(host, {}).update(self.vars_cache.get(host, {}))
inject = {}
inject = utils.combine_vars(inject, self.default_vars)
inject = utils.combine_vars(inject, host_variables)
inject = utils.combine_vars(inject, module_vars)
inject = utils.combine_vars(inject, combined_cache.get(host, {}))
inject.setdefault('ansible_ssh_user', self.remote_user)
inject['hostvars'] = HostVars(combined_cache, self.inventory, vault_password=self.vault_pass)
inject['group_names'] = host_variables.get('group_names', [])
inject['groups'] = self.inventory.groups_list()
inject['vars'] = self.module_vars
inject['defaults'] = self.default_vars
inject['environment'] = self.environment
inject['playbook_dir'] = self.basedir
if self.inventory.basedir() is not None:
inject['inventory_dir'] = self.inventory.basedir()
if self.inventory.src() is not None:
inject['inventory_file'] = self.inventory.src()
# allow with_foo to work in playbooks...
items = None
items_plugin = self.module_vars.get('items_lookup_plugin', None)
if items_plugin is not None and items_plugin in utils.plugins.lookup_loader:
basedir = self.basedir
if '_original_file' in inject:
basedir = os.path.dirname(inject['_original_file'])
filesdir = os.path.join(basedir, '..', 'files')
if os.path.exists(filesdir):
basedir = filesdir
items_terms = self.module_vars.get('items_lookup_terms', '')
items_terms = template.template(basedir, items_terms, inject)
items = utils.plugins.lookup_loader.get(items_plugin, runner=self, basedir=basedir).run(items_terms, inject=inject)
if type(items) != list:
raise errors.AnsibleError("lookup plugins have to return a list: %r" % items)
if len(items) and utils.is_list_of_strings(items) and self.module_name in [ 'apt', 'yum', 'pkgng' ]:
# hack for apt, yum, and pkgng so that with_items maps back into a single module call
use_these_items = []
for x in items:
inject['item'] = x
if not self.conditional or utils.check_conditional(self.conditional, self.basedir, inject, fail_on_undefined=self.error_on_undefined_vars):
use_these_items.append(x)
inject['item'] = ",".join(use_these_items)
items = None
# logic to replace complex args if possible
complex_args = self.complex_args
# logic to decide how to run things depends on whether with_items is used
if items is None:
if isinstance(complex_args, basestring):
complex_args = template.template(self.basedir, complex_args, inject, convert_bare=True)
complex_args = utils.safe_eval(complex_args)
if type(complex_args) != dict:
raise errors.AnsibleError("args must be a dictionary, received %s" % complex_args)
return self._executor_internal_inner(host, self.module_name, self.module_args, inject, port, complex_args=complex_args)
elif len(items) > 0:
# executing using with_items, so make multiple calls
# TODO: refactor
if self.background > 0:
raise errors.AnsibleError("lookup plugins (with_*) cannot be used with async tasks")
all_comm_ok = True
all_changed = False
all_failed = False
results = []
for x in items:
# use a fresh inject for each item
this_inject = inject.copy()
this_inject['item'] = x
# TODO: this idiom should be replaced with an up-conversion to a Jinja2 template evaluation
if isinstance(self.complex_args, basestring):
complex_args = template.template(self.basedir, self.complex_args, this_inject, convert_bare=True)
complex_args = utils.safe_eval(complex_args)
if type(complex_args) != dict:
raise errors.AnsibleError("args must be a dictionary, received %s" % complex_args)
result = self._executor_internal_inner(
host,
self.module_name,
self.module_args,
this_inject,
port,
complex_args=complex_args
)
results.append(result.result)
if result.comm_ok == False:
all_comm_ok = False
all_failed = True
break
for x in results:
if x.get('changed') == True:
all_changed = True
if (x.get('failed') == True) or ('failed_when_result' in x and [x['failed_when_result']] or [('rc' in x) and (x['rc'] != 0)])[0]:
all_failed = True
break
msg = 'All items completed'
if all_failed:
msg = "One or more items failed."
rd_result = dict(failed=all_failed, changed=all_changed, results=results, msg=msg)
if not all_failed:
del rd_result['failed']
return ReturnData(host=host, comm_ok=all_comm_ok, result=rd_result)
else:
self.callbacks.on_skipped(host, None)
return ReturnData(host=host, comm_ok=True, result=dict(changed=False, skipped=True))
# *****************************************************
def _executor_internal_inner(self, host, module_name, module_args, inject, port, is_chained=False, complex_args=None):
''' decides how to invoke a module '''
# late processing of parameterized sudo_user (with_items,..)
if self.sudo_user_var is not None:
self.sudo_user = template.template(self.basedir, self.sudo_user_var, inject)
if self.su_user_var is not None:
self.su_user = template.template(self.basedir, self.su_user_var, inject)
# allow module args to work as a dictionary
# though it is usually a string
new_args = ""
if type(module_args) == dict:
for (k,v) in module_args.iteritems():
new_args = new_args + "%s='%s' " % (k,v)
module_args = new_args
# module_name may be dynamic (but cannot contain {{ ansible_ssh_user }})
module_name = template.template(self.basedir, module_name, inject)
if module_name in utils.plugins.action_loader:
if self.background != 0:
raise errors.AnsibleError("async mode is not supported with the %s module" % module_name)
handler = utils.plugins.action_loader.get(module_name, self)
elif self.background == 0:
handler = utils.plugins.action_loader.get('normal', self)
else:
handler = utils.plugins.action_loader.get('async', self)
if type(self.conditional) != list:
self.conditional = [ self.conditional ]
for cond in self.conditional:
if not utils.check_conditional(cond, self.basedir, inject, fail_on_undefined=self.error_on_undefined_vars):
result = utils.jsonify(dict(changed=False, skipped=True))
self.callbacks.on_skipped(host, inject.get('item',None))
return ReturnData(host=host, result=result)
if getattr(handler, 'setup', None) is not None:
handler.setup(module_name, inject)
conn = None
actual_host = inject.get('ansible_ssh_host', host)
# allow ansible_ssh_host to be templated
actual_host = template.template(self.basedir, actual_host, inject, fail_on_undefined=True)
actual_port = port
actual_user = inject.get('ansible_ssh_user', self.remote_user)
actual_pass = inject.get('ansible_ssh_pass', self.remote_pass)
actual_transport = inject.get('ansible_connection', self.transport)
actual_private_key_file = inject.get('ansible_ssh_private_key_file', self.private_key_file)
actual_private_key_file = template.template(self.basedir, actual_private_key_file, inject, fail_on_undefined=True)
self.sudo = utils.boolean(inject.get('ansible_sudo', self.sudo))
self.sudo_user = inject.get('ansible_sudo_user', self.sudo_user)
self.sudo_pass = inject.get('ansible_sudo_pass', self.sudo_pass)
self.su = inject.get('ansible_su', self.su)
self.su_pass = inject.get('ansible_su_pass', self.su_pass)
# select default root user in case self.sudo requested
# but no user specified; happens e.g. in host vars when
# just ansible_sudo=True is specified
if self.sudo and self.sudo_user is None:
self.sudo_user = 'root'
if actual_private_key_file is not None:
actual_private_key_file = os.path.expanduser(actual_private_key_file)
if self.accelerate and actual_transport != 'local':
#Fix to get the inventory name of the host to accelerate plugin
if inject.get('ansible_ssh_host', None):
self.accelerate_inventory_host = host
else:
self.accelerate_inventory_host = None
# if we're using accelerated mode, force the
# transport to accelerate
actual_transport = "accelerate"
if not self.accelerate_port:
self.accelerate_port = C.ACCELERATE_PORT
if actual_transport in [ 'paramiko', 'ssh', 'accelerate' ]:
actual_port = inject.get('ansible_ssh_port', port)
# the delegated host may have different SSH port configured, etc
# and we need to transfer those, and only those, variables
delegate_to = inject.get('delegate_to', None)
if delegate_to is not None:
delegate = self._compute_delegate(delegate_to, actual_pass, inject)
actual_transport = delegate['transport']
actual_host = delegate['ssh_host']
actual_port = delegate['port']
actual_user = delegate['user']
actual_pass = delegate['pass']
actual_private_key_file = delegate['private_key_file']
self.sudo_pass = delegate['sudo_pass']
inject = delegate['inject']
# user/pass may still contain variables at this stage
actual_user = template.template(self.basedir, actual_user, inject)
actual_pass = template.template(self.basedir, actual_pass, inject)
self.sudo_pass = template.template(self.basedir, self.sudo_pass, inject)
# make actual_user available as __magic__ ansible_ssh_user variable
inject['ansible_ssh_user'] = actual_user
try:
if actual_transport == 'accelerate':
# for accelerate, we stuff both ports into a single
# variable so that we don't have to mangle other function
# calls just to accomodate this one case
actual_port = [actual_port, self.accelerate_port]
elif actual_port is not None:
actual_port = int(template.template(self.basedir, actual_port, inject))
except ValueError, e:
result = dict(failed=True, msg="FAILED: Configured port \"%s\" is not a valid port, expected integer" % actual_port)
return ReturnData(host=host, comm_ok=False, result=result)
try:
conn = self.connector.connect(actual_host, actual_port, actual_user, actual_pass, actual_transport, actual_private_key_file)
if delegate_to or host != actual_host:
conn.delegate = host
except errors.AnsibleConnectionFailed, e:
result = dict(failed=True, msg="FAILED: %s" % str(e))
return ReturnData(host=host, comm_ok=False, result=result)
tmp = ''
# action plugins may DECLARE via TRANSFERS_FILES = True that they need a remote tmp path working dir
if self._early_needs_tmp_path(module_name, handler):
tmp = self._make_tmp_path(conn)
# render module_args and complex_args templates
try:
module_args = template.template(self.basedir, module_args, inject, fail_on_undefined=self.error_on_undefined_vars)
complex_args = template.template(self.basedir, complex_args, inject, fail_on_undefined=self.error_on_undefined_vars)
except jinja2.exceptions.UndefinedError, e:
raise errors.AnsibleUndefinedVariable("One or more undefined variables: %s" % str(e))
result = handler.run(conn, tmp, module_name, module_args, inject, complex_args)
# Code for do until feature
until = self.module_vars.get('until', None)
if until is not None and result.comm_ok:
inject[self.module_vars.get('register')] = result.result
cond = template.template(self.basedir, until, inject, expand_lists=False)
if not utils.check_conditional(cond, self.basedir, inject, fail_on_undefined=self.error_on_undefined_vars):
retries = self.module_vars.get('retries')
delay = self.module_vars.get('delay')
for x in range(1, int(retries) + 1):
# template the delay, cast to float and sleep
delay = template.template(self.basedir, delay, inject, expand_lists=False)
delay = float(delay)
time.sleep(delay)
tmp = ''
if self._early_needs_tmp_path(module_name, handler):
tmp = self._make_tmp_path(conn)
result = handler.run(conn, tmp, module_name, module_args, inject, complex_args)
result.result['attempts'] = x
vv("Result from run %i is: %s" % (x, result.result))
inject[self.module_vars.get('register')] = result.result
cond = template.template(self.basedir, until, inject, expand_lists=False)
if utils.check_conditional(cond, self.basedir, inject, fail_on_undefined=self.error_on_undefined_vars):
break
if result.result['attempts'] == retries and not utils.check_conditional(cond, self.basedir, inject, fail_on_undefined=self.error_on_undefined_vars):
result.result['failed'] = True
result.result['msg'] = "Task failed as maximum retries was encountered"
else:
result.result['attempts'] = 0
conn.close()
if not result.comm_ok:
# connection or parsing errors...
self.callbacks.on_unreachable(host, result.result)
else:
data = result.result
# https://github.com/ansible/ansible/issues/4958
if hasattr(sys.stdout, "isatty"):
if "stdout" in data and sys.stdout.isatty():
if not string_functions.isprintable(data['stdout']):
data['stdout'] = ''
if 'item' in inject:
result.result['item'] = inject['item']
result.result['invocation'] = dict(
module_args=module_args,
module_name=module_name
)
changed_when = self.module_vars.get('changed_when')
failed_when = self.module_vars.get('failed_when')
if (changed_when is not None or failed_when is not None) and self.background == 0:
register = self.module_vars.get('register')
if register is not None:
if 'stdout' in data:
data['stdout_lines'] = data['stdout'].splitlines()
inject[register] = data
# only run the final checks if the async_status has finished,
# or if we're not running an async_status check at all
if (module_name == 'async_status' and "finished" in data) or module_name != 'async_status':
if changed_when is not None and 'skipped' not in data:
data['changed'] = utils.check_conditional(changed_when, self.basedir, inject, fail_on_undefined=self.error_on_undefined_vars)
if failed_when is not None:
data['failed_when_result'] = data['failed'] = utils.check_conditional(failed_when, self.basedir, inject, fail_on_undefined=self.error_on_undefined_vars)
if is_chained:
# no callbacks
return result
if 'skipped' in data:
self.callbacks.on_skipped(host)
elif not result.is_successful():
ignore_errors = self.module_vars.get('ignore_errors', False)
self.callbacks.on_failed(host, data, ignore_errors)
else:
if self.diff:
self.callbacks.on_file_diff(conn.host, result.diff)
self.callbacks.on_ok(host, data)
return result
def _early_needs_tmp_path(self, module_name, handler):
''' detect if a tmp path should be created before the handler is called '''
if module_name in utils.plugins.action_loader:
return getattr(handler, 'TRANSFERS_FILES', False)
# other modules never need tmp path at early stage
return False
def _late_needs_tmp_path(self, conn, tmp, module_style):
if "tmp" in tmp:
# tmp has already been created
return False
if not conn.has_pipelining or not C.ANSIBLE_SSH_PIPELINING or C.DEFAULT_KEEP_REMOTE_FILES or self.su:
# tmp is necessary to store module source code
return True
if not conn.has_pipelining:
# tmp is necessary to store the module source code
# or we want to keep the files on the target system
return True
if module_style != "new":
# even when conn has pipelining, old style modules need tmp to store arguments
return True
return False
# *****************************************************
def _low_level_exec_command(self, conn, cmd, tmp, sudoable=False,
executable=None, su=False, in_data=None):
''' execute a command string over SSH, return the output '''
if executable is None:
executable = C.DEFAULT_EXECUTABLE
sudo_user = self.sudo_user
su_user = self.su_user
# compare connection user to (su|sudo)_user and disable if the same
if hasattr(conn, 'user'):
if conn.user == sudo_user or conn.user == su_user:
sudoable = False
su = False
else:
# assume connection type is local if no user attribute
this_user = getpass.getuser()
if this_user == sudo_user or this_user == su_user:
sudoable = False
su = False
if su:
rc, stdin, stdout, stderr = conn.exec_command(cmd,
tmp,
su=su,
su_user=su_user,
executable=executable,
in_data=in_data)
else:
rc, stdin, stdout, stderr = conn.exec_command(cmd,
tmp,
sudo_user,
sudoable=sudoable,
executable=executable,
in_data=in_data)
if type(stdout) not in [ str, unicode ]:
out = ''.join(stdout.readlines())
else:
out = stdout
if type(stderr) not in [ str, unicode ]:
err = ''.join(stderr.readlines())
else:
err = stderr
if rc is not None:
return dict(rc=rc, stdout=out, stderr=err)
else:
return dict(stdout=out, stderr=err)
# *****************************************************
def _remote_md5(self, conn, tmp, path):
''' takes a remote md5sum without requiring python, and returns 1 if no file '''
path = pipes.quote(path)
# The following test needs to be SH-compliant. BASH-isms will
# not work if /bin/sh points to a non-BASH shell.
test = "rc=0; [ -r \"%s\" ] || rc=2; [ -f \"%s\" ] || rc=1; [ -d \"%s\" ] && echo 3 && exit 0" % ((path,) * 3)
md5s = [
"(/usr/bin/md5sum %s 2>/dev/null)" % path, # Linux
"(/sbin/md5sum -q %s 2>/dev/null)" % path, # ?
"(/usr/bin/digest -a md5 %s 2>/dev/null)" % path, # Solaris 10+
"(/sbin/md5 -q %s 2>/dev/null)" % path, # Freebsd
"(/usr/bin/md5 -n %s 2>/dev/null)" % path, # Netbsd
"(/bin/md5 -q %s 2>/dev/null)" % path, # Openbsd
"(/usr/bin/csum -h MD5 %s 2>/dev/null)" % path, # AIX
"(/bin/csum -h MD5 %s 2>/dev/null)" % path # AIX also
]
cmd = " || ".join(md5s)
cmd = "%s; %s || (echo \"${rc} %s\")" % (test, cmd, path)
data = self._low_level_exec_command(conn, cmd, tmp, sudoable=True)
data2 = utils.last_non_blank_line(data['stdout'])
try:
if data2 == '':
# this may happen if the connection to the remote server
# failed, so just return "INVALIDMD5SUM" to avoid errors
return "INVALIDMD5SUM"
else:
return data2.split()[0]
except IndexError:
sys.stderr.write("warning: md5sum command failed unusually, please report this to the list so it can be fixed\n")
sys.stderr.write("command: %s\n" % md5s)
sys.stderr.write("----\n")
sys.stderr.write("output: %s\n" % data)
sys.stderr.write("----\n")
# this will signal that it changed and allow things to keep going
return "INVALIDMD5SUM"
# *****************************************************
def _make_tmp_path(self, conn):
''' make and return a temporary path on a remote box '''
basefile = 'ansible-tmp-%s-%s' % (time.time(), random.randint(0, 2**48))
basetmp = os.path.join(C.DEFAULT_REMOTE_TMP, basefile)
if (self.sudo and self.sudo_user != 'root') or (self.su and self.su_user != 'root') and basetmp.startswith('$HOME'):
basetmp = os.path.join('/tmp', basefile)
cmd = 'mkdir -p %s' % basetmp
if self.remote_user != 'root' or ((self.sudo and self.sudo_user != 'root') or (self.su and self.su_user != 'root')):
cmd += ' && chmod a+rx %s' % basetmp
cmd += ' && echo %s' % basetmp
result = self._low_level_exec_command(conn, cmd, None, sudoable=False)
# error handling on this seems a little aggressive?
if result['rc'] != 0:
if result['rc'] == 5:
output = 'Authentication failure.'
elif result['rc'] == 255 and self.transport in ['ssh']:
if utils.VERBOSITY > 3:
output = 'SSH encountered an unknown error. The output was:\n%s' % (result['stdout']+result['stderr'])
else:
output = 'SSH encountered an unknown error during the connection. We recommend you re-run the command using -vvvv, which will enable SSH debugging output to help diagnose the issue'
else:
output = 'Authentication or permission failure. In some cases, you may have been able to authenticate and did not have permissions on the remote directory. Consider changing the remote temp path in ansible.cfg to a path rooted in "/tmp". Failed command was: %s, exited with result %d' % (cmd, result['rc'])
if 'stdout' in result and result['stdout'] != '':
output = output + ": %s" % result['stdout']
raise errors.AnsibleError(output)
rc = utils.last_non_blank_line(result['stdout']).strip() + '/'
# Catch failure conditions, files should never be
# written to locations in /.
if rc == '/':
raise errors.AnsibleError('failed to resolve remote temporary directory from %s: `%s` returned empty string' % (basetmp, cmd))
return rc
# *****************************************************
def _remove_tmp_path(self, conn, tmp_path):
''' Remove a tmp_path. '''
if "-tmp-" in tmp_path:
cmd = "rm -rf %s >/dev/null 2>&1" % tmp_path
self._low_level_exec_command(conn, cmd, None, sudoable=False)
# If we have gotten here we have a working ssh configuration.
# If ssh breaks we could leave tmp directories out on the remote system.
# *****************************************************
def _copy_module(self, conn, tmp, module_name, module_args, inject, complex_args=None):
''' transfer a module over SFTP, does not run it '''
(
module_style,
module_shebang,
module_data
) = self._configure_module(conn, module_name, module_args, inject, complex_args)
module_remote_path = os.path.join(tmp, module_name)
self._transfer_str(conn, tmp, module_name, module_data)
return (module_remote_path, module_style, module_shebang)
# *****************************************************
def _configure_module(self, conn, module_name, module_args, inject, complex_args=None):
''' find module and configure it '''
# Search module path(s) for named module.
module_path = utils.plugins.module_finder.find_plugin(module_name)
if module_path is None:
raise errors.AnsibleFileNotFound("module %s not found in %s" % (module_name, utils.plugins.module_finder.print_paths()))
# insert shared code and arguments into the module
(module_data, module_style, module_shebang) = module_replacer.modify_module(
module_path, complex_args, module_args, inject
)
return (module_style, module_shebang, module_data)
# *****************************************************
def _parallel_exec(self, hosts):
''' handles mulitprocessing when more than 1 fork is required '''
manager = multiprocessing.Manager()
job_queue = manager.Queue()
for host in hosts:
job_queue.put(host)
result_queue = manager.Queue()
try:
fileno = sys.stdin.fileno()
except ValueError:
fileno = None
workers = []
for i in range(self.forks):
new_stdin = None
if fileno is not None:
try:
new_stdin = os.fdopen(os.dup(fileno))
except OSError, e:
# couldn't dupe stdin, most likely because it's
# not a valid file descriptor, so we just rely on
# using the one that was passed in
pass
prc = multiprocessing.Process(target=_executor_hook,
args=(job_queue, result_queue, new_stdin))
prc.start()
workers.append(prc)
try:
for worker in workers:
worker.join()
except KeyboardInterrupt:
for worker in workers:
worker.terminate()
worker.join()
results = []
try:
while not result_queue.empty():
results.append(result_queue.get(block=False))
except socket.error:
raise errors.AnsibleError("<interrupted>")
return results
# *****************************************************
def _partition_results(self, results):
''' separate results by ones we contacted & ones we didn't '''
if results is None:
return None
results2 = dict(contacted={}, dark={})
for result in results:
host = result.host
if host is None:
raise Exception("internal error, host not set")
if result.communicated_ok():
results2["contacted"][host] = result.result
else:
results2["dark"][host] = result.result
# hosts which were contacted but never got a chance to return
for host in self.run_hosts:
if not (host in results2['dark'] or host in results2['contacted']):
results2["dark"][host] = {}
return results2
# *****************************************************
def run(self):
''' xfer & run module on all matched hosts '''
# find hosts that match the pattern
if not self.run_hosts:
self.run_hosts = self.inventory.list_hosts(self.pattern)
hosts = self.run_hosts
if len(hosts) == 0:
self.callbacks.on_no_hosts()
return dict(contacted={}, dark={})
global multiprocessing_runner
multiprocessing_runner = self
results = None
# Check if this is an action plugin. Some of them are designed
# to be ran once per group of hosts. Example module: pause,
# run once per hostgroup, rather than pausing once per each
# host.
p = utils.plugins.action_loader.get(self.module_name, self)
if self.forks == 0 or self.forks > len(hosts):
self.forks = len(hosts)
if p and getattr(p, 'BYPASS_HOST_LOOP', None):
# Expose the current hostgroup to the bypassing plugins
self.host_set = hosts
# We aren't iterating over all the hosts in this
# group. So, just pick the first host in our group to
# construct the conn object with.
result_data = self._executor(hosts[0], None).result
# Create a ResultData item for each host in this group
# using the returned result. If we didn't do this we would
# get false reports of dark hosts.
results = [ ReturnData(host=h, result=result_data, comm_ok=True) \
for h in hosts ]
del self.host_set
elif self.forks > 1:
try:
results = self._parallel_exec(hosts)
except IOError, ie:
print ie.errno
if ie.errno == 32:
# broken pipe from Ctrl+C
raise errors.AnsibleError("interrupted")
raise
else:
results = [ self._executor(h, None) for h in hosts ]
return self._partition_results(results)
# *****************************************************
def run_async(self, time_limit):
''' Run this module asynchronously and return a poller. '''
self.background = time_limit
results = self.run()
return results, poller.AsyncPoller(results, self)
# *****************************************************
def noop_on_check(self, inject):
''' Should the runner run in check mode or not ? '''
# initialize self.always_run on first call
if self.always_run is None:
self.always_run = self.module_vars.get('always_run', False)
self.always_run = check_conditional(
self.always_run, self.basedir, inject, fail_on_undefined=True)
return (self.check and not self.always_run)
| dlundquist/ansible | lib/ansible/runner/__init__.py | Python | gpl-3.0 | 55,816 |
""" Test class for SiteDirector
"""
# pylint: disable=protected-access
# imports
import datetime
import pytest
from mock import MagicMock
from DIRAC import gLogger
# sut
from DIRAC.WorkloadManagementSystem.Agent.SiteDirector import SiteDirector
mockAM = MagicMock()
mockGCReply = MagicMock()
mockGCReply.return_value = 'TestSetup'
mockOPSObject = MagicMock()
mockOPSObject.getValue.return_value = '123'
mockOPSReply = MagicMock()
mockOPSReply.return_value = '123'
mockOPS = MagicMock()
mockOPS.return_value = mockOPSObject
# mockOPS.Operations = mockOPSObject
mockPM = MagicMock()
mockPM.requestToken.return_value = {'OK': True, 'Value': ('token', 1)}
mockPMReply = MagicMock()
mockPMReply.return_value = {'OK': True, 'Value': ('token', 1)}
mockCSGlobalReply = MagicMock()
mockCSGlobalReply.return_value = 'TestSetup'
mockResourcesReply = MagicMock()
mockResourcesReply.return_value = {'OK': True, 'Value': ['x86_64-slc6', 'x86_64-slc5']}
mockPilotAgentsDB = MagicMock()
mockPilotAgentsDB.setPilotStatus.return_value = {'OK': True}
gLogger.setLevel('DEBUG')
def test__getPilotOptions(mocker):
""" Testing SiteDirector()._getPilotOptions()
"""
mocker.patch("DIRAC.WorkloadManagementSystem.Agent.SiteDirector.AgentModule.__init__")
mocker.patch("DIRAC.WorkloadManagementSystem.Agent.SiteDirector.gConfig.getValue", side_effect=mockGCReply)
mocker.patch("DIRAC.WorkloadManagementSystem.Agent.SiteDirector.Operations", side_effect=mockOPS)
mocker.patch("DIRAC.WorkloadManagementSystem.Agent.SiteDirector.gProxyManager.requestToken", side_effect=mockPMReply)
mocker.patch("DIRAC.WorkloadManagementSystem.Agent.SiteDirector.AgentModule", side_effect=mockAM)
sd = SiteDirector()
sd.log = gLogger
sd.am_getOption = mockAM
sd.log.setLevel('DEBUG')
sd.queueDict = {'aQueue': {'CEName': 'aCE',
'QueueName': 'aQueue',
'ParametersDict': {'CPUTime': 12345,
'Community': 'lhcb',
'OwnerGroup': ['lhcb_user'],
'Setup': 'LHCb-Production',
'Site': 'LCG.CERN.cern',
'SubmitPool': ''}}}
res = sd._getPilotOptions('aQueue', 10)
assert res[0] == ['-S TestSetup', '-V 123', '-l 123',
'-o /Security/ProxyToken=token', '-M 1', '-C T,e,s,t,S,e,t,u,p',
'-e 1,2,3', '-N aCE', '-Q aQueue', '-n LCG.CERN.cern']
assert res[1] == 1
@pytest.mark.parametrize("mockMatcherReturnValue, expected, anyExpected, sitesExpected", [
({'OK': False, 'Message': 'boh'},
False, True, set()),
({'OK': True, 'Value': None},
False, True, set()),
({'OK': True, 'Value': {'1': {'Jobs': 10}, '2': {'Jobs': 20}}},
True, True, set()),
({'OK': True, 'Value': {'1': {'Jobs': 10, 'Sites': ['Site1']},
'2': {'Jobs': 20}}},
True, True, set(['Site1'])),
({'OK': True, 'Value': {'1': {'Jobs': 10, 'Sites': ['Site1', 'Site2']},
'2': {'Jobs': 20}}},
True, True, set(['Site1', 'Site2'])),
({'OK': True, 'Value': {'1': {'Jobs': 10, 'Sites': ['Site1', 'Site2']},
'2': {'Jobs': 20, 'Sites': ['Site1']}}},
True, False, set(['Site1', 'Site2'])),
({'OK': True, 'Value': {'1': {'Jobs': 10, 'Sites': ['Site1', 'Site2']},
'2': {'Jobs': 20, 'Sites': ['ANY']}}},
True, False, {'Site1', 'Site2', 'ANY'}),
({'OK': True, 'Value': {'1': {'Jobs': 10, 'Sites': ['Site1', 'Site2']},
'2': {'Jobs': 20, 'Sites': ['ANY', 'Site3']}}},
True, False, {'Site1', 'Site2', 'Site3', 'ANY'}),
({'OK': True, 'Value': {'1': {'Jobs': 10, 'Sites': ['Site1', 'Site2']},
'2': {'Jobs': 20, 'Sites': ['Any', 'Site3']}}},
True, False, {'Site1', 'Site2', 'Site3', 'Any'}),
({'OK': True, 'Value': {'1': {'Jobs': 10, 'Sites': ['Site1', 'Site2']},
'2': {'Jobs': 20, 'Sites': ['NotAny', 'Site2']}}},
True, False, {'Site1', 'Site2', 'NotAny'}),
])
def test__ifAndWhereToSubmit(mocker, mockMatcherReturnValue, expected, anyExpected, sitesExpected):
""" Testing SiteDirector()._ifAndWhereToSubmit()
"""
mocker.patch("DIRAC.WorkloadManagementSystem.Agent.SiteDirector.AgentModule.__init__")
mocker.patch("DIRAC.WorkloadManagementSystem.Agent.SiteDirector.gConfig.getValue", side_effect=mockGCReply)
mocker.patch("DIRAC.WorkloadManagementSystem.Agent.SiteDirector.CSGlobals.getSetup", side_effect=mockCSGlobalReply)
mocker.patch("DIRAC.WorkloadManagementSystem.Agent.SiteDirector.AgentModule", side_effect=mockAM)
sd = SiteDirector()
sd.log = gLogger
sd.am_getOption = mockAM
sd.log.setLevel('DEBUG')
sd.matcherClient = MagicMock()
sd.matcherClient.getMatchingTaskQueues.return_value = mockMatcherReturnValue
res = sd._ifAndWhereToSubmit()
assert res[0] == expected
if res[0]:
assert res == (expected, anyExpected, sitesExpected, set())
def test__allowedToSubmit(mocker):
""" Testing SiteDirector()._allowedToSubmit()
"""
mocker.patch("DIRAC.WorkloadManagementSystem.Agent.SiteDirector.AgentModule.__init__")
mocker.patch("DIRAC.WorkloadManagementSystem.Agent.SiteDirector.AgentModule", side_effect=mockAM)
sd = SiteDirector()
sd.log = gLogger
sd.am_getOption = mockAM
sd.log.setLevel('DEBUG')
sd.queueDict = {'aQueue': {'Site': 'LCG.CERN.cern',
'CEName': 'aCE',
'QueueName': 'aQueue',
'ParametersDict': {'CPUTime': 12345,
'Community': 'lhcb',
'OwnerGroup': ['lhcb_user'],
'Setup': 'LHCb-Production',
'Site': 'LCG.CERN.cern',
'SubmitPool': ''}}}
submit = sd._allowedToSubmit('aQueue', True, set(['LCG.CERN.cern']), set())
assert submit is False
sd.siteMaskList = ['LCG.CERN.cern', 'DIRAC.CNAF.it']
submit = sd._allowedToSubmit('aQueue', True, set(['LCG.CERN.cern']), set())
assert submit is True
sd.rssFlag = True
submit = sd._allowedToSubmit('aQueue', True, set(['LCG.CERN.cern']), set())
assert submit is False
sd.ceMaskList = ['aCE', 'anotherCE']
submit = sd._allowedToSubmit('aQueue', True, set(['LCG.CERN.cern']), set())
assert submit is True
def test__submitPilotsToQueue(mocker):
""" Testing SiteDirector()._submitPilotsToQueue()
"""
mocker.patch("DIRAC.WorkloadManagementSystem.Agent.SiteDirector.AgentModule.__init__")
mocker.patch("DIRAC.WorkloadManagementSystem.Agent.SiteDirector.gConfig.getValue", side_effect=mockGCReply)
mocker.patch("DIRAC.WorkloadManagementSystem.Agent.SiteDirector.CSGlobals.getSetup", side_effect=mockCSGlobalReply)
mocker.patch("DIRAC.WorkloadManagementSystem.Agent.SiteDirector.AgentModule", side_effect=mockAM)
sd = SiteDirector()
sd.log = gLogger
sd.am_getOption = mockAM
sd.log.setLevel('DEBUG')
sd.rpcMatcher = MagicMock()
sd.rssClient = MagicMock()
sd.workingDirectory = ''
sd.queueDict = {'aQueue': {'Site': 'LCG.CERN.cern',
'CEName': 'aCE',
'CEType': 'SSH',
'QueueName': 'aQueue',
'ParametersDict': {'CPUTime': 12345,
'Community': 'lhcb',
'OwnerGroup': ['lhcb_user'],
'Setup': 'LHCb-Production',
'Site': 'LCG.CERN.cern',
'SubmitPool': ''}}}
sd.queueSlots = {'aQueue': {'AvailableSlots': 10}}
res = sd._submitPilotsToQueue(1, MagicMock(), 'aQueue')
assert res['OK'] is True
assert res['Value'][0] == 0
@pytest.mark.parametrize("pilotRefs, pilotDict, pilotCEDict, expected", [
([], {}, {}, (0, [])),
(['aPilotRef'],
{'aPilotRef': {'Status': 'Running', 'LastUpdateTime': datetime.datetime(2000, 1, 1).utcnow()}},
{},
(0, [])),
(['aPilotRef'],
{'aPilotRef': {'Status': 'Running', 'LastUpdateTime': datetime.datetime(2000, 1, 1).utcnow()}},
{'aPilotRef': 'Running'},
(0, [])),
(['aPilotRef'],
{'aPilotRef': {'Status': 'Running', 'LastUpdateTime': datetime.datetime(2000, 1, 1).utcnow()}},
{'aPilotRef': 'Unknown'},
(0, []))
])
def test__updatePilotStatus(mocker, pilotRefs, pilotDict, pilotCEDict, expected):
""" Testing SiteDirector()._updatePilotStatus()
"""
mocker.patch("DIRAC.WorkloadManagementSystem.Agent.SiteDirector.AgentModule.__init__")
mocker.patch("DIRAC.WorkloadManagementSystem.Agent.SiteDirector.gConfig.getValue", side_effect=mockGCReply)
mocker.patch("DIRAC.WorkloadManagementSystem.Agent.SiteDirector.CSGlobals.getSetup", side_effect=mockCSGlobalReply)
mocker.patch("DIRAC.WorkloadManagementSystem.Agent.SiteDirector.AgentModule", side_effect=mockAM)
mocker.patch("DIRAC.WorkloadManagementSystem.Agent.SiteDirector.pilotAgentsDB", side_effect=mockPilotAgentsDB)
sd = SiteDirector()
sd.log = gLogger
sd.am_getOption = mockAM
sd.log.setLevel('DEBUG')
sd.rpcMatcher = MagicMock()
sd.rssClient = MagicMock()
res = sd._updatePilotStatus(pilotRefs, pilotDict, pilotCEDict)
assert res == expected
| fstagni/DIRAC | WorkloadManagementSystem/Agent/test/Test_Agent_SiteDirector.py | Python | gpl-3.0 | 9,622 |
########################################################################
# $Id$
########################################################################
""" A set of common tools to be used in pilot commands
"""
import sys
import time
import os
import pickle
import getopt
import imp
import types
import urllib2
import signal
__RCSID__ = '$Id$'
def printVersion( log ):
log.info( "Running %s" % " ".join( sys.argv ) )
try:
with open( "%s.run" % sys.argv[0], "w" ) as fd:
pickle.dump( sys.argv[1:], fd )
except OSError:
pass
log.info( "Version %s" % __RCSID__ )
def pythonPathCheck():
try:
os.umask( 18 ) # 022
pythonpath = os.getenv( 'PYTHONPATH', '' ).split( ':' )
print 'Directories in PYTHONPATH:', pythonpath
for p in pythonpath:
if p == '':
continue
try:
if os.path.normpath( p ) in sys.path:
# In case a given directory is twice in PYTHONPATH it has to removed only once
sys.path.remove( os.path.normpath( p ) )
except Exception, x:
print x
print "[EXCEPTION-info] Failing path:", p, os.path.normpath( p )
print "[EXCEPTION-info] sys.path:", sys.path
raise x
except Exception, x:
print x
print "[EXCEPTION-info] sys.executable:", sys.executable
print "[EXCEPTION-info] sys.version:", sys.version
print "[EXCEPTION-info] os.uname():", os.uname()
raise x
def alarmTimeoutHandler( *args ):
raise Exception( 'Timeout' )
def retrieveUrlTimeout( url, fileName, log, timeout = 0 ):
"""
Retrieve remote url to local file, with timeout wrapper
"""
urlData = ''
if timeout:
signal.signal( signal.SIGALRM, alarmTimeoutHandler )
# set timeout alarm
signal.alarm( timeout + 5 )
try:
remoteFD = urllib2.urlopen( url )
expectedBytes = 0
# Sometimes repositories do not return Content-Length parameter
try:
expectedBytes = long( remoteFD.info()[ 'Content-Length' ] )
except Exception as x:
expectedBytes = 0
data = remoteFD.read()
if fileName:
with open( fileName + '-local', "wb" ) as localFD:
localFD.write( data )
else:
urlData += data
remoteFD.close()
if len( data ) != expectedBytes and expectedBytes > 0:
log.error( 'URL retrieve: expected size does not match the received one' )
return False
if timeout:
signal.alarm( 0 )
if fileName:
return True
else:
return urlData
except urllib2.HTTPError, x:
if x.code == 404:
log.error( "URL retrieve: %s does not exist" % url )
if timeout:
signal.alarm( 0 )
return False
except urllib2.URLError:
log.error( 'Timeout after %s seconds on transfer request for "%s"' % ( str( timeout ), url ) )
return False
except Exception, x:
if x == 'Timeout':
log.error( 'Timeout after %s seconds on transfer request for "%s"' % ( str( timeout ), url ) )
if timeout:
signal.alarm( 0 )
raise x
class ObjectLoader( object ):
""" Simplified class for loading objects from a DIRAC installation.
Example:
ol = ObjectLoader()
object, modulePath = ol.loadObject( 'pilot', 'LaunchAgent' )
"""
def __init__( self, baseModules, log ):
""" init
"""
self.__rootModules = baseModules
self.log = log
def loadModule( self, modName, hideExceptions = False ):
""" Auto search which root module has to be used
"""
for rootModule in self.__rootModules:
impName = modName
if rootModule:
impName = "%s.%s" % ( rootModule, impName )
self.log.debug( "Trying to load %s" % impName )
module, parentPath = self.__recurseImport( impName, hideExceptions = hideExceptions )
#Error. Something cannot be imported. Return error
if module is None:
return None, None
#Huge success!
else:
return module, parentPath
#Nothing found, continue
#Return nothing found
return None, None
def __recurseImport( self, modName, parentModule = None, hideExceptions = False ):
""" Internal function to load modules
"""
if type( modName ) in types.StringTypes:
modName = modName.split( '.' )
try:
if parentModule:
impData = imp.find_module( modName[0], parentModule.__path__ )
else:
impData = imp.find_module( modName[0] )
impModule = imp.load_module( modName[0], *impData )
if impData[0]:
impData[0].close()
except ImportError, excp:
if str( excp ).find( "No module named %s" % modName[0] ) == 0:
return None, None
errMsg = "Can't load %s in %s" % ( ".".join( modName ), parentModule.__path__[0] )
if not hideExceptions:
self.log.exception( errMsg )
return None, None
if len( modName ) == 1:
return impModule, parentModule.__path__[0]
return self.__recurseImport( modName[1:], impModule,
hideExceptions = hideExceptions )
def loadObject( self, package, moduleName, command ):
""" Load an object from inside a module
"""
loadModuleName = '%s.%s' % ( package, moduleName )
module, parentPath = self.loadModule( loadModuleName )
if module is None:
return None, None
try:
commandObj = getattr( module, command )
return commandObj, os.path.join( parentPath, moduleName )
except AttributeError, e:
self.log.error( 'Exception: %s' % str(e) )
return None, None
def getCommand( params, commandName, log ):
""" Get an instantiated command object for execution.
Commands are looked in the following modules in the order:
1. <CommandExtension>Commands
2. pilotCommands
3. <Extension>.WorkloadManagementSystem.PilotAgent.<CommandExtension>Commands
4. <Extension>.WorkloadManagementSystem.PilotAgent.pilotCommands
5. DIRAC.WorkloadManagementSystem.PilotAgent.<CommandExtension>Commands
6. DIRAC.WorkloadManagementSystem.PilotAgent.pilotCommands
Note that commands in 3.-6. can only be used of the the DIRAC installation
has been done. DIRAC extensions are taken from -e ( --extraPackages ) option
of the pilot script.
"""
extensions = params.commandExtensions
modules = [ m + 'Commands' for m in extensions + ['pilot'] ]
commandObject = None
# Look for commands in the modules in the current directory first
for module in modules:
try:
impData = imp.find_module( module )
commandModule = imp.load_module( module, *impData )
commandObject = getattr( commandModule, commandName )
except Exception, _e:
pass
if commandObject:
return commandObject( params ), module
if params.diracInstalled:
diracExtensions = []
for ext in params.extensions:
if not ext.endswith( 'DIRAC' ):
diracExtensions.append( ext + 'DIRAC' )
else:
diracExtensions.append( ext )
diracExtensions += ['DIRAC']
ol = ObjectLoader( diracExtensions, log )
for module in modules:
commandObject, modulePath = ol.loadObject( 'WorkloadManagementSystem.PilotAgent',
module,
commandName )
if commandObject:
return commandObject( params ), modulePath
# No command could be instantitated
return None, None
class Logger( object ):
""" Basic logger object, for use inside the pilot. Just using print.
"""
def __init__( self, name = 'Pilot', debugFlag = False, pilotOutput = 'pilot.out' ):
self.debugFlag = debugFlag
self.name = name
self.out = pilotOutput
def __outputMessage( self, msg, level, header ):
if self.out:
with open( self.out, 'a' ) as outputFile:
for _line in msg.split( "\n" ):
if header:
outLine = "%s UTC %s [%s] %s" % ( time.strftime( '%Y-%m-%d %H:%M:%S', time.gmtime() ),
level,
self.name,
_line )
print outLine
if self.out:
outputFile.write( outLine + '\n' )
else:
print _line
outputFile.write( _line + '\n' )
sys.stdout.flush()
def setDebug( self ):
self.debugFlag = True
def debug( self, msg, header = True ):
if self.debugFlag:
self.__outputMessage( msg, "DEBUG", header )
def error( self, msg, header = True ):
self.__outputMessage( msg, "ERROR", header )
def warn( self, msg, header = True ):
self.__outputMessage( msg, "WARN", header )
def info( self, msg, header = True ):
self.__outputMessage( msg, "INFO", header )
class CommandBase( object ):
""" CommandBase is the base class for every command in the pilot commands toolbox
"""
def __init__( self, pilotParams, dummy='' ):
""" c'tor
Defines the logger and the pilot parameters
"""
self.pp = pilotParams
self.log = Logger( self.__class__.__name__ )
self.debugFlag = False
for o, _ in self.pp.optList:
if o == '-d' or o == '--debug':
self.log.setDebug()
self.debugFlag = True
self.log.debug( "\n\n Initialized command %s" % self.__class__ )
def executeAndGetOutput( self, cmd, environDict = None ):
""" Execute a command on the worker node and get the output
"""
self.log.info( "Executing command %s" % cmd )
try:
import subprocess # spawn new processes, connect to their input/output/error pipes, and obtain their return codes.
_p = subprocess.Popen( "%s" % cmd, shell = True, env=environDict, stdout = subprocess.PIPE,
stderr = subprocess.PIPE, close_fds = False )
# standard output
outData = _p.stdout.read().strip()
for line in outData:
sys.stdout.write( line )
sys.stdout.write( '\n' )
for line in _p.stderr:
sys.stdout.write( line )
sys.stdout.write( '\n' )
# return code
returnCode = _p.wait()
self.log.debug( "Return code of %s: %d" % ( cmd, returnCode ) )
return (returnCode, outData)
except ImportError:
self.log.error( "Error importing subprocess" )
def exitWithError( self, errorCode ):
""" Wrapper around sys.exit()
"""
self.log.info( "List of child processes of current PID:" )
retCode, _outData = self.executeAndGetOutput( "ps --forest -o pid,%%cpu,%%mem,tty,stat,time,cmd -g %d" % os.getpid() )
if retCode:
self.log.error( "Failed to issue ps [ERROR %d] " % retCode )
sys.exit( errorCode )
class PilotParams( object ):
""" Class that holds the structure with all the parameters to be used across all the commands
"""
MAX_CYCLES = 10
def __init__( self ):
""" c'tor
param names and defaults are defined here
"""
self.rootPath = os.getcwd()
self.originalRootPath = os.getcwd()
self.pilotRootPath = os.getcwd()
self.workingDir = os.getcwd()
self.optList = {}
self.keepPythonPath = False
self.debugFlag = False
self.local = False
self.commandExtensions = []
self.commands = ['GetPilotVersion', 'CheckWorkerNode', 'InstallDIRAC', 'ConfigureBasics', 'CheckCECapabilities',
'CheckWNCapabilities', 'ConfigureSite', 'ConfigureArchitecture', 'ConfigureCPURequirements',
'LaunchAgent']
self.extensions = []
self.tags = []
self.reqtags = []
self.site = ""
self.setup = ""
self.configServer = ""
self.installation = ""
self.ceName = ""
self.ceType = ''
self.queueName = ""
self.queueParameters = {}
self.platform = ""
self.minDiskSpace = 2560 #MB
self.jobCPUReq = 900
self.pythonVersion = '27'
self.userGroup = ""
self.userDN = ""
self.maxCycles = self.MAX_CYCLES
self.flavour = 'DIRAC'
self.gridVersion = ''
self.pilotReference = ''
self.releaseVersion = ''
self.releaseProject = ''
self.gateway = ""
self.useServerCertificate = False
self.pilotScriptName = ''
self.genericOption = ''
# DIRAC client installation environment
self.diracInstalled = False
self.diracExtensions = []
# Some commands can define environment necessary to execute subsequent commands
self.installEnv = os.environ
# If DIRAC is preinstalled this file will receive the updates of the local configuration
self.localConfigFile = ''
self.executeCmd = False
self.configureScript = 'dirac-configure'
self.architectureScript = 'dirac-platform'
self.certsLocation = '%s/etc/grid-security' % self.workingDir
self.pilotCFGFile = 'pilot.json'
self.pilotCFGFileLocation = 'http://lhcbproject.web.cern.ch/lhcbproject/dist/DIRAC3/defaults/'
# Pilot command options
self.cmdOpts = ( ( 'b', 'build', 'Force local compilation' ),
( 'd', 'debug', 'Set debug flag' ),
( 'e:', 'extraPackages=', 'Extra packages to install (comma separated)' ),
( 'E:', 'commandExtensions=', 'Python module with extra commands' ),
( 'X:', 'commands=', 'Pilot commands to execute commands' ),
( 'g:', 'grid=', 'lcg tools package version' ),
( 'h', 'help', 'Show this help' ),
( 'i:', 'python=', 'Use python<26|27> interpreter' ),
( 'k', 'keepPP', 'Do not clear PYTHONPATH on start' ),
( 'l:', 'project=', 'Project to install' ),
( 'p:', 'platform=', 'Use <platform> instead of local one' ),
( 'u:', 'url=', 'Use <url> to download tarballs' ),
( 'r:', 'release=', 'DIRAC release to install' ),
( 'n:', 'name=', 'Set <Site> as Site Name' ),
( 'D:', 'disk=', 'Require at least <space> MB available' ),
( 'M:', 'MaxCycles=', 'Maximum Number of JobAgent cycles to run' ),
( 'N:', 'Name=', 'CE Name' ),
( 'Q:', 'Queue=', 'Queue name' ),
( 'y:', 'CEType=', 'CE Type (normally InProcess)' ),
( 'S:', 'setup=', 'DIRAC Setup to use' ),
( 'C:', 'configurationServer=', 'Configuration servers to use' ),
( 'T:', 'CPUTime', 'Requested CPU Time' ),
( 'G:', 'Group=', 'DIRAC Group to use' ),
( 'O:', 'OwnerDN', 'Pilot OwnerDN (for private pilots)' ),
( 'U', 'Upload', 'Upload compiled distribution (if built)' ),
( 'V:', 'installation=', 'Installation configuration file' ),
( 'W:', 'gateway=', 'Configure <gateway> as DIRAC Gateway during installation' ),
( 's:', 'section=', 'Set base section for relative parsed options' ),
( 'o:', 'option=', 'Option=value to add' ),
( 'c', 'cert', 'Use server certificate instead of proxy' ),
( 'C:', 'certLocation=', 'Specify server certificate location' ),
( 'L:', 'pilotCFGLocation=', 'Specify pilot CFG location' ),
( 'F:', 'pilotCFGFile=', 'Specify pilot CFG file' ),
( 'R:', 'reference=', 'Use this pilot reference' ),
( 'x:', 'execute=', 'Execute instead of JobAgent' ),
)
self.__initOptions()
def __initOptions( self ):
""" Parses and interpret options on the command line
"""
self.optList, __args__ = getopt.getopt( sys.argv[1:],
"".join( [ opt[0] for opt in self.cmdOpts ] ),
[ opt[1] for opt in self.cmdOpts ] )
for o, v in self.optList:
if o == '-E' or o == '--commandExtensions':
self.commandExtensions = v.split( ',' )
elif o == '-X' or o == '--commands':
self.commands = v.split( ',' )
elif o == '-e' or o == '--extraPackages':
self.extensions = v.split( ',' )
elif o == '-n' or o == '--name':
self.site = v
elif o == '-N' or o == '--Name':
self.ceName = v
elif o == '-y' or o == '--CEType':
self.ceType = v
elif o == '-Q' or o == '--Queue':
self.queueName = v
elif o == '-R' or o == '--reference':
self.pilotReference = v
elif o == '-k' or o == '--keepPP':
self.keepPythonPath = True
elif o == '-d' or o == '--debug':
self.debugFlag = True
elif o in ( '-S', '--setup' ):
self.setup = v
elif o in ( '-C', '--configurationServer' ):
self.configServer = v
elif o in ( '-G', '--Group' ):
self.userGroup = v
elif o in ( '-x', '--execute' ):
self.executeCmd = v
elif o in ( '-O', '--OwnerDN' ):
self.userDN = v
elif o in ( '-V', '--installation' ):
self.installation = v
elif o == '-p' or o == '--platform':
self.platform = v
elif o == '-D' or o == '--disk':
try:
self.minDiskSpace = int( v )
except ValueError:
pass
elif o == '-r' or o == '--release':
self.releaseVersion = v.split(',',1)[0]
elif o in ( '-l', '--project' ):
self.releaseProject = v
elif o in ( '-W', '--gateway' ):
self.gateway = v
elif o == '-c' or o == '--cert':
self.useServerCertificate = True
elif o == '-C' or o == '--certLocation':
self.certsLocation = v
elif o == '-L' or o == '--pilotCFGLocation':
self.pilotCFGFileLocation = v
elif o == '-F' or o == '--pilotCFGFile':
self.pilotCFGFile = v
elif o == '-M' or o == '--MaxCycles':
try:
self.maxCycles = min( self.MAX_CYCLES, int( v ) )
except ValueError:
pass
elif o in ( '-T', '--CPUTime' ):
self.jobCPUReq = v
elif o in ( '-o', '--option' ):
self.genericOption = v
| Andrew-McNab-UK/DIRAC | WorkloadManagementSystem/PilotAgent/pilotTools.py | Python | gpl-3.0 | 18,034 |
from __future__ import print_function
import numpy as np
a = np.arange(9)
print("Reduce", np.add.reduce(a))
print("Accumulate", np.add.accumulate(a))
print("Reduceat", np.add.reduceat(a, [0, 5, 2, 7]))
print("Reduceat step I", np.add.reduce(a[0:5]))
print("Reduceat step II", a[5])
print("Reduceat step III", np.add.reduce(a[2:7]))
print("Reduceat step IV", np.add.reduce(a[7:]))
print("Outer", np.add.outer(np.arange(3), a))
| moonbury/notebooks | github/Numpy/Chapter5/ufuncmethods.py | Python | gpl-3.0 | 428 |
#!/usr/bin/env python
#
# Electrum - lightweight Bitcoin client
# Copyright (C) 2011 thomasv@gitorious
#
# This program is free software: you can redistribute it and/or modify
# it under the terms of the GNU General Public License as published by
# the Free Software Foundation, either version 3 of the License, or
# (at your option) any later version.
#
# This program is distributed in the hope that it will be useful,
# but WITHOUT ANY WARRANTY; without even the implied warranty of
# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
# GNU General Public License for more details.
#
# You should have received a copy of the GNU General Public License
# along with this program. If not, see <http://www.gnu.org/licenses/>.
import sys
import os
import hashlib
import ast
import threading
import random
import time
import math
import json
import copy
from operator import itemgetter
from util import print_msg, print_error, NotEnoughFunds
from util import profiler
from bitcoin import *
from account import *
from version import *
from transaction import Transaction
from plugins import run_hook
import bitcoin
from synchronizer import WalletSynchronizer
from mnemonic import Mnemonic
import paymentrequest
# internal ID for imported account
IMPORTED_ACCOUNT = '/x'
class WalletStorage(object):
def __init__(self, path):
self.lock = threading.RLock()
self.data = {}
self.path = path
self.file_exists = False
print_error( "wallet path", self.path )
if self.path:
self.read(self.path)
def read(self, path):
"""Read the contents of the wallet file."""
try:
with open(self.path, "r") as f:
data = f.read()
except IOError:
return
try:
self.data = json.loads(data)
except:
try:
d = ast.literal_eval(data) #parse raw data from reading wallet file
except Exception as e:
raise IOError("Cannot read wallet file '%s'" % self.path)
self.data = {}
# In old versions of Electrum labels were latin1 encoded, this fixes breakage.
labels = d.get('labels', {})
for i, label in labels.items():
try:
unicode(label)
except UnicodeDecodeError:
d['labels'][i] = unicode(label.decode('latin1'))
for key, value in d.items():
try:
json.dumps(key)
json.dumps(value)
except:
print_error('Failed to convert label to json format', key)
continue
self.data[key] = value
self.file_exists = True
def get(self, key, default=None):
with self.lock:
v = self.data.get(key)
if v is None:
v = default
else:
v = copy.deepcopy(v)
return v
def put(self, key, value, save = True):
try:
json.dumps(key)
json.dumps(value)
except:
print_error("json error: cannot save", key)
return
with self.lock:
if value is not None:
self.data[key] = copy.deepcopy(value)
elif key in self.data:
self.data.pop(key)
if save:
self.write()
def write(self):
assert not threading.currentThread().isDaemon()
temp_path = "%s.tmp.%s" % (self.path, os.getpid())
s = json.dumps(self.data, indent=4, sort_keys=True)
with open(temp_path, "w") as f:
f.write(s)
f.flush()
os.fsync(f.fileno())
# perform atomic write on POSIX systems
try:
os.rename(temp_path, self.path)
except:
os.remove(self.path)
os.rename(temp_path, self.path)
if 'ANDROID_DATA' not in os.environ:
import stat
os.chmod(self.path,stat.S_IREAD | stat.S_IWRITE)
class Abstract_Wallet(object):
"""
Wallet classes are created to handle various address generation methods.
Completion states (watching-only, single account, no seed, etc) are handled inside classes.
"""
def __init__(self, storage):
self.storage = storage
self.electrum_version = ELECTRUM_VERSION
self.gap_limit_for_change = 6 # constant
# saved fields
self.seed_version = storage.get('seed_version', NEW_SEED_VERSION)
self.use_change = storage.get('use_change',True)
self.use_encryption = storage.get('use_encryption', False)
self.seed = storage.get('seed', '') # encrypted
self.labels = storage.get('labels', {})
self.frozen_addresses = set(storage.get('frozen_addresses',[]))
self.stored_height = storage.get('stored_height', 0) # last known height (for offline mode)
self.history = storage.get('addr_history',{}) # address -> list(txid, height)
self.fee_per_kb = int(storage.get('fee_per_kb', RECOMMENDED_FEE))
# This attribute is set when wallet.start_threads is called.
self.synchronizer = None
# imported_keys is deprecated. The GUI should call convert_imported_keys
self.imported_keys = self.storage.get('imported_keys',{})
self.load_accounts()
self.load_transactions()
self.build_reverse_history()
# load requests
self.receive_requests = self.storage.get('payment_requests', {})
# spv
self.verifier = None
# Transactions pending verification. Each value is the transaction height. Access with self.lock.
self.unverified_tx = {}
# Verified transactions. Each value is a (height, timestamp, block_pos) tuple. Access with self.lock.
self.verified_tx = storage.get('verified_tx3',{})
# there is a difference between wallet.up_to_date and interface.is_up_to_date()
# interface.is_up_to_date() returns true when all requests have been answered and processed
# wallet.up_to_date is true when the wallet is synchronized (stronger requirement)
self.up_to_date = False
self.lock = threading.Lock()
self.transaction_lock = threading.Lock()
self.tx_event = threading.Event()
self.check_history()
# save wallet type the first time
if self.storage.get('wallet_type') is None:
self.storage.put('wallet_type', self.wallet_type, True)
@profiler
def load_transactions(self):
self.txi = self.storage.get('txi', {})
self.txo = self.storage.get('txo', {})
self.pruned_txo = self.storage.get('pruned_txo', {})
tx_list = self.storage.get('transactions', {})
self.transactions = {}
for tx_hash, raw in tx_list.items():
tx = Transaction(raw)
self.transactions[tx_hash] = tx
if self.txi.get(tx_hash) is None and self.txo.get(tx_hash) is None and (tx_hash not in self.pruned_txo.values()):
print_error("removing unreferenced tx", tx_hash)
self.transactions.pop(tx_hash)
@profiler
def save_transactions(self):
with self.transaction_lock:
tx = {}
for k,v in self.transactions.items():
tx[k] = str(v)
# Flush storage only with the last put
self.storage.put('transactions', tx, False)
self.storage.put('txi', self.txi, False)
self.storage.put('txo', self.txo, False)
self.storage.put('pruned_txo', self.pruned_txo, True)
def clear_history(self):
with self.transaction_lock:
self.txi = {}
self.txo = {}
self.pruned_txo = {}
self.save_transactions()
with self.lock:
self.history = {}
self.tx_addr_hist = {}
self.storage.put('addr_history', self.history, True)
@profiler
def build_reverse_history(self):
self.tx_addr_hist = {}
for addr, hist in self.history.items():
for tx_hash, h in hist:
s = self.tx_addr_hist.get(tx_hash, set())
s.add(addr)
self.tx_addr_hist[tx_hash] = s
@profiler
def check_history(self):
save = False
for addr, hist in self.history.items():
if not self.is_mine(addr):
self.history.pop(addr)
save = True
continue
for tx_hash, tx_height in hist:
if tx_hash in self.pruned_txo.values() or self.txi.get(tx_hash) or self.txo.get(tx_hash):
continue
tx = self.transactions.get(tx_hash)
if tx is not None:
tx.deserialize()
self.add_transaction(tx_hash, tx, tx_height)
if save:
self.storage.put('addr_history', self.history, True)
# wizard action
def get_action(self):
pass
def basename(self):
return os.path.basename(self.storage.path)
def convert_imported_keys(self, password):
for k, v in self.imported_keys.items():
sec = pw_decode(v, password)
pubkey = public_key_from_private_key(sec)
address = public_key_to_bc_address(pubkey.decode('hex'))
if address != k:
raise InvalidPassword()
self.import_key(sec, password)
self.imported_keys.pop(k)
self.storage.put('imported_keys', self.imported_keys)
def load_accounts(self):
self.accounts = {}
d = self.storage.get('accounts', {})
for k, v in d.items():
if self.wallet_type == 'old' and k in [0, '0']:
v['mpk'] = self.storage.get('master_public_key')
self.accounts['0'] = OldAccount(v)
elif v.get('imported'):
self.accounts[k] = ImportedAccount(v)
elif v.get('xpub'):
self.accounts[k] = BIP32_Account(v)
elif v.get('pending'):
try:
self.accounts[k] = PendingAccount(v)
except:
pass
else:
print_error("cannot load account", v)
def synchronize(self):
pass
def can_create_accounts(self):
return False
def set_up_to_date(self,b):
with self.lock: self.up_to_date = b
def is_up_to_date(self):
with self.lock: return self.up_to_date
def update(self):
self.up_to_date = False
while not self.is_up_to_date():
time.sleep(0.1)
def is_imported(self, addr):
account = self.accounts.get(IMPORTED_ACCOUNT)
if account:
return addr in account.get_addresses(0)
else:
return False
def has_imported_keys(self):
account = self.accounts.get(IMPORTED_ACCOUNT)
return account is not None
def import_key(self, sec, password):
assert self.can_import(), 'This wallet cannot import private keys'
try:
pubkey = public_key_from_private_key(sec)
address = public_key_to_bc_address(pubkey.decode('hex'))
except Exception:
raise Exception('Invalid private key')
if self.is_mine(address):
raise Exception('Address already in wallet')
if self.accounts.get(IMPORTED_ACCOUNT) is None:
self.accounts[IMPORTED_ACCOUNT] = ImportedAccount({'imported':{}})
self.accounts[IMPORTED_ACCOUNT].add(address, pubkey, sec, password)
self.save_accounts()
# force resynchronization, because we need to re-run add_transaction
if address in self.history:
self.history.pop(address)
if self.synchronizer:
self.synchronizer.add(address)
return address
def delete_imported_key(self, addr):
account = self.accounts[IMPORTED_ACCOUNT]
account.remove(addr)
if not account.get_addresses(0):
self.accounts.pop(IMPORTED_ACCOUNT)
self.save_accounts()
def set_label(self, name, text = None):
changed = False
old_text = self.labels.get(name)
if text:
if old_text != text:
self.labels[name] = text
changed = True
else:
if old_text:
self.labels.pop(name)
changed = True
if changed:
self.storage.put('labels', self.labels, True)
run_hook('set_label', name, text, changed)
return changed
def addresses(self, include_change = True):
return list(addr for acc in self.accounts for addr in self.get_account_addresses(acc, include_change))
def is_mine(self, address):
return address in self.addresses(True)
def is_change(self, address):
if not self.is_mine(address): return False
acct, s = self.get_address_index(address)
if s is None: return False
return s[0] == 1
def get_address_index(self, address):
for acc_id in self.accounts:
for for_change in [0,1]:
addresses = self.accounts[acc_id].get_addresses(for_change)
if address in addresses:
return acc_id, (for_change, addresses.index(address))
raise Exception("Address not found", address)
def get_private_key(self, address, password):
if self.is_watching_only():
return []
account_id, sequence = self.get_address_index(address)
return self.accounts[account_id].get_private_key(sequence, self, password)
def get_public_keys(self, address):
account_id, sequence = self.get_address_index(address)
return self.accounts[account_id].get_pubkeys(*sequence)
def sign_message(self, address, message, password):
keys = self.get_private_key(address, password)
assert len(keys) == 1
sec = keys[0]
key = regenerate_key(sec)
compressed = is_compressed(sec)
return key.sign_message(message, compressed, address)
def decrypt_message(self, pubkey, message, password):
address = public_key_to_bc_address(pubkey.decode('hex'))
keys = self.get_private_key(address, password)
secret = keys[0]
ec = regenerate_key(secret)
decrypted = ec.decrypt_message(message)
return decrypted
def add_unverified_tx(self, tx_hash, tx_height):
if tx_height > 0:
with self.lock:
self.unverified_tx[tx_hash] = tx_height
def add_verified_tx(self, tx_hash, info):
with self.lock:
self.verified_tx[tx_hash] = info # (tx_height, timestamp, pos)
self.storage.put('verified_tx3', self.verified_tx, True)
self.network.trigger_callback('updated')
def get_unverified_txs(self):
'''Returns a list of tuples (tx_hash, height) that are unverified and not beyond local height'''
txs = []
with self.lock:
for tx_hash, tx_height in self.unverified_tx.items():
# do not request merkle branch before headers are available
if tx_hash not in self.verified_tx and tx_height <= self.get_local_height():
txs.append((tx_hash, tx_height))
return txs
def undo_verifications(self, height):
'''Used by the verifier when a reorg has happened'''
txs = []
with self.lock:
for tx_hash, item in self.verified_tx:
tx_height, timestamp, pos = item
if tx_height >= height:
self.verified_tx.pop(tx_hash, None)
txs.append(tx_hash)
return txs
def get_local_height(self):
""" return last known height if we are offline """
return self.network.get_local_height() if self.network else self.stored_height
def get_confirmations(self, tx):
""" return the number of confirmations of a monitored transaction. """
with self.lock:
if tx in self.verified_tx:
height, timestamp, pos = self.verified_tx[tx]
conf = (self.get_local_height() - height + 1)
if conf <= 0: timestamp = None
elif tx in self.unverified_tx:
conf = -1
timestamp = None
else:
conf = 0
timestamp = None
return conf, timestamp
def get_txpos(self, tx_hash):
"return position, even if the tx is unverified"
with self.lock:
x = self.verified_tx.get(tx_hash)
y = self.unverified_tx.get(tx_hash)
if x:
height, timestamp, pos = x
return height, pos
elif y:
return y, 0
else:
return 1e12, 0
def is_found(self):
return self.history.values() != [[]] * len(self.history)
def get_num_tx(self, address):
""" return number of transactions where address is involved """
return len(self.history.get(address, []))
def get_tx_delta(self, tx_hash, address):
"effect of tx on address"
# pruned
if tx_hash in self.pruned_txo.values():
return None
delta = 0
# substract the value of coins sent from address
d = self.txi.get(tx_hash, {}).get(address, [])
for n, v in d:
delta -= v
# add the value of the coins received at address
d = self.txo.get(tx_hash, {}).get(address, [])
for n, v, cb in d:
delta += v
return delta
def get_wallet_delta(self, tx):
""" effect of tx on wallet """
addresses = self.addresses(True)
is_relevant = False
is_send = False
is_pruned = False
is_partial = False
v_in = v_out = v_out_mine = 0
for item in tx.inputs:
addr = item.get('address')
if addr in addresses:
is_send = True
is_relevant = True
d = self.txo.get(item['prevout_hash'], {}).get(addr, [])
for n, v, cb in d:
if n == item['prevout_n']:
value = v
break
else:
value = None
if value is None:
is_pruned = True
else:
v_in += value
else:
is_partial = True
if not is_send:
is_partial = False
for addr, value in tx.get_outputs():
v_out += value
if addr in addresses:
v_out_mine += value
is_relevant = True
if is_pruned:
# some inputs are mine:
fee = None
if is_send:
v = v_out_mine - v_out
else:
# no input is mine
v = v_out_mine
else:
v = v_out_mine - v_in
if is_partial:
# some inputs are mine, but not all
fee = None
is_send = v < 0
else:
# all inputs are mine
fee = v_out - v_in
return is_relevant, is_send, v, fee
def get_addr_io(self, address):
h = self.history.get(address, [])
received = {}
sent = {}
for tx_hash, height in h:
l = self.txo.get(tx_hash, {}).get(address, [])
for n, v, is_cb in l:
received[tx_hash + ':%d'%n] = (height, v, is_cb)
for tx_hash, height in h:
l = self.txi.get(tx_hash, {}).get(address, [])
for txi, v in l:
sent[txi] = height
return received, sent
def get_addr_utxo(self, address):
coins, spent = self.get_addr_io(address)
for txi in spent:
coins.pop(txi)
return coins
# return the total amount ever received by an address
def get_addr_received(self, address):
received, sent = self.get_addr_io(address)
return sum([v for height, v, is_cb in received.values()])
# return the balance of a bitcoin address: confirmed and matured, unconfirmed, unmatured
def get_addr_balance(self, address):
received, sent = self.get_addr_io(address)
c = u = x = 0
for txo, (tx_height, v, is_cb) in received.items():
if is_cb and tx_height + COINBASE_MATURITY > self.get_local_height():
x += v
elif tx_height > 0:
c += v
else:
u += v
if txo in sent:
if sent[txo] > 0:
c -= v
else:
u -= v
return c, u, x
def get_spendable_coins(self, domain = None, exclude_frozen = True):
coins = []
if domain is None:
domain = self.addresses(True)
if exclude_frozen:
domain = set(domain) - self.frozen_addresses
for addr in domain:
c = self.get_addr_utxo(addr)
for txo, v in c.items():
tx_height, value, is_cb = v
if is_cb and tx_height + COINBASE_MATURITY > self.get_local_height():
continue
prevout_hash, prevout_n = txo.split(':')
output = {
'address':addr,
'value':value,
'prevout_n':int(prevout_n),
'prevout_hash':prevout_hash,
'height':tx_height,
'coinbase':is_cb
}
coins.append((tx_height, output))
continue
# sort by age
if coins:
coins = sorted(coins)
if coins[-1][0] != 0:
while coins[0][0] == 0:
coins = coins[1:] + [ coins[0] ]
return [value for height, value in coins]
def get_account_name(self, k):
return self.labels.get(k, self.accounts[k].get_name(k))
def get_account_names(self):
account_names = {}
for k in self.accounts.keys():
account_names[k] = self.get_account_name(k)
return account_names
def get_account_addresses(self, acc_id, include_change=True):
if acc_id is None:
addr_list = self.addresses(include_change)
elif acc_id in self.accounts:
acc = self.accounts[acc_id]
addr_list = acc.get_addresses(0)
if include_change:
addr_list += acc.get_addresses(1)
return addr_list
def get_account_from_address(self, addr):
"Returns the account that contains this address, or None"
for acc_id in self.accounts: # similar to get_address_index but simpler
if addr in self.get_account_addresses(acc_id):
return acc_id
return None
def get_account_balance(self, account):
return self.get_balance(self.get_account_addresses(account))
def get_frozen_balance(self):
return self.get_balance(self.frozen_addresses)
def get_balance(self, domain=None):
if domain is None:
domain = self.addresses(True)
cc = uu = xx = 0
for addr in domain:
c, u, x = self.get_addr_balance(addr)
cc += c
uu += u
xx += x
return cc, uu, xx
def set_fee(self, fee, save = True):
self.fee_per_kb = fee
self.storage.put('fee_per_kb', self.fee_per_kb, save)
def get_address_history(self, address):
with self.lock:
return self.history.get(address, [])
def get_status(self, h):
if not h:
return None
status = ''
for tx_hash, height in h:
status += tx_hash + ':%d:' % height
return hashlib.sha256( status ).digest().encode('hex')
def find_pay_to_pubkey_address(self, prevout_hash, prevout_n):
dd = self.txo.get(prevout_hash, {})
for addr, l in dd.items():
for n, v, is_cb in l:
if n == prevout_n:
print_error("found pay-to-pubkey address:", addr)
return addr
def add_transaction(self, tx_hash, tx, tx_height):
is_coinbase = tx.inputs[0].get('is_coinbase') == True
with self.transaction_lock:
# add inputs
self.txi[tx_hash] = d = {}
for txi in tx.inputs:
addr = txi.get('address')
if not txi.get('is_coinbase'):
prevout_hash = txi['prevout_hash']
prevout_n = txi['prevout_n']
ser = prevout_hash + ':%d'%prevout_n
if addr == "(pubkey)":
addr = self.find_pay_to_pubkey_address(prevout_hash, prevout_n)
# find value from prev output
if addr and self.is_mine(addr):
dd = self.txo.get(prevout_hash, {})
for n, v, is_cb in dd.get(addr, []):
if n == prevout_n:
if d.get(addr) is None:
d[addr] = []
d[addr].append((ser, v))
break
else:
self.pruned_txo[ser] = tx_hash
# add outputs
self.txo[tx_hash] = d = {}
for n, txo in enumerate(tx.outputs):
ser = tx_hash + ':%d'%n
_type, x, v = txo
if _type == 'address':
addr = x
elif _type == 'pubkey':
addr = public_key_to_bc_address(x.decode('hex'))
else:
addr = None
if addr and self.is_mine(addr):
if d.get(addr) is None:
d[addr] = []
d[addr].append((n, v, is_coinbase))
# give v to txi that spends me
next_tx = self.pruned_txo.get(ser)
if next_tx is not None:
self.pruned_txo.pop(ser)
dd = self.txi.get(next_tx, {})
if dd.get(addr) is None:
dd[addr] = []
dd[addr].append((ser, v))
# save
self.transactions[tx_hash] = tx
def remove_transaction(self, tx_hash, tx_height):
with self.transaction_lock:
print_error("removing tx from history", tx_hash)
#tx = self.transactions.pop(tx_hash)
for ser, hh in self.pruned_txo.items():
if hh == tx_hash:
self.pruned_txo.pop(ser)
# add tx to pruned_txo, and undo the txi addition
for next_tx, dd in self.txi.items():
for addr, l in dd.items():
ll = l[:]
for item in ll:
ser, v = item
prev_hash, prev_n = ser.split(':')
if prev_hash == tx_hash:
l.remove(item)
self.pruned_txo[ser] = next_tx
if l == []:
dd.pop(addr)
else:
dd[addr] = l
self.txi.pop(tx_hash)
self.txo.pop(tx_hash)
def receive_tx_callback(self, tx_hash, tx, tx_height):
self.add_transaction(tx_hash, tx, tx_height)
#self.network.pending_transactions_for_notifications.append(tx)
self.add_unverified_tx(tx_hash, tx_height)
def receive_history_callback(self, addr, hist):
with self.lock:
old_hist = self.history.get(addr, [])
for tx_hash, height in old_hist:
if (tx_hash, height) not in hist:
# remove tx if it's not referenced in histories
self.tx_addr_hist[tx_hash].remove(addr)
if not self.tx_addr_hist[tx_hash]:
self.remove_transaction(tx_hash, height)
self.history[addr] = hist
self.storage.put('addr_history', self.history, True)
for tx_hash, tx_height in hist:
# add it in case it was previously unconfirmed
self.add_unverified_tx(tx_hash, tx_height)
# add reference in tx_addr_hist
s = self.tx_addr_hist.get(tx_hash, set())
s.add(addr)
self.tx_addr_hist[tx_hash] = s
# if addr is new, we have to recompute txi and txo
tx = self.transactions.get(tx_hash)
if tx is not None and self.txi.get(tx_hash, {}).get(addr) is None and self.txo.get(tx_hash, {}).get(addr) is None:
tx.deserialize()
self.add_transaction(tx_hash, tx, tx_height)
def get_history(self, domain=None):
from collections import defaultdict
# get domain
if domain is None:
domain = self.get_account_addresses(None)
# 1. Get the history of each address in the domain, maintain the
# delta of a tx as the sum of its deltas on domain addresses
tx_deltas = defaultdict(int)
for addr in domain:
h = self.get_address_history(addr)
for tx_hash, height in h:
delta = self.get_tx_delta(tx_hash, addr)
if delta is None or tx_deltas[tx_hash] is None:
tx_deltas[tx_hash] = None
else:
tx_deltas[tx_hash] += delta
# 2. create sorted history
history = []
for tx_hash, delta in tx_deltas.items():
conf, timestamp = self.get_confirmations(tx_hash)
history.append((tx_hash, conf, delta, timestamp))
history.sort(key = lambda x: self.get_txpos(x[0]))
history.reverse()
# 3. add balance
c, u, x = self.get_balance(domain)
balance = c + u + x
h2 = []
for item in history:
tx_hash, conf, delta, timestamp = item
h2.append((tx_hash, conf, delta, timestamp, balance))
if balance is None or delta is None:
balance = None
else:
balance -= delta
h2.reverse()
# fixme: this may happen if history is incomplete
if balance not in [None, 0]:
print_error("Error: history not synchronized")
return []
return h2
def get_label(self, tx_hash):
label = self.labels.get(tx_hash)
is_default = (label == '') or (label is None)
if is_default:
label = self.get_default_label(tx_hash)
return label, is_default
def get_default_label(self, tx_hash):
if self.txi.get(tx_hash) == {}:
d = self.txo.get(tx_hash, {})
labels = []
for addr in d.keys():
label = self.labels.get(addr)
if label:
labels.append(label)
return ', '.join(labels)
return ''
def get_tx_fee(self, tx):
# this method can be overloaded
return tx.get_fee()
def estimated_fee(self, tx):
estimated_size = len(tx.serialize(-1))/2
fee = int(self.fee_per_kb*estimated_size/1000.)
if fee < MIN_RELAY_TX_FEE: # and tx.requires_fee(self):
fee = MIN_RELAY_TX_FEE
return fee
def make_unsigned_transaction(self, coins, outputs, fixed_fee=None, change_addr=None):
# check outputs
for type, data, value in outputs:
if type == 'address':
assert is_address(data), "Address " + data + " is invalid!"
amount = sum(map(lambda x:x[2], outputs))
total = fee = 0
inputs = []
tx = Transaction.from_io(inputs, outputs)
# add old inputs first
for item in coins:
v = item.get('value')
total += v
self.add_input_info(item)
tx.add_input(item)
# no need to estimate fee until we have reached desired amount
if total < amount:
continue
fee = fixed_fee if fixed_fee is not None else self.estimated_fee(tx)
if total >= amount + fee:
break
else:
raise NotEnoughFunds()
# remove unneeded inputs
for item in sorted(tx.inputs, key=itemgetter('value')):
v = item.get('value')
if total - v >= amount + fee:
tx.inputs.remove(item)
total -= v
fee = fixed_fee if fixed_fee is not None else self.estimated_fee(tx)
else:
break
print_error("using %d inputs"%len(tx.inputs))
# change address
if not change_addr:
# send change to one of the accounts involved in the tx
address = inputs[0].get('address')
account, _ = self.get_address_index(address)
if self.use_change and self.accounts[account].has_change():
# New change addresses are created only after a few confirmations.
# Choose an unused change address if any, otherwise take one at random
change_addrs = self.accounts[account].get_addresses(1)[-self.gap_limit_for_change:]
for change_addr in change_addrs:
if self.get_num_tx(change_addr) == 0:
break
else:
change_addr = random.choice(change_addrs)
else:
change_addr = address
# if change is above dust threshold, add a change output.
change_amount = total - ( amount + fee )
if fixed_fee is not None and change_amount > 0:
tx.outputs.append(('address', change_addr, change_amount))
elif change_amount > DUST_THRESHOLD:
tx.outputs.append(('address', change_addr, change_amount))
# recompute fee including change output
fee = self.estimated_fee(tx)
# remove change output
tx.outputs.pop()
# if change is still above dust threshold, re-add change output.
change_amount = total - ( amount + fee )
if change_amount > DUST_THRESHOLD:
tx.outputs.append(('address', change_addr, change_amount))
print_error('change', change_amount)
else:
print_error('not keeping dust', change_amount)
else:
print_error('not keeping dust', change_amount)
# Sort the inputs and outputs deterministically
tx.BIP_LI01_sort()
run_hook('make_unsigned_transaction', tx)
return tx
def mktx(self, outputs, password, fee=None, change_addr=None, domain=None):
coins = self.get_spendable_coins(domain)
tx = self.make_unsigned_transaction(coins, outputs, fee, change_addr)
self.sign_transaction(tx, password)
return tx
def add_input_info(self, txin):
address = txin['address']
account_id, sequence = self.get_address_index(address)
account = self.accounts[account_id]
redeemScript = account.redeem_script(*sequence)
pubkeys = account.get_pubkeys(*sequence)
x_pubkeys = account.get_xpubkeys(*sequence)
# sort pubkeys and x_pubkeys, using the order of pubkeys
pubkeys, x_pubkeys = zip( *sorted(zip(pubkeys, x_pubkeys)))
txin['pubkeys'] = list(pubkeys)
txin['x_pubkeys'] = list(x_pubkeys)
txin['signatures'] = [None] * len(pubkeys)
if redeemScript:
txin['redeemScript'] = redeemScript
txin['num_sig'] = account.m
else:
txin['redeemPubkey'] = account.get_pubkey(*sequence)
txin['num_sig'] = 1
def sign_transaction(self, tx, password):
if self.is_watching_only():
return
# check that the password is correct. This will raise if it's not.
self.check_password(password)
keypairs = {}
x_pubkeys = tx.inputs_to_sign()
for x in x_pubkeys:
sec = self.get_private_key_from_xpubkey(x, password)
if sec:
keypairs[ x ] = sec
if keypairs:
tx.sign(keypairs)
run_hook('sign_transaction', tx, password)
def sendtx(self, tx):
# synchronous
h = self.send_tx(tx)
self.tx_event.wait()
return self.receive_tx(h, tx)
def send_tx(self, tx):
# asynchronous
self.tx_event.clear()
self.network.send([('blockchain.transaction.broadcast', [str(tx)])], self.on_broadcast)
return tx.hash()
def on_broadcast(self, r):
self.tx_result = r.get('result')
self.tx_event.set()
def receive_tx(self, tx_hash, tx):
out = self.tx_result
if out != tx_hash:
return False, "error: " + out
run_hook('receive_tx', tx, self)
return True, out
def update_password(self, old_password, new_password):
if new_password == '':
new_password = None
if self.has_seed():
decoded = self.get_seed(old_password)
self.seed = pw_encode( decoded, new_password)
self.storage.put('seed', self.seed, True)
imported_account = self.accounts.get(IMPORTED_ACCOUNT)
if imported_account:
imported_account.update_password(old_password, new_password)
self.save_accounts()
if hasattr(self, 'master_private_keys'):
for k, v in self.master_private_keys.items():
b = pw_decode(v, old_password)
c = pw_encode(b, new_password)
self.master_private_keys[k] = c
self.storage.put('master_private_keys', self.master_private_keys, True)
self.use_encryption = (new_password != None)
self.storage.put('use_encryption', self.use_encryption,True)
def is_frozen(self, addr):
return addr in self.frozen_addresses
def set_frozen_state(self, addrs, freeze):
'''Set frozen state of the addresses to FREEZE, True or False'''
if all(self.is_mine(addr) for addr in addrs):
if freeze:
self.frozen_addresses |= set(addrs)
else:
self.frozen_addresses -= set(addrs)
self.storage.put('frozen_addresses', list(self.frozen_addresses), True)
return True
return False
def set_verifier(self, verifier):
self.verifier = verifier
# review transactions that are in the history
for addr, hist in self.history.items():
for tx_hash, tx_height in hist:
# add it in case it was previously unconfirmed
self.add_unverified_tx (tx_hash, tx_height)
# if we are on a pruning server, remove unverified transactions
with self.lock:
vr = self.verified_tx.keys() + self.unverified_tx.keys()
for tx_hash in self.transactions.keys():
if tx_hash not in vr:
print_error("removing transaction", tx_hash)
self.transactions.pop(tx_hash)
def start_threads(self, network):
from verifier import SPV
self.network = network
if self.network is not None:
self.verifier = SPV(self.network, self)
self.verifier.start()
self.set_verifier(self.verifier)
self.synchronizer = WalletSynchronizer(self, network)
network.jobs.append(self.synchronizer.main_loop)
else:
self.verifier = None
self.synchronizer = None
def stop_threads(self):
if self.network:
self.verifier.stop()
self.network.jobs.remove(self.synchronizer.main_loop)
self.synchronizer = None
self.storage.put('stored_height', self.get_local_height(), True)
def restore(self, cb):
pass
def get_accounts(self):
return self.accounts
def add_account(self, account_id, account):
self.accounts[account_id] = account
self.save_accounts()
def save_accounts(self):
d = {}
for k, v in self.accounts.items():
d[k] = v.dump()
self.storage.put('accounts', d, True)
def can_import(self):
return not self.is_watching_only()
def can_export(self):
return not self.is_watching_only()
def is_used(self, address):
h = self.history.get(address,[])
c, u, x = self.get_addr_balance(address)
return len(h), len(h) > 0 and c + u + x == 0
def is_empty(self, address):
c, u, x = self.get_addr_balance(address)
return c+u+x == 0
def address_is_old(self, address, age_limit=2):
age = -1
h = self.history.get(address, [])
for tx_hash, tx_height in h:
if tx_height == 0:
tx_age = 0
else:
tx_age = self.get_local_height() - tx_height + 1
if tx_age > age:
age = tx_age
return age > age_limit
def can_sign(self, tx):
if self.is_watching_only():
return False
if tx.is_complete():
return False
for x in tx.inputs_to_sign():
if self.can_sign_xpubkey(x):
return True
return False
def get_private_key_from_xpubkey(self, x_pubkey, password):
if x_pubkey[0:2] in ['02','03','04']:
addr = bitcoin.public_key_to_bc_address(x_pubkey.decode('hex'))
if self.is_mine(addr):
return self.get_private_key(addr, password)[0]
elif x_pubkey[0:2] == 'ff':
xpub, sequence = BIP32_Account.parse_xpubkey(x_pubkey)
for k, v in self.master_public_keys.items():
if v == xpub:
xprv = self.get_master_private_key(k, password)
if xprv:
_, _, _, c, k = deserialize_xkey(xprv)
return bip32_private_key(sequence, k, c)
elif x_pubkey[0:2] == 'fe':
xpub, sequence = OldAccount.parse_xpubkey(x_pubkey)
for k, account in self.accounts.items():
if xpub in account.get_master_pubkeys():
pk = account.get_private_key(sequence, self, password)
return pk[0]
elif x_pubkey[0:2] == 'fd':
addrtype = ord(x_pubkey[2:4].decode('hex'))
addr = hash_160_to_bc_address(x_pubkey[4:].decode('hex'), addrtype)
if self.is_mine(addr):
return self.get_private_key(addr, password)[0]
else:
raise BaseException("z")
def can_sign_xpubkey(self, x_pubkey):
if x_pubkey[0:2] in ['02','03','04']:
addr = bitcoin.public_key_to_bc_address(x_pubkey.decode('hex'))
return self.is_mine(addr)
elif x_pubkey[0:2] == 'ff':
if not isinstance(self, BIP32_Wallet): return False
xpub, sequence = BIP32_Account.parse_xpubkey(x_pubkey)
return xpub in [ self.master_public_keys[k] for k in self.master_private_keys.keys() ]
elif x_pubkey[0:2] == 'fe':
if not isinstance(self, OldWallet): return False
xpub, sequence = OldAccount.parse_xpubkey(x_pubkey)
return xpub == self.get_master_public_key()
elif x_pubkey[0:2] == 'fd':
addrtype = ord(x_pubkey[2:4].decode('hex'))
addr = hash_160_to_bc_address(x_pubkey[4:].decode('hex'), addrtype)
return self.is_mine(addr)
else:
raise BaseException("z")
def is_watching_only(self):
False
def can_change_password(self):
return not self.is_watching_only()
def get_unused_address(self, account):
# fixme: use slots from expired requests
domain = self.get_account_addresses(account, include_change=False)
for addr in domain:
if not self.history.get(addr) and addr not in self.receive_requests.keys():
return addr
def get_payment_request(self, addr, config):
import util
r = self.receive_requests.get(addr)
if not r:
return
out = copy.copy(r)
out['URI'] = 'verge:' + addr + '?amount=' + util.format_satoshis(out.get('amount'))
out['status'] = self.get_request_status(addr)
# check if bip70 file exists
rdir = config.get('requests_dir')
if rdir:
key = out.get('id', addr)
path = os.path.join(rdir, key)
if os.path.exists(path):
baseurl = 'file://' + rdir
rewrite = config.get('url_rewrite')
if rewrite:
baseurl = baseurl.replace(*rewrite)
out['request_url'] = os.path.join(baseurl, key)
out['URI'] += '&r=' + out['request_url']
out['index_url'] = os.path.join(baseurl, 'index.html') + '?id=' + key
return out
def get_request_status(self, key):
from paymentrequest import PR_PAID, PR_UNPAID, PR_UNKNOWN, PR_EXPIRED
r = self.receive_requests[key]
address = r['address']
amount = r.get('amount')
timestamp = r.get('time', 0)
if timestamp and type(timestamp) != int:
timestamp = 0
expiration = r.get('exp')
if expiration and type(expiration) != int:
expiration = 0
if amount:
if self.up_to_date:
paid = amount <= self.get_addr_received(address)
status = PR_PAID if paid else PR_UNPAID
if status == PR_UNPAID and expiration is not None and time.time() > timestamp + expiration:
status = PR_EXPIRED
else:
status = PR_UNKNOWN
else:
status = PR_UNKNOWN
return status
def make_payment_request(self, addr, amount, message, expiration):
timestamp = int(time.time())
_id = Hash(addr + "%d"%timestamp).encode('hex')[0:10]
r = {'time':timestamp, 'amount':amount, 'exp':expiration, 'address':addr, 'memo':message, 'id':_id}
return r
def sign_payment_request(self, key, alias, alias_addr, password):
req = self.receive_requests.get(key)
alias_privkey = self.get_private_key(alias_addr, password)[0]
pr = paymentrequest.make_unsigned_request(req)
paymentrequest.sign_request_with_alias(pr, alias, alias_privkey)
req['name'] = pr.pki_data
req['sig'] = pr.signature.encode('hex')
self.receive_requests[key] = req
self.storage.put('payment_requests', self.receive_requests)
def add_payment_request(self, req, config):
import os
addr = req['address']
amount = req.get('amount')
message = req.get('memo')
self.receive_requests[addr] = req
self.storage.put('payment_requests', self.receive_requests)
self.set_label(addr, message) # should be a default label
rdir = config.get('requests_dir')
if rdir and amount is not None:
key = req.get('id', addr)
pr = paymentrequest.make_request(config, req)
path = os.path.join(rdir, key)
with open(path, 'w') as f:
f.write(pr.SerializeToString())
# reload
req = self.get_payment_request(addr, config)
with open(os.path.join(rdir, key + '.json'), 'w') as f:
f.write(json.dumps(req))
return req
def remove_payment_request(self, addr, config):
if addr not in self.receive_requests:
return False
r = self.receive_requests.pop(addr)
rdir = config.get('requests_dir')
if rdir:
key = r.get('id', addr)
for s in ['.json', '']:
n = os.path.join(rdir, key + s)
if os.path.exists(n):
os.unlink(n)
self.storage.put('payment_requests', self.receive_requests)
return True
def get_sorted_requests(self, config):
return sorted(map(lambda x: self.get_payment_request(x, config), self.receive_requests.keys()), key=lambda x: x.get('time', 0))
class Imported_Wallet(Abstract_Wallet):
wallet_type = 'imported'
def __init__(self, storage):
Abstract_Wallet.__init__(self, storage)
a = self.accounts.get(IMPORTED_ACCOUNT)
if not a:
self.accounts[IMPORTED_ACCOUNT] = ImportedAccount({'imported':{}})
def is_watching_only(self):
acc = self.accounts[IMPORTED_ACCOUNT]
n = acc.keypairs.values()
return len(n) > 0 and n == [[None, None]] * len(n)
def has_seed(self):
return False
def is_deterministic(self):
return False
def check_password(self, password):
self.accounts[IMPORTED_ACCOUNT].get_private_key((0,0), self, password)
def is_used(self, address):
h = self.history.get(address,[])
return len(h), False
def get_master_public_keys(self):
return {}
def is_beyond_limit(self, address, account, is_change):
return False
class Deterministic_Wallet(Abstract_Wallet):
def __init__(self, storage):
Abstract_Wallet.__init__(self, storage)
def has_seed(self):
return self.seed != ''
def is_deterministic(self):
return True
def is_watching_only(self):
return not self.has_seed()
def add_seed(self, seed, password):
if self.seed:
raise Exception("a seed exists")
self.seed_version, self.seed = self.format_seed(seed)
if password:
self.seed = pw_encode( self.seed, password)
self.use_encryption = True
else:
self.use_encryption = False
self.storage.put('seed', self.seed, False)
self.storage.put('seed_version', self.seed_version, False)
self.storage.put('use_encryption', self.use_encryption,True)
def get_seed(self, password):
return pw_decode(self.seed, password)
def get_mnemonic(self, password):
return self.get_seed(password)
def change_gap_limit(self, value):
assert isinstance(value, int), 'gap limit must be of type int, not of %s'%type(value)
if value >= self.gap_limit:
self.gap_limit = value
self.storage.put('gap_limit', self.gap_limit, True)
return True
elif value >= self.min_acceptable_gap():
for key, account in self.accounts.items():
addresses = account.get_addresses(False)
k = self.num_unused_trailing_addresses(addresses)
n = len(addresses) - k + value
account.receiving_pubkeys = account.receiving_pubkeys[0:n]
account.receiving_addresses = account.receiving_addresses[0:n]
self.gap_limit = value
self.storage.put('gap_limit', self.gap_limit, True)
self.save_accounts()
return True
else:
return False
def num_unused_trailing_addresses(self, addresses):
k = 0
for a in addresses[::-1]:
if self.history.get(a):break
k = k + 1
return k
def min_acceptable_gap(self):
# fixme: this assumes wallet is synchronized
n = 0
nmax = 0
for account in self.accounts.values():
addresses = account.get_addresses(0)
k = self.num_unused_trailing_addresses(addresses)
for a in addresses[0:-k]:
if self.history.get(a):
n = 0
else:
n += 1
if n > nmax: nmax = n
return nmax + 1
def default_account(self):
return self.accounts['0']
def create_new_address(self, account=None, for_change=0):
if account is None:
account = self.default_account()
address = account.create_new_address(for_change)
self.add_address(address)
return address
def add_address(self, address):
if address not in self.history:
self.history[address] = []
if self.synchronizer:
self.synchronizer.add(address)
self.save_accounts()
def synchronize(self):
with self.lock:
for account in self.accounts.values():
account.synchronize(self)
def restore(self, callback):
from i18n import _
def wait_for_wallet():
self.set_up_to_date(False)
while not self.is_up_to_date():
msg = "%s\n%s %d"%(
_("Please wait..."),
_("Addresses generated:"),
len(self.addresses(True)))
apply(callback, (msg,))
time.sleep(0.1)
def wait_for_network():
while not self.network.is_connected():
msg = "%s \n" % (_("Connecting..."))
apply(callback, (msg,))
time.sleep(0.1)
# wait until we are connected, because the user might have selected another server
if self.network:
wait_for_network()
wait_for_wallet()
else:
self.synchronize()
def is_beyond_limit(self, address, account, is_change):
if type(account) == ImportedAccount:
return False
addr_list = account.get_addresses(is_change)
i = addr_list.index(address)
prev_addresses = addr_list[:max(0, i)]
limit = self.gap_limit_for_change if is_change else self.gap_limit
if len(prev_addresses) < limit:
return False
prev_addresses = prev_addresses[max(0, i - limit):]
for addr in prev_addresses:
if self.history.get(addr):
return False
return True
def get_action(self):
if not self.get_master_public_key():
return 'create_seed'
if not self.accounts:
return 'create_accounts'
def get_master_public_keys(self):
out = {}
for k, account in self.accounts.items():
if type(account) == ImportedAccount:
continue
name = self.get_account_name(k)
mpk_text = '\n\n'.join(account.get_master_pubkeys())
out[name] = mpk_text
return out
class BIP32_Wallet(Deterministic_Wallet):
# abstract class, bip32 logic
root_name = 'x/'
def __init__(self, storage):
Deterministic_Wallet.__init__(self, storage)
self.master_public_keys = storage.get('master_public_keys', {})
self.master_private_keys = storage.get('master_private_keys', {})
self.gap_limit = storage.get('gap_limit', 20)
def is_watching_only(self):
return not bool(self.master_private_keys)
def can_import(self):
return False
def get_master_public_key(self):
return self.master_public_keys.get(self.root_name)
def get_master_private_key(self, account, password):
k = self.master_private_keys.get(account)
if not k: return
xprv = pw_decode(k, password)
try:
deserialize_xkey(xprv)
except:
raise InvalidPassword()
return xprv
def check_password(self, password):
xpriv = self.get_master_private_key(self.root_name, password)
xpub = self.master_public_keys[self.root_name]
if deserialize_xkey(xpriv)[3] != deserialize_xkey(xpub)[3]:
raise InvalidPassword()
def add_master_public_key(self, name, xpub):
if xpub in self.master_public_keys.values():
raise BaseException('Duplicate master public key')
self.master_public_keys[name] = xpub
self.storage.put('master_public_keys', self.master_public_keys, True)
def add_master_private_key(self, name, xpriv, password):
self.master_private_keys[name] = pw_encode(xpriv, password)
self.storage.put('master_private_keys', self.master_private_keys, True)
def derive_xkeys(self, root, derivation, password):
x = self.master_private_keys[root]
root_xprv = pw_decode(x, password)
xprv, xpub = bip32_private_derivation(root_xprv, root, derivation)
return xpub, xprv
def create_master_keys(self, password):
seed = self.get_seed(password)
self.add_cosigner_seed(seed, self.root_name, password)
def add_cosigner_seed(self, seed, name, password, passphrase=''):
# we don't store the seed, only the master xpriv
xprv, xpub = bip32_root(self.mnemonic_to_seed(seed, passphrase))
xprv, xpub = bip32_private_derivation(xprv, "m/", self.root_derivation)
self.add_master_public_key(name, xpub)
self.add_master_private_key(name, xprv, password)
def add_cosigner_xpub(self, seed, name):
# store only master xpub
xprv, xpub = bip32_root(self.mnemonic_to_seed(seed,''))
xprv, xpub = bip32_private_derivation(xprv, "m/", self.root_derivation)
self.add_master_public_key(name, xpub)
def mnemonic_to_seed(self, seed, password):
return Mnemonic.mnemonic_to_seed(seed, password)
def make_seed(self, lang=None):
return Mnemonic(lang).make_seed()
def format_seed(self, seed):
return NEW_SEED_VERSION, ' '.join(seed.split())
class BIP32_Simple_Wallet(BIP32_Wallet):
# Wallet with a single BIP32 account, no seed
# gap limit 20
wallet_type = 'xpub'
def create_xprv_wallet(self, xprv, password):
xpub = bitcoin.xpub_from_xprv(xprv)
account = BIP32_Account({'xpub':xpub})
self.storage.put('seed_version', self.seed_version, True)
self.add_master_private_key(self.root_name, xprv, password)
self.add_master_public_key(self.root_name, xpub)
self.add_account('0', account)
self.use_encryption = (password != None)
self.storage.put('use_encryption', self.use_encryption,True)
def create_xpub_wallet(self, xpub):
account = BIP32_Account({'xpub':xpub})
self.storage.put('seed_version', self.seed_version, True)
self.add_master_public_key(self.root_name, xpub)
self.add_account('0', account)
class BIP32_HD_Wallet(BIP32_Wallet):
# wallet that can create accounts
def __init__(self, storage):
self.next_account = storage.get('next_account2', None)
BIP32_Wallet.__init__(self, storage)
def can_create_accounts(self):
return self.root_name in self.master_private_keys.keys()
def addresses(self, b=True):
l = BIP32_Wallet.addresses(self, b)
if self.next_account:
_, _, _, next_address = self.next_account
if next_address not in l:
l.append(next_address)
return l
def get_address_index(self, address):
if self.next_account:
next_id, next_xpub, next_pubkey, next_address = self.next_account
if address == next_address:
return next_id, (0,0)
return BIP32_Wallet.get_address_index(self, address)
def num_accounts(self):
keys = []
for k, v in self.accounts.items():
if type(v) != BIP32_Account:
continue
keys.append(k)
i = 0
while True:
account_id = '%d'%i
if account_id not in keys:
break
i += 1
return i
def get_next_account(self, password):
account_id = '%d'%self.num_accounts()
derivation = self.root_name + "%d'"%int(account_id)
xpub, xprv = self.derive_xkeys(self.root_name, derivation, password)
self.add_master_public_key(derivation, xpub)
if xprv:
self.add_master_private_key(derivation, xprv, password)
account = BIP32_Account({'xpub':xpub})
addr, pubkey = account.first_address()
self.add_address(addr)
return account_id, xpub, pubkey, addr
def create_main_account(self, password):
# First check the password is valid (this raises if it isn't).
self.check_password(password)
assert self.num_accounts() == 0
self.create_account('Main account', password)
def create_account(self, name, password):
account_id, xpub, _, _ = self.get_next_account(password)
account = BIP32_Account({'xpub':xpub})
self.add_account(account_id, account)
self.set_label(account_id, name)
# add address of the next account
self.next_account = self.get_next_account(password)
self.storage.put('next_account2', self.next_account)
def account_is_pending(self, k):
return type(self.accounts.get(k)) == PendingAccount
def delete_pending_account(self, k):
assert type(self.accounts.get(k)) == PendingAccount
self.accounts.pop(k)
self.save_accounts()
def create_pending_account(self, name, password):
if self.next_account is None:
self.next_account = self.get_next_account(password)
self.storage.put('next_account2', self.next_account)
next_id, next_xpub, next_pubkey, next_address = self.next_account
if name:
self.set_label(next_id, name)
self.accounts[next_id] = PendingAccount({'pending':True, 'address':next_address, 'pubkey':next_pubkey})
self.save_accounts()
def synchronize(self):
# synchronize existing accounts
BIP32_Wallet.synchronize(self)
if self.next_account is None and not self.use_encryption:
try:
self.next_account = self.get_next_account(None)
self.storage.put('next_account2', self.next_account)
except:
print_error('cannot get next account')
# check pending account
if self.next_account is not None:
next_id, next_xpub, next_pubkey, next_address = self.next_account
if self.address_is_old(next_address):
print_error("creating account", next_id)
self.add_account(next_id, BIP32_Account({'xpub':next_xpub}))
# here the user should get a notification
self.next_account = None
self.storage.put('next_account2', self.next_account)
elif self.history.get(next_address, []):
if next_id not in self.accounts:
print_error("create pending account", next_id)
self.accounts[next_id] = PendingAccount({'pending':True, 'address':next_address, 'pubkey':next_pubkey})
self.save_accounts()
class NewWallet(BIP32_Wallet, Mnemonic):
# Standard wallet
root_derivation = "m/"
wallet_type = 'standard'
def create_main_account(self, password):
xpub = self.master_public_keys.get("x/")
account = BIP32_Account({'xpub':xpub})
self.add_account('0', account)
class Multisig_Wallet(BIP32_Wallet, Mnemonic):
# generic m of n
root_name = "x1/"
root_derivation = "m/"
def __init__(self, storage):
BIP32_Wallet.__init__(self, storage)
self.wallet_type = storage.get('wallet_type')
m = re.match('(\d+)of(\d+)', self.wallet_type)
self.m = int(m.group(1))
self.n = int(m.group(2))
def load_accounts(self):
self.accounts = {}
d = self.storage.get('accounts', {})
v = d.get('0')
if v:
if v.get('xpub3'):
v['xpubs'] = [v['xpub'], v['xpub2'], v['xpub3']]
elif v.get('xpub2'):
v['xpubs'] = [v['xpub'], v['xpub2']]
self.accounts = {'0': Multisig_Account(v)}
def create_main_account(self, password):
account = Multisig_Account({'xpubs': self.master_public_keys.values(), 'm': self.m})
self.add_account('0', account)
def get_master_public_keys(self):
return self.master_public_keys
def get_action(self):
for i in range(self.n):
if self.master_public_keys.get("x%d/"%(i+1)) is None:
return 'create_seed' if i == 0 else 'add_cosigners'
if not self.accounts:
return 'create_accounts'
class OldWallet(Deterministic_Wallet):
wallet_type = 'old'
def __init__(self, storage):
Deterministic_Wallet.__init__(self, storage)
self.gap_limit = storage.get('gap_limit', 5)
def make_seed(self):
import old_mnemonic
seed = random_seed(128)
return ' '.join(old_mnemonic.mn_encode(seed))
def format_seed(self, seed):
import old_mnemonic
# see if seed was entered as hex
seed = seed.strip()
try:
assert seed
seed.decode('hex')
return OLD_SEED_VERSION, str(seed)
except Exception:
pass
words = seed.split()
seed = old_mnemonic.mn_decode(words)
if not seed:
raise Exception("Invalid seed")
return OLD_SEED_VERSION, seed
def create_master_keys(self, password):
seed = self.get_seed(password)
mpk = OldAccount.mpk_from_seed(seed)
self.storage.put('master_public_key', mpk, True)
def get_master_public_key(self):
return self.storage.get("master_public_key")
def get_master_public_keys(self):
return {'Main Account':self.get_master_public_key()}
def create_main_account(self, password):
mpk = self.storage.get("master_public_key")
self.create_account(mpk)
def create_account(self, mpk):
self.accounts['0'] = OldAccount({'mpk':mpk, 0:[], 1:[]})
self.save_accounts()
def create_watching_only_wallet(self, mpk):
self.seed_version = OLD_SEED_VERSION
self.storage.put('seed_version', self.seed_version, False)
self.storage.put('master_public_key', mpk, True)
self.create_account(mpk)
def get_seed(self, password):
seed = pw_decode(self.seed, password).encode('utf8')
return seed
def check_password(self, password):
seed = self.get_seed(password)
self.accounts['0'].check_seed(seed)
def get_mnemonic(self, password):
import old_mnemonic
s = self.get_seed(password)
return ' '.join(old_mnemonic.mn_encode(s))
wallet_types = [
# category type description constructor
('standard', 'old', ("Old wallet"), OldWallet),
('standard', 'xpub', ("BIP32 Import"), BIP32_Simple_Wallet),
('standard', 'standard', ("Standard wallet"), NewWallet),
('standard', 'imported', ("Imported wallet"), Imported_Wallet),
('multisig', '2of2', ("Multisig wallet (2 of 2)"), Multisig_Wallet),
('multisig', '2of3', ("Multisig wallet (2 of 3)"), Multisig_Wallet)
]
# former WalletFactory
class Wallet(object):
"""The main wallet "entry point".
This class is actually a factory that will return a wallet of the correct
type when passed a WalletStorage instance."""
def __new__(self, storage):
seed_version = storage.get('seed_version')
if not seed_version:
seed_version = OLD_SEED_VERSION if len(storage.get('master_public_key','')) == 128 else NEW_SEED_VERSION
if seed_version not in [OLD_SEED_VERSION, NEW_SEED_VERSION]:
msg = "Your wallet has an unsupported seed version."
msg += '\n\nWallet file: %s' % os.path.abspath(storage.path)
if seed_version in [5, 7, 8, 9, 10]:
msg += "\n\nTo open this wallet, try 'git checkout seed_v%d'"%seed_version
if seed_version == 6:
# version 1.9.8 created v6 wallets when an incorrect seed was entered in the restore dialog
msg += '\n\nThis file was created because of a bug in version 1.9.8.'
if storage.get('master_public_keys') is None and storage.get('master_private_keys') is None and storage.get('imported_keys') is None:
# pbkdf2 was not included with the binaries, and wallet creation aborted.
msg += "\nIt does not contain any keys, and can safely be removed."
else:
# creation was complete if electrum was run from source
msg += "\nPlease open this file with Electrum 1.9.8, and move your coins to a new wallet."
raise BaseException(msg)
wallet_type = storage.get('wallet_type')
if wallet_type:
for cat, t, name, c in wallet_types:
if t == wallet_type:
WalletClass = c
break
else:
if re.match('(\d+)of(\d+)', wallet_type):
WalletClass = Multisig_Wallet
else:
raise BaseException('unknown wallet type', wallet_type)
else:
if seed_version == OLD_SEED_VERSION:
WalletClass = OldWallet
else:
WalletClass = NewWallet
return WalletClass(storage)
@classmethod
def is_seed(self, seed):
if not seed:
return False
elif is_old_seed(seed):
return True
elif is_new_seed(seed):
return True
else:
return False
@classmethod
def is_old_mpk(self, mpk):
try:
int(mpk, 16)
assert len(mpk) == 128
return True
except:
return False
@classmethod
def is_xpub(self, text):
try:
assert text[0:4] == 'xpub'
deserialize_xkey(text)
return True
except:
return False
@classmethod
def is_xprv(self, text):
try:
assert text[0:4] == 'xprv'
deserialize_xkey(text)
return True
except:
return False
@classmethod
def is_address(self, text):
if not text:
return False
for x in text.split():
if not bitcoin.is_address(x):
return False
return True
@classmethod
def is_private_key(self, text):
if not text:
return False
for x in text.split():
if not bitcoin.is_private_key(x):
return False
return True
@classmethod
def from_seed(self, seed, password, storage):
if is_old_seed(seed):
klass = OldWallet
elif is_new_seed(seed):
klass = NewWallet
w = klass(storage)
w.add_seed(seed, password)
w.create_master_keys(password)
w.create_main_account(password)
return w
@classmethod
def from_address(self, text, storage):
w = Imported_Wallet(storage)
for x in text.split():
w.accounts[IMPORTED_ACCOUNT].add(x, None, None, None)
w.save_accounts()
return w
@classmethod
def from_private_key(self, text, password, storage):
w = Imported_Wallet(storage)
w.update_password(None, password)
for x in text.split():
w.import_key(x, password)
return w
@classmethod
def from_old_mpk(self, mpk, storage):
w = OldWallet(storage)
w.seed = ''
w.create_watching_only_wallet(mpk)
return w
@classmethod
def from_xpub(self, xpub, storage):
w = BIP32_Simple_Wallet(storage)
w.create_xpub_wallet(xpub)
return w
@classmethod
def from_xprv(self, xprv, password, storage):
w = BIP32_Simple_Wallet(storage)
w.create_xprv_wallet(xprv, password)
return w
@classmethod
def from_multisig(klass, key_list, password, storage, wallet_type):
storage.put('wallet_type', wallet_type, True)
self = Multisig_Wallet(storage)
key_list = sorted(key_list, key = lambda x: klass.is_xpub(x))
for i, text in enumerate(key_list):
assert klass.is_seed(text) or klass.is_xprv(text) or klass.is_xpub(text)
name = "x%d/"%(i+1)
if klass.is_xprv(text):
xpub = bitcoin.xpub_from_xprv(text)
self.add_master_public_key(name, xpub)
self.add_master_private_key(name, text, password)
elif klass.is_xpub(text):
self.add_master_public_key(name, text)
elif klass.is_seed(text):
if name == 'x1/':
self.add_seed(text, password)
self.create_master_keys(password)
else:
self.add_cosigner_seed(text, name, password)
self.use_encryption = (password != None)
self.storage.put('use_encryption', self.use_encryption, True)
self.create_main_account(password)
return self
| harwee/electrum-xvg-tor | lib/wallet.py | Python | gpl-3.0 | 73,225 |
# This is an auto-generated file. Use admin/change-versions to update.
from twisted.python import versions
version = versions.Version(__name__[:__name__.rfind('.')], 0, 6, 0)
| kenorb-contrib/BitTorrent | twisted/web/_version.py | Python | gpl-3.0 | 175 |
"""
Bot wide hook opt-out for channels
"""
import asyncio
from collections import defaultdict
from fnmatch import fnmatch
from functools import total_ordering
from threading import RLock
from sqlalchemy import Table, Column, String, Boolean, PrimaryKeyConstraint, and_
from cloudbot import hook
from cloudbot.hook import Priority
from cloudbot.util import database, web
from cloudbot.util.formatting import gen_markdown_table
optout_table = Table(
'optout',
database.metadata,
Column('network', String),
Column('chan', String),
Column('hook', String),
Column('allow', Boolean, default=False),
PrimaryKeyConstraint('network', 'chan', 'hook')
)
optout_cache = defaultdict(list)
cache_lock = RLock()
@total_ordering
class OptOut:
def __init__(self, channel, hook_pattern, allow):
self.channel = channel.casefold()
self.hook = hook_pattern.casefold()
self.allow = allow
def __lt__(self, other):
if isinstance(other, OptOut):
diff = len(self.channel) - len(other.channel)
if diff:
return diff < 0
return len(self.hook) < len(other.hook)
return NotImplemented
def __str__(self):
return "{} {} {}".format(self.channel, self.hook, self.allow)
def __repr__(self):
return "{}({}, {}, {})".format(self.__class__.__name__, self.channel, self.hook, self.allow)
def match(self, channel, hook_name):
return self.match_chan(channel) and fnmatch(hook_name.casefold(), self.hook)
def match_chan(self, channel):
return fnmatch(channel.casefold(), self.channel)
@asyncio.coroutine
def check_channel_permissions(event, chan, *perms):
old_chan = event.chan
event.chan = chan
allowed = yield from event.check_permissions(*perms)
event.chan = old_chan
return allowed
def get_channel_optouts(conn_name, chan=None):
with cache_lock:
return [opt for opt in optout_cache[conn_name] if not chan or opt.match_chan(chan)]
def format_optout_list(opts):
headers = ("Channel Pattern", "Hook Pattern", "Allowed")
table = [(opt.channel, opt.hook, "true" if opt.allow else "false") for opt in opts]
return gen_markdown_table(headers, table)
def set_optout(db, conn, chan, pattern, allowed):
conn_cf = conn.casefold()
chan_cf = chan.casefold()
pattern_cf = pattern.casefold()
clause = and_(optout_table.c.network == conn_cf, optout_table.c.chan == chan_cf, optout_table.c.hook == pattern_cf)
res = db.execute(optout_table.update().values(allow=allowed).where(clause))
if not res.rowcount:
db.execute(optout_table.insert().values(network=conn_cf, chan=chan_cf, hook=pattern_cf, allow=allowed))
db.commit()
load_cache(db)
def del_optout(db, conn, chan, pattern):
conn_cf = conn.casefold()
chan_cf = chan.casefold()
pattern_cf = pattern.casefold()
clause = and_(optout_table.c.network == conn_cf, optout_table.c.chan == chan_cf, optout_table.c.hook == pattern_cf)
res = db.execute(optout_table.delete().where(clause))
db.commit()
load_cache(db)
return res.rowcount > 0
def clear_optout(db, conn, chan=None):
conn_cf = conn.casefold()
if chan:
chan_cf = chan.casefold()
clause = and_(optout_table.c.network == conn_cf, optout_table.c.chan == chan_cf)
else:
clause = optout_table.c.network == conn_cf
res = db.execute(optout_table.delete().where(clause))
db.commit()
load_cache(db)
return res.rowcount
_STR_TO_BOOL = {
"yes": True,
"y": True,
"no": False,
"n": False,
"on": True,
"off": False,
"enable": True,
"disable": False,
"allow": True,
"deny": False,
}
@hook.onload
def load_cache(db):
with cache_lock:
optout_cache.clear()
for row in db.execute(optout_table.select()):
optout_cache[row["network"]].append(OptOut(row["chan"], row["hook"], row["allow"]))
for opts in optout_cache.values():
opts.sort(reverse=True)
# noinspection PyUnusedLocal
@hook.sieve(priority=Priority.HIGHEST)
def optout_sieve(bot, event, _hook):
if not event.chan or not event.conn:
return event
hook_name = _hook.plugin.title + "." + _hook.function_name
with cache_lock:
optouts = optout_cache[event.conn.name]
for _optout in optouts:
if _optout.match(event.chan, hook_name):
if not _optout.allow:
if _hook.type == "command":
event.notice("Sorry, that command is disabled in this channel.")
return None
break
return event
@hook.command
@asyncio.coroutine
def optout(text, event, chan, db, conn):
"""[chan] <pattern> [allow] - Set the global allow option for hooks matching <pattern> in [chan], or the current channel if not specified
:type text: str
:type event: cloudbot.event.CommandEvent
"""
args = text.split()
if args[0].startswith("#") and len(args) > 1:
chan = args.pop(0)
has_perm = yield from check_channel_permissions(event, chan, "op", "chanop", "snoonetstaff", "botcontrol")
if not has_perm:
event.notice("Sorry, you may not configure optout settings for that channel.")
return
pattern = args.pop(0)
allowed = False
if args:
allow = args.pop(0)
try:
allowed = _STR_TO_BOOL[allow.lower()]
except KeyError:
return "Invalid allow option."
yield from event.async_call(set_optout, db, conn.name, chan, pattern, allowed)
return "{action} hooks matching {pattern} in {channel}.".format(
action="Enabled" if allowed else "Disabled",
pattern=pattern,
channel=chan
)
@hook.command
@asyncio.coroutine
def deloptout(text, event, chan, db, conn):
"""[chan] <pattern> - Delete global optout hooks matching <pattern> in [chan], or the current channel if not specified"""
args = text.split()
if len(args) > 1:
chan = args.pop(0)
has_perm = yield from check_channel_permissions(event, chan, "op", "chanop", "snoonetstaff", "botcontrol")
if not has_perm:
event.notice("Sorry, you may not configure optout settings for that channel.")
return
pattern = args.pop(0)
deleted = yield from event.async_call(del_optout, db, conn, chan, pattern)
if deleted:
return "Deleted optout '{}' in channel '{}'.".format(pattern, chan)
return "No matching optouts in channel '{}'.".format(chan)
@asyncio.coroutine
def check_global_perms(event):
chan = event.chan
text = event.text
if text:
chan = text.split()[0]
can_global = yield from event.check_permissions("snoonetstaff", "botcontrol")
allowed = can_global or (yield from check_channel_permissions(event, chan, "op", "chanop"))
if not allowed:
event.notice("Sorry, you are not allowed to use this command.")
if chan.lower() == "global":
if not can_global:
event.notice("You do not have permission to access global opt outs")
allowed = False
chan = None
return chan, allowed
@hook.command("listoptout", autohelp=False)
@asyncio.coroutine
def list_optout(conn, event, async_call):
"""[channel] - View the opt out data for <channel> or the current channel if not specified. Specify "global" to view all data for this network
:type conn: cloudbot.clients.irc.Client
:type event: cloudbot.event.CommandEvent
"""
chan, allowed = yield from check_global_perms(event)
if not allowed:
return
opts = yield from async_call(get_channel_optouts, conn.name, chan)
table = yield from async_call(format_optout_list, opts)
return web.paste(table, "md", "hastebin")
@hook.command("clearoptout", autohelp=False)
@asyncio.coroutine
def clear(conn, event, db, async_call):
"""[channel] - Clears the optout list for a channel. Specify "global" to clear all data for this network"""
chan, allowed = yield from check_global_perms(event)
if not allowed:
return
count = yield from async_call(clear_optout, db, conn.name, chan)
return "Cleared {} opt outs from the list.".format(count)
| weylin/CloudBot | plugins/core/optout.py | Python | gpl-3.0 | 8,268 |
import moose
foo = moose.Pool('/foo1', 500)
bar = moose.vec('/foo1')
assert len(bar) == 500
| subhacom/moose-core | tests/python/test_vec.py | Python | gpl-3.0 | 92 |
# -*- coding: utf-8 -*-
#
# Copyright © 2012 - 2014 Michal Čihař <michal@cihar.com>
#
# This file is part of Weblate <http://weblate.org/>
#
# This program is free software: you can redistribute it and/or modify
# it under the terms of the GNU General Public License as published by
# the Free Software Foundation, either version 3 of the License, or
# (at your option) any later version.
#
# This program is distributed in the hope that it will be useful,
# but WITHOUT ANY WARRANTY; without even the implied warranty of
# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
# GNU General Public License for more details.
#
# You should have received a copy of the GNU General Public License
# along with this program. If not, see <http://www.gnu.org/licenses/>.
#
from weblate.trans.management.commands import WeblateLangCommand
from django.utils import timezone
from datetime import timedelta
from optparse import make_option
class Command(WeblateLangCommand):
help = 'commits pending changes older than given age'
option_list = WeblateLangCommand.option_list + (
make_option(
'--age',
action='store',
type='int',
dest='age',
default=24,
help='Age of changes to commit in hours (default is 24 hours)'
),
)
def handle(self, *args, **options):
age = timezone.now() - timedelta(hours=options['age'])
for translation in self.get_translations(*args, **options):
if not translation.git_needs_commit():
continue
last_change = translation.get_last_change()
if last_change is None:
continue
if last_change > age:
continue
if int(options['verbosity']) >= 1:
print 'Committing %s' % translation
translation.commit_pending(None)
| paour/weblate | weblate/trans/management/commands/commit_pending.py | Python | gpl-3.0 | 1,898 |
#Copyright ReportLab Europe Ltd. 2000-2012
#see license.txt for license details
# $URI:$
__version__=''' $Id$ '''
__doc__='''Gazillions of miscellaneous internal utility functions'''
import os, sys, imp, time, types
from base64 import decodestring as base64_decodestring, encodestring as base64_encodestring
try:
from cPickle import dumps as pickle_dumps, loads as pickle_loads, dump as pickle_dump, load as pickle_load
except ImportError:
from pickle import dumps as pickle_dumps, loads as pickle_loads, dump as pickle_dump, load as pickle_load
from reportlab import isPy3
from reportlab.lib.logger import warnOnce
from reportlab.lib.rltempfile import get_rl_tempfile, get_rl_tempdir, _rl_getuid
try:
from hashlib import md5
except ImportError:
import md5
def isFunction(v):
return type(v) == type(isFunction)
class c:
def m(self): pass
def isMethod(v,mt=type(c.m)):
return type(v) == mt
del c
def isModule(v):
return type(v) == type(sys)
def isSeq(v,_st=(tuple,list)):
return isinstance(v,_st)
def isNative(v):
return isinstance(v, str)
#isStr is supposed to be for arbitrary stringType
#isBytes for bytes strings only
#isUnicode for proper unicode
if isPy3:
_rl_NoneType=type(None)
bytesT = bytes
unicodeT = str
strTypes = (str,bytes)
def _digester(s):
return md5(s if isBytes(s) else s.encode('utf8')).hexdigest()
def asBytes(v,enc='utf8'):
return v if isinstance(v,bytes) else v.encode(enc)
def asUnicode(v,enc='utf8'):
return v if isinstance(v,str) else v.decode(enc)
def asUnicodeEx(v,enc='utf8'):
return v if isinstance(v,str) else v.decode(enc) if isinstance(v,bytes) else str(v)
def asNative(v,enc='utf8'):
return asUnicode(v,enc=enc)
uniChr = chr
def int2Byte(i):
return bytes([i])
def isStr(v):
return isinstance(v, (str,bytes))
def isBytes(v):
return isinstance(v, bytes)
def isUnicode(v):
return isinstance(v, str)
def isClass(v):
return isinstance(v, type)
def isNonPrimitiveInstance(x):
return not isinstance(x,(float,int,type,tuple,list,dict,str,bytes,complex,bool,slice,_rl_NoneType,
types.FunctionType,types.LambdaType,types.CodeType,
types.MappingProxyType,types.SimpleNamespace,
types.GeneratorType,types.MethodType,types.BuiltinFunctionType,
types.BuiltinMethodType,types.ModuleType,types.TracebackType,
types.FrameType,types.GetSetDescriptorType,types.MemberDescriptorType))
def instantiated(v):
return not isinstance(v,type)
from string import ascii_letters, ascii_uppercase, ascii_lowercase
from io import BytesIO, StringIO
def getBytesIO(buf=None):
'''unified StringIO instance interface'''
if buf:
return BytesIO(buf)
return BytesIO()
_bytesIOType = BytesIO
def getStringIO(buf=None):
'''unified StringIO instance interface'''
if buf:
return StringIO(buf)
return StringIO()
def bytestr(x,enc='utf8'):
if isinstance(x,str):
return x.encode(enc)
elif isinstance(x,bytes):
return x
else:
return str(x).encode(enc)
def encode_label(args):
return base64_encodestring(pickle_dumps(args)).strip().decode('latin1')
def decode_label(label):
return pickle_loads(base64_decodestring(label.encode('latin1')))
def rawUnicode(s):
'''converts first 256 unicodes 1-1'''
return s.decode('latin1') if not isinstance(s,str) else s
def rawBytes(s):
'''converts first 256 unicodes 1-1'''
return s.encode('latin1') if isinstance(s,str) else s
import builtins
rl_exec = getattr(builtins,'exec')
del builtins
def char2int(s):
return s if isinstance(s,int) else ord(s if isinstance(s,str) else s.decode('latin1'))
def rl_reraise(t, v, b=None):
if v.__traceback__ is not b:
raise v.with_traceback(b)
raise v
def rl_add_builtins(**kwd):
import builtins
for k,v in kwd.items():
setattr(builtins,k,v)
else:
bytesT = str
unicodeT = unicode
strTypes = basestring
if sys.hexversion >= 0x02000000:
def _digester(s):
return md5(s).hexdigest()
else:
# hexdigest not available in 1.5
def _digester(s):
return join(["%02x" % ord(x) for x in md5(s).digest()], '')
def asBytes(v,enc='utf8'):
return v if isinstance(v,str) else v.encode(enc)
def asNative(v,enc='utf8'):
return asBytes(v,enc=enc)
def uniChr(v):
return unichr(v)
def isStr(v):
return isinstance(v, basestring)
def isBytes(v):
return isinstance(v, str)
def isUnicode(v):
return isinstance(v, unicode)
def asUnicode(v,enc='utf8'):
return v if isinstance(v,unicode) else v.decode(enc)
def asUnicodeEx(v,enc='utf8'):
return v if isinstance(v,unicode) else v.decode(enc) if isinstance(v,str) else unicode(v)
def isClass(v):
return isinstance(v,(types.ClassType,type))
def isNonPrimitiveInstance(x):
return isinstance(x,types.InstanceType) or not isinstance(x,(float,int,long,type,tuple,list,dict,bool,unicode,str,buffer,complex,slice,types.NoneType,
types.FunctionType,types.LambdaType,types.CodeType,types.GeneratorType,
types.ClassType,types.UnboundMethodType,types.MethodType,types.BuiltinFunctionType,
types.BuiltinMethodType,types.ModuleType,types.FileType,types.XRangeType,
types.TracebackType,types.FrameType,types.EllipsisType,types.DictProxyType,
types.NotImplementedType,types.GetSetDescriptorType,types.MemberDescriptorType
))
def instantiated(v):
return not isinstance(v,type) and hasattr(v,'__class__')
int2Byte = chr
from StringIO import StringIO
def getBytesIO(buf=None):
'''unified StringIO instance interface'''
if buf:
return StringIO(buf)
return StringIO()
getStringIO = getBytesIO
_bytesIOType = StringIO
def bytestr(x,enc='utf8'):
if isinstance(x,unicode):
return x.encode(enc)
elif isinstance(x,str):
return x
else:
return str(x).encode(enc)
from string import letters as ascii_letters, uppercase as ascii_uppercase, lowercase as ascii_lowercase
def encode_label(args):
return base64_encodestring(pickle_dumps(args)).strip()
def decode_label(label):
return pickle_loads(base64_decodestring(label))
def rawUnicode(s):
'''converts first 256 unicodes 1-1'''
return s.decode('latin1') if not isinstance(s,unicode) else s
def rawBytes(s):
'''converts first 256 unicodes 1-1'''
return s.encode('latin1') if isinstance(s,unicode) else s
def rl_exec(obj, G=None, L=None):
if G is None:
frame = sys._getframe(1)
G = frame.f_globals
if L is None:
L = frame.f_locals
del frame
elif L is None:
L = G
exec("""exec obj in G, L""")
rl_exec("""def rl_reraise(t, v, b=None):\n\traise t, v, b\n""")
char2int = ord
def rl_add_builtins(**kwd):
import __builtin__
for k,v in kwd.items():
setattr(__builtin__,k,v)
def zipImported(ldr=None):
try:
if not ldr:
ldr = sys._getframe(1).f_globals['__loader__']
from zipimport import zipimporter
return ldr if isinstance(ldr,zipimporter) else None
except:
return None
def _findFiles(dirList,ext='.ttf'):
from os.path import isfile, isdir, join as path_join
from os import listdir
ext = ext.lower()
R = []
A = R.append
for D in dirList:
if not isdir(D): continue
for fn in listdir(D):
fn = path_join(D,fn)
if isfile(fn) and (not ext or fn.lower().endswith(ext)): A(fn)
return R
class CIDict(dict):
def __init__(self,*args,**kwds):
for a in args: self.update(a)
self.update(kwds)
def update(self,D):
for k,v in D.items(): self[k] = v
def __setitem__(self,k,v):
try:
k = k.lower()
except:
pass
dict.__setitem__(self,k,v)
def __getitem__(self,k):
try:
k = k.lower()
except:
pass
return dict.__getitem__(self,k)
def __delitem__(self,k):
try:
k = k.lower()
except:
pass
return dict.__delitem__(self,k)
def get(self,k,dv=None):
try:
return self[k]
except KeyError:
return dv
def __contains__(self,k):
try:
self[k]
return True
except:
return False
def pop(self,k,*a):
try:
k = k.lower()
except:
pass
return dict.pop(*((self,k)+a))
def setdefault(self,k,*a):
try:
k = k.lower()
except:
pass
return dict.setdefault(*((self,k)+a))
if os.name == 'mac':
#with the Mac, we need to tag the file in a special
#way so the system knows it is a PDF file.
#This supplied by Joe Strout
import macfs, macostools
_KNOWN_MAC_EXT = {
'BMP' : ('ogle','BMP '),
'EPS' : ('ogle','EPSF'),
'EPSF': ('ogle','EPSF'),
'GIF' : ('ogle','GIFf'),
'JPG' : ('ogle','JPEG'),
'JPEG': ('ogle','JPEG'),
'PCT' : ('ttxt','PICT'),
'PICT': ('ttxt','PICT'),
'PNG' : ('ogle','PNGf'),
'PPM' : ('ogle','.PPM'),
'TIF' : ('ogle','TIFF'),
'TIFF': ('ogle','TIFF'),
'PDF' : ('CARO','PDF '),
'HTML': ('MSIE','TEXT'),
}
def markfilename(filename,creatorcode=None,filetype=None,ext='PDF'):
try:
if creatorcode is None or filetype is None and ext is not None:
try:
creatorcode, filetype = _KNOWN_MAC_EXT[ext.upper()]
except:
return
macfs.FSSpec(filename).SetCreatorType(creatorcode,filetype)
macostools.touched(filename)
except:
pass
else:
def markfilename(filename,creatorcode=None,filetype=None):
pass
import reportlab
__RL_DIR=os.path.dirname(reportlab.__file__) #possibly relative
_RL_DIR=os.path.isabs(__RL_DIR) and __RL_DIR or os.path.abspath(__RL_DIR)
del reportlab
#Attempt to detect if this copy of reportlab is running in a
#file system (as opposed to mostly running in a zip or McMillan
#archive or Jar file). This is used by test cases, so that
#we can write test cases that don't get activated in a compiled
try:
__file__
except:
__file__ = sys.argv[0]
import glob, fnmatch
try:
_isFSD = not __loader__
_archive = os.path.normcase(os.path.normpath(__loader__.archive))
_archivepfx = _archive + os.sep
_archivedir = os.path.dirname(_archive)
_archivedirpfx = _archivedir + os.sep
_archivepfxlen = len(_archivepfx)
_archivedirpfxlen = len(_archivedirpfx)
def __startswith_rl(fn,
_archivepfx=_archivepfx,
_archivedirpfx=_archivedirpfx,
_archive=_archive,
_archivedir=_archivedir,
os_path_normpath=os.path.normpath,
os_path_normcase=os.path.normcase,
os_getcwd=os.getcwd,
os_sep=os.sep,
os_sep_len = len(os.sep)):
'''if the name starts with a known prefix strip it off'''
fn = os_path_normpath(fn.replace('/',os_sep))
nfn = os_path_normcase(fn)
if nfn in (_archivedir,_archive): return 1,''
if nfn.startswith(_archivepfx): return 1,fn[_archivepfxlen:]
if nfn.startswith(_archivedirpfx): return 1,fn[_archivedirpfxlen:]
cwd = os_path_normcase(os_getcwd())
n = len(cwd)
if nfn.startswith(cwd):
if fn[n:].startswith(os_sep): return 1, fn[n+os_sep_len:]
if n==len(fn): return 1,''
return not os.path.isabs(fn),fn
def _startswith_rl(fn):
return __startswith_rl(fn)[1]
def rl_glob(pattern,glob=glob.glob,fnmatch=fnmatch.fnmatch, _RL_DIR=_RL_DIR,pjoin=os.path.join):
c, pfn = __startswith_rl(pattern)
r = glob(pfn)
if c or r==[]:
r += list(map(lambda x,D=_archivepfx,pjoin=pjoin: pjoin(_archivepfx,x),list(filter(lambda x,pfn=pfn,fnmatch=fnmatch: fnmatch(x,pfn),list(__loader__._files.keys())))))
return r
except:
_isFSD = os.path.isfile(__file__) #slight risk of wrong path
__loader__ = None
def _startswith_rl(fn):
return fn
def rl_glob(pattern,glob=glob.glob):
return glob(pattern)
del glob, fnmatch
_isFSSD = _isFSD and os.path.isfile(os.path.splitext(__file__)[0] +'.py')
def isFileSystemDistro():
'''return truth if a file system distribution'''
return _isFSD
def isCompactDistro():
'''return truth if not a file system distribution'''
return not _isFSD
def isSourceDistro():
'''return truth if a source file system distribution'''
return _isFSSD
def recursiveImport(modulename, baseDir=None, noCWD=0, debug=0):
"""Dynamically imports possible packagized module, or raises ImportError"""
normalize = lambda x: os.path.normcase(os.path.abspath(os.path.normpath(x)))
path = [normalize(p) for p in sys.path]
if baseDir:
if not isSeq(baseDir):
tp = [baseDir]
else:
tp = filter(None,list(baseDir))
for p in tp:
p = normalize(p)
if p not in path: path.insert(0,p)
if noCWD:
for p in ('','.',normalize('.')):
while p in path:
if debug: print('removed "%s" from path' % p)
path.remove(p)
elif '.' not in path:
path.insert(0,'.')
if debug:
import pprint
pp = pprint.pprint
print('path=')
pp(path)
#make import errors a bit more informative
opath = sys.path
try:
try:
sys.path = path
NS = {}
rl_exec('import %s as m' % modulename,NS)
return NS['m']
except ImportError:
sys.path = opath
msg = "Could not import '%s'" % modulename
if baseDir:
msg = msg + " under %s" % baseDir
annotateException(msg)
except:
e = sys.exc_info()
msg = "Exception raised while importing '%s': %s" % (modulename, e[1])
annotateException(msg)
finally:
sys.path = opath
def recursiveGetAttr(obj, name):
"Can call down into e.g. object1.object2[4].attr"
return eval(name, obj.__dict__)
def recursiveSetAttr(obj, name, value):
"Can call down into e.g. object1.object2[4].attr = value"
#get the thing above last.
tokens = name.split('.')
if len(tokens) == 1:
setattr(obj, name, value)
else:
most = '.'.join(tokens[:-1])
last = tokens[-1]
parent = recursiveGetAttr(obj, most)
setattr(parent, last, value)
def import_zlib():
try:
import zlib
except ImportError:
zlib = None
from reportlab.rl_config import ZLIB_WARNINGS
if ZLIB_WARNINGS: warnOnce('zlib not available')
return zlib
# Image Capability Detection. Set a flag haveImages
# to tell us if either PIL or Java imaging libraries present.
# define PIL_Image as either None, or an alias for the PIL.Image
# module, as there are 2 ways to import it
if sys.platform[0:4] == 'java':
try:
import javax.imageio
import java.awt.image
haveImages = 1
except:
haveImages = 0
else:
try:
from PIL import Image
except ImportError:
try:
import Image
except ImportError:
Image = None
haveImages = Image is not None
class ArgvDictValue:
'''A type to allow clients of getArgvDict to specify a conversion function'''
def __init__(self,value,func):
self.value = value
self.func = func
def getArgvDict(**kw):
''' Builds a dictionary from its keyword arguments with overrides from sys.argv.
Attempts to be smart about conversions, but the value can be an instance
of ArgDictValue to allow specifying a conversion function.
'''
def handleValue(v,av,func):
if func:
v = func(av)
else:
if isStr(v):
v = av
elif isinstance(v,float):
v = float(av)
elif isinstance(v,int):
v = int(av)
elif isinstance(v,list):
v = list(eval(av))
elif isinstance(v,tuple):
v = tuple(eval(av))
else:
raise TypeError("Can't convert string %r to %s" % (av,type(v)))
return v
A = sys.argv[1:]
R = {}
for k, v in kw.items():
if isinstance(v,ArgvDictValue):
v, func = v.value, v.func
else:
func = None
handled = 0
ke = k+'='
for a in A:
if a.find(ke)==0:
av = a[len(ke):]
A.remove(a)
R[k] = handleValue(v,av,func)
handled = 1
break
if not handled: R[k] = handleValue(v,v,func)
return R
def getHyphenater(hDict=None):
try:
from reportlab.lib.pyHnj import Hyphen
if hDict is None: hDict=os.path.join(os.path.dirname(__file__),'hyphen.mashed')
return Hyphen(hDict)
except ImportError as errMsg:
if str(errMsg)!='No module named pyHnj': raise
return None
def _className(self):
'''Return a shortened class name'''
try:
name = self.__class__.__name__
i=name.rfind('.')
if i>=0: return name[i+1:]
return name
except AttributeError:
return str(self)
def open_for_read_by_name(name,mode='b'):
if 'r' not in mode: mode = 'r'+mode
try:
return open(name,mode)
except IOError:
if _isFSD or __loader__ is None: raise
#we have a __loader__, perhaps the filename starts with
#the dirname(reportlab.__file__) or is relative
name = _startswith_rl(name)
s = __loader__.get_data(name)
if 'b' not in mode and os.linesep!='\n': s = s.replace(os.linesep,'\n')
return getBytesIO(s)
try:
import urllib2
urlopen=urllib2.urlopen
except ImportError:
import urllib.request
urlopen=urllib.request.urlopen
def open_for_read(name,mode='b', urlopen=urlopen):
'''attempt to open a file or URL for reading'''
if hasattr(name,'read'): return name
try:
return open_for_read_by_name(name,mode)
except:
try:
return getBytesIO(urlopen(name).read())
except:
raise IOError('Cannot open resource "%s"' % name)
del urlopen
def open_and_read(name,mode='b'):
return open_for_read(name,mode).read()
def open_and_readlines(name,mode='t'):
return open_and_read(name,mode).split('\n')
def rl_isfile(fn,os_path_isfile=os.path.isfile):
if hasattr(fn,'read'): return True
if os_path_isfile(fn): return True
if _isFSD or __loader__ is None: return False
fn = _startswith_rl(fn)
return fn in list(__loader__._files.keys())
def rl_isdir(pn,os_path_isdir=os.path.isdir,os_path_normpath=os.path.normpath):
if os_path_isdir(pn): return True
if _isFSD or __loader__ is None: return False
pn = _startswith_rl(os_path_normpath(pn))
if not pn.endswith(os.sep): pn += os.sep
return len(list(filter(lambda x,pn=pn: x.startswith(pn),list(__loader__._files.keys()))))>0
def rl_listdir(pn,os_path_isdir=os.path.isdir,os_path_normpath=os.path.normpath,os_listdir=os.listdir):
if os_path_isdir(pn) or _isFSD or __loader__ is None: return os_listdir(pn)
pn = _startswith_rl(os_path_normpath(pn))
if not pn.endswith(os.sep): pn += os.sep
return [x[len(pn):] for x in __loader__._files.keys() if x.startswith(pn)]
def rl_getmtime(pn,os_path_isfile=os.path.isfile,os_path_normpath=os.path.normpath,os_path_getmtime=os.path.getmtime,time_mktime=time.mktime):
if os_path_isfile(pn) or _isFSD or __loader__ is None: return os_path_getmtime(pn)
p = _startswith_rl(os_path_normpath(pn))
try:
e = __loader__._files[p]
except KeyError:
return os_path_getmtime(pn)
s = e[5]
d = e[6]
return time_mktime((((d>>9)&0x7f)+1980,(d>>5)&0xf,d&0x1f,(s>>11)&0x1f,(s>>5)&0x3f,(s&0x1f)<<1,0,0,0))
def rl_get_module(name,dir):
if name in sys.modules:
om = sys.modules[name]
del sys.modules[name]
else:
om = None
try:
f = None
try:
f, p, desc= imp.find_module(name,[dir])
return imp.load_module(name,f,p,desc)
except:
if isCompactDistro():
#attempt a load from inside the zip archive
import zipimport
dir = _startswith_rl(dir)
dir = (dir=='.' or not dir) and _archive or os.path.join(_archive,dir.replace('/',os.sep))
zi = zipimport.zipimporter(dir)
return zi.load_module(name)
raise ImportError('%s[%s]' % (name,dir))
finally:
if om: sys.modules[name] = om
del om
if f: f.close()
def _isPILImage(im):
try:
return isinstance(im,Image.Image)
except AttributeError:
return 0
class ImageReader(object):
"Wraps up either PIL or Java to get data from bitmaps"
_cache={}
def __init__(self, fileName,ident=None):
if isinstance(fileName,ImageReader):
self.__dict__ = fileName.__dict__ #borgize
return
self._ident = ident
#start wih lots of null private fields, to be populated by
#the relevant engine.
self.fileName = fileName
self._image = None
self._width = None
self._height = None
self._transparent = None
self._data = None
if _isPILImage(fileName):
self._image = fileName
self.fp = getattr(fileName,'fp',None)
try:
self.fileName = self._image.fileName
except AttributeError:
self.fileName = 'PILIMAGE_%d' % id(self)
else:
try:
from reportlab.rl_config import imageReaderFlags
self.fp = open_for_read(fileName,'b')
if isinstance(self.fp,_bytesIOType): imageReaderFlags=0 #avoid messing with already internal files
if imageReaderFlags>0: #interning
data = self.fp.read()
if imageReaderFlags&2: #autoclose
try:
self.fp.close()
except:
pass
if imageReaderFlags&4: #cache the data
if not self._cache:
from rl_config import register_reset
register_reset(self._cache.clear)
data=self._cache.setdefault(_digester(data),data)
self.fp=getBytesIO(data)
elif imageReaderFlags==-1 and isinstance(fileName,str):
#try Ralf Schmitt's re-opening technique of avoiding too many open files
self.fp.close()
del self.fp #will become a property in the next statement
self.__class__=LazyImageReader
if haveImages:
#detect which library we are using and open the image
if not self._image:
self._image = self._read_image(self.fp)
if getattr(self._image,'format',None)=='JPEG': self.jpeg_fh = self._jpeg_fh
else:
from reportlab.pdfbase.pdfutils import readJPEGInfo
try:
self._width,self._height,c=readJPEGInfo(self.fp)
except:
annotateException('\nImaging Library not available, unable to import bitmaps only jpegs\nfileName=%r identity=%s'%(fileName,self.identity()))
self.jpeg_fh = self._jpeg_fh
self._data = self.fp.read()
self._dataA=None
self.fp.seek(0)
except:
annotateException('\nfileName=%r identity=%s'%(fileName,self.identity()))
def identity(self):
'''try to return information that will identify the instance'''
fn = self.fileName
if not isStr(fn):
fn = getattr(getattr(self,'fp',None),'name',None)
ident = self._ident
return '[%s@%s%s%s]' % (self.__class__.__name__,hex(id(self)),ident and (' ident=%r' % ident) or '',fn and (' filename=%r' % fn) or '')
def _read_image(self,fp):
if sys.platform[0:4] == 'java':
from javax.imageio import ImageIO
return ImageIO.read(fp)
else:
return Image.open(fp)
def _jpeg_fh(self):
fp = self.fp
fp.seek(0)
return fp
def jpeg_fh(self):
return None
def getSize(self):
if (self._width is None or self._height is None):
if sys.platform[0:4] == 'java':
self._width = self._image.getWidth()
self._height = self._image.getHeight()
else:
self._width, self._height = self._image.size
return (self._width, self._height)
def getRGBData(self):
"Return byte array of RGB data as string"
try:
if self._data is None:
self._dataA = None
if sys.platform[0:4] == 'java':
import jarray
from java.awt.image import PixelGrabber
width, height = self.getSize()
buffer = jarray.zeros(width*height, 'i')
pg = PixelGrabber(self._image, 0,0,width,height,buffer,0,width)
pg.grabPixels()
# there must be a way to do this with a cast not a byte-level loop,
# I just haven't found it yet...
pixels = []
a = pixels.append
for i in range(len(buffer)):
rgb = buffer[i]
a(chr((rgb>>16)&0xff))
a(chr((rgb>>8)&0xff))
a(chr(rgb&0xff))
self._data = ''.join(pixels)
self.mode = 'RGB'
else:
im = self._image
mode = self.mode = im.mode
if mode=='RGBA':
if Image.VERSION.startswith('1.1.7'): im.load()
self._dataA = ImageReader(im.split()[3])
im = im.convert('RGB')
self.mode = 'RGB'
elif mode not in ('L','RGB','CMYK'):
im = im.convert('RGB')
self.mode = 'RGB'
if hasattr(im, 'tobytes'): #make pillow and PIL both happy, for now
self._data = im.tobytes()
else:
self._data = im.tostring()
return self._data
except:
annotateException('\nidentity=%s'%self.identity())
def getImageData(self):
width, height = self.getSize()
return width, height, self.getRGBData()
def getTransparent(self):
if sys.platform[0:4] == 'java':
return None
else:
if "transparency" in self._image.info:
transparency = self._image.info["transparency"] * 3
palette = self._image.palette
try:
palette = palette.palette
except:
try:
palette = palette.data
except:
return None
if isPy3:
return palette[transparency:transparency+3]
else:
return [ord(c) for c in palette[transparency:transparency+3]]
else:
return None
class LazyImageReader(ImageReader):
def fp(self):
return open_for_read(self.fileName, 'b')
fp=property(fp)
def _image(self):
return self._read_image(self.fp)
_image=property(_image)
def getImageData(imageFileName):
"Get width, height and RGB pixels from image file. Wraps Java/PIL"
try:
return imageFileName.getImageData()
except AttributeError:
return ImageReader(imageFileName).getImageData()
class DebugMemo:
'''Intended as a simple report back encapsulator
Typical usages:
1. To record error data::
dbg = DebugMemo(fn='dbgmemo.dbg',myVar=value)
dbg.add(anotherPayload='aaaa',andagain='bbb')
dbg.dump()
2. To show the recorded info::
dbg = DebugMemo(fn='dbgmemo.dbg',mode='r')
dbg.load()
dbg.show()
3. To re-use recorded information::
dbg = DebugMemo(fn='dbgmemo.dbg',mode='r')
dbg.load()
myTestFunc(dbg.payload('myVar'),dbg.payload('andagain'))
In addition to the payload variables the dump records many useful bits
of information which are also printed in the show() method.
'''
def __init__(self,fn='rl_dbgmemo.dbg',mode='w',getScript=1,modules=(),capture_traceback=1, stdout=None, **kw):
import time, socket
self.fn = fn
if not stdout:
self.stdout = sys.stdout
else:
if hasattr(stdout,'write'):
self.stdout = stdout
else:
self.stdout = open(stdout,'w')
if mode!='w': return
self.store = store = {}
if capture_traceback and sys.exc_info() != (None,None,None):
import traceback
s = getBytesIO()
traceback.print_exc(None,s)
store['__traceback'] = s.getvalue()
cwd=os.getcwd()
lcwd = os.listdir(cwd)
pcwd = os.path.dirname(cwd)
lpcwd = pcwd and os.listdir(pcwd) or '???'
exed = os.path.abspath(os.path.dirname(sys.argv[0]))
project_version='???'
md=None
try:
import marshal
md=marshal.loads(__loader__.get_data('meta_data.mar'))
project_version=md['project_version']
except:
pass
env = os.environ
K=list(env.keys())
K.sort()
store.update({ 'gmt': time.asctime(time.gmtime(time.time())),
'platform': sys.platform,
'version': sys.version,
'hexversion': hex(sys.hexversion),
'executable': sys.executable,
'exec_prefix': sys.exec_prefix,
'prefix': sys.prefix,
'path': sys.path,
'argv': sys.argv,
'cwd': cwd,
'hostname': socket.gethostname(),
'lcwd': lcwd,
'lpcwd': lpcwd,
'byteorder': sys.byteorder,
'maxint': getattr(sys,'maxunicode','????'),
'api_version': getattr(sys,'api_version','????'),
'version_info': getattr(sys,'version_info','????'),
'winver': getattr(sys,'winver','????'),
'environment': '\n\t\t\t'.join(['']+['%s=%r' % (k,env[k]) for k in K]),
'__loader__': repr(__loader__),
'project_meta_data': md,
'project_version': project_version,
})
for M,A in (
(sys,('getwindowsversion','getfilesystemencoding')),
(os,('uname', 'ctermid', 'getgid', 'getuid', 'getegid',
'geteuid', 'getlogin', 'getgroups', 'getpgrp', 'getpid', 'getppid',
)),
):
for a in A:
if hasattr(M,a):
try:
store[a] = getattr(M,a)()
except:
pass
if exed!=cwd:
try:
store.update({'exed': exed, 'lexed': os.listdir(exed),})
except:
pass
if getScript:
fn = os.path.abspath(sys.argv[0])
if os.path.isfile(fn):
try:
store['__script'] = (fn,open(fn,'r').read())
except:
pass
module_versions = {}
for n,m in sys.modules.items():
if n=='reportlab' or n=='rlextra' or n[:10]=='reportlab.' or n[:8]=='rlextra.':
v = [getattr(m,x,None) for x in ('__version__','__path__','__file__')]
if [_f for _f in v if _f]:
v = [v[0]] + [_f for _f in v[1:] if _f]
module_versions[n] = tuple(v)
store['__module_versions'] = module_versions
self.store['__payload'] = {}
self._add(kw)
def _add(self,D):
payload = self.store['__payload']
for k, v in D.items():
payload[k] = v
def add(self,**kw):
self._add(kw)
def _dump(self,f):
try:
pos=f.tell()
pickle_dump(self.store,f)
except:
S=self.store.copy()
ff=getBytesIO()
for k,v in S.items():
try:
pickle_dump({k:v},ff)
except:
S[k] = '<unpicklable object %r>' % v
f.seek(pos,0)
pickle_dump(S,f)
def dump(self):
f = open(self.fn,'wb')
try:
self._dump(f)
finally:
f.close()
def dumps(self):
f = getBytesIO()
self._dump(f)
return f.getvalue()
def _load(self,f):
self.store = pickle_load(f)
def load(self):
f = open(self.fn,'rb')
try:
self._load(f)
finally:
f.close()
def loads(self,s):
self._load(getBytesIO(s))
def _show_module_versions(self,k,v):
self._writeln(k[2:])
K = list(v.keys())
K.sort()
for k in K:
vk = vk0 = v[k]
if isinstance(vk,tuple): vk0 = vk[0]
try:
__import__(k)
m = sys.modules[k]
d = getattr(m,'__version__',None)==vk0 and 'SAME' or 'DIFFERENT'
except:
m = None
d = '??????unknown??????'
self._writeln(' %s = %s (%s)' % (k,vk,d))
def _banner(self,k,what):
self._writeln('###################%s %s##################' % (what,k[2:]))
def _start(self,k):
self._banner(k,'Start ')
def _finish(self,k):
self._banner(k,'Finish ')
def _show_lines(self,k,v):
self._start(k)
self._writeln(v)
self._finish(k)
def _show_file(self,k,v):
k = '%s %s' % (k,os.path.basename(v[0]))
self._show_lines(k,v[1])
def _show_payload(self,k,v):
if v:
import pprint
self._start(k)
pprint.pprint(v,self.stdout)
self._finish(k)
def _show_extensions(self):
for mn in ('_rl_accel','_renderPM','sgmlop','pyRXP','pyRXPU','_imaging','Image'):
try:
A = [mn].append
__import__(mn)
m = sys.modules[mn]
A(m.__file__)
for vn in ('__version__','VERSION','_version','version'):
if hasattr(m,vn):
A('%s=%r' % (vn,getattr(m,vn)))
except:
A('not found')
self._writeln(' '+' '.join(A.__self__))
specials = {'__module_versions': _show_module_versions,
'__payload': _show_payload,
'__traceback': _show_lines,
'__script': _show_file,
}
def show(self):
K = list(self.store.keys())
K.sort()
for k in K:
if k not in list(self.specials.keys()): self._writeln('%-15s = %s' % (k,self.store[k]))
for k in K:
if k in list(self.specials.keys()): self.specials[k](self,k,self.store[k])
self._show_extensions()
def payload(self,name):
return self.store['__payload'][name]
def __setitem__(self,name,value):
self.store['__payload'][name] = value
def __getitem__(self,name):
return self.store['__payload'][name]
def _writeln(self,msg):
self.stdout.write(msg+'\n')
def _flatten(L,a):
for x in L:
if isSeq(x): _flatten(x,a)
else: a(x)
def flatten(L):
'''recursively flatten the list or tuple L'''
R = []
_flatten(L,R.append)
return R
def find_locals(func,depth=0):
'''apply func to the locals at each stack frame till func returns a non false value'''
while 1:
_ = func(sys._getframe(depth).f_locals)
if _: return _
depth += 1
class _FmtSelfDict:
def __init__(self,obj,overrideArgs):
self.obj = obj
self._overrideArgs = overrideArgs
def __getitem__(self,k):
try:
return self._overrideArgs[k]
except KeyError:
try:
return self.obj.__dict__[k]
except KeyError:
return getattr(self.obj,k)
class FmtSelfDict:
'''mixin to provide the _fmt method'''
def _fmt(self,fmt,**overrideArgs):
D = _FmtSelfDict(self, overrideArgs)
return fmt % D
def _simpleSplit(txt,mW,SW):
L = []
ws = SW(' ')
O = []
w = -ws
for t in txt.split():
lt = SW(t)
if w+ws+lt<=mW or O==[]:
O.append(t)
w = w + ws + lt
else:
L.append(' '.join(O))
O = [t]
w = lt
if O!=[]: L.append(' '.join(O))
return L
def simpleSplit(text,fontName,fontSize,maxWidth):
from reportlab.pdfbase.pdfmetrics import stringWidth
lines = asUnicode(text).split(u'\n')
SW = lambda text, fN=fontName, fS=fontSize: stringWidth(text, fN, fS)
if maxWidth:
L = []
for l in lines:
L[-1:-1] = _simpleSplit(l,maxWidth,SW)
lines = L
return lines
def escapeTextOnce(text):
"Escapes once only"
from xml.sax.saxutils import escape
if text is None:
return text
if isBytes(text): s = text.decode('utf8')
text = escape(text)
text = text.replace(u'&amp;',u'&')
text = text.replace(u'&gt;', u'>')
text = text.replace(u'&lt;', u'<')
return text
if isPy3:
def fileName2FSEnc(fn):
if isUnicode(fn):
return fn
else:
for enc in fsEncodings:
try:
return fn.decode(enc)
except:
pass
raise ValueError('cannot convert %r to filesystem encoding' % fn)
else:
def fileName2FSEnc(fn):
'''attempt to convert a filename to utf8'''
from reportlab.rl_config import fsEncodings
if isUnicode(fn):
return asBytes(fn)
else:
for enc in fsEncodings:
try:
return fn.decode(enc).encode('utf8')
except:
pass
raise ValueError('cannot convert %r to utf8 for file path name' % fn)
import itertools
def prev_this_next(items):
"""
Loop over a collection with look-ahead and look-back.
From Thomas Guest,
http://wordaligned.org/articles/zippy-triples-served-with-python
Seriously useful looping tool (Google "zippy triples")
lets you loop a collection and see the previous and next items,
which get set to None at the ends.
To be used in layout algorithms where one wants a peek at the
next item coming down the pipe.
"""
extend = itertools.chain([None], items, [None])
prev, this, next = itertools.tee(extend, 3)
try:
next(this)
next(next)
next(next)
except StopIteration:
pass
return zip(prev, this, next)
def commasplit(s):
'''
Splits the string s at every unescaped comma and returns the result as a list.
To escape a comma, double it. Individual items are stripped.
To avoid the ambiguity of 3 successive commas to denote a comma at the beginning
or end of an item, add a space between the item seperator and the escaped comma.
>>> commasplit(u'a,b,c') == [u'a', u'b', u'c']
True
>>> commasplit('a,, , b , c ') == [u'a,', u'b', u'c']
True
>>> commasplit(u'a, ,,b, c') == [u'a', u',b', u'c']
'''
if isBytes(s): s = s.decode('utf8')
n = len(s)-1
s += u' '
i = 0
r=[u'']
while i<=n:
if s[i]==u',':
if s[i+1]==u',':
r[-1]+=u','
i += 1
else:
r[-1] = r[-1].strip()
if i!=n: r.append(u'')
else:
r[-1] += s[i]
i+=1
r[-1] = r[-1].strip()
return r
def commajoin(l):
'''
Inverse of commasplit, except that whitespace around items is not conserved.
Adds more whitespace than needed for simplicity and performance.
>>> commasplit(commajoin(['a', 'b', 'c'])) == [u'a', u'b', u'c']
True
>>> commasplit((commajoin([u'a,', u' b ', u'c'])) == [u'a,', u'b', u'c']
True
>>> commasplit((commajoin([u'a ', u',b', u'c'])) == [u'a', u',b', u'c']
'''
return u','.join([ u' ' + asUnicode(i).replace(u',', u',,') + u' ' for i in l ])
def findInPaths(fn,paths,isfile=True,fail=False):
'''search for relative files in likely places'''
exists = isfile and os.path.isfile or os.path.isdir
if exists(fn): return fn
pjoin = os.path.join
if not os.path.isabs(fn):
for p in paths:
pfn = pjoin(p,fn)
if exists(pfn):
return pfn
if fail: raise ValueError('cannot locate %r with paths=%r' % (fn,paths))
return fn
def annotateException(msg,enc='utf8'):
'''add msg to the args of an existing exception'''
if not msg: raise
t,v,b=sys.exc_info()
if not hasattr(v,'args'): raise
e = -1
A = list(v.args)
for i,a in enumerate(A):
if isinstance(a,str):
e = i
break
if e>=0:
if not isPy3:
if isUnicode(a):
if not isUnicode(msg):
msg=msg.decode(enc)
else:
if isUnicode(msg):
msg=msg.encode(enc)
else:
msg = str(msg)
if isinstance(v,IOError) and getattr(v,'strerror',None):
v.strerror = msg+'\n'+str(v.strerror)
else:
A[e] += msg
else:
A.append(msg)
v.args = tuple(A)
rl_reraise(t,v,b)
def escapeOnce(data):
"""Ensure XML output is escaped just once, irrespective of input
>>> escapeOnce('A & B')
'A & B'
>>> escapeOnce('C & D')
'C & D'
>>> escapeOnce('E &amp; F')
'E & F'
"""
data = data.replace("&", "&")
#...but if it was already escaped, make sure it
# is not done twice....this will turn any tags
# back to how they were at the start.
data = data.replace("&amp;", "&")
data = data.replace("&gt;", ">")
data = data.replace("&lt;", "<")
data = data.replace("&#", "&#")
#..and just in case someone had double-escaped it, do it again
data = data.replace("&amp;", "&")
data = data.replace("&gt;", ">")
data = data.replace("&lt;", "<")
return data
class IdentStr(str):
'''useful for identifying things that get split'''
def __new__(cls,value):
if isinstance(value,IdentStr):
inc = value.__inc
value = value[:-(2+len(str(inc)))]
inc += 1
else:
inc = 0
value += '[%d]' % inc
self = str.__new__(cls,value)
self.__inc = inc
return self
class RLString(str):
'''allows specification of extra properties of a string using a dictionary of extra attributes
eg fontName = RLString('proxima-nova-bold',
svgAttrs=dict(family='"proxima-nova"',weight='bold'))
'''
def __new__(cls,v,**kwds):
self = str.__new__(cls,v)
for k,v in kwds.items():
setattr(self,k,v)
return self
def makeFileName(s):
'''force filename strings to unicode so python can handle encoding stuff'''
if not isUnicode(s):
s = s.decode('utf8')
return s
| ruibarreira/linuxtrail | usr/lib/python2.7/dist-packages/reportlab/lib/utils.py | Python | gpl-3.0 | 45,338 |
# -*- coding: utf-8 -*-
from __future__ import unicode_literals
from urllib.parse import urljoin, urlsplit
from django.db import migrations, models
def forwards(apps, schema_editor):
MenuItem = apps.get_model('external_services', 'MenuItem')
items = (MenuItem.objects.all()
.exclude(service=None)
.exclude(menu_url=None)
.exclude(menu_url=''))
errors = []
for item in items:
uri1 = urlsplit(item.menu_url)
uri2 = urlsplit(item.service.url)
if uri1.netloc and uri1.netloc != uri2.netloc:
errors.append(item)
if errors:
print()
msg = ['Database is in inconsistent state.']
for item in errors:
msg.append(" MenuItem(pk=%s): %s <> %s" % (item.pk, item.menu_url, item.service.url))
msg.append("For above menuitems, domain in MenuItem.menu_url doesn't match domain in MenuItem.service.url.")
msg.append("Database is in inconsistent state. Manual fixing is required.")
raise RuntimeError('\n'.join(msg))
for item in items:
uri = urlsplit(item.menu_url)
url = uri._replace(scheme='', netloc='').geturl()
item.menu_url = url
item.save(update_fields=['menu_url'])
def backwards(apps, schema_editor):
MenuItem = apps.get_model('external_services', 'MenuItem')
for item in MenuItem.objects.all():
item.menu_url = urljoin(item.service.url, item.menu_url)
item.save(update_fields=['menu_url'])
class Migration(migrations.Migration):
atomic = False
dependencies = [
('external_services', '0010_auto_20180918_1916'),
]
operations = [
migrations.RunPython(forwards, backwards),
]
| teemulehtinen/a-plus | external_services/migrations/0011_menuitem_menu_url.py | Python | gpl-3.0 | 1,720 |
from sqlalchemy import create_engine
from sqlalchemy.orm import scoped_session, sessionmaker
from sqlalchemy.ext.declarative import declarative_base
engine = create_engine('sqlite:////db/cities.sqlite', convert_unicode=True)
db_session = scoped_session(sessionmaker(autocommit=False,
autoflush=False,
bind=engine))
Base = declarative_base()
Base.query = db_session.query_property()
def init_db():
# import all modules here that might define models so that
# they will be registered properly on the metadata. Otherwise
# you will have to import them first before calling init_db()
import models
Base.metadata.create_all(bind=engine) | mayankjohri/LetsExplorePython | Section 2 - Advance Python/Chapter S2.05 - REST API - Server & Clients/code/servers/old/database/database.py | Python | gpl-3.0 | 736 |
class RegMagic:
fixed_registers = []
regmagic = RegMagic()
__all__ = ['regmagic']
| svp-dev/slcore | slc/tools/slc/mt/mipsel/regdefs.py | Python | gpl-3.0 | 87 |
# (c) 2012-2014, Michael DeHaan <michael.dehaan@gmail.com>
#
# This file is part of Ansible
#
# Ansible is free software: you can redistribute it and/or modify
# it under the terms of the GNU General Public License as published by
# the Free Software Foundation, either version 3 of the License, or
# (at your option) any later version.
#
# Ansible is distributed in the hope that it will be useful,
# but WITHOUT ANY WARRANTY; without even the implied warranty of
# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
# GNU General Public License for more details.
#
# You should have received a copy of the GNU General Public License
# along with Ansible. If not, see <http://www.gnu.org/licenses/>.
# Make coding more python3-ish
from __future__ import (absolute_import, division, print_function)
__metaclass__ = type
import os
from ansible import constants as C
from ansible.errors import AnsibleError, AnsibleParserError, AnsibleUndefinedVariable, AnsibleAssertionError
from ansible.module_utils.six import iteritems, string_types
from ansible.module_utils._text import to_native
from ansible.parsing.mod_args import ModuleArgsParser
from ansible.parsing.yaml.objects import AnsibleBaseYAMLObject, AnsibleMapping
from ansible.plugins.loader import lookup_loader
from ansible.playbook.attribute import FieldAttribute
from ansible.playbook.base import Base
from ansible.playbook.block import Block
from ansible.playbook.collectionsearch import CollectionSearch
from ansible.playbook.conditional import Conditional
from ansible.playbook.loop_control import LoopControl
from ansible.playbook.role import Role
from ansible.playbook.taggable import Taggable
from ansible.utils.collection_loader import AnsibleCollectionLoader
from ansible.utils.display import Display
from ansible.utils.sentinel import Sentinel
__all__ = ['Task']
display = Display()
class Task(Base, Conditional, Taggable, CollectionSearch):
"""
A task is a language feature that represents a call to a module, with given arguments and other parameters.
A handler is a subclass of a task.
Usage:
Task.load(datastructure) -> Task
Task.something(...)
"""
# =================================================================================
# ATTRIBUTES
# load_<attribute_name> and
# validate_<attribute_name>
# will be used if defined
# might be possible to define others
# NOTE: ONLY set defaults on task attributes that are not inheritable,
# inheritance is only triggered if the 'current value' is None,
# default can be set at play/top level object and inheritance will take it's course.
_args = FieldAttribute(isa='dict', default=dict)
_action = FieldAttribute(isa='string')
_async_val = FieldAttribute(isa='int', default=0, alias='async')
_changed_when = FieldAttribute(isa='list', default=list)
_delay = FieldAttribute(isa='int', default=5)
_delegate_to = FieldAttribute(isa='string')
_delegate_facts = FieldAttribute(isa='bool')
_failed_when = FieldAttribute(isa='list', default=list)
_loop = FieldAttribute()
_loop_control = FieldAttribute(isa='class', class_type=LoopControl, inherit=False)
_notify = FieldAttribute(isa='list')
_poll = FieldAttribute(isa='int', default=C.DEFAULT_POLL_INTERVAL)
_register = FieldAttribute(isa='string', static=True)
_retries = FieldAttribute(isa='int', default=3)
_until = FieldAttribute(isa='list', default=list)
# deprecated, used to be loop and loop_args but loop has been repurposed
_loop_with = FieldAttribute(isa='string', private=True, inherit=False)
def __init__(self, block=None, role=None, task_include=None):
''' constructors a task, without the Task.load classmethod, it will be pretty blank '''
self._role = role
self._parent = None
if task_include:
self._parent = task_include
else:
self._parent = block
super(Task, self).__init__()
def get_path(self):
''' return the absolute path of the task with its line number '''
path = ""
if hasattr(self, '_ds') and hasattr(self._ds, '_data_source') and hasattr(self._ds, '_line_number'):
path = "%s:%s" % (self._ds._data_source, self._ds._line_number)
elif hasattr(self._parent._play, '_ds') and hasattr(self._parent._play._ds, '_data_source') and hasattr(self._parent._play._ds, '_line_number'):
path = "%s:%s" % (self._parent._play._ds._data_source, self._parent._play._ds._line_number)
return path
def get_name(self, include_role_fqcn=True):
''' return the name of the task '''
if self._role:
role_name = self._role.get_name(include_role_fqcn=include_role_fqcn)
if self._role and self.name and role_name not in self.name:
return "%s : %s" % (role_name, self.name)
elif self.name:
return self.name
else:
if self._role:
return "%s : %s" % (role_name, self.action)
else:
return "%s" % (self.action,)
def _merge_kv(self, ds):
if ds is None:
return ""
elif isinstance(ds, string_types):
return ds
elif isinstance(ds, dict):
buf = ""
for (k, v) in iteritems(ds):
if k.startswith('_'):
continue
buf = buf + "%s=%s " % (k, v)
buf = buf.strip()
return buf
@staticmethod
def load(data, block=None, role=None, task_include=None, variable_manager=None, loader=None):
t = Task(block=block, role=role, task_include=task_include)
return t.load_data(data, variable_manager=variable_manager, loader=loader)
def __repr__(self):
''' returns a human readable representation of the task '''
if self.get_name() == 'meta':
return "TASK: meta (%s)" % self.args['_raw_params']
else:
return "TASK: %s" % self.get_name()
def _preprocess_with_loop(self, ds, new_ds, k, v):
''' take a lookup plugin name and store it correctly '''
loop_name = k.replace("with_", "")
if new_ds.get('loop') is not None or new_ds.get('loop_with') is not None:
raise AnsibleError("duplicate loop in task: %s" % loop_name, obj=ds)
if v is None:
raise AnsibleError("you must specify a value when using %s" % k, obj=ds)
new_ds['loop_with'] = loop_name
new_ds['loop'] = v
# display.deprecated("with_ type loops are being phased out, use the 'loop' keyword instead", version="2.10")
def preprocess_data(self, ds):
'''
tasks are especially complex arguments so need pre-processing.
keep it short.
'''
if not isinstance(ds, dict):
raise AnsibleAssertionError('ds (%s) should be a dict but was a %s' % (ds, type(ds)))
# the new, cleaned datastructure, which will have legacy
# items reduced to a standard structure suitable for the
# attributes of the task class
new_ds = AnsibleMapping()
if isinstance(ds, AnsibleBaseYAMLObject):
new_ds.ansible_pos = ds.ansible_pos
# since this affects the task action parsing, we have to resolve in preprocess instead of in typical validator
default_collection = AnsibleCollectionLoader().default_collection
# use the parent value if our ds doesn't define it
collections_list = ds.get('collections', self.collections)
if collections_list is None:
collections_list = []
if isinstance(collections_list, string_types):
collections_list = [collections_list]
if default_collection and not self._role: # FIXME: and not a collections role
if collections_list:
if default_collection not in collections_list:
collections_list.insert(0, default_collection)
else:
collections_list = [default_collection]
if collections_list and 'ansible.builtin' not in collections_list and 'ansible.legacy' not in collections_list:
collections_list.append('ansible.legacy')
if collections_list:
ds['collections'] = collections_list
# use the args parsing class to determine the action, args,
# and the delegate_to value from the various possible forms
# supported as legacy
args_parser = ModuleArgsParser(task_ds=ds, collection_list=collections_list)
try:
(action, args, delegate_to) = args_parser.parse()
except AnsibleParserError as e:
# if the raises exception was created with obj=ds args, then it includes the detail
# so we dont need to add it so we can just re raise.
if e._obj:
raise
# But if it wasn't, we can add the yaml object now to get more detail
raise AnsibleParserError(to_native(e), obj=ds, orig_exc=e)
# the command/shell/script modules used to support the `cmd` arg,
# which corresponds to what we now call _raw_params, so move that
# value over to _raw_params (assuming it is empty)
if action in ('command', 'shell', 'script'):
if 'cmd' in args:
if args.get('_raw_params', '') != '':
raise AnsibleError("The 'cmd' argument cannot be used when other raw parameters are specified."
" Please put everything in one or the other place.", obj=ds)
args['_raw_params'] = args.pop('cmd')
new_ds['action'] = action
new_ds['args'] = args
new_ds['delegate_to'] = delegate_to
# we handle any 'vars' specified in the ds here, as we may
# be adding things to them below (special handling for includes).
# When that deprecated feature is removed, this can be too.
if 'vars' in ds:
# _load_vars is defined in Base, and is used to load a dictionary
# or list of dictionaries in a standard way
new_ds['vars'] = self._load_vars(None, ds.get('vars'))
else:
new_ds['vars'] = dict()
for (k, v) in iteritems(ds):
if k in ('action', 'local_action', 'args', 'delegate_to') or k == action or k == 'shell':
# we don't want to re-assign these values, which were determined by the ModuleArgsParser() above
continue
elif k.startswith('with_') and k.replace("with_", "") in lookup_loader:
# transform into loop property
self._preprocess_with_loop(ds, new_ds, k, v)
else:
# pre-2.0 syntax allowed variables for include statements at the top level of the task,
# so we move those into the 'vars' dictionary here, and show a deprecation message
# as we will remove this at some point in the future.
if action in ('include',) and k not in self._valid_attrs and k not in self.DEPRECATED_ATTRIBUTES:
display.deprecated("Specifying include variables at the top-level of the task is deprecated."
" Please see:\nhttps://docs.ansible.com/ansible/playbooks_roles.html#task-include-files-and-encouraging-reuse\n\n"
" for currently supported syntax regarding included files and variables", version="2.12")
new_ds['vars'][k] = v
elif C.INVALID_TASK_ATTRIBUTE_FAILED or k in self._valid_attrs:
new_ds[k] = v
else:
display.warning("Ignoring invalid attribute: %s" % k)
return super(Task, self).preprocess_data(new_ds)
def _load_loop_control(self, attr, ds):
if not isinstance(ds, dict):
raise AnsibleParserError(
"the `loop_control` value must be specified as a dictionary and cannot "
"be a variable itself (though it can contain variables)",
obj=ds,
)
return LoopControl.load(data=ds, variable_manager=self._variable_manager, loader=self._loader)
def _validate_attributes(self, ds):
try:
super(Task, self)._validate_attributes(ds)
except AnsibleParserError as e:
e.message += '\nThis error can be suppressed as a warning using the "invalid_task_attribute_failed" configuration'
raise e
def post_validate(self, templar):
'''
Override of base class post_validate, to also do final validation on
the block and task include (if any) to which this task belongs.
'''
if self._parent:
self._parent.post_validate(templar)
if AnsibleCollectionLoader().default_collection:
pass
super(Task, self).post_validate(templar)
def _post_validate_loop(self, attr, value, templar):
'''
Override post validation for the loop field, which is templated
specially in the TaskExecutor class when evaluating loops.
'''
return value
def _post_validate_environment(self, attr, value, templar):
'''
Override post validation of vars on the play, as we don't want to
template these too early.
'''
env = {}
if value is not None:
def _parse_env_kv(k, v):
try:
env[k] = templar.template(v, convert_bare=False)
except AnsibleUndefinedVariable as e:
error = to_native(e)
if self.action in ('setup', 'gather_facts') and 'ansible_facts.env' in error or 'ansible_env' in error:
# ignore as fact gathering is required for 'env' facts
return
raise
if isinstance(value, list):
for env_item in value:
if isinstance(env_item, dict):
for k in env_item:
_parse_env_kv(k, env_item[k])
else:
isdict = templar.template(env_item, convert_bare=False)
if isinstance(isdict, dict):
env.update(isdict)
else:
display.warning("could not parse environment value, skipping: %s" % value)
elif isinstance(value, dict):
# should not really happen
env = dict()
for env_item in value:
_parse_env_kv(env_item, value[env_item])
else:
# at this point it should be a simple string, also should not happen
env = templar.template(value, convert_bare=False)
return env
def _post_validate_changed_when(self, attr, value, templar):
'''
changed_when is evaluated after the execution of the task is complete,
and should not be templated during the regular post_validate step.
'''
return value
def _post_validate_failed_when(self, attr, value, templar):
'''
failed_when is evaluated after the execution of the task is complete,
and should not be templated during the regular post_validate step.
'''
return value
def _post_validate_until(self, attr, value, templar):
'''
until is evaluated after the execution of the task is complete,
and should not be templated during the regular post_validate step.
'''
return value
def get_vars(self):
all_vars = dict()
if self._parent:
all_vars.update(self._parent.get_vars())
all_vars.update(self.vars)
if 'tags' in all_vars:
del all_vars['tags']
if 'when' in all_vars:
del all_vars['when']
return all_vars
def get_include_params(self):
all_vars = dict()
if self._parent:
all_vars.update(self._parent.get_include_params())
if self.action in ('include', 'include_tasks', 'include_role'):
all_vars.update(self.vars)
return all_vars
def copy(self, exclude_parent=False, exclude_tasks=False):
new_me = super(Task, self).copy()
new_me._parent = None
if self._parent and not exclude_parent:
new_me._parent = self._parent.copy(exclude_tasks=exclude_tasks)
new_me._role = None
if self._role:
new_me._role = self._role
return new_me
def serialize(self):
data = super(Task, self).serialize()
if not self._squashed and not self._finalized:
if self._parent:
data['parent'] = self._parent.serialize()
data['parent_type'] = self._parent.__class__.__name__
if self._role:
data['role'] = self._role.serialize()
return data
def deserialize(self, data):
# import is here to avoid import loops
from ansible.playbook.task_include import TaskInclude
from ansible.playbook.handler_task_include import HandlerTaskInclude
parent_data = data.get('parent', None)
if parent_data:
parent_type = data.get('parent_type')
if parent_type == 'Block':
p = Block()
elif parent_type == 'TaskInclude':
p = TaskInclude()
elif parent_type == 'HandlerTaskInclude':
p = HandlerTaskInclude()
p.deserialize(parent_data)
self._parent = p
del data['parent']
role_data = data.get('role')
if role_data:
r = Role()
r.deserialize(role_data)
self._role = r
del data['role']
super(Task, self).deserialize(data)
def set_loader(self, loader):
'''
Sets the loader on this object and recursively on parent, child objects.
This is used primarily after the Task has been serialized/deserialized, which
does not preserve the loader.
'''
self._loader = loader
if self._parent:
self._parent.set_loader(loader)
def _get_parent_attribute(self, attr, extend=False, prepend=False):
'''
Generic logic to get the attribute or parent attribute for a task value.
'''
extend = self._valid_attrs[attr].extend
prepend = self._valid_attrs[attr].prepend
try:
value = self._attributes[attr]
# If parent is static, we can grab attrs from the parent
# otherwise, defer to the grandparent
if getattr(self._parent, 'statically_loaded', True):
_parent = self._parent
else:
_parent = self._parent._parent
if _parent and (value is Sentinel or extend):
if getattr(_parent, 'statically_loaded', True):
# vars are always inheritable, other attributes might not be for the parent but still should be for other ancestors
if attr != 'vars' and hasattr(_parent, '_get_parent_attribute'):
parent_value = _parent._get_parent_attribute(attr)
else:
parent_value = _parent._attributes.get(attr, Sentinel)
if extend:
value = self._extend_value(value, parent_value, prepend)
else:
value = parent_value
except KeyError:
pass
return value
def get_dep_chain(self):
if self._parent:
return self._parent.get_dep_chain()
else:
return None
def get_search_path(self):
'''
Return the list of paths you should search for files, in order.
This follows role/playbook dependency chain.
'''
path_stack = []
dep_chain = self.get_dep_chain()
# inside role: add the dependency chain from current to dependent
if dep_chain:
path_stack.extend(reversed([x._role_path for x in dep_chain]))
# add path of task itself, unless it is already in the list
task_dir = os.path.dirname(self.get_path())
if task_dir not in path_stack:
path_stack.append(task_dir)
return path_stack
def all_parents_static(self):
if self._parent:
return self._parent.all_parents_static()
return True
def get_first_parent_include(self):
from ansible.playbook.task_include import TaskInclude
if self._parent:
if isinstance(self._parent, TaskInclude):
return self._parent
return self._parent.get_first_parent_include()
return None
| ilpianista/ansible | lib/ansible/playbook/task.py | Python | gpl-3.0 | 20,951 |
# -*- coding: utf-8 -*-
# Resource object code
#
# Created: Mon Jan 25 18:31:00 2010
# by: The Resource Compiler for PyQt (Qt v4.6.1)
#
# WARNING! All changes made in this file will be lost!
from PyQt4 import QtCore
qt_resource_data = "\
\x00\x00\x07\xd1\
\x89\
\x50\x4e\x47\x0d\x0a\x1a\x0a\x00\x00\x00\x0d\x49\x48\x44\x52\x00\
\x00\x00\x20\x00\x00\x00\x20\x08\x06\x00\x00\x00\x73\x7a\x7a\xf4\
\x00\x00\x00\x06\x62\x4b\x47\x44\x00\xfe\x00\xfe\x00\xfe\xeb\x18\
\xd4\x82\x00\x00\x00\x09\x70\x48\x59\x73\x00\x00\x00\x48\x00\x00\
\x00\x48\x00\x46\xc9\x6b\x3e\x00\x00\x00\x09\x76\x70\x41\x67\x00\
\x00\x00\x20\x00\x00\x00\x20\x00\x87\xfa\x9c\x9d\x00\x00\x06\xe8\
\x49\x44\x41\x54\x58\xc3\xe5\x96\x5d\x8c\x5d\x55\x15\xc7\xff\x6b\
\xef\x7d\xce\xb9\xdf\xf3\xdd\x62\x67\x3a\x33\x75\xa4\x34\xad\xf4\
\x83\x34\x2d\x15\x0b\xb5\x43\xe3\x47\x2a\x62\x82\x49\x31\x12\xfb\
\x42\x62\x8c\x50\x35\x1a\x13\x62\x4c\x7c\x90\xa4\x3e\x99\x18\x8d\
\x09\x2a\x21\x4a\x44\x52\x20\xf2\x00\x94\x2a\x9a\xb1\x0a\x6d\xa7\
\x03\xd2\x4a\x5b\xa4\x25\x33\xed\xb4\xc3\xcc\x74\xee\xcc\xbd\x73\
\xcf\x3d\xf7\xec\xbd\xd7\xf2\xe1\x32\x88\x91\xd6\x71\x8a\x2f\xfa\
\x7f\x39\xc9\xc9\xce\x5e\xbf\xf5\x3f\xff\xbd\xf6\x01\xfe\xdf\x45\
\xef\xf5\x72\xed\x23\x40\x61\x1b\xc0\x75\x64\xa0\xd0\xfa\xae\x85\
\x0d\x71\xa8\x90\x86\x3f\xb6\xfe\xbf\x04\x70\xe3\x6f\x80\xec\x6a\
\x80\x1b\x58\xc7\x82\xef\x28\xd1\x1b\x58\x18\x04\x08\x08\x09\x29\
\xfc\x41\xbc\xec\x27\x85\x89\xe1\x4d\xef\x13\xc0\x86\x67\x81\xec\
\x3a\xc0\xcd\x20\x4b\x1a\xbd\x10\xac\xb6\x75\x7c\xb3\x17\xeb\xb6\
\xdf\xbd\xfc\x2b\x38\x5b\x3b\x85\x03\xe7\x1f\x86\xe5\x14\x3a\x12\
\x98\x82\xfb\x11\x52\xfe\x1a\x7b\xd8\x57\x76\x5c\x1b\x80\xba\xe9\
\x25\x40\x15\xa1\x5d\x19\x77\x02\x74\x80\x53\xf5\x82\x8b\xf5\x81\
\xb4\xa2\xb7\xef\x28\xdd\x89\xee\xb3\x37\x62\x97\xde\x83\x65\xa6\
\x07\xbe\x01\xd8\x39\x03\x3b\x17\xec\x11\x4d\x9b\x55\x56\x5d\xb3\
\x03\xba\xfb\x7e\x02\x84\x3e\xca\x56\xff\xc2\xcf\x9b\x8d\x6e\x5e\
\x17\x7d\x4d\x6b\x76\x04\xef\x3d\xd6\xf5\x6c\xc0\xa9\x74\x04\x87\
\xa7\x0e\xc1\xb1\x03\x98\xc0\x0d\x95\x23\x85\x49\x5a\xd9\xf5\xbb\
\x28\x3f\x8f\xb9\x3f\x2e\x1d\xc0\x64\xd7\x66\x30\xfb\x5b\x7b\xab\
\xb0\x6e\x71\x55\x75\x09\x82\xd8\x55\xe8\x9c\x2e\xa8\xeb\x8f\x8d\
\x0f\xbf\xfe\x7a\xf9\xde\x41\x2b\xa9\xb6\xde\x82\x84\x20\x9e\xe0\
\x63\x0d\xd2\xb2\x1d\xa7\x26\x4a\xf9\x8d\x54\x01\x64\xe9\x00\x5a\
\x17\x50\x3d\x56\x7e\x2a\x5a\x85\xbe\xc6\x05\xbc\x2a\xa2\x6a\xe9\
\x04\x8e\x46\xbd\xb4\x27\x3e\xc9\x8f\x60\x5b\xf2\x48\xd0\xc6\x1f\
\x01\x14\x44\x00\xb6\x0a\x6e\x5e\x43\x45\x3c\xa0\x43\xbd\xb2\xb4\
\xc9\x8f\x6e\x79\x0d\x05\x00\x0e\x8c\x8a\x59\x86\xb4\xf1\x37\xe0\
\xf8\x2d\x8b\x03\x20\xd3\x46\xf8\xfa\x4c\x88\x27\x7f\xcc\x5b\x6c\
\x59\x57\x93\x71\x33\x49\x24\x09\x14\x75\xac\xf8\xfc\xfc\xdc\xd4\
\x73\xc5\xdb\xa2\x7e\xfc\xd4\xe4\xb9\x4b\x04\x70\x15\x83\x74\x3a\
\x40\x66\x45\x6a\x0b\xab\x6b\x43\x14\x4a\x1e\x8e\xda\xa0\x90\x92\
\xe1\x73\x2a\x90\x67\x40\x78\x8a\x02\x4c\xd9\x0b\xc0\xcb\x83\xff\
\x06\x00\x00\xba\xf7\x11\xdc\x1c\x74\xfb\x2e\x31\xb9\x35\xc8\xba\
\x32\xb4\x2e\x62\xb5\xaf\xa9\x2e\x52\xd2\x52\x3d\x9d\xbf\xc3\x94\
\x70\x17\xa7\x0a\xc9\xa5\x50\x5c\xd5\x50\xb6\x27\x41\xd8\x65\x21\
\x96\xc0\xae\x79\x9a\x55\x20\x08\x5a\x9c\x0f\xda\xed\x90\x0e\xfd\
\x37\x54\x96\x46\x92\xb3\x82\x57\x77\x5f\x25\x84\x00\x50\x3d\x02\
\xf4\xec\xd3\xa2\x22\x55\xd4\x59\xfa\x62\x3a\x65\x66\x28\x52\x0f\
\x8a\xd0\x87\x40\xfa\xcb\x10\xbd\xb6\x7e\x21\x42\x7d\x34\x38\x96\
\x8c\xe1\x67\x50\xaa\x4b\x65\x64\x19\x69\x01\x5b\x05\x71\x04\x4e\
\x15\x38\x51\xb0\xb3\x46\xb9\x8a\x59\xa5\x22\xd9\x4a\xca\xbf\x68\
\x3a\xe8\xad\xa8\x13\x98\x1d\xba\x8a\x03\x6b\x1e\x06\xec\x7c\x0e\
\x41\x9b\xef\x57\x79\xf5\x68\xd0\xea\x5c\x63\x32\xdc\xc2\xa9\xca\
\x24\xe3\x61\x92\x5e\x56\xc3\xe9\x84\xfc\xd2\x5d\x6a\x3c\xd3\xb7\
\xb7\x3a\x75\xe1\xe9\xce\x6d\x99\x01\xf5\x50\xb6\x37\x1d\x20\x23\
\xe0\x86\x02\x04\x20\x2d\x10\x26\x08\x03\x3a\xcb\xc8\xf7\xd7\x0f\
\x86\xed\xe9\x3d\xec\x30\x35\xb2\xf5\x2a\x0e\x98\x76\xa0\xf7\x7b\
\x2d\xa8\x9f\x8c\xb7\x55\x4f\xe7\xb7\x27\xe3\x51\x5f\x7c\x2e\x73\
\x31\x7e\x23\x78\x3e\x39\x87\xfd\xb5\xe1\xc6\xfe\x65\x1f\x9b\x3d\
\x7c\xdd\x3d\xbc\x97\x8a\xfa\xbb\x85\xb5\xe9\xc8\xdc\x4b\xe1\x0b\
\x3a\x4f\x3b\xa1\x90\xf7\x35\x0d\x32\xcd\x76\x84\xb1\x70\x54\xc1\
\x0d\x35\xa0\x73\xbe\xd6\xe2\x79\xa8\x78\x07\x30\xf9\xeb\x2b\x38\
\x00\x00\xa5\x5b\x43\xc4\x27\xac\x09\x7a\xf3\x6d\x94\x31\x25\x78\
\x5f\x4f\x47\x1b\x97\x8b\xbb\xda\x1b\xa5\x8d\x35\xc0\x63\x95\x8a\
\xe4\xdb\x2a\x47\x83\x20\x52\xbe\xa6\x0f\xb9\x58\xef\x04\xa8\x5f\
\x67\x19\x14\x30\x20\x04\xc8\xdb\x10\x42\x10\x01\xb2\x3d\xc9\x58\
\x6e\x65\x6d\x37\x29\x75\x62\x64\x1b\xbf\xb7\x03\x00\xd0\x18\xf5\
\xe0\x04\xec\xde\x4a\x63\x3b\x9e\x94\xed\xc5\xb4\xca\xb1\xf7\xc9\
\x89\x79\x84\x3d\x19\x34\xce\x8b\x4d\xce\xab\xa3\x3e\x0e\x26\x93\
\x51\x7a\x96\xad\xb9\xd9\xcd\xa9\x71\x32\x88\x20\xd4\xe6\xaa\x06\
\xbe\xae\x21\x9e\x40\x6f\xb7\x25\x4c\xe0\x54\xb5\x98\x3c\x4f\xbb\
\x6c\xf7\xef\x73\x2b\x2a\x98\x1b\xba\x02\xc0\xd5\x14\xbf\xd2\x40\
\xb8\x32\x67\x21\xaa\x46\xf9\xa0\x55\x65\x83\xe9\x74\x9c\x1f\xe7\
\x98\x87\x54\xc6\x7c\x82\xad\x5e\xa1\x42\x86\xce\x30\x00\x82\xf0\
\x02\x01\x20\x56\x41\x47\x1c\x86\x6a\xea\x80\x2a\xaa\xc6\xf4\x13\
\xff\x3c\xb4\xcc\xe2\xc6\x05\xa0\xfb\x0d\xe0\xa5\x8f\xe1\x1f\xe0\
\x94\xfb\xa8\x45\xce\xe8\xac\x5e\x2e\x44\xeb\x4d\xc4\x30\x05\xdf\
\xfc\xa6\xd2\x0c\x22\x18\x10\x69\x3e\x6d\xc5\xac\xd4\xa1\xee\xa2\
\x90\xe6\x00\x5e\x1a\x80\xad\xa4\xe0\x1a\x67\xe1\xe5\x71\x30\x62\
\x9e\xe3\xbf\x98\x76\x73\x5b\xd0\x15\xed\x0e\x5b\x69\x27\x00\x5a\
\x28\xdc\xcc\xc1\x3f\x20\x38\x55\x81\x9f\x57\x21\x85\xff\xba\xef\
\xa2\x01\xaa\xbf\xaa\x40\x77\xea\xbf\x06\x03\xc1\x39\x5f\xf6\x69\
\xc7\xa7\xbb\x14\x5b\xee\x07\x90\x08\xfc\x3b\x05\x4d\xc1\x43\xe7\
\x3d\x38\x51\x68\xe6\x82\x20\x96\x8c\x40\x87\xcd\x2b\xc3\xfe\xe7\
\x19\x58\x90\xc4\x02\x77\xc1\xd9\xae\xbd\xcb\x59\x52\xbe\x99\x42\
\xf5\x18\x69\x5a\x0f\x01\x91\x69\x4e\xc2\xa8\xcb\x36\x0b\xd7\x34\
\xb8\xa1\x20\x5e\x01\x4c\x59\x9d\xe7\xd3\xce\xb7\x1e\x69\xdf\xd1\
\x40\xf9\xa0\x7f\x67\xcf\x25\x5d\xe8\xe2\x05\x9c\x8a\x86\x20\x00\
\x00\x4e\x15\x7c\xac\x20\x9e\x60\x67\x0d\xdc\xbc\x86\x8f\x35\x5c\
\xac\x21\x1e\xf0\x89\x22\x5f\x0f\xee\x8b\x0a\xe5\x1d\x99\x62\x8a\
\x1b\x1e\xcd\x2e\xcd\x81\x05\x45\xab\x22\x70\x2c\xb1\x2a\xa8\xdb\
\x49\x51\x0f\x41\x00\xd7\xec\x96\xb4\x00\xbe\x39\x9a\xc5\x11\x00\
\x6a\x0e\xa6\x44\xb7\x93\xc6\xed\xc8\x9b\x9a\xd4\x71\xb2\xe3\x33\
\xa1\x9f\x79\xda\x2e\x1e\x60\x70\xac\x08\xe9\xd4\xe8\xfb\xaa\xd6\
\x9e\xc3\x4e\x31\xc1\x46\x00\xb7\x90\xa2\x3e\xf2\x04\xa9\xc8\x0c\
\x5b\xbc\x01\x83\x0c\x11\x65\xc4\x13\xd8\x2a\x27\x0d\x9c\x17\x87\
\x59\xf1\x2a\xef\xe6\x4d\x1b\x84\x06\x29\x44\xc3\x57\xfd\x91\xb6\
\x4f\x66\x78\xd1\x00\xd4\x05\x40\x58\xdb\x69\x5a\xe3\x2a\xf4\x59\
\x11\xf5\x00\x94\x5a\xaf\xac\x58\x99\xf1\xcf\x73\xd9\x3e\x18\x5c\
\x67\xff\x44\x01\x5d\x0f\xa8\x6e\xf1\x04\x71\xa8\xb8\x49\x77\x7f\
\x72\xa6\xfe\x7d\x9d\x57\x97\x29\xd0\x5b\x5c\xac\xf3\xc2\x74\x93\
\x0e\xf5\x8b\x12\xd2\xe8\xa2\x01\x4c\x0b\xa1\x7e\x96\x91\x4e\x50\
\x35\xc8\x53\x56\x6a\x32\xa6\xac\xa4\x3c\xed\x7e\xa0\xdb\xea\x07\
\x32\x1f\x96\x55\x2a\x67\xee\x03\xe9\x4d\x92\x2a\xc5\x31\xc6\x5c\
\x99\xf7\xdb\x8b\xf6\x40\xd0\x61\x2e\x89\xc3\x6b\xaa\xa8\x3e\x45\
\x44\x1f\x80\x50\x36\x34\xea\xe5\xb4\x94\x1e\x59\x34\x40\x7c\x8a\
\x51\xdc\x18\x02\x44\x5c\x7f\xd3\x8f\x2a\xe8\x33\xe9\x84\x3d\x38\
\x7d\xa8\x7a\x38\xbb\x9a\xca\xe2\xa3\x1c\xd7\x29\xcb\x89\x8e\x7c\
\x0d\x23\xe9\x98\xdb\x57\x7e\xec\xf2\x13\xf9\xad\x85\xc4\x2c\x0b\
\x33\xa6\xcd\xdc\x4b\x9a\xee\x22\x23\xa1\x0e\xfd\x19\x3b\x93\xfe\
\x50\x93\x1e\xa7\xc5\x02\x5c\x49\x9d\x5f\x28\x40\xe5\x14\x49\x2a\
\xdd\x6e\xde\xe4\x28\xab\xb7\xa6\x63\xe9\x73\xf9\xcd\xf9\xa9\x8e\
\x2f\xdd\x80\xcb\x3f\x39\xf3\x41\x90\x7c\x8b\x08\x77\x83\x78\x9a\
\xbc\x3b\xe4\xca\xf6\xa1\xa9\x9f\x57\x8f\x67\x06\x02\xb9\x66\x80\
\x05\x15\x07\x4b\xe0\x79\xd6\x9c\x30\xc2\xee\xc0\xeb\x12\x91\x6e\
\x0d\x36\x43\xe1\x73\x04\x89\xa4\xe1\x8f\xba\xe9\x74\xb8\x76\xbc\
\xfe\x66\xd4\x6b\xd2\xea\x9f\xd3\x66\xb6\xde\x2f\x80\x77\xab\xf4\
\xf1\x12\x48\x43\x01\xe8\x70\x93\xd6\xd6\x86\xeb\x15\x95\x23\xe6\
\x78\xe9\x7f\xcf\xff\xbb\xfa\x3b\x82\x22\x86\x34\x7d\x28\x03\x94\
\x00\x00\x00\x2e\x7a\x54\x58\x74\x63\x72\x65\x61\x74\x65\x2d\x64\
\x61\x74\x65\x00\x00\x78\xda\x33\x32\x30\xb0\xd0\x35\xb0\xd0\x35\
\x32\x09\x31\x30\xb0\x32\x32\xb5\x32\xb5\xd0\x35\x30\xb5\x32\x30\
\x00\x00\x42\x26\x05\x1b\x7b\xc0\xdf\xf5\x00\x00\x00\x2e\x7a\x54\
\x58\x74\x6d\x6f\x64\x69\x66\x79\x2d\x64\x61\x74\x65\x00\x00\x78\
\xda\x33\x32\x30\xb0\xd0\x35\xb0\xd0\x35\x32\x08\x31\x34\xb2\x32\
\x32\xb0\x32\x31\xd0\x35\x30\xb5\x32\x30\x00\x00\x41\x9c\x05\x0c\
\x60\x65\x6d\x10\x00\x00\x00\x00\x49\x45\x4e\x44\xae\x42\x60\x82\
\
\x00\x00\x07\x1f\
\x89\
\x50\x4e\x47\x0d\x0a\x1a\x0a\x00\x00\x00\x0d\x49\x48\x44\x52\x00\
\x00\x00\x20\x00\x00\x00\x20\x08\x06\x00\x00\x00\x73\x7a\x7a\xf4\
\x00\x00\x00\x19\x74\x45\x58\x74\x53\x6f\x66\x74\x77\x61\x72\x65\
\x00\x41\x64\x6f\x62\x65\x20\x49\x6d\x61\x67\x65\x52\x65\x61\x64\
\x79\x71\xc9\x65\x3c\x00\x00\x06\xc1\x49\x44\x41\x54\x78\xda\xc4\
\x57\x6b\x6c\x53\x65\x18\x7e\xce\xa5\x2d\x6d\x77\x01\x99\xcb\x94\
\xcb\xd8\x46\x61\x78\x19\x22\x98\x0c\xa7\x43\x23\x1a\x85\x69\xe4\
\x87\x46\x63\x54\x4c\x34\xf1\x6e\xbc\xc6\xf8\x47\x8c\x89\x31\x6a\
\x62\x8c\xd7\x3f\x1a\x15\xbc\x4b\x22\x08\x5e\xb1\x20\x82\x71\x22\
\x0c\x41\x60\xba\x21\xdb\x18\x83\x6e\x65\xed\xda\xb5\x5b\xdb\x73\
\xce\xe7\xf3\x9d\x9e\x6e\x1d\x76\x02\xf1\x76\x92\x37\xfd\xce\xd7\
\xaf\xef\xfb\xbc\xcf\x7b\xfb\xaa\x08\x21\xf0\x7f\x3e\x0a\x45\xdf\
\xfe\xd2\xc5\x9f\x68\x30\x96\x0a\xcb\xe2\xab\x28\x78\x4c\x51\x55\
\x98\xd0\xd7\xcd\xbf\x7b\xe3\x32\x6e\x18\xff\x14\x00\x9d\xe2\x95\
\xc6\xe7\xde\xfe\x06\xd5\x52\xaf\x50\xc6\x81\xa9\xe1\xe7\x57\x6f\
\x69\x92\xe7\x29\xf1\x7f\x12\xc0\x04\xdb\x73\x1a\x4f\xef\x7b\x8a\
\xfe\x6b\x8e\xc5\xfc\xc7\x84\xa7\xf2\x26\x18\xa9\x61\xec\x78\x61\
\x61\x4c\x51\x94\x93\xa3\x59\xd5\x24\x7b\xeb\xc9\xde\xd5\xc7\xb2\
\xa7\x8f\x58\xb3\x0c\x08\xd5\xcd\x37\x17\x25\xcf\x80\x8c\x88\x30\
\x61\xa5\xc2\x98\x7f\xd7\xbb\x7f\xc6\x76\x5c\xeb\x54\xa0\xbb\xc8\
\xde\xcd\x4b\x0b\xb1\xa7\x8f\x1a\x22\x30\x95\xaf\x8a\x3e\x96\x01\
\x7b\xa9\x22\x13\xde\x04\xf4\x05\x4f\xd2\xba\xe0\xcf\x4d\xb8\x03\
\x0f\x22\x9b\x5f\x98\x30\x3e\x00\xa4\xe9\xb8\x2a\xf9\x2a\x10\x02\
\xb9\xaf\xe5\x51\x32\x82\xec\x38\x84\x88\x2c\xe3\x56\x2c\x77\x52\
\x29\x94\x03\xd9\x7d\x2b\x43\x3b\xda\x38\x00\x0a\xc5\x95\x95\xa1\
\x28\xf6\xe7\x5f\x33\x40\x9d\x56\x72\x6c\x58\x0b\x33\x60\xd8\xa5\
\x66\x7b\x7b\x1c\x00\xd2\xa8\xaa\xa9\xe8\xd8\xd1\x86\xfe\xce\xc3\
\x32\x81\xc6\x27\x40\x82\x50\xb6\x32\xba\x1a\x13\xf8\xfc\x50\x16\
\xb4\x3a\x92\x94\x79\x39\x60\x66\x19\xb0\xe9\x56\x64\xe5\x17\x2c\
\x47\xfb\x1b\x1a\xef\xdc\xfe\x2b\x90\x49\x61\xc1\x3d\x6f\xd1\xbe\
\x39\x4e\xff\x70\xb6\x95\x63\x36\x5c\x4c\xca\xd7\x6e\xb5\x93\x72\
\x34\x04\x22\x63\xc7\x59\x91\xa2\x69\x59\xc6\x0a\x84\x4d\x7a\xd0\
\xf9\x63\x2b\xf1\x1a\xa8\x9c\x57\x09\xab\xfd\x59\x99\xa2\x59\x16\
\x94\xfc\xca\xa1\x97\x14\xcb\x52\x60\x8d\x60\xb3\xa0\xf9\x2b\x81\
\x53\xae\x40\x34\x9e\xde\xc6\x0d\xb7\x9e\x5f\xeb\x2a\x19\x50\x35\
\x17\x3a\x7e\xda\x8b\xf0\x81\x43\xd4\x57\xc8\x2b\x15\x93\x2b\xcb\
\x51\x3d\xaf\x9a\xeb\x0c\xba\xc2\x45\xf8\xae\x75\x22\xf6\x74\x17\
\xe5\x85\x42\xc5\x99\x53\x07\x71\x41\x6d\x14\x95\xa7\xa6\x60\x9a\
\x9a\x0d\x42\xb0\xd4\xd5\xa2\x6a\x84\xf7\x6f\xc3\x2f\x07\x13\x6b\
\xa4\xd1\xb1\x39\xc0\x38\x0d\xf4\x84\x61\x0c\x27\x70\xde\x1d\xcf\
\x3b\xd4\x2a\xc7\xb4\x44\x15\xe2\xc8\xfb\x80\x66\x61\xf5\x96\x72\
\xfc\xde\x7f\x3a\xae\x5e\x7a\x31\x6e\x08\xd4\x8c\x81\xd9\xf6\xdb\
\x7e\x7c\xb8\x3e\x88\x39\x15\xdd\x68\x3a\x2f\x42\xf5\x64\x83\x3d\
\x41\xf5\x4d\x45\xec\xe0\x07\x78\xfd\xab\x83\xeb\x78\x6c\x58\x1f\
\xcd\x15\x32\xa0\xe9\x88\xf4\xf4\x61\xd2\x8c\xb3\x18\x91\x24\x8c\
\xd0\x27\x63\x93\x92\x1f\x2a\x43\xa0\xe9\x0a\xd6\xff\x50\x82\x9e\
\xc4\x74\x3c\x70\xef\x72\xac\xdd\x13\xc3\x8a\x95\x07\x90\x32\x2d\
\x86\x57\x45\xa9\x4f\xc7\xb2\xb3\x4f\xc3\xc3\xf7\xdf\x86\x17\x5f\
\x79\x13\xeb\xb6\x09\x34\xd5\xc7\x18\xda\x29\x30\xd3\x26\xfa\xbb\
\xdb\x7a\x5b\xda\x07\xc2\xb2\xf6\x47\x19\x50\x0d\x3b\x09\x63\xa1\
\x30\x4e\x3f\x77\x31\xb1\x1d\xe2\xbb\xdb\xa9\xff\x51\x16\x54\x4d\
\xa0\x2b\xa4\xe2\xe7\xee\x0a\x3c\xf6\xf0\x72\xdc\xb7\xba\x0b\xf3\
\xa6\xf9\xf0\xe4\x92\x29\x48\x18\x16\x22\x49\x13\xa1\x64\x06\xdf\
\x76\xc4\xd1\x72\x64\x08\x8f\xde\xb9\x1c\x4f\x3d\xf3\x32\xea\x66\
\x0c\x61\x7a\xa0\x1c\x7d\xfb\x5b\xb0\xa7\x23\xb2\x8a\xaa\x86\x64\
\xcc\x54\x67\xd6\xd9\x2d\x73\x68\x20\x41\x0f\x34\x78\x4a\x4f\x83\
\x99\xe9\xa5\x6d\x37\x4b\xc6\x45\xd1\x6d\x91\x0c\xc9\x30\x05\x77\
\x79\xd1\x74\x69\x23\x3e\x6c\xe9\xc7\xbc\xe9\x3e\x5c\x56\x3b\x11\
\x31\x7a\x16\x1e\x32\xd0\x6f\x98\xb6\xe6\x92\x62\x1d\x51\xae\x83\
\x1d\x49\x2c\x5d\xdc\x88\x8d\xfc\x0d\xbc\x65\x88\x77\xb7\x62\xd3\
\xee\xa3\x5f\x48\xfa\x9d\x16\x97\x73\xcd\x44\xb4\x3b\x84\x89\x33\
\x66\xdb\x60\x14\x76\xaf\xac\x61\x6d\x44\x64\x92\x42\xa7\xf7\x6d\
\x4c\xb2\x33\x66\x62\xcd\x2f\x03\x68\xac\x2e\x41\x6f\x22\x83\xfe\
\x94\x85\xb8\x21\x90\x64\xd6\x27\xe4\x44\xa5\x23\xc5\x7e\x17\xb6\
\x1c\x49\xf1\x6c\x0d\x76\xb6\xeb\x76\xa5\xc5\x8f\x1c\x48\xbd\xbd\
\xe1\x60\xab\xdd\x7a\x47\x00\x28\x76\x81\x23\xd2\xd5\x83\x53\xaa\
\x02\xfc\xea\x68\xb6\x23\xd2\x7b\x7b\x3e\xe4\x44\x93\xe2\x62\x6e\
\x9a\x5c\xea\xc8\xf0\x32\x93\x34\x05\x22\x29\x13\x83\xa4\x3f\xc1\
\x64\x4a\x52\x57\x86\xc6\x8b\xfc\x3a\xfc\x14\xc5\xad\x71\x92\xeb\
\x76\x85\xa4\xba\x5a\xd1\xd9\x9b\x5c\xef\x78\x6f\x8e\x74\x42\x59\
\xdb\x22\x19\xe5\xb8\xcd\x60\x42\x59\x05\xd7\x21\xdb\xfb\x3f\xf5\
\x00\xbb\x51\xca\xba\x4e\x73\x76\x19\x70\xd3\x50\x24\x69\x20\x96\
\xa1\x71\x7a\x2e\x8d\xa7\xd9\xa4\x7c\x6e\x55\x1e\x43\x3a\x6d\xd1\
\x4d\xc1\x32\x34\x79\xcd\x50\x10\xed\x6c\xc7\xd6\x7d\x91\x8f\x1d\
\x00\x62\xb4\x15\xf3\xcb\xc1\xc3\x3d\x28\x9d\xca\x26\x41\xaf\x84\
\x8c\xa2\xaa\x17\xbe\x98\xb0\x8d\x5a\x66\x1a\xb1\xc1\x04\x8a\x26\
\x68\x08\x25\x0c\x9e\x16\x18\x14\x59\xcf\x7d\xac\x02\x9f\xd7\x65\
\x3b\x65\x29\x06\x7c\x82\xa1\xe1\x59\x49\x76\xec\x50\x07\x9e\xf9\
\xa8\xed\x87\x5c\xfc\x47\x19\xa0\xd2\xa3\x1d\x9d\x98\x2c\xe9\x47\
\x82\xb6\xf5\xf1\xe7\x01\xd3\xe0\x9c\x5a\x0d\x3b\x77\xef\xc3\xe2\
\xaa\x59\xd8\x19\x4a\x91\x6e\xe6\x08\x8d\xfb\x5d\x36\xbe\x91\x21\
\x25\xf8\x52\xe7\x4d\x61\xd7\xde\xbd\xa8\xf6\xf5\xe0\x50\x78\x68\
\x83\x6d\x20\xef\x52\xa2\xe6\x42\x10\xed\xe8\x42\x71\xed\x2c\x26\
\x8f\xec\xd0\x7e\x8a\xaf\xb0\x78\x7c\x68\xba\xa4\x14\x5f\x06\xb7\
\x62\x51\x85\x69\x37\xf3\x81\x14\x69\x26\xa1\x64\x1a\xe9\x8c\x40\
\x62\x98\x39\x41\xf1\xb1\x0a\x66\x59\x51\x7c\xfd\xcd\x46\x0c\x4d\
\x9a\x8f\x6f\x77\xf5\xad\xca\xa7\x3f\x47\x6a\x79\xcb\xab\x97\xb6\
\x6b\x8a\x28\xb6\x18\x57\xcb\xb2\xfe\x72\x12\xca\xd8\xba\xd9\x05\
\x83\xbd\x73\x10\xf5\xd4\xe2\xd6\x1b\xaf\x41\x73\xc4\x83\x5d\x49\
\x8f\x9d\x70\x1e\x86\xc5\x4b\x36\xce\x70\x25\x31\x5b\x44\xf1\xc6\
\xca\x77\x50\x55\x33\x13\x0b\x2f\xbc\x08\xab\x3f\xdd\x84\x47\xee\
\xbc\xae\x98\x6a\x06\xf3\x01\x4c\xa4\x54\xdf\x75\x55\x4d\xc3\x70\
\xda\x14\x27\x76\x95\x16\x9c\x45\x86\x18\xaa\x58\x72\xf9\xec\x99\
\xd3\xae\x6c\x6c\xa8\x47\xa0\xa6\x1a\x1e\xb7\xdb\x76\x2d\x95\x4a\
\xe3\xb7\xf6\xfd\xd8\xbc\xf5\x7b\x02\xf2\xa1\x71\xd1\x22\xd4\x04\
\xe6\xc0\x15\x6b\x46\xdb\xda\x15\x18\x18\xd6\x16\x2e\x79\xec\xbb\
\x66\x38\x57\x60\x49\xba\x44\xe5\x1f\xd3\x17\x4e\xec\x42\x5b\x52\
\xbf\xb0\xa1\xbe\xae\x6e\xee\xed\x3e\xaf\xb7\x2e\xf7\x1f\x43\x86\
\x34\x1e\x8f\xff\x34\xb9\xac\x6c\x41\xd5\xcc\x00\x5c\xde\x52\x34\
\x4c\x8b\xa2\x76\x56\x09\xe3\xb5\x05\x5b\x3e\xdb\x89\x0b\x1f\xd8\
\x24\xef\x87\xc3\xca\x98\x29\x73\xe2\x00\x84\x73\x56\x2a\x99\x44\
\x29\xa3\x14\x65\x53\xd4\x19\xad\xd9\x44\xf3\x3e\xf4\xe8\x13\x5f\
\x35\x05\x22\x58\x54\xcc\xb9\x52\x71\x01\x10\xb8\x9e\xb7\xc2\x20\
\x9a\xbf\x68\x41\xfd\xbd\x41\x8f\x9e\xa7\xd0\xcc\x35\x87\x93\x78\
\x32\x4e\x4f\x8f\xc8\xd9\x8e\xb1\x37\x02\x99\x4c\xc5\xcf\x3d\xfd\
\x78\x63\xc3\x13\x8b\x37\xa3\x86\xaa\x0f\x6f\xcf\xce\x96\x39\xd7\
\xc3\xb4\x76\xc8\x73\x7e\x15\x7f\xef\x11\x4e\x4b\x1d\xa0\xf4\x51\
\x7a\x1d\x91\x6b\xb6\x53\xf4\x50\x0e\x2c\x7b\x7c\x43\xe3\xfb\xed\
\x73\x09\x97\x77\xc3\xde\x66\xec\x0e\xae\xdc\x20\xb2\x1d\xc0\xa5\
\xe0\xdf\x7f\x24\x33\xe5\x94\xaa\xf7\x56\x34\x6d\x56\x98\x27\xaa\
\x62\xe1\xda\x15\x9f\x2f\xe0\xde\xef\xff\x05\x80\x7c\x10\x53\x28\
\x6c\x26\x88\x39\xec\x1c\xfd\xaf\x00\xe4\x40\xf8\x9d\xaa\xcb\x38\
\x1d\x31\x8d\xff\xfb\xf9\x43\x80\x01\x00\xe9\x9a\xaa\x21\x20\x38\
\x60\x90\x00\x00\x00\x00\x49\x45\x4e\x44\xae\x42\x60\x82\
\x00\x00\x05\x42\
\x89\
\x50\x4e\x47\x0d\x0a\x1a\x0a\x00\x00\x00\x0d\x49\x48\x44\x52\x00\
\x00\x00\x20\x00\x00\x00\x20\x08\x06\x00\x00\x00\x73\x7a\x7a\xf4\
\x00\x00\x05\x09\x49\x44\x41\x54\x78\xda\xed\x97\x0b\x4c\x95\x65\
\x18\xc7\x7f\xdf\xb9\x70\x2e\x88\x20\x10\x91\x61\xa0\x88\x17\x34\
\x2f\xe5\xcc\xb6\xd4\x4d\x92\x30\xad\x65\x56\x2e\xd7\xca\xcb\x2a\
\x5d\x6c\xb5\xa5\x2b\x9d\xba\x69\xe9\xcc\x5b\xce\xac\xe9\xa6\x9b\
\xda\x65\x5a\xda\x34\xcc\x74\x8b\xdc\x5c\xce\x5b\x86\x8a\x77\x41\
\x01\x43\x20\x2f\x20\x9c\xfb\xe5\xfb\x7a\xbe\x73\x0e\x2a\x7a\x50\
\x1c\x54\x73\xf3\xdd\x5e\xbe\xef\x7b\xdf\xe7\xfd\x3f\xff\xe7\xfa\
\x1e\x14\xfe\xe7\xa1\x3c\x20\x70\x5f\x13\x90\xc3\xca\x6b\xd9\x8c\
\xd8\x74\x92\x1d\x41\x0d\xf5\x3f\x27\x90\x95\x48\xb7\xa2\xe9\xfc\
\xf1\xd2\x2a\x46\xff\x5a\x42\xa1\xbe\x96\x11\x4f\xa7\x8b\x0e\x6a\
\x7c\x41\x7c\x6d\x4e\xc0\xa8\x60\xe8\x93\x4a\x76\x51\x15\xc7\xf4\
\xef\xf9\xcf\xb1\x60\xfa\x68\x3e\x3a\x7c\x82\xa2\xfe\xcb\x79\x62\
\x6c\x5f\xc6\xac\x9b\xc4\xfa\x9c\xa5\x8c\xd8\x53\xc6\xee\x36\x27\
\x90\x68\xe5\xe1\xea\xb9\x54\x1c\x2a\xe7\xc0\x17\xbb\x59\xf1\xe9\
\x30\x16\x64\x24\x90\xa1\x18\xa0\xe0\x24\x5b\x47\xf6\x60\x94\x21\
\x0e\xe3\xe0\x15\xe4\xfc\x7e\x9e\xdf\xda\x9c\x80\xc5\x44\x7c\xc9\
\xfb\x94\xa4\xd9\x49\xd6\xbf\x55\x13\x68\x31\x02\x22\x28\x06\x99\
\xc1\x86\x30\xe0\xe4\xed\xe4\x6b\x06\x5c\x43\xb2\x78\x66\xce\x0e\
\xe6\x95\xd6\x72\xae\x55\x04\x32\xe3\xe9\x9c\x68\xa7\xc3\xc1\x2a\
\x0e\xef\x1d\x47\xf1\xc0\x4c\xb2\x49\x95\xc3\xa2\x5c\x0b\x88\x80\
\x26\xef\x42\x06\xf1\x44\xf0\xaa\x3c\x2f\x83\xc9\x26\xcf\x24\xe8\
\x33\x9f\x41\xc5\xd5\xec\x6f\x15\x81\xb9\x43\x59\x3c\xeb\x79\x3e\
\xdc\x57\xc4\xd1\x4e\x1d\x49\xeb\xd8\x95\x44\x4f\x35\x04\xea\x44\
\x77\x30\x02\x24\xca\x8d\x76\x88\x79\x34\xec\x0d\x7f\x29\x94\xf9\
\xa8\xcc\x5e\x49\x96\xaa\xe2\x6e\x15\x81\x67\x3b\x33\xf6\xe7\x91\
\x6c\x08\x88\x12\xcb\x63\x50\x2f\xe0\xaa\x47\x36\x8c\x61\xf7\x5f\
\x47\x8a\x14\xa2\x2d\x5d\xa6\x05\xbe\xde\xa5\x14\xe4\x17\x6a\xe3\
\x9c\x7e\x5c\xcd\x95\x69\x8b\x08\xd8\x4c\xa4\x9c\x7c\x95\x8a\x94\
\xee\x58\x9c\x95\x62\xb9\x2b\x6c\x71\xa8\x11\x44\x41\xd1\x3f\x63\
\x33\xc1\x51\x8d\xd7\x51\x87\xa3\x16\x6a\x86\x6f\x61\x70\xad\x8b\
\xab\xf7\x4c\x60\x4c\x3a\xaf\xe7\xa6\x32\x32\xaf\x37\xa3\xe3\x6c\
\xd8\x1d\x55\xe2\x62\x53\x53\x04\xe5\x56\x34\xc9\x09\x73\x3b\xf1\
\x56\x07\x91\xad\x81\x43\x01\xe5\x68\xee\xf7\x0c\xf2\x05\x34\xf7\
\x3d\x13\x98\xdc\x93\x39\xcb\xfa\x31\xdb\x21\x60\x0d\x17\xc3\xe0\
\x51\x95\x72\x4b\x38\x44\x2e\x56\x12\xd5\xa4\x11\xcc\xdd\xa6\x8c\
\x3a\x70\x41\xdb\xd1\xe2\x10\x74\x89\xa5\xe7\x94\x2e\x4c\x9b\x56\
\xcc\x44\x93\x42\xd2\x91\x97\x39\x9f\x60\x22\xce\x29\xbe\x54\x8c\
\x51\xac\x57\x9a\xa2\x85\xf4\x0b\x81\xf6\xf1\x70\xca\xcb\x99\x21\
\x9b\xe9\xde\x9c\x81\x4d\x08\xe4\x67\x30\xeb\x87\x2a\x56\x27\xc7\
\xd0\xb9\x70\x10\x7b\xf2\x8b\x79\xbb\xfb\x43\x64\xbe\xd7\x9b\xa9\
\xd7\x6a\x74\x63\x6e\xb7\xbc\x39\x02\x8d\xe4\xec\x26\xd4\x35\xa7\
\x59\xf1\x59\x19\xd3\x5d\x41\x5c\x77\x24\xb0\xad\x3f\x65\xa7\x9c\
\xec\xdf\x5c\xc3\xda\x6f\xfb\xb1\xdd\x24\x71\x34\x9b\xa5\xac\xa5\
\xae\x35\x95\xe8\x49\x17\x65\x4d\x89\x84\x40\x3f\x93\xf2\xe2\x5b\
\x24\x58\x61\xef\x86\xf5\xe7\x56\x57\x68\x8b\xb7\xd6\xf0\x5d\xbd\
\x9f\x6b\x51\x09\x14\xf4\xa2\x3c\xdd\xc6\x63\xd7\x14\xaa\x93\xac\
\xa4\xfa\xfd\x52\xcf\xbe\x30\xe0\xcd\xf1\x8d\x9a\xf9\x37\xef\x2b\
\xe1\x32\x4d\x1a\x3a\x9c\xea\x29\xab\x64\x49\x21\xed\xab\x89\xb8\
\xf6\xed\xe2\x6f\xa9\x88\x55\x7f\xb1\x70\x6d\x25\x4b\x43\xe2\x16\
\x05\x5b\xb6\x85\xc1\xf9\xc9\xcc\xeb\xdf\x9e\x01\xc1\x48\x79\xa9\
\xea\x0d\x30\x1a\x73\xaf\x25\x96\xcb\x70\x7b\xc1\x2a\xb9\x62\xcb\
\xe8\x4a\xbb\x05\x9b\x43\x60\x8e\x19\xaf\xe0\xa9\x28\x25\x46\xba\
\xa7\x55\x74\x8c\x3d\xc6\xb0\x22\x27\xbb\x42\x6d\xbc\x9d\x81\xb4\
\x81\x31\x4c\xe8\x6b\x64\xc8\xd3\xb1\x3c\xd5\x29\x81\xd8\x80\x80\
\xa8\x5a\xa4\xde\xcd\xe1\xee\xd6\x48\x48\x69\xa6\x76\xf4\x75\x5f\
\x20\x1c\xb2\x47\xa4\x02\x90\x2e\x69\x49\x4e\x92\x84\x54\xf1\x5d\
\xad\xc5\x60\x0e\xcb\x25\x09\xe6\xa2\x0a\x96\x7f\x53\xcb\xbc\xdb\
\xa0\x96\xc4\x53\xfc\xb8\x95\xde\x9f\x5c\x61\xe6\x15\x95\xd2\x27\
\x4d\xbc\xf0\x4e\x0a\xe3\xb4\x48\xed\xd7\xb9\xc3\xde\xb1\x9a\xc2\
\xd3\x2c\x96\xea\x1d\xd2\x10\x21\xd6\xe0\x94\xe9\x10\x02\x29\xb2\
\x26\xeb\x8a\xc8\x1a\xb4\xf0\xd9\x80\x10\x72\xcb\xf9\x3f\x3d\xca\
\x89\x9d\x1e\x6d\xcd\x41\x3f\x1b\x9b\x10\x10\x79\xf3\xfc\x58\x8a\
\x37\x7a\x58\x56\x14\x64\xa5\xbe\x96\x17\xc3\xd4\x99\x89\x2c\xf2\
\x2a\xa1\x7d\xce\x88\x82\x3a\x01\x95\xb6\xcf\x65\x95\xf2\xa0\xa2\
\x5c\xca\x89\xd7\x06\x10\x09\x5d\x9d\x28\xd7\x73\x27\x21\x4e\xac\
\x17\x72\x97\xbd\x4a\xf0\x42\x40\xa9\xa8\xd7\xa8\x15\xe7\xf8\x03\
\xf2\xe7\x73\xa7\xf6\xa6\x5b\xd3\xce\x44\x49\x25\x8c\x56\x85\x74\
\x8f\x76\xe3\xfa\x9c\x64\x65\xe5\x1b\x76\xde\x6d\xd0\x42\xad\x9f\
\x72\x01\x10\x0e\xd8\xe4\xe4\x4e\x2f\xeb\x3c\x2a\xc7\x67\x27\xb0\
\xd0\x13\xc9\x93\x4a\x79\xd1\x2f\x48\x49\x7c\xce\xaa\xca\xf1\x2f\
\xdd\xca\x84\x2b\xaa\x56\x22\xbb\x7a\x17\x6c\xbc\x0f\xae\xff\x5a\
\xba\x6b\x27\xfc\xd8\xc6\x2f\x39\x66\xf2\xdc\x82\x2e\x17\x0a\xa7\
\xc1\x23\x9e\x34\x8b\xcb\x7d\x9b\x3c\xcc\xe8\x65\x24\x7d\xbc\x95\
\x0f\x9c\x5a\x98\x41\x99\x4c\xbd\xd8\xed\x82\x5c\x28\x04\xb7\x78\
\x19\x7f\x27\xfc\xbb\x12\xc8\x32\x32\xaa\x9b\x81\x3c\x3d\xe4\x97\
\x34\xca\x8f\x04\x29\x10\x6f\xc7\x88\x09\x4e\xaf\xc6\xa9\x19\x76\
\xb6\xe7\x98\xc8\xd5\x09\xca\x37\x67\xe5\xa1\x2a\x98\x44\xc6\xff\
\xa3\x87\x99\x07\xfc\x2c\x69\x15\x81\xbb\x8d\x1e\x46\xc6\xf4\x34\
\x30\x42\xc2\x13\x53\xa5\x51\x7a\x38\xc8\x4f\xf2\x6e\x11\x82\x2e\
\x09\xa5\x1e\x67\xcf\xbf\x4a\x20\x32\xa4\xeb\x87\x52\xa4\x9e\x70\
\x0a\xb4\x78\xdc\xdf\xff\x98\x3c\x20\xd0\x16\xe3\x1f\xb0\xb3\xc6\
\x7a\x42\x8e\x07\x2e\x00\x00\x00\x00\x49\x45\x4e\x44\xae\x42\x60\
\x82\
\x00\x00\x07\x47\
\x89\
\x50\x4e\x47\x0d\x0a\x1a\x0a\x00\x00\x00\x0d\x49\x48\x44\x52\x00\
\x00\x00\x20\x00\x00\x00\x20\x08\x06\x00\x00\x00\x73\x7a\x7a\xf4\
\x00\x00\x00\x19\x74\x45\x58\x74\x53\x6f\x66\x74\x77\x61\x72\x65\
\x00\x41\x64\x6f\x62\x65\x20\x49\x6d\x61\x67\x65\x52\x65\x61\x64\
\x79\x71\xc9\x65\x3c\x00\x00\x06\xe9\x49\x44\x41\x54\x78\xda\x9c\
\x57\x59\x6c\x5c\xd5\x19\xfe\xee\x32\x8b\x67\x1c\x8f\x27\xf1\x12\
\x3b\x8e\xc7\x4e\xac\x24\x6e\x42\x52\x28\xb2\x82\x8c\x31\x58\x50\
\x15\x88\x51\xd2\x50\xd2\xa0\xaa\xa0\x10\x50\xcb\x03\x95\x48\xcb\
\x22\xe0\x05\x41\x9e\x22\xa4\xbe\x54\x55\x05\x0f\x08\xa1\xa6\x51\
\xa3\x26\x58\x36\x20\x08\x12\x02\x9e\x50\xd2\x90\xd8\x69\x84\xc7\
\xcb\x8c\x97\xb1\x3d\x5e\x66\xec\xf1\x6c\x77\xeb\xff\x9f\x59\x98\
\x71\x26\x5e\x72\xad\xff\x5e\xcf\xbd\xe7\xfc\xdf\xf7\x6f\xe7\xfc\
\x47\xc2\x3a\xaf\xf6\x97\x50\xe1\xaa\xc1\x49\xc8\x78\xc6\x92\xb0\
\x3f\xf7\x5e\x92\x0a\xc4\xc2\x35\xc9\xc0\x87\x4b\xd3\x78\xff\xdb\
\xbf\x62\x71\x3d\x7a\xa5\xb5\xbe\x3f\xf8\x1a\x76\x28\x15\xb8\xe0\
\xb4\x63\x5f\xc7\xcf\x3a\xd0\x5c\xeb\xc3\xf6\xaa\x3a\x58\x66\x1a\
\xb1\x74\x14\x89\x54\x84\x24\x8a\x68\x72\x01\x63\xe1\x10\x66\xa2\
\x51\x84\xe6\x92\x30\x4d\xf4\x27\x23\x38\xfc\xd5\x69\x0c\x93\x1e\
\xeb\x4e\x08\x28\x0f\xbf\x8b\xbf\x39\x1c\x78\xe1\x8f\x8f\xbe\x8c\
\xf6\x3d\xed\x58\xd4\xc6\xa1\x21\x42\xb3\xd2\xb0\x2c\x13\x86\x69\
\xc0\x30\x0c\x22\x03\xa4\xb5\x14\xe6\x16\x67\x10\x9a\x1d\x46\x70\
\xf6\x26\x82\x33\x31\x4c\xce\x01\xa6\x8e\x7f\xf4\xbd\x8a\x17\x49\
\x9f\xb1\x11\x02\xb6\xae\xd3\x08\x1c\xdc\x7d\x4f\xdd\x5b\xbf\x7e\
\x0f\x4b\xf0\x23\x6e\x06\x31\x11\xbe\x86\xe9\xf9\x01\xcc\x45\x87\
\x91\x4c\x1a\xc2\xed\x39\x2d\x0e\x9b\x0d\x1e\xd7\x76\x54\x94\xef\
\x84\x53\xad\xc7\xd0\xe4\x15\xdc\x18\xbf\x4e\x73\x80\xc5\x38\x42\
\x7d\x7f\x81\x8f\x46\x6a\xeb\x21\x60\x7b\xe8\x1d\x8c\x3e\xf7\xc8\
\xef\xeb\x0f\xb7\x1d\xc3\x82\x79\x15\x53\x0b\xd7\x71\xf5\xc7\x73\
\x48\x69\x26\x64\x39\x33\x49\x2a\x31\xd3\xca\xde\x6c\xaa\x8a\x5a\
\xcf\x43\xe4\x21\x3b\xae\x0c\x7f\x89\xc9\xd9\x14\x26\x66\x31\xf9\
\xe9\x2b\x68\x5a\x49\x62\xa5\x1a\xdb\xc3\xa7\x11\x3c\xde\x79\x74\
\xeb\x63\xf7\x3e\x8e\xa4\x32\x82\xfe\x91\xff\x60\x74\xb2\x1f\x8a\
\x02\xc8\x52\x69\xe0\x5b\x88\x58\x19\x32\x95\xae\x16\x78\x5d\xbf\
\xc0\xf7\xfe\x5e\x04\x38\x24\x61\x4c\xf5\xbd\x82\xc6\x42\x12\x4a\
\x51\xcc\xdf\xc6\xdf\xf7\x36\x37\x3f\xf0\x9b\xf6\xa7\x60\x39\x27\
\xf0\xdf\xc1\x7f\x61\x7c\xe6\x26\xc8\x20\x28\x72\x16\x7c\x1d\x92\
\xab\x8a\x84\x36\x0f\x93\x02\xb8\xb3\xb6\x8b\xc2\xe0\x47\x2c\x61\
\x94\x37\xb4\xa3\xde\xff\x15\x7a\x73\x0e\xcb\x11\x90\xda\x4e\x62\
\x77\x45\x1d\x3e\xf8\xc3\xaf\x9e\x47\xb9\x57\xc7\x40\xe0\x02\xc6\
\xc3\xff\xcb\x5b\xbe\x91\xcb\x2a\x28\xd1\x94\x16\xa5\x7f\x52\x68\
\xd8\xdc\x86\x48\x7c\x90\x04\xf7\x54\x36\xe2\xec\xc4\x15\xcc\xf1\
\x18\x39\xe7\x7a\xcf\x0e\x9c\xff\xe5\xdd\x0f\xa0\x7c\x13\x30\xbf\
\x34\x88\xc0\xf4\xf5\x0c\xb8\xbc\x3e\xab\x59\x68\x7d\x20\x8b\x01\
\x9d\x6e\x7a\x36\x0c\x12\xcd\x8f\x24\xfc\x50\xd4\x14\x76\x6d\xdb\
\x8b\xfa\x2a\xa0\xaa\x05\xe7\x19\x33\x4f\xa0\xe9\x7e\x54\xd9\xed\
\x68\x6d\xdd\xee\x43\x59\x99\x8c\x1f\x46\xce\xdd\x19\x38\x21\xa6\
\xa8\xd8\xba\xf7\xf6\xa0\xa3\xf9\x0c\xb4\x02\x12\x33\xb1\xaf\xd1\
\x58\xb5\x0f\xd5\x1e\x09\x8a\x0d\xad\xcd\x84\x99\x23\xa0\x34\x77\
\xe2\xc4\xee\x6d\xdb\x44\xac\xa7\x23\x37\x90\xd6\xa9\xc4\x94\x3b\
\x00\x27\xcb\x0f\xb5\x9e\x45\xa3\xe7\x10\xf6\x6f\x3d\x85\x2d\x65\
\x3e\xe1\x11\x1e\xa3\x59\x1a\x91\x0b\xa1\xba\xc2\x07\x2f\x79\x79\
\xc7\x83\x38\x81\x4c\x6a\xc1\x6e\x73\xe1\xe9\xcd\x9b\xdc\x70\x3a\
\x1d\x98\x22\x02\x22\x89\x36\x10\x6f\x5a\xf5\x32\x96\xef\xf9\x27\
\x76\x6e\x3e\x96\xff\x76\x74\xdf\x65\x41\x8c\x07\xb1\xbe\x98\x36\
\x8a\x2a\x4f\x23\xdc\x4e\xf2\xbf\x1b\x4f\x33\x36\x13\x70\xca\xe4\
\x12\x8f\x5b\x86\xcb\xe9\x46\x34\x11\x14\x2e\x5b\x69\xa1\xb5\x86\
\xe5\xdd\xad\x0c\xfe\xdb\x22\x72\xa1\xd8\x37\x99\xb1\x59\x7d\x49\
\x2d\x04\x6f\xf9\x56\x41\x80\x31\x05\x36\xdd\x54\x1e\xac\x1b\x09\
\x51\xbf\x29\x43\x2b\x22\x20\x92\xca\xca\x08\xff\x6f\x95\x02\x67\
\xcb\xbd\xc5\xe0\x43\x0b\x67\x71\xf1\xe6\x11\x91\x4b\xb9\xb2\xd4\
\xe8\x4f\x55\x1c\x19\xbf\x67\x4a\x45\xcd\x41\x21\x41\x1b\x8b\x6e\
\xe8\x45\xb5\xce\x80\x9c\x48\x1d\x8d\x67\xd0\xbd\xab\x47\xb8\x99\
\x41\x8b\xc0\x77\x97\x06\xef\xf9\xf1\x38\xec\x6a\x89\x44\x5e\xb1\
\x12\xcb\xb9\x7a\x4d\xa4\x97\xa0\x6b\x7a\x7e\x90\x88\x2d\xdd\xb6\
\xb8\x7c\xd8\x5f\x7b\x4a\x24\xd6\xa1\x5d\x67\x41\x5b\x00\x34\x12\
\x7e\x76\xef\xba\x3d\xb8\x23\x5b\x45\x6b\xe5\x92\x9c\x5b\x8f\x53\
\x5a\x66\x67\x5b\xe9\x81\xa3\x7b\x2e\xe7\x07\xef\xf4\x1e\x23\xd0\
\x8f\x10\xd3\x21\x9e\xb7\x80\x47\x08\x7c\x90\xc0\xd9\x72\xe5\x36\
\x2b\x67\x29\x02\xc8\xba\x34\x91\x5a\xa6\x18\xd9\x8a\x26\x88\x44\
\x2a\xb8\x5a\xbc\xbf\xc3\x6b\xf7\x59\xe2\xb9\x11\x70\x0e\x9b\x8d\
\x74\xeb\x46\x8a\x36\xa9\x9f\xc8\x88\x74\x30\x92\x18\x8c\x25\x81\
\xd9\xe8\x38\x5c\x6a\x5d\x7e\x3d\xe7\x04\xba\x38\x78\x44\x28\x5f\
\xed\x12\xe0\x7e\x02\xb7\xad\x62\x39\x89\x53\xa9\xc3\x42\x6c\x0a\
\xcb\x84\xc5\x98\x8c\xcd\x04\xf4\xd8\x34\x7a\xe2\xf4\x72\x26\x3a\
\x86\x72\xb5\x29\xbf\x96\xf3\x1e\x60\x27\x85\xac\x7c\x28\x5a\x9a\
\x04\xbf\x17\xe0\xb9\xdd\x72\x15\xa2\x6e\xd2\x1d\x8e\x04\x05\x01\
\xc6\x64\x6c\x26\x90\xbc\xf1\x09\x3e\x5e\x58\x02\xc2\x4b\x01\x38\
\x50\x27\x5c\x65\x65\xbd\xc0\x16\xb1\x5b\x4b\x91\xc8\x83\xab\xab\
\x5b\xce\xba\x38\xb4\xac\x7b\x96\x30\x18\x8b\x31\x19\x9b\x09\xa4\
\x17\x02\x98\xd6\x12\x18\x0e\x47\x2c\x04\xe6\xfa\x51\x63\xef\xcc\
\xd7\x7b\x11\x89\xe1\xe3\x18\x89\x9e\x17\xe0\xfc\xe4\xdf\x6b\x81\
\xe7\x08\x54\x91\xce\x20\xe9\x66\x0c\xc6\x62\x4c\xc6\x56\xb3\xbd\
\xda\xf2\xc0\x27\xf8\x93\xed\x18\x7a\xca\x5d\x03\xa8\xa9\x68\x42\
\xa5\xda\x82\x88\xe1\xcf\x2d\x62\x19\x12\xf4\xa3\x77\xf4\x49\x51\
\x1d\xfc\x5e\x80\xaf\xe1\x76\x1e\xeb\x51\x5a\x60\xa6\x1d\xf0\x4f\
\x0c\x88\x3e\x91\xb1\x18\x93\xb1\x73\xfd\x80\xb9\x38\x81\x78\xdd\
\xcf\xd1\x6c\xd9\xb0\x47\x37\x82\x68\xa9\xee\x82\x21\x2d\x21\x65\
\x45\xf3\xc6\x30\x18\xd7\xb6\x2a\x65\x76\x91\xb5\xc0\x39\x97\x36\
\x29\x8d\xf0\xca\x6d\xb8\xec\xef\xc3\xc8\x94\x81\xb9\x09\x5c\xbc\
\x76\x0e\x1f\xd2\xa7\x85\x22\x02\xfc\x23\xf0\x1d\xae\x36\x74\xe0\
\x29\x49\x36\x5c\xf1\x74\x00\x2d\x5b\xba\x08\x25\x85\x04\xe6\x6f\
\x3d\x03\xac\xe1\x72\x76\x51\x05\x59\x2e\xc0\x87\x7a\xa9\x65\x4f\
\x60\x66\x1e\x73\x97\xde\xc6\xb3\xbc\x4d\x70\xfc\x57\xb6\x64\x1c\
\x0a\xd3\x7f\x09\x9f\x56\x1f\xc4\x61\x0b\x69\xd7\x22\x35\x12\xdb\
\x3c\x6d\xf0\xd8\x7d\x34\x7a\x0c\xa6\x64\xe6\x3b\xc9\x52\x75\x9e\
\xdb\x78\x54\xda\x69\x6a\xd4\x2e\x28\x5a\x2d\x81\xf7\x09\xf0\xb1\
\x69\xcc\x7e\xfe\x3a\xba\x69\xc4\x18\xc9\x62\xd6\xe8\x22\x02\xec\
\xb1\x34\x2f\xff\x43\x97\xf0\x59\xcd\x41\x1c\x59\x4e\x19\x65\x51\
\x6a\xa3\x1c\x72\x19\x1a\xdc\x9d\x28\x53\xb6\x88\xe3\x8f\x29\xc5\
\x29\x3c\x66\x7e\x97\x14\x8b\x8c\x64\x83\x4b\x6e\x80\x57\x39\x00\
\x2f\xda\xa8\x1d\x1f\xa6\xc6\xe6\x3b\x8c\x84\x0c\xb6\x7c\x9e\xc0\
\x9f\x20\xdd\xa3\x24\xec\x4e\x7d\xd5\xb6\x9c\x84\xbb\x15\x5f\xe7\
\x9f\xf1\x26\xf5\x89\x8f\xd7\x13\x6e\x75\xa5\x84\xaa\x4d\x3e\xea\
\x68\x28\xa6\xe5\x75\x54\x56\xf6\xa2\xe3\x8e\x61\xa4\x69\x91\x09\
\x21\x1c\x0d\x8a\x52\xe3\x6c\xe7\x84\x5b\x0c\xa1\xf7\xeb\x33\x78\
\x87\x86\x04\x48\x66\xd7\x6a\xcb\x0b\x49\x78\x49\xb6\xd6\x1f\xc0\
\xbe\xbb\x9e\xc4\xbb\x76\x17\x9a\xb8\x93\xe1\xbd\x9c\x45\x91\x8b\
\x27\xf0\xf2\xca\x0b\x0c\x0b\xd7\x79\x3a\x8e\xd1\xeb\xff\xc6\x1b\
\x93\x3f\xa0\x9f\x3e\x4f\x65\x93\x4e\xdb\xd0\xd1\x8c\xc4\x45\x42\
\xf6\xa3\xda\x5d\x8d\xda\xbd\x87\xd1\x5d\xb9\x1d\x8f\xa8\x2e\x34\
\xdf\x72\xda\x23\x4d\x7a\x1c\x23\x91\x31\x7c\x31\x70\x01\x3d\xcb\
\x61\x51\xe7\x74\x2e\x12\xdd\x6f\x7c\xa3\x47\xb3\xc2\xef\xb6\x2c\
\x11\x37\x49\x05\x97\x35\x49\x59\x41\x47\x5d\x58\xf2\x09\x92\x68\
\x36\xc9\x96\xb3\xc0\xda\x9d\x1e\x4e\x4b\x79\xc4\xce\x6d\x54\xb6\
\x8b\x92\x4a\x94\xbd\x9e\x2d\xaf\xf4\xed\x2c\x5e\x79\xfd\x5f\x80\
\x01\x00\x55\x0a\xfa\x73\x42\x33\xae\x39\x00\x00\x00\x00\x49\x45\
\x4e\x44\xae\x42\x60\x82\
\x00\x00\x04\x8e\
\x89\
\x50\x4e\x47\x0d\x0a\x1a\x0a\x00\x00\x00\x0d\x49\x48\x44\x52\x00\
\x00\x00\x20\x00\x00\x00\x20\x08\x03\x00\x00\x00\x44\xa4\x8a\xc6\
\x00\x00\x03\x00\x50\x4c\x54\x45\x01\x00\x00\xff\xfe\xcb\xff\xfe\
\x99\xff\xfe\x65\xff\xfe\x33\xfd\xfd\x00\xff\xcb\xfe\xff\xcb\xcb\
\xff\xcb\x99\xff\xcb\x65\xff\xcc\x33\xfd\xcb\x00\xff\x99\xfe\xff\
\x99\xcb\xff\x99\x99\xff\x98\x65\xff\x98\x33\xfd\x98\x00\xff\x65\
\xfe\xff\x65\xcb\xff\x65\x98\xff\x65\x65\xff\x65\x33\xfd\x65\x00\
\xff\x33\xfe\xff\x33\xcb\xff\x33\x98\xff\x33\x65\xff\x33\x33\xfd\
\x32\x00\xfd\x00\xfd\xfd\x00\xcb\xfd\x00\x98\xfd\x00\x65\xfd\x00\
\x32\xfd\x00\x00\xcb\xff\xff\xcb\xff\xcb\xcc\xff\x99\xcb\xff\x65\
\xcc\xff\x33\xcb\xfd\x00\xcb\xcb\xff\xcc\xcc\xcc\xcb\xcb\x98\xcc\
\xcb\x66\xcb\xcb\x32\xcc\xcb\x00\xcb\x99\xff\xcb\x98\xcb\xcb\x98\
\x98\xcc\x98\x66\xcb\x98\x32\xcc\x99\x00\xcb\x65\xff\xcc\x66\xcb\
\xcc\x66\x98\xcc\x66\x66\xcb\x65\x32\xcc\x65\x00\xcb\x33\xff\xcb\
\x32\xcb\xcb\x32\x98\xcb\x32\x65\xcb\x32\x32\xcc\x32\x00\xcb\x00\
\xfd\xcc\x00\xcb\xcc\x00\x98\xcc\x00\x65\xcc\x00\x32\xcc\x00\x00\
\x99\xff\xff\x99\xff\xcb\x99\xff\x99\x98\xff\x65\x99\xff\x33\x98\
\xfd\x00\x99\xcc\xff\x98\xcb\xcb\x98\xcb\x98\x99\xcc\x66\x98\xcb\
\x32\x99\xcc\x00\x99\x99\xff\x98\x98\xcb\x99\x99\x99\x98\x98\x65\
\x99\x98\x33\x98\x97\x00\x98\x65\xff\x98\x66\xcc\x98\x65\x98\x98\
\x65\x65\x99\x65\x33\x98\x65\x00\x98\x33\xff\x98\x32\xcb\x99\x33\
\x98\x99\x33\x65\x99\x33\x33\x98\x32\x00\x98\x00\xfd\x98\x00\xcc\
\x98\x00\x97\x98\x00\x65\x98\x00\x32\x98\x00\x00\x65\xff\xff\x65\
\xff\xcb\x65\xff\x98\x65\xff\x65\x66\xff\x33\x65\xfd\x00\x65\xcb\
\xff\x66\xcc\xcc\x66\xcc\x98\x66\xcc\x66\x65\xcb\x32\x66\xcc\x00\
\x65\x98\xff\x66\x99\xcc\x65\x98\x98\x65\x98\x65\x66\x99\x33\x65\
\x98\x00\x65\x65\xff\x66\x66\xcc\x65\x65\x98\x66\x66\x66\x65\x65\
\x32\x66\x65\x00\x65\x33\xff\x65\x32\xcb\x65\x33\x99\x65\x32\x65\
\x65\x32\x32\x66\x32\x00\x65\x00\xfd\x65\x00\xcc\x65\x00\x98\x66\
\x00\x65\x66\x00\x32\x66\x00\x00\x33\xff\xff\x33\xff\xcc\x33\xff\
\x98\x33\xff\x66\x33\xff\x33\x32\xfd\x00\x33\xcc\xff\x32\xcb\xcb\
\x32\xcb\x98\x32\xcb\x65\x32\xcb\x32\x33\xcc\x00\x33\x99\xff\x32\
\x98\xcb\x33\x99\x99\x33\x99\x65\x33\x99\x33\x32\x98\x00\x33\x66\
\xff\x32\x65\xcb\x33\x66\x99\x32\x65\x65\x32\x65\x32\x33\x66\x00\
\x33\x33\xff\x32\x32\xcb\x33\x33\x99\x32\x32\x65\x33\x33\x33\x32\
\x31\x00\x32\x00\xfd\x32\x00\xcc\x32\x00\x98\x32\x00\x66\x32\x00\
\x31\x32\x00\x00\x00\xfd\xfd\x00\xfd\xcb\x00\xfd\x98\x00\xfd\x65\
\x00\xfd\x32\x00\xfd\x00\x00\xcb\xfd\x00\xcc\xcc\x00\xcc\x99\x00\
\xcc\x65\x00\xcc\x33\x00\xcc\x00\x00\x98\xfd\x00\x99\xcc\x00\x98\
\x98\x00\x98\x65\x00\x98\x32\x00\x98\x00\x00\x65\xfd\x00\x66\xcc\
\x00\x65\x98\x00\x66\x66\x00\x66\x32\x00\x66\x00\x00\x32\xfd\x00\
\x33\xcc\x00\x32\x98\x00\x33\x66\x00\x32\x32\x00\x32\x00\x00\x00\
\xfd\x00\x00\xcc\x00\x00\x98\x00\x00\x66\x00\x00\x32\xee\x00\x00\
\xdc\x00\x00\xba\x00\x00\xaa\x00\x00\x88\x00\x00\x76\x00\x00\x54\
\x00\x00\x44\x00\x00\x22\x00\x00\x10\x00\x00\x00\xee\x00\x00\xdc\
\x00\x00\xba\x00\x00\xaa\x00\x00\x88\x00\x00\x76\x00\x00\x54\x00\
\x00\x44\x00\x00\x22\x00\x00\x10\x00\x00\x00\xee\x00\x00\xdc\x00\
\x00\xba\x00\x00\xaa\x00\x00\x88\x00\x00\x76\x00\x00\x54\x00\x00\
\x44\x00\x00\x22\x00\x00\x10\xee\xee\xee\xdd\xdd\xdd\xbb\xbb\xbb\
\xaa\xaa\xaa\x88\x88\x88\x77\x77\x77\x55\x55\x55\x44\x44\x44\x22\
\x22\x22\x11\x11\x11\x00\x00\x00\x11\xa6\xf0\x45\x00\x00\x00\x01\
\x74\x52\x4e\x53\x00\x40\xe6\xd8\x66\x00\x00\x01\x3c\x49\x44\x41\
\x54\x78\xda\xdd\x92\xbd\x4e\xc3\x30\x14\x85\xcf\x05\x91\xbc\x04\
\xa2\x8b\x19\x68\x19\x61\x62\xe2\x09\x90\x18\x10\x59\x92\x2e\xdd\
\x91\x18\x0a\x83\x0b\x34\x0c\x65\x63\x67\x21\x59\x5c\xc1\x0b\xf0\
\x0e\x61\x0d\x0c\xf5\xd0\x9f\x47\x80\x25\x01\x71\x71\x9b\x86\x26\
\x50\xc4\xc2\x02\x56\xec\x58\x39\x5f\xce\xb5\xce\x35\xe1\x87\x41\
\x7f\x12\x60\xca\xe6\x7c\xc0\x28\x0c\x32\xcf\x8c\xf9\x04\x18\xf5\
\xf2\x00\x5e\x40\xdf\x01\xf5\xeb\x46\x1a\xd4\x97\x44\x13\x39\x42\
\x65\xff\xed\xe7\xc8\x83\x16\x41\xe3\x2a\x57\x8a\x0e\xfd\xca\xa0\
\x95\x56\x8f\x3a\x71\x77\x6b\x75\xad\x39\xb5\x28\x03\x4e\x27\x4c\
\x6c\x20\x19\xe9\x6a\x6e\x41\xc5\x02\x1b\x3b\xe0\xf5\x5e\x0a\xeb\
\xf0\xf4\x3c\x3f\x28\x15\xfe\x77\xfd\xfb\x97\x41\x2a\x30\x4a\xc0\
\x8f\x3a\x42\xa9\x04\x13\x7b\xed\xe5\x1b\x6d\x76\x0b\x6f\x04\x2b\
\x75\x5b\x01\x4a\x0e\xec\xbb\x61\x2d\x4e\xc8\x12\xd0\x89\x2d\x34\
\xdc\x50\x8e\x75\x9a\xa6\x6b\x80\xe3\x5b\x2d\x7d\x08\xe7\x62\xe5\
\xc1\x32\x1f\xac\xfd\x10\x67\xaf\x93\x50\x4d\x7e\xfd\x4a\x9b\xc4\
\xf0\xc9\x96\x6a\x6f\x51\x69\xa4\x55\x47\xc1\x8e\x21\x69\x0c\x60\
\x33\x22\xf6\x01\x39\x29\xe5\x0b\x67\xb7\x57\xeb\x9a\xd7\x47\x50\
\xac\xee\x02\xa5\xa5\x09\xd7\x97\xc4\x6a\x22\x98\x35\x4f\x92\x67\
\x4d\xe1\xf6\xc9\xb8\x5d\xd9\x91\xe5\x9c\xa8\x39\xe3\x29\xdb\xe2\
\x4b\xb3\x7e\xeb\xca\xfd\x4f\xe0\x1d\x87\xdb\x7e\x1f\x89\x6f\x47\
\xce\x00\x00\x00\x00\x49\x45\x4e\x44\xae\x42\x60\x82\
\x00\x00\x04\x5e\
\x89\
\x50\x4e\x47\x0d\x0a\x1a\x0a\x00\x00\x00\x0d\x49\x48\x44\x52\x00\
\x00\x00\x20\x00\x00\x00\x20\x08\x06\x00\x00\x00\x73\x7a\x7a\xf4\
\x00\x00\x00\x19\x74\x45\x58\x74\x53\x6f\x66\x74\x77\x61\x72\x65\
\x00\x41\x64\x6f\x62\x65\x20\x49\x6d\x61\x67\x65\x52\x65\x61\x64\
\x79\x71\xc9\x65\x3c\x00\x00\x04\x00\x49\x44\x41\x54\x78\xda\xc4\
\x57\xcf\x8b\x1c\x45\x14\xfe\x5e\xf5\x8f\xd9\x71\x37\xc4\x1d\x3c\
\x44\x31\x2e\x0b\x39\x06\x21\xa0\x5e\x85\x1c\xa3\x2b\x5e\x72\xf0\
\x14\x14\x93\x93\xff\x40\x7e\x1c\x72\x48\x20\xb7\x1c\x03\x5e\x62\
\x2e\x31\x04\x3c\x18\x70\xbd\x98\x83\x82\xb0\xe0\x61\x89\x11\xc5\
\x80\x10\x5d\x4c\x16\xb2\xd9\x1f\xc9\x64\x67\xba\x7b\xba\x2a\xef\
\x55\x55\xc7\x9e\xd9\xe9\x4c\x0f\xce\xb2\x0d\x8f\xa9\xae\x9a\x7e\
\xef\xab\xef\x7d\xf5\xaa\x8a\x8c\x31\xd8\xcb\x27\x2c\x1a\x44\x14\
\x1d\xbf\xf4\xfd\xa3\xb4\xa7\xf7\xe7\x5a\xef\x5a\xc0\x40\x29\x84\
\xca\x7c\xf7\xcd\x99\x0f\x3f\xe6\xd7\x5e\x58\x1a\x9b\x4e\x38\xf8\
\xd7\x67\x8f\x21\xcd\xf9\x4d\x88\xa1\x09\x46\xf6\xfe\xe2\x00\xf8\
\xe4\xe2\xe2\x07\xfc\xd6\x64\x7b\x5a\x06\x10\xcb\xcc\x5f\xe1\xc6\
\xd2\xbf\x40\xc4\x7f\x56\x13\x04\xa0\x19\x40\xc6\x76\xf4\x2d\xc0\
\x33\x3c\x35\x08\x00\x85\x1c\x1a\x0a\xb8\xf6\xeb\x2a\x22\x65\x93\
\xc3\xe0\xfb\x91\x90\x9d\xce\x78\xda\xc9\x38\xe6\x89\xb7\x0f\x94\
\xe3\x50\x9f\x06\xfa\x84\xc1\x34\x85\x1c\x7c\xfe\x8d\x03\x90\x6c\
\xf4\xd8\xf2\x22\x87\x32\x6e\xdc\x6f\x2d\x82\xfc\x9f\xfe\x7a\xb0\
\x6a\xfd\x56\x8a\xb0\xaf\x53\xc1\xce\x9a\xf5\x02\x62\xe4\x27\xcd\
\x29\xb4\xf0\x8b\x1d\x5b\xc7\xbb\xb8\x4a\x5f\xbe\x00\x33\x32\x3e\
\x39\x2b\xfc\x0e\x3e\x6a\x28\x00\x12\x9a\xc8\x8e\x7e\x96\x9d\x44\
\x2b\xbb\xcb\x1c\xbe\x6a\x4d\xda\x9f\xa6\x9f\xc3\x04\xa2\x68\xe7\
\xf4\x65\x16\x90\x9f\x90\x71\x7e\xc7\x60\x80\xe3\x73\x90\xd9\x74\
\x89\xa7\xd0\x2a\xcd\x37\x46\x4b\x2f\x41\xcd\x70\x8f\x2e\xcd\x80\
\x4a\x39\x19\x90\x88\x52\xd5\x0c\x0c\x05\x50\xa8\x3f\x92\x98\x59\
\xee\xf2\x40\x5e\x05\x86\xdb\xac\x62\x11\x68\x58\x50\x48\xae\x61\
\x1e\x9e\x06\x92\x3b\xc0\xc1\x45\x90\x7c\xab\xfd\x90\x67\x60\xd8\
\xaa\x52\x95\x0c\x18\xb7\x1a\x36\xd5\x7b\x0c\x62\x9b\x2d\xf3\xb6\
\x6d\xfb\x62\x1e\x8b\x3c\xcd\x11\x23\x31\x0f\xce\x41\x6f\xdd\x82\
\x4e\x56\x60\xfe\xfe\xc8\x82\x2b\xc4\x1c\xaa\x31\x34\xa0\xe1\x72\
\x2b\x1c\x4e\x31\xe2\x6f\x5f\xff\x0a\x9b\xc1\x61\xa0\xfb\xc8\x9a\
\xb4\xa5\x4f\xc6\x22\x1f\x3c\x8a\x80\x74\xfd\x06\x72\xd3\xe4\x35\
\xde\x44\xd6\xb9\x07\x4a\xef\x59\x06\x0b\x10\xc6\xfb\xd5\xb5\x34\
\x40\x0e\x80\x30\x90\x71\xfb\xd6\xdc\x35\xe4\x9e\xbe\xc0\xb8\x65\
\xa8\x8c\xd3\x88\xd8\xc6\xfd\xcb\x9c\xa9\x29\xa6\x9b\xec\x77\x46\
\xc7\xe8\xae\x5d\x47\xeb\xd0\x79\x98\x9e\xa3\xde\xa0\xa6\x08\xa9\
\xd0\x80\x71\x33\x94\xf4\x47\xe6\xbf\x22\x45\x7e\x69\x09\x77\x12\
\x7c\x65\xf9\x38\xd2\xf6\x32\xb7\x67\x9c\x3e\xe4\x1f\xbc\x44\x9e\
\xac\x5e\x47\xd2\xfe\x1d\x07\x8f\xdc\x84\xd2\xce\x9f\xf8\xa5\xba\
\x0c\x48\x3c\x0b\xa0\x54\x21\x07\xd7\x77\xc0\x00\x9e\x3e\xfe\x09\
\x41\xfc\x1a\x07\xa1\x3e\xf9\x6b\x1d\x21\x59\xfb\xd1\xd6\x7e\x8c\
\xcb\x80\x38\x36\x25\xd1\x0c\xdd\xb1\xc9\xe5\x34\xe7\x3d\x45\x67\
\x5d\x50\xe8\x11\xc9\x93\xe7\x4c\x7d\x97\x7d\x34\x5d\xd0\x42\x03\
\xc1\x4e\x06\xd4\xb0\x4d\xcb\x31\xa0\xac\x88\x2a\xcd\x2f\xc3\x77\
\x8e\xfe\x89\xa0\x31\x8f\x4e\xb2\x85\xb9\xdb\xdb\xd6\xa4\x2d\x7d\
\x32\xa6\xbc\x58\xc5\x5f\xc1\x6c\x25\x03\xc5\x0e\x6c\x0b\x07\x4d\
\x23\x8e\x5c\xb1\xa9\x3a\xb3\x48\x1a\x1a\x51\x03\xef\x1f\xfb\x01\
\xc1\x34\x70\xe7\xf6\x9c\xed\x5f\x38\xb1\x82\xfc\x19\xa7\xa1\xe7\
\xbe\x0d\xbc\x3f\x55\xa4\x74\xa4\x06\xb8\x77\xe6\xfe\x9b\xf8\x63\
\xf6\x88\xd4\x9c\x4a\x00\xb0\xa2\x22\x8b\x58\x35\xa7\x78\xf9\x39\
\x77\xbf\xdd\x5d\x80\xee\x74\x6d\xc1\xb2\x73\x57\xe2\x6f\x99\xfd\
\x6e\xd4\xab\x84\x52\xbf\x49\xed\x43\x9a\x34\xf8\x7b\x35\x7a\xeb\
\x25\x57\x87\xd3\x27\x2e\xa3\xaa\xc3\xef\x49\xec\x91\x93\x5d\x4a\
\xe2\x2f\xa8\xbd\x17\x58\x7f\x0a\x49\xd2\xf3\x00\xea\x6c\xf8\x39\
\xe8\xdc\x21\xdb\x4c\xda\x29\x0b\xb1\x04\xda\x96\x72\x55\x7f\x33\
\x72\x79\xd2\xe8\x3c\xeb\xf0\xe4\x54\xbd\xb3\x47\xd5\x66\x64\x77\
\x56\x6d\xfd\x11\xc6\x00\x90\x64\x6d\x6c\x6c\x3d\x74\x00\xfe\xef\
\x71\x90\x01\x88\xbf\x91\x00\x0a\xb1\xc9\xf9\xed\xca\x17\xeb\x13\
\x3f\x93\xe6\xbe\x1a\x96\x45\x1d\x56\x7d\xd0\xd3\x93\x3f\x15\xd3\
\x28\x0d\xbc\x38\x3a\xf1\xaf\x9e\x64\x70\x9f\x57\x35\x10\x67\x07\
\x80\x50\xa9\x97\x1f\x14\x26\x75\x1b\x2a\xc5\xe9\x03\x10\x87\x68\
\x2f\x5c\x58\x9c\x91\x73\xfb\x6e\xdc\xd8\xec\x06\xc6\xc1\x4d\x77\
\xf3\xe7\x62\x9d\x50\x71\x37\xe4\xab\x19\x9f\x3a\x31\xcf\x36\x3b\
\xe1\xec\xef\x90\x17\xdb\x1a\xdb\x3f\x72\x31\x29\x03\x88\xe4\x7a\
\x66\x4f\x9d\xbb\xfb\x48\x40\xae\xd3\xe8\x58\x30\x02\x60\x2f\x6f\
\xc8\xb4\xd7\xd7\xf3\xe7\x02\x0c\x00\x6e\x8b\x74\xbd\x9b\xa7\x7c\
\x5e\x00\x00\x00\x00\x49\x45\x4e\x44\xae\x42\x60\x82\
"
qt_resource_name = "\
\x00\x04\
\x00\x05\xaa\xb7\
\x00\x53\
\x00\x74\x00\x65\x00\x67\
\x00\x15\
\x0b\x4f\x67\x87\
\x00\x54\
\x00\x79\x00\x72\x00\x61\x00\x6e\x00\x6e\x00\x6f\x00\x73\x00\x61\x00\x75\x00\x72\x00\x75\x00\x73\x00\x20\x00\x72\x00\x65\x00\x78\
\x00\x2e\x00\x70\x00\x6e\x00\x67\
\x00\x12\
\x0d\x69\x12\x07\
\x00\x66\
\x00\x6f\x00\x6c\x00\x64\x00\x65\x00\x72\x00\x5f\x00\x65\x00\x78\x00\x70\x00\x6c\x00\x6f\x00\x72\x00\x65\x00\x2e\x00\x70\x00\x6e\
\x00\x67\
\x00\x14\
\x0d\xa0\x0b\xc7\
\x00\x73\
\x00\x74\x00\x65\x00\x67\x00\x6f\x00\x73\x00\x61\x00\x75\x00\x72\x00\x75\x00\x73\x00\x2d\x00\x69\x00\x63\x00\x6f\x00\x6e\x00\x2e\
\x00\x70\x00\x6e\x00\x67\
\x00\x0a\
\x0c\x7b\xa4\x67\
\x00\x61\
\x00\x63\x00\x63\x00\x65\x00\x70\x00\x74\x00\x2e\x00\x70\x00\x6e\x00\x67\
\x00\x15\
\x0a\x08\x9e\xe7\
\x00\x53\
\x00\x74\x00\x65\x00\x67\x00\x6f\x00\x73\x00\x61\x00\x75\x00\x72\x00\x75\x00\x73\x00\x2d\x00\x69\x00\x63\x00\x6f\x00\x6e\x00\x31\
\x00\x2e\x00\x70\x00\x6e\x00\x67\
\x00\x0b\
\x0c\x6d\xa2\x27\
\x00\x70\
\x00\x69\x00\x63\x00\x74\x00\x75\x00\x72\x00\x65\x00\x2e\x00\x70\x00\x6e\x00\x67\
"
qt_resource_struct = "\
\x00\x00\x00\x00\x00\x02\x00\x00\x00\x01\x00\x00\x00\x01\
\x00\x00\x00\x00\x00\x02\x00\x00\x00\x06\x00\x00\x00\x02\
\x00\x00\x00\xb0\x00\x00\x00\x00\x00\x01\x00\x00\x1b\x89\
\x00\x00\x00\x0e\x00\x00\x00\x00\x00\x01\x00\x00\x00\x00\
\x00\x00\x00\xe0\x00\x00\x00\x00\x00\x01\x00\x00\x20\x1b\
\x00\x00\x00\x96\x00\x00\x00\x00\x00\x01\x00\x00\x14\x3e\
\x00\x00\x00\x3e\x00\x00\x00\x00\x00\x01\x00\x00\x07\xd5\
\x00\x00\x00\x68\x00\x00\x00\x00\x00\x01\x00\x00\x0e\xf8\
"
def qInitResources():
QtCore.qRegisterResourceData(0x01, qt_resource_struct, qt_resource_name, qt_resource_data)
def qCleanupResources():
QtCore.qUnregisterResourceData(0x01, qt_resource_struct, qt_resource_name, qt_resource_data)
qInitResources()
| Amir-Tb/steganogra-py | Steganograpy/GUI/Steg_rc.py | Python | gpl-3.0 | 41,317 |
#by mamat and tsaylor on djangosnippets.org
import re
from django.conf.urls.defaults import patterns, url
from django.contrib import admin
from django.http import HttpResponseRedirect
from django.utils.functional import update_wrapper
class Button(object):
def __init__(self, func):
self.func_name = func.func_name
self.short_description = func.short_description
self.func = func
self.alters_data = False
#I have no clue why this is necessary. Thanks, Django!
def __getattr__(self, attr):
val = self.__dict__[attr]
return val
class ButtonableModelAdmin(admin.ModelAdmin):
"""
A subclass of this admin will let you add buttons (like history) in the
change view of an entry.
ex.
class FooAdmin(ButtonableModelAdmin):
...
def bar(self, obj):
obj.bar()
bar.short_description='Example button'
buttons = [ bar ]
"""
buttons=[]
def change_view(self, request, object_id, extra_context={}):
if '/' in object_id:
object_id = object_id[:object_id.find('/')]
buttons = self.buttons
if callable(buttons):
buttons = buttons(request, object_id)
buttons = map(Button, buttons)
extra_context['buttons'] = buttons
return super(ButtonableModelAdmin, self).change_view(request, object_id, extra_context)
def button_view_dispatcher(self, request, url):
if url is not None:
res = re.match('(.*/)?(?P<id>\d+)/(?P<command>.*)', url)
if res:
buttons = self.buttons
if callable(buttons):
buttons = buttons()
print res.group('command')
if res.group('command') in [b.func_name for b in buttons]:
id = res.group('id')
obj = self.model._default_manager.get(pk=id)
getattr(self, res.group('command'))(obj)
path_without_command = "/".join(request.get_full_path().rstrip("/").split("/")[:-1])
return HttpResponseRedirect(path_without_command)
return super(ButtonableModelAdmin, self).__call__(request, url)
def get_urls(self):
def wrap(view):
def wrapper(*args, **kwargs):
return self.admin_site.admin_view(view)(*args, **kwargs)
return update_wrapper(wrapper, view)
urlpatterns = patterns('',
url(r'^([0-9]+/.+)/$',
wrap(self.button_view_dispatcher),)
) + super(ButtonableModelAdmin, self).get_urls()
return urlpatterns
| Genovo/OTPSetup | otpsetup/client/lib/buttonable_model_admin.py | Python | gpl-3.0 | 2,534 |
#!/usr/bin/env python
# Copyright (c) 2009, 2010 Google Inc. All rights reserved.
# Copyright (c) 2009 Apple Inc. All rights reserved.
#
# Redistribution and use in source and binary forms, with or without
# modification, are permitted provided that the following conditions are
# met:
#
# * Redistributions of source code must retain the above copyright
# notice, this list of conditions and the following disclaimer.
# * 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.
# * Neither the name of Google Inc. nor the names of its
# contributors may be used to endorse or promote products derived from
# this software without specific prior written permission.
#
# THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS
# "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 COPYRIGHT
# OWNER OR CONTRIBUTORS 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 re
import sys
from optparse import make_option
from webkitpy.tool import steps
from webkitpy.common.checkout.changelog import parse_bug_id_from_changelog
from webkitpy.common.config.committers import CommitterList
from webkitpy.common.system.deprecated_logging import error, log
from webkitpy.common.system.user import User
from webkitpy.thirdparty.mock import Mock
from webkitpy.tool.commands.abstractsequencedcommand import AbstractSequencedCommand
from webkitpy.tool.comments import bug_comment_from_svn_revision
from webkitpy.tool.grammar import pluralize, join_with_separators
from webkitpy.tool.multicommandtool import AbstractDeclarativeCommand
class CommitMessageForCurrentDiff(AbstractDeclarativeCommand):
name = "commit-message"
help_text = "Print a commit message suitable for the uncommitted changes"
def __init__(self):
options = [
steps.Options.git_commit,
]
AbstractDeclarativeCommand.__init__(self, options=options)
def execute(self, options, args, tool):
# This command is a useful test to make sure commit_message_for_this_commit
# always returns the right value regardless of the current working directory.
print "%s" % tool.checkout().commit_message_for_this_commit(options.git_commit).message()
class CleanPendingCommit(AbstractDeclarativeCommand):
name = "clean-pending-commit"
help_text = "Clear r+ on obsolete patches so they do not appear in the pending-commit list."
# NOTE: This was designed to be generic, but right now we're only processing patches from the pending-commit list, so only r+ matters.
def _flags_to_clear_on_patch(self, patch):
if not patch.is_obsolete():
return None
what_was_cleared = []
if patch.review() == "+":
if patch.reviewer():
what_was_cleared.append("%s's review+" % patch.reviewer().full_name)
else:
what_was_cleared.append("review+")
return join_with_separators(what_was_cleared)
def execute(self, options, args, tool):
committers = CommitterList()
for bug_id in tool.bugs.queries.fetch_bug_ids_from_pending_commit_list():
bug = self._tool.bugs.fetch_bug(bug_id)
patches = bug.patches(include_obsolete=True)
for patch in patches:
flags_to_clear = self._flags_to_clear_on_patch(patch)
if not flags_to_clear:
continue
message = "Cleared %s from obsolete attachment %s so that this bug does not appear in http://webkit.org/pending-commit." % (flags_to_clear, patch.id())
self._tool.bugs.obsolete_attachment(patch.id(), message)
# FIXME: This should be share more logic with AssignToCommitter and CleanPendingCommit
class CleanReviewQueue(AbstractDeclarativeCommand):
name = "clean-review-queue"
help_text = "Clear r? on obsolete patches so they do not appear in the pending-review list."
def execute(self, options, args, tool):
queue_url = "http://webkit.org/pending-review"
# We do this inefficient dance to be more like webkit.org/pending-review
# bugs.queries.fetch_bug_ids_from_review_queue() doesn't return
# closed bugs, but folks using /pending-review will see them. :(
for patch_id in tool.bugs.queries.fetch_attachment_ids_from_review_queue():
patch = self._tool.bugs.fetch_attachment(patch_id)
if not patch.review() == "?":
continue
attachment_obsolete_modifier = ""
if patch.is_obsolete():
attachment_obsolete_modifier = "obsolete "
elif patch.bug().is_closed():
bug_closed_explanation = " If you would like this patch reviewed, please attach it to a new bug (or re-open this bug before marking it for review again)."
else:
# Neither the patch was obsolete or the bug was closed, next patch...
continue
message = "Cleared review? from %sattachment %s so that this bug does not appear in %s.%s" % (attachment_obsolete_modifier, patch.id(), queue_url, bug_closed_explanation)
self._tool.bugs.obsolete_attachment(patch.id(), message)
class AssignToCommitter(AbstractDeclarativeCommand):
name = "assign-to-committer"
help_text = "Assign bug to whoever attached the most recent r+'d patch"
def _patches_have_commiters(self, reviewed_patches):
for patch in reviewed_patches:
if not patch.committer():
return False
return True
def _assign_bug_to_last_patch_attacher(self, bug_id):
committers = CommitterList()
bug = self._tool.bugs.fetch_bug(bug_id)
if not bug.is_unassigned():
assigned_to_email = bug.assigned_to_email()
log("Bug %s is already assigned to %s (%s)." % (bug_id, assigned_to_email, committers.committer_by_email(assigned_to_email)))
return
reviewed_patches = bug.reviewed_patches()
if not reviewed_patches:
log("Bug %s has no non-obsolete patches, ignoring." % bug_id)
return
# We only need to do anything with this bug if one of the r+'d patches does not have a valid committer (cq+ set).
if self._patches_have_commiters(reviewed_patches):
log("All reviewed patches on bug %s already have commit-queue+, ignoring." % bug_id)
return
latest_patch = reviewed_patches[-1]
attacher_email = latest_patch.attacher_email()
committer = committers.committer_by_email(attacher_email)
if not committer:
log("Attacher %s is not a committer. Bug %s likely needs commit-queue+." % (attacher_email, bug_id))
return
reassign_message = "Attachment %s was posted by a committer and has review+, assigning to %s for commit." % (latest_patch.id(), committer.full_name)
self._tool.bugs.reassign_bug(bug_id, committer.bugzilla_email(), reassign_message)
def execute(self, options, args, tool):
for bug_id in tool.bugs.queries.fetch_bug_ids_from_pending_commit_list():
self._assign_bug_to_last_patch_attacher(bug_id)
class ObsoleteAttachments(AbstractSequencedCommand):
name = "obsolete-attachments"
help_text = "Mark all attachments on a bug as obsolete"
argument_names = "BUGID"
steps = [
steps.ObsoletePatches,
]
def _prepare_state(self, options, args, tool):
return { "bug_id" : args[0] }
class AttachToBug(AbstractSequencedCommand):
name = "attach-to-bug"
help_text = "Attach the the file to the bug"
argument_names = "BUGID FILEPATH"
steps = [
steps.AttachToBug,
]
def _prepare_state(self, options, args, tool):
state = {}
state["bug_id"] = args[0]
state["filepath"] = args[1]
return state
class AbstractPatchUploadingCommand(AbstractSequencedCommand):
def _bug_id(self, options, args, tool, state):
# Perfer a bug id passed as an argument over a bug url in the diff (i.e. ChangeLogs).
bug_id = args and args[0]
if not bug_id:
changed_files = self._tool.scm().changed_files(options.git_commit)
state["changed_files"] = changed_files
bug_id = tool.checkout().bug_id_for_this_commit(options.git_commit, changed_files)
return bug_id
def _prepare_state(self, options, args, tool):
state = {}
state["bug_id"] = self._bug_id(options, args, tool, state)
if not state["bug_id"]:
error("No bug id passed and no bug url found in ChangeLogs.")
return state
class Post(AbstractPatchUploadingCommand):
name = "post"
help_text = "Attach the current working directory diff to a bug as a patch file"
argument_names = "[BUGID]"
steps = [
steps.ValidateChangeLogs,
steps.CheckStyle,
steps.ConfirmDiff,
steps.ObsoletePatches,
steps.SuggestReviewers,
steps.EnsureBugIsOpenAndAssigned,
steps.PostDiff,
]
class LandSafely(AbstractPatchUploadingCommand):
name = "land-safely"
help_text = "Land the current diff via the commit-queue"
argument_names = "[BUGID]"
long_help = """land-safely updates the ChangeLog with the reviewer listed
in bugs.webkit.org for BUGID (or the bug ID detected from the ChangeLog).
The command then uploads the current diff to the bug and marks it for
commit by the commit-queue."""
show_in_main_help = True
steps = [
steps.UpdateChangeLogsWithReviewer,
steps.ValidateChangeLogs,
steps.ObsoletePatches,
steps.EnsureBugIsOpenAndAssigned,
steps.PostDiffForCommit,
]
class Prepare(AbstractSequencedCommand):
name = "prepare"
help_text = "Creates a bug (or prompts for an existing bug) and prepares the ChangeLogs"
argument_names = "[BUGID]"
steps = [
steps.PromptForBugOrTitle,
steps.CreateBug,
steps.PrepareChangeLog,
]
def _prepare_state(self, options, args, tool):
bug_id = args and args[0]
return { "bug_id" : bug_id }
class Upload(AbstractPatchUploadingCommand):
name = "upload"
help_text = "Automates the process of uploading a patch for review"
argument_names = "[BUGID]"
show_in_main_help = True
steps = [
steps.ValidateChangeLogs,
steps.CheckStyle,
steps.PromptForBugOrTitle,
steps.CreateBug,
steps.PrepareChangeLog,
steps.EditChangeLog,
steps.ConfirmDiff,
steps.ObsoletePatches,
steps.SuggestReviewers,
steps.EnsureBugIsOpenAndAssigned,
steps.PostDiff,
]
long_help = """upload uploads the current diff to bugs.webkit.org.
If no bug id is provided, upload will create a bug.
If the current diff does not have a ChangeLog, upload
will prepare a ChangeLog. Once a patch is read, upload
will open the ChangeLogs for editing using the command in the
EDITOR environment variable and will display the diff using the
command in the PAGER environment variable."""
def _prepare_state(self, options, args, tool):
state = {}
state["bug_id"] = self._bug_id(options, args, tool, state)
return state
class EditChangeLogs(AbstractSequencedCommand):
name = "edit-changelogs"
help_text = "Opens modified ChangeLogs in $EDITOR"
show_in_main_help = True
steps = [
steps.EditChangeLog,
]
class PostCommits(AbstractDeclarativeCommand):
name = "post-commits"
help_text = "Attach a range of local commits to bugs as patch files"
argument_names = "COMMITISH"
def __init__(self):
options = [
make_option("-b", "--bug-id", action="store", type="string", dest="bug_id", help="Specify bug id if no URL is provided in the commit log."),
make_option("--add-log-as-comment", action="store_true", dest="add_log_as_comment", default=False, help="Add commit log message as a comment when uploading the patch."),
make_option("-m", "--description", action="store", type="string", dest="description", help="Description string for the attachment (default: description from commit message)"),
steps.Options.obsolete_patches,
steps.Options.review,
steps.Options.request_commit,
]
AbstractDeclarativeCommand.__init__(self, options=options, requires_local_commits=True)
def _comment_text_for_commit(self, options, commit_message, tool, commit_id):
comment_text = None
if (options.add_log_as_comment):
comment_text = commit_message.body(lstrip=True)
comment_text += "---\n"
comment_text += tool.scm().files_changed_summary_for_commit(commit_id)
return comment_text
def execute(self, options, args, tool):
commit_ids = tool.scm().commit_ids_from_commitish_arguments(args)
if len(commit_ids) > 10: # We could lower this limit, 10 is too many for one bug as-is.
error("webkit-patch does not support attaching %s at once. Are you sure you passed the right commit range?" % (pluralize("patch", len(commit_ids))))
have_obsoleted_patches = set()
for commit_id in commit_ids:
commit_message = tool.scm().commit_message_for_local_commit(commit_id)
# Prefer --bug-id=, then a bug url in the commit message, then a bug url in the entire commit diff (i.e. ChangeLogs).
bug_id = options.bug_id or parse_bug_id_from_changelog(commit_message.message()) or parse_bug_id_from_changelog(tool.scm().create_patch(git_commit=commit_id))
if not bug_id:
log("Skipping %s: No bug id found in commit or specified with --bug-id." % commit_id)
continue
if options.obsolete_patches and bug_id not in have_obsoleted_patches:
state = { "bug_id": bug_id }
steps.ObsoletePatches(tool, options).run(state)
have_obsoleted_patches.add(bug_id)
diff = tool.scm().create_patch(git_commit=commit_id)
description = options.description or commit_message.description(lstrip=True, strip_url=True)
comment_text = self._comment_text_for_commit(options, commit_message, tool, commit_id)
tool.bugs.add_patch_to_bug(bug_id, diff, description, comment_text, mark_for_review=options.review, mark_for_commit_queue=options.request_commit)
# FIXME: This command needs to be brought into the modern age with steps and CommitInfo.
class MarkBugFixed(AbstractDeclarativeCommand):
name = "mark-bug-fixed"
help_text = "Mark the specified bug as fixed"
argument_names = "[SVN_REVISION]"
def __init__(self):
options = [
make_option("--bug-id", action="store", type="string", dest="bug_id", help="Specify bug id if no URL is provided in the commit log."),
make_option("--comment", action="store", type="string", dest="comment", help="Text to include in bug comment."),
make_option("--open", action="store_true", default=False, dest="open_bug", help="Open bug in default web browser (Mac only)."),
make_option("--update-only", action="store_true", default=False, dest="update_only", help="Add comment to the bug, but do not close it."),
]
AbstractDeclarativeCommand.__init__(self, options=options)
# FIXME: We should be using checkout().changelog_entries_for_revision(...) instead here.
def _fetch_commit_log(self, tool, svn_revision):
if not svn_revision:
return tool.scm().last_svn_commit_log()
return tool.scm().svn_commit_log(svn_revision)
def _determine_bug_id_and_svn_revision(self, tool, bug_id, svn_revision):
commit_log = self._fetch_commit_log(tool, svn_revision)
if not bug_id:
bug_id = parse_bug_id_from_changelog(commit_log)
if not svn_revision:
match = re.search("^r(?P<svn_revision>\d+) \|", commit_log, re.MULTILINE)
if match:
svn_revision = match.group('svn_revision')
if not bug_id or not svn_revision:
not_found = []
if not bug_id:
not_found.append("bug id")
if not svn_revision:
not_found.append("svn revision")
error("Could not find %s on command-line or in %s."
% (" or ".join(not_found), "r%s" % svn_revision if svn_revision else "last commit"))
return (bug_id, svn_revision)
def execute(self, options, args, tool):
bug_id = options.bug_id
svn_revision = args and args[0]
if svn_revision:
if re.match("^r[0-9]+$", svn_revision, re.IGNORECASE):
svn_revision = svn_revision[1:]
if not re.match("^[0-9]+$", svn_revision):
error("Invalid svn revision: '%s'" % svn_revision)
needs_prompt = False
if not bug_id or not svn_revision:
needs_prompt = True
(bug_id, svn_revision) = self._determine_bug_id_and_svn_revision(tool, bug_id, svn_revision)
log("Bug: <%s> %s" % (tool.bugs.bug_url_for_bug_id(bug_id), tool.bugs.fetch_bug_dictionary(bug_id)["title"]))
log("Revision: %s" % svn_revision)
if options.open_bug:
tool.user.open_url(tool.bugs.bug_url_for_bug_id(bug_id))
if needs_prompt:
if not tool.user.confirm("Is this correct?"):
self._exit(1)
bug_comment = bug_comment_from_svn_revision(svn_revision)
if options.comment:
bug_comment = "%s\n\n%s" % (options.comment, bug_comment)
if options.update_only:
log("Adding comment to Bug %s." % bug_id)
tool.bugs.post_comment_to_bug(bug_id, bug_comment)
else:
log("Adding comment to Bug %s and marking as Resolved/Fixed." % bug_id)
tool.bugs.close_bug_as_fixed(bug_id, bug_comment)
# FIXME: Requires unit test. Blocking issue: too complex for now.
class CreateBug(AbstractDeclarativeCommand):
name = "create-bug"
help_text = "Create a bug from local changes or local commits"
argument_names = "[COMMITISH]"
def __init__(self):
options = [
steps.Options.cc,
steps.Options.component,
make_option("--no-prompt", action="store_false", dest="prompt", default=True, help="Do not prompt for bug title and comment; use commit log instead."),
make_option("--no-review", action="store_false", dest="review", default=True, help="Do not mark the patch for review."),
make_option("--request-commit", action="store_true", dest="request_commit", default=False, help="Mark the patch as needing auto-commit after review."),
]
AbstractDeclarativeCommand.__init__(self, options=options)
def create_bug_from_commit(self, options, args, tool):
commit_ids = tool.scm().commit_ids_from_commitish_arguments(args)
if len(commit_ids) > 3:
error("Are you sure you want to create one bug with %s patches?" % len(commit_ids))
commit_id = commit_ids[0]
bug_title = ""
comment_text = ""
if options.prompt:
(bug_title, comment_text) = self.prompt_for_bug_title_and_comment()
else:
commit_message = tool.scm().commit_message_for_local_commit(commit_id)
bug_title = commit_message.description(lstrip=True, strip_url=True)
comment_text = commit_message.body(lstrip=True)
comment_text += "---\n"
comment_text += tool.scm().files_changed_summary_for_commit(commit_id)
diff = tool.scm().create_patch(git_commit=commit_id)
bug_id = tool.bugs.create_bug(bug_title, comment_text, options.component, diff, "Patch", cc=options.cc, mark_for_review=options.review, mark_for_commit_queue=options.request_commit)
if bug_id and len(commit_ids) > 1:
options.bug_id = bug_id
options.obsolete_patches = False
# FIXME: We should pass through --no-comment switch as well.
PostCommits.execute(self, options, commit_ids[1:], tool)
def create_bug_from_patch(self, options, args, tool):
bug_title = ""
comment_text = ""
if options.prompt:
(bug_title, comment_text) = self.prompt_for_bug_title_and_comment()
else:
commit_message = tool.checkout().commit_message_for_this_commit(options.git_commit)
bug_title = commit_message.description(lstrip=True, strip_url=True)
comment_text = commit_message.body(lstrip=True)
diff = tool.scm().create_patch(options.git_commit)
bug_id = tool.bugs.create_bug(bug_title, comment_text, options.component, diff, "Patch", cc=options.cc, mark_for_review=options.review, mark_for_commit_queue=options.request_commit)
def prompt_for_bug_title_and_comment(self):
bug_title = User.prompt("Bug title: ")
# FIXME: User should provide a function for doing this multi-line prompt.
print "Bug comment (hit ^D on blank line to end):"
lines = sys.stdin.readlines()
try:
sys.stdin.seek(0, os.SEEK_END)
except IOError:
# Cygwin raises an Illegal Seek (errno 29) exception when the above
# seek() call is made. Ignoring it seems to cause no harm.
# FIXME: Figure out a way to get avoid the exception in the first
# place.
pass
comment_text = "".join(lines)
return (bug_title, comment_text)
def execute(self, options, args, tool):
if len(args):
if (not tool.scm().supports_local_commits()):
error("Extra arguments not supported; patch is taken from working directory.")
self.create_bug_from_commit(options, args, tool)
else:
self.create_bug_from_patch(options, args, tool)
| cs-au-dk/Artemis | WebKit/Tools/Scripts/webkitpy/tool/commands/upload.py | Python | gpl-3.0 | 22,709 |
from SerialBus import SerialBus
serialbus = SerialBus(baud = 19200, serialnum="ABCD")
while True:
cmd = input('Send: ')
answer = serialbus.send_request_wait(10, bytes(cmd, 'ascii'))
answer_str = "";
for char in answer:
answer_str += (chr(char))
print(answer_str)
| marplaa/SerialBus | python_lib/test_script/echo.py | Python | gpl-3.0 | 294 |
# -*- coding: cp1252 -*-
import urllib,re,string,sys,os
import xbmc,xbmcgui,xbmcaddon,xbmcplugin
from resources.libs import main
#Mash Up - by Mash2k3 2012.
addon_id = 'plugin.video.movie25'
selfAddon = xbmcaddon.Addon(id=addon_id)
art = main.art
prettyName = 'WatchSeries'
def MAINWATCHS():
main.addDir('Search','s',581,art+'/search.png')
main.addDir('A-Z','s',577,art+'/az.png')
main.addDir('Yesterdays Episodes','http://watchseries.lt/tvschedule/-2',573,art+'/yesepi.png')
main.addDir('Todays Episodes','http://watchseries.lt/tvschedule/-1',573,art+'/toepi2.png')
main.addDir('Popular Shows','http://watchseries.lt/',580,art+'/popshowsws.png')
main.addDir('This Weeks Popular Episodes','http://watchseries.lt/new',573,art+'/thisweek.png')
main.addDir('Newest Episodes Added','http://watchseries.lt/latest',573,art+'/newadd.png')
main.addDir('By Genre','genre',583,art+'/genre.png')
main.GA("Plugin","Watchseries")
main.VIEWSB()
def POPULARWATCHS(murl):
main.GA("Watchseries","PopularShows")
link=main.OPENURL(murl)
link=link.replace('\r','').replace('\n','').replace('\t','').replace(' ','')
match=re.compile('<a href="([^<]+)" title="[^<]+">([^<]+)</a><br />').findall(link)
main.addLink('[COLOR red]Most Popular Series[/COLOR]','',art+'/link.png')
for url, name in match[0:12]:
main.addDirT(name,'http://watchseries.lt'+url,578,'','','','','','')
main.addLink('[COLOR red]Most Popular Cartoons[/COLOR]','',art+'/link.png')
for url, name in match[12:24]:
main.addDirT(name,'http://watchseries.lt'+url,578,'','','','','','')
main.addLink('[COLOR red]Most Popular Documentaries[/COLOR]','',art+'/link.png')
for url, name in match[24:36]:
main.addDirT(name,'http://watchseries.lt'+url,578,'','','','','','')
main.addLink('[COLOR red]Most Popular Shows[/COLOR]','',art+'/link.png')
for url, name in match[36:48]:
main.addDirT(name,'http://watchseries.lt'+url,578,'','','','','','')
main.addLink('[COLOR red]Most Popular Sports[/COLOR]','',art+'/link.png')
for url, name in match[48:60]:
main.addDirT(name,'http://watchseries.lt'+url,578,'','','','','','')
def GENREWATCHS():
main.addDir('Action','http://watchseries.lt/genres/action',576,art+'/act.png')
main.addDir('Adventure','http://watchseries.lt/genres/adventure',576,art+'/adv.png')
main.addDir('Animation','http://watchseries.lt/genres/animation',576,art+'/ani.png')
main.addDir('Comedy','http://watchseries.lt/genres/comedy',576,art+'/com.png')
main.addDir('Crime','http://watchseries.lt/genres/crime',576,art+'/cri.png')
main.addDir('Documentary','http://watchseries.lt/genres/documentary',576,art+'/doc.png')
main.addDir('Drama','http://watchseries.lt/genres/drama',576,art+'/dra.png')
main.addDir('Family','http://watchseries.lt/genres/family',576,art+'/fam.png')
main.addDir('Fantasy','http://watchseries.lt/genres/fantasy',576,art+'/fant.png')
main.addDir('History','http://watchseries.lt/genres/history',576,art+'/his.png')
main.addDir('Horror','http://watchseries.lt/genres/horror',576,art+'/hor.png')
main.addDir('Music','http://watchseries.lt/genres/music',576,art+'/mus.png')
main.addDir('Mystery','http://watchseries.lt/genres/mystery',576,art+'/mys.png')
main.addDir('Reality','http://watchseries.lt/genres/reality-tv',576,art+'/rea.png')
main.addDir('Sci-Fi','http://watchseries.lt/genres/sci-fi',576,art+'/sci.png')
main.addDir('Sport','http://watchseries.lt/genres/sport',576,art+'/spo.png')
main.addDir('Talk Show','http://watchseries.lt/genres/talk-show',576,art+'/tals.png')
main.addDir('Thriller','http://watchseries.lt/genres/thriller',576,art+'/thr.png')
main.addDir('War','http://watchseries.lt/genres/war',576,art+'/war.png')
main.GA("Watchseries","Genre")
main.VIEWSB()
def AtoZWATCHS():
main.addDir('0-9','http://watchseries.lt/letters/09',576,art+'/09.png')
for i in string.ascii_uppercase:
main.addDir(i,'http://watchseries.lt/letters/'+i.lower()+'/list-type/a_z',576,art+'/'+i.lower()+'.png')
main.GA("Watchseries","A-Z")
main.VIEWSB()
def LISTWATCHS(murl):
main.GA("Watchseries","List")
link=main.OPENURL(murl)
link=link.replace('\r','').replace('\n','').replace('\t','')
match=re.compile('<a title=".+?" href="(.+?)">(.+?)</a>').findall(link)
dialogWait = xbmcgui.DialogProgress()
ret = dialogWait.create('Please wait until Show list is cached.')
totalLinks = len(match)
loadedLinks = 0
remaining_display = 'Episodes loaded :: [B]'+str(loadedLinks)+' / '+str(totalLinks)+'[/B].'
dialogWait.update(0,'[B]Will load instantly from now on[/B]',remaining_display)
for url, name in match:
name=re.sub('\((\d+)x(\d+)\)','',name,re.I)
episode = re.search('Seas(on)?\.? (\d+).*?Ep(isode)?\.? (\d+)',name, re.I)
if(episode):
e = str(episode.group(4))
if(len(e)==1): e = "0" + e
s = episode.group(2)
if(len(s)==1): s = "0" + s
name = re.sub('Seas(on)?\.? (\d+).*?Ep(isode)?\.? (\d+)','',name,re.I)
name = name.strip() + " " + "S" + s + "E" + e
if 'watchseries.' not in name and 'watchtvseries.' not in name:
main.addDirTE(name,'http://watchseries.lt'+url,575,'','','','','','')
loadedLinks = loadedLinks + 1
percent = (loadedLinks * 100)/totalLinks
remaining_display = 'Episodes loaded :: [B]'+str(loadedLinks)+' / '+str(totalLinks)+'[/B].'
dialogWait.update(percent,'[B]Will load instantly from now on[/B]',remaining_display)
if (dialogWait.iscanceled()):
return False
dialogWait.close()
del dialogWait
def LISTSHOWWATCHS(murl):
main.GA("Watchseries","List")
link=main.OPENURL(murl)
link=link.replace('\r','').replace('\n','').replace('\t','')
match=re.compile('<a title="(.+?)" href="(.+?)">.+?<span class="epnum">(.+?)</span></a>').findall(link)
for name, url, year in match:
main.addDirT(name,'http://watchseries.lt'+url,578,'','','','','','')
def LISTWATCHSEASON(mname, murl):
link=main.OPENURL(murl)
link=link.replace('\r','').replace('\n','').replace('\t','')
thumb=art+'/folder.png'
match=re.compile('<a class="null" href="(.+?)">(.+?)</a>').findall(link)
for url, name in reversed(match):
main.addDir(mname+' [COLOR red]'+name+'[/COLOR]',murl,579,thumb)
def LISTWATCHEPISODE(mname, murl):
link=main.OPENURL(murl)
link=link.replace('\r','').replace('\n','').replace('\t','').replace(" "," ")
print mname
xname=re.findall('(Season .+?)',mname)[0]
print xname
match=re.compile('<a title=".+?- '+xname+' -.+?" href="([^"]+)"><span class="" >([^<]+)</span>').findall(link)
dialogWait = xbmcgui.DialogProgress()
ret = dialogWait.create('Please wait until Show list is cached.')
totalLinks = len(match)
loadedLinks = 0
remaining_display = 'Episodes loaded :: [B]'+str(loadedLinks)+' / '+str(totalLinks)+'[/B].'
dialogWait.update(0,'[B]Will load instantly from now on[/B]',remaining_display)
season = re.search('Seas(on)?\.? (\d+)',main.removeColorTags(mname),re.I)
for url, episode in reversed(match):
name = mname
epi= re.search('Ep(isode)?\.? (\d+)(.*)',episode, re.I)
if(epi):
e = str(epi.group(2))
if(len(e)==1): e = "0" + e
if(season):
s = season.group(2)
if(len(s)==1): s = "0" + s
name = main.removeColoredText(mname).strip()
name = name + " " + "S" + s + "E" + e
episode = epi.group(3).strip()
main.addDirTE(name + ' [COLOR red]'+str(episode)+'[/COLOR]','http://watchseries.lt'+url,575,'','','','','','')
loadedLinks = loadedLinks + 1
percent = (loadedLinks * 100)/totalLinks
remaining_display = 'Episodes loaded :: [B]'+str(loadedLinks)+' / '+str(totalLinks)+'[/B].'
dialogWait.update(percent,'[B]Will load instantly from now on[/B]',remaining_display)
if (dialogWait.iscanceled()):
return False
dialogWait.close()
del dialogWait
if selfAddon.getSetting('auto-view') == 'true':
xbmc.executebuiltin("Container.SetViewMode(%s)" % selfAddon.getSetting('episodes-view'))
def SearchhistoryWS():
seapath=os.path.join(main.datapath,'Search')
SeaFile=os.path.join(seapath,'SearchHistoryTv')
if not os.path.exists(SeaFile):
SEARCHWS()
else:
main.addDir('Search','###',582,art+'/search.png')
main.addDir('Clear History',SeaFile,128,art+'/cleahis.png')
thumb=art+'/link.png'
searchis=re.compile('search="(.+?)",').findall(open(SeaFile,'r').read())
for seahis in reversed(searchis):
url=seahis
seahis=seahis.replace('%20',' ')
main.addDir(seahis,url,582,thumb)
def superSearch(encode,type):
try:
returnList=[]
surl='http://watchseries.lt/search/'+encode
link=main.OPENURL(surl,verbose=False)
link=link.replace('\r','').replace('\n','').replace('\t','').replace(' ','')
match=re.compile('<a title=".+?" href="([^<]+)"><b>(.+?)</b></a> <br> <b>Description:</b>(.+?)</td></tr> <tr></tr> <tr><td valign="top"> <a title=".+?<img src="(.+?)"> </a>',re.DOTALL).findall(link)
for url,name,desc,thumb in match:
url = 'http://watchseries.lt'+url
returnList.append((name,prettyName,url,thumb,578,True))
return returnList
except: return []
def SEARCHWS(murl = ''):
encode = main.updateSearchFile(murl,'TV')
if not encode: return False
surl='http://watchseries.lt/search/'+encode
link=main.OPENURL(surl)
link=link.replace('\r','').replace('\n','').replace('\t','')
match=re.compile('<a title=".+?" href="([^<]+)"><b>(.+?)</b></a> <br> <b>Description:</b>(.+?)</td></tr> <tr></tr> <tr><td valign="top"> <a title=".+?<img src="(.+?)"> </a>',re.DOTALL).findall(link)
for url,name,desc,thumb in match:
main.addDirT(name,'http://watchseries.lt'+url,578,thumb,desc,'','','','')
main.GA("Watchseries","Search")
def LISTHOST(name,murl):
link=main.OPENURL(murl)
link=link.replace('\r','').replace('\n','').replace('\t','')
if selfAddon.getSetting("hide-download-instructions") != "true":
main.addLink("[COLOR red]For Download Options, Bring up Context Menu Over Selected Link.[/COLOR]",'','')
putlocker=re.compile('<span>putlocker</span></td><td> <a target=".+?" href="(.+?)"').findall(link)
if len(putlocker) > 0:
for url in putlocker:
main.addDown2(name+"[COLOR blue] : Putlocker[/COLOR]",url+'xocx'+murl+'xocx',574,art+'/hosts/putlocker.png',art+'/hosts/putlocker.png')
sockshare=re.compile('<span>sockshare</span></td><td> <a target=".+?" href="(.+?)"').findall(link)
if len(sockshare) > 0:
for url in sockshare:
main.addDown2(name+"[COLOR blue] : Sockshare[/COLOR]",url+'xocx'+murl+'xocx',574,art+'/hosts/sockshare.png',art+'/hosts/sockshare.png')
nowvideo=re.compile('<span>nowvideo</span></td><td> <a target=".+?" href="(.+?)"').findall(link)
if len(nowvideo) > 0:
for url in nowvideo:
main.addDown2(name+"[COLOR blue] : Nowvideo[/COLOR]",url+'xocx'+murl+'xocx',574,art+'/hosts/nowvideo.png',art+'/hosts/nowvideo.png')
oeupload=re.compile('<span>180upload</span></td><td> <a target=".+?" href="(.+?)"').findall(link)
if len(oeupload) > 0:
for url in oeupload:
main.addDown2(name+"[COLOR blue] : 180upload[/COLOR]",url+'xocx'+murl+'xocx',574,art+'/hosts/180upload.png',art+'/hosts/180upload.png')
filenuke=re.compile('<span>filenuke</span></td><td> <a target=".+?" href="(.+?)"').findall(link)
if len(filenuke) > 0:
for url in filenuke:
main.addDown2(name+"[COLOR blue] : Filenuke[/COLOR]",url+'xocx'+murl+'xocx',574,art+'/hosts/filenuke.png',art+'/hosts/filenuke.png')
flashx=re.compile('<span>flashx</span></td><td> <a target=".+?" href="(.+?)"').findall(link)
if len(flashx) > 0:
for url in flashx:
main.addDown2(name+"[COLOR blue] : Flashx[/COLOR]",url+'xocx'+murl+'xocx',574,art+'/hosts/flashx.png',art+'/hosts/flashx.png')
novamov=re.compile('<span>novamov</span></td><td> <a target=".+?" href="(.+?)"').findall(link)
if len(novamov) > 0:
for url in novamov:
main.addDown2(name+"[COLOR blue] : Novamov[/COLOR]",url+'xocx'+murl+'xocx',574,art+'/hosts/novamov.png',art+'/hosts/novamov.png')
uploadc=re.compile('<span>uploadc</span></td><td> <a target=".+?" href="(.+?)"').findall(link)
if len(uploadc) > 0:
for url in uploadc:
main.addDown2(name+"[COLOR blue] : Uploadc[/COLOR]",url+'xocx'+murl+'xocx',574,art+'/hosts/uploadc.png',art+'/hosts/uploadc.png')
xvidstage=re.compile('<span>xvidstage</span></td><td> <a target=".+?" href="(.+?)"').findall(link)
if len(xvidstage) > 0:
for url in xvidstage:
main.addDown2(name+"[COLOR blue] : Xvidstage[/COLOR]",url+'xocx'+murl+'xocx',574,art+'/hosts/xvidstage.png',art+'/hosts/xvidstage.png')
stagevu=re.compile('<span>stagevu</span></td><td> <a target=".+?" href="(.+?)"').findall(link)
if len(stagevu) > 0:
for url in stagevu:
main.addDown2(name+"[COLOR blue] : StageVu[/COLOR]",url+'xocx'+murl+'xocx',574,art+'/hosts/stagevu.png',art+'/hosts/stagevu.png')
gorillavid=re.compile('<span>gorillavid</span></td><td> <a target=".+?" href="(.+?)"').findall(link)
if len(gorillavid)==0:
gorillavid=re.compile('<span>gorillavid</span></td><td> <a target=".+?" href="(.+?)"').findall(link)
if len(gorillavid) > 0:
for url in gorillavid:
main.addDown2(name+"[COLOR blue] : Gorillavid[/COLOR]",url+'xocx'+murl+'xocx',574,art+'/hosts/gorillavid.png',art+'/hosts/gorillavid.png')
divxstage=re.compile('<span>divxstage</span></td><td> <a target=".+?" href="(.+?)"').findall(link)
if len(divxstage) > 0:
for url in divxstage:
main.addDown2(name+"[COLOR blue] : Divxstage[/COLOR]",url+'xocx'+murl+'xocx',574,art+'/hosts/divxstage.png',art+'/hosts/divxstage.png')
moveshare=re.compile('<span>moveshare</span></td><td> <a target=".+?" href="(.+?)"').findall(link)
if len(moveshare) > 0:
for url in moveshare:
main.addDown2(name+"[COLOR blue] : Moveshare[/COLOR]",url+'xocx'+murl+'xocx',574,art+'/hosts/moveshare.png',art+'/hosts/moveshare.png')
sharesix=re.compile('<span>sharesix</span></td><td> <a target=".+?" href="(.+?)"').findall(link)
if len(sharesix) > 0:
for url in sharesix:
main.addDown2(name+"[COLOR blue] : Sharesix[/COLOR]",url+'xocx'+murl+'xocx',574,art+'/hosts/sharesix.png',art+'/hosts/sharesix.png')
movpod=re.compile('<span>movpod</span></td><td> <a target=".+?" href="(.+?)"').findall(link)
if len(movpod)==0:
movpod=re.compile('<span>movpod</span></td><td> <a target=".+?" href="(.+?)"').findall(link)
if len(movpod) > 0:
for url in movpod:
main.addDown2(name+"[COLOR blue] : Movpod[/COLOR]",url+'xocx'+murl+'xocx',574,art+'/hosts/movpod.png',art+'/hosts/movpod.png')
daclips=re.compile('<span>daclips</span></td><td> <a target=".+?" href="(.+?)"').findall(link)
if len(daclips)==0:
daclips=re.compile('<span>daclips</span></td><td> <a target=".+?" href="(.+?)"').findall(link)
if len(daclips) > 0:
for url in daclips:
main.addDown2(name+"[COLOR blue] : Daclips[/COLOR]",url+'xocx'+murl+'xocx',574,art+'/hosts/daclips.png',art+'/hosts/daclips.png')
videoweed=re.compile('<span>videoweed</span></td><td> <a target=".+?" href="(.+?)"').findall(link)
if len(videoweed) > 0:
for url in videoweed:
main.addDown2(name+"[COLOR blue] : Videoweed[/COLOR]",url+'xocx'+murl+'xocx',574,art+'/hosts/videoweed.png',art+'/hosts/videoweed.png')
zooupload=re.compile('<span>zooupload</span></td><td> <a target=".+?" href="(.+?)"').findall(link)
if len(zooupload) > 0:
for url in zooupload:
main.addDown2(name+"[COLOR blue] : Zooupload[/COLOR]",url+'xocx'+murl+'xocx',574,art+'/hosts/zooupload.png',art+'/hosts/zooupload.png')
zalaa=re.compile('<span>zalaa</span></td><td> <a target=".+?" href="(.+?)"').findall(link)
if len(zalaa) > 0:
for url in zalaa:
main.addDown2(name+"[COLOR blue] : Zalaa[/COLOR]",url+'xocx'+murl+'xocx',574,art+'/hosts/zalaa.png',art+'/hosts/zalaa.png')
vidxden=re.compile('<span>vidxden</span></td><td> <a target=".+?" href="(.+?)"').findall(link)
if len(vidxden) > 0:
for url in vidxden:
main.addDown2(name+"[COLOR blue] : Vidxden[/COLOR]",url+'xocx'+murl+'xocx',574,art+'/hosts/vidxden.png',art+'/hosts/vidxden.png')
vidbux=re.compile('<span>vidbux</span></td><td> <a target=".+?" href="(.+?)"').findall(link)
if len(vidbux) > 0:
for url in vidbux:
main.addDown2(name+"[COLOR blue] : Vidbux[/COLOR]",url+'xocx'+murl+'xocx',574,art+'/hosts/vidbux.png',art+'/hosts/vidbux.png')
def geturl(murl):
link=main.OPENURL(murl)
link=link.replace('\r','').replace('\n','').replace('\t','')
match=re.compile('<a class="myButton" href="(.+?)">Click Here to Play</a>').findall(link)
if len(match)==0:
match=re.compile('<a class="myButton" href="(.+?)">Click Here to Play Part1</a><a class="myButton" href="(.+?)">Click Here to Play Part2</a>').findall(link)
return match[0]
else:
return match[0]
def LINKWATCHS(mname,murl):
main.GA("Watchseries","Watched")
ok=True
playlist = xbmc.PlayList(xbmc.PLAYLIST_VIDEO)
playlist.clear()
match=re.compile('(.+?)xocx(.+?)xocx').findall(murl)
xbmc.executebuiltin("XBMC.Notification(Please Wait!,Checking Link,3000)")
for hurl, durl in match:
furl=geturl('http://watchseries.lt'+hurl)
link=main.OPENURL(durl)
link=link.replace('\r','').replace('\n','').replace('\t','').replace(' ','')
match2=re.compile('<h1 class=".+?"><a href=".+?">.+?</a> - <a href="(.+?)" title=".+?">.+?</a>').findall(link)
for xurl in match2:
link2=main.OPENURL('http://watchseries.lt'+xurl)
link2=link2.replace('\r','').replace('\n','').replace('\t','').replace(' ','')
descr=re.compile('<b>Description :</b>(.+?)<').findall(link2)
if len(descr)>0:
desc=descr[0]
else:
desc=''
thumbs=re.compile('<td style=".+?"><a href=".+?"><img src="(.+?)"').findall(link2)
if len(thumbs)>0:
thumb=thumbs[0]
else:
thumb=''
genres=re.compile('<b>Genre: <a href=.+?>(.+?)</a>').findall(link2)
if len(genres)>0:
genre=genres[0]
else:
genre=''
infoLabels =main.GETMETAEpiT(mname,thumb,desc)
video_type='episode'
season=infoLabels['season']
episode=infoLabels['episode']
img=infoLabels['cover_url']
fanart =infoLabels['backdrop_url']
imdb_id=infoLabels['imdb_id']
infolabels = { 'supports_meta' : 'true', 'video_type':video_type, 'name':str(infoLabels['title']), 'imdb_id':str(infoLabels['imdb_id']), 'season':str(season), 'episode':str(episode), 'year':str(infoLabels['year']) }
try:
xbmc.executebuiltin("XBMC.Notification(Please Wait!,Resolving Link,3000)")
stream_url = main.resolve_url(furl)
infoL={'Title': infoLabels['title'], 'Plot': infoLabels['plot'], 'Genre': infoLabels['genre']}
# play with bookmark
from resources.universal import playbackengine
player = playbackengine.PlayWithoutQueueSupport(resolved_url=stream_url, addon_id=addon_id, video_type=video_type, title=str(infoLabels['title']),season=str(season), episode=str(episode), year=str(infoLabels['year']),img=img,infolabels=infoL, watchedCallbackwithParams=main.WatchedCallbackwithParams,imdb_id=imdb_id)
#WatchHistory
if selfAddon.getSetting("whistory") == "true":
from resources.universal import watchhistory
wh = watchhistory.WatchHistory('plugin.video.movie25')
wh.add_item(mname+' '+'[COLOR green]WatchSeries[/COLOR]', sys.argv[0]+sys.argv[2], infolabels='', img=thumb, fanart='', is_folder=False)
player.KeepAlive()
return ok
except Exception, e:
if stream_url != False:
main.ErrorReport(e)
return ok
| marduk191/plugin.video.movie25 | resources/libs/plugins/watchseries.py | Python | gpl-3.0 | 22,128 |
import os
import time
import io
import requests
from django.contrib.auth.models import User
from guardian.shortcuts import remove_perm, assign_perm
from rest_framework import status
from rest_framework.test import APIClient
import worker
from app.cogeo import valid_cogeo
from app.models import Project
from app.models import Task
from app.tests.classes import BootTransactionTestCase
from app.tests.utils import clear_test_media_root, start_processing_node
from nodeodm import status_codes
from nodeodm.models import ProcessingNode
from webodm import settings
class TestApiTask(BootTransactionTestCase):
def setUp(self):
super().setUp()
clear_test_media_root()
def test_task(self):
client = APIClient()
with start_processing_node():
user = User.objects.get(username="testuser")
self.assertFalse(user.is_superuser)
project = Project.objects.create(
owner=user,
name="test project"
)
image1 = open("app/fixtures/tiny_drone_image.jpg", 'rb')
image2 = open("app/fixtures/tiny_drone_image_2.jpg", 'rb')
# Create processing node
pnode = ProcessingNode.objects.create(hostname="localhost", port=11223)
client.login(username="testuser", password="test1234")
# Create task
res = client.post("/api/projects/{}/tasks/".format(project.id), {
'images': [image1, image2]
}, format="multipart")
image1.close()
image2.close()
task = Task.objects.get(id=res.data['id'])
# Wait for completion
c = 0
while c < 10:
worker.tasks.process_pending_tasks()
task.refresh_from_db()
if task.status == status_codes.COMPLETED:
break
c += 1
time.sleep(1)
self.assertEqual(task.status, status_codes.COMPLETED)
# Download task assets
task_uuid = task.uuid
res = client.get("/api/projects/{}/tasks/{}/download/all.zip".format(project.id, task.id))
self.assertEqual(res.status_code, status.HTTP_200_OK)
if not os.path.exists(settings.MEDIA_TMP):
os.mkdir(settings.MEDIA_TMP)
assets_path = os.path.join(settings.MEDIA_TMP, "all.zip")
with open(assets_path, 'wb') as f:
f.write(res.content)
remove_perm('change_project', user, project)
assets_file = open(assets_path, 'rb')
# Cannot import unless we have permission
res = client.post("/api/projects/{}/tasks/import".format(project.id), {
'file': [assets_file]
}, format="multipart")
self.assertEqual(res.status_code, status.HTTP_404_NOT_FOUND)
assign_perm('change_project', user, project)
# Import with file upload method
assets_file.seek(0)
res = client.post("/api/projects/{}/tasks/import".format(project.id), {
'file': [assets_file]
}, format="multipart")
self.assertEqual(res.status_code, status.HTTP_201_CREATED)
assets_file.close()
file_import_task = Task.objects.get(id=res.data['id'])
# Wait for completion
c = 0
while c < 10:
worker.tasks.process_pending_tasks()
file_import_task.refresh_from_db()
if file_import_task.status == status_codes.COMPLETED:
break
c += 1
time.sleep(1)
self.assertEqual(file_import_task.import_url, "file://all.zip")
self.assertEqual(file_import_task.images_count, 1)
self.assertEqual(file_import_task.processing_node, None)
self.assertEqual(file_import_task.auto_processing_node, False)
# Can access assets
res = client.get("/api/projects/{}/tasks/{}/assets/odm_orthophoto/odm_orthophoto.tif".format(project.id, file_import_task.id))
self.assertEqual(res.status_code, status.HTTP_200_OK)
self.assertTrue(valid_cogeo(file_import_task.assets_path(task.ASSETS_MAP["orthophoto.tif"])))
self.assertTrue(valid_cogeo(file_import_task.assets_path(task.ASSETS_MAP["dsm.tif"])))
self.assertTrue(valid_cogeo(file_import_task.assets_path(task.ASSETS_MAP["dtm.tif"])))
# Set task public so we can download from it without auth
file_import_task.public = True
file_import_task.save()
# Import with URL method
assets_import_url = "http://{}:{}/task/{}/download/all.zip".format(pnode.hostname, pnode.port, task_uuid)
res = client.post("/api/projects/{}/tasks/import".format(project.id), {
'url': assets_import_url
})
self.assertEqual(res.status_code, status.HTTP_201_CREATED)
url_task = Task.objects.get(id=res.data['id'])
# Wait for completion
c = 0
while c < 10:
worker.tasks.process_pending_tasks()
url_task.refresh_from_db()
if url_task.status == status_codes.COMPLETED:
break
c += 1
time.sleep(1)
self.assertEqual(url_task.import_url, assets_import_url)
self.assertEqual(url_task.images_count, 1)
# Import corrupted file
assets_import_url = "http://{}:{}/task/{}/download/orthophoto.tif".format(pnode.hostname, pnode.port, task_uuid)
res = client.post("/api/projects/{}/tasks/import".format(project.id), {
'url': assets_import_url
})
self.assertEqual(res.status_code, status.HTTP_201_CREATED)
corrupted_task = Task.objects.get(id=res.data['id'])
# Wait for completion
c = 0
while c < 10:
worker.tasks.process_pending_tasks()
corrupted_task.refresh_from_db()
if corrupted_task.status == status_codes.FAILED:
break
c += 1
time.sleep(1)
self.assertEqual(corrupted_task.status, status_codes.FAILED)
self.assertTrue("Invalid" in corrupted_task.last_error)
| pierotofy/WebODM | app/tests/test_api_task_import.py | Python | mpl-2.0 | 6,442 |
import struct
def validate_transaction_id(request_mbap, response):
""" Check if Transaction id in request and response is equal. """
assert struct.unpack('>H', request_mbap[:2]) == \
struct.unpack('>H', response[:2])
def validate_protocol_id(request_mbap, response):
""" Check if Protocol id in request and response is equal. """
assert struct.unpack('>H', request_mbap[2:4]) == \
struct.unpack('>H', response[2:4])
def validate_length(response):
""" Check if Length field contains actual length of response. """
assert struct.unpack('>H', response[4:6])[0] == len(response[6:])
def validate_unit_id(request_mbap, response):
""" Check if Unit id in request and response is equal. """
assert struct.unpack('>B', request_mbap[6:7]) == \
struct.unpack('>B', response[6:7])
def validate_response_mbap(request_mbap, response):
""" Validate if fields in response MBAP contain correct values. """
validate_transaction_id(request_mbap, response)
validate_protocol_id(request_mbap, response)
validate_length(response)
validate_unit_id(request_mbap, response)
def validate_function_code(request, response):
""" Validate if Function code in request and response equal. """
assert struct.unpack('>B', request[7:8])[0] == \
struct.unpack('>B', response[7:8])[0]
def validate_single_bit_value_byte_count(request, response):
""" Check of byte count field contains actual byte count and if byte count
matches with the amount of requests quantity.
"""
byte_count = struct.unpack('>B', response[8:9])[0]
quantity = struct.unpack('>H', request[-2:])[0]
expected_byte_count = quantity // 8
if quantity % 8 != 0:
expected_byte_count = (quantity // 8) + 1
assert byte_count == len(response[9:])
assert byte_count == expected_byte_count
def validate_multi_bit_value_byte_count(request, response):
""" Check of byte count field contains actual byte count and if byte count
matches with the amount of requests quantity.
"""
byte_count = struct.unpack('>B', response[8:9])[0]
quantity = struct.unpack('>H', request[-2:])[0]
expected_byte_count = quantity * 2
assert byte_count == len(response[9:])
assert byte_count == expected_byte_count
| AdvancedClimateSystems/python-modbus | tests/system/validators.py | Python | mpl-2.0 | 2,302 |
import os
import errno
import fcntl
from contextlib import contextmanager
from time import time, sleep
@contextmanager
def wlock(filename, retry_interval=0.05):
# returns: write, exists, fd
try:
with open(filename, 'rb+') as lock:
try:
fcntl.flock(lock, fcntl.LOCK_EX | fcntl.LOCK_NB)
except IOError as exc:
if exc.errno == errno.EAGAIN:
while True:
try:
fcntl.flock(lock, fcntl.LOCK_SH | fcntl.LOCK_NB)
except IOError as exc:
if exc.errno == errno.EAGAIN:
sleep(retry_interval)
continue
else:
raise
else:
yield False, True, lock
break
else:
raise
else:
yield True, True, lock
except IOError as exc:
if exc.errno == errno.ENOENT:
with open(filename, 'wb') as lock:
while True:
try:
fcntl.flock(lock, fcntl.LOCK_EX | fcntl.LOCK_NB)
except IOError as exc:
if exc.errno == errno.EAGAIN:
sleep(retry_interval)
continue
else:
raise
else:
yield True, False, lock
if os.path.exists(filename):
if not lock.closed:
lock.seek(0, 2)
if not lock.tell():
os.unlink(filename)
elif not os.path.getsize(filename):
os.unlink(filename)
break
else:
raise
class Timer:
def __init__(self):
self.start = time()
def __str__(self):
return '%.3f ms' % ((time() - self.start) * 1000)
| sebest/katana | katana/utils.py | Python | mpl-2.0 | 2,188 |
import ddt
from django.core.management import call_command
from django.core.management.base import CommandError
from mock import patch
from oscar.core.loading import get_model
from ecommerce.extensions.test.factories import create_order
from ecommerce.tests.factories import PartnerFactory
from ecommerce.tests.testcases import TestCase
LOGGER_NAME = 'ecommerce.extensions.order.management.commands.update_order_lines_partner'
OrderLine = get_model('order', 'Line')
@ddt.ddt
class UpdateOrderLinePartnerTests(TestCase):
"""Tests for update_order_lines_partner management command."""
PARTNER_CODE = 'testX'
YES_NO_PATCH_LOCATION = 'ecommerce.extensions.order.management.commands.update_order_lines_partner.query_yes_no'
def assert_error_log(self, error_msg, *args):
"""Helper to call command and assert error log."""
with self.assertRaisesRegex(CommandError, error_msg):
call_command('update_order_lines_partner', *args)
def test_partner_required(self):
"""Test that command raises partner required error."""
err_msg = 'Error: the following arguments are required: --partner'
self.assert_error_log(
err_msg,
'sku12345'
)
def test_partner_does_not_exist(self):
"""Test that command raises partner does not exist error."""
self.assert_error_log(
'No Partner exists for code {}.'.format(self.PARTNER_CODE),
'sku12345',
'--partner={}'.format(self.PARTNER_CODE)
)
def test_one_or_more_sku_required(self):
"""Test that command raises one or more SKUs required error."""
self.assert_error_log(
'update_order_lines_partner requires one or more <SKU>s.',
'--partner={}'.format(self.PARTNER_CODE)
)
@ddt.data(True, False)
def test_update_order_lines_partner(self, yes_no_value):
"""Test that command works as expected."""
new_partner = PartnerFactory(short_code=self.PARTNER_CODE)
order = create_order()
order_line = order.lines.first()
self.assertNotEqual(order_line.partner, new_partner)
with patch(self.YES_NO_PATCH_LOCATION) as mocked_yes_no:
mocked_yes_no.return_value = yes_no_value
call_command('update_order_lines_partner', order_line.partner_sku, '--partner={}'.format(self.PARTNER_CODE))
order_line = OrderLine.objects.get(partner_sku=order_line.partner_sku)
if yes_no_value:
# Verify that partner is updated
self.assertEqual(order_line.partner, new_partner)
self.assertEqual(order_line.partner_name, new_partner.name)
else:
# Verify that partner is not updated
self.assertNotEqual(order_line.partner, new_partner)
self.assertNotEqual(order_line.partner_name, new_partner.name)
| edx/ecommerce | ecommerce/extensions/order/management/commands/tests/test_update_order_lines_partner.py | Python | agpl-3.0 | 2,921 |
# -*- coding: utf-8 -*-
"""
Acc Lib
- Used by
account contasis pre
account line pre
Created: 11 oct 2020
Last up: 29 mar 2021
"""
import datetime
class AccFuncs:
@staticmethod
def static_method():
# the static method gets passed nothing
return "I am a static method"
@classmethod
def class_method(cls):
# the class method gets passed the class (in this case ModCLass)
return "I am a class method"
def instance_method(self):
# An instance method gets passed the instance of ModClass
return "I am an instance method"
#------------------------------------------------ Correct Time -----------------
# Used by Account Line
# Correct Time
# Format: 1876-10-10 00:00:00
@classmethod
def correct_time(cls, date, delta):
if date != False:
year = int(date.split('-')[0])
if year >= 1900:
DATETIME_FORMAT = "%Y-%m-%d %H:%M:%S"
DATETIME_FORMAT_sp = "%d/%m/%Y %H:%M"
date_field1 = datetime.datetime.strptime(date, DATETIME_FORMAT)
date_corr = date_field1 + datetime.timedelta(hours=delta,minutes=0)
date_corr_sp = date_corr.strftime(DATETIME_FORMAT_sp)
return date_corr, date_corr_sp
# correct_time
# ----------------------------------------------------- Get Orders Filter ------
# Provides sales between begin date and end date.
# Sales and Cancelled also.
@classmethod
def get_orders_filter(cls, obj, date_bx, date_ex):
# Dates
#DATETIME_FORMAT = "%Y-%m-%d %H:%M:%S"
DATETIME_FORMAT = "%Y-%m-%d"
date_begin = date_bx + ' 05:00:00'
date_end_dt = datetime.datetime.strptime(date_ex, DATETIME_FORMAT) + datetime.timedelta(hours=24) + datetime.timedelta(hours=5, minutes=0)
date_end = date_end_dt.strftime('%Y-%m-%d %H:%M')
#print date_end_dt
# Search Orders
orders = obj.env['sale.order'].search([
('state', 'in', ['sale', 'cancel']),
('date_order', '>=', date_begin),
('date_order', '<', date_end),
],
order='x_serial_nr asc',
#limit=1,
)
# Count
count = obj.env['sale.order'].search_count([
('state', 'in', ['sale', 'cancel']),
('date_order', '>=', date_begin),
('date_order', '<', date_end),
],
#order='x_serial_nr asc',
#limit=1,
)
return orders, count
# get_orders_filter
# ------------------------------------------------------ Get Net and Tax -------
# Get Net and Tax
@classmethod
def get_net_tax(cls, amount):
# Net
x = amount / 1.18
net = float("{0:.2f}".format(x))
# Tax
x = amount * 0.18
tax = float("{0:.2f}".format(x))
return net, tax
# get_net_tax
| gibil5/openhealth | models/order/commons/acc_lib.py | Python | agpl-3.0 | 2,687 |
from amcat.tools import toolkit
from amcat.tools.table.table3 import ObjectColumn
import logging; log = logging.getLogger(__name__)
class FieldColumn(ObjectColumn):
"""ObjectColumn based on a AnnotationSchemaField"""
def __init__(self, field, article=None, fieldname=None, label=None, fieldtype=None):
if fieldtype is None: fieldtype = field.getTargetType()
if article is None: article = field.schema.isarticleschema
if fieldname is None: fieldname = field.fieldname
if label is None: label = field.label
ObjectColumn.__init__(self, label, fieldname, fieldtype=fieldtype)
self.field = field
self.article = article
self.valuelabels = {}
def getUnit(self, row):
return row.ca if self.article else row.cs
def getCell(self, row):
try:
val = self.getValue(row)
return val
except AttributeError, e:
log.debug("AttributeError on getting %s.%s: %s" % (row, self.field, e))
raise
return None
def getValues(self, row):
unit = self.getUnit(row)
if unit is None: return None
values = unit.values
return values
def getValue(self, row, fieldname = None):
if not fieldname: fieldname = self.field.fieldname
log.debug(">>>>>> getValue(%r, %r)" % (row, fieldname))
values = self.getValues(row)
if values is None: return None
try:
val = getattr(values, fieldname)
except AttributeError:
log.error("%r has no field %r, but it has %r" % (values, fieldname, dir(values)))
raise
log.debug(">>>>>> values=%r, fieldname=%r, --> val=%s" % (values, fieldname, val))
return val
| tschmorleiz/amcat | amcat/models/coding/fieldcolumn.py | Python | agpl-3.0 | 1,767 |
import config, json, cgi, sys, Websheet, re, os
def grade(reference_solution, student_solution, translate_line, websheet, student):
if not re.match(r"^\w+$", websheet.classname):
return ("Internal Error (Compiling)", "Invalid overridden classname <tt>" + websheet.classname + " </tt>")
dump = {
"reference." + websheet.classname : reference_solution,
"student." + websheet.classname : student_solution[1],
"tester." + websheet.classname : websheet.make_tester()
}
# print(student_solution[1])
# print(reference_solution)
# print(websheet.make_tester())
for clazz in ["Grader", "Options", "Utils"]:
dump["websheets."+clazz] = "".join(open("grade_java_files/"+clazz+".java"))
for dep in websheet.dependencies:
depws = Websheet.Websheet.from_name(dep)
if depws == None:
return ("Internal Error", "Dependent websheet " + dep + " does not exist");
submission = config.load_submission(student, dep, True)
if submission == False:
return("Dependency Error",
"<div class='dependency-error'><i>Dependency error</i>: " +
"You need to successfully complete the <a href='javascript:websheets.load(\""+dep+"\")'><tt>"+dep+"</tt></a> websheet first (while logged in).</div>") # error text
submission = [{'code': x, 'from': {'line': 0, 'ch':0}, 'to': {'line': 0, 'ch': 0}} for x in submission]
dump["student."+dep] = depws.combine_with_template(submission, "student")[1]
dump["reference."+dep] = depws.get_reference_solution("reference")
compileRun = config.run_java(["traceprinter/ramtools/CompileToBytes"], json.dumps(dump))
compileResult = compileRun.stdout
if (compileResult==""):
return ("Internal Error (Compiling)", "<pre>\n" +
cgi.escape(compileRun.stderr) +
"</pre>"+"<!--"+compileRun._toString()+"-->")
compileObj = json.loads(compileResult)
# print(compileObj['status'])
if compileObj['status'] == 'Internal Error':
return ("Internal Error (Compiling)", "<pre>\n" +
cgi.escape(compileObj["errmsg"]) +
"</pre>")
elif compileObj['status'] == 'Compile-time Error':
errorObj = compileObj['error']
if errorObj['filename'] == ("student." + websheet.classname + ".java"):
result = "Syntax error (could not compile):"
result += "<br>"
result += '<tt>'+errorObj['filename'].split('.')[-2]+'.java</tt>, line '
result += str(translate_line(errorObj['row'])) + ':'
#result += str(errorObj['row']) + ':'
result += "<pre>\n"
#remove the safeexec bits
result += cgi.escape(errorObj["errmsg"]
.replace("stdlibpack.", "")
.replace("student.", "")
)
result += "</pre>"
return ("Syntax Error", result)
else:
return("Internal Error (Compiling reference solution and testing suite)",
'<b>File: </b><tt>'+errorObj['filename']+'</tt><br><b>Line number: '
+str(errorObj['row'])+"</b><pre>"
+errorObj['errmsg']+":\n"+dump[errorObj['filename'][:-5]].split("\n")[errorObj['row']-1]+"</pre>")
#print(compileResult)
# prefetch all urls, pass them to the grader on stdin
compileObj["stdin"] = json.dumps({
"fetched_urls":websheet.prefetch_urls(True)
})
compileResult = json.dumps(compileObj)
runUser = config.run_java(["traceprinter/ramtools/RAMRun", "tester." + websheet.classname], compileResult)
#runUser = config.run_java("tester." + websheet.classname + " " + student)
#print(runUser.stdout)
RAMRunError = runUser.stdout.startswith("Error")
RAMRunErrmsg = runUser.stdout[:runUser.stdout.index('\n')]
runUser.stdout = runUser.stdout[runUser.stdout.index('\n')+1:]
#print(runUser.stdout)
#print(runUser.stderr)
if runUser.returncode != 0 or runUser.stdout.startswith("Time Limit Exceeded"):
errmsg = runUser.stderr.split('\n')[0]
result = runUser.stdout
result += "<div class='safeexec'>Crashed! The grader reported "
result += "<code>"
result += cgi.escape(errmsg)
result += "</code>"
result += "</div>"
result += "<!--" + runUser.stderr + "-->"
return ("Sandbox Limit", result)
if RAMRunError:
result += "<div class='safeexec'>Could not execute! "
result += "<code>"
result += cgi.escape(RAMRunErrmsg)
result += "</code>"
result += "</div>"
return ("Internal Error (RAMRun)", result)
runtimeOutput = re.sub(
re.compile("(at|from) line (\d+) "),
lambda match: match.group(1)+" line " + translate_line(match.group(2)) + " ",
runUser.stdout)
#print(runtimeOutput)
def ssf(s, t, u): # substring from of s from after t to before u
if t not in s: raise ValueError("Can't ssf("+s+","+t+","+u+")")
s = s[s.index(t)+len(t) : ]
return s[ : s.index(u)]
if "<div class='error'>Runtime error:" in runtimeOutput:
category = "Runtime Error"
errmsg = ssf(runtimeOutput[runtimeOutput.index("<div class='error'>Runtime error:"):], "<pre >", "\n")
elif "<div class='all-passed'>" in runtimeOutput:
category = "Passed"
epilogue = websheet.epilogue
else:
category = "Failed Tests"
if "<div class='error'>" in runtimeOutput:
errmsg = ssf(runtimeOutput, "<div class='error'>", '</div>')
else:
return ("Internal Error", "<b>stderr</b><pre>" + runUser.stderr + "</pre><b>stdout</b><br>" + runUser.stdout)
return (category, runtimeOutput)
| dz0/websheets | grade_java.py | Python | agpl-3.0 | 5,860 |
# -*- coding: utf-8 -*-
from __future__ import unicode_literals
from django.template import Library
from ..models import Espacio
register = Library()
@register.inclusion_tag('espacios/_otros_espacios.html', takes_context=True)
def otros_espacios(context):
qs = Espacio.objects.all()
if 'espacio' in context:
obj = context['espacio']
if obj:
qs = qs.exclude(pk=obj.pk)
return {'otros_espacios': qs}
| andensinlimite/metaespacio | metaespacio/espacios/templatetags/espacios.py | Python | agpl-3.0 | 441 |
import json
import logging
import traceback
from lxml import etree
from xmodule.timeinfo import TimeInfo
from xmodule.capa_module import ComplexEncoder
from xmodule.progress import Progress
from xmodule.stringify import stringify_children
from xmodule.open_ended_grading_classes import self_assessment_module
from xmodule.open_ended_grading_classes import open_ended_module
from functools import partial
from .combined_open_ended_rubric import CombinedOpenEndedRubric, GRADER_TYPE_IMAGE_DICT, HUMAN_GRADER_TYPE, LEGEND_LIST
from xmodule.open_ended_grading_classes.peer_grading_service import PeerGradingService, MockPeerGradingService, GradingServiceError
from xmodule.open_ended_grading_classes.openendedchild import OpenEndedChild
log = logging.getLogger("edx.courseware")
# Set the default number of max attempts. Should be 1 for production
# Set higher for debugging/testing
# attempts specified in xml definition overrides this.
MAX_ATTEMPTS = 1
# The highest score allowed for the overall xmodule and for each rubric point
MAX_SCORE_ALLOWED = 50
# If true, default behavior is to score module as a practice problem. Otherwise, no grade at all is shown in progress
# Metadata overrides this.
IS_SCORED = False
# If true, then default behavior is to require a file upload or pasted link from a student for this problem.
# Metadata overrides this.
ACCEPT_FILE_UPLOAD = False
# Contains all reasonable bool and case combinations of True
TRUE_DICT = ["True", True, "TRUE", "true"]
HUMAN_TASK_TYPE = {
'selfassessment': "Self",
'openended': "edX",
'ml_grading.conf': "AI",
'peer_grading.conf': "Peer",
}
HUMAN_STATES = {
'intitial': "Not started.",
'assessing': "Being scored.",
'intermediate_done': "Scoring finished.",
'done': "Complete.",
}
# Default value that controls whether or not to skip basic spelling checks in the controller
# Metadata overrides this
SKIP_BASIC_CHECKS = False
class CombinedOpenEndedV1Module():
"""
This is a module that encapsulates all open ended grading (self assessment, peer assessment, etc).
It transitions between problems, and support arbitrary ordering.
Each combined open ended module contains one or multiple "child" modules.
Child modules track their own state, and can transition between states. They also implement get_html and
handle_ajax.
The combined open ended module transitions between child modules as appropriate, tracks its own state, and passess
ajax requests from the browser to the child module or handles them itself (in the cases of reset and next problem)
ajax actions implemented by all children are:
'save_answer' -- Saves the student answer
'save_assessment' -- Saves the student assessment (or external grader assessment)
'save_post_assessment' -- saves a post assessment (hint, feedback on feedback, etc)
ajax actions implemented by combined open ended module are:
'reset' -- resets the whole combined open ended module and returns to the first child moduleresource_string
'next_problem' -- moves to the next child module
Types of children. Task is synonymous with child module, so each combined open ended module
incorporates multiple children (tasks):
openendedmodule
selfassessmentmodule
"""
STATE_VERSION = 1
# states
INITIAL = 'initial'
ASSESSING = 'assessing'
INTERMEDIATE_DONE = 'intermediate_done'
DONE = 'done'
# Where the templates live for this problem
TEMPLATE_DIR = "combinedopenended"
def __init__(self, system, location, definition, descriptor,
instance_state=None, shared_state=None, metadata=None, static_data=None, **kwargs):
"""
Definition file should have one or many task blocks, a rubric block, and a prompt block. See DEFAULT_DATA in combined_open_ended_module for a sample.
"""
self.instance_state = instance_state
self.display_name = instance_state.get('display_name', "Open Ended")
# We need to set the location here so the child modules can use it
system.set('location', location)
self.system = system
# Tells the system which xml definition to load
self.current_task_number = instance_state.get('current_task_number', 0)
# This loads the states of the individual children
self.task_states = instance_state.get('task_states', [])
#This gets any old task states that have been persisted after the instructor changed the tasks.
self.old_task_states = instance_state.get('old_task_states', [])
# Overall state of the combined open ended module
self.state = instance_state.get('state', self.INITIAL)
self.student_attempts = instance_state.get('student_attempts', 0)
self.weight = instance_state.get('weight', 1)
# Allow reset is true if student has failed the criteria to move to the next child task
self.ready_to_reset = instance_state.get('ready_to_reset', False)
self.max_attempts = instance_state.get('max_attempts', MAX_ATTEMPTS)
self.is_scored = instance_state.get('graded', IS_SCORED) in TRUE_DICT
self.accept_file_upload = instance_state.get('accept_file_upload', ACCEPT_FILE_UPLOAD) in TRUE_DICT
self.skip_basic_checks = instance_state.get('skip_spelling_checks', SKIP_BASIC_CHECKS) in TRUE_DICT
if system.open_ended_grading_interface:
self.peer_gs = PeerGradingService(system.open_ended_grading_interface, system)
else:
self.peer_gs = MockPeerGradingService()
self.required_peer_grading = instance_state.get('required_peer_grading', 3)
self.peer_grader_count = instance_state.get('peer_grader_count', 3)
self.min_to_calibrate = instance_state.get('min_to_calibrate', 3)
self.max_to_calibrate = instance_state.get('max_to_calibrate', 6)
self.peer_grade_finished_submissions_when_none_pending = instance_state.get(
'peer_grade_finished_submissions_when_none_pending', False
)
due_date = instance_state.get('due', None)
grace_period_string = instance_state.get('graceperiod', None)
try:
self.timeinfo = TimeInfo(due_date, grace_period_string)
except Exception:
log.error("Error parsing due date information in location {0}".format(location))
raise
self.display_due_date = self.timeinfo.display_due_date
self.rubric_renderer = CombinedOpenEndedRubric(system, True)
rubric_string = stringify_children(definition['rubric'])
self._max_score = self.rubric_renderer.check_if_rubric_is_parseable(rubric_string, location, MAX_SCORE_ALLOWED)
# Static data is passed to the child modules to render
self.static_data = {
'max_score': self._max_score,
'max_attempts': self.max_attempts,
'prompt': definition['prompt'],
'rubric': definition['rubric'],
'display_name': self.display_name,
'accept_file_upload': self.accept_file_upload,
'close_date': self.timeinfo.close_date,
's3_interface': self.system.s3_interface,
'skip_basic_checks': self.skip_basic_checks,
'control': {
'required_peer_grading': self.required_peer_grading,
'peer_grader_count': self.peer_grader_count,
'min_to_calibrate': self.min_to_calibrate,
'max_to_calibrate': self.max_to_calibrate,
'peer_grade_finished_submissions_when_none_pending': (
self.peer_grade_finished_submissions_when_none_pending
),
}
}
self.task_xml = definition['task_xml']
self.location = location
self.fix_invalid_state()
self.setup_next_task()
def validate_task_states(self, tasks_xml, task_states):
"""
Check whether the provided task_states are valid for the supplied task_xml.
Returns a list of messages indicating what is invalid about the state.
If the list is empty, then the state is valid
"""
msgs = []
#Loop through each task state and make sure it matches the xml definition
for task_xml, task_state in zip(tasks_xml, task_states):
tag_name = self.get_tag_name(task_xml)
children = self.child_modules()
task_descriptor = children['descriptors'][tag_name](self.system)
task_parsed_xml = task_descriptor.definition_from_xml(etree.fromstring(task_xml), self.system)
try:
task = children['modules'][tag_name](
self.system,
self.location,
task_parsed_xml,
task_descriptor,
self.static_data,
instance_state=task_state,
)
#Loop through each attempt of the task and see if it is valid.
for attempt in task.child_history:
if "post_assessment" not in attempt:
continue
post_assessment = attempt['post_assessment']
try:
post_assessment = json.loads(post_assessment)
except ValueError:
#This is okay, the value may or may not be json encoded.
pass
if tag_name == "openended" and isinstance(post_assessment, list):
msgs.append("Type is open ended and post assessment is a list.")
break
elif tag_name == "selfassessment" and not isinstance(post_assessment, list):
msgs.append("Type is self assessment and post assessment is not a list.")
break
#See if we can properly render the task. Will go into the exception clause below if not.
task.get_html(self.system)
except Exception:
#If one task doesn't match, the state is invalid.
msgs.append("Could not parse task with xml {xml!r} and states {state!r}: {err}".format(
xml=task_xml,
state=task_state,
err=traceback.format_exc()
))
break
return msgs
def is_initial_child_state(self, task_child):
"""
Returns true if this is a child task in an initial configuration
"""
task_child = json.loads(task_child)
return (
task_child['child_state'] == self.INITIAL and
task_child['child_history'] == []
)
def is_reset_task_states(self, task_state):
"""
Returns True if this task_state is from something that was just reset
"""
return all(self.is_initial_child_state(child) for child in task_state)
def states_sort_key(self, idx_task_states):
"""
Return a key for sorting a list of indexed task_states, by how far the student got
through the tasks, what their highest score was, and then the index of the submission.
"""
idx, task_states = idx_task_states
state_values = {
OpenEndedChild.INITIAL: 0,
OpenEndedChild.ASSESSING: 1,
OpenEndedChild.POST_ASSESSMENT: 2,
OpenEndedChild.DONE: 3
}
if not task_states:
return (0, 0, state_values[OpenEndedChild.INITIAL], idx)
final_task_xml = self.task_xml[-1]
final_child_state_json = task_states[-1]
final_child_state = json.loads(final_child_state_json)
tag_name = self.get_tag_name(final_task_xml)
children = self.child_modules()
task_descriptor = children['descriptors'][tag_name](self.system)
task_parsed_xml = task_descriptor.definition_from_xml(etree.fromstring(final_task_xml), self.system)
task = children['modules'][tag_name](
self.system,
self.location,
task_parsed_xml,
task_descriptor,
self.static_data,
instance_state=final_child_state_json,
)
scores = task.all_scores()
if scores:
best_score = max(scores)
else:
best_score = 0
return (
len(task_states),
best_score,
state_values.get(final_child_state.get('child_state', OpenEndedChild.INITIAL), 0),
idx
)
def fix_invalid_state(self):
"""
Sometimes a teacher will change the xml definition of a problem in Studio.
This means that the state passed to the module is invalid.
If that is the case, moved it to old_task_states and delete task_states.
"""
# If we are on a task that is greater than the number of available tasks,
# it is an invalid state. If the current task number is greater than the number of tasks
# we have in the definition, our state is invalid.
if self.current_task_number > len(self.task_states) or self.current_task_number > len(self.task_xml):
self.current_task_number = max(min(len(self.task_states), len(self.task_xml)) - 1, 0)
#If the length of the task xml is less than the length of the task states, state is invalid
if len(self.task_xml) < len(self.task_states):
self.current_task_number = len(self.task_xml) - 1
self.task_states = self.task_states[:len(self.task_xml)]
if not self.old_task_states and not self.task_states:
# No validation needed when a student first looks at the problem
return
# Pick out of self.task_states and self.old_task_states the state that is
# a) valid for the current task definition
# b) not the result of a reset due to not having a valid task state
# c) has the highest total score
# d) is the most recent (if the other two conditions are met)
valid_states = [
task_states
for task_states
in self.old_task_states + [self.task_states]
if (
len(self.validate_task_states(self.task_xml, task_states)) == 0 and
not self.is_reset_task_states(task_states)
)
]
# If there are no valid states, don't try and use an old state
if len(valid_states) == 0:
# If this isn't an initial task state, then reset to an initial state
if not self.is_reset_task_states(self.task_states):
self.reset_task_state('\n'.join(self.validate_task_states(self.task_xml, self.task_states)))
return
sorted_states = sorted(enumerate(valid_states), key=self.states_sort_key, reverse=True)
idx, best_task_states = sorted_states[0]
if best_task_states == self.task_states:
return
log.warning(
"Updating current task state for %s to %r for student with anonymous id %r",
self.system.location,
best_task_states,
self.system.anonymous_student_id
)
self.old_task_states.remove(best_task_states)
self.old_task_states.append(self.task_states)
self.task_states = best_task_states
# The state is ASSESSING unless all of the children are done, or all
# of the children haven't been started yet
children = [json.loads(child) for child in best_task_states]
if all(child['child_state'] == self.DONE for child in children):
self.state = self.DONE
elif all(child['child_state'] == self.INITIAL for child in children):
self.state = self.INITIAL
else:
self.state = self.ASSESSING
# The current task number is the index of the last completed child + 1,
# limited by the number of tasks
last_completed_child = next((i for i, child in reversed(list(enumerate(children))) if child['child_state'] == self.DONE), 0)
self.current_task_number = min(last_completed_child + 1, len(best_task_states) - 1)
def reset_task_state(self, message=""):
"""
Resets the task states. Moves current task state to an old_state variable, and then makes the task number 0.
:param message: A message to put in the log.
:return: None
"""
info_message = "Combined open ended user state for user {0} in location {1} was invalid. It has been reset, and you now have a new attempt. {2}".format(self.system.anonymous_student_id, self.location.url(), message)
self.current_task_number = 0
self.student_attempts = 0
self.old_task_states.append(self.task_states)
self.task_states = []
log.info(info_message)
def get_tag_name(self, xml):
"""
Gets the tag name of a given xml block.
Input: XML string
Output: The name of the root tag
"""
tag = etree.fromstring(xml).tag
return tag
def overwrite_state(self, current_task_state):
"""
Overwrites an instance state and sets the latest response to the current response. This is used
to ensure that the student response is carried over from the first child to the rest.
Input: Task state json string
Output: Task state json string
"""
last_response_data = self.get_last_response(self.current_task_number - 1)
last_response = last_response_data['response']
loaded_task_state = json.loads(current_task_state)
if loaded_task_state['child_state'] == self.INITIAL:
loaded_task_state['child_state'] = self.ASSESSING
loaded_task_state['child_created'] = True
loaded_task_state['child_history'].append({'answer': last_response})
current_task_state = json.dumps(loaded_task_state)
return current_task_state
def child_modules(self):
"""
Returns the constructors associated with the child modules in a dictionary. This makes writing functions
simpler (saves code duplication)
Input: None
Output: A dictionary of dictionaries containing the descriptor functions and module functions
"""
child_modules = {
'openended': open_ended_module.OpenEndedModule,
'selfassessment': self_assessment_module.SelfAssessmentModule,
}
child_descriptors = {
'openended': open_ended_module.OpenEndedDescriptor,
'selfassessment': self_assessment_module.SelfAssessmentDescriptor,
}
children = {
'modules': child_modules,
'descriptors': child_descriptors,
}
return children
def setup_next_task(self, reset=False):
"""
Sets up the next task for the module. Creates an instance state if none exists, carries over the answer
from the last instance state to the next if needed.
Input: A boolean indicating whether or not the reset function is calling.
Output: Boolean True (not useful right now)
"""
current_task_state = None
if len(self.task_states) > self.current_task_number:
current_task_state = self.task_states[self.current_task_number]
self.current_task_xml = self.task_xml[self.current_task_number]
if self.current_task_number > 0:
self.ready_to_reset = self.check_allow_reset()
if self.ready_to_reset:
self.current_task_number = self.current_task_number - 1
current_task_type = self.get_tag_name(self.current_task_xml)
children = self.child_modules()
child_task_module = children['modules'][current_task_type]
self.current_task_descriptor = children['descriptors'][current_task_type](self.system)
# This is the xml object created from the xml definition of the current task
etree_xml = etree.fromstring(self.current_task_xml)
# This sends the etree_xml object through the descriptor module of the current task, and
# returns the xml parsed by the descriptor
self.current_task_parsed_xml = self.current_task_descriptor.definition_from_xml(etree_xml, self.system)
if current_task_state is None and self.current_task_number == 0:
self.current_task = child_task_module(self.system, self.location,
self.current_task_parsed_xml, self.current_task_descriptor,
self.static_data)
self.task_states.append(self.current_task.get_instance_state())
self.state = self.ASSESSING
elif current_task_state is None and self.current_task_number > 0:
last_response_data = self.get_last_response(self.current_task_number - 1)
last_response = last_response_data['response']
current_task_state = json.dumps({
'child_state': self.ASSESSING,
'version': self.STATE_VERSION,
'max_score': self._max_score,
'child_attempts': 0,
'child_created': True,
'child_history': [{'answer': last_response}],
})
self.current_task = child_task_module(self.system, self.location,
self.current_task_parsed_xml, self.current_task_descriptor,
self.static_data,
instance_state=current_task_state)
self.task_states.append(self.current_task.get_instance_state())
self.state = self.ASSESSING
else:
if self.current_task_number > 0 and not reset:
current_task_state = self.overwrite_state(current_task_state)
self.current_task = child_task_module(self.system, self.location,
self.current_task_parsed_xml, self.current_task_descriptor,
self.static_data,
instance_state=current_task_state)
return True
def check_allow_reset(self):
"""
Checks to see if the student has passed the criteria to move to the next module. If not, sets
allow_reset to true and halts the student progress through the tasks.
Input: None
Output: the allow_reset attribute of the current module.
"""
if not self.ready_to_reset:
if self.current_task_number > 0:
last_response_data = self.get_last_response(self.current_task_number - 1)
current_response_data = self.get_current_attributes(self.current_task_number)
if (current_response_data['min_score_to_attempt'] > last_response_data['score']
or current_response_data['max_score_to_attempt'] < last_response_data['score']):
self.state = self.DONE
self.ready_to_reset = True
return self.ready_to_reset
def get_context(self):
"""
Generates a context dictionary that is used to render html.
Input: None
Output: A dictionary that can be rendered into the combined open ended template.
"""
task_html = self.get_html_base()
# set context variables and render template
context = {
'items': [{'content': task_html}],
'ajax_url': self.system.ajax_url,
'allow_reset': self.ready_to_reset,
'state': self.state,
'task_count': len(self.task_xml),
'task_number': self.current_task_number + 1,
'status': self.get_status(False),
'display_name': self.display_name,
'accept_file_upload': self.accept_file_upload,
'location': self.location,
'legend_list': LEGEND_LIST,
'human_state': HUMAN_STATES.get(self.state, "Not started."),
'is_staff': self.system.user_is_staff,
}
return context
def get_html(self):
"""
Gets HTML for rendering.
Input: None
Output: rendered html
"""
context = self.get_context()
html = self.system.render_template('{0}/combined_open_ended.html'.format(self.TEMPLATE_DIR), context)
return html
def get_html_nonsystem(self):
"""
Gets HTML for rendering via AJAX. Does not use system, because system contains some additional
html, which is not appropriate for returning via ajax calls.
Input: None
Output: HTML rendered directly via Mako
"""
context = self.get_context()
html = self.system.render_template('{0}/combined_open_ended.html'.format(self.TEMPLATE_DIR), context)
return html
def get_html_base(self):
"""
Gets the HTML associated with the current child task
Input: None
Output: Child task HTML
"""
self.update_task_states()
return self.current_task.get_html(self.system)
def get_html_ajax(self, data):
"""
Get HTML in AJAX callback
data - Needed to preserve AJAX structure
Output: Dictionary with html attribute
"""
return {'html': self.get_html()}
def get_current_attributes(self, task_number):
"""
Gets the min and max score to attempt attributes of the specified task.
Input: The number of the task.
Output: The minimum and maximum scores needed to move on to the specified task.
"""
task_xml = self.task_xml[task_number]
etree_xml = etree.fromstring(task_xml)
min_score_to_attempt = int(etree_xml.attrib.get('min_score_to_attempt', 0))
max_score_to_attempt = int(etree_xml.attrib.get('max_score_to_attempt', self._max_score))
return {'min_score_to_attempt': min_score_to_attempt, 'max_score_to_attempt': max_score_to_attempt}
def get_last_response(self, task_number):
"""
Returns data associated with the specified task number, such as the last response, score, etc.
Input: The number of the task.
Output: A dictionary that contains information about the specified task.
"""
last_response = ""
task_state = self.task_states[task_number]
task_xml = self.task_xml[task_number]
task_type = self.get_tag_name(task_xml)
children = self.child_modules()
task_descriptor = children['descriptors'][task_type](self.system)
etree_xml = etree.fromstring(task_xml)
min_score_to_attempt = int(etree_xml.attrib.get('min_score_to_attempt', 0))
max_score_to_attempt = int(etree_xml.attrib.get('max_score_to_attempt', self._max_score))
task_parsed_xml = task_descriptor.definition_from_xml(etree_xml, self.system)
task = children['modules'][task_type](self.system, self.location, task_parsed_xml, task_descriptor,
self.static_data, instance_state=task_state)
last_response = task.latest_answer()
last_score = task.latest_score()
all_scores = task.all_scores()
last_post_assessment = task.latest_post_assessment(self.system)
last_post_feedback = ""
feedback_dicts = [{}]
grader_ids = [0]
submission_ids = [0]
if task_type == "openended":
last_post_assessment = task.latest_post_assessment(self.system, short_feedback=False, join_feedback=False)
if isinstance(last_post_assessment, list):
eval_list = []
for i in xrange(0, len(last_post_assessment)):
eval_list.append(task.format_feedback_with_evaluation(self.system, last_post_assessment[i]))
last_post_evaluation = "".join(eval_list)
else:
last_post_evaluation = task.format_feedback_with_evaluation(self.system, last_post_assessment)
last_post_assessment = last_post_evaluation
try:
rubric_data = task._parse_score_msg(task.child_history[-1].get('post_assessment', ""), self.system)
except Exception:
log.debug("Could not parse rubric data from child history. "
"Likely we have not yet initialized a previous step, so this is perfectly fine.")
rubric_data = {}
rubric_scores = rubric_data.get('rubric_scores')
grader_types = rubric_data.get('grader_types')
feedback_items = rubric_data.get('feedback_items')
feedback_dicts = rubric_data.get('feedback_dicts')
grader_ids = rubric_data.get('grader_ids')
submission_ids = rubric_data.get('submission_ids')
elif task_type == "selfassessment":
rubric_scores = last_post_assessment
grader_types = ['SA']
feedback_items = ['']
last_post_assessment = ""
last_correctness = task.is_last_response_correct()
max_score = task.max_score()
state = task.child_state
if task_type in HUMAN_TASK_TYPE:
human_task_name = HUMAN_TASK_TYPE[task_type]
else:
human_task_name = task_type
if state in task.HUMAN_NAMES:
human_state = task.HUMAN_NAMES[state]
else:
human_state = state
if grader_types is not None and len(grader_types) > 0:
grader_type = grader_types[0]
else:
grader_type = "IN"
grader_types = ["IN"]
if grader_type in HUMAN_GRADER_TYPE:
human_grader_name = HUMAN_GRADER_TYPE[grader_type]
else:
human_grader_name = grader_type
last_response_dict = {
'response': last_response,
'score': last_score,
'all_scores': all_scores,
'post_assessment': last_post_assessment,
'type': task_type,
'max_score': max_score,
'state': state,
'human_state': human_state,
'human_task': human_task_name,
'correct': last_correctness,
'min_score_to_attempt': min_score_to_attempt,
'max_score_to_attempt': max_score_to_attempt,
'rubric_scores': rubric_scores,
'grader_types': grader_types,
'feedback_items': feedback_items,
'grader_type': grader_type,
'human_grader_type': human_grader_name,
'feedback_dicts': feedback_dicts,
'grader_ids': grader_ids,
'submission_ids': submission_ids,
'success': True
}
return last_response_dict
def extract_human_name_from_task(self, task_xml):
"""
Given the xml for a task, pull out the human name for it.
Input: xml string
Output: a human readable task name (ie Self Assessment)
"""
tree = etree.fromstring(task_xml)
payload = tree.xpath("/openended/openendedparam/grader_payload")
if len(payload) == 0:
task_name = "selfassessment"
else:
inner_payload = json.loads(payload[0].text)
task_name = inner_payload['grader_settings']
human_task = HUMAN_TASK_TYPE[task_name]
return human_task
def update_task_states(self):
"""
Updates the task state of the combined open ended module with the task state of the current child module.
Input: None
Output: boolean indicating whether or not the task state changed.
"""
changed = False
if not self.ready_to_reset:
self.task_states[self.current_task_number] = self.current_task.get_instance_state()
current_task_state = json.loads(self.task_states[self.current_task_number])
if current_task_state['child_state'] == self.DONE:
self.current_task_number += 1
if self.current_task_number >= (len(self.task_xml)):
self.state = self.DONE
self.current_task_number = len(self.task_xml) - 1
else:
self.state = self.INITIAL
changed = True
self.setup_next_task()
return changed
def update_task_states_ajax(self, return_html):
"""
Runs the update task states function for ajax calls. Currently the same as update_task_states
Input: The html returned by the handle_ajax function of the child
Output: New html that should be rendered
"""
changed = self.update_task_states()
if changed:
pass
return return_html
def check_if_student_has_done_needed_grading(self):
"""
Checks with the ORA server to see if the student has completed the needed peer grading to be shown their grade.
For example, if a student submits one response, and three peers grade their response, the student
cannot see their grades and feedback unless they reciprocate.
Output:
success - boolean indicator of success
allowed_to_submit - boolean indicator of whether student has done their needed grading or not
error_message - If not success, explains why
"""
student_id = self.system.anonymous_student_id
success = False
allowed_to_submit = True
try:
response = self.peer_gs.get_data_for_location(self.location.url(), student_id)
count_graded = response['count_graded']
count_required = response['count_required']
student_sub_count = response['student_sub_count']
count_available = response['count_available']
success = True
except GradingServiceError:
# This is a dev_facing_error
log.error("Could not contact external open ended graders for location {0} and student {1}".format(
self.location, student_id))
# This is a student_facing_error
error_message = "Could not contact the graders. Please notify course staff."
return success, allowed_to_submit, error_message
except KeyError:
log.error("Invalid response from grading server for location {0} and student {1}".format(self.location, student_id))
error_message = "Received invalid response from the graders. Please notify course staff."
return success, allowed_to_submit, error_message
if count_graded >= count_required or count_available==0:
error_message = ""
return success, allowed_to_submit, error_message
else:
allowed_to_submit = False
# This is a student_facing_error
error_string = ("<h4>Feedback not available yet</h4>"
"<p>You need to peer grade {0} more submissions in order to see your feedback.</p>"
"<p>You have graded responses from {1} students, and {2} students have graded your submissions. </p>"
"<p>You have made {3} submissions.</p>")
error_message = error_string.format(count_required - count_graded, count_graded, count_required,
student_sub_count)
return success, allowed_to_submit, error_message
def get_rubric(self, _data):
"""
Gets the results of a given grader via ajax.
Input: AJAX data dictionary
Output: Dictionary to be rendered via ajax that contains the result html.
"""
all_responses = []
success, can_see_rubric, error = self.check_if_student_has_done_needed_grading()
if not can_see_rubric:
return {
'html': self.system.render_template(
'{0}/combined_open_ended_hidden_results.html'.format(self.TEMPLATE_DIR),
{'error': error}),
'success': True,
'hide_reset': True
}
contexts = []
rubric_number = self.current_task_number
if self.ready_to_reset:
rubric_number+=1
response = self.get_last_response(rubric_number)
score_length = len(response['grader_types'])
for z in xrange(score_length):
if response['grader_types'][z] in HUMAN_GRADER_TYPE:
try:
feedback = response['feedback_dicts'][z].get('feedback', '')
except TypeError:
return {'success' : False}
rubric_scores = [[response['rubric_scores'][z]]]
grader_types = [[response['grader_types'][z]]]
feedback_items = [[response['feedback_items'][z]]]
rubric_html = self.rubric_renderer.render_combined_rubric(stringify_children(self.static_data['rubric']),
rubric_scores,
grader_types, feedback_items)
contexts.append({
'result': rubric_html,
'task_name': 'Scored rubric',
'feedback' : feedback
})
context = {
'results': contexts,
}
html = self.system.render_template('{0}/combined_open_ended_results.html'.format(self.TEMPLATE_DIR), context)
return {'html': html, 'success': True, 'hide_reset' : False}
def get_legend(self, _data):
"""
Gets the results of a given grader via ajax.
Input: AJAX data dictionary
Output: Dictionary to be rendered via ajax that contains the result html.
"""
context = {
'legend_list': LEGEND_LIST,
}
html = self.system.render_template('{0}/combined_open_ended_legend.html'.format(self.TEMPLATE_DIR), context)
return {'html': html, 'success': True}
def handle_ajax(self, dispatch, data):
"""
This is called by courseware.module_render, to handle an AJAX call.
"data" is request.POST.
Returns a json dictionary:
{ 'progress_changed' : True/False,
'progress': 'none'/'in_progress'/'done',
<other request-specific values here > }
"""
handlers = {
'next_problem': self.next_problem,
'reset': self.reset,
'get_combined_rubric': self.get_rubric,
'get_legend': self.get_legend,
'get_last_response': self.get_last_response_ajax,
'get_current_state': self.get_current_state,
'get_html': self.get_html_ajax,
}
if dispatch not in handlers:
return_html = self.current_task.handle_ajax(dispatch, data, self.system)
return self.update_task_states_ajax(return_html)
d = handlers[dispatch](data)
return json.dumps(d, cls=ComplexEncoder)
def get_current_state(self, data):
"""
Gets the current state of the module.
"""
return self.get_context()
def get_last_response_ajax(self, data):
"""
Get the last response via ajax callback
data - Needed to preserve ajax callback structure
Output: Last response dictionary
"""
return self.get_last_response(self.current_task_number)
def next_problem(self, _data):
"""
Called via ajax to advance to the next problem.
Input: AJAX data request.
Output: Dictionary to be rendered
"""
self.update_task_states()
return {'success': True, 'html': self.get_html_nonsystem(), 'allow_reset': self.ready_to_reset}
def reset(self, data):
"""
If resetting is allowed, reset the state of the combined open ended module.
Input: AJAX data dictionary
Output: AJAX dictionary to tbe rendered
"""
if self.state != self.DONE:
if not self.ready_to_reset:
return self.out_of_sync_error(data)
success, can_reset, error = self.check_if_student_has_done_needed_grading()
if not can_reset:
return {'error': error, 'success': False}
if self.student_attempts >= self.max_attempts - 1:
if self.student_attempts == self.max_attempts - 1:
self.student_attempts += 1
return {
'success': False,
# This is a student_facing_error
'error': (
'You have attempted this question {0} times. '
'You are only allowed to attempt it {1} times.'
).format(self.student_attempts, self.max_attempts)
}
self.student_attempts +=1
self.state = self.INITIAL
self.ready_to_reset = False
for i in xrange(len(self.task_xml)):
self.current_task_number = i
self.setup_next_task(reset=True)
self.current_task.reset(self.system)
self.task_states[self.current_task_number] = self.current_task.get_instance_state()
self.current_task_number = 0
self.ready_to_reset = False
self.setup_next_task()
return {'success': True, 'html': self.get_html_nonsystem()}
def get_instance_state(self):
"""
Returns the current instance state. The module can be recreated from the instance state.
Input: None
Output: A dictionary containing the instance state.
"""
state = {
'version': self.STATE_VERSION,
'current_task_number': self.current_task_number,
'state': self.state,
'task_states': self.task_states,
'student_attempts': self.student_attempts,
'ready_to_reset': self.ready_to_reset,
}
return json.dumps(state)
def get_status(self, render_via_ajax):
"""
Gets the status panel to be displayed at the top right.
Input: None
Output: The status html to be rendered
"""
status = []
current_task_human_name = ""
for i in xrange(0, len(self.task_xml)):
human_task_name = self.extract_human_name_from_task(self.task_xml[i])
# Extract the name of the current task for screen readers.
if self.current_task_number == i:
current_task_human_name = human_task_name
task_data = {'task_number': i + 1, 'human_task': human_task_name, 'current': self.current_task_number==i}
status.append(task_data)
context = {
'status_list': status,
'grader_type_image_dict': GRADER_TYPE_IMAGE_DICT,
'legend_list': LEGEND_LIST,
'render_via_ajax': render_via_ajax,
'current_task_human_name': current_task_human_name,
}
status_html = self.system.render_template("{0}/combined_open_ended_status.html".format(self.TEMPLATE_DIR),
context)
return status_html
def check_if_done_and_scored(self):
"""
Checks if the object is currently in a finished state (either student didn't meet criteria to move
to next step, in which case they are in the allow_reset state, or they are done with the question
entirely, in which case they will be in the self.DONE state), and if it is scored or not.
@return: Boolean corresponding to the above.
"""
return (self.state == self.DONE or self.ready_to_reset) and self.is_scored
def get_weight(self):
"""
Return the weight of the problem. The old default weight was None, so set to 1 in that case.
Output - int weight
"""
weight = self.weight
if weight is None:
weight = 1
return weight
def get_score(self):
"""
Score the student received on the problem, or None if there is no
score.
Returns:
dictionary
{'score': integer, from 0 to get_max_score(),
'total': get_max_score()}
"""
max_score = None
score = None
#The old default was None, so set to 1 if it is the old default weight
weight = self.get_weight()
if self.is_scored:
# Finds the maximum score of all student attempts and keeps it.
score_mat = []
for i in xrange(0, len(self.task_states)):
# For each task, extract all student scores on that task (each attempt for each task)
last_response = self.get_last_response(i)
score = last_response.get('all_scores', None)
if score is not None:
# Convert none scores and weight scores properly
for z in xrange(0, len(score)):
if score[z] is None:
score[z] = 0
score[z] *= float(weight)
score_mat.append(score)
if len(score_mat) > 0:
# Currently, assume that the final step is the correct one, and that those are the final scores.
# This will change in the future, which is why the machinery above exists to extract all scores on all steps
scores = score_mat[-1]
score = max(scores)
else:
score = 0
if self._max_score is not None:
# Weight the max score if it is not None
max_score = self._max_score * float(weight)
else:
# Without a max_score, we cannot have a score!
score = None
score_dict = {
'score': score,
'total': max_score,
}
return score_dict
def max_score(self):
"""
Maximum score possible in this module. Returns the max score if finished, None if not.
"""
max_score = None
if self.check_if_done_and_scored():
max_score = self._max_score
return max_score
def get_progress(self):
"""
Generate a progress object. Progress objects represent how far the
student has gone in this module. Must be implemented to get correct
progress tracking behavior in nested modules like sequence and
vertical. This behavior is consistent with capa.
If the module is unscored, return None (consistent with capa).
"""
d = self.get_score()
if d['total'] > 0 and self.is_scored:
try:
return Progress(d['score'], d['total'])
except (TypeError, ValueError):
log.exception("Got bad progress")
return None
return None
def out_of_sync_error(self, data, msg=''):
"""
return dict out-of-sync error message, and also log.
"""
#This is a dev_facing_error
log.warning("Combined module state out sync. state: %r, data: %r. %s",
self.state, data, msg)
#This is a student_facing_error
return {'success': False,
'error': 'The problem state got out-of-sync. Please try reloading the page.'}
class CombinedOpenEndedV1Descriptor():
"""
Module for adding combined open ended questions
"""
mako_template = "widgets/html-edit.html"
module_class = CombinedOpenEndedV1Module
filename_extension = "xml"
has_score = True
def __init__(self, system):
self.system = system
@classmethod
def definition_from_xml(cls, xml_object, system):
"""
Pull out the individual tasks, the rubric, and the prompt, and parse
Returns:
{
'rubric': 'some-html',
'prompt': 'some-html',
'task_xml': dictionary of xml strings,
}
"""
expected_children = ['task', 'rubric', 'prompt']
for child in expected_children:
if len(xml_object.xpath(child)) == 0:
# This is a staff_facing_error
raise ValueError(
"Combined Open Ended definition must include at least one '{0}' tag. Contact the learning sciences group for assistance. {1}".format(
child, xml_object))
def parse_task(k):
"""Assumes that xml_object has child k"""
return [stringify_children(xml_object.xpath(k)[i]) for i in xrange(0, len(xml_object.xpath(k)))]
def parse(k):
"""Assumes that xml_object has child k"""
return xml_object.xpath(k)[0]
return {'task_xml': parse_task('task'), 'prompt': parse('prompt'), 'rubric': parse('rubric')}
def definition_to_xml(self, resource_fs):
'''Return an xml element representing this definition.'''
elt = etree.Element('combinedopenended')
def add_child(k):
child_str = '<{tag}>{body}</{tag}>'.format(tag=k, body=self.definition[k])
child_node = etree.fromstring(child_str)
elt.append(child_node)
for child in ['task']:
add_child(child)
return elt
| TangXT/GreatCatMOOC | common/lib/xmodule/xmodule/open_ended_grading_classes/combined_open_ended_modulev1.py | Python | agpl-3.0 | 49,426 |
import time
import random
from cloudbrain.connectors.ConnectorInterface import Connector
from cloudbrain.utils.metadata_info import get_num_channels
class MockConnector(Connector):
def __init__(self, publishers, buffer_size, device_name, device_port='mock_port', device_mac=None):
"""
:return:
"""
super(MockConnector, self).__init__(publishers, buffer_size, device_name, device_port, device_mac)
self.data_generators = [self.data_generator_factory(metric, get_num_channels(self.device_name, metric)) for metric in self.metrics]
def connect_device(self):
"""
Mock connector so actually, don't do anything there :-)
:return:
"""
pass
def start(self):
while 1:
for data_generator in self.data_generators:
data_generator()
time.sleep(0.0001)
def data_generator_factory(self, metric_name, num_channels):
def data_generator():
message = {"channel_%s" % i: random.random() * 10 for i in xrange(num_channels)}
message['timestamp'] = int(time.time() * 1000000) # micro seconds
self.buffers[metric_name].write(message)
return data_generator
| alessiodm/cloudbrain | cloudbrain/connectors/MockConnector.py | Python | agpl-3.0 | 1,191 |
# -*- encoding: utf-8 -*-
################################################################################
# #
# Copyright (C) 2013-Today Carlos Eduardo Vercelino - CLVsol #
# #
# This program is free software: you can redistribute it and/or modify #
# it under the terms of the GNU Affero General Public License as published by #
# the Free Software Foundation, either version 3 of the License, or #
# (at your option) any later version. #
# #
# This program is distributed in the hope that it will be useful, #
# but WITHOUT ANY WARRANTY; without even the implied warranty of #
# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the #
# GNU Affero General Public License for more details. #
# #
# You should have received a copy of the GNU Affero General Public License #
# along with this program. If not, see <http://www.gnu.org/licenses/>. #
################################################################################
from openerp import models, fields, api
def format_code(code_seq):
code = map(int, str(code_seq))
code_len = len(code)
while len(code) < 14:
code.insert(0, 0)
while len(code) < 16:
n = sum([(len(code) + 1 - i) * v for i, v in enumerate(code)]) % 11
if n > 1:
f = 11 - n
else:
f = 0
code.append(f)
code_str = "%s.%s.%s.%s.%s-%s" % (str(code[0]) + str(code[1]),
str(code[2]) + str(code[3]) + str(code[4]),
str(code[5]) + str(code[6]) + str(code[7]),
str(code[8]) + str(code[9]) + str(code[10]),
str(code[11]) + str(code[12]) + str(code[13]),
str(code[14]) + str(code[15]))
if code_len <= 3:
code_form = code_str[18 - code_len:21]
elif code_len > 3 and code_len <= 6:
code_form = code_str[17 - code_len:21]
elif code_len > 6 and code_len <= 9:
code_form = code_str[16 - code_len:21]
elif code_len > 9 and code_len <= 12:
code_form = code_str[15 - code_len:21]
elif code_len > 12 and code_len <= 14:
code_form = code_str[14 - code_len:21]
return code_form
class clv_patient_category(models.Model):
_inherit = 'clv_patient.category'
code = fields.Char('Category Code', size=64, select=1, required=False, readonly=False, default='/',
help='Use "/" to get an automatic new Category Code.')
@api.model
def create(self, vals):
if not 'code' in vals or ('code' in vals and vals['code'] == '/'):
code_seq = self.pool.get('ir.sequence').get(self._cr, self._uid, 'clv_patient.category.code')
vals['code'] = format_code(code_seq)
return super(clv_patient_category, self).create(vals)
@api.multi
def write(self, vals):
if 'code' in vals and vals['code'] == '/':
code_seq = self.pool.get('ir.sequence').get(self._cr, self._uid, 'clv_patient.category.code')
vals['code'] = format_code(code_seq)
return super(clv_patient_category, self).write(vals)
@api.one
def copy(self, default=None):
default = dict(default or {})
default.update({'code': '/',})
return super(clv_patient_category, self).copy(default)
| CLVsol/odoo_addons | clv_patient/seq/clv_patient_category_seq.py | Python | agpl-3.0 | 3,797 |
# -*- coding: utf-8 -*-
##############################################################################
#
# Copyright (C) 2004-2012 Pexego Sistemas Informáticos All Rights Reserved
# $Omar Castiñeira Saavedra$ <omar@pexego.es>
#
# This program is free software: you can redistribute it and/or modify
# it under the terms of the GNU Affero General Public License as published
# by the Free Software Foundation, either version 3 of the License, or
# (at your option) any later version.
#
# This program is distributed in the hope that it will be useful,
# but WITHOUT ANY WARRANTY; without even the implied warranty of
# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
# GNU Affero General Public License for more details.
#
# You should have received a copy of the GNU Affero General Public License
# along with this program. If not, see <http://www.gnu.org/licenses/>.
#
##############################################################################
{
"name" : "Automatic update cost from BOMs",
"description" : """Cron job to automate update product cost from BOMs""",
"version" : "1.0",
"author" : "Pexego",
"depends" : ["base", "product", "product_extended"],
"category" : "Mrp/Product",
"init_xml" : [],
"update_xml" : ["mrp_bom_data.xml", "product_category_view.xml", "product_view.xml"],
'demo_xml': [],
'installable': True,
'active': False,
}
| Comunitea/alimentacion | automatic_update_cost_from_bom/__openerp__.py | Python | agpl-3.0 | 1,451 |
from __future__ import division
# The Hazard Library
# Copyright (C) 2012-2016 GEM Foundation
#
# This program is free software: you can redistribute it and/or modify
# it under the terms of the GNU Affero General Public License as
# published by the Free Software Foundation, either version 3 of the
# License, or (at your option) any later version.
#
# This program is distributed in the hope that it will be useful,
# but WITHOUT ANY WARRANTY; without even the implied warranty of
# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
# GNU Affero General Public License for more details.
#
# You should have received a copy of the GNU Affero General Public License
# along with this program. If not, see <http://www.gnu.org/licenses/>.
import unittest
from decimal import Decimal
import numpy
from openquake.hazardlib.const import TRT
from openquake.hazardlib.source.point import PointSource
from openquake.hazardlib.source.rupture import ParametricProbabilisticRupture
from openquake.hazardlib.mfd import TruncatedGRMFD, EvenlyDiscretizedMFD
from openquake.hazardlib.scalerel.peer import PeerMSR
from openquake.hazardlib.scalerel.wc1994 import WC1994
from openquake.hazardlib.geo import Point, PlanarSurface, NodalPlane, Polygon
from openquake.hazardlib.pmf import PMF
from openquake.hazardlib.tom import PoissonTOM
from openquake.hazardlib.calc import filters
from openquake.hazardlib.site import \
Site, SiteCollection, FilteredSiteCollection
from openquake.hazardlib.tests.geo.surface import \
_planar_test_data as planar_surface_test_data
from openquake.hazardlib.tests import assert_pickleable
def make_point_source(lon=1.2, lat=3.4, **kwargs):
default_arguments = {
'source_id': 'source_id', 'name': 'source name',
'tectonic_region_type': TRT.SUBDUCTION_INTRASLAB,
'mfd': TruncatedGRMFD(a_val=1, b_val=2, min_mag=3,
max_mag=5, bin_width=1),
'location': Point(lon, lat, 5.6),
'nodal_plane_distribution': PMF([(1, NodalPlane(1, 2, 3))]),
'hypocenter_distribution': PMF([(1, 4)]),
'upper_seismogenic_depth': 1.3,
'lower_seismogenic_depth': 4.9,
'magnitude_scaling_relationship': PeerMSR(),
'rupture_aspect_ratio': 1.333,
'rupture_mesh_spacing': 1.234,
'temporal_occurrence_model': PoissonTOM(50.)
}
default_arguments.update(kwargs)
kwargs = default_arguments
ps = PointSource(**kwargs)
assert_pickleable(ps)
return ps
class PointSourceCreationTestCase(unittest.TestCase):
def make_point_source(self, **kwargs):
source = make_point_source(**kwargs)
for key in kwargs:
self.assertIs(getattr(source, key), kwargs[key])
def assert_failed_creation(self, exc, msg, **kwargs):
with self.assertRaises(exc) as ae:
self.make_point_source(**kwargs)
self.assertEqual(str(ae.exception), msg)
def test_negative_upper_seismogenic_depth(self):
self.assert_failed_creation(
ValueError,
'upper seismogenic depth must be non-negative',
upper_seismogenic_depth=-0.1
)
def test_non_positive_rupture_mesh_spacing(self):
msg = 'rupture mesh spacing must be positive'
self.assert_failed_creation(ValueError, msg, rupture_mesh_spacing=-0.1)
self.assert_failed_creation(ValueError, msg, rupture_mesh_spacing=0)
def test_lower_depth_above_upper_depth(self):
self.assert_failed_creation(
ValueError,
'lower seismogenic depth must be below upper seismogenic depth',
upper_seismogenic_depth=10, lower_seismogenic_depth=8
)
def test_lower_depth_equal_to_upper_depth(self):
self.assert_failed_creation(
ValueError,
'lower seismogenic depth must be below upper seismogenic depth',
upper_seismogenic_depth=10, lower_seismogenic_depth=10
)
def test_hypocenter_depth_out_of_seismogenic_layer(self):
self.assert_failed_creation(
ValueError,
'depths of all hypocenters must be in between '
'lower and upper seismogenic depths',
upper_seismogenic_depth=3, lower_seismogenic_depth=8,
hypocenter_distribution=PMF([(Decimal('0.3'), 4),
(Decimal('0.7'), 8.001)])
)
def test_negative_aspect_ratio(self):
self.assert_failed_creation(
ValueError,
'rupture aspect ratio must be positive',
rupture_aspect_ratio=-1
)
def test_zero_aspect_ratio(self):
self.assert_failed_creation(
ValueError,
'rupture aspect ratio must be positive',
rupture_aspect_ratio=0
)
def test_successfull_creation(self):
self.make_point_source()
class PointSourceIterRupturesTestCase(unittest.TestCase):
def _get_rupture(self, min_mag, max_mag, hypocenter_depth,
aspect_ratio, dip, rupture_mesh_spacing,
upper_seismogenic_depth=2,
lower_seismogenic_depth=16):
source_id = name = 'test-source'
trt = TRT.ACTIVE_SHALLOW_CRUST
mfd = TruncatedGRMFD(a_val=2, b_val=1, min_mag=min_mag,
max_mag=max_mag, bin_width=1)
location = Point(0, 0)
nodal_plane = NodalPlane(strike=45, dip=dip, rake=-123.23)
nodal_plane_distribution = PMF([(1, nodal_plane)])
hypocenter_distribution = PMF([(1, hypocenter_depth)])
magnitude_scaling_relationship = PeerMSR()
rupture_aspect_ratio = aspect_ratio
tom = PoissonTOM(time_span=50)
point_source = PointSource(
source_id, name, trt, mfd, rupture_mesh_spacing,
magnitude_scaling_relationship, rupture_aspect_ratio, tom,
upper_seismogenic_depth, lower_seismogenic_depth,
location, nodal_plane_distribution, hypocenter_distribution
)
ruptures = list(point_source.iter_ruptures())
self.assertEqual(len(ruptures), 1)
[rupture] = ruptures
self.assertIs(rupture.temporal_occurrence_model, tom)
self.assertIs(rupture.tectonic_region_type, trt)
self.assertEqual(rupture.rake, nodal_plane.rake)
self.assertIsInstance(rupture.surface, PlanarSurface)
self.assertEqual(rupture.surface.mesh_spacing, rupture_mesh_spacing)
return rupture
def _check_dimensions(self, surface, length, width, delta=1e-3):
length_top = surface.top_left.distance(surface.top_right)
length_bottom = surface.bottom_left.distance(surface.bottom_right)
self.assertAlmostEqual(length_top, length_bottom, delta=delta)
self.assertAlmostEqual(length_top, length, delta=delta)
width_left = surface.top_left.distance(surface.bottom_left)
width_right = surface.top_right.distance(surface.bottom_right)
self.assertAlmostEqual(width_left, width_right, delta=delta)
self.assertAlmostEqual(width_right, width, delta=delta)
self.assertAlmostEqual(width, surface.width, delta=delta)
self.assertAlmostEqual(length, surface.length, delta=delta)
def test_1_rupture_is_inside(self):
rupture = self._get_rupture(min_mag=5, max_mag=6, hypocenter_depth=8,
aspect_ratio=1, dip=30,
rupture_mesh_spacing=1)
self.assertEqual(rupture.mag, 5.5)
self.assertEqual(rupture.hypocenter, Point(0, 0, 8))
self.assertAlmostEqual(rupture.occurrence_rate, 0.0009)
surface = rupture.surface
self._check_dimensions(surface, 5.623413252, 5.623413252, delta=0.01)
self.assertAlmostEqual(0, surface.top_left.distance(Point(
-0.0333647435005, -0.00239548066924, 6.59414668702
)), places=5)
self.assertAlmostEqual(0, surface.top_right.distance(Point(
0.00239548107539, 0.0333647434713, 6.59414668702
)), places=5)
self.assertAlmostEqual(0, surface.bottom_left.distance(Point(
-0.00239548107539, -0.0333647434713, 9.40585331298
)), places=5)
self.assertAlmostEqual(0, surface.bottom_right.distance(Point(
0.0333647435005, 0.00239548066924, 9.40585331298
)), places=5)
def test_2_rupture_shallower_than_upper_seismogenic_depth(self):
rupture = self._get_rupture(min_mag=5, max_mag=6, hypocenter_depth=3,
aspect_ratio=1, dip=30,
rupture_mesh_spacing=10)
self.assertEqual(rupture.mag, 5.5)
self.assertEqual(rupture.hypocenter, Point(0, 0, 3))
self.assertAlmostEqual(rupture.occurrence_rate, 0.0009)
surface = rupture.surface
self._check_dimensions(surface, 5.623413252, 5.623413252, delta=0.01)
self.assertAlmostEqual(0, surface.top_left.distance(Point(
-0.0288945127134, -0.0068657114195, 2.0
)), places=5)
self.assertAlmostEqual(0, surface.top_right.distance(Point(
0.00686571229256, 0.028894512506, 2.0
)), places=5)
self.assertAlmostEqual(0, surface.bottom_left.distance(Point(
0.00207475040284, -0.0378349743787, 4.81170662595
)), places=5)
self.assertAlmostEqual(0, surface.bottom_right.distance(Point(
0.0378349744035, -0.00207474995049, 4.81170662595
)), places=5)
def test_3_rupture_deeper_than_lower_seismogenic_depth(self):
rupture = self._get_rupture(min_mag=5, max_mag=6, hypocenter_depth=15,
aspect_ratio=1, dip=30,
rupture_mesh_spacing=10)
self.assertEqual(rupture.hypocenter, Point(0, 0, 15))
surface = rupture.surface
self._check_dimensions(surface, 5.623413252, 5.623413252, delta=0.02)
self.assertAlmostEqual(0, surface.top_left.distance(Point(
-0.0378349744035, 0.00207474995049, 13.188293374
)), places=5)
self.assertAlmostEqual(0, surface.top_right.distance(Point(
-0.00207475040284, 0.0378349743787, 13.188293374
)), places=5)
self.assertAlmostEqual(0, surface.bottom_left.distance(Point(
-0.00686571229256, -0.028894512506, 16.0
)), places=5)
self.assertAlmostEqual(0, surface.bottom_right.distance(Point(
0.0288945127134, 0.0068657114195, 16.0
)), places=5)
def test_4_rupture_wider_than_seismogenic_layer(self):
rupture = self._get_rupture(min_mag=7, max_mag=8, hypocenter_depth=9,
aspect_ratio=1, dip=30,
rupture_mesh_spacing=10)
self.assertEqual(rupture.mag, 7.5)
self.assertEqual(rupture.hypocenter, Point(0, 0, 9))
surface = rupture.surface
# in this test we need to increase the tolerance because the rupture
# created is rather big and float imprecision starts to be noticeable
self._check_dimensions(surface, 112.93848786315641, 28, delta=0.2)
self.assertAlmostEqual(0, surface.top_left.distance(Point(
-0.436201680751, -0.281993828512, 2.0
)), delta=0.003) # actual to expected distance is 296 cm
self.assertAlmostEqual(0, surface.top_right.distance(Point(
0.282002000777, 0.43619639753, 2.0
)), delta=0.003) # 52 cm
self.assertAlmostEqual(0, surface.bottom_left.distance(Point(
-0.282002000777, -0.43619639753, 16.0
)), delta=0.003) # 133 cm
self.assertAlmostEqual(0, surface.bottom_right.distance(Point(
0.436201680751, 0.281993828512, 16.0
)), delta=0.003) # 23 cm
def test_5_vertical_rupture(self):
rupture = self._get_rupture(min_mag=5, max_mag=6, hypocenter_depth=9,
aspect_ratio=2, dip=90,
rupture_mesh_spacing=4)
self.assertEqual(rupture.hypocenter, Point(0, 0, 9))
surface = rupture.surface
self._check_dimensions(surface, 7.9527072876705063, 3.9763536438352536,
delta=0.02)
self.assertAlmostEqual(0, surface.top_left.distance(Point(
-0.0252862987308, -0.0252862962683, 7.01182317808
)), places=5)
self.assertAlmostEqual(0, surface.top_right.distance(Point(
0.0252862987308, 0.0252862962683, 7.01182317808
)), places=5)
self.assertAlmostEqual(0, surface.bottom_left.distance(Point(
-0.0252862987308, -0.0252862962683, 10.9881768219
)), places=5)
self.assertAlmostEqual(0, surface.bottom_right.distance(Point(
0.0252862987308, 0.0252862962683, 10.9881768219
)), places=5)
def test_7_many_ruptures(self):
source_id = name = 'test7-source'
trt = TRT.VOLCANIC
mag1 = 4.5
mag2 = 5.5
mag1_rate = 9e-3
mag2_rate = 9e-4
hypocenter1 = 9.0
hypocenter2 = 10.0
hypocenter1_weight = Decimal('0.8')
hypocenter2_weight = Decimal('0.2')
nodalplane1 = NodalPlane(strike=45, dip=90, rake=0)
nodalplane2 = NodalPlane(strike=0, dip=45, rake=10)
nodalplane1_weight = Decimal('0.3')
nodalplane2_weight = Decimal('0.7')
upper_seismogenic_depth = 2
lower_seismogenic_depth = 16
rupture_aspect_ratio = 2
rupture_mesh_spacing = 0.5
location = Point(0, 0)
magnitude_scaling_relationship = PeerMSR()
tom = PoissonTOM(time_span=50)
mfd = EvenlyDiscretizedMFD(min_mag=mag1, bin_width=(mag2 - mag1),
occurrence_rates=[mag1_rate, mag2_rate])
nodal_plane_distribution = PMF([(nodalplane1_weight, nodalplane1),
(nodalplane2_weight, nodalplane2)])
hypocenter_distribution = PMF([(hypocenter1_weight, hypocenter1),
(hypocenter2_weight, hypocenter2)])
point_source = PointSource(
source_id, name, trt, mfd, rupture_mesh_spacing,
magnitude_scaling_relationship, rupture_aspect_ratio, tom,
upper_seismogenic_depth, lower_seismogenic_depth,
location, nodal_plane_distribution, hypocenter_distribution
)
actual_ruptures = list(point_source.iter_ruptures())
self.assertEqual(len(actual_ruptures),
point_source.count_ruptures())
expected_ruptures = {
(mag1, nodalplane1.rake, hypocenter1): (
# probabilistic rupture's occurrence rate
9e-3 * 0.3 * 0.8,
# rupture surface corners
planar_surface_test_data.TEST_7_RUPTURE_1_CORNERS
),
(mag2, nodalplane1.rake, hypocenter1): (
9e-4 * 0.3 * 0.8,
planar_surface_test_data.TEST_7_RUPTURE_2_CORNERS
),
(mag1, nodalplane2.rake, hypocenter1): (
9e-3 * 0.7 * 0.8,
planar_surface_test_data.TEST_7_RUPTURE_3_CORNERS
),
(mag2, nodalplane2.rake, hypocenter1): (
9e-4 * 0.7 * 0.8,
planar_surface_test_data.TEST_7_RUPTURE_4_CORNERS
),
(mag1, nodalplane1.rake, hypocenter2): (
9e-3 * 0.3 * 0.2,
planar_surface_test_data.TEST_7_RUPTURE_5_CORNERS
),
(mag2, nodalplane1.rake, hypocenter2): (
9e-4 * 0.3 * 0.2,
planar_surface_test_data.TEST_7_RUPTURE_6_CORNERS
),
(mag1, nodalplane2.rake, hypocenter2): (
9e-3 * 0.7 * 0.2,
planar_surface_test_data.TEST_7_RUPTURE_7_CORNERS
),
(mag2, nodalplane2.rake, hypocenter2): (
9e-4 * 0.7 * 0.2,
planar_surface_test_data.TEST_7_RUPTURE_8_CORNERS
)
}
for actual_rupture in actual_ruptures:
expected_occurrence_rate, expected_corners = expected_ruptures[
(actual_rupture.mag, actual_rupture.rake,
actual_rupture.hypocenter.depth)
]
self.assertTrue(isinstance(actual_rupture,
ParametricProbabilisticRupture))
self.assertEqual(actual_rupture.occurrence_rate,
expected_occurrence_rate)
self.assertIs(actual_rupture.temporal_occurrence_model, tom)
self.assertEqual(actual_rupture.tectonic_region_type, trt)
surface = actual_rupture.surface
tl, tr, br, bl = expected_corners
self.assertEqual(tl, surface.top_left)
self.assertEqual(tr, surface.top_right)
self.assertEqual(bl, surface.bottom_left)
self.assertEqual(br, surface.bottom_right)
def test_high_magnitude(self):
rupture = self._get_rupture(min_mag=9, max_mag=10, hypocenter_depth=8,
aspect_ratio=1, dip=90,
rupture_mesh_spacing=1)
self.assertEqual(rupture.mag, 9.5)
rupture = self._get_rupture(min_mag=9, max_mag=10, hypocenter_depth=40,
aspect_ratio=1, dip=90,
rupture_mesh_spacing=1,
upper_seismogenic_depth=0,
lower_seismogenic_depth=150)
self.assertEqual(rupture.mag, 9.5)
def test_rupture_close_to_south_pole(self):
# data taken from real example and causing "surface's angles are not
# right" error
mfd = EvenlyDiscretizedMFD(
min_mag=5., bin_width=0.1, occurrence_rates=[2.180e-07]
)
nodal_plane_dist = PMF([(1., NodalPlane(135., 20., 90.))])
src = PointSource(source_id='1', name='pnt', tectonic_region_type='asc',
mfd=mfd, rupture_mesh_spacing=1,
magnitude_scaling_relationship=WC1994(),
rupture_aspect_ratio=1.,
temporal_occurrence_model=PoissonTOM(50.),
upper_seismogenic_depth=0, lower_seismogenic_depth=26,
location=Point(-165.125, -83.600),
nodal_plane_distribution=nodal_plane_dist,
hypocenter_distribution=PMF([(1., 9.)]))
ruptures = list(src.iter_ruptures())
self.assertEqual(len(ruptures), 1)
class PointSourceMaxRupProjRadiusTestCase(unittest.TestCase):
def test(self):
mfd = TruncatedGRMFD(a_val=1, b_val=2, min_mag=3,
max_mag=5, bin_width=1)
np_dist = PMF([(0.5, NodalPlane(1, 20, 3)),
(0.5, NodalPlane(2, 2, 4))])
source = make_point_source(nodal_plane_distribution=np_dist, mfd=mfd)
radius = source._get_max_rupture_projection_radius()
self.assertAlmostEqual(radius, 1.2830362)
mfd = TruncatedGRMFD(a_val=1, b_val=2, min_mag=5,
max_mag=6, bin_width=1)
np_dist = PMF([(0.5, NodalPlane(1, 40, 3)),
(0.5, NodalPlane(2, 30, 4))])
source = make_point_source(nodal_plane_distribution=np_dist, mfd=mfd)
radius = source._get_max_rupture_projection_radius()
self.assertAlmostEqual(radius, 3.8712214)
class PointSourceRupEncPolygon(unittest.TestCase):
def test_no_dilation(self):
mfd = TruncatedGRMFD(a_val=1, b_val=2, min_mag=3,
max_mag=5, bin_width=1)
np_dist = PMF([(1, NodalPlane(0, 2, 4))])
source = make_point_source(nodal_plane_distribution=np_dist, mfd=mfd)
polygon = source.get_rupture_enclosing_polygon()
self.assertIsInstance(polygon, Polygon)
elons = [
1.2115590, 1.2115033, 1.2113368, 1.2110612, 1.2106790, 1.2101940,
1.2096109, 1.2089351, 1.2081734, 1.2073329, 1.2064218, 1.2054488,
1.2044234, 1.2033554, 1.2022550, 1.2011330, 1.2000000, 1.1988670,
1.1977450, 1.1966446, 1.1955766, 1.1945512, 1.1935782, 1.1926671,
1.1918266, 1.1910649, 1.1903891, 1.1898060, 1.1893210, 1.1889388,
1.1886632, 1.1884967, 1.1884410, 1.1884967, 1.1886631, 1.1889387,
1.1893209, 1.1898058, 1.1903890, 1.1910647, 1.1918265, 1.1926670,
1.1935781, 1.1945511, 1.1955765, 1.1966446, 1.1977449, 1.1988670,
1.2000000, 1.2011330, 1.2022551, 1.2033554, 1.2044235, 1.2054489,
1.2064219, 1.2073330, 1.2081735, 1.2089353, 1.2096110, 1.2101942,
1.2106791, 1.2110613, 1.2113369, 1.2115033, 1.2115590
]
elats = [
3.3999999, 3.3988689, 3.3977489, 3.3966505, 3.3955843, 3.3945607,
3.3935894, 3.3926799, 3.3918409, 3.3910805, 3.3904060, 3.3898238,
3.3893397, 3.3889582, 3.3886831, 3.3885169, 3.3884614, 3.3885169,
3.3886831, 3.3889582, 3.3893397, 3.3898238, 3.3904060, 3.3910805,
3.3918409, 3.3926799, 3.3935894, 3.3945607, 3.3955843, 3.3966505,
3.3977489, 3.3988689, 3.3999999, 3.4011309, 3.4022510, 3.4033494,
3.4044156, 3.4054392, 3.4064105, 3.4073200, 3.4081590, 3.4089194,
3.4095940, 3.4101761, 3.4106603, 3.4110418, 3.4113169, 3.4114831,
3.4115386, 3.4114831, 3.4113169, 3.4110418, 3.4106603, 3.4101761,
3.4095940, 3.4089194, 3.4081590, 3.4073200, 3.4064105, 3.4054392,
3.4044156, 3.4033494, 3.4022510, 3.4011309, 3.3999999
]
numpy.testing.assert_allclose(polygon.lons, elons)
numpy.testing.assert_allclose(polygon.lats, elats)
def test_dilated(self):
mfd = TruncatedGRMFD(a_val=1, b_val=2, min_mag=3,
max_mag=5, bin_width=1)
np_dist = PMF([(1, NodalPlane(0, 2, 4))])
source = make_point_source(nodal_plane_distribution=np_dist, mfd=mfd)
polygon = source.get_rupture_enclosing_polygon(dilation=20)
self.assertIsInstance(polygon, Polygon)
elons = [
1.3917408, 1.3908138, 1.3880493, 1.3834740, 1.3771320, 1.3690846,
1.3594093, 1.3481992, 1.3355624, 1.3216207, 1.3065082, 1.2903704,
1.2733628, 1.2556490, 1.2373996, 1.2187902, 1.2000000, 1.1812098,
1.1626004, 1.1443510, 1.1266372, 1.1096296, 1.0934918, 1.0783793,
1.0644376, 1.0518008, 1.0405907, 1.0309154, 1.0228680, 1.0165260,
1.0119507, 1.0091862, 1.0082592, 1.0091788, 1.0119361, 1.0165049,
1.0228411, 1.0308838, 1.0405556, 1.0517635, 1.0643995, 1.0783420,
1.0934567, 1.1095979, 1.1266103, 1.1443298, 1.1625858, 1.1812023,
1.2000000, 1.2187977, 1.2374142, 1.2556702, 1.2733897, 1.2904021,
1.3065433, 1.3216580, 1.3356005, 1.3482365, 1.3594444, 1.3691162,
1.3771589, 1.3834951, 1.3880639, 1.3908212, 1.3917408
]
elats = [
3.3999810, 3.3812204, 3.3626409, 3.3444213, 3.3267370, 3.3097585,
3.2936490, 3.2785638, 3.2646481, 3.2520357, 3.2408482, 3.2311932,
3.2231637, 3.2168369, 3.2122738, 3.2095182, 3.2085967, 3.2095182,
3.2122738, 3.2168369, 3.2231637, 3.2311932, 3.2408482, 3.2520357,
3.2646481, 3.2785638, 3.2936490, 3.3097585, 3.3267370, 3.3444213,
3.3626409, 3.3812204, 3.3999810, 3.4187420, 3.4373226, 3.4555440,
3.4732305, 3.4902120, 3.5063247, 3.5214135, 3.5353329, 3.5479490,
3.5591401, 3.5687983, 3.5768308, 3.5831599, 3.5877248, 3.5904815,
3.5914033, 3.5904815, 3.5877248, 3.5831599, 3.5768308, 3.5687983,
3.5591401, 3.5479490, 3.5353329, 3.5214135, 3.5063247, 3.4902120,
3.4732305, 3.4555440, 3.4373226, 3.4187420, 3.3999810
]
numpy.testing.assert_allclose(polygon.lons, elons)
numpy.testing.assert_allclose(polygon.lats, elats)
class PointSourceSourceFilterTestCase(unittest.TestCase):
SITES = [
Site(Point(2.0, 0.0), 0.1, True, 3, 4), # on epicenter
Site(Point(2.1, 0.0), 1, True, 3, 4), # 11.1 km away
Site(Point(2.0, -0.15), 2, True, 3, 4), # 16.7 km away
Site(Point(2.0, 4.49), 3, True, 3, 4), # 499.3 km away
Site(Point(2.0, -4.5), 4, True, 3, 4), # 500.3 km away
]
def setUp(self):
super(PointSourceSourceFilterTestCase, self).setUp()
self.sitecol = SiteCollection(self.SITES)
self.source1 = make_point_source(
mfd=EvenlyDiscretizedMFD(min_mag=5, bin_width=1,
occurrence_rates=[1]),
rupture_aspect_ratio=1.9,
upper_seismogenic_depth=0,
lower_seismogenic_depth=18.5,
magnitude_scaling_relationship=PeerMSR(),
nodal_plane_distribution=PMF([
(0.5, NodalPlane(strike=1, dip=2, rake=3)),
(0.5, NodalPlane(strike=1, dip=20, rake=3)),
]),
location=Point(2.0, 0.0),
)
self.source2 = make_point_source(
mfd=EvenlyDiscretizedMFD(min_mag=6.5, bin_width=1,
occurrence_rates=[1]),
rupture_aspect_ratio=0.5,
upper_seismogenic_depth=0,
lower_seismogenic_depth=18.5,
magnitude_scaling_relationship=PeerMSR(),
nodal_plane_distribution=PMF([
(0.5, NodalPlane(strike=1, dip=10, rake=3)),
(0.5, NodalPlane(strike=1, dip=20, rake=3)),
]),
location=Point(2.0, 0.0),
)
def test_zero_integration_distance(self):
filtered = self.source1.filter_sites_by_distance_to_source(
integration_distance=0, sites=self.sitecol
)
self.assertIsInstance(filtered, FilteredSiteCollection)
self.assertIsNot(filtered, self.sitecol)
numpy.testing.assert_array_equal(filtered.indices, [0])
numpy.testing.assert_array_equal(filtered.vs30, [0.1])
filtered = self.source2.filter_sites_by_distance_to_source(
integration_distance=0, sites=self.sitecol
)
numpy.testing.assert_array_equal(filtered.indices, [0, 1])
def test_fifty_km(self):
filtered = self.source1.filter_sites_by_distance_to_source(
integration_distance=50, sites=self.sitecol
)
numpy.testing.assert_array_equal(filtered.indices, [0, 1, 2])
filtered = self.source2.filter_sites_by_distance_to_source(
integration_distance=50, sites=self.sitecol
)
numpy.testing.assert_array_equal(filtered.indices, [0, 1, 2])
def test_495_km(self):
filtered = self.source1.filter_sites_by_distance_to_source(
integration_distance=495, sites=self.sitecol
)
numpy.testing.assert_array_equal(filtered.indices, [0, 1, 2])
filtered = self.source2.filter_sites_by_distance_to_source(
integration_distance=495, sites=self.sitecol
)
self.assertIs(filtered, self.sitecol) # nothing filtered
def test_filter_all_out(self):
self.source1.location.latitude = 13.6
for int_dist in (0, 1, 10, 100, 1000):
filtered = self.source1.filter_sites_by_distance_to_source(
integration_distance=int_dist, sites=self.sitecol
)
self.assertIs(filtered, None)
class PointSourceRuptureFilterTestCase(unittest.TestCase):
SITES = PointSourceSourceFilterTestCase.SITES
def setUp(self):
super(PointSourceRuptureFilterTestCase, self).setUp()
self.hypocenter = Point(2, 0, 50)
self.sitecol = SiteCollection(self.SITES)
def _make_rupture(self, width, length, dip):
mid_left = self.hypocenter.point_at(length / 2.0, 0, azimuth=270)
mid_right = self.hypocenter.point_at(length / 2.0, 0, azimuth=90)
hwidth = width * numpy.cos(numpy.radians(dip)) / 2.0
vwidth = width * numpy.sin(numpy.radians(dip)) / 2.0
top_left = mid_left.point_at(hwidth, -vwidth, azimuth=0)
bottom_left = mid_left.point_at(hwidth, vwidth, azimuth=180)
top_right = mid_right.point_at(hwidth, -vwidth, azimuth=0)
bottom_right = mid_right.point_at(hwidth, vwidth, azimuth=180)
surface = PlanarSurface(1, 2, dip, top_left, top_right,
bottom_right, bottom_left)
rupture = ParametricProbabilisticRupture(
mag=1, rake=2, tectonic_region_type=TRT.VOLCANIC,
hypocenter=self.hypocenter, surface=surface,
source_typology=PointSource, occurrence_rate=3,
temporal_occurrence_model=PoissonTOM(1)
)
return rupture
def test_zero_integration_distance(self):
rup = self._make_rupture(10, 15, 45)
# the JB distances are [8.29156163, 5.05971598, 15.13297135,
# 495.78630103, 496.89812309], so given that the integration
# distance is 0 all sites are filtered out
filtered = filters.filter_sites_by_distance_to_rupture(
rup, integration_distance=0, sites=self.sitecol
)
self.assertIs(filtered, None)
def test_495_km(self):
rup = self._make_rupture(7, 10, 30)
# the JB distance area [5.84700762, 6.8290327, 14.53519629,
# 496.25926891, 497.37116174] so given that the integration
# distance is 495 only the first 3 sites are kept
filtered = filters.filter_sites_by_distance_to_rupture(
rup, integration_distance=495, sites=self.sitecol
)
expected_filtered = SiteCollection(self.SITES[:3])
numpy.testing.assert_array_equal(filtered.indices, [0, 1, 2])
numpy.testing.assert_array_equal(
filtered.vs30, expected_filtered.vs30
)
numpy.testing.assert_array_equal(
filtered.vs30measured, expected_filtered.vs30measured
)
numpy.testing.assert_array_equal(
filtered.z1pt0, expected_filtered.z1pt0
)
numpy.testing.assert_array_equal(
filtered.z2pt5, expected_filtered.z2pt5
)
numpy.testing.assert_array_equal(
filtered.mesh.lons, expected_filtered.mesh.lons
)
numpy.testing.assert_array_equal(
filtered.mesh.lats, expected_filtered.mesh.lats
)
numpy.testing.assert_array_equal(
filtered.mesh.depths, expected_filtered.mesh.depths
)
def test_filter_all_out(self):
rup = self._make_rupture(50, 80, 9)
# the JB distances are [47.0074159, 37.99716685, 40.7944923,
# 476.2521365, 477.36015879]
for int_dist in (0, 1, 10, 20, 37.99):
filtered = filters.filter_sites_by_distance_to_rupture(
rup, integration_distance=int_dist, sites=self.sitecol
)
self.assertIs(filtered, None)
| rcgee/oq-hazardlib | openquake/hazardlib/tests/source/point_test.py | Python | agpl-3.0 | 31,027 |
import io
import os
import difflib
import pytest
from jinja2 import Template
import testutils
securedrop_test_vars = testutils.securedrop_test_vars
testinfra_hosts = [securedrop_test_vars.monitor_hostname]
@pytest.mark.skip_in_prod
def test_mon_iptables_rules(host):
local = host.get_host("local://")
time_service_user = (
host.check_output("id -u systemd-timesync")
if securedrop_test_vars.securedrop_target_distribution == "focal"
else 0
)
# Build a dict of variables to pass to jinja for iptables comparison
kwargs = dict(
app_ip=os.environ.get('APP_IP', securedrop_test_vars.app_ip),
default_interface=host.check_output(
"ip r | head -n 1 | awk '{ print $5 }'"),
tor_user_id=host.check_output("id -u debian-tor"),
time_service_user=time_service_user,
ssh_group_gid=host.check_output("getent group ssh | cut -d: -f3"),
postfix_user_id=host.check_output("id -u postfix"),
dns_server=securedrop_test_vars.dns_server)
# Required for testing under Qubes.
if local.interface("eth0").exists:
kwargs["ssh_ip"] = local.interface("eth0").addresses[0]
# Build iptables scrape cmd, purge comments + counters
iptables = r"iptables-save | sed 's/ \[[0-9]*\:[0-9]*\]//g' | egrep -v '^#'"
environment = os.environ.get("SECUREDROP_TESTINFRA_TARGET_HOST", "staging")
iptables_file = "{}/iptables-mon-{}.j2".format(
os.path.dirname(os.path.abspath(__file__)),
environment)
# template out a local iptables jinja file
jinja_iptables = Template(io.open(iptables_file, 'r').read())
iptables_expected = jinja_iptables.render(**kwargs)
with host.sudo():
# Actually run the iptables scrape command
iptables = host.check_output(iptables)
# print diff comparison (only shows up in pytests if test fails or
# verbosity turned way up)
for iptablesdiff in difflib.context_diff(iptables_expected.split('\n'),
iptables.split('\n')):
print(iptablesdiff)
# Conduct the string comparison of the expected and actual iptables
# ruleset
assert iptables_expected == iptables
@pytest.mark.skip_in_prod
@pytest.mark.parametrize('ossec_service', [
dict(host="0.0.0.0", proto="tcp", port=22, listening=True),
dict(host="0.0.0.0", proto="udp", port=1514, listening=True),
dict(host="0.0.0.0", proto="tcp", port=1515, listening=False),
])
def test_listening_ports(host, ossec_service):
"""
Ensure the OSSEC-related services are listening on the
expected sockets. Services to check include ossec-remoted
and ossec-authd. Helper services such as postfix are checked
separately.
Note that the SSH check will fail if run against a prod host, due
to the SSH-over-Tor strategy. We can port the parametrized values
to config test YAML vars at that point.
"""
socket = "{proto}://{host}:{port}".format(**ossec_service)
with host.sudo():
assert (host.socket(socket).is_listening ==
ossec_service['listening'])
| conorsch/securedrop | molecule/testinfra/mon/test_mon_network.py | Python | agpl-3.0 | 3,154 |
"""
This file shows how to use pyDatalog using facts stored in datalog.
It has 3 parts:
1. create facts for 2 employees in the datalog engine
2. define business rules
3. Query the datalog engine
"""
from pyDatalog import pyDatalog
""" 1. create facts for 3 employees in the datalog engine """
pyDatalog.create_atoms('salary', 'manager')
# John is the manager of Mary, who is the manager of Sam
+ (salary['John'] == 6800)
+ (manager['Mary'] == 'John')
+ (salary['Mary'] == 6300)
+ (manager['Sam'] == 'Mary')
+ (salary['Sam'] == 5900)
""" 2. define business rules """
pyDatalog.create_atoms('salary_class', 'indirect_manager', 'report_count', 'budget', 'lowest',
'X', 'Y', 'Z', 'N')
# the salary class of employee X is computed as a function of his/her salary
salary_class[X] = salary[X]//1000
# all the indirect managers of employee X are derived from his manager, recursively
indirect_manager(X,Y) <= (manager[X] == Y) & (Y != None)
indirect_manager(X,Y) <= (manager[X] == Z) & indirect_manager(Z,Y) & (Y != None)
# count the number of reports of X
(report_count[X] == len_(Y)) <= indirect_manager(Y,X)
""" 3. Query the datalog engine """
# what is the salary class of John ?
print(salary_class['John'] == Y) # Y is 6
# who has a salary of 6300 ?
print(salary[X] == 6300) # X is Mary
# who are the indirect managers of Mary ?
print(indirect_manager('Mary', X)) # X is John
# Who are the employees of John with a salary below 6000 ?
print((salary[X] < 6000) & indirect_manager(X, 'John')) # X is Sam
# who is his own indirect manager ?
print(indirect_manager('X', X)) # prints []
# who has 2 reports ?
print(report_count[X] == 2) # X is John
# what is the total salary of the employees of John ?
(budget[X] == sum_(N, for_each=Y)) <= (indirect_manager(Y, X)) & (salary[Y]==N)
print(budget['John']==N) # N is 12200
# who has the lowest salary ?
(lowest[1] == min_(X, order_by=N)) <= (salary[X]==N)
print(lowest[1]==X) # X is Sam
# start the datalog console, for interactive querying
from pyDatalog.examples import console
console = console.datalogConsole(locals=locals())
console.interact('Type exit() when done.')
| jcdouet/pyDatalog | pyDatalog/examples/datalog.py | Python | lgpl-2.1 | 2,172 |
#!/usr/bin/env python
# -*- coding: utf-8 -*-
#
# Licensed under the GNU LGPL v2.1 - http://www.gnu.org/licenses/lgpl.html
"""
Unit tests for the `corpora.Dictionary` class.
"""
from collections import Mapping
import logging
import unittest
import codecs
import os
import os.path
import scipy
import gensim
from gensim.corpora import Dictionary
from gensim.utils import to_utf8
from gensim.test.utils import get_tmpfile, common_texts
from six import PY3
from six.moves import zip
class TestDictionary(unittest.TestCase):
def setUp(self):
self.texts = common_texts
def testDocFreqOneDoc(self):
texts = [['human', 'interface', 'computer']]
d = Dictionary(texts)
expected = {0: 1, 1: 1, 2: 1}
self.assertEqual(d.dfs, expected)
def testDocFreqAndToken2IdForSeveralDocsWithOneWord(self):
# two docs
texts = [['human'], ['human']]
d = Dictionary(texts)
expected = {0: 2}
self.assertEqual(d.dfs, expected)
# only one token (human) should exist
expected = {'human': 0}
self.assertEqual(d.token2id, expected)
# three docs
texts = [['human'], ['human'], ['human']]
d = Dictionary(texts)
expected = {0: 3}
self.assertEqual(d.dfs, expected)
# only one token (human) should exist
expected = {'human': 0}
self.assertEqual(d.token2id, expected)
# four docs
texts = [['human'], ['human'], ['human'], ['human']]
d = Dictionary(texts)
expected = {0: 4}
self.assertEqual(d.dfs, expected)
# only one token (human) should exist
expected = {'human': 0}
self.assertEqual(d.token2id, expected)
def testDocFreqForOneDocWithSeveralWord(self):
# two words
texts = [['human', 'cat']]
d = Dictionary(texts)
expected = {0: 1, 1: 1}
self.assertEqual(d.dfs, expected)
# three words
texts = [['human', 'cat', 'minors']]
d = Dictionary(texts)
expected = {0: 1, 1: 1, 2: 1}
self.assertEqual(d.dfs, expected)
def testBuild(self):
d = Dictionary(self.texts)
# Since we don't specify the order in which dictionaries are built,
# we cannot reliably test for the mapping; only the keys and values.
expected_keys = list(range(12))
expected_values = [2, 2, 2, 2, 2, 2, 2, 2, 3, 3, 3, 3]
self.assertEqual(sorted(d.dfs.keys()), expected_keys)
self.assertEqual(sorted(d.dfs.values()), expected_values)
expected_keys = sorted([
'computer', 'eps', 'graph', 'human', 'interface',
'minors', 'response', 'survey', 'system', 'time', 'trees', 'user'
])
expected_values = list(range(12))
self.assertEqual(sorted(d.token2id.keys()), expected_keys)
self.assertEqual(sorted(d.token2id.values()), expected_values)
def testMerge(self):
d = Dictionary(self.texts)
f = Dictionary(self.texts[:3])
g = Dictionary(self.texts[3:])
f.merge_with(g)
self.assertEqual(sorted(d.token2id.keys()), sorted(f.token2id.keys()))
def testFilter(self):
d = Dictionary(self.texts)
d.filter_extremes(no_below=2, no_above=1.0, keep_n=4)
expected = {0: 3, 1: 3, 2: 3, 3: 3}
self.assertEqual(d.dfs, expected)
def testFilterKeepTokens_keepTokens(self):
# provide keep_tokens argument, keep the tokens given
d = Dictionary(self.texts)
d.filter_extremes(no_below=3, no_above=1.0, keep_tokens=['human', 'survey'])
expected = {'graph', 'trees', 'human', 'system', 'user', 'survey'}
self.assertEqual(set(d.token2id.keys()), expected)
def testFilterKeepTokens_unchangedFunctionality(self):
# do not provide keep_tokens argument, filter_extremes functionality is unchanged
d = Dictionary(self.texts)
d.filter_extremes(no_below=3, no_above=1.0)
expected = {'graph', 'trees', 'system', 'user'}
self.assertEqual(set(d.token2id.keys()), expected)
def testFilterKeepTokens_unseenToken(self):
# do provide keep_tokens argument with unseen tokens, filter_extremes functionality is unchanged
d = Dictionary(self.texts)
d.filter_extremes(no_below=3, no_above=1.0, keep_tokens=['unknown_token'])
expected = {'graph', 'trees', 'system', 'user'}
self.assertEqual(set(d.token2id.keys()), expected)
def testFilterMostFrequent(self):
d = Dictionary(self.texts)
d.filter_n_most_frequent(4)
expected = {0: 2, 1: 2, 2: 2, 3: 2, 4: 2, 5: 2, 6: 2, 7: 2}
self.assertEqual(d.dfs, expected)
def testFilterTokens(self):
self.maxDiff = 10000
d = Dictionary(self.texts)
removed_word = d[0]
d.filter_tokens([0])
expected = {
'computer': 0, 'eps': 8, 'graph': 10, 'human': 1,
'interface': 2, 'minors': 11, 'response': 3, 'survey': 4,
'system': 5, 'time': 6, 'trees': 9, 'user': 7
}
del expected[removed_word]
self.assertEqual(sorted(d.token2id.keys()), sorted(expected.keys()))
expected[removed_word] = len(expected)
d.add_documents([[removed_word]])
self.assertEqual(sorted(d.token2id.keys()), sorted(expected.keys()))
def test_doc2bow(self):
d = Dictionary([["žluťoučký"], ["žluťoučký"]])
# pass a utf8 string
self.assertEqual(d.doc2bow(["žluťoučký"]), [(0, 1)])
# doc2bow must raise a TypeError if passed a string instead of array of strings by accident
self.assertRaises(TypeError, d.doc2bow, "žluťoučký")
# unicode must be converted to utf8
self.assertEqual(d.doc2bow([u'\u017elu\u0165ou\u010dk\xfd']), [(0, 1)])
def test_saveAsText(self):
"""`Dictionary` can be saved as textfile. """
tmpf = get_tmpfile('save_dict_test.txt')
small_text = [
["prvé", "slovo"],
["slovo", "druhé"],
["druhé", "slovo"]
]
d = Dictionary(small_text)
d.save_as_text(tmpf)
with codecs.open(tmpf, 'r', encoding='utf-8') as file:
serialized_lines = file.readlines()
self.assertEqual(serialized_lines[0], u"3\n")
self.assertEqual(len(serialized_lines), 4)
# We do not know, which word will have which index
self.assertEqual(serialized_lines[1][1:], u"\tdruhé\t2\n")
self.assertEqual(serialized_lines[2][1:], u"\tprvé\t1\n")
self.assertEqual(serialized_lines[3][1:], u"\tslovo\t3\n")
d.save_as_text(tmpf, sort_by_word=False)
with codecs.open(tmpf, 'r', encoding='utf-8') as file:
serialized_lines = file.readlines()
self.assertEqual(serialized_lines[0], u"3\n")
self.assertEqual(len(serialized_lines), 4)
self.assertEqual(serialized_lines[1][1:], u"\tslovo\t3\n")
self.assertEqual(serialized_lines[2][1:], u"\tdruhé\t2\n")
self.assertEqual(serialized_lines[3][1:], u"\tprvé\t1\n")
def test_loadFromText_legacy(self):
"""
`Dictionary` can be loaded from textfile in legacy format.
Legacy format does not have num_docs on the first line.
"""
tmpf = get_tmpfile('load_dict_test_legacy.txt')
no_num_docs_serialization = to_utf8("1\tprvé\t1\n2\tslovo\t2\n")
with open(tmpf, "wb") as file:
file.write(no_num_docs_serialization)
d = Dictionary.load_from_text(tmpf)
self.assertEqual(d.token2id[u"prvé"], 1)
self.assertEqual(d.token2id[u"slovo"], 2)
self.assertEqual(d.dfs[1], 1)
self.assertEqual(d.dfs[2], 2)
self.assertEqual(d.num_docs, 0)
def test_loadFromText(self):
"""`Dictionary` can be loaded from textfile."""
tmpf = get_tmpfile('load_dict_test.txt')
no_num_docs_serialization = to_utf8("2\n1\tprvé\t1\n2\tslovo\t2\n")
with open(tmpf, "wb") as file:
file.write(no_num_docs_serialization)
d = Dictionary.load_from_text(tmpf)
self.assertEqual(d.token2id[u"prvé"], 1)
self.assertEqual(d.token2id[u"slovo"], 2)
self.assertEqual(d.dfs[1], 1)
self.assertEqual(d.dfs[2], 2)
self.assertEqual(d.num_docs, 2)
def test_saveAsText_and_loadFromText(self):
"""`Dictionary` can be saved as textfile and loaded again from textfile. """
tmpf = get_tmpfile('dict_test.txt')
for sort_by_word in [True, False]:
d = Dictionary(self.texts)
d.save_as_text(tmpf, sort_by_word=sort_by_word)
self.assertTrue(os.path.exists(tmpf))
d_loaded = Dictionary.load_from_text(tmpf)
self.assertNotEqual(d_loaded, None)
self.assertEqual(d_loaded.token2id, d.token2id)
def test_from_corpus(self):
"""build `Dictionary` from an existing corpus"""
documents = [
"Human machine interface for lab abc computer applications",
"A survey of user opinion of computer system response time",
"The EPS user interface management system",
"System and human system engineering testing of EPS",
"Relation of user perceived response time to error measurement",
"The generation of random binary unordered trees",
"The intersection graph of paths in trees",
"Graph minors IV Widths of trees and well quasi ordering",
"Graph minors A survey"
]
stoplist = set('for a of the and to in'.split())
texts = [
[word for word in document.lower().split() if word not in stoplist]
for document in documents]
# remove words that appear only once
all_tokens = sum(texts, [])
tokens_once = set(word for word in set(all_tokens) if all_tokens.count(word) == 1)
texts = [[word for word in text if word not in tokens_once] for text in texts]
dictionary = Dictionary(texts)
corpus = [dictionary.doc2bow(text) for text in texts]
# Create dictionary from corpus without a token map
dictionary_from_corpus = Dictionary.from_corpus(corpus)
dict_token2id_vals = sorted(dictionary.token2id.values())
dict_from_corpus_vals = sorted(dictionary_from_corpus.token2id.values())
self.assertEqual(dict_token2id_vals, dict_from_corpus_vals)
self.assertEqual(dictionary.dfs, dictionary_from_corpus.dfs)
self.assertEqual(dictionary.num_docs, dictionary_from_corpus.num_docs)
self.assertEqual(dictionary.num_pos, dictionary_from_corpus.num_pos)
self.assertEqual(dictionary.num_nnz, dictionary_from_corpus.num_nnz)
# Create dictionary from corpus with an id=>token map
dictionary_from_corpus_2 = Dictionary.from_corpus(corpus, id2word=dictionary)
self.assertEqual(dictionary.token2id, dictionary_from_corpus_2.token2id)
self.assertEqual(dictionary.dfs, dictionary_from_corpus_2.dfs)
self.assertEqual(dictionary.num_docs, dictionary_from_corpus_2.num_docs)
self.assertEqual(dictionary.num_pos, dictionary_from_corpus_2.num_pos)
self.assertEqual(dictionary.num_nnz, dictionary_from_corpus_2.num_nnz)
# Ensure Sparse2Corpus is compatible with from_corpus
bow = gensim.matutils.Sparse2Corpus(scipy.sparse.rand(10, 100))
dictionary = Dictionary.from_corpus(bow)
self.assertEqual(dictionary.num_docs, 100)
def test_dict_interface(self):
"""Test Python 2 dict-like interface in both Python 2 and 3."""
d = Dictionary(self.texts)
self.assertTrue(isinstance(d, Mapping))
self.assertEqual(list(zip(d.keys(), d.values())), list(d.items()))
# Even in Py3, we want the iter* members.
self.assertEqual(list(d.items()), list(d.iteritems()))
self.assertEqual(list(d.keys()), list(d.iterkeys()))
self.assertEqual(list(d.values()), list(d.itervalues()))
# XXX Do we want list results from the dict members in Py3 too?
if not PY3:
self.assertTrue(isinstance(d.items(), list))
self.assertTrue(isinstance(d.keys(), list))
self.assertTrue(isinstance(d.values(), list))
# endclass TestDictionary
if __name__ == '__main__':
logging.basicConfig(level=logging.WARNING)
unittest.main()
| mattilyra/gensim | gensim/test/test_corpora_dictionary.py | Python | lgpl-2.1 | 12,494 |
## \file config_options.py
# \brief python package for config
# \author T. Lukaczyk, F. Palacios
# \version 6.1.0 "Falcon"
#
# The current SU2 release has been coordinated by the
# SU2 International Developers Society <www.su2devsociety.org>
# with selected contributions from the open-source community.
#
# The main research teams contributing to the current release are:
# - Prof. Juan J. Alonso's group at Stanford University.
# - Prof. Piero Colonna's group at Delft University of Technology.
# - Prof. Nicolas R. Gauger's group at Kaiserslautern University of Technology.
# - Prof. Alberto Guardone's group at Polytechnic University of Milan.
# - Prof. Rafael Palacios' group at Imperial College London.
# - Prof. Vincent Terrapon's group at the University of Liege.
# - Prof. Edwin van der Weide's group at the University of Twente.
# - Lab. of New Concepts in Aeronautics at Tech. Institute of Aeronautics.
#
# Copyright 2012-2018, Francisco D. Palacios, Thomas D. Economon,
# Tim Albring, and the SU2 contributors.
#
# SU2 is free software; you can redistribute it and/or
# modify it under the terms of the GNU Lesser General Public
# License as published by the Free Software Foundation; either
# version 2.1 of the License, or (at your option) any later version.
#
# SU2 is distributed in the hope that it will be useful,
# but WITHOUT ANY WARRANTY; without even the implied warranty of
# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU
# Lesser General Public License for more details.
#
# You should have received a copy of the GNU Lesser General Public
# License along with SU2. If not, see <http://www.gnu.org/licenses/>.
# ----------------------------------------------------------------------
# Imports
# ----------------------------------------------------------------------
from ..util import ordered_bunch
class OptionError(Exception):
pass
class Option(object):
def __init__(self):
self.val = ""
def __get__(self):
return self.val
def __set__(self,newval):
self.val = newval
#: class Option
class MathProblem(Option):
def __init__(self,*args,**kwarg):
super(MathProblem,self).__init__(*args,**kwarg)
self.validoptions = ['DIRECT','CONTINUOUS_ADJOINT','LINEARIZED']
def __set__(self,newval):
if not self.newval in self.validoptions:
raise OptionError("Invalid option. Valid options are: %s"%self.validoptions)
super(MathProblem,self).__set__(newval)
#: class MathProblem
class DEFINITION_DV(ordered_bunch):
""" SU2.io.config.DEFINITION_DV()
List of design variables (Design variables are separated by semicolons)
- HICKS_HENNE ( 1, Scale | Mark. List | Lower(0)/Upper(1) side, x_Loc )
- SURFACE_BUMP ( 2, Scale | Mark. List | x_Start, x_End, x_Loc )
- NACA_4DIGITS ( 4, Scale | Mark. List | 1st digit, 2nd digit, 3rd and 4th digit )
- TRANSLATION ( 5, Scale | Mark. List | x_Disp, y_Disp, z_Disp )
- ROTATION ( 6, Scale | Mark. List | x_Axis, y_Axis, z_Axis, x_Turn, y_Turn, z_Turn )
- FFD_CONTROL_POINT ( 7, Scale | Mark. List | FFD_Box_ID, i_Ind, j_Ind, k_Ind, x_Mov, y_Mov, z_Mov )
- FFD_TWIST_ANGLE ( 9, Scale | Mark. List | FFD_Box_ID, x_Orig, y_Orig, z_Orig, x_End, y_End, z_End )
- FFD_ROTATION ( 10, Scale | Mark. List | FFD_Box_ID, x_Orig, y_Orig, z_Orig, x_End, y_End, z_End )
- FFD_CAMBER ( 11, Scale | Mark. List | FFD_Box_ID, i_Ind, j_Ind )
- FFD_THICKNESS ( 12, Scale | Mark. List | FFD_Box_ID, i_Ind, j_Ind )
- FFD_CONTROL_POINT_2D ( 15, Scale | Mark. List | FFD_Box_ID, i_Ind, j_Ind, x_Mov, y_Mov )
- FFD_CAMBER_2D ( 16, Scale | Mark. List | FFD_Box_ID, i_Ind )
- FFD_THICKNESS_2D ( 17, Scale | Mark. List | FFD_Box_ID, i_Ind )
"""
def __init__(self,*args,**kwarg):
ordered_bunch.__init__(self)
self.KIND = []
self.SCALE = []
self.MARKER = []
self.FFDTAG = []
self.PARAM = []
self.update(ordered_bunch(*args,**kwarg))
def append(self,new_dv):
self.KIND. append(new_dv['KIND'])
self.SCALE. append(new_dv['SCALE'])
self.MARKER.append(new_dv['MARKER'])
self.FFDTAG.append(new_dv['FFDTAG'])
self.PARAM. append(new_dv['PARAM'])
def extend(self,new_dvs):
assert isinstance(new_dvs,DEFINITION_DV) , 'input must be of type DEFINITION_DV'
self.KIND. extend(new_dvs['KIND'])
self.SCALE. extend(new_dvs['SCALE'])
self.MARKER.extend(new_dvs['MARKER'])
self.FFDTAG.extend(new_dvs['FFDTAG'])
self.PARAM. extend(new_dvs['PARAM'])
#: class DEFINITION_DV
class DV_KIND(ordered_bunch):
""" SU2.io.config.DV_KIND()
List of design variables (Design variables are separated by semicolons)
- HICKS_HENNE ( 1, Scale | Mark. List | Lower(0)/Upper(1) side, x_Loc )
- SURFACE_BUMP ( 2, Scale | Mark. List | x_Start, x_End, x_Loc )
- NACA_4DIGITS ( 4, Scale | Mark. List | 1st digit, 2nd digit, 3rd and 4th digit )
- TRANSLATION ( 5, Scale | Mark. List | x_Disp, y_Disp, z_Disp )
- ROTATION ( 6, Scale | Mark. List | x_Axis, y_Axis, z_Axis, x_Turn, y_Turn, z_Turn )
- FFD_CONTROL_POINT ( 7, Scale | Mark. List | FFD_Box_ID, i_Ind, j_Ind, k_Ind, x_Mov, y_Mov, z_Mov )
- FFD_TWIST_ANGLE ( 9, Scale | Mark. List | FFD_Box_ID, x_Orig, y_Orig, z_Orig, x_End, y_End, z_End )
- FFD_ROTATION ( 10, Scale | Mark. List | FFD_Box_ID, x_Orig, y_Orig, z_Orig, x_End, y_End, z_End )
- FFD_CAMBER ( 11, Scale | Mark. List | FFD_Box_ID, i_Ind, j_Ind )
- FFD_THICKNESS ( 12, Scale | Mark. List | FFD_Box_ID, i_Ind, j_Ind )
- FFD_CONTROL_POINT_2D ( 15, Scale | Mark. List | FFD_Box_ID, i_Ind, j_Ind, x_Mov, y_Mov )
- FFD_CAMBER_2D ( 16, Scale | Mark. List | FFD_Box_ID, i_Ind )
- FFD_THICKNESS_2D ( 17, Scale | Mark. List | FFD_Box_ID, i_Ind )
"""
def __init__(self,*args,**kwarg):
ordered_bunch.__init__(self)
self.FFDTAG = []
self.PARAM = []
self.update(ordered_bunch(*args,**kwarg))
def append(self,new_dv):
self.FFDTAG.append(new_dv['FFDTAG'])
self.PARAM. append(new_dv['PARAM'])
def extend(self,new_dvs):
assert isinstance(new_dvs,DV_KIND) , 'input must be of type DV_KIND'
self.FFDTAG.extend(new_dvs['FFDTAG'])
self.PARAM. extend(new_dvs['PARAM'])
#: class DV_KIND
| drewkett/SU2 | SU2_PY/SU2/io/config_options.py | Python | lgpl-2.1 | 6,581 |
#!/usr/bin/env python
## \file adjoint.py
# \brief python package for running adjoint problems
# \author T. Lukaczyk, F. Palacios
# \version 5.0.0 "Raven"
#
# SU2 Original Developers: Dr. Francisco D. Palacios.
# Dr. Thomas D. Economon.
#
# SU2 Developers: Prof. Juan J. Alonso's group at Stanford University.
# Prof. Piero Colonna's group at Delft University of Technology.
# Prof. Nicolas R. Gauger's group at Kaiserslautern University of Technology.
# Prof. Alberto Guardone's group at Polytechnic University of Milan.
# Prof. Rafael Palacios' group at Imperial College London.
# Prof. Edwin van der Weide's group at the University of Twente.
# Prof. Vincent Terrapon's group at the University of Liege.
#
# Copyright (C) 2012-2017 SU2, the open-source CFD code.
#
# SU2 is free software; you can redistribute it and/or
# modify it under the terms of the GNU Lesser General Public
# License as published by the Free Software Foundation; either
# version 2.1 of the License, or (at your option) any later version.
#
# SU2 is distributed in the hope that it will be useful,
# but WITHOUT ANY WARRANTY; without even the implied warranty of
# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU
# Lesser General Public License for more details.
#
# You should have received a copy of the GNU Lesser General Public
# License along with SU2. If not, see <http://www.gnu.org/licenses/>.
import os, sys, shutil, copy
from .. import io as su2io
from .. import mesh as su2mesh
def adaptation ( config , kind='' ):
# local copy
konfig = copy.deepcopy(config)
# check kind
if kind: konfig['KIND_ADAPT'] = kind
kind = konfig.get('KIND_ADAPT','NONE')
if kind == 'NONE':
return {}
# check adapted?
# get adaptation function
adapt_function = su2mesh.adapt.name_map[kind]
# setup problem
suffix = 'adapt'
meshname_orig = konfig['MESH_FILENAME']
meshname_new = su2io.add_suffix( konfig['MESH_FILENAME'], suffix )
konfig['MESH_OUT_FILENAME'] = meshname_new
# Run Adaptation
info = adapt_function(konfig)
# update super config
config['MESH_FILENAME'] = meshname_new
config['KIND_ADAPT'] = kind
# files out
files = { 'MESH' : meshname_new }
# info out
append_nestdict( info, { 'FILES' : files } )
return info
| pawhewitt/Dev | SU2_PY/SU2/run/adaptation.py | Python | lgpl-2.1 | 2,501 |
#!/usr/bin/env python
# -*- coding: utf-8 -*-
#
# Copyright 2008 Jan lehnardt <jan@apache.org>
# All rights reserved.
#
# This software is licensed as described in the file COPYING, which
# you should have received as part of this distribution.
"""Simple functional test for the replication notification trigger"""
import time
from couchdb import client
def set_up_database(server, database):
"""Deletes and creates a `database` on a `server`"""
if database in server:
del server[database]
return server.create(database)
def run_tests():
"""Inserts a doc into database a, waits and tries to read it back from
database b
"""
# set things up
database = 'replication_notification_test'
server_a = client.Server('http://localhost:5984')
server_b = client.Server('http://localhost:5985')
# server_c = client.Server('http://localhost:5986')
db_a = set_up_database(server_a, database)
db_b = set_up_database(server_b, database)
# db_c = set_up_database(server_c, database)
doc = {'jan':'cool'}
docId = 'testdoc'
# add doc to node a
print 'Inserting document in to database "a"'
db_a[docId] = doc
# wait a bit. Adjust depending on your --wait-threshold setting
time.sleep(5)
# read doc from node b and compare to a
try:
db_b[docId] == db_a[docId] # == db_c[docId]
print 'SUCCESS at reading it back from database "b"'
except client.ResourceNotFound:
print 'FAILURE at reading it back from database "b"'
def main():
print 'Running functional replication test...'
run_tests()
print 'Done.'
if __name__ == '__main__':
main()
| kotejante/light-distribution-platform | libs/couchdb/tools/replication_helper_test.py | Python | lgpl-2.1 | 1,676 |
# ***************************************************************************
# * *
# * Copyright (c) 2016 - Bernd Hahnebach <bernd@bimstatik.org> *
# * *
# * This program is free software; you can redistribute it and/or modify *
# * it under the terms of the GNU Lesser General Public License (LGPL) *
# * as published by the Free Software Foundation; either version 2 of *
# * the License, or (at your option) any later version. *
# * for detail see the LICENCE text file. *
# * *
# * This program is distributed in the hope that it will be useful, *
# * but WITHOUT ANY WARRANTY; without even the implied warranty of *
# * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the *
# * GNU Library General Public License for more details. *
# * *
# * You should have received a copy of the GNU Library General Public *
# * License along with this program; if not, write to the Free Software *
# * Foundation, Inc., 59 Temple Place, Suite 330, Boston, MA 02111-1307 *
# * USA *
# * *
# ***************************************************************************
__title__ = "Command nonlinear mechanical material"
__author__ = "Bernd Hahnebach"
__url__ = "http://www.freecadweb.org"
## @package CommandFemMaterialMechanicalNonLinear
# \ingroup FEM
import FreeCAD
from FemCommands import FemCommands
import FreeCADGui
import FemGui
from PySide import QtCore
class _CommandFemMaterialMechanicalNonlinear(FemCommands):
"The FEM_MaterialMechanicalNonlinear command definition"
def __init__(self):
super(_CommandFemMaterialMechanicalNonlinear, self).__init__()
self.resources = {'Pixmap': 'fem-material-nonlinear',
'MenuText': QtCore.QT_TRANSLATE_NOOP("FEM_MaterialMechanicalNonlinear", "Nonlinear mechanical material"),
'Accel': "C, W",
'ToolTip': QtCore.QT_TRANSLATE_NOOP("FEM_MaterialMechanicalNonlinear", "Creates a nonlinear mechanical material")}
self.is_active = 'with_material'
def Activated(self):
sel = FreeCADGui.Selection.getSelection()
if len(sel) == 1 and sel[0].isDerivedFrom("App::MaterialObjectPython"):
lin_mat_obj = sel[0]
# check if an nonlinear material exists which is based on the selected material already
allow_nonlinear_material = True
for o in FreeCAD.ActiveDocument.Objects:
if hasattr(o, "Proxy") and o.Proxy is not None and o.Proxy.Type == "FemMaterialMechanicalNonlinear" and o.LinearBaseMaterial == lin_mat_obj:
FreeCAD.Console.PrintError(o.Name + ' is based on the selected material: ' + lin_mat_obj.Name + '. Only one nonlinear object for each material allowed.\n')
allow_nonlinear_material = False
break
if allow_nonlinear_material:
string_lin_mat_obj = "App.ActiveDocument.getObject('" + lin_mat_obj.Name + "')"
command_to_run = "FemGui.getActiveAnalysis().Member = FemGui.getActiveAnalysis().Member + [ObjectsFem.makeMaterialMechanicalNonlinear(" + string_lin_mat_obj + ")]"
FreeCAD.ActiveDocument.openTransaction("Create FemMaterialMechanicalNonlinear")
FreeCADGui.addModule("ObjectsFem")
FreeCADGui.doCommand(command_to_run)
# set the material nonlinear property of the solver to nonlinear if only one solver is available and if this solver is a CalculiX solver
solver_object = None
for m in FemGui.getActiveAnalysis().Member:
if m.isDerivedFrom('Fem::FemSolverObjectPython'):
if not solver_object:
solver_object = m
else:
# we do not change the material nonlinear attribut if we have more than one solver
solver_object = None
break
if solver_object and solver_object.SolverType == 'FemSolverCalculix':
solver_object.MaterialNonlinearity = "nonlinear"
FreeCADGui.addCommand('FEM_MaterialMechanicalNonlinear', _CommandFemMaterialMechanicalNonlinear())
| usakhelo/FreeCAD | src/Mod/Fem/PyGui/_CommandFemMaterialMechanicalNonlinear.py | Python | lgpl-2.1 | 4,731 |
# RUN: %python -m artiq.compiler.testbench.signature %s >%t
# RUN: OutputCheck %s --file-to-check=%t
# CHECK-L: f: ()->NoneType delay(30 mu)
def f():
for _ in range(10):
delay_mu(3)
# CHECK-L: g: ()->NoneType delay(60 mu)
def g():
for _ in range(10):
for _ in range(2):
delay_mu(3)
| JQIamo/artiq | artiq/test/lit/iodelay/loop.py | Python | lgpl-3.0 | 320 |
"""
WSGI config for opendai_lleida_web project.
This module contains the WSGI application used by Django's development server
and any production WSGI deployments. It should expose a module-level variable
named ``application``. Django's ``runserver`` and ``runfcgi`` commands discover
this application via the ``WSGI_APPLICATION`` setting.
Usually you will have the standard Django WSGI application here, but it also
might make sense to replace the whole Django WSGI application with a custom one
that later delegates to the Django one. For example, you could introduce WSGI
middleware here, or combine a Django application with an application of another
framework.
"""
import os
os.environ.setdefault("DJANGO_SETTINGS_MODULE", "admin_web.settings-production")
# This application object is used by any WSGI server configured to use this
# file. This includes Django's development server, if the WSGI_APPLICATION
# setting points here.
from django.core.wsgi import get_wsgi_application
application = get_wsgi_application()
# Apply WSGI middleware here.
# from helloworld.wsgi import HelloWorldApplication
# application = HelloWorldApplication(application)
| open-dai/bcn-lleida-opendai-pilots | web-geo-server/admin_web/wsgi.py | Python | lgpl-3.0 | 1,160 |
###############################################################################
# volumina: volume slicing and editing library
#
# Copyright (C) 2011-2014, the ilastik developers
# <team@ilastik.org>
#
# This program is free software; you can redistribute it and/or
# modify it under the terms of the Lesser GNU General Public License
# as published by the Free Software Foundation; either version 2.1
# of the License, or (at your option) any later version.
#
# This program is distributed in the hope that it will be useful,
# but WITHOUT ANY WARRANTY; without even the implied warranty of
# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
# GNU Lesser General Public License for more details.
#
# See the files LICENSE.lgpl2 and LICENSE.lgpl3 for full text of the
# GNU Lesser General Public License version 2.1 and 3 respectively.
# This information is also available on the ilastik web site at:
# http://ilastik.org/license/
###############################################################################
import os
import time
import unittest as ut
from PyQt4.QtCore import QTimer
from PyQt4.QtGui import qApp, QApplication, QWidget, QHBoxLayout, QPixmap
from volumina.layer import Layer
from volumina.layerstack import LayerStackModel
from volumina.widgets.layerwidget import LayerWidget
class TestLayerWidget( ut.TestCase ):
"""
Create two layers and add them to a LayerWidget.
Then change one of the layer visibilities and verify that the layer widget appearance updates.
At the time of this writing, the widget doesn't properly repaint the selected layer (all others repaint correctly).
"""
@classmethod
def setUpClass(cls):
if 'TRAVIS' in os.environ:
# This test fails on Travis-CI for unknown reasons,
# probably due to the variability of time.sleep().
# Skip it on Travis-CI.
import nose
raise nose.SkipTest
cls.app = QApplication([])
cls.errors = False
@classmethod
def tearDownClass(cls):
del cls.app
def impl(self):
try:
# Change the visibility of the *selected* layer
self.o2.visible = False
# Make sure the GUI is caught up on paint events
QApplication.processEvents()
# We must sleep for the screenshot to be right.
time.sleep(0.1)
self.w.repaint()
# Capture the window before we change anything
beforeImg = QPixmap.grabWindow( self.w.winId() ).toImage()
# Change the visibility of the *selected* layer
self.o2.visible = True
self.w.repaint()
# Make sure the GUI is caught up on paint events
QApplication.processEvents()
# We must sleep for the screenshot to be right.
time.sleep(0.1)
# Capture the window now that we've changed a layer.
afterImg = QPixmap.grabWindow( self.w.winId() ).toImage()
# Optional: Save the files so we can inspect them ourselves...
#beforeImg.save('before.png')
#afterImg.save('after.png')
# Before and after should NOT match.
assert beforeImg != afterImg
except:
# Catch all exceptions and print them
# We must finish so we can quit the app.
import traceback
traceback.print_exc()
TestLayerWidget.errors = True
qApp.quit()
def test_repaint_after_visible_change(self):
self.model = LayerStackModel()
self.o1 = Layer([])
self.o1.name = "Fancy Layer"
self.o1.opacity = 0.5
self.model.append(self.o1)
self.o2 = Layer([])
self.o2.name = "Some other Layer"
self.o2.opacity = 0.25
self.model.append(self.o2)
self.view = LayerWidget(None, self.model)
self.view.show()
self.view.updateGeometry()
self.w = QWidget()
self.lh = QHBoxLayout(self.w)
self.lh.addWidget(self.view)
self.w.setGeometry(100, 100, 300, 300)
self.w.show()
self.w.raise_()
# Run the test within the GUI event loop
QTimer.singleShot(500, self.impl )
self.app.exec_()
# Were there errors?
assert not TestLayerWidget.errors, "There were GUI errors/failures. See above."
if __name__=='__main__':
ut.main()
| jakirkham/volumina | tests/layerwidget_test.py | Python | lgpl-3.0 | 4,634 |
# -*- coding: utf-8 -*-
try:
import re2 as re
except ImportError:
import re
from lib.cuckoo.common.abstracts import Signature
class Silverlight_JS(Signature):
name = "silverlight_js"
description = "执行伪装过的包含一个Silverlight对象的JavaScript,可能被用于漏洞攻击尝试"
weight = 3
severity = 3
categories = ["exploit_kit", "silverlight"]
authors = ["Kevin Ross"]
minimum = "1.3"
evented = True
def __init__(self, *args, **kwargs):
Signature.__init__(self, *args, **kwargs)
filter_categories = set(["browser"])
# backward compat
filter_apinames = set(["JsEval", "COleScript_Compile", "COleScript_ParseScriptText"])
def on_call(self, call, process):
if call["api"] == "JsEval":
buf = self.get_argument(call, "Javascript")
else:
buf = self.get_argument(call, "Script")
if re.search("application\/x\-silverlight.*?\<param name[ \t\n]*=.*?value[ \t\n]*=.*?\<\/object\>.*", buf, re.IGNORECASE|re.DOTALL):
return True
| lixiangning888/whole_project | modules/signatures_merge_tmp/ek_silverlight.py | Python | lgpl-3.0 | 1,071 |