content stringlengths 7 1.05M |
|---|
def test():
# Here we can either check objects created in the solution code, or the
# string value of the solution, available as __solution__. A helper for
# printing formatted messages is available as __msg__. See the testTemplate
# in the meta.json for details.
# If an assertion fails, the message will be displayed
assert 'X' in __solution__, "Make sure you are using 'X' as a variable"
assert 'y' in __solution__, "Make sure you are using 'y' as a variable"
assert X.shape == (25, 8), "The dimensions of X is incorrect. Are you selcting the correct columns?"
assert y.shape == (25,), "The dimensions of y is incorrect. Are you selcting the correct columns?"
assert 'availability' not in X.columns, "Make sure the target is not in X dataframe"
assert sorted(list(X.columns))[0:4] == ['caramel', 'chocolate', 'coconut', 'cookie_wafer_rice'], "The X dataframe includes the incorrect columns. Make sure you are selecting the correct columns"
__msg__.good("Nice work, well done!")
|
# Brokenlinks app settings
# This is just an example of what these settings look like.
# You should _not_ use them—instead, copy these, put them in
# your local.py & edit the keys to match your spreadsheet.
# The URL is like:
# https://docs.google.com/forms/d/e/{{key}}/formResponse
# while the "entry.####" can be found by crearting a prefilled
# response link & inspecting the URL query parameters.
BROKENLINKS_GOOGLE_SHEET_KEY = '1FAIpQLSehVHSXLkZ5_gcAYxh5ZEktbU-0axbakVONq9lavfP1SXGc_A'
BROKENLINKS_HASH = {
"ipaddress": "entry.1306463040",
"openurl": "entry.1430108689",
"permalink": "entry.743539962",
"type": "entry.1515176237",
"email": "entry.1509607699",
"comments": "entry.249064033",
}
|
n = int(input('Enter number of lines:'))
for i in range(1, n +1):
for j in range(1, n+1):
if i == 1 or j == 1 or i == n or j == n:
print("*", end = ' ')
else:
print(' ', end = ' ')
print()
|
##-------------------------------------------------------------------
"""
Given a binary tree and a sum, find all root-to-leaf
paths where each path's sum equals the given sum.
For example:
Given the below binary tree and sum = 22,
5
/ \
4 8
/ / \
11 13 4
/ \ / \
7 2 5 1
return
[
[5,4,11,2],
[5,8,4,5]
]
##-------------------------------------------------------------------
"""
def path_sum(root, sum):
if root is None:
return []
res = []
dfs(root, sum, [], res)
return res
def dfs(root, sum, ls, res):
if root.left is None and root.right is None and root.val == sum:
ls.append(root.val)
res.append(ls)
if root.left is not None:
dfs(root.left, sum - root.val, ls + [root.val], res)
if root.right is not None:
dfs(root.right, sum - root.val, ls + [root.val], res)
# DFS with stack
def path_sum2(root, s):
if root is None:
return []
res = []
stack = [(root, [root.val])]
while stack:
node, ls = stack.pop()
if node.left is None and node.right is None and sum(ls) == s:
res.append(ls)
if node.left is not None:
stack.append((node.left, ls + [node.left.val]))
if node.right is not None:
stack.append((node.right, ls + [node.right.val]))
return res
# BFS with queue
def path_sum3(root, sum):
if root is None:
return []
res = []
queue = [(root, root.val, [root.val])]
while queue:
node, val, ls = queue.pop(0) # popleft
if node.left is None and node.right is None and val == sum:
res.append(ls)
if node.left is not None:
queue.append((node.left, val + node.left.val, ls + [node.left.val]))
if node.right is not None:
queue.append((node.right, val + node.right.val, ls + [node.right.val]))
return res
|
# Get the abuse API key from the site
abuseKey = ''
# Get the hybrid API key from the site
hybridKey = ''
# Get the malshare API key from the site
malshareKey = ''
# Get the urlscan key from the site
urlScanKey = ''
# Get the valhalla key from the site
valhallaKey = ''
# Get the Virustotal API key from the site
vtKey = ''
# Get the Cape Sandbox Token using the sample codes
"""
import requests
data = {'username': '<USER>','password': '<PASSWD>'}
response = requests.post('https://capesandbox.com/apiv2/api-token-auth/', data=data)
print(response.json())
"""
# OR
"""
curl -d "username=<USER>&password=<PASSWD>" https://capesandbox.com/apiv2/api-token-auth/
"""
capeToken = ''
|
"""Top-level package for DJI Android SDK to Python."""
__author__ = """Carlos Tovar"""
__email__ = 'cartovarc@gmail.com'
__version__ = '0.1.0'
|
#import sys
#file = sys.stdin
file = open( r".\data\listcomprehensions.txt" )
data = file.read().strip().split()
#x,y,z,n = input(), input(), input(), input()
x,y,z = map(eval, map(''.join, (zip(data[:3], ['+1']*3))))
n = int(data[3])
print(x,y,z,n)
coords = [[a,b,c] for a in range(x) for b in range(y) for c in range(z) if a+b+c != n]
print(coords)
|
routes_in=(('/forca/(?P<a>.*)','/\g<a>'),)
default_application = 'ForCA' # ordinarily set in base routes.py
default_controller = 'default' # ordinarily set in app-specific routes.py
default_function = 'index' # ordinarily set in app-specific routes.py
routes_out=(('/(?P<a>.*)','/forca/\g<a>'),)
|
# -*- coding: utf-8 -*-
"""
Spyder Editor
This is a temporary script file.
"""
"""
Init signature:
SissoRegressor(
n_nonzero_coefs=1,
n_features_per_sis_iter=1,
all_l0_combinations=True,
)
Docstring:
A simple implementation of the SISSO algorithm (R. Ouyang, S. Curtarolo,
E. Ahmetcik et al., Phys. Rev. Mater.2, 083802 (2018)) for regression for
workshop tutorials. SISSO is an iterative approach where at each iteration
first SIS (Sure Independence Sreening) and SO (Sparsifying Operator, here l0-regularization)
is applied.
Note that it becomes the orthogonal matching pursuit for n_features_per_sis_iter=1.
This code was copied from:
https://analytics-toolkit.nomad-coe.eu/hub/user-redirect/notebooks/tutorials/compressed_sensing.ipynb
A more efficient fortran implementation can be found on https://github.com/rouyang2017.
The code raises an error for parameters that lead to longer calculation in order
to keep the tutorial servers free.
Parameters
----------
n_nonzero_coefs : int
Number of nonzero coefficients/ max. number of dimension of descriptor.
n_features_per_sis_iter : int
Number of features collected per SIS step.
all_l0_combinations : bool, default True
If True, in the l0 step all combinations out sis_collected features will be checked.
If False, combinations of features of the same SIS iterations will be neglected.
Attributes
----------
coefs: array, [n_features]
(Sparse) coefficient vector of linear model
intercept: int
Intercept/ bias of linear model.
sis_selected_indices : list of arrays, [[n_features_per_sis_iter,], [n_features_per_sis_iter,], ...]
List of indices selected at each SIS iteration.
l0_selected_indices : list of arrays, [[1,], [2,], ...]
List of indices selected at each SIS+L0 iteration.
Methods
-------
fit(D, P) : P: array, [n_sample, n_features]
D: array, [n_sample,]
predict(D[, dim]): D: array, [n_sample,]
dim: int, optional
dim (number of nonzero coefs) specifies that prediction
should be done with result from another step than the last.
print_models(features) : features: list of str [n_features,]
Source:
"""
class SissoRegressor(object):
""" A simple implementation of the SISSO algorithm (R. Ouyang, S. Curtarolo,
E. Ahmetcik et al., Phys. Rev. Mater.2, 083802 (2018)) for regression for
workshop tutorials. SISSO is an iterative approach where at each iteration
first SIS (Sure Independence Sreening) and SO (Sparsifying Operator, here l0-regularization)
is applied.
Note that it becomes the orthogonal matching pursuit for n_features_per_sis_iter=1.
A more efficient fortran implementation can be found on https://github.com/rouyang2017.
The code raises an error for parameters that lead to longer calculation in order
to keep the tutorial servers free.
Parameters
----------
n_nonzero_coefs : int
Number of nonzero coefficients/ max. number of dimension of descriptor.
n_features_per_sis_iter : int
Number of features collected per SIS step.
all_l0_combinations : bool, default True
If True, in the l0 step all combinations out sis_collected features will be checked.
If False, combinations of features of the same SIS iterations will be neglected.
Attributes
----------
coefs: array, [n_features]
(Sparse) coefficient vector of linear model
intercept: int
Intercept/ bias of linear model.
sis_selected_indices : list of arrays, [[n_features_per_sis_iter,], [n_features_per_sis_iter,], ...]
List of indices selected at each SIS iteration.
l0_selected_indices : list of arrays, [[1,], [2,], ...]
List of indices selected at each SIS+L0 iteration.
Methods
-------
fit(D, P) : P: array, [n_sample, n_features]
D: array, [n_sample,]
predict(D[, dim]): D: array, [n_sample,]
dim: int, optional
dim (number of nonzero coefs) specifies that prediction
should be done with result from another step than the last.
print_models(features) : features: list of str [n_features,]
"""
def __init__(self, n_nonzero_coefs=1, n_features_per_sis_iter=1, all_l0_combinations=True):
self.n_nonzero_coefs = n_nonzero_coefs
self.n_features_per_sis_iter = n_features_per_sis_iter
self.all_l0_combinations = all_l0_combinations
def fit(self, D, P):
self._check_params(D.shape[1])
self._initialize_variables()
self.sis_not_selected_indices = np.arange(D.shape[1])
# standardize D and center P
self._set_standardizer(D)
D = self._get_standardized(D)
# center target
P_mean = P.mean()
P_centered = P - P.mean()
for i_iter in range(self.n_nonzero_coefs):
# set residual, in first iteration the target P is used
if i_iter == 0:
Residual = P_centered
else:
Residual = P_centered - self._predict_of_standardized(D)
# sis step: get the indices of the n_features_per_sis_iter
# closest features to the residual/target
indices_n_closest, best_projection_score = self._sis(D, Residual)
self.sis_selected_indices.append( indices_n_closest )
# SA step or L0 step, only if i_iter > 0
if i_iter == 0:
self._coefs_stan, self.curr_selected_indices = best_projection_score/P.size, indices_n_closest[:1]
rmse = np.linalg.norm(P_centered - self._predict_of_standardized(D)) / np.sqrt(P.size)
else:
# perform L0 regularization
self._coefs_stan, self.curr_selected_indices, rmse = self._l0_regularization(D, P_centered, self.sis_selected_indices)
### process and save model outcomes
# transform coefs to coefs of not standardized D
coefs, self.intercept = self._get_notstandardized_coefs(self._coefs_stan, P_mean)
# generate coefs array with zeros except selected indices
# (might be needed for the user)
self.coefs = np.zeros(D.shape[1])
self.coefs[self.curr_selected_indices] = coefs
# append lists of coefs, indices, ...
self._list_of_coefs.append(coefs)
self.list_of_coefs.append(self.coefs)
self.list_of_intercepts.append(self.intercept)
self.l0_selected_indices.append(self.curr_selected_indices)
self.rmses.append(rmse)
def predict(self, D, dim=None):
if dim is None:
dim = self.n_nonzero_coefs
# use only selected indices/features of D
# and add column of ones for the intercept/bias
D_model = D[:, self.l0_selected_indices[dim - 1]]
D_model = np.column_stack((D_model, np.ones(D.shape[0])))
coefs_model = np.append(self._list_of_coefs[dim - 1], self.list_of_intercepts[dim - 1])
return np.dot(D_model, coefs_model)
def print_models(self, features):
string = '%14s %16s\n' %('RMSE', 'Model')
string += "\n".join( [self._get_model_string(features, i_iter) for i_iter in range(self.n_nonzero_coefs)] )
print(string)
def _initialize_variables(self):
# variabels for standardizer
self.scales = 1.
self.means = 0.
# indices selected SIS
self.sis_selected_indices = []
self.sis_not_selected_indices = None
# indices selected by L0 (after each SIS step)
self.l0_selected_indices = []
self.curr_selected_indices = None
# coefs and lists for output
self.coefs = None
self.intercept = None
self.list_of_coefs = []
self._list_of_coefs = []
self.list_of_intercepts = []
self.rmses = []
def _set_standardizer(self, D):
self.means = D.mean(axis=0)
self.scales = D.std(axis=0)
def _get_standardized(self, D):
return (D - self.means) / self.scales
def _l0_regularization(self, D, P, list_of_sis_indices):
square_error_min = np.inner(P, P)
coefs_min, indices_combi_min = None, None
# check each least squares error of combination of each indeces tuple of list_of_sis_indices.
# If self.all_l0_combinations is False, combinations of featuers from the same SIS iteration
# will be neglected
if self.all_l0_combinations:
combinations_generator = combinations(np.concatenate(list_of_sis_indices), len(list_of_sis_indices))
else:
combinations_generator = product(*list_of_sis_indices)
for indices_combi in combinations_generator:
D_ls = D[:, indices_combi]
coefs, square_error, __1, __2 = np.linalg.lstsq(D_ls, P, rcond=-1)
try:
if square_error[0] < square_error_min:
square_error_min = square_error[0]
coefs_min, indices_combi_min = coefs, indices_combi
except:
pass
rmse = np.sqrt(square_error_min / D.shape[0])
return coefs_min, list(indices_combi_min), rmse
def _get_notstandardized_coefs(self, coefs, bias):
""" transform coefs of linear model with standardized input to coefs of non-standardized input"""
coefs_not = coefs / self.scales[self.curr_selected_indices]
bias_not = bias - np.dot(self.means[self.curr_selected_indices] / self.scales[self.curr_selected_indices], coefs)
return coefs_not, bias_not
def _ncr(self, n, r):
""" Binomial coefficient"""
r = min(r, n-r)
if r == 0: return 1
numer = functools.reduce(op.mul, range(n, n-r, -1))
denom = functools.reduce(op.mul, range(1, r+1))
return numer//denom
def _check_params(self, n_columns):
string_out = "n_nonzero_coefs * n_features_per_sis_iter is larger "
string_out += "than the number of columns in your input matrix. "
string_out += "Choose a smaller n_nonzero_coefs or a smaller n_features_per_sis_iter."
if n_columns < self.n_nonzero_coefs * self.n_features_per_sis_iter:
raise ValueError(string_out)
# Shrinkage sisso for tutorials in order to save tutorial server
# cpus from beeing occupied all the time
#n_l0_steps = sum([self.ncr( n_sis*dim, dim ) for dim in range(1, n_nonzero_coefs+1)])
if self.all_l0_combinations:
n_l0_steps = sum([self._ncr(self.n_features_per_sis_iter * dim, dim ) for dim in range(2, self.n_nonzero_coefs+1)])
else:
n_l0_steps = sum([np.product([self.n_features_per_sis_iter]*dim) for dim in range(2, self.n_nonzero_coefs+1)])
upper_limit = 80000
if n_l0_steps > upper_limit:
string_out = "With the given settings in the l0-regularizaton %s combinations of features have to be considered." % n_l0_steps
string_out += "For this tutorial the upper limit is %s. " % upper_limit
string_out += "Choose a smaller n_nonzero_coefs or a smaller n_features_per_sis_iter."
raise ValueError(string_out)
def _predict_of_standardized(self, D):
return np.dot(D[:, self.curr_selected_indices], self._coefs_stan)
def _sis(self, D, P):
# evaluate how close each feature is to the target
# without already selected self.sis_selected_indices
projection_scores = np.dot(P, D[:, self.sis_not_selected_indices])
abs_projection_scores = abs(projection_scores)
# sort the values according to their abs. projection score
# starting from the closest, and get the indices
# of the n_features_per_sis_iter closest
indices_sorted = abs_projection_scores.argsort()[::-1]
indices_n_closest = indices_sorted[: self.n_features_per_sis_iter]
best_projection_score = projection_scores[ indices_n_closest[:1] ]
# transform indices_n_closest according to originial indices system
# of range(D.shape[1]) and delete the selected ones from
# self.sis_not_selected_indices
indices_n_closest_out = self.sis_not_selected_indices[indices_n_closest]
self.sis_not_selected_indices = np.delete(self.sis_not_selected_indices, indices_n_closest)
return indices_n_closest_out, best_projection_score
def _get_model_string(self, features, i_iter):
dimension = i_iter + 1
coefs = np.append(self._list_of_coefs[i_iter], self.list_of_intercepts[i_iter])
selected_features = [features[i] for i in self.l0_selected_indices[i_iter]]
string = '%sD:\t%8f\t' %(dimension, self.rmses[i_iter])
for i_dim in range(dimension+1):
if coefs[i_dim] > 0.:
sign = '+'
c = coefs[i_dim]
else:
sign = '-'
c = abs(coefs[i_dim])
if i_dim < dimension:
string += '%s %.3f %s ' %(sign, c, selected_features[i_dim])
else:
string += '%s %.3f' %(sign, c)
return string
"""
File: /opt/conda/lib/python3.7/site-packages/compressed_sensing/sisso.py
Type: type
Subclasses:
""" |
print ("Dit is het FIZZBUZZ spel!")
end = input("""\nWe gaan even na of een getal deelbaar is door 3 OF 5 .\nOf door 3 EN 5.\n
Geef een geheel getal in tussen 1 en 100: """)
# try-except statement:
# if the code inside try fails, the program automatically goes to the except part.
try:
end = int(end) # convert string into number
for num in range(1, end+1):
if num % 3 == 0 and num % 5 == 0:
print ("FIZZBUZZ-3-5")
elif num % 3 == 0:
print ("\tfizz-3")
elif num % 5 == 0:
print ("\t\tbuzz-5")
else:
print(num)
except Exception as e:
print("Sorry. Ik lust alleen HELE getallen!")
|
"""Define package errors."""
class WeatherbitError(Exception):
"""Define a base error."""
pass
class InvalidApiKey(WeatherbitError):
"""Define an error related to invalid or missing API Key."""
pass
class RequestError(WeatherbitError):
"""Define an error related to invalid requests."""
pass
class ResultError(WeatherbitError):
"""Define an error related to the result returned from a request."""
pass
|
N = int(input())
X = 0
W = 0
Y = 0
Z = 0
for i in range(N):
W = Z + 1
X = W + 1
Y = X + 1
Z = Y + 1
print('{} {} {} PUM'.format(W, X, Y))
|
#!/usr/bin/env python3
# Write a program that prints out the position, frame, and letter of the DNA
# Try coding this with a single loop
# Try coding this with nested loops
dna = 'ATGGCCTTT'
'''
for i in range(len(dna)):
frame = 0
print(i, frame, dna[i])
if frame == 2:
frame = 0
else:
frame +=1 #initial attempt - functional but more complicated than necessary
'''
for i in range(len(dna)): #single loop
print(i, i%3, dna[i])
for i in range(0, len(dna), 3): #nested
for j in range(3):
print(i + j, j, dna[i + j])
''''''
"""
python3 24frame.py
0 0 A
1 1 T
2 2 G
3 0 G
4 1 C
5 2 C
6 0 T
7 1 T
8 2 T
"""
|
# pylint: disable=missing-function-docstring, missing-module-docstring/
# coding: utf-8
#$ header class Parallel(public, with, openmp)
#$ header method __init__(Parallel, str, str, str [:], str [:], str [:], str [:], str, str [:], str)
#$ header method __del__(Parallel)
#$ header method __enter__(Parallel)
#$ header method __exit__(Parallel, str, str, str)
class Parallel(object):
def __init__(self, num_threads, if_test,
private, firstprivate, shared,
reduction, default,
copyin, proc_bind):
self._num_threads = num_threads
self._if_test = if_test
self._private = private
self._firstprivate = firstprivate
self._shared = shared
self._reduction = reduction
self._default = default
self._copyin = copyin
self._proc_bind = proc_bind
def __del__(self):
pass
def __enter__(self):
pass
def __exit__(self, dtype, value, tb):
pass
x = 0.0
para = Parallel()
with para:
for i in range(10):
x += 2 * i
print('x = ', x)
|
print ('\033[1;33m{:=^40}\033[m'.format(' PROGRESSÃO ARITMÉTICA 2.0 '))
first = int(input('\033[1mEnter the first term: '))
reason = int(input('Reason:\033[m '))
term = first
cont = 1
total = 0
bigger = 10
while bigger != 0:
total = total + bigger
while cont <= total:
print ('\033[1m{} ->\033[m' .format(term), end = '\033[1m \033[m')
term += reason
cont += 1
print ('\033[1;31mBREAK\033[m')
bigger = int(input('\033[1;32mHow many terms do you want to put the most?\033[m '))
print ('\033[1;36mOperation ended with\033[m \033[1;33m{}\033[m \033[1;36mterms shown.\033[m'.format(total))
|
class MyMetaClass(type):
def __new__(cls, name, bases, ns):
ns['kw_created_by_metaclass'] = lambda self, arg: arg.upper()
return type.__new__(cls, name, bases, ns)
def method_in_metaclass(cls):
pass
class MetaClassLibrary(metaclass=MyMetaClass):
def greet(self, name):
return 'Hello %s!' % name
|
lower_camel_case = input()
snake_case = ""
for char in lower_camel_case:
if char.isupper():
snake_case += "_" + char.lower()
else:
snake_case += char
print(snake_case)
|
'''
Blind Curated 75 - Problem 12
=============================
Rotate Image
------------
Rotate an n x n two-dimensional matrix in-place.
[→ LeetCode][1]
[1]: https://leetcode.com/problems/rotate-image/
'''
def solution(matrix):
'''
Process the matrix in squares, where each square consists of four spaces on
the same rotational axis. Repeatedly move the value from the previous space
into the next, temporarily storing the replaced value.
'''
n = len(matrix)
for i in range(n // 2):
for j in range(i, n - 1 - i):
pos = [n - j - 1, i]
val = matrix[pos[0]][pos[1]]
for _ in range(4):
pos[0], pos[1] = pos[1], n - pos[0] - 1
matrix[pos[0]][pos[1]], val = val, matrix[pos[0]][pos[1]]
|
class MIFARE1k(object):
SECTORS = 16
BLOCKSIZE = 4
BLOCKWITH = 16
def __init__(self, uid, data):
self.uid = uid
self.data = data
def __str__(self):
"""
Get a nice printout for debugging and dev.
"""
ret = "Card: "
for i in range(4):
if i > 0:
ret = ret + ":"
ret = ret + format(self.uid[i], '02x').upper()
ret = ret + "\n"
for sector in range(self.SECTORS):
ret = ret + "------------------------Sector " + str(sector)
if sector < 10:
ret = ret + "-"
ret = ret + "------------------------\n"
for b in range(self.BLOCKSIZE):
block = b + self.BLOCKSIZE * sector
ret = ret + "Block " + str(block)
if (block) < 10:
ret = ret + " "
for i in range(self.BLOCKWITH):
pos = i + block * self.BLOCKWITH
he = "0x" + format(self.data[pos], '02x').upper()
ret = ret + " " + he
ret = ret + " "
for i in range(self.BLOCKWITH):
pos = i + block * self.BLOCKWITH
a = "."
if self.data[pos] > 0:
a = chr(self.data[pos])
ret = ret + a
ret = ret + "\n"
return ret
def get_data(self):
"""
Userdata is Sector 1 til 16, and only the first 3 blocks.
"""
ret = []
for sector in range(1, self.SECTORS):
for b in range(self.BLOCKSIZE - 1):
block = b + self.BLOCKSIZE * sector
for i in range(self.BLOCKWITH):
pos = i + block * self.BLOCKWITH
ret.append(self.data[pos])
return ret
def get_messages(self):
"""
give back all data blocks inside a TLV Messageblock:
0x03 0x00-0xFE => 1 byte for message length
0x03 0xFF 0x0000-0xFFFE => 2 bytes for message length
0xFE => Terminator
0x00 => Ignore
0xFD => Proprietary TLV => Ignore / To Implement
"""
ret = []
data = self.get_data()
buf = []
T = 0x00 # Store the current tag field
L = 0x00 # Store the length 1 byte format
L2 = 0x00 # Store the length 3 bytes format, temp value (MSB)
Lc = 0 # current length
for val in data:
if T == 0x03:
if L == 0x00:
L = val
continue
if L == 0xFF:
if L2 == 0x00:
L2 = val << 8
continue
else:
L = L2 + val
L2 = 0x00
continue
# length is set:
if Lc < L:
buf.append(val)
Lc = Lc + 1
continue
if Lc == L:
if not val == 0xFE:
print("Error: Length and Terminator did not fit!")
ret.append(buf)
buf = []
Lc = 0x00
L = 0x00
T = val
continue
T = val # should be 0x00 or 0x03, we only care if it is 0x03 for the next val.
return ret
def __eq__(self, other):
if other == None:
return False
return self.uid == other.uid and self.data == other.data
|
#wap to find the numbers which are divisible by 3
a=int(input('Enter starting range '))
b=int(input('Enter ending range '))
number=int(input('Enter the number whose multiples you want to find in the range '))
print('Numbers which are divisible')
for i in range(a,b+1):
if i%number==0:
print(i,end=' ') |
ENTRY_POINT = 'get_closest_vowel'
#[PROMPT]
def get_closest_vowel(word):
"""You are given a word. Your task is to find the closest vowel that stands between
two consonants from the right side of the word (case sensitive).
Vowels in the beginning and ending doesn't count. Return empty string if you didn't
find any vowel met the above condition.
You may assume that the given string contains English letter only.
Example:
get_closest_vowel("yogurt") ==> "u"
get_closest_vowel("FULL") ==> "U"
get_closest_vowel("quick") ==> ""
get_closest_vowel("ab") ==> ""
"""
#[SOLUTION]
if len(word) < 3:
return ""
vowels = {"a", "e", "i", "o", "u", "A", "E", 'O', 'U', 'I'}
for i in range(len(word)-2, 0, -1):
if word[i] in vowels:
if (word[i+1] not in vowels) and (word[i-1] not in vowels):
return word[i]
return ""
#[CHECK]
def check(candidate):
# Check some simple cases
assert candidate("yogurt") == "u"
assert candidate("full") == "u"
assert candidate("easy") == ""
assert candidate("eAsy") == ""
assert candidate("ali") == ""
assert candidate("bad") == "a"
assert candidate("most") == "o"
assert candidate("ab") == ""
assert candidate("ba") == ""
assert candidate("quick") == ""
assert candidate("anime") == "i"
assert candidate("Asia") == ""
assert candidate("anime") == "i"
assert candidate("Above") == "o"
# Check some edge cases that are easy to work out by hand.
assert True
|
# Definition for singly-linked list.
class ListNode:
def __init__(self, val=0, next=None):
self.val = val
self.next = next
class Solution:
''' 92.22% // 75.79% '''
def removeNthFromEnd(self, head: ListNode, n: int) -> ListNode:
slow = fast = head
{(fast := fast.next) for _ in range(n)}
if fast is None:
return head.next
while fast.next:
fast, slow = fast.next, slow.next
slow.next = slow.next.next
return head
|
q = int(input())
for _ in range(q):
n, m = map(int, input().split())
d = n // m
a = [0] * 10
for i in range(10):
a[i] = (m + a[i - 1]) % 10
s = sum(a)
print((d // 10) * s + sum(a[: (d % 10)]))
|
#!/usr/bin/env python3
# -*- coding: utf-8 -*-
"""
@author: Pieter Huycke
email: pieter.huycke@ugent.be
GitHub: phuycke
"""
#%%
area = 8080464.3 # area of 48 contiguous states in km^2
volume = 22810 # volume of water in Great lakes in km^3
height = (volume / area) # km^3 / km^2 = m
print('Kilometres water on surface if evenly spread: {0:.5f}'.format(height))
print('Metres water on surface if evenly spread: {0:.5f}'.format(height * 1000))
|
a = int(input("Digite o valor correspondente ao lado de um quadrado: "))
perimetro = a + a + a + a
area = a ** 2
print("perímetro:",perimetro,"- área:",area)
|
__author__ = 'shukkkur'
'''
https://codeforces.com/problemset/problem/110/A
'''
i = input()
n = i.count('4') + i.count('7')
s = str(n)
s = s.replace('4', '')
s = s.replace('7', '')
if s == '':
print('YES')
else:
print('NO')
|
"""
A package of Python modules, used to configure and test IBIS-AMI models.
.. moduleauthor:: David Banas <capn.freako@gmail.com>
Original Author: David Banas <capn.freako@gmail.com>
Original Date: 3 July 2012
Copyright (c) 2012 by David Banas; All rights reserved World wide.
"""
|
PYTHON_PLATFORM = "python"
SUPPORTED_PLATFORMS = ((PYTHON_PLATFORM, "Python"),)
LOG_LEVEL_DEBUG = "debug"
LOG_LEVEL_INFO = "info"
LOG_LEVEL_ERROR = "error"
LOG_LEVEL_FATAL = "fatal"
LOG_LEVEL_SAMPLE = "sample"
LOG_LEVEL_WARNING = "warning"
LOG_LEVELS = (
(LOG_LEVEL_DEBUG, "Debug"),
(LOG_LEVEL_INFO, "Info"),
(LOG_LEVEL_ERROR, "Error"),
(LOG_LEVEL_FATAL, "Fatal"),
(LOG_LEVEL_SAMPLE, "Sample"),
(LOG_LEVEL_WARNING, "Warning"),
)
|
"""
Addition I - Numbers & Strings
"""
# Add the below sets of variables together without causing any Type Errors.
# A)
a = 0
b = 2
print(a + b) # 2
# B)
c = '0'
d = '2'
print(c + d) # '2'
# C)
e = '0'
f = 2
print(int(e) + f) # 2 |
# Copyright 2017 The Bazel Authors. All rights reserved.
#
# 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.
"""Helper functions to expand paths into runfiles
"""
def expand_location_into_runfiles(ctx, path):
"""Expand a path into runfiles if it contains a $(location).
If the path has a location expansion, expand it. Otherwise return as-is.
Args:
ctx: context
path: the path to expand
Returns:
The expanded path or the original path
"""
if path.find("$(location") < 0:
return path
return expand_path_into_runfiles(ctx, path)
def expand_path_into_runfiles(ctx, path):
"""Expand a path into runfiles.
Given a file path that might contain a $(location) label expansion,
provide the path to the file in runfiles.
See https://docs.bazel.build/versions/master/skylark/lib/ctx.html#expand_location
Args:
ctx: context
path: the path to expand
Returns:
The expanded path
"""
targets = ctx.attr.data if hasattr(ctx.attr, "data") else []
expanded = ctx.expand_location(path, targets)
if expanded.startswith("../"):
return expanded[len("../"):]
if expanded.startswith(ctx.bin_dir.path):
expanded = expanded[len(ctx.bin_dir.path + "/"):]
if expanded.startswith(ctx.genfiles_dir.path):
expanded = expanded[len(ctx.genfiles_dir.path + "/"):]
return ctx.workspace_name + "/" + expanded
|
"""
Illustrates how to embed
`dogpile.cache <https://dogpilecache.readthedocs.io/>`_
functionality within the :class:`.Query` object, allowing full cache control
as well as the ability to pull "lazy loaded" attributes from long term cache.
In this demo, the following techniques are illustrated:
* Using custom subclasses of :class:`.Query`
* Basic technique of circumventing Query to pull from a
custom cache source instead of the database.
* Rudimental caching with dogpile.cache, using "regions" which allow
global control over a fixed set of configurations.
* Using custom :class:`.MapperOption` objects to configure options on
a Query, including the ability to invoke the options
deep within an object graph when lazy loads occur.
E.g.::
# query for Person objects, specifying cache
q = Session.query(Person).options(FromCache("default"))
# specify that each Person's "addresses" collection comes from
# cache too
q = q.options(RelationshipCache(Person.addresses, "default"))
# query
print q.all()
To run, both SQLAlchemy and dogpile.cache must be
installed or on the current PYTHONPATH. The demo will create a local
directory for datafiles, insert initial data, and run. Running the
demo a second time will utilize the cache files already present, and
exactly one SQL statement against two tables will be emitted - the
displayed result however will utilize dozens of lazyloads that all
pull from cache.
The demo scripts themselves, in order of complexity, are run as Python
modules so that relative imports work::
python -m examples.dogpile_caching.helloworld
python -m examples.dogpile_caching.relationship_caching
python -m examples.dogpile_caching.advanced
python -m examples.dogpile_caching.local_session_caching
.. autosource::
:files: environment.py, caching_query.py, model.py, fixture_data.py, \
helloworld.py, relationship_caching.py, advanced.py, \
local_session_caching.py
"""
|
"""
Дан список чисел. Выведите все элементы списка,
которые больше предыдущего элемента.
Формат ввода
Вводится список чисел. Все числа списка
находятся на одной строке.
Формат вывода
Выведите ответ на задачу.
"""
input_list = [int(i) for i in input().split()]
output_list = []
for i in range(len(input_list) - 1):
if input_list[i] < input_list[i + 1]:
output_list.append(input_list[i + 1])
print(*output_list)
|
# Largest palindrome product
DIGITS = 3
def solve():
return max(p for x in range(10**(DIGITS - 1), 10**DIGITS)
for y in range(x, 10**DIGITS)
if str(p := x * y) == str(p)[::-1])
if __name__ == "__main__":
print(solve())
|
#Crie um programa que leia a idade e o sexo de várias pessoas.
# A cada pessoa cadastrada, o programa deverá perguntar se o usuário quer ou não continuar.
# No final, mostre:
# A) quantas pessoas tem mais de 18 anos.
# B) quantos homens foram cadastrados.
# C) quantas mulheres tem menos de 20 anos.
mi = 0
homem = 0
mulher = 0
while True:
idade = int(input('Idade:'))
sexo = ' '
while sexo not in 'MF':
sexo = str(input('Sexo[M/F]:')).strip().upper()[0]
if idade >= 18:
mi = mi + 1
if sexo in 'Mm':
homem = homem + 1
if sexo in 'Ff':
if idade < 20:
mulher += 1
cn = ' '
while cn not in 'SN':
cn = str(input('Quer continua[S/N]')).strip().upper()[0]
if cn == 'S':
print('---'*10)
print('PROXIMO CADASTRO')
print('---'*10)
elif cn == 'N':
break
print(f'Tiveram {mi} pessoas maiores de 18 e {homem} homens')
print(f'Tiveram tambem {mulher} mulheres mores de 20 anos.')
|
def format_list(my_list):
"""
:param my_list:
:type: list
:return: list separated with ', ' & before the last item add the word 'and '
:rtype: list
"""
new_list = ', '.join(my_list[0:len(my_list)-1:2]) + " and " + my_list[len(my_list)-1]
return new_list
def main():
print(format_list.__doc__)
my_list = ["hydrogen", "helium", "lithium", "beryllium", "boron", "magnesium"]
print(format_list(my_list))
if __name__ == '__main__':
main()
|
# -*- coding: utf-8 -*-
"""
Created on Sat Jul 3 11:20:06 2021
@author: Easin
"""
in1 = input()
list1 = []
for elem in range(len(in1)):
if in1[elem] != "+":
list1.append(in1[elem])
#print(list1)
list1.sort()
str1 = ""
for elem in range(len(list1)):
str1 += list1[elem]+ "+"
print(str1[:-1]) |
def find_longest_palindrome(string):
if is_palindrome(string):
return string
left = find_longest_palindrome(string[:-1])
right = find_longest_palindrome(string[1:])
middle = find_longest_palindrome(string[1:-1])
if len(left) >= len(right) and len(left) >= len(middle):
return left
elif len(right) >= len(left) and len(right) >= len(middle):
return right
else:
return middle
def is_palindrome(string):
i = 0
while i < (len(string) - 1 - i):
if string[i] == string[len(string) - 1 - i]:
i += 1
else:
return False
return True
string = "asdlkfjsdlfusdboob"
print(find_longest_palindrome(string)) |
class Solution:
def mySqrt(self, x: int) -> int:
if x < 0 or x>(2**31):
return False
ans = 0
for i in range(0, x+1):
if i**2<=x:
ans = i
else:
break
return ans
|
# Copyright 2020 The Kythe Authors. All rights reserved.
#
# 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.
load("@bazel_skylib//lib:paths.bzl", "paths")
load("@bazel_tools//tools/cpp:toolchain_utils.bzl", "find_cpp_toolchain")
load("//kythe/go/indexer:testdata/go_indexer_test.bzl", "go_verifier_test")
load(
"//tools/build_rules/verifier_test:verifier_test.bzl",
"KytheEntries",
)
def _rust_extract_impl(ctx):
# Get the path for the system's linker
cc_toolchain = find_cpp_toolchain(ctx)
cc_features = cc_common.configure_features(
ctx = ctx,
cc_toolchain = cc_toolchain,
)
linker_path = cc_common.get_tool_for_action(
feature_configuration = cc_features,
action_name = "c++-link-executable",
)
# Rust toolchain
rust_toolchain = ctx.toolchains["@io_bazel_rules_rust//rust:toolchain"]
rustc_lib = rust_toolchain.rustc_lib.files.to_list()
rust_lib = rust_toolchain.rust_lib.files.to_list()
# Generate extra_action file to be used by the extractor
extra_action_file = ctx.actions.declare_file(ctx.label.name + ".xa")
xa_maker = ctx.executable._extra_action
ctx.actions.run(
executable = xa_maker,
arguments = [
"--src_files=%s" % ",".join([f.path for f in ctx.files.srcs]),
"--output=%s" % extra_action_file.path,
"--owner=%s" % ctx.label.name,
"--crate_name=%s" % ctx.attr.crate_name,
"--sysroot=%s" % paths.dirname(rust_lib[0].path),
"--linker=%s" % linker_path,
],
outputs = [extra_action_file],
)
# Generate the kzip
output = ctx.outputs.kzip
ctx.actions.run(
mnemonic = "RustExtract",
executable = ctx.executable._extractor,
arguments = [
"--extra_action=%s" % extra_action_file.path,
"--output=%s" % output.path,
],
inputs = [extra_action_file] + rustc_lib + rust_lib + ctx.files.srcs,
outputs = [output],
env = {
"KYTHE_CORPUS": "test_corpus",
"LD_LIBRARY_PATH": paths.dirname(rustc_lib[0].path),
},
)
return struct(kzip = output)
# Generate a kzip with the compilations captured from a single Go library or
# binary rule.
rust_extract = rule(
_rust_extract_impl,
attrs = {
# Additional data files to include in each compilation.
"data": attr.label_list(
allow_empty = True,
allow_files = True,
),
"srcs": attr.label_list(
mandatory = True,
allow_files = [".rs"],
),
"crate_name": attr.string(
default = "test_crate",
),
"_extractor": attr.label(
default = Label("//kythe/rust/extractor"),
executable = True,
cfg = "host",
),
"_extra_action": attr.label(
default = Label("//tools/rust/extra_action"),
executable = True,
cfg = "host",
),
"_cc_toolchain": attr.label(
default = Label("@bazel_tools//tools/cpp:current_cc_toolchain"),
allow_files = True,
),
},
outputs = {"kzip": "%{name}.kzip"},
fragments = ["cpp"],
toolchains = ["@io_bazel_rules_rust//rust:toolchain"],
)
def _rust_entries_impl(ctx):
kzip = ctx.attr.kzip.kzip
indexer = ctx.executable._indexer
iargs = [indexer.path]
output = ctx.outputs.entries
# TODO(Arm1stice): Pass arguments to indexer based on rule attributes
# # If the test wants marked source, enable support for it in the indexer.
# if ctx.attr.has_marked_source:
# iargs.append("-code")
# if ctx.attr.emit_anchor_scopes:
# iargs.append("-anchor_scopes")
# # If the test wants linkage metadata, enable support for it in the indexer.
# if ctx.attr.metadata_suffix:
# iargs += ["-meta", ctx.attr.metadata_suffix]
iargs += [kzip.path, "| gzip >" + output.path]
cmds = ["set -e", "set -o pipefail", " ".join(iargs), ""]
ctx.actions.run_shell(
mnemonic = "RustIndexer",
command = "\n".join(cmds),
outputs = [output],
inputs = [kzip],
tools = [indexer],
)
return [KytheEntries(compressed = depset([output]), files = depset())]
# Run the Kythe indexer on the output that results from a go_extract rule.
rust_entries = rule(
_rust_entries_impl,
attrs = {
# Whether to enable explosion of MarkedSource facts.
"has_marked_source": attr.bool(default = False),
# Whether to enable anchor scope edges.
"emit_anchor_scopes": attr.bool(default = False),
# The kzip to pass to the Rust indexer
"kzip": attr.label(
providers = ["kzip"],
mandatory = True,
),
# The location of the Rust indexer binary.
"_indexer": attr.label(
default = Label("//kythe/rust/indexer"),
executable = True,
cfg = "host",
),
},
outputs = {"entries": "%{name}.entries.gz"},
)
def _rust_indexer(
name,
srcs,
data = None,
has_marked_source = False,
emit_anchor_scopes = False,
allow_duplicates = False,
metadata_suffix = ""):
kzip = name + "_units"
rust_extract(
name = kzip,
srcs = srcs,
)
entries = name + "_entries"
rust_entries(
name = entries,
has_marked_source = has_marked_source,
emit_anchor_scopes = emit_anchor_scopes,
kzip = ":" + kzip,
)
return entries
def rust_indexer_test(
name,
srcs,
size = None,
tags = None,
log_entries = False,
has_marked_source = False,
emit_anchor_scopes = False,
allow_duplicates = False):
# Generate entries using the Rust indexer
entries = _rust_indexer(
name = name,
srcs = srcs,
has_marked_source = has_marked_source,
emit_anchor_scopes = emit_anchor_scopes,
)
# Most of this code was copied from the Go verifier macros and modified for
# Rust. This function does not need to be modified, so we are just calling
# it directly here.
go_verifier_test(
name = name,
size = size,
allow_duplicates = allow_duplicates,
entries = ":" + entries,
has_marked_source = has_marked_source,
log_entries = log_entries,
tags = tags,
)
|
class Participant:
def __init__(self, pa_name, pa_has_somebody_to_gift=False):
self._name = pa_name
# I don't use this property in my algorithm :P
self._has_somebody_to_gift = pa_has_somebody_to_gift
@property
def name(self):
return self._name
@name.setter
def name(self, pa_name):
self._name = pa_name
@property
def has_somebody_to_gift(self):
return self._has_somebody_to_gift
@has_somebody_to_gift.setter
def has_somebody_to_gift(self, pa_has_somebody_to_gift):
self._has_somebody_to_gift = pa_has_somebody_to_gift
|
def trint(inthing):
try:
outhing = int(inthing)
except:
outhing = None
return outhing
def trfloat(inthing, scale):
try:
outhing = float(inthing) * scale
except:
outhing = None
return outhing
class IMMA:
def __init__(self): # Standard instance object
self.data = {} # Dictionary to hold the parameter values
def readstr(self,line):
self.data['ID'] = line[0]
self.data['UID'] = line[1]
self.data['LAT'] = float(line[2])
self.data['LON'] = float(line[3])
self.data['YR'] = int(float(line[4]))
self.data['MO'] = int(float(line[5]))
self.data['DY'] = int(float(line[6]))
self.data['HR'] = float(float(line[7]))
if self.data['HR'] == -32768.:
self.data['HR'] = None
self.data['SST'] = float(float(line[11]))
if self.data['SST'] == -32768.:
self.data['SST'] = None
self.data['DCK'] = 999 |
class Solution:
def removeDuplicates(self, nums: List[int]) -> int:
count = 1
i = 0
while i <len(nums)-1:
if nums[i]!=nums[i+1]:
count=1
else:
count+=1
if count==2:
i+=1
continue
else:
del nums[i]
continue
i+=1 |
# START LAB EXERCISE 02
print('Lab Exercise 02 \n')
# SETUP
sandwich_string = 'chicken, bread, lettuce, onion, olives'
# END SETUP
# PROBLEM 1 (4 Points)
sandwich_replace = sandwich_string.replace('olives', 'tomato')
# PROBLEM 2 (4 Points)
# Don't have heavy_cream need to replace with milk
sandwich_list = sandwich_replace.split(", ")
# PROBLEM 3 (4 Points)
sandwich_list.pop(0)
# PROBLEM 4 (4 Points)
sandwich_list.append('cheese')
# PROBLEM 5 (4 Points)
last_item = sandwich_list[-1]
# END LAB EXERCISE |
# There are 2N people a company is planning to interview.
# The cost of flying the i-th person to city A is costs[i][0], and the cost of flying the i-th person to city B is costs[i][1].
# Return the minimum cost to fly every person to a city such that exactly N people arrive in each city.
# Example 1:
# Input: [[10,20],[30,200],[400,50],[30,20]]
# Output: 110
# Explanation:
# The first person goes to city A for a cost of 10.
# The second person goes to city A for a cost of 30.
# The third person goes to city B for a cost of 50.
# The fourth person goes to city B for a cost of 20.
# The total minimum cost is 10 + 30 + 50 + 20 = 110 to have half the people interviewing in each city.
# Note:
# 1 <= costs.length <= 100
# It is guaranteed that costs.length is even.
# 1 <= costs[i][0], costs[i][1] <= 1000
class Solution(object):
def twoCitySchedCost(self, costs):
"""
:type costs: List[List[int]]
:rtype: int
"""
# 排序贪心 O(nlogn)
# 这道题先假设所有的人都去A市,然后我们只需要选取去B市的费用与去A市的费用的差最小的N个人改去B市即可。
# 时间复杂度分析:排序时间复杂度O(nlogn)。
dif = [cost[1]-cost[0] for cost in costs]
result = sum([cost[0] for cost in costs])
dif.sort()
for i in range(len(costs)//2):
result += dif[i]
return result
# 另外简洁写法
costs.sort(key=lambda x:x[1]-x[0])
k = len(costs) >> 1
return sum(x[i<k] for i, x in enumerate(costs)) |
conf_nova_compute_conf = """[DEFAULT]
compute_driver = libvirt.LibvirtDriver
glance_api_version = 2
[libvirt]
virt_type = kvm
inject_password = False
inject_key = False
inject_partition = -2
images_type = rbd
images_rbd_pool = vms
images_rbd_ceph_conf = /etc/ceph/ceph.conf
rbd_user = cinder
rbd_secret_uuid = {{ rbd_secret_uuid }}
disk_cachemodes= "network=writeback"
block_migration_flag = "VIR_MIGRATE_UNDEFINE_SOURCE,VIR_MIGRATE_PEER2PEER,VIR_MIGRATE_LIVE,VIR_MIGRATE_NON_SHARED_INC"
live_migration_flag = "VIR_MIGRATE_UNDEFINE_SOURCE,VIR_MIGRATE_PEER2PEER,VIR_MIGRATE_LIVE,VIR_MIGRATE_PERSIST_DEST,VIR_MIGRATE_TUNNELLED"
live_migration_uri = qemu+tcp://%s/system
"""
|
def function(args):
def inner():
print("function函数传递进来的是:{}".format(args))
return args
return inner
def func():
print("我是func函数哦~")
if __name__ == '__main__':
# 先传字符串进去
function("哈哈哈")() # function函数传递进来的是:哈哈哈
# 传个被执行了的函数进去
function(func())() # function函数传递进来的是:None 这里解释下func函数返回值是None
# 传个函数名进去
function(func)() # function函数传递进来的是:<function func at 0x100f6b430>
# 好家伙,上面那个是什么鬼,难不成可以再一次调用????我们试试嘛~
function(func)()() # function函数传递进来的是:<function func at 0x105dd5430> 我是func函数哦~
|
compilers_ = {
"python": "cpython-head",
"c++": "gcc-head",
"cpp": "gcc-head",
"c": "gcc-head",
"c#": "mono-head",
"javascript": "nodejs-head",
"js": "nodejs-head",
"coffeescript": "coffeescript-head",
"cs": "coffeescript-head",
"java": "openjdk-head",
"haskell": "ghc-8.4.2",
"bash": "bash",
"cmake": "cmake-head",
"crystal": "crystal-head",
"elixir": "elixir-head",
"d": "dmd-head",
"ruby": "ruby-head",
"rust": "rust-head",
"sql": "sqlite-head",
"sqlite": "sqlite-head",
"lisp": "clisp-2.49",
"go": "go-head",
"f#": "fsharp-head",
"scala": "scala-2.13.x",
"swift": "swift-head",
"typescript": "typescript-3.9.5",
"ts": "typescript-3.9.5",
"vim": "vim-head",
"lua": "lua-5.4.0",
"nim": "nim-head",
"php": "php-head",
"perl": "perl-head",
"pony": "pony-head",
}
|
"""Contains some helper functions to display time as a nicely formatted string"""
intervals = (
('weeks', 604800), # 60 * 60 * 24 * 7
('days', 86400), # 60 * 60 * 24
('hours', 3600), # 60 * 60
('minutes', 60),
('seconds', 1),
)
def display_time(seconds, granularity=2):
"""Display time as a nicely formatted string"""
result = []
if seconds == 0:
return "0 second"
for name, count in intervals:
value = seconds // count
if value:
seconds -= value * count
if value == 1:
name = name.rstrip('s')
result.append("{} {}".format(value, name))
return ', '.join(result[:granularity])
|
class News(object):
news_id: int
title: str
image: str
def __init__(self, news_id: int, title: str, image: str):
self.news_id = news_id
self.title = title
self.image = image
class NewsContent(object):
news_id: int
title: str
content: str
def __init__(self, news_id: int, title: str, content: str):
self.news_id = news_id
self.title = title
self.content = content
|
class Error(Exception):
"""
Base class for exceptions in this module
"""
pass
class InstrumentError(Error):
"""
Exception raised when trying to access a pyvisa instrument that is not connected
Attributes
----------
_resourceAddress: str
The address of the resource
_resourceName: str
The name of the resource (instrument)
_message: str
An explanation of the error
"""
def __init__(self, address: str, resource_name: str, message: str):
"""
Parameters
---------
address: str
The address of the resource
resource_name: str
The name of the resource
message: str
The explanation of the error
"""
self._resourceAddress = address
self._resourceName = resource_name
self._message = message
@property
def address(self) -> str:
return self._resourceAddress
@property
def resource_name(self) -> str:
return self._resourceName
@property
def message(self) -> str:
return self._message
class HotplateError(InstrumentError):
_heatingStatus = 1 # Not heating
_temperatureSetpoint = 25
def __init__(self, address: str, resource_name: str, message: str):
super().__init__(address, resource_name, message)
@property
def heating_status(self) -> bool:
return self._heatingStatus
def set_heating_status(self, status: bool):
self._heatingStatus = status
@property
def temperature_setpoint(self) -> int:
return self._temperatureSetpoint
def set_temperature_setpoint(self, setpoint: int):
self._temperatureSetpoint = setpoint
class ConfigurationError(Error):
"""
Base class for Configuration Errors
Attributes
----------
_message: str
The explanation of the error
"""
def __init__(self, message: str):
"""
Parameters
---------
message: str
The explanation of the error.
"""
self._message = message
@property
def message(self):
return self._message
class BTSSystemConfigError(ConfigurationError):
"""
A Class representing a System Configuration Error
Attributes
----------
_testUnits: int
The number of test units in the system
"""
def __init__(self, message: str, test_units: int):
"""
Parameters
----------
message: str
The explanation of the error
test_units: int
The number of test units in the system
"""
super().__init__(message=message)
self._testUnits = test_units
@property
def test_units(self) -> int:
return self._testUnits
class DLCPSystemConfigError(ConfigurationError):
"""
A Class representing a System Configuration Error
Attributes
----------
_testUnits: int
The number of test units in the system
"""
def __init__(self, message: str):
"""
Parameters
----------
message: str
The explanation of the error
test_units: int
The number of test units in the system
"""
super().__init__(message=message)
class ArduinoError(InstrumentError):
"""
This class represents an Arduino Error
"""
def __init__(self, address: str, name: str, message: str):
super().__init__(address=address, resource_name=name, message=message)
class ArduinoSketchError(ArduinoError):
"""
This class represents an error caused by handling an Arduino Sketch
Attributes
----------
_sketchFile: str
The sketch file that produced the error
"""
_sketchFile: str = None
def __init__(self, address: str, name: str, sketch_file: str, message: str):
super().__init__(address=address, name=name, message=message)
self._sketchFile = sketch_file
@property
def sketch_file(self) -> str:
return self._sketchFile
|
"""
Programme additionnant une liste de nombres
"""
def addition(nombres):
somme = 0
for nombre in nombres:
somme += nombre
return somme
# Exemple
print(addition([1, 2, 3]))
# >>> 6
|
numbers = input()
list_of_nums = numbers.split(',')
tuple_of_nums = tuple(list_of_nums)
print(list_of_nums)
print(tuple_of_nums) |
# Generated by h2py z /usr/include/sys/cdio.h
CDROM_LBA = 0x01
CDROM_MSF = 0x02
CDROM_DATA_TRACK = 0x04
CDROM_LEADOUT = 0xAA
CDROM_AUDIO_INVALID = 0x00
CDROM_AUDIO_PLAY = 0x11
CDROM_AUDIO_PAUSED = 0x12
CDROM_AUDIO_COMPLETED = 0x13
CDROM_AUDIO_ERROR = 0x14
CDROM_AUDIO_NO_STATUS = 0x15
CDROM_DA_NO_SUBCODE = 0x00
CDROM_DA_SUBQ = 0x01
CDROM_DA_ALL_SUBCODE = 0x02
CDROM_DA_SUBCODE_ONLY = 0x03
CDROM_XA_DATA = 0x00
CDROM_XA_SECTOR_DATA = 0x01
CDROM_XA_DATA_W_ERROR = 0x02
CDROM_BLK_512 = 512
CDROM_BLK_1024 = 1024
CDROM_BLK_2048 = 2048
CDROM_BLK_2056 = 2056
CDROM_BLK_2336 = 2336
CDROM_BLK_2340 = 2340
CDROM_BLK_2352 = 2352
CDROM_BLK_2368 = 2368
CDROM_BLK_2448 = 2448
CDROM_BLK_2646 = 2646
CDROM_BLK_2647 = 2647
CDROM_BLK_SUBCODE = 96
CDROM_NORMAL_SPEED = 0x00
CDROM_DOUBLE_SPEED = 0x01
CDROM_QUAD_SPEED = 0x03
CDROM_TWELVE_SPEED = 0x0C
CDROM_MAXIMUM_SPEED = 0xff
CDIOC = (0x04 << 8)
CDROMPAUSE = (CDIOC|151)
CDROMRESUME = (CDIOC|152)
CDROMPLAYMSF = (CDIOC|153)
CDROMPLAYTRKIND = (CDIOC|154)
CDROMREADTOCHDR = (CDIOC|155)
CDROMREADTOCENTRY = (CDIOC|156)
CDROMSTOP = (CDIOC|157)
CDROMSTART = (CDIOC|158)
CDROMEJECT = (CDIOC|159)
CDROMVOLCTRL = (CDIOC|160)
CDROMSUBCHNL = (CDIOC|161)
CDROMREADMODE2 = (CDIOC|162)
CDROMREADMODE1 = (CDIOC|163)
CDROMREADOFFSET = (CDIOC|164)
CDROMGBLKMODE = (CDIOC|165)
CDROMSBLKMODE = (CDIOC|166)
CDROMCDDA = (CDIOC|167)
CDROMCDXA = (CDIOC|168)
CDROMSUBCODE = (CDIOC|169)
CDROMGDRVSPEED = (CDIOC|170)
CDROMSDRVSPEED = (CDIOC|171)
SCMD_READ_TOC = 0x43
SCMD_PLAYAUDIO_MSF = 0x47
SCMD_PLAYAUDIO_TI = 0x48
SCMD_PAUSE_RESUME = 0x4B
SCMD_READ_SUBCHANNEL = 0x42
SCMD_PLAYAUDIO10 = 0x45
SCMD_PLAYTRACK_REL10 = 0x49
SCMD_READ_HEADER = 0x44
SCMD_PLAYAUDIO12 = 0xA5
SCMD_PLAYTRACK_REL12 = 0xA9
SCMD_CD_PLAYBACK_CONTROL = 0xC9
SCMD_CD_PLAYBACK_STATUS = 0xC4
SCMD_READ_CDDA = 0xD8
SCMD_READ_CDXA = 0xDB
SCMD_READ_ALL_SUBCODES = 0xDF
CDROM_MODE2_SIZE = 2336
|
age = int ( input("Please enter your age!") )
x = 19
y = 10
z = 1
if age > x:
print("You are an adult!")
elif age <= x and age > y:
print("You are an adolescent!")
elif age <= y and age >= z:
print("You are a child!")
else:
print("You are an infant!")
#According to guidance you have done at the class, ı have removed the float input part from homework because it was out of definition of given task.
|
"""
A unit fraction contains 1 in the numerator. The decimal representation of the unit fractions with denominators 2 to 10 are given:
1/2 = 0.5
1/3 = 0.(3)
1/4 = 0.25
1/5 = 0.2
1/6 = 0.1(6)
1/7 = 0.(142857)
1/8 = 0.125
1/9 = 0.(1)
1/10 = 0.1
Where 0.1(6) means 0.166666..., and has a 1-digit recurring cycle. It can be seen that 1/7 has a 6-digit recurring cycle.
Find the value of d < 1000 for which 1/d contains the longest recurring cycle in its decimal fraction part.
"""
max_s = 100
def rep_len(n):
# http://mathworld.wolfram.com/DecimalExpansion.html
for s in range(max_s):
for t in range(1, n):
if 10**s == (10**(s+t)) % n:
return t
return -1
def longest_d(limit):
m = 1
d = -1
for n in range(2, limit):
# In base-10 it's factors 2 and 5 will not produce recurring cycles. 3 won't produce anything of significant lenth.
# Calculation is crazy slow without this.
if n % 2 != 0 and n % 3 != 0 and n % 5 != 0:
r = rep_len(n)
if r > m:
m = r
d = n
return d
if __name__ == "__main__":
print(longest_d(1000))
|
"""
General-purpose helpers not related to the framework itself
(neither to the reactor nor to the engines nor to the structs),
which are used to prepare and control the runtime environment.
These are things that should better be in the standard library
or in the dependencies.
Utilities do not depend on anything in the framework. For most cases,
they do not even implement any entities or behaviours of the domain
of K8s Operators, but rather some unrelated low-level patterns.
As a rule of thumb, helpers MUST be abstracted from the framework
to such an extent that they could be extracted as reusable libraries.
If they implement concepts of the framework, they are not "helpers"
(consider making them _kits, structs, engines, or the reactor parts).
"""
|
def can_build(platform):
return platform != "android"
def configure(env):
pass
|
# Divide and Conquer algorithm
def find_max(nums, left, right):
"""
find max value in list
:param nums: contains elements
:param left: index of first element
:param right: index of last element
:return: max in nums
>>> nums = [1, 3, 5, 7, 9, 2, 4, 6, 8, 10]
>>> find_max(nums, 0, len(nums) - 1) == max(nums)
True
"""
if left == right:
return nums[left]
mid = (left + right) >> 1 # the middle
left_max = find_max(nums, left, mid) # find max in range[left, mid]
right_max = find_max(nums, mid + 1, right) # find max in range[mid + 1, right]
return left_max if left_max >= right_max else right_max
if __name__ == "__main__":
nums = [1, 3, 5, 7, 9, 2, 4, 6, 8, 10]
assert find_max(nums, 0, len(nums) - 1) == 10
|
"""
Given the head of a singly linked list, group all the nodes with odd indices together followed by the nodes with even indices, and return the reordered list.
The first node is considered odd, and the second node is even, and so on.
Note that the relative order inside both the even and odd groups should remain as it was in the input.
You must solve the problem in O(1) extra space complexity and O(n) time complexity.
Example 1:
Input: head = [1,2,3,4,5]
Output: [1,3,5,2,4]
Example 2:
Input: head = [2,1,3,5,6,4,7]
Output: [2,3,6,7,1,5,4]
Constraints:
n == number of nodes in the linked list
0 <= n <= 10^4
-10^6 <= Node.val <= 10^6
"""
# Definition for singly-linked list.
class ListNode:
def __init__(self, val=0, next=None):
self.val = val
self.next = next
class Solution:
def oddEvenList(self, head: Optional[ListNode]) -> Optional[ListNode]:
if not head or not head.next:
return head
odd_head = head
odd_cur = head
even_head = head.next
even_cur = even_head
cur = head.next.next
n = 3
while cur:
# odd
if n % 2 != 0:
tmp = cur
cur = cur.next
odd_cur.next = tmp
odd_cur = odd_cur.next
n += 1
# even
else:
tmp = cur
cur = cur.next
even_cur.next = tmp
even_cur = even_cur.next
n += 1
even_cur.next = None
odd_cur.next = even_head
return odd_head
|
# Copyright 2014 The Bazel Authors. All rights reserved.
#
# 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.
load(
"//go/private:context.bzl",
"go_context",
)
load(
"//go/private:common.bzl",
"asm_exts",
"cgo_exts",
"go_exts",
)
load(
"//go/private:providers.bzl",
"GoLibrary",
"GoSDK",
)
load(
"//go/private/rules:transition.bzl",
"go_transition_rule",
)
load(
"//go/private:mode.bzl",
"LINKMODE_PLUGIN",
"LINKMODE_SHARED",
)
def _go_binary_impl(ctx):
"""go_binary_impl emits actions for compiling and linking a go executable."""
go = go_context(ctx)
is_main = go.mode.link not in (LINKMODE_SHARED, LINKMODE_PLUGIN)
library = go.new_library(go, importable = False, is_main = is_main)
source = go.library_to_source(go, ctx.attr, library, ctx.coverage_instrumented())
name = ctx.attr.basename
if not name:
name = ctx.label.name
executable = None
if ctx.attr.out:
# Use declare_file instead of attr.output(). When users set output files
# directly, Bazel warns them not to use the same name as the rule, which is
# the common case with go_binary.
executable = ctx.actions.declare_file(ctx.attr.out)
archive, executable, runfiles = go.binary(
go,
name = name,
source = source,
gc_linkopts = gc_linkopts(ctx),
version_file = ctx.version_file,
info_file = ctx.info_file,
executable = executable,
)
return [
library,
source,
archive,
OutputGroupInfo(
cgo_exports = archive.cgo_exports,
compilation_outputs = [archive.data.file],
),
DefaultInfo(
files = depset([executable]),
runfiles = runfiles,
executable = executable,
),
]
_go_binary_kwargs = {
"implementation": _go_binary_impl,
"attrs": {
"srcs": attr.label_list(allow_files = go_exts + asm_exts + cgo_exts),
"data": attr.label_list(allow_files = True),
"deps": attr.label_list(
providers = [GoLibrary],
),
"embed": attr.label_list(
providers = [GoLibrary],
),
"embedsrcs": attr.label_list(allow_files = True),
"importpath": attr.string(),
"gc_goopts": attr.string_list(),
"gc_linkopts": attr.string_list(),
"x_defs": attr.string_dict(),
"basename": attr.string(),
"out": attr.string(),
"cgo": attr.bool(),
"cdeps": attr.label_list(),
"cppopts": attr.string_list(),
"copts": attr.string_list(),
"cxxopts": attr.string_list(),
"clinkopts": attr.string_list(),
"_go_context_data": attr.label(default = "//:go_context_data"),
},
"executable": True,
"toolchains": ["@io_bazel_rules_go//go:toolchain"],
}
go_binary = rule(**_go_binary_kwargs)
go_transition_binary = go_transition_rule(**_go_binary_kwargs)
def _go_tool_binary_impl(ctx):
sdk = ctx.attr.sdk[GoSDK]
name = ctx.label.name
if sdk.goos == "windows":
name += ".exe"
cout = ctx.actions.declare_file(name + ".a")
if sdk.goos == "windows":
cmd = "@echo off\n {go} tool compile -o {cout} -trimpath=%cd% {srcs}".format(
go = sdk.go.path.replace("/", "\\"),
cout = cout.path,
srcs = " ".join([f.path for f in ctx.files.srcs]),
)
bat = ctx.actions.declare_file(name + ".bat")
ctx.actions.write(
output = bat,
content = cmd,
)
ctx.actions.run(
executable = bat.path.replace("/", "\\"),
inputs = sdk.libs + sdk.headers + sdk.tools + ctx.files.srcs + [sdk.go],
outputs = [cout],
env = {"GOROOT": sdk.root_file.dirname}, # NOTE(#2005): avoid realpath in sandbox
mnemonic = "GoToolchainBinaryCompile",
)
else:
cmd = "{go} tool compile -o {cout} -trimpath=$PWD {srcs}".format(
go = sdk.go.path,
cout = cout.path,
srcs = " ".join([f.path for f in ctx.files.srcs]),
)
ctx.actions.run_shell(
command = cmd,
inputs = sdk.libs + sdk.headers + sdk.tools + ctx.files.srcs + [sdk.go],
outputs = [cout],
env = {"GOROOT": sdk.root_file.dirname}, # NOTE(#2005): avoid realpath in sandbox
mnemonic = "GoToolchainBinaryCompile",
)
out = ctx.actions.declare_file(name)
largs = ctx.actions.args()
largs.add_all(["tool", "link"])
largs.add("-o", out)
largs.add(cout)
ctx.actions.run(
executable = sdk.go,
arguments = [largs],
inputs = sdk.libs + sdk.headers + sdk.tools + [cout],
outputs = [out],
mnemonic = "GoToolchainBinary",
)
return [DefaultInfo(
files = depset([out]),
executable = out,
)]
go_tool_binary = rule(
implementation = _go_tool_binary_impl,
attrs = {
"srcs": attr.label_list(
allow_files = True,
doc = "Source files for the binary. Must be in 'package main'.",
),
"sdk": attr.label(
mandatory = True,
providers = [GoSDK],
doc = "The SDK containing tools and libraries to build this binary",
),
},
executable = True,
doc = """Used instead of go_binary for executables used in the toolchain.
go_tool_binary depends on tools and libraries that are part of the Go SDK.
It does not depend on other toolchains. It can only compile binaries that
just have a main package and only depend on the standard library and don't
require build constraints.
""",
)
def gc_linkopts(ctx):
gc_linkopts = [
ctx.expand_make_variables("gc_linkopts", f, {})
for f in ctx.attr.gc_linkopts
]
return gc_linkopts
|
#!/bin/env python3
def gift_area(l, w, h):
side_a = l*w
side_b = w*h
side_c = l*h
return 2*side_a+2*side_b+2*side_c+min((side_a, side_b, side_c))
def gift_ribbon(l, w, h):
side_a = 2*l+2*w
side_b = 2*w+2*h
side_c = 2*l+2*h
ribbon = min((side_a, side_b, side_c))
ribbon += l*w*h
return ribbon
if __name__ == "__main__":
with open("d02.txt") as f:
lines = f.readlines()
gifts = []
for l in lines:
fields = l.split("x")
gifts.append([int(f) for f in fields])
area = 0
ribbon = 0
for g in gifts:
area += gift_area(g[0], g[1], g[2])
ribbon += gift_ribbon(g[0], g[1], g[2])
print(area)
print(ribbon)
|
class C:
pass
def method(x):
pass
c = C()
method(1) |
tb = [54, 0,55,54,61,
0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
66, 0,64,66,61, 0, 0, 0, 0, 0, 0 ,0, 0, 0, 0, 0,
54, 0,55,54,61, 0,66, 0,64]
expander = lambda i: [i, 300] if i > 0 else [0,0]
tkm = [expander(i) for i in tb]
print(tkm) |
# Licensed to the Apache Software Foundation (ASF) under one
# or more contributor license agreements. See the NOTICE file
# distributed with this work for additional information
# regarding copyright ownership. The ASF licenses this file
# to you 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.
def enclose_param(param: str) -> str:
"""
Replace all single quotes in parameter by two single quotes and enclose param in single quote.
.. seealso::
https://docs.snowflake.com/en/sql-reference/data-types-text.html#single-quoted-string-constants
Examples:
.. code-block:: python
enclose_param("without quotes") # Returns: 'without quotes'
enclose_param("'with quotes'") # Returns: '''with quotes'''
enclose_param("Today's sales projections") # Returns: 'Today''s sales projections'
enclose_param("sample/john's.csv") # Returns: 'sample/john''s.csv'
enclose_param(".*'awesome'.*[.]csv") # Returns: '.*''awesome''.*[.]csv'
:param param: parameter which required single quotes enclosure.
"""
return f"""'{param.replace("'", "''")}'"""
|
class MenuItem(Menu, IComponent, IDisposable):
"""
Represents an individual item that is displayed within a System.Windows.Forms.MainMenu or System.Windows.Forms.ContextMenu. Although System.Windows.Forms.ToolStripMenuItem replaces and adds functionality to the System.Windows.Forms.MenuItem control of previous versions,System.Windows.Forms.MenuItem is retained for both backward compatibility and future use if you choose.
MenuItem()
MenuItem(text: str)
MenuItem(text: str,onClick: EventHandler)
MenuItem(text: str,onClick: EventHandler,shortcut: Shortcut)
MenuItem(text: str,items: Array[MenuItem])
MenuItem(mergeType: MenuMerge,mergeOrder: int,shortcut: Shortcut,text: str,onClick: EventHandler,onPopup: EventHandler,onSelect: EventHandler,items: Array[MenuItem])
"""
def CloneMenu(self):
"""
CloneMenu(self: MenuItem) -> MenuItem
Creates a copy of the current System.Windows.Forms.MenuItem.
Returns: A System.Windows.Forms.MenuItem that represents the duplicated menu item.
"""
pass
def CreateMenuHandle(self, *args):
"""
CreateMenuHandle(self: Menu) -> IntPtr
Creates a new handle to the System.Windows.Forms.Menu.
Returns: A handle to the menu if the method succeeds; otherwise,null.
"""
pass
def Dispose(self):
"""
Dispose(self: MenuItem,disposing: bool)
Disposes of the resources (other than memory) used by the System.Windows.Forms.MenuItem.
disposing: true to release both managed and unmanaged resources; false to release only unmanaged resources.
"""
pass
def FindMergePosition(self, *args):
"""
FindMergePosition(self: Menu,mergeOrder: int) -> int
Returns the position at which a menu item should be inserted into the menu.
mergeOrder: The merge order position for the menu item to be merged.
Returns: The position at which a menu item should be inserted into the menu.
"""
pass
def GetService(self, *args):
"""
GetService(self: Component,service: Type) -> object
Returns an object that represents a service provided by the System.ComponentModel.Component or
by its System.ComponentModel.Container.
service: A service provided by the System.ComponentModel.Component.
Returns: An System.Object that represents a service provided by the System.ComponentModel.Component,or
null if the System.ComponentModel.Component does not provide the specified service.
"""
pass
def MemberwiseClone(self, *args):
"""
MemberwiseClone(self: MarshalByRefObject,cloneIdentity: bool) -> MarshalByRefObject
Creates a shallow copy of the current System.MarshalByRefObject object.
cloneIdentity: false to delete the current System.MarshalByRefObject object's identity,which will cause the
object to be assigned a new identity when it is marshaled across a remoting boundary. A value of
false is usually appropriate. true to copy the current System.MarshalByRefObject object's
identity to its clone,which will cause remoting client calls to be routed to the remote server
object.
Returns: A shallow copy of the current System.MarshalByRefObject object.
MemberwiseClone(self: object) -> object
Creates a shallow copy of the current System.Object.
Returns: A shallow copy of the current System.Object.
"""
pass
def MergeMenu(self, *__args):
"""
MergeMenu(self: MenuItem,itemSrc: MenuItem)
Merges another menu item with this menu item.
itemSrc: A System.Windows.Forms.MenuItem that specifies the menu item to merge with this one.
MergeMenu(self: MenuItem) -> MenuItem
Merges this System.Windows.Forms.MenuItem with another System.Windows.Forms.MenuItem and returns
the resulting merged System.Windows.Forms.MenuItem.
Returns: A System.Windows.Forms.MenuItem that represents the merged menu item.
"""
pass
def OnClick(self, *args):
"""
OnClick(self: MenuItem,e: EventArgs)
Raises the System.Windows.Forms.MenuItem.Click event.
e: An System.EventArgs that contains the event data.
"""
pass
def OnDrawItem(self, *args):
"""
OnDrawItem(self: MenuItem,e: DrawItemEventArgs)
Raises the System.Windows.Forms.MenuItem.DrawItem event.
e: A System.Windows.Forms.DrawItemEventArgs that contains the event data.
"""
pass
def OnInitMenuPopup(self, *args):
"""
OnInitMenuPopup(self: MenuItem,e: EventArgs)
Raises the System.Windows.Forms.MenuItem.Popup event.
e: An System.EventArgs that contains the event data.
"""
pass
def OnMeasureItem(self, *args):
"""
OnMeasureItem(self: MenuItem,e: MeasureItemEventArgs)
Raises the System.Windows.Forms.MenuItem.MeasureItem event.
e: A System.Windows.Forms.MeasureItemEventArgs that contains the event data.
"""
pass
def OnPopup(self, *args):
"""
OnPopup(self: MenuItem,e: EventArgs)
Raises the System.Windows.Forms.MenuItem.Popup event.
e: An System.EventArgs that contains the event data.
"""
pass
def OnSelect(self, *args):
"""
OnSelect(self: MenuItem,e: EventArgs)
Raises the System.Windows.Forms.MenuItem.Select event.
e: An System.EventArgs that contains the event data.
"""
pass
def PerformClick(self):
"""
PerformClick(self: MenuItem)
Generates a System.Windows.Forms.Control.Click event for the System.Windows.Forms.MenuItem,
simulating a click by a user.
"""
pass
def PerformSelect(self):
"""
PerformSelect(self: MenuItem)
Raises the System.Windows.Forms.MenuItem.Select event for this menu item.
"""
pass
def ProcessCmdKey(self, *args):
"""
ProcessCmdKey(self: Menu,msg: Message,keyData: Keys) -> (bool,Message)
Processes a command key.
msg: A System.Windows.Forms.Message,passed by reference that represents the window message to
process.
keyData: One of the System.Windows.Forms.Keys values that represents the key to process.
Returns: true if the character was processed by the control; otherwise,false.
"""
pass
def ToString(self):
"""
ToString(self: MenuItem) -> str
Returns a string that represents the System.Windows.Forms.MenuItem.
Returns: A string that represents the current System.Windows.Forms.MenuItem. The string includes the type
and the System.Windows.Forms.MenuItem.Text property of the control.
"""
pass
def __enter__(self, *args):
"""
__enter__(self: IDisposable) -> object
Provides the implementation of __enter__ for objects which implement IDisposable.
"""
pass
def __exit__(self, *args):
"""
__exit__(self: IDisposable,exc_type: object,exc_value: object,exc_back: object)
Provides the implementation of __exit__ for objects which implement IDisposable.
"""
pass
def __init__(self, *args):
""" x.__init__(...) initializes x; see x.__class__.__doc__ for signaturex.__init__(...) initializes x; see x.__class__.__doc__ for signaturex.__init__(...) initializes x; see x.__class__.__doc__ for signature """
pass
@staticmethod
def __new__(self, *__args):
"""
__new__(cls: type)
__new__(cls: type,text: str)
__new__(cls: type,text: str,onClick: EventHandler)
__new__(cls: type,text: str,onClick: EventHandler,shortcut: Shortcut)
__new__(cls: type,text: str,items: Array[MenuItem])
__new__(cls: type,mergeType: MenuMerge,mergeOrder: int,shortcut: Shortcut,text: str,onClick: EventHandler,onPopup: EventHandler,onSelect: EventHandler,items: Array[MenuItem])
"""
pass
def __str__(self, *args):
pass
BarBreak = property(lambda self: object(), lambda self, v: None, lambda self: None)
"""Gets or sets a value indicating whether the System.Windows.Forms.MenuItem is placed on a new line (for a menu item added to a System.Windows.Forms.MainMenu object) or in a new column (for a submenu item or menu item displayed in a System.Windows.Forms.ContextMenu).
Get: BarBreak(self: MenuItem) -> bool
Set: BarBreak(self: MenuItem)=value
"""
Break = property(lambda self: object(), lambda self, v: None, lambda self: None)
"""Gets or sets a value indicating whether the item is placed on a new line (for a menu item added to a System.Windows.Forms.MainMenu object) or in a new column (for a menu item or submenu item displayed in a System.Windows.Forms.ContextMenu).
Get: Break(self: MenuItem) -> bool
Set: Break(self: MenuItem)=value
"""
CanRaiseEvents = property(
lambda self: object(), lambda self, v: None, lambda self: None
)
"""Gets a value indicating whether the component can raise an event.
"""
Checked = property(lambda self: object(), lambda self, v: None, lambda self: None)
"""Gets or sets a value indicating whether a check mark appears next to the text of the menu item.
Get: Checked(self: MenuItem) -> bool
Set: Checked(self: MenuItem)=value
"""
DefaultItem = property(
lambda self: object(), lambda self, v: None, lambda self: None
)
"""Gets or sets a value indicating whether the menu item is the default menu item.
Get: DefaultItem(self: MenuItem) -> bool
Set: DefaultItem(self: MenuItem)=value
"""
DesignMode = property(
lambda self: object(), lambda self, v: None, lambda self: None
)
"""Gets a value that indicates whether the System.ComponentModel.Component is currently in design mode.
"""
Enabled = property(lambda self: object(), lambda self, v: None, lambda self: None)
"""Gets or sets a value indicating whether the menu item is enabled.
Get: Enabled(self: MenuItem) -> bool
Set: Enabled(self: MenuItem)=value
"""
Events = property(lambda self: object(), lambda self, v: None, lambda self: None)
"""Gets the list of event handlers that are attached to this System.ComponentModel.Component.
"""
Index = property(lambda self: object(), lambda self, v: None, lambda self: None)
"""Gets or sets a value indicating the position of the menu item in its parent menu.
Get: Index(self: MenuItem) -> int
Set: Index(self: MenuItem)=value
"""
IsParent = property(lambda self: object(), lambda self, v: None, lambda self: None)
"""Gets a value indicating whether the menu item contains child menu items.
Get: IsParent(self: MenuItem) -> bool
"""
MdiList = property(lambda self: object(), lambda self, v: None, lambda self: None)
"""Gets or sets a value indicating whether the menu item will be populated with a list of the Multiple Document Interface (MDI) child windows that are displayed within the associated form.
Get: MdiList(self: MenuItem) -> bool
Set: MdiList(self: MenuItem)=value
"""
MenuID = property(lambda self: object(), lambda self, v: None, lambda self: None)
"""Gets a value indicating the Windows identifier for this menu item.
"""
MergeOrder = property(
lambda self: object(), lambda self, v: None, lambda self: None
)
"""Gets or sets a value indicating the relative position of the menu item when it is merged with another.
Get: MergeOrder(self: MenuItem) -> int
Set: MergeOrder(self: MenuItem)=value
"""
MergeType = property(lambda self: object(), lambda self, v: None, lambda self: None)
"""Gets or sets a value indicating the behavior of this menu item when its menu is merged with another.
Get: MergeType(self: MenuItem) -> MenuMerge
Set: MergeType(self: MenuItem)=value
"""
Mnemonic = property(lambda self: object(), lambda self, v: None, lambda self: None)
"""Gets a value indicating the mnemonic character that is associated with this menu item.
Get: Mnemonic(self: MenuItem) -> Char
"""
OwnerDraw = property(lambda self: object(), lambda self, v: None, lambda self: None)
"""Gets or sets a value indicating whether the code that you provide draws the menu item or Windows draws the menu item.
Get: OwnerDraw(self: MenuItem) -> bool
Set: OwnerDraw(self: MenuItem)=value
"""
Parent = property(lambda self: object(), lambda self, v: None, lambda self: None)
"""Gets a value indicating the menu that contains this menu item.
Get: Parent(self: MenuItem) -> Menu
"""
RadioCheck = property(
lambda self: object(), lambda self, v: None, lambda self: None
)
"""Gets or sets a value indicating whether the System.Windows.Forms.MenuItem,if checked,displays a radio-button instead of a check mark.
Get: RadioCheck(self: MenuItem) -> bool
Set: RadioCheck(self: MenuItem)=value
"""
Shortcut = property(lambda self: object(), lambda self, v: None, lambda self: None)
"""Gets or sets a value indicating the shortcut key associated with the menu item.
Get: Shortcut(self: MenuItem) -> Shortcut
Set: Shortcut(self: MenuItem)=value
"""
ShowShortcut = property(
lambda self: object(), lambda self, v: None, lambda self: None
)
"""Gets or sets a value indicating whether the shortcut key that is associated with the menu item is displayed next to the menu item caption.
Get: ShowShortcut(self: MenuItem) -> bool
Set: ShowShortcut(self: MenuItem)=value
"""
Text = property(lambda self: object(), lambda self, v: None, lambda self: None)
"""Gets or sets a value indicating the caption of the menu item.
Get: Text(self: MenuItem) -> str
Set: Text(self: MenuItem)=value
"""
Visible = property(lambda self: object(), lambda self, v: None, lambda self: None)
"""Gets or sets a value indicating whether the menu item is visible.
Get: Visible(self: MenuItem) -> bool
Set: Visible(self: MenuItem)=value
"""
Click = None
DrawItem = None
MeasureItem = None
Popup = None
Select = None
|
class Reflector:
alphabet = "ABCDEFGHIJKLMNOPQRSTUVWXYZ"
def __init__(self, permutation):
"""
:param permutation: string, mono-alphabetic permutation of the alphabet i.e. YRUHQSLDPXNGOKMIEBFZCWVJAT
"""
self.permutation = permutation
def calc(self, c):
"""
Swaps character with corresponding letter in permuted alphabet
:param c: char, character being encrypted or decrypted
:return: char, post-encryption/decryption character
"""
return self.permutation[self.alphabet.index(c)]
|
if __name__ == '__main__':
with open("../R/problem_module.R") as filename:
lines = filename.readlines()
for line in lines:
if "<- function(" in line:
function_name = line.split("<-")[0]
print(f"### {function_name.strip()}\n")
print("#### Main Documentation\n")
print("```{r, comment=NA, echo=FALSE}")
print(f'tools::Rd2txt(paste0(root, "{function_name.strip()}", ext))\n```\n')
|
def maximo(numero1, numero2):
"""Devolve o maior número"""
if numero1 >= numero2:
return numero1
else:
return numero2
|
for t in range(int(input())):
word=input()
ispalin=True
for i in range(int(len(word)/2)):
if word[i]=="*" or word[len(word)-1-i]=="*":
break
elif word[i]!=word[len(word)-1-i]:
ispalin=False
print(f"#{t+1} Not exist")
break
else:
continue
if ispalin:
print(f"#{t+1} Exist")
|
'''
Program implemented to count number of 1's in its binary number
'''
def countSetBits(n):
if n == 0:
return 0
else:
return (n&1) + countSetBits(n>>1)
n = int(input())
print(countSetBits(n))
|
#in=42
#golden=8
n = input_int()
c = 0
while (n > 1):
c = c + 1
if n % 2 == 0:
n = n // 2
else:
n = 3 * n + 1
print(c)
|
#!/usr/bin/env python
# -*- coding: utf-8 -*-
"""Supported media formats.
https://kodi.wiki/view/Features_and_supported_formats
Media containers:
AVI, MPEG, WMV, ASF, FLV, MKV/MKA (Matroska), QuickTime, MP4, M4A, AAC, NUT, Ogg, OGM, RealMedia RAM/RM/RV/RA/RMVB, 3gp, VIVO, PVA, NUV, NSV, NSA, FLI, FLC, DVR-MS, WTV, TRP and F4V
"""
class MediaContainers( object ):
def __init__( self ):
self._supported = [ Mpeg1(),
Mpeg2(),
Mpeg4(),
QuickTime(),
RealMedia(),
Vp9(),
Wmv(),
Asf(),
Flash(),
Matroska(),
Ogg(),
ThreeGp(),
DivX(),
Vob(),
Bluray() ]
self._file_extensions = []
def extensions( self, wildcard=False ):
extensions = []
for media in self._supported:
extensions.extend( media.fs_ext( wildcard ) )
return set( extensions )
class SupportedMedia( object ):
def __init__( self ):
super( SupportedMedia, self ).__init__()
def fs_ext( self, wildcard = True ):
return [ '*%s' % ext if wildcard else ext for ext in self._extensions ]
class Mpeg1( SupportedMedia ):
def __init__( self ):
super( Mpeg1, self ).__init__()
self._extensions = [ '.mpg', '.mpeg', '.mp1', '.mp2', '.mp3', '.m1v', '.m1a','.m2a', '.mpa', '.mpv' ]
class Mpeg2( Mpeg1 ):
def __init__( self ):
super( Mpeg2, self ).__init__()
class Mpeg4( SupportedMedia ):
def __init__( self ):
super( Mpeg4, self ).__init__()
self._extensions = [ '.mp4', '.m4a', '.m4p', '.m4b', '.m4r', '.m4v' ]
class QuickTime( SupportedMedia ):
def __init__( self ):
super( QuickTime, self ).__init__()
self._extensions = [ '.mov', '.qt' ]
class RealMedia( SupportedMedia ):
def __init__( self ):
super( RealMedia, self ).__init__()
self._extensions = ['.rmvb']
class Vp9( SupportedMedia ):
def __init__( self ):
super( Vp9, self ).__init__()
self._extensions = ['.webm', '.mkv']
class Wmv( SupportedMedia ):
'''
Windows Media Video
'''
def __init__( self ):
super( Wmv, self ).__init__()
self._extensions = ['.wmv', '.asf', '.avi']
class Asf( SupportedMedia ):
'''
AdvancedSystemsFormat
'''
def __init__( self ):
super( Asf, self ).__init__()
self._extensions = [ '.asf', '.wma', '.wmv' ]
class Flash( SupportedMedia ):
def __init__( self ):
super( Flash, self ).__init__()
self._extensions = [ '.flv', '.f4v', '.f4p', '.f4a', '.f4b' ]
class Matroska( SupportedMedia ):
def __init__( self ):
super( Matroska, self ).__init__()
self._extensions = [ '.mkv', '.mk3d', '.mka', '.mks' ]
class Ogg( SupportedMedia ):
def __init__( self ):
super( Ogg, self ).__init__()
self._extensions = [ '.ogg', '.ogv', '.oga', '.ogx', '.ogm', '.spx', '.opus' ]
class ThreeGp( SupportedMedia ):
def __init__( self ):
super( ThreeGp, self ).__init__()
self._extensions = [ '.3gp' ]
class DivX( SupportedMedia ):
def __init__( self ):
super( DivX, self ).__init__()
self._extensions = [ '.avi', '.divx', '.mkv' ]
class Vob( SupportedMedia ):
def __init__( self ):
super( Vob, self ).__init__()
self._extensions = [ '.vob' ]
class Bluray( SupportedMedia ):
def __init__( self ):
super( Bluray, self ).__init__()
self._extensions = [ '.m2ts', '.mts' ]
|
"""
ALWAYS START WITH DOCUMENTATION!
This code provides functions for calculating area of different shapes
Author: Caitlin C. Bannan U.C. Irvine Mobley Group
"""
def area_square(length):
"""
Calculates the area of a square.
Parameters
----------
length (float or int) length of one side of a square
Returns
-------
area (float) - area of the square
"""
return length ** 2
|
def outer():
a = 0
b = 1
def inner():
print(a)
b=4
print(b)
# b += 1 # A
#b = 4 # B
inner()
outer()
for i in range(10):
print(i)
print(i) |
#!/usr/bin/python
#coding=utf-8
'''
@author: sheng
@license:
'''
SPELL=u'zhìyīn'
CN=u'至阴'
NAME=u'zhiyin41'
CHANNEL='bladder'
CHANNEL_FULLNAME='BladderChannelofFoot-Taiyang'
SEQ='BL67'
if __name__ == '__main__':
pass
|
class MyClass:
count = 0
def __init__(self, val):
self.val = self.filterint(val)
MyClass.count += 1
@staticmethod
def filterint(value):
if not isinstance(value, int):
print("Entered value is not an INT, value set to 0")
return 0
else:
return value
if __name__ == '__main__':
a = MyClass(5)
b = MyClass(10)
c = MyClass(15)
print(a.val)
print(b.val)
print(c.val)
print(a.filterint(100)) |
syntaxPostgreErrors = []
def validateVarchar(n, val):
if 0 <= len(val) and len(val) <= n:
return None
syntaxPostgreErrors.append("Error: 22026: Excede el limite de caracteres")
return {"Type": "varchar", "Descripción": "Excede el limite de caracteres"}
def validateChar(n, val):
if len(val) == n:
return None
syntaxPostgreErrors.append("Error: 22026: Restriccion de caracteres")
return {"Type": "char", "Descripción": "Restriccion de caracteres"}
def validateBoolean(val):
s = str(val).lower()
if s == "true" or s == "false":
return None
elif val == 1 or val == 0:
return None
syntaxPostgreErrors.append("Error: 22000: Tipo invalido (Boolean)")
return {"Type": "boolean", "Descripción": "invalido"}
|
#
# PySNMP MIB module RETIX-MIB (http://snmplabs.com/pysmi)
# ASN.1 source file:///Users/davwang4/Dev/mibs.snmplabs.com/asn1/RETIX-MIB
# Produced by pysmi-0.3.4 at Mon Apr 29 20:47:44 2019
# On host DAVWANG4-M-1475 platform Darwin version 18.5.0 by user davwang4
# Using Python version 3.7.3 (default, Mar 27 2019, 09:23:15)
#
OctetString, Integer, ObjectIdentifier = mibBuilder.importSymbols("ASN1", "OctetString", "Integer", "ObjectIdentifier")
NamedValues, = mibBuilder.importSymbols("ASN1-ENUMERATION", "NamedValues")
ConstraintsIntersection, ConstraintsUnion, ValueRangeConstraint, SingleValueConstraint, ValueSizeConstraint = mibBuilder.importSymbols("ASN1-REFINEMENT", "ConstraintsIntersection", "ConstraintsUnion", "ValueRangeConstraint", "SingleValueConstraint", "ValueSizeConstraint")
MibScalar, MibTable, MibTableRow, MibTableColumn = mibBuilder.importSymbols("RFC1212", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn")
NotificationGroup, ModuleCompliance = mibBuilder.importSymbols("SNMPv2-CONF", "NotificationGroup", "ModuleCompliance")
iso, Bits, Unsigned32, ObjectIdentity, MibIdentifier, Gauge32, NotificationType, ModuleIdentity, MibScalar, MibTable, MibTableRow, MibTableColumn, enterprises, IpAddress, Counter32, Counter64, Integer32, TimeTicks = mibBuilder.importSymbols("SNMPv2-SMI", "iso", "Bits", "Unsigned32", "ObjectIdentity", "MibIdentifier", "Gauge32", "NotificationType", "ModuleIdentity", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn", "enterprises", "IpAddress", "Counter32", "Counter64", "Integer32", "TimeTicks")
TextualConvention, DisplayString = mibBuilder.importSymbols("SNMPv2-TC", "TextualConvention", "DisplayString")
retix = MibIdentifier((1, 3, 6, 1, 4, 1, 72))
station = MibIdentifier((1, 3, 6, 1, 4, 1, 72, 1))
lapb = MibIdentifier((1, 3, 6, 1, 4, 1, 72, 2))
ieee8023 = MibIdentifier((1, 3, 6, 1, 4, 1, 72, 3))
phySerIf = MibIdentifier((1, 3, 6, 1, 4, 1, 72, 4))
mlink = MibIdentifier((1, 3, 6, 1, 4, 1, 72, 5))
lan = MibIdentifier((1, 3, 6, 1, 4, 1, 72, 6))
bridge = MibIdentifier((1, 3, 6, 1, 4, 1, 72, 7))
product = MibIdentifier((1, 3, 6, 1, 4, 1, 72, 8))
router = MibIdentifier((1, 3, 6, 1, 4, 1, 72, 10))
boot = MibIdentifier((1, 3, 6, 1, 4, 1, 72, 11))
boothelper = MibIdentifier((1, 3, 6, 1, 4, 1, 72, 12))
remote = MibIdentifier((1, 3, 6, 1, 4, 1, 72, 13))
ipx = MibIdentifier((1, 3, 6, 1, 4, 1, 72, 13, 1))
decnet = MibIdentifier((1, 3, 6, 1, 4, 1, 72, 13, 2))
rmtLapb = MibIdentifier((1, 3, 6, 1, 4, 1, 72, 13, 3))
x25 = MibIdentifier((1, 3, 6, 1, 4, 1, 72, 13, 4))
stationTime = MibScalar((1, 3, 6, 1, 4, 1, 72, 1, 1), OctetString().subtype(subtypeSpec=ValueSizeConstraint(13, 13)).setFixedLength(13)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: stationTime.setStatus('mandatory')
stationCountResets = MibScalar((1, 3, 6, 1, 4, 1, 72, 1, 2), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: stationCountResets.setStatus('mandatory')
freeBufferCount = MibScalar((1, 3, 6, 1, 4, 1, 72, 1, 3), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: freeBufferCount.setStatus('mandatory')
freeHeaderCount = MibScalar((1, 3, 6, 1, 4, 1, 72, 1, 4), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: freeHeaderCount.setStatus('mandatory')
physBlkSize = MibScalar((1, 3, 6, 1, 4, 1, 72, 1, 5), Integer32().subtype(subtypeSpec=ValueRangeConstraint(300, 1600))).setMaxAccess("readonly")
if mibBuilder.loadTexts: physBlkSize.setStatus('mandatory')
newPhysBlkSize = MibScalar((1, 3, 6, 1, 4, 1, 72, 1, 6), Integer32().subtype(subtypeSpec=ValueRangeConstraint(300, 1600))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: newPhysBlkSize.setStatus('mandatory')
resetStation = MibScalar((1, 3, 6, 1, 4, 1, 72, 1, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("noAction", 1), ("resetStation", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: resetStation.setStatus('mandatory')
initStation = MibScalar((1, 3, 6, 1, 4, 1, 72, 1, 8), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("noAction", 1), ("initialize", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: initStation.setStatus('mandatory')
resetStats = MibScalar((1, 3, 6, 1, 4, 1, 72, 1, 9), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("noAction", 1), ("resetStats", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: resetStats.setStatus('mandatory')
processorLoading = MibScalar((1, 3, 6, 1, 4, 1, 72, 1, 10), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: processorLoading.setStatus('mandatory')
trapDestinationTable = MibIdentifier((1, 3, 6, 1, 4, 1, 72, 1, 11))
trapDestTable = MibTable((1, 3, 6, 1, 4, 1, 72, 1, 11, 1), )
if mibBuilder.loadTexts: trapDestTable.setStatus('mandatory')
trapDestEntry = MibTableRow((1, 3, 6, 1, 4, 1, 72, 1, 11, 1, 1), ).setIndexNames((0, "RETIX-MIB", "trapDestEntryIpAddr"))
if mibBuilder.loadTexts: trapDestEntry.setStatus('mandatory')
trapDestEntryIpAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 1, 11, 1, 1, 1), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: trapDestEntryIpAddr.setStatus('mandatory')
trapDestEntryCommunityName = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 1, 11, 1, 1, 2), OctetString().subtype(subtypeSpec=ValueSizeConstraint(0, 10))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: trapDestEntryCommunityName.setStatus('mandatory')
trapDestEntryType = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 1, 11, 1, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("valid", 1), ("invalid", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: trapDestEntryType.setStatus('mandatory')
trapDestAction = MibScalar((1, 3, 6, 1, 4, 1, 72, 1, 11, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("noAction", 1), ("clearTable", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: trapDestAction.setStatus('mandatory')
trapDestPage = MibScalar((1, 3, 6, 1, 4, 1, 72, 1, 11, 3), OctetString().subtype(subtypeSpec=ValueSizeConstraint(240, 240)).setFixedLength(240)).setMaxAccess("readonly")
if mibBuilder.loadTexts: trapDestPage.setStatus('mandatory')
passWord = MibScalar((1, 3, 6, 1, 4, 1, 72, 1, 12), OctetString().subtype(subtypeSpec=ValueSizeConstraint(0, 10))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: passWord.setStatus('mandatory')
snmpAccessPolicyObject = MibIdentifier((1, 3, 6, 1, 4, 1, 72, 1, 13))
snmpAccessPolicyTable = MibTable((1, 3, 6, 1, 4, 1, 72, 1, 13, 1), )
if mibBuilder.loadTexts: snmpAccessPolicyTable.setStatus('mandatory')
snmpAccessPolicyEntry = MibTableRow((1, 3, 6, 1, 4, 1, 72, 1, 13, 1, 1), ).setIndexNames((0, "RETIX-MIB", "accessPolicyIndex"))
if mibBuilder.loadTexts: snmpAccessPolicyEntry.setStatus('mandatory')
accessPolicyIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 1, 13, 1, 1, 1), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: accessPolicyIndex.setStatus('mandatory')
communityName = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 1, 13, 1, 1, 2), OctetString().subtype(subtypeSpec=ValueSizeConstraint(0, 10))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: communityName.setStatus('mandatory')
accessMode = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 1, 13, 1, 1, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 3))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: accessMode.setStatus('mandatory')
snmpAccessPolicyType = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 1, 13, 1, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("valid", 1), ("invalid", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: snmpAccessPolicyType.setStatus('mandatory')
snmpAccessPolicyAction = MibScalar((1, 3, 6, 1, 4, 1, 72, 1, 13, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("noAction", 1), ("clearTable", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: snmpAccessPolicyAction.setStatus('mandatory')
snmpAccessPolicyPage = MibScalar((1, 3, 6, 1, 4, 1, 72, 1, 13, 3), OctetString().subtype(subtypeSpec=ValueSizeConstraint(256, 256)).setFixedLength(256)).setMaxAccess("readonly")
if mibBuilder.loadTexts: snmpAccessPolicyPage.setStatus('mandatory')
authenticationTrapStatus = MibScalar((1, 3, 6, 1, 4, 1, 72, 1, 14), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enabled", 1), ("disabled", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: authenticationTrapStatus.setStatus('mandatory')
serialTxQueueSize = MibScalar((1, 3, 6, 1, 4, 1, 72, 1, 15), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 127))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: serialTxQueueSize.setStatus('mandatory')
internalQueueCurrentLength = MibScalar((1, 3, 6, 1, 4, 1, 72, 1, 16), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: internalQueueCurrentLength.setStatus('mandatory')
queueUpperLimit = MibScalar((1, 3, 6, 1, 4, 1, 72, 1, 17), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: queueUpperLimit.setStatus('mandatory')
lanQueueSize = MibScalar((1, 3, 6, 1, 4, 1, 72, 1, 18), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: lanQueueSize.setStatus('mandatory')
lapbNumber = MibScalar((1, 3, 6, 1, 4, 1, 72, 2, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: lapbNumber.setStatus('mandatory')
lapbTable = MibTable((1, 3, 6, 1, 4, 1, 72, 2, 2), )
if mibBuilder.loadTexts: lapbTable.setStatus('mandatory')
lapbEntry = MibTableRow((1, 3, 6, 1, 4, 1, 72, 2, 2, 1), ).setIndexNames((0, "RETIX-MIB", "lapbIndex"))
if mibBuilder.loadTexts: lapbEntry.setStatus('mandatory')
lapbIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 2, 2, 1, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: lapbIndex.setStatus('mandatory')
lapbModeT1 = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 2, 2, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 1))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: lapbModeT1.setStatus('mandatory')
lapbAutoT1value = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 2, 2, 1, 3), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: lapbAutoT1value.setStatus('mandatory')
lapbManualT1value = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 2, 2, 1, 4), Integer32().subtype(subtypeSpec=ValueRangeConstraint(10, 5000))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: lapbManualT1value.setStatus('mandatory')
lapbWindow = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 2, 2, 1, 5), Integer32().subtype(subtypeSpec=ValueRangeConstraint(7, 127))).setMaxAccess("readonly")
if mibBuilder.loadTexts: lapbWindow.setStatus('mandatory')
lapbPolarity = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 2, 2, 1, 6), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 1))).setMaxAccess("readonly")
if mibBuilder.loadTexts: lapbPolarity.setStatus('mandatory')
lapbCountResets = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 2, 2, 1, 7), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: lapbCountResets.setStatus('mandatory')
lapbCountSentFrames = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 2, 2, 1, 8), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: lapbCountSentFrames.setStatus('mandatory')
lapbCountRcvFrames = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 2, 2, 1, 9), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: lapbCountRcvFrames.setStatus('mandatory')
lapbCountSentOctets = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 2, 2, 1, 10), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: lapbCountSentOctets.setStatus('mandatory')
lapbCountRcvOctets = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 2, 2, 1, 11), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: lapbCountRcvOctets.setStatus('mandatory')
lapbCountAborts = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 2, 2, 1, 12), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: lapbCountAborts.setStatus('mandatory')
lapbCountCrcErrors = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 2, 2, 1, 13), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: lapbCountCrcErrors.setStatus('mandatory')
lapbState = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 2, 2, 1, 14), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: lapbState.setStatus('mandatory')
lapbLastResetTime = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 2, 2, 1, 15), OctetString().subtype(subtypeSpec=ValueSizeConstraint(13, 13)).setFixedLength(13)).setMaxAccess("readonly")
if mibBuilder.loadTexts: lapbLastResetTime.setStatus('mandatory')
lapbLastResetReason = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 2, 2, 1, 16), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 8))).setMaxAccess("readonly")
if mibBuilder.loadTexts: lapbLastResetReason.setStatus('mandatory')
lapbLinkReset = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 2, 2, 1, 17), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("noAction", 1), ("reset", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: lapbLinkReset.setStatus('mandatory')
lapbRetryCount = MibScalar((1, 3, 6, 1, 4, 1, 72, 2, 3), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: lapbRetryCount.setStatus('mandatory')
ieee8023Number = MibScalar((1, 3, 6, 1, 4, 1, 72, 3, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ieee8023Number.setStatus('mandatory')
ieee8023Table = MibTable((1, 3, 6, 1, 4, 1, 72, 3, 2), )
if mibBuilder.loadTexts: ieee8023Table.setStatus('mandatory')
ieee8023Entry = MibTableRow((1, 3, 6, 1, 4, 1, 72, 3, 2, 1), ).setIndexNames((0, "RETIX-MIB", "ieee8023Index"))
if mibBuilder.loadTexts: ieee8023Entry.setStatus('mandatory')
ieee8023Index = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 3, 2, 1, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ieee8023Index.setStatus('mandatory')
ieee8023FramesTransmittedOks = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 3, 2, 1, 2), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ieee8023FramesTransmittedOks.setStatus('mandatory')
ieee8023SingleCollisionFrames = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 3, 2, 1, 3), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ieee8023SingleCollisionFrames.setStatus('mandatory')
ieee8023MultipleCollisionFrames = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 3, 2, 1, 4), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ieee8023MultipleCollisionFrames.setStatus('mandatory')
ieee8023OctetsTransmittedOks = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 3, 2, 1, 5), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ieee8023OctetsTransmittedOks.setStatus('mandatory')
ieee8023DeferredTransmissions = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 3, 2, 1, 6), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ieee8023DeferredTransmissions.setStatus('mandatory')
ieee8023MulticastFramesTransmittedOks = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 3, 2, 1, 7), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ieee8023MulticastFramesTransmittedOks.setStatus('mandatory')
ieee8023BroadcastFramesTransmittedOks = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 3, 2, 1, 8), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ieee8023BroadcastFramesTransmittedOks.setStatus('mandatory')
ieee8023LateCollisions = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 3, 2, 1, 9), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ieee8023LateCollisions.setStatus('mandatory')
ieee8023ExcessiveCollisions = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 3, 2, 1, 10), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ieee8023ExcessiveCollisions.setStatus('mandatory')
ieee8023InternalMACTransmitErrors = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 3, 2, 1, 11), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ieee8023InternalMACTransmitErrors.setStatus('mandatory')
ieee8023CarrierSenseErrors = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 3, 2, 1, 12), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ieee8023CarrierSenseErrors.setStatus('mandatory')
ieee8023ExcessiveDeferrals = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 3, 2, 1, 13), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ieee8023ExcessiveDeferrals.setStatus('mandatory')
ieee8023FramesReceivedOks = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 3, 2, 1, 14), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ieee8023FramesReceivedOks.setStatus('mandatory')
ieee8023OctetsReceivedOks = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 3, 2, 1, 15), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ieee8023OctetsReceivedOks.setStatus('mandatory')
ieee8023MulticastFramesReceivedOks = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 3, 2, 1, 16), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ieee8023MulticastFramesReceivedOks.setStatus('mandatory')
ieee8023BroadcastFramesReceivedOks = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 3, 2, 1, 17), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ieee8023BroadcastFramesReceivedOks.setStatus('mandatory')
ieee8023FrameTooLongs = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 3, 2, 1, 18), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ieee8023FrameTooLongs.setStatus('mandatory')
ieee8023AlignmentErrors = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 3, 2, 1, 19), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ieee8023AlignmentErrors.setStatus('mandatory')
ieee8023FCSErrors = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 3, 2, 1, 20), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ieee8023FCSErrors.setStatus('mandatory')
ieee8023inRangeLengthErrors = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 3, 2, 1, 21), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ieee8023inRangeLengthErrors.setStatus('mandatory')
ieee8023outOfRangeLengthFields = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 3, 2, 1, 22), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ieee8023outOfRangeLengthFields.setStatus('mandatory')
ieee8023InternalMACReceiveErrors = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 3, 2, 1, 23), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ieee8023InternalMACReceiveErrors.setStatus('mandatory')
ieee8023InitializeMAC = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 3, 2, 1, 24), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1))).clone(namedValues=NamedValues(("initialize", 1)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ieee8023InitializeMAC.setStatus('mandatory')
ieee8023PromiscuousReceiveStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 3, 2, 1, 25), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1))).clone(namedValues=NamedValues(("enabled", 1)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ieee8023PromiscuousReceiveStatus.setStatus('mandatory')
ieee8023MACSubLayerStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 3, 2, 1, 26), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1))).clone(namedValues=NamedValues(("enabled", 1)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ieee8023MACSubLayerStatus.setStatus('mandatory')
ieee8023TransmitStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 3, 2, 1, 27), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enabled", 1), ("disabled", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ieee8023TransmitStatus.setStatus('mandatory')
ieee8023MulticastReceiveStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 3, 2, 1, 28), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1))).clone(namedValues=NamedValues(("enabled", 1)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ieee8023MulticastReceiveStatus.setStatus('mandatory')
ieee8023MACAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 3, 2, 1, 29), OctetString().subtype(subtypeSpec=ValueSizeConstraint(6, 6)).setFixedLength(6)).setMaxAccess("readonly")
if mibBuilder.loadTexts: ieee8023MACAddress.setStatus('mandatory')
ieee8023SQETestErrors = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 3, 2, 1, 30), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ieee8023SQETestErrors.setStatus('mandatory')
ieee8023NewMACAddress = MibTable((1, 3, 6, 1, 4, 1, 72, 3, 3), )
if mibBuilder.loadTexts: ieee8023NewMACAddress.setStatus('mandatory')
ieee8023NewMACAddressEntry = MibTableRow((1, 3, 6, 1, 4, 1, 72, 3, 3, 1), ).setIndexNames((0, "RETIX-MIB", "ieee8023NewMACAddressIndex"))
if mibBuilder.loadTexts: ieee8023NewMACAddressEntry.setStatus('mandatory')
ieee8023NewMACAddressIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 3, 3, 1, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ieee8023NewMACAddressIndex.setStatus('mandatory')
ieee8023NewMACAddressValue = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 3, 3, 1, 2), OctetString().subtype(subtypeSpec=ValueSizeConstraint(6, 6)).setFixedLength(6)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ieee8023NewMACAddressValue.setStatus('mandatory')
phySerIfNumber = MibScalar((1, 3, 6, 1, 4, 1, 72, 4, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: phySerIfNumber.setStatus('mandatory')
phySerIfTable = MibTable((1, 3, 6, 1, 4, 1, 72, 4, 2), )
if mibBuilder.loadTexts: phySerIfTable.setStatus('mandatory')
phySerIfEntry = MibTableRow((1, 3, 6, 1, 4, 1, 72, 4, 2, 1), ).setIndexNames((0, "RETIX-MIB", "phySerIfIndex"))
if mibBuilder.loadTexts: phySerIfEntry.setStatus('mandatory')
phySerIfIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 4, 2, 1, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: phySerIfIndex.setStatus('mandatory')
phySerIfInterfaceType = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 4, 2, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=NamedValues(("x21dte", 1), ("x21dce", 2), ("rs449", 3), ("g703", 4), ("v35", 5), ("v35btb", 6), ("rs232", 7), ("t1", 8)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: phySerIfInterfaceType.setStatus('mandatory')
phySerIfMeasuredSpeed = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 4, 2, 1, 3), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: phySerIfMeasuredSpeed.setStatus('mandatory')
phySerIfIsSpeedsettable = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 4, 2, 1, 4), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 1))).setMaxAccess("readonly")
if mibBuilder.loadTexts: phySerIfIsSpeedsettable.setStatus('mandatory')
phySerIfPortSpeed = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 4, 2, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1200, 2400, 4800, 9600, 19200, 24000, 32000, 48000, 64000, 256000, 512000, 1024000, 2048000))).clone(namedValues=NamedValues(("b1200", 1200), ("b2400", 2400), ("b4800", 4800), ("b9600", 9600), ("b19200", 19200), ("b24000", 24000), ("b32000", 32000), ("b48000", 48000), ("b64000", 64000), ("b256000", 256000), ("b512000", 512000), ("b1024000", 1024000), ("b2048000", 2048000)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: phySerIfPortSpeed.setStatus('mandatory')
phySerIfTransitDelay = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 4, 2, 1, 6), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: phySerIfTransitDelay.setStatus('mandatory')
phySerIfT1clockSource = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 4, 2, 1, 7), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: phySerIfT1clockSource.setStatus('mandatory')
phySerIfT1SlotLvalue = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 4, 2, 1, 8), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 24))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: phySerIfT1SlotLvalue.setStatus('mandatory')
phySerIfT1SlotHvalue = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 4, 2, 1, 9), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 24))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: phySerIfT1SlotHvalue.setStatus('mandatory')
phySerIfT1dRatePerChan = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 4, 2, 1, 10), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 1))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: phySerIfT1dRatePerChan.setStatus('mandatory')
phySerIfT1frameAndCode = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 4, 2, 1, 11), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 3))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: phySerIfT1frameAndCode.setStatus('mandatory')
phySerIfPartnerAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 4, 2, 1, 12), OctetString().subtype(subtypeSpec=ValueSizeConstraint(0, 6))).setMaxAccess("readonly")
if mibBuilder.loadTexts: phySerIfPartnerAddress.setStatus('mandatory')
mlinkNumber = MibScalar((1, 3, 6, 1, 4, 1, 72, 5, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mlinkNumber.setStatus('mandatory')
mlinkTable = MibTable((1, 3, 6, 1, 4, 1, 72, 5, 2), )
if mibBuilder.loadTexts: mlinkTable.setStatus('mandatory')
mlinkEntry = MibTableRow((1, 3, 6, 1, 4, 1, 72, 5, 2, 1), ).setIndexNames((0, "RETIX-MIB", "mlinkIndex"))
if mibBuilder.loadTexts: mlinkEntry.setStatus('mandatory')
mlinkIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 5, 2, 1, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mlinkIndex.setStatus('mandatory')
mlinkState = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 5, 2, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 3))).setMaxAccess("readonly")
if mibBuilder.loadTexts: mlinkState.setStatus('mandatory')
mlinkSendSeq = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 5, 2, 1, 3), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mlinkSendSeq.setStatus('mandatory')
mlinkRcvSeq = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 5, 2, 1, 4), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mlinkRcvSeq.setStatus('mandatory')
mlinkSendUpperEdge = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 5, 2, 1, 5), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mlinkSendUpperEdge.setStatus('mandatory')
mlinkRcvUpperEdge = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 5, 2, 1, 6), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mlinkRcvUpperEdge.setStatus('mandatory')
mlinkLostFrames = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 5, 2, 1, 7), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mlinkLostFrames.setStatus('mandatory')
deletedMlinkFrames = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 5, 2, 1, 8), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: deletedMlinkFrames.setStatus('mandatory')
expressQueueCurrentLength = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 5, 2, 1, 9), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: expressQueueCurrentLength.setStatus('mandatory')
expressQueueUpperLimit = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 5, 2, 1, 10), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: expressQueueUpperLimit.setStatus('mandatory')
hiPriQueueCurrentLength = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 5, 2, 1, 11), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hiPriQueueCurrentLength.setStatus('mandatory')
hiPriQueueUpperLimit = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 5, 2, 1, 12), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hiPriQueueUpperLimit.setStatus('mandatory')
loPriQueueCurrentLength = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 5, 2, 1, 13), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: loPriQueueCurrentLength.setStatus('mandatory')
loPriQueueUpperLimit = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 5, 2, 1, 14), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: loPriQueueUpperLimit.setStatus('mandatory')
mlinkWindow = MibScalar((1, 3, 6, 1, 4, 1, 72, 5, 3), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mlinkWindow.setStatus('mandatory')
mlinkRxTimeout = MibScalar((1, 3, 6, 1, 4, 1, 72, 5, 4), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mlinkRxTimeout.setStatus('mandatory')
lanInterfaceType = MibScalar((1, 3, 6, 1, 4, 1, 72, 6, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("tenBase5", 1), ("oneBase5", 2), ("tenBase2", 3)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: lanInterfaceType.setStatus('mandatory')
portNumber = MibScalar((1, 3, 6, 1, 4, 1, 72, 7, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: portNumber.setStatus('mandatory')
bridgeStatsTable = MibTable((1, 3, 6, 1, 4, 1, 72, 7, 2), )
if mibBuilder.loadTexts: bridgeStatsTable.setStatus('mandatory')
bridgeStatsEntry = MibTableRow((1, 3, 6, 1, 4, 1, 72, 7, 2, 1), ).setIndexNames((0, "RETIX-MIB", "bridgeStatsIndex"))
if mibBuilder.loadTexts: bridgeStatsEntry.setStatus('mandatory')
bridgeStatsIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 7, 2, 1, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: bridgeStatsIndex.setStatus('mandatory')
averageForwardedFrames = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 7, 2, 1, 2), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: averageForwardedFrames.setStatus('mandatory')
maxForwardedFrames = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 7, 2, 1, 3), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: maxForwardedFrames.setStatus('mandatory')
averageRejectedFrames = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 7, 2, 1, 4), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: averageRejectedFrames.setStatus('mandatory')
maxRejectedFrames = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 7, 2, 1, 5), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: maxRejectedFrames.setStatus('mandatory')
lanAccepts = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 7, 2, 1, 6), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: lanAccepts.setStatus('mandatory')
lanRejects = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 7, 2, 1, 7), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: lanRejects.setStatus('mandatory')
deletedLanFrames = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 7, 2, 1, 8), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: deletedLanFrames.setStatus('mandatory')
stpTable = MibTable((1, 3, 6, 1, 4, 1, 72, 7, 3), )
if mibBuilder.loadTexts: stpTable.setStatus('mandatory')
stpEntry = MibTableRow((1, 3, 6, 1, 4, 1, 72, 7, 3, 1), ).setIndexNames((0, "RETIX-MIB", "stpIndex"))
if mibBuilder.loadTexts: stpEntry.setStatus('mandatory')
stpIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 7, 3, 1, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: stpIndex.setStatus('mandatory')
pathCostMode = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 7, 3, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 1))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: pathCostMode.setStatus('mandatory')
pathCostAutoValue = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 7, 3, 1, 3), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: pathCostAutoValue.setStatus('mandatory')
pathCostManualValue = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 7, 3, 1, 4), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: pathCostManualValue.setStatus('mandatory')
portSpatState = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 7, 3, 1, 5), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: portSpatState.setStatus('mandatory')
portPriorityMode = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 7, 3, 1, 6), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 1))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: portPriorityMode.setStatus('mandatory')
portPriorityAutoValue = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 7, 3, 1, 7), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: portPriorityAutoValue.setStatus('mandatory')
portPriorityManualValue = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 7, 3, 1, 8), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 255))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: portPriorityManualValue.setStatus('mandatory')
spanningTree = MibScalar((1, 3, 6, 1, 4, 1, 72, 7, 4), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 1))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: spanningTree.setStatus('mandatory')
spatPriority = MibScalar((1, 3, 6, 1, 4, 1, 72, 7, 5), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: spatPriority.setStatus('mandatory')
spatHelloTimer = MibScalar((1, 3, 6, 1, 4, 1, 72, 7, 6), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 10))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: spatHelloTimer.setStatus('mandatory')
spatResetTimer = MibScalar((1, 3, 6, 1, 4, 1, 72, 7, 7), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 1800))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: spatResetTimer.setStatus('mandatory')
spatVersion = MibScalar((1, 3, 6, 1, 4, 1, 72, 7, 8), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(3, 8))).clone(namedValues=NamedValues(("revisionC", 3), ("revision8", 8)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: spatVersion.setStatus('mandatory')
spanningMcastAddr = MibScalar((1, 3, 6, 1, 4, 1, 72, 7, 9), OctetString().subtype(subtypeSpec=ValueSizeConstraint(6, 6)).setFixedLength(6)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: spanningMcastAddr.setStatus('mandatory')
operatingMode = MibScalar((1, 3, 6, 1, 4, 1, 72, 7, 10), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 1))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: operatingMode.setStatus('mandatory')
preconfSourceFilter = MibScalar((1, 3, 6, 1, 4, 1, 72, 7, 11), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 1))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: preconfSourceFilter.setStatus('mandatory')
typeFilter = MibScalar((1, 3, 6, 1, 4, 1, 72, 7, 12), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 1))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: typeFilter.setStatus('mandatory')
typePrioritisation = MibScalar((1, 3, 6, 1, 4, 1, 72, 7, 13), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 1))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: typePrioritisation.setStatus('mandatory')
dynamicLearningInLM = MibScalar((1, 3, 6, 1, 4, 1, 72, 7, 14), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 1))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dynamicLearningInLM.setStatus('mandatory')
forgetAddressTimer = MibScalar((1, 3, 6, 1, 4, 1, 72, 7, 15), Integer32().subtype(subtypeSpec=ValueRangeConstraint(24, 1000))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: forgetAddressTimer.setStatus('mandatory')
deleteAddressTimer = MibScalar((1, 3, 6, 1, 4, 1, 72, 7, 16), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 20000))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: deleteAddressTimer.setStatus('mandatory')
multicastDisposition = MibScalar((1, 3, 6, 1, 4, 1, 72, 7, 17), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 1))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: multicastDisposition.setStatus('mandatory')
filterMatches = MibScalar((1, 3, 6, 1, 4, 1, 72, 7, 18), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 1))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: filterMatches.setStatus('mandatory')
ieeeFormatFilter = MibScalar((1, 3, 6, 1, 4, 1, 72, 7, 19), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 1))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ieeeFormatFilter.setStatus('mandatory')
priorityMatches = MibScalar((1, 3, 6, 1, 4, 1, 72, 7, 20), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 1))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: priorityMatches.setStatus('mandatory')
ieeeFormatPriority = MibScalar((1, 3, 6, 1, 4, 1, 72, 7, 21), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 1))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ieeeFormatPriority.setStatus('mandatory')
averagePeriod = MibScalar((1, 3, 6, 1, 4, 1, 72, 7, 22), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: averagePeriod.setStatus('mandatory')
triangulation = MibScalar((1, 3, 6, 1, 4, 1, 72, 7, 23), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 1))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: triangulation.setStatus('mandatory')
adaptiveRouting = MibScalar((1, 3, 6, 1, 4, 1, 72, 7, 24), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 1))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: adaptiveRouting.setStatus('mandatory')
adaptiveMcastAddr = MibScalar((1, 3, 6, 1, 4, 1, 72, 7, 25), OctetString().subtype(subtypeSpec=ValueSizeConstraint(6, 6)).setFixedLength(6)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: adaptiveMcastAddr.setStatus('mandatory')
arAddressInfo = MibIdentifier((1, 3, 6, 1, 4, 1, 72, 7, 26))
standbyRemote = MibScalar((1, 3, 6, 1, 4, 1, 72, 7, 26, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: standbyRemote.setStatus('mandatory')
standbyLocal = MibScalar((1, 3, 6, 1, 4, 1, 72, 7, 26, 2), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: standbyLocal.setStatus('mandatory')
activeRemote = MibScalar((1, 3, 6, 1, 4, 1, 72, 7, 26, 3), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: activeRemote.setStatus('mandatory')
activeLocal = MibScalar((1, 3, 6, 1, 4, 1, 72, 7, 26, 4), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: activeLocal.setStatus('mandatory')
maxSerialLoading = MibScalar((1, 3, 6, 1, 4, 1, 72, 7, 27), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: maxSerialLoading.setStatus('mandatory')
serialLoadPeriod = MibScalar((1, 3, 6, 1, 4, 1, 72, 7, 28), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(10, 20, 30, 40, 50, 60))).clone(namedValues=NamedValues(("ten", 10), ("twenty", 20), ("thirty", 30), ("forty", 40), ("fifty", 50), ("sixty", 60)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: serialLoadPeriod.setStatus('mandatory')
serialLoading = MibScalar((1, 3, 6, 1, 4, 1, 72, 7, 29), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: serialLoading.setStatus('mandatory')
filteringDataBaseTable = MibIdentifier((1, 3, 6, 1, 4, 1, 72, 7, 30))
filteringDbTable = MibTable((1, 3, 6, 1, 4, 1, 72, 7, 30, 1), )
if mibBuilder.loadTexts: filteringDbTable.setStatus('mandatory')
filteringDbEntry = MibTableRow((1, 3, 6, 1, 4, 1, 72, 7, 30, 1, 1), ).setIndexNames((0, "RETIX-MIB", "filteringDbMacAddress"))
if mibBuilder.loadTexts: filteringDbEntry.setStatus('mandatory')
filteringDbMacAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 7, 30, 1, 1, 1), OctetString().subtype(subtypeSpec=ValueSizeConstraint(6, 6)).setFixedLength(6)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: filteringDbMacAddress.setStatus('mandatory')
filteringDbDisposition = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 7, 30, 1, 1, 2), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: filteringDbDisposition.setStatus('mandatory')
filteringDbStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 7, 30, 1, 1, 3), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: filteringDbStatus.setStatus('mandatory')
filteringDbType = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 7, 30, 1, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("valid", 1), ("invalid", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: filteringDbType.setStatus('mandatory')
filteringDbAction = MibScalar((1, 3, 6, 1, 4, 1, 72, 7, 30, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("noAction", 1), ("clearTable", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: filteringDbAction.setStatus('mandatory')
priorityTable = MibIdentifier((1, 3, 6, 1, 4, 1, 72, 7, 31))
prioritySubTable = MibTable((1, 3, 6, 1, 4, 1, 72, 7, 31, 1), )
if mibBuilder.loadTexts: prioritySubTable.setStatus('mandatory')
priorityTableEntry = MibTableRow((1, 3, 6, 1, 4, 1, 72, 7, 31, 1, 1), ).setIndexNames((0, "RETIX-MIB", "priorityTableEntryValue"))
if mibBuilder.loadTexts: priorityTableEntry.setStatus('mandatory')
priorityTableEntryValue = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 7, 31, 1, 1, 1), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: priorityTableEntryValue.setStatus('mandatory')
priorityTableEntryType = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 7, 31, 1, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("valid", 1), ("invalid", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: priorityTableEntryType.setStatus('mandatory')
priorityTableAction = MibScalar((1, 3, 6, 1, 4, 1, 72, 7, 31, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("noAction", 1), ("clearTable", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: priorityTableAction.setStatus('mandatory')
priorityPage = MibScalar((1, 3, 6, 1, 4, 1, 72, 7, 31, 3), OctetString().subtype(subtypeSpec=ValueSizeConstraint(16, 16)).setFixedLength(16)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: priorityPage.setStatus('optional')
filterTable = MibIdentifier((1, 3, 6, 1, 4, 1, 72, 7, 32))
filterSubTable = MibTable((1, 3, 6, 1, 4, 1, 72, 7, 32, 1), )
if mibBuilder.loadTexts: filterSubTable.setStatus('mandatory')
filterTableEntry = MibTableRow((1, 3, 6, 1, 4, 1, 72, 7, 32, 1, 1), ).setIndexNames((0, "RETIX-MIB", "filterTableEntryValue"))
if mibBuilder.loadTexts: filterTableEntry.setStatus('mandatory')
filterTableEntryValue = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 7, 32, 1, 1, 1), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: filterTableEntryValue.setStatus('mandatory')
filterTableEntryType = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 7, 32, 1, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("valid", 1), ("invalid", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: filterTableEntryType.setStatus('mandatory')
filterTableAction = MibScalar((1, 3, 6, 1, 4, 1, 72, 7, 32, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("noAction", 1), ("clearTable", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: filterTableAction.setStatus('mandatory')
filterPage = MibScalar((1, 3, 6, 1, 4, 1, 72, 7, 32, 3), OctetString().subtype(subtypeSpec=ValueSizeConstraint(16, 16)).setFixedLength(16)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: filterPage.setStatus('mandatory')
ipRSTable = MibTable((1, 3, 6, 1, 4, 1, 72, 10, 1), )
if mibBuilder.loadTexts: ipRSTable.setStatus('mandatory')
ipRSEntry = MibTableRow((1, 3, 6, 1, 4, 1, 72, 10, 1, 1), ).setIndexNames((0, "RETIX-MIB", "ipRSIndex"))
if mibBuilder.loadTexts: ipRSEntry.setStatus('mandatory')
ipRSIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 10, 1, 1, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ipRSIndex.setStatus('mandatory')
gwProtocol = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 10, 1, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 8))).clone(namedValues=NamedValues(("none", 1), ("rip", 8)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: gwProtocol.setStatus('mandatory')
ifStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 10, 1, 1, 3), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ifStatus.setStatus('mandatory')
receivedTotalDgms = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 10, 1, 1, 4), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: receivedTotalDgms.setStatus('mandatory')
transmittedTotalDgms = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 10, 1, 1, 5), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: transmittedTotalDgms.setStatus('mandatory')
outDiscardsTotalDgms = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 10, 1, 1, 6), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: outDiscardsTotalDgms.setStatus('mandatory')
noRouteTotalDgms = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 10, 1, 1, 7), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: noRouteTotalDgms.setStatus('mandatory')
icmpRSTable = MibIdentifier((1, 3, 6, 1, 4, 1, 72, 10, 2))
destUnreachLastRx = MibScalar((1, 3, 6, 1, 4, 1, 72, 10, 2, 1), OctetString().subtype(subtypeSpec=ValueSizeConstraint(13, 13)).setFixedLength(13)).setMaxAccess("readonly")
if mibBuilder.loadTexts: destUnreachLastRx.setStatus('mandatory')
destUnreachLastTx = MibScalar((1, 3, 6, 1, 4, 1, 72, 10, 2, 2), OctetString().subtype(subtypeSpec=ValueSizeConstraint(13, 13)).setFixedLength(13)).setMaxAccess("readonly")
if mibBuilder.loadTexts: destUnreachLastTx.setStatus('mandatory')
sourceQuenchLastRx = MibScalar((1, 3, 6, 1, 4, 1, 72, 10, 2, 3), OctetString().subtype(subtypeSpec=ValueSizeConstraint(13, 13)).setFixedLength(13)).setMaxAccess("readonly")
if mibBuilder.loadTexts: sourceQuenchLastRx.setStatus('mandatory')
sourceQuenchLastTx = MibScalar((1, 3, 6, 1, 4, 1, 72, 10, 2, 4), OctetString().subtype(subtypeSpec=ValueSizeConstraint(13, 13)).setFixedLength(13)).setMaxAccess("readonly")
if mibBuilder.loadTexts: sourceQuenchLastTx.setStatus('mandatory')
redirectsLastRx = MibScalar((1, 3, 6, 1, 4, 1, 72, 10, 2, 5), OctetString().subtype(subtypeSpec=ValueSizeConstraint(13, 13)).setFixedLength(13)).setMaxAccess("readonly")
if mibBuilder.loadTexts: redirectsLastRx.setStatus('mandatory')
redirectsLastTx = MibScalar((1, 3, 6, 1, 4, 1, 72, 10, 2, 6), OctetString().subtype(subtypeSpec=ValueSizeConstraint(13, 13)).setFixedLength(13)).setMaxAccess("readonly")
if mibBuilder.loadTexts: redirectsLastTx.setStatus('mandatory')
echoRequestsLastRx = MibScalar((1, 3, 6, 1, 4, 1, 72, 10, 2, 7), OctetString().subtype(subtypeSpec=ValueSizeConstraint(13, 13)).setFixedLength(13)).setMaxAccess("readonly")
if mibBuilder.loadTexts: echoRequestsLastRx.setStatus('mandatory')
echoRequestsLastTx = MibScalar((1, 3, 6, 1, 4, 1, 72, 10, 2, 8), OctetString().subtype(subtypeSpec=ValueSizeConstraint(13, 13)).setFixedLength(13)).setMaxAccess("readonly")
if mibBuilder.loadTexts: echoRequestsLastTx.setStatus('mandatory')
timeExceededLastRx = MibScalar((1, 3, 6, 1, 4, 1, 72, 10, 2, 9), OctetString().subtype(subtypeSpec=ValueSizeConstraint(13, 13)).setFixedLength(13)).setMaxAccess("readonly")
if mibBuilder.loadTexts: timeExceededLastRx.setStatus('mandatory')
timeExceededLastTx = MibScalar((1, 3, 6, 1, 4, 1, 72, 10, 2, 10), OctetString().subtype(subtypeSpec=ValueSizeConstraint(13, 13)).setFixedLength(13)).setMaxAccess("readonly")
if mibBuilder.loadTexts: timeExceededLastTx.setStatus('mandatory')
paramProbLastRx = MibScalar((1, 3, 6, 1, 4, 1, 72, 10, 2, 11), OctetString().subtype(subtypeSpec=ValueSizeConstraint(13, 13)).setFixedLength(13)).setMaxAccess("readonly")
if mibBuilder.loadTexts: paramProbLastRx.setStatus('mandatory')
paramProbLastTx = MibScalar((1, 3, 6, 1, 4, 1, 72, 10, 2, 12), OctetString().subtype(subtypeSpec=ValueSizeConstraint(13, 13)).setFixedLength(13)).setMaxAccess("readonly")
if mibBuilder.loadTexts: paramProbLastTx.setStatus('mandatory')
ipRouting = MibScalar((1, 3, 6, 1, 4, 1, 72, 10, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 1))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ipRouting.setStatus('mandatory')
bootpRetryCount = MibScalar((1, 3, 6, 1, 4, 1, 72, 11, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: bootpRetryCount.setStatus('mandatory')
downloadRetryCount = MibScalar((1, 3, 6, 1, 4, 1, 72, 11, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: downloadRetryCount.setStatus('mandatory')
downloadFilename = MibScalar((1, 3, 6, 1, 4, 1, 72, 11, 3), OctetString().subtype(subtypeSpec=ValueSizeConstraint(0, 128))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: downloadFilename.setStatus('mandatory')
bootserverIpAddress = MibScalar((1, 3, 6, 1, 4, 1, 72, 11, 4), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: bootserverIpAddress.setStatus('mandatory')
loadserverIpAddress = MibScalar((1, 3, 6, 1, 4, 1, 72, 11, 5), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: loadserverIpAddress.setStatus('mandatory')
uniqueBroadcastAddress = MibScalar((1, 3, 6, 1, 4, 1, 72, 11, 6), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: uniqueBroadcastAddress.setStatus('mandatory')
tftpRetryCount = MibScalar((1, 3, 6, 1, 4, 1, 72, 11, 7), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: tftpRetryCount.setStatus('mandatory')
tftpRetryPeriod = MibScalar((1, 3, 6, 1, 4, 1, 72, 11, 8), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: tftpRetryPeriod.setStatus('mandatory')
initiateBootpDll = MibScalar((1, 3, 6, 1, 4, 1, 72, 11, 9), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("noAction", 1), ("initiateBoot", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: initiateBootpDll.setStatus('mandatory')
boothelperEnabled = MibScalar((1, 3, 6, 1, 4, 1, 72, 12, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 1))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: boothelperEnabled.setStatus('mandatory')
boothelperHopsLimit = MibScalar((1, 3, 6, 1, 4, 1, 72, 12, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 255))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: boothelperHopsLimit.setStatus('mandatory')
boothelperForwardingAddress = MibScalar((1, 3, 6, 1, 4, 1, 72, 12, 3), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: boothelperForwardingAddress.setStatus('mandatory')
ipxRouting = MibScalar((1, 3, 6, 1, 4, 1, 72, 13, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 1))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ipxRouting.setStatus('mandatory')
ipxIfNumber = MibScalar((1, 3, 6, 1, 4, 1, 72, 13, 1, 2), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ipxIfNumber.setStatus('mandatory')
ipxIfTable = MibTable((1, 3, 6, 1, 4, 1, 72, 13, 1, 3), )
if mibBuilder.loadTexts: ipxIfTable.setStatus('mandatory')
ipxIfEntry = MibTableRow((1, 3, 6, 1, 4, 1, 72, 13, 1, 3, 1), ).setIndexNames((0, "RETIX-MIB", "ipxIfIndex"))
if mibBuilder.loadTexts: ipxIfEntry.setStatus('mandatory')
ipxIfIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 13, 1, 3, 1, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ipxIfIndex.setStatus('mandatory')
ipxIfNwkNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 13, 1, 3, 1, 2), OctetString().subtype(subtypeSpec=ValueSizeConstraint(8, 8)).setFixedLength(8)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ipxIfNwkNumber.setStatus('mandatory')
ipxIfIPXAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 13, 1, 3, 1, 3), OctetString().subtype(subtypeSpec=ValueSizeConstraint(26, 26)).setFixedLength(26)).setMaxAccess("readonly")
if mibBuilder.loadTexts: ipxIfIPXAddress.setStatus('mandatory')
ipxIfEncapsulation = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 13, 1, 3, 1, 4), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 6))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ipxIfEncapsulation.setStatus('mandatory')
ipxIfDelay = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 13, 1, 3, 1, 5), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ipxIfDelay.setStatus('mandatory')
ipxRoutingTable = MibTable((1, 3, 6, 1, 4, 1, 72, 13, 1, 4), )
if mibBuilder.loadTexts: ipxRoutingTable.setStatus('mandatory')
ipxRITEntry = MibTableRow((1, 3, 6, 1, 4, 1, 72, 13, 1, 4, 1), ).setIndexNames((0, "RETIX-MIB", "ipxRITDestNwkNumber"))
if mibBuilder.loadTexts: ipxRITEntry.setStatus('mandatory')
ipxRITDestNwkNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 13, 1, 4, 1, 1), OctetString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ipxRITDestNwkNumber.setStatus('mandatory')
ipxRITGwyHostAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 13, 1, 4, 1, 2), OctetString().subtype(subtypeSpec=ValueSizeConstraint(10, 10)).setFixedLength(10)).setMaxAccess("readonly")
if mibBuilder.loadTexts: ipxRITGwyHostAddress.setStatus('mandatory')
ipxRITHopCount = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 13, 1, 4, 1, 3), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ipxRITHopCount.setStatus('mandatory')
ipxRITDelay = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 13, 1, 4, 1, 4), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ipxRITDelay.setStatus('mandatory')
ipxRITInterface = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 13, 1, 4, 1, 5), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ipxRITInterface.setStatus('mandatory')
ipxRITDirectConnect = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 13, 1, 4, 1, 6), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ipxRITDirectConnect.setStatus('mandatory')
ipxSAPBinderyTable = MibTable((1, 3, 6, 1, 4, 1, 72, 13, 1, 5), )
if mibBuilder.loadTexts: ipxSAPBinderyTable.setStatus('mandatory')
ipxSAPBinderyEntry = MibTableRow((1, 3, 6, 1, 4, 1, 72, 13, 1, 5, 1), ).setIndexNames((0, "RETIX-MIB", "ipxSAPBinderyType"), (0, "RETIX-MIB", "ipxSAPBinderyServerIPXAddress"))
if mibBuilder.loadTexts: ipxSAPBinderyEntry.setStatus('mandatory')
ipxSAPBinderyType = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 13, 1, 5, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 36, 71, 65535))).clone(namedValues=NamedValues(("user", 1), ("userGroup", 2), ("printQueue", 3), ("fileServer", 4), ("jobServer", 5), ("gateway", 6), ("printServer", 7), ("archiveQueue", 8), ("archiveServer", 9), ("jobQueue", 10), ("administration", 11), ("remoteBridgeServer", 36), ("advertizingPrintServer", 71), ("wild", 65535)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: ipxSAPBinderyType.setStatus('mandatory')
ipxSAPBinderyServerIPXAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 13, 1, 5, 1, 2), OctetString().subtype(subtypeSpec=ValueSizeConstraint(26, 26)).setFixedLength(26)).setMaxAccess("readonly")
if mibBuilder.loadTexts: ipxSAPBinderyServerIPXAddress.setStatus('mandatory')
ipxSAPBinderyServerName = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 13, 1, 5, 1, 3), OctetString().subtype(subtypeSpec=ValueSizeConstraint(0, 48))).setMaxAccess("readonly")
if mibBuilder.loadTexts: ipxSAPBinderyServerName.setStatus('mandatory')
ipxSAPBinderyHopCount = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 13, 1, 5, 1, 4), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ipxSAPBinderyHopCount.setStatus('mandatory')
ipxSAPBinderySocket = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 13, 1, 5, 1, 5), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ipxSAPBinderySocket.setStatus('mandatory')
ipxReceivedDgms = MibScalar((1, 3, 6, 1, 4, 1, 72, 13, 1, 6), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ipxReceivedDgms.setStatus('mandatory')
ipxTransmittedDgms = MibScalar((1, 3, 6, 1, 4, 1, 72, 13, 1, 7), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ipxTransmittedDgms.setStatus('mandatory')
ipxNotRoutedRxDgms = MibScalar((1, 3, 6, 1, 4, 1, 72, 13, 1, 8), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ipxNotRoutedRxDgms.setStatus('mandatory')
ipxForwardedDgms = MibScalar((1, 3, 6, 1, 4, 1, 72, 13, 1, 9), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ipxForwardedDgms.setStatus('mandatory')
ipxInDelivers = MibScalar((1, 3, 6, 1, 4, 1, 72, 13, 1, 10), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ipxInDelivers.setStatus('mandatory')
ipxInHdrErrors = MibScalar((1, 3, 6, 1, 4, 1, 72, 13, 1, 11), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ipxInHdrErrors.setStatus('mandatory')
ipxAccessViolations = MibScalar((1, 3, 6, 1, 4, 1, 72, 13, 1, 12), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ipxAccessViolations.setStatus('mandatory')
ipxInDiscards = MibScalar((1, 3, 6, 1, 4, 1, 72, 13, 1, 13), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ipxInDiscards.setStatus('mandatory')
ipxOutDiscards = MibScalar((1, 3, 6, 1, 4, 1, 72, 13, 1, 14), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ipxOutDiscards.setStatus('mandatory')
ipxOtherDiscards = MibScalar((1, 3, 6, 1, 4, 1, 72, 13, 1, 15), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ipxOtherDiscards.setStatus('mandatory')
dcntRouting = MibScalar((1, 3, 6, 1, 4, 1, 72, 13, 2, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 1))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dcntRouting.setStatus('mandatory')
dcntIfNumber = MibScalar((1, 3, 6, 1, 4, 1, 72, 13, 2, 2), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dcntIfNumber.setStatus('mandatory')
dcntIfTable = MibTable((1, 3, 6, 1, 4, 1, 72, 13, 2, 3), )
if mibBuilder.loadTexts: dcntIfTable.setStatus('mandatory')
dcntIfTableEntry = MibTableRow((1, 3, 6, 1, 4, 1, 72, 13, 2, 3, 1), ).setIndexNames((0, "RETIX-MIB", "dcntIfIndex"))
if mibBuilder.loadTexts: dcntIfTableEntry.setStatus('mandatory')
dcntIfIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 13, 2, 3, 1, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dcntIfIndex.setStatus('mandatory')
dcntIfCost = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 13, 2, 3, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 1023))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dcntIfCost.setStatus('mandatory')
dcntIfRtrPriority = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 13, 2, 3, 1, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 127))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dcntIfRtrPriority.setStatus('mandatory')
dcntIfDesgntdRtr = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 13, 2, 3, 1, 4), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 1))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dcntIfDesgntdRtr.setStatus('mandatory')
dcntIfHelloTimerBCT3 = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 13, 2, 3, 1, 5), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 8191))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dcntIfHelloTimerBCT3.setStatus('mandatory')
dcntRoutingTable = MibTable((1, 3, 6, 1, 4, 1, 72, 13, 2, 4), )
if mibBuilder.loadTexts: dcntRoutingTable.setStatus('mandatory')
dcntRITEntry = MibTableRow((1, 3, 6, 1, 4, 1, 72, 13, 2, 4, 1), ).setIndexNames((0, "RETIX-MIB", "dcntRITDestNode"))
if mibBuilder.loadTexts: dcntRITEntry.setStatus('mandatory')
dcntRITDestNode = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 13, 2, 4, 1, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dcntRITDestNode.setStatus('mandatory')
dcntRITNextHop = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 13, 2, 4, 1, 2), OctetString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dcntRITNextHop.setStatus('mandatory')
dcntRITCost = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 13, 2, 4, 1, 3), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dcntRITCost.setStatus('mandatory')
dcntRITHops = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 13, 2, 4, 1, 4), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dcntRITHops.setStatus('mandatory')
dcntRITInterface = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 13, 2, 4, 1, 5), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dcntRITInterface.setStatus('mandatory')
dcntAreaRoutingTable = MibTable((1, 3, 6, 1, 4, 1, 72, 13, 2, 5), )
if mibBuilder.loadTexts: dcntAreaRoutingTable.setStatus('mandatory')
dcntAreaRITEntry = MibTableRow((1, 3, 6, 1, 4, 1, 72, 13, 2, 5, 1), ).setIndexNames((0, "RETIX-MIB", "dcntAreaRITDestArea"))
if mibBuilder.loadTexts: dcntAreaRITEntry.setStatus('mandatory')
dcntAreaRITDestArea = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 13, 2, 5, 1, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dcntAreaRITDestArea.setStatus('mandatory')
dcntAreaRITNextHop = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 13, 2, 5, 1, 2), OctetString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dcntAreaRITNextHop.setStatus('mandatory')
dcntAreaRITCost = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 13, 2, 5, 1, 3), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dcntAreaRITCost.setStatus('mandatory')
dcntAreaRITHops = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 13, 2, 5, 1, 4), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dcntAreaRITHops.setStatus('mandatory')
dcntAreaRITInterface = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 13, 2, 5, 1, 5), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dcntAreaRITInterface.setStatus('mandatory')
dcntNodeAddress = MibScalar((1, 3, 6, 1, 4, 1, 72, 13, 2, 6), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dcntNodeAddress.setStatus('mandatory')
dcntInterAreaMaxCost = MibScalar((1, 3, 6, 1, 4, 1, 72, 13, 2, 7), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 1023))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dcntInterAreaMaxCost.setStatus('mandatory')
dcntInterAreaMaxHops = MibScalar((1, 3, 6, 1, 4, 1, 72, 13, 2, 8), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 1023))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dcntInterAreaMaxHops.setStatus('mandatory')
dcntIntraAreaMaxCost = MibScalar((1, 3, 6, 1, 4, 1, 72, 13, 2, 9), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 1023))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dcntIntraAreaMaxCost.setStatus('mandatory')
dcntIntraAreaMaxHops = MibScalar((1, 3, 6, 1, 4, 1, 72, 13, 2, 10), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 1023))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dcntIntraAreaMaxHops.setStatus('mandatory')
dcntMaxVisits = MibScalar((1, 3, 6, 1, 4, 1, 72, 13, 2, 11), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 63))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dcntMaxVisits.setStatus('mandatory')
dcntRtngMsgTimerBCT1 = MibScalar((1, 3, 6, 1, 4, 1, 72, 13, 2, 12), Integer32().subtype(subtypeSpec=ValueRangeConstraint(5, 30))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dcntRtngMsgTimerBCT1.setStatus('mandatory')
dcntRateControlFreqTimerT2 = MibScalar((1, 3, 6, 1, 4, 1, 72, 13, 2, 13), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 5))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dcntRateControlFreqTimerT2.setStatus('mandatory')
dcntReveivedDgms = MibScalar((1, 3, 6, 1, 4, 1, 72, 13, 2, 14), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dcntReveivedDgms.setStatus('mandatory')
dcntForwardedDgms = MibScalar((1, 3, 6, 1, 4, 1, 72, 13, 2, 15), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dcntForwardedDgms.setStatus('mandatory')
dcntOutRequestedDgms = MibScalar((1, 3, 6, 1, 4, 1, 72, 13, 2, 16), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dcntOutRequestedDgms.setStatus('mandatory')
dcntInDiscards = MibScalar((1, 3, 6, 1, 4, 1, 72, 13, 2, 17), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dcntInDiscards.setStatus('mandatory')
dcntOutDiscards = MibScalar((1, 3, 6, 1, 4, 1, 72, 13, 2, 18), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dcntOutDiscards.setStatus('mandatory')
dcntNoRoutes = MibScalar((1, 3, 6, 1, 4, 1, 72, 13, 2, 19), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dcntNoRoutes.setStatus('mandatory')
dcntInHdrErrors = MibScalar((1, 3, 6, 1, 4, 1, 72, 13, 2, 20), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dcntInHdrErrors.setStatus('mandatory')
rmtLapbConfigTable = MibTable((1, 3, 6, 1, 4, 1, 72, 13, 3, 1), )
if mibBuilder.loadTexts: rmtLapbConfigTable.setStatus('mandatory')
rmtLapbCTEntry = MibTableRow((1, 3, 6, 1, 4, 1, 72, 13, 3, 1, 1), ).setIndexNames((0, "RETIX-MIB", "rmtLapbCTIndex"))
if mibBuilder.loadTexts: rmtLapbCTEntry.setStatus('mandatory')
rmtLapbCTIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 13, 3, 1, 1, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: rmtLapbCTIndex.setStatus('mandatory')
rmtLapbCTLinkAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 13, 3, 1, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 1))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: rmtLapbCTLinkAddr.setStatus('mandatory')
rmtLapbCTExtSeqNumbering = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 13, 3, 1, 1, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 1))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: rmtLapbCTExtSeqNumbering.setStatus('mandatory')
rmtLapbCTWindow = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 13, 3, 1, 1, 4), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 127))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: rmtLapbCTWindow.setStatus('mandatory')
rmtLapbCTModeT1 = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 13, 3, 1, 1, 5), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 1))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: rmtLapbCTModeT1.setStatus('mandatory')
rmtLapbCTManualT1Value = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 13, 3, 1, 1, 6), Integer32().subtype(subtypeSpec=ValueRangeConstraint(10, 5000))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: rmtLapbCTManualT1Value.setStatus('mandatory')
rmtLapbCTT3LinkIdleTimer = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 13, 3, 1, 1, 7), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: rmtLapbCTT3LinkIdleTimer.setStatus('mandatory')
rmtLapbCTN2RetryCount = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 13, 3, 1, 1, 8), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 255))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: rmtLapbCTN2RetryCount.setStatus('mandatory')
rmtLapbCTLinkReset = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 13, 3, 1, 1, 9), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("noAction", 1), ("resetLink", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: rmtLapbCTLinkReset.setStatus('mandatory')
rmtLapbCTX25PortLineSpeed = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 13, 3, 1, 1, 10), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1200, 2400, 4800, 9600, 19200, 32000, 48000, 64000))).clone(namedValues=NamedValues(("b1200", 1200), ("b2400", 2400), ("b4800", 4800), ("b9600", 9600), ("b19200", 19200), ("b32000", 32000), ("b48000", 48000), ("b64000", 64000)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: rmtLapbCTX25PortLineSpeed.setStatus('mandatory')
rmtLapbCTInitLinkConnect = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 13, 3, 1, 1, 11), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("noAction", 1), ("connect", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: rmtLapbCTInitLinkConnect.setStatus('mandatory')
rmtLapbStatsTable = MibTable((1, 3, 6, 1, 4, 1, 72, 13, 3, 2), )
if mibBuilder.loadTexts: rmtLapbStatsTable.setStatus('mandatory')
rmtLapbSTEntry = MibTableRow((1, 3, 6, 1, 4, 1, 72, 13, 3, 2, 1), ).setIndexNames((0, "RETIX-MIB", "rmtLapbSTIndex"))
if mibBuilder.loadTexts: rmtLapbSTEntry.setStatus('mandatory')
rmtLapbSTIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 13, 3, 2, 1, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: rmtLapbSTIndex.setStatus('mandatory')
rmtLapbSTState = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 13, 3, 2, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 3))).setMaxAccess("readonly")
if mibBuilder.loadTexts: rmtLapbSTState.setStatus('mandatory')
rmtLapbSTAutoT1value = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 13, 3, 2, 1, 3), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: rmtLapbSTAutoT1value.setStatus('mandatory')
rmtLapbSTLastResetTime = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 13, 3, 2, 1, 4), OctetString().subtype(subtypeSpec=ValueSizeConstraint(13, 13)).setFixedLength(13)).setMaxAccess("readonly")
if mibBuilder.loadTexts: rmtLapbSTLastResetTime.setStatus('mandatory')
rmtLapbSTLastResetReason = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 13, 3, 2, 1, 5), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 8))).setMaxAccess("readonly")
if mibBuilder.loadTexts: rmtLapbSTLastResetReason.setStatus('mandatory')
rmtLapbSTCountResets = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 13, 3, 2, 1, 6), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: rmtLapbSTCountResets.setStatus('mandatory')
rmtLapbSTCountSentFrames = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 13, 3, 2, 1, 7), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: rmtLapbSTCountSentFrames.setStatus('mandatory')
rmtLapbSTCountRcvFrames = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 13, 3, 2, 1, 8), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: rmtLapbSTCountRcvFrames.setStatus('mandatory')
rmtLapbSTCountSentOctets = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 13, 3, 2, 1, 9), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: rmtLapbSTCountSentOctets.setStatus('mandatory')
rmtLapbSTCountRcvOctets = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 13, 3, 2, 1, 10), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: rmtLapbSTCountRcvOctets.setStatus('mandatory')
rmtLapbSTCountAborts = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 13, 3, 2, 1, 11), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: rmtLapbSTCountAborts.setStatus('mandatory')
rmtLapbSTCountCrcErrors = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 13, 3, 2, 1, 12), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: rmtLapbSTCountCrcErrors.setStatus('mandatory')
x25Operation = MibScalar((1, 3, 6, 1, 4, 1, 72, 13, 4, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 1))).setMaxAccess("readonly")
if mibBuilder.loadTexts: x25Operation.setStatus('mandatory')
x25OperNextReset = MibScalar((1, 3, 6, 1, 4, 1, 72, 13, 4, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 1))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: x25OperNextReset.setStatus('mandatory')
x25ConSetupTable = MibTable((1, 3, 6, 1, 4, 1, 72, 13, 4, 3), )
if mibBuilder.loadTexts: x25ConSetupTable.setStatus('mandatory')
x25CSTEntry = MibTableRow((1, 3, 6, 1, 4, 1, 72, 13, 4, 3, 1), ).setIndexNames((0, "RETIX-MIB", "x25CSTIndex"))
if mibBuilder.loadTexts: x25CSTEntry.setStatus('mandatory')
x25CSTIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 13, 4, 3, 1, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: x25CSTIndex.setStatus('mandatory')
x25CST8084Switch = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 13, 4, 3, 1, 2), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: x25CST8084Switch.setStatus('mandatory')
x25CSTSrcDTEAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 13, 4, 3, 1, 3), OctetString().subtype(subtypeSpec=ValueSizeConstraint(15, 15)).setFixedLength(15)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: x25CSTSrcDTEAddr.setStatus('mandatory')
x25CSTDestDTEAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 13, 4, 3, 1, 4), OctetString().subtype(subtypeSpec=ValueSizeConstraint(15, 15)).setFixedLength(15)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: x25CSTDestDTEAddr.setStatus('mandatory')
x25CST2WayLgclChanNum = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 13, 4, 3, 1, 5), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 4095))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: x25CST2WayLgclChanNum.setStatus('mandatory')
x25CSTPktSeqNumFlg = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 13, 4, 3, 1, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 4))).clone(namedValues=NamedValues(("mod8", 1), ("mod128", 4)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: x25CSTPktSeqNumFlg.setStatus('mandatory')
x25CSTFlowCntrlNeg = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 13, 4, 3, 1, 7), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 1))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: x25CSTFlowCntrlNeg.setStatus('mandatory')
x25CSTDefaultWinSize = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 13, 4, 3, 1, 8), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 127))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: x25CSTDefaultWinSize.setStatus('mandatory')
x25CSTDefaultPktSize = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 13, 4, 3, 1, 9), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: x25CSTDefaultPktSize.setStatus('mandatory')
x25CSTNegWinSize = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 13, 4, 3, 1, 10), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 127))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: x25CSTNegWinSize.setStatus('mandatory')
x25CSTNegPktSize = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 13, 4, 3, 1, 11), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: x25CSTNegPktSize.setStatus('mandatory')
x25CSTCUGSub = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 13, 4, 3, 1, 12), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 4))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: x25CSTCUGSub.setStatus('mandatory')
x25CSTLclCUGValue = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 13, 4, 3, 1, 13), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 99))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: x25CSTLclCUGValue.setStatus('mandatory')
x25CSTRvrsChrgReq = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 13, 4, 3, 1, 14), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 1))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: x25CSTRvrsChrgReq.setStatus('mandatory')
x25CSTRvrsChrgAcc = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 13, 4, 3, 1, 15), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 1))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: x25CSTRvrsChrgAcc.setStatus('mandatory')
x25ConControlTable = MibTable((1, 3, 6, 1, 4, 1, 72, 13, 4, 4), )
if mibBuilder.loadTexts: x25ConControlTable.setStatus('mandatory')
x25CCTEntry = MibTableRow((1, 3, 6, 1, 4, 1, 72, 13, 4, 4, 1), ).setIndexNames((0, "RETIX-MIB", "x25CCTIndex"))
if mibBuilder.loadTexts: x25CCTEntry.setStatus('mandatory')
x25CCTIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 13, 4, 4, 1, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: x25CCTIndex.setStatus('mandatory')
x25CCTManualConnect = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 13, 4, 4, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("noAction", 1), ("connect", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: x25CCTManualConnect.setStatus('mandatory')
x25CCTManualDisconnect = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 13, 4, 4, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("noAction", 1), ("disconnect", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: x25CCTManualDisconnect.setStatus('mandatory')
x25CCTCfgAutoConRetry = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 13, 4, 4, 1, 4), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 1))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: x25CCTCfgAutoConRetry.setStatus('mandatory')
x25CCTOperAutoConRetryFlg = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 13, 4, 4, 1, 5), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 1))).setMaxAccess("readonly")
if mibBuilder.loadTexts: x25CCTOperAutoConRetryFlg.setStatus('mandatory')
x25CCTAutoConRetryTimer = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 13, 4, 4, 1, 6), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 3600))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: x25CCTAutoConRetryTimer.setStatus('mandatory')
x25CCTMaxAutoConRetries = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 13, 4, 4, 1, 7), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 255))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: x25CCTMaxAutoConRetries.setStatus('mandatory')
x25CCTCfgTODControl = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 13, 4, 4, 1, 8), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 1))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: x25CCTCfgTODControl.setStatus('mandatory')
x25CCTCurrentTODControl = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 13, 4, 4, 1, 9), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 1))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: x25CCTCurrentTODControl.setStatus('mandatory')
x25CCTTODToConnect = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 13, 4, 4, 1, 10), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: x25CCTTODToConnect.setStatus('mandatory')
x25CCTTODToDisconnect = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 13, 4, 4, 1, 11), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: x25CCTTODToDisconnect.setStatus('mandatory')
x25TimerTable = MibTable((1, 3, 6, 1, 4, 1, 72, 13, 4, 5), )
if mibBuilder.loadTexts: x25TimerTable.setStatus('mandatory')
x25TTEntry = MibTableRow((1, 3, 6, 1, 4, 1, 72, 13, 4, 5, 1), ).setIndexNames((0, "RETIX-MIB", "x25TTIndex"))
if mibBuilder.loadTexts: x25TTEntry.setStatus('mandatory')
x25TTIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 13, 4, 5, 1, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: x25TTIndex.setStatus('mandatory')
x25TTT20Timer = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 13, 4, 5, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 1024))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: x25TTT20Timer.setStatus('mandatory')
x25TTT21Timer = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 13, 4, 5, 1, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 1024))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: x25TTT21Timer.setStatus('mandatory')
x25TTT22Timer = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 13, 4, 5, 1, 4), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 1024))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: x25TTT22Timer.setStatus('mandatory')
x25TTT23Timer = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 13, 4, 5, 1, 5), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 1024))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: x25TTT23Timer.setStatus('mandatory')
x25TTR20Limit = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 13, 4, 5, 1, 6), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 255))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: x25TTR20Limit.setStatus('mandatory')
x25TTR22Limit = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 13, 4, 5, 1, 7), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 255))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: x25TTR22Limit.setStatus('mandatory')
x25TTR23Limit = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 13, 4, 5, 1, 8), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 255))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: x25TTR23Limit.setStatus('mandatory')
x25StatusTable = MibTable((1, 3, 6, 1, 4, 1, 72, 13, 4, 6), )
if mibBuilder.loadTexts: x25StatusTable.setStatus('mandatory')
x25StatusTableEntry = MibTableRow((1, 3, 6, 1, 4, 1, 72, 13, 4, 6, 1), ).setIndexNames((0, "RETIX-MIB", "x25StatusIndex"))
if mibBuilder.loadTexts: x25StatusTableEntry.setStatus('mandatory')
x25StatusIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 13, 4, 6, 1, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: x25StatusIndex.setStatus('mandatory')
x25StatusIfStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 13, 4, 6, 1, 2), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: x25StatusIfStatus.setStatus('mandatory')
x25StatusSVCStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 13, 4, 6, 1, 3), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: x25StatusSVCStatus.setStatus('mandatory')
x25StatusWinSize = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 13, 4, 6, 1, 4), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: x25StatusWinSize.setStatus('mandatory')
x25StatusPktSize = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 13, 4, 6, 1, 5), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: x25StatusPktSize.setStatus('mandatory')
x25StatusCauseLastInClear = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 13, 4, 6, 1, 6), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: x25StatusCauseLastInClear.setStatus('mandatory')
x25StatusDiagLastInClear = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 13, 4, 6, 1, 7), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: x25StatusDiagLastInClear.setStatus('mandatory')
x25StatsTable = MibTable((1, 3, 6, 1, 4, 1, 72, 13, 4, 7), )
if mibBuilder.loadTexts: x25StatsTable.setStatus('mandatory')
x25StatsTableEntry = MibTableRow((1, 3, 6, 1, 4, 1, 72, 13, 4, 7, 1), ).setIndexNames((0, "RETIX-MIB", "x25STSVCIndex"))
if mibBuilder.loadTexts: x25StatsTableEntry.setStatus('mandatory')
x25STSVCIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 13, 4, 7, 1, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: x25STSVCIndex.setStatus('mandatory')
x25STTxDataPkts = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 13, 4, 7, 1, 2), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: x25STTxDataPkts.setStatus('mandatory')
x25STRxDataPkts = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 13, 4, 7, 1, 3), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: x25STRxDataPkts.setStatus('mandatory')
x25STTxConnectReqPkts = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 13, 4, 7, 1, 4), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: x25STTxConnectReqPkts.setStatus('mandatory')
x25STRxIncomingCallPkts = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 13, 4, 7, 1, 5), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: x25STRxIncomingCallPkts.setStatus('mandatory')
x25STTxClearReqPkts = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 13, 4, 7, 1, 6), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: x25STTxClearReqPkts.setStatus('mandatory')
x25STRxClearIndPkts = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 13, 4, 7, 1, 7), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: x25STRxClearIndPkts.setStatus('mandatory')
x25STTxResetReqPkts = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 13, 4, 7, 1, 8), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: x25STTxResetReqPkts.setStatus('mandatory')
x25STRxResetIndPkts = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 13, 4, 7, 1, 9), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: x25STRxResetIndPkts.setStatus('mandatory')
x25STTxRestartReqPkts = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 13, 4, 7, 1, 10), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: x25STTxRestartReqPkts.setStatus('mandatory')
x25STRxRestartIndPkts = MibTableColumn((1, 3, 6, 1, 4, 1, 72, 13, 4, 7, 1, 11), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: x25STRxRestartIndPkts.setStatus('mandatory')
mibBuilder.exportSymbols("RETIX-MIB", x25StatsTable=x25StatsTable, ipxOtherDiscards=ipxOtherDiscards, mlink=mlink, triangulation=triangulation, x25STTxDataPkts=x25STTxDataPkts, redirectsLastTx=redirectsLastTx, trapDestEntry=trapDestEntry, serialLoading=serialLoading, x25StatusDiagLastInClear=x25StatusDiagLastInClear, receivedTotalDgms=receivedTotalDgms, snmpAccessPolicyTable=snmpAccessPolicyTable, phySerIfT1frameAndCode=phySerIfT1frameAndCode, x25CSTDefaultWinSize=x25CSTDefaultWinSize, maxRejectedFrames=maxRejectedFrames, x25CCTEntry=x25CCTEntry, x25CSTSrcDTEAddr=x25CSTSrcDTEAddr, filterTableAction=filterTableAction, authenticationTrapStatus=authenticationTrapStatus, ipRouting=ipRouting, operatingMode=operatingMode, lapbCountRcvOctets=lapbCountRcvOctets, ipxRITInterface=ipxRITInterface, phySerIfTransitDelay=phySerIfTransitDelay, priorityMatches=priorityMatches, x25STTxConnectReqPkts=x25STTxConnectReqPkts, x25CSTFlowCntrlNeg=x25CSTFlowCntrlNeg, ipxRITEntry=ipxRITEntry, ieee8023Entry=ieee8023Entry, averagePeriod=averagePeriod, remote=remote, x25=x25, x25STTxRestartReqPkts=x25STTxRestartReqPkts, dcntIfCost=dcntIfCost, lapbEntry=lapbEntry, ifStatus=ifStatus, ipxIfEntry=ipxIfEntry, mlinkTable=mlinkTable, ipxNotRoutedRxDgms=ipxNotRoutedRxDgms, ieee8023FrameTooLongs=ieee8023FrameTooLongs, portPriorityAutoValue=portPriorityAutoValue, phySerIfT1SlotLvalue=phySerIfT1SlotLvalue, spatHelloTimer=spatHelloTimer, rmtLapbStatsTable=rmtLapbStatsTable, internalQueueCurrentLength=internalQueueCurrentLength, ipxRITGwyHostAddress=ipxRITGwyHostAddress, dcntIntraAreaMaxCost=dcntIntraAreaMaxCost, bridge=bridge, ieee8023NewMACAddressIndex=ieee8023NewMACAddressIndex, echoRequestsLastTx=echoRequestsLastTx, rmtLapbSTCountSentOctets=rmtLapbSTCountSentOctets, mlinkIndex=mlinkIndex, lapbLastResetReason=lapbLastResetReason, x25CSTDestDTEAddr=x25CSTDestDTEAddr, ipxForwardedDgms=ipxForwardedDgms, boothelper=boothelper, dcntRITCost=dcntRITCost, dcntNodeAddress=dcntNodeAddress, rmtLapbSTIndex=rmtLapbSTIndex, ieee8023FramesReceivedOks=ieee8023FramesReceivedOks, sourceQuenchLastTx=sourceQuenchLastTx, lanAccepts=lanAccepts, ieee8023SingleCollisionFrames=ieee8023SingleCollisionFrames, snmpAccessPolicyAction=snmpAccessPolicyAction, ipxSAPBinderyEntry=ipxSAPBinderyEntry, maxSerialLoading=maxSerialLoading, ipxTransmittedDgms=ipxTransmittedDgms, phySerIfT1dRatePerChan=phySerIfT1dRatePerChan, x25CCTMaxAutoConRetries=x25CCTMaxAutoConRetries, x25CSTIndex=x25CSTIndex, portSpatState=portSpatState, x25StatusIfStatus=x25StatusIfStatus, lapbIndex=lapbIndex, downloadRetryCount=downloadRetryCount, x25ConControlTable=x25ConControlTable, x25STRxIncomingCallPkts=x25STRxIncomingCallPkts, ipxIfNwkNumber=ipxIfNwkNumber, stpTable=stpTable, dcntForwardedDgms=dcntForwardedDgms, ieee8023LateCollisions=ieee8023LateCollisions, activeRemote=activeRemote, ipxRITDirectConnect=ipxRITDirectConnect, filterSubTable=filterSubTable, x25CCTManualDisconnect=x25CCTManualDisconnect, lapbCountAborts=lapbCountAborts, rmtLapbSTLastResetReason=rmtLapbSTLastResetReason, x25StatusCauseLastInClear=x25StatusCauseLastInClear, x25TTT23Timer=x25TTT23Timer, ieee8023MulticastReceiveStatus=ieee8023MulticastReceiveStatus, ieee8023NewMACAddressEntry=ieee8023NewMACAddressEntry, dynamicLearningInLM=dynamicLearningInLM, mlinkEntry=mlinkEntry, retix=retix, dcntIfHelloTimerBCT3=dcntIfHelloTimerBCT3, ieee8023MulticastFramesReceivedOks=ieee8023MulticastFramesReceivedOks, rmtLapbCTExtSeqNumbering=rmtLapbCTExtSeqNumbering, dcntAreaRITEntry=dcntAreaRITEntry, x25StatusTable=x25StatusTable, redirectsLastRx=redirectsLastRx, ieee8023OctetsTransmittedOks=ieee8023OctetsTransmittedOks, ieee8023InternalMACTransmitErrors=ieee8023InternalMACTransmitErrors, snmpAccessPolicyType=snmpAccessPolicyType, ieee8023FramesTransmittedOks=ieee8023FramesTransmittedOks, x25CCTIndex=x25CCTIndex, dcntAreaRoutingTable=dcntAreaRoutingTable, ieee8023MulticastFramesTransmittedOks=ieee8023MulticastFramesTransmittedOks, ipxInDiscards=ipxInDiscards, product=product, x25TTT22Timer=x25TTT22Timer, typeFilter=typeFilter, ieee8023CarrierSenseErrors=ieee8023CarrierSenseErrors, stpIndex=stpIndex, uniqueBroadcastAddress=uniqueBroadcastAddress, boothelperEnabled=boothelperEnabled, trapDestAction=trapDestAction, snmpAccessPolicyObject=snmpAccessPolicyObject, dcntRITInterface=dcntRITInterface, x25STRxResetIndPkts=x25STRxResetIndPkts, trapDestinationTable=trapDestinationTable, lapbState=lapbState, expressQueueUpperLimit=expressQueueUpperLimit, ipxRITDestNwkNumber=ipxRITDestNwkNumber, accessPolicyIndex=accessPolicyIndex, filteringDbStatus=filteringDbStatus, ipxIfIndex=ipxIfIndex, phySerIfTable=phySerIfTable, rmtLapbSTCountResets=rmtLapbSTCountResets, x25StatsTableEntry=x25StatsTableEntry, station=station, dcntIntraAreaMaxHops=dcntIntraAreaMaxHops, filteringDbDisposition=filteringDbDisposition, rmtLapbCTN2RetryCount=rmtLapbCTN2RetryCount, spanningTree=spanningTree, downloadFilename=downloadFilename, ieee8023=ieee8023, filteringDbEntry=filteringDbEntry, ieee8023NewMACAddress=ieee8023NewMACAddress, phySerIfMeasuredSpeed=phySerIfMeasuredSpeed, accessMode=accessMode, x25CCTAutoConRetryTimer=x25CCTAutoConRetryTimer, lapbWindow=lapbWindow, dcntIfTableEntry=dcntIfTableEntry, typePrioritisation=typePrioritisation, loPriQueueUpperLimit=loPriQueueUpperLimit, lapbPolarity=lapbPolarity, x25CSTRvrsChrgAcc=x25CSTRvrsChrgAcc, x25CST8084Switch=x25CST8084Switch, rmtLapbSTEntry=rmtLapbSTEntry, x25STRxClearIndPkts=x25STRxClearIndPkts, dcntInterAreaMaxHops=dcntInterAreaMaxHops, rmtLapbSTLastResetTime=rmtLapbSTLastResetTime, spatVersion=spatVersion, priorityPage=priorityPage, echoRequestsLastRx=echoRequestsLastRx, rmtLapbCTLinkReset=rmtLapbCTLinkReset, dcntInterAreaMaxCost=dcntInterAreaMaxCost, phySerIfPortSpeed=phySerIfPortSpeed, ieee8023Index=ieee8023Index, dcntOutRequestedDgms=dcntOutRequestedDgms, ieee8023Number=ieee8023Number, rmtLapbCTInitLinkConnect=rmtLapbCTInitLinkConnect, priorityTableEntryValue=priorityTableEntryValue, stationTime=stationTime, forgetAddressTimer=forgetAddressTimer, ipxIfTable=ipxIfTable, x25ConSetupTable=x25ConSetupTable, phySerIfT1SlotHvalue=phySerIfT1SlotHvalue, dcntRateControlFreqTimerT2=dcntRateControlFreqTimerT2, ipxRITDelay=ipxRITDelay, ieee8023AlignmentErrors=ieee8023AlignmentErrors, rmtLapbCTModeT1=rmtLapbCTModeT1, deletedMlinkFrames=deletedMlinkFrames, stpEntry=stpEntry, filterTableEntryValue=filterTableEntryValue, ieee8023ExcessiveDeferrals=ieee8023ExcessiveDeferrals, ieee8023FCSErrors=ieee8023FCSErrors, queueUpperLimit=queueUpperLimit, x25CSTEntry=x25CSTEntry, dcntRITEntry=dcntRITEntry, ipxOutDiscards=ipxOutDiscards, dcntAreaRITCost=dcntAreaRITCost, expressQueueCurrentLength=expressQueueCurrentLength, resetStation=resetStation, ieee8023InternalMACReceiveErrors=ieee8023InternalMACReceiveErrors, icmpRSTable=icmpRSTable, ipxIfEncapsulation=ipxIfEncapsulation, dcntNoRoutes=dcntNoRoutes, ipxSAPBinderyServerIPXAddress=ipxSAPBinderyServerIPXAddress, x25Operation=x25Operation, phySerIfIsSpeedsettable=phySerIfIsSpeedsettable, ieee8023BroadcastFramesTransmittedOks=ieee8023BroadcastFramesTransmittedOks, phySerIfEntry=phySerIfEntry, lanInterfaceType=lanInterfaceType, mlinkSendSeq=mlinkSendSeq, rmtLapbSTState=rmtLapbSTState, dcntRouting=dcntRouting, ipxSAPBinderyHopCount=ipxSAPBinderyHopCount, rmtLapbConfigTable=rmtLapbConfigTable, rmtLapbSTCountCrcErrors=rmtLapbSTCountCrcErrors, lapb=lapb, rmtLapb=rmtLapb, physBlkSize=physBlkSize, ipxInDelivers=ipxInDelivers, mlinkRxTimeout=mlinkRxTimeout, trapDestEntryCommunityName=trapDestEntryCommunityName, ieeeFormatPriority=ieeeFormatPriority, x25TimerTable=x25TimerTable, lapbCountResets=lapbCountResets, x25CCTManualConnect=x25CCTManualConnect, x25TTR20Limit=x25TTR20Limit, ipxRouting=ipxRouting, trapDestEntryIpAddr=trapDestEntryIpAddr, ipxInHdrErrors=ipxInHdrErrors, x25StatusTableEntry=x25StatusTableEntry, x25CCTOperAutoConRetryFlg=x25CCTOperAutoConRetryFlg, lapbCountRcvFrames=lapbCountRcvFrames, pathCostAutoValue=pathCostAutoValue, filteringDbAction=filteringDbAction, x25OperNextReset=x25OperNextReset, loPriQueueCurrentLength=loPriQueueCurrentLength, spanningMcastAddr=spanningMcastAddr, timeExceededLastTx=timeExceededLastTx, ieee8023SQETestErrors=ieee8023SQETestErrors, newPhysBlkSize=newPhysBlkSize, portNumber=portNumber, rmtLapbSTCountRcvFrames=rmtLapbSTCountRcvFrames, rmtLapbCTX25PortLineSpeed=rmtLapbCTX25PortLineSpeed, ipxSAPBinderyTable=ipxSAPBinderyTable, filteringDbMacAddress=filteringDbMacAddress, dcntIfNumber=dcntIfNumber, paramProbLastTx=paramProbLastTx, phySerIfT1clockSource=phySerIfT1clockSource, dcntIfDesgntdRtr=dcntIfDesgntdRtr, mlinkState=mlinkState, preconfSourceFilter=preconfSourceFilter, x25STRxDataPkts=x25STRxDataPkts, ipRSEntry=ipRSEntry, tftpRetryPeriod=tftpRetryPeriod, x25TTR23Limit=x25TTR23Limit, lapbModeT1=lapbModeT1, phySerIfPartnerAddress=phySerIfPartnerAddress, phySerIfNumber=phySerIfNumber, boothelperForwardingAddress=boothelperForwardingAddress, bridgeStatsEntry=bridgeStatsEntry, ipxSAPBinderyType=ipxSAPBinderyType, rmtLapbSTCountRcvOctets=rmtLapbSTCountRcvOctets, dcntAreaRITNextHop=dcntAreaRITNextHop, rmtLapbCTEntry=rmtLapbCTEntry, phySerIf=phySerIf, lapbNumber=lapbNumber, x25StatusIndex=x25StatusIndex, ipxReceivedDgms=ipxReceivedDgms, ieee8023InitializeMAC=ieee8023InitializeMAC, portPriorityMode=portPriorityMode, x25CSTNegWinSize=x25CSTNegWinSize)
mibBuilder.exportSymbols("RETIX-MIB", ieee8023MultipleCollisionFrames=ieee8023MultipleCollisionFrames, x25CSTPktSeqNumFlg=x25CSTPktSeqNumFlg, paramProbLastRx=paramProbLastRx, lapbRetryCount=lapbRetryCount, deletedLanFrames=deletedLanFrames, x25TTIndex=x25TTIndex, priorityTableAction=priorityTableAction, boot=boot, mlinkRcvSeq=mlinkRcvSeq, spatResetTimer=spatResetTimer, mlinkLostFrames=mlinkLostFrames, ieeeFormatFilter=ieeeFormatFilter, filteringDbType=filteringDbType, snmpAccessPolicyEntry=snmpAccessPolicyEntry, timeExceededLastRx=timeExceededLastRx, standbyRemote=standbyRemote, x25TTT21Timer=x25TTT21Timer, lapbLastResetTime=lapbLastResetTime, destUnreachLastRx=destUnreachLastRx, initiateBootpDll=initiateBootpDll, ieee8023inRangeLengthErrors=ieee8023inRangeLengthErrors, ipxAccessViolations=ipxAccessViolations, loadserverIpAddress=loadserverIpAddress, ipxSAPBinderySocket=ipxSAPBinderySocket, ieee8023DeferredTransmissions=ieee8023DeferredTransmissions, dcntIfRtrPriority=dcntIfRtrPriority, averageForwardedFrames=averageForwardedFrames, x25CCTTODToConnect=x25CCTTODToConnect, rmtLapbSTCountSentFrames=rmtLapbSTCountSentFrames, x25StatusWinSize=x25StatusWinSize, ipxSAPBinderyServerName=ipxSAPBinderyServerName, dcntIfIndex=dcntIfIndex, boothelperHopsLimit=boothelperHopsLimit, router=router, serialLoadPeriod=serialLoadPeriod, hiPriQueueCurrentLength=hiPriQueueCurrentLength, ipxIfIPXAddress=ipxIfIPXAddress, standbyLocal=standbyLocal, spatPriority=spatPriority, ieee8023BroadcastFramesReceivedOks=ieee8023BroadcastFramesReceivedOks, destUnreachLastTx=destUnreachLastTx, multicastDisposition=multicastDisposition, gwProtocol=gwProtocol, transmittedTotalDgms=transmittedTotalDgms, pathCostMode=pathCostMode, phySerIfIndex=phySerIfIndex, x25CSTLclCUGValue=x25CSTLclCUGValue, x25CSTNegPktSize=x25CSTNegPktSize, filterTableEntry=filterTableEntry, resetStats=resetStats, lapbManualT1value=lapbManualT1value, trapDestTable=trapDestTable, x25TTEntry=x25TTEntry, dcntRITDestNode=dcntRITDestNode, dcntInDiscards=dcntInDiscards, dcntMaxVisits=dcntMaxVisits, rmtLapbSTCountAborts=rmtLapbSTCountAborts, rmtLapbSTAutoT1value=rmtLapbSTAutoT1value, rmtLapbCTLinkAddr=rmtLapbCTLinkAddr, ipxRoutingTable=ipxRoutingTable, rmtLapbCTManualT1Value=rmtLapbCTManualT1Value, ieee8023PromiscuousReceiveStatus=ieee8023PromiscuousReceiveStatus, filterTable=filterTable, x25CCTCurrentTODControl=x25CCTCurrentTODControl, ieee8023MACAddress=ieee8023MACAddress, lan=lan, sourceQuenchLastRx=sourceQuenchLastRx, x25CSTCUGSub=x25CSTCUGSub, serialTxQueueSize=serialTxQueueSize, dcntIfTable=dcntIfTable, communityName=communityName, dcntRtngMsgTimerBCT1=dcntRtngMsgTimerBCT1, filteringDbTable=filteringDbTable, maxForwardedFrames=maxForwardedFrames, lanQueueSize=lanQueueSize, x25CCTCfgAutoConRetry=x25CCTCfgAutoConRetry, x25StatusSVCStatus=x25StatusSVCStatus, noRouteTotalDgms=noRouteTotalDgms, x25TTR22Limit=x25TTR22Limit, dcntAreaRITDestArea=dcntAreaRITDestArea, initStation=initStation, priorityTableEntryType=priorityTableEntryType, dcntAreaRITInterface=dcntAreaRITInterface, x25STSVCIndex=x25STSVCIndex, filterTableEntryType=filterTableEntryType, bridgeStatsIndex=bridgeStatsIndex, mlinkWindow=mlinkWindow, ieee8023Table=ieee8023Table, filteringDataBaseTable=filteringDataBaseTable, ieee8023ExcessiveCollisions=ieee8023ExcessiveCollisions, activeLocal=activeLocal, lapbCountCrcErrors=lapbCountCrcErrors, ieee8023NewMACAddressValue=ieee8023NewMACAddressValue, x25CST2WayLgclChanNum=x25CST2WayLgclChanNum, pathCostManualValue=pathCostManualValue, dcntInHdrErrors=dcntInHdrErrors, ieee8023OctetsReceivedOks=ieee8023OctetsReceivedOks, dcntAreaRITHops=dcntAreaRITHops, lapbAutoT1value=lapbAutoT1value, ieee8023outOfRangeLengthFields=ieee8023outOfRangeLengthFields, x25STTxClearReqPkts=x25STTxClearReqPkts, filterPage=filterPage, snmpAccessPolicyPage=snmpAccessPolicyPage, ipRSTable=ipRSTable, phySerIfInterfaceType=phySerIfInterfaceType, x25TTT20Timer=x25TTT20Timer, rmtLapbCTWindow=rmtLapbCTWindow, x25STTxResetReqPkts=x25STTxResetReqPkts, bootpRetryCount=bootpRetryCount, x25CSTRvrsChrgReq=x25CSTRvrsChrgReq, dcntRITHops=dcntRITHops, adaptiveMcastAddr=adaptiveMcastAddr, passWord=passWord, priorityTableEntry=priorityTableEntry, bootserverIpAddress=bootserverIpAddress, filterMatches=filterMatches, rmtLapbCTT3LinkIdleTimer=rmtLapbCTT3LinkIdleTimer, ipxIfDelay=ipxIfDelay, hiPriQueueUpperLimit=hiPriQueueUpperLimit, x25STRxRestartIndPkts=x25STRxRestartIndPkts, lapbCountSentFrames=lapbCountSentFrames, processorLoading=processorLoading, dcntOutDiscards=dcntOutDiscards, mlinkNumber=mlinkNumber, freeBufferCount=freeBufferCount, ipxIfNumber=ipxIfNumber, mlinkSendUpperEdge=mlinkSendUpperEdge, tftpRetryCount=tftpRetryCount, ipxRITHopCount=ipxRITHopCount, trapDestEntryType=trapDestEntryType, adaptiveRouting=adaptiveRouting, lapbCountSentOctets=lapbCountSentOctets, lapbLinkReset=lapbLinkReset, bridgeStatsTable=bridgeStatsTable, arAddressInfo=arAddressInfo, dcntRoutingTable=dcntRoutingTable, prioritySubTable=prioritySubTable, decnet=decnet, ieee8023TransmitStatus=ieee8023TransmitStatus, averageRejectedFrames=averageRejectedFrames, stationCountResets=stationCountResets, x25CCTCfgTODControl=x25CCTCfgTODControl, x25CSTDefaultPktSize=x25CSTDefaultPktSize, x25StatusPktSize=x25StatusPktSize, mlinkRcvUpperEdge=mlinkRcvUpperEdge, lanRejects=lanRejects, dcntReveivedDgms=dcntReveivedDgms, rmtLapbCTIndex=rmtLapbCTIndex, outDiscardsTotalDgms=outDiscardsTotalDgms, priorityTable=priorityTable, lapbTable=lapbTable, ipRSIndex=ipRSIndex, trapDestPage=trapDestPage, x25CCTTODToDisconnect=x25CCTTODToDisconnect, ieee8023MACSubLayerStatus=ieee8023MACSubLayerStatus, freeHeaderCount=freeHeaderCount, portPriorityManualValue=portPriorityManualValue, ipx=ipx, deleteAddressTimer=deleteAddressTimer, dcntRITNextHop=dcntRITNextHop)
|
class StudentAssignmentService:
def __init__(self, student, AssignmentClass):
self.assignment = AssignmentClass()
self.assignment.student = student
self.attempts = 0
self.correct_attempts = 0
def check(self, code):
self.attempts += 1
result = self.assignment.check(code)
if result:
self.correct_attempts += 1
return result
def lesson(self):
return self.assignment.lesson()
|
# -*-coding:utf-8 -*-
#Reference:**********************************************
# @Time : 2019-12-30 19:42
# @Author : Fabrice LI
# @File : 20191230_98_sort_list.py
# @User : liyihao
# @Software : PyCharm
# @Description: Sort a linked list in O(n log n) time using constant space complexity.
#Reference:**********************************************
"""
Input: 1->3->2->null
Output: 1->2->3->null
Input: 1->7->2->6->null
Output: 1->2->6->7->null
Challenge
Solve it by merge sort & quick sort separately.
"""
# Definition for singly-linked list.
class ListNode:
def __init__(self, x):
self.val = x
self.next = None
# merge sort: nlogn, space: o(n) for array, o(1) for linked list
# quick sort: nlogn, space: o(1) fro all
class Solution:
def sortList(self, head: ListNode) -> ListNode:
if not head or not head.next:
return head
# def merge(right, left):
# dummy = ListNode(0)
# head = dummy
#
# while left and right:
# if left.val > right.val:
# head.next = right
# right = right.next
# else:
# head.next = left
# left = left.next
# head = head.next
# if left:
# head.next = left
# else:
# head.next = right
#
# return dummy.next
#
# fast = head
# slow = head
# while fast.next and fast.next.next:
# fast = fast.next.next
# slow = slow.next
# mid = slow.next
# slow.next = None
mid = self.find_mid(head)
right = self.sortList(mid.next)
mid.next = None
left = self.sortList(head)
return self.merge(right, left)
def find_mid(self, head):
if not head:
return head
fast = head
slow = head
while fast.next and fast.next.next:
fast = fast.next.next
slow = slow.next
return slow
def merge(self, right, left):
dummy = ListNode(0)
head = dummy
while left and right:
if left.val > right.val:
head.next = right
right = right.next
else:
head.next = left
left = left.next
head = head.next
if left:
head.next = left
else:
head.next = right
return dummy.next
if __name__ == '__main__':
s = Solution()
# [4,2,1,3]
head = ListNode(4)
head.next = ListNode(2)
head.next.next = ListNode(1)
head.next.next.next = ListNode(3)
result = s.sortList(head)
while result:
print(result.val)
result = result.next
|
# get the dimension of the query location i.e. latitude and logitude
# raise an exception of the given query Id not found in the input file
def getDimensionsofQueryLoc(inputFile, queryLocId):
with open(inputFile) as infile:
header = infile.readline().strip()
headerIndex={ headerName.lower():index for index,headerName in enumerate(header.split(","))}
for line in infile:
values = line.strip().split(",")
if values[headerIndex["locid"]].lower()==queryLocId:
return float(values[headerIndex["latitude"]]),float(values[headerIndex["longitude"]]),values[headerIndex["category"]]
return None,None,None
# Calculate the euclidean distance between 2 points
def calculateDistance(x1, y1, x2, y2):
distance =((x2-x1)*(x2-x1) + (y2-y1)*(y2-y1))**0.5
return distance
# Calculate the standard deviation
def getStandardDeviation(distSorted, avg):
std = 0
for distance in distSorted:
std += (avg - distance)*(avg - distance)
std/=len(distSorted)
std=std**0.5
return std
# All the distances are round off to 4 decimal place at the end
def main(inputFile,queryLocId,d1,d2):
queryLocId=queryLocId.lower()
#get the dimensions of the given query location id
X1, Y1, category = getDimensionsofQueryLoc(inputFile, queryLocId)
category=category.lower()
if not X1:
print("Invalid location ID")
return [],[],[],[]
# calculate the cordinates of top right and bottom left corner of the rectangle formed
topRightX, topRightY = X1+d1, Y1+d2
bottomLeftX, bottomLeftY = X1-d1, Y1-d2
locList=[] # list of location falls inside the rectangle
simLocList=[] # list of locations with same category as given query location category
distSorted=[] # list containing distance of locations in ascending order with same location category
sumDistance=0 # sum of distances in distSorted list
with open(inputFile) as infile:
# next(infile) # skip the header row
header = infile.readline().strip()
headerIndex={ headerName.lower():index for index,headerName in enumerate(header.split(","))}
for line in infile:
values = line.strip().split(",")
if not (values[headerIndex["latitude"]] and values[headerIndex["longitude"]]):
continue
# get dimensions of the iterated location
X2, Y2 = float(values[headerIndex["latitude"]]), float(values[headerIndex["longitude"]])
#check if the iterated location is not same as query location and it falls under the defined rectangle
if values[headerIndex["locid"]].lower()!=queryLocId and X2<=topRightX and X2>=bottomLeftX and Y2<=topRightY and Y2>=bottomLeftY:
#add the location to loclist
locList.append(values[headerIndex["locid"]])
#if location category is same then
# 1. Add it to simList
# 2. Calculate its distance with query location and add it to distSorted list
# 3. Add its value to sumDistance (it will help in calculating the average distance)
if values[headerIndex["category"]].lower() == category:
simLocList.append(values[headerIndex["locid"]])
distance=calculateDistance(X1, Y1 ,X2, Y2)
distSorted.append(distance)
sumDistance += distance
if not distSorted:
return simLocList,[],[],[]
# calculate the average distance and the standard deviation of all the distances
avg = sumDistance/len(distSorted);
std = getStandardDeviation(distSorted, avg)
# sort the distance list and return the result
for i, dist in enumerate(distSorted):
distSorted[i] = round(dist,4)
return locList, simLocList, sorted(distSorted), [round(avg,4), round(std,4)]
|
n = int(input())
s = input().lower()
output = 'YES'
for letter in 'abcdefghijklmnopqrstuvwxyz':
if letter not in s:
output = 'NO'
break
print(output) |
# -*- coding: utf-8 -*-
{
'%(GRN)s Number': 'رقم مستند الادخال %(GRN)s',
'%(GRN)s Status': 'حالة %(GRN)s',
'%(PO)s Number': 'رقم طلبية الشراء %(PO)s',
'%(REQ)s Number': 'رقم الطلبيات %(REQ)s',
'(filtered from _MAX_ total entries)': 'فلترة من _MAX_ الإدخالات',
'* Required Fields': 'الحقول المطلوبة *',
'1 Assessment': 'التقييم1',
'2 different options are provided here currently:': 'يوجد خياران مختلفان متوفرين هنا حاليا:',
'3W Report': 'تقرير',
'4-7 days': '7-4 أيام',
'8-14 days': '14-8 يوم',
'_NUM_ duplicates found': 'وجدت مكررة _NUM_',
'A brief description of the group (optional)': 'وصف موجز للمجموعة (اختياري)',
'A catalog of different Assessment Templates including summary information': 'فهرس نماذج التقيمات المختلفة وتتضمن ملخص للمعلومات',
'A file downloaded from a GPS containing a series of geographic points in XML format.': 'تم تحميل الملف من نظام تحديد المواقع الشامل(GPS) الذي يحتوي على سلسلة من النقاط الجغرافية في شكل أكس أم أل(XML).',
'A file in GPX format taken from a GPS whose timestamps can be correlated with the timestamps on the photos to locate them on the map.': 'ملف بتنسيق GPX مأخوذ من نظام GPS الذي يمكن أن ترتبط طوابعه الزمنية مع الطوابع الزمنية على الصور لتحديد مواقعها على الخريطة.',
'A library of digital resources, such as photos, documents and reports': 'مكتبة للموارد الرقمية ، مثل المستندات والصور والتقارير',
'A location group must have at least one member.': 'يجب أن يكون عضو واحد على الأقل في موقع المجموعة.',
'A Reference Document such as a file, URL or contact person to verify this data. You can type the 1st few characters of the document name to link to an existing document.': 'وثيقة مرجعية مثل ملف ، عنوان الموقع أوشخص للاتصال به للتحقق من هذه البيانات. يمكنك كتابة أحرف قليلة من اسم وثيقة لتصل إلى مستند موجود.',
'Abbreviation': 'اختصار',
'Ability to customize the list of important facilities needed at a Shelter': 'القدرة على تخصيص قائمة المنشآت الهامة اللازمة في مأوى',
'Ability to Fill Out Surveys': 'إمكانية ملأ المسوحات',
'About': 'المتعلق',
'About Us': 'حولنا',
'ACCESS DATA': 'الوصول إلى البيانات',
'Access to education services': 'الوصول إلى خدمات التعليم',
'Access to Shelter': 'وصول الى المأوى',
'Account registered, however registration is still pending approval - please wait until confirmation received.': 'الحساب مسجل ، إلا أن التسجيل لا يزال ينتظر التأكيد -- يرجى الانتظار حتى يتم استلام التأكيد.',
'Acronym': 'اختصار',
"Acronym of the organization's name, eg. IFRC.": 'اختصار اسم المنظمة، على سبيل المثال. IFRC.',
'Actionable by all targeted recipients': 'لا علامات متاحة حاليا',
'activate to sort column ascending': 'تفعيل لفرز العمود تصاعدي',
'activate to sort column descending': 'تفعيل لفرز العمود تنازلي',
'active': 'نشيط',
'Active': 'نشيط',
'Active Problems': 'أحدث المشاكل',
'Active?': 'نشيط؟',
'Activities': 'النشاطات',
'Activities matching Assessments:': 'النشاطات حسب التقييمات',
'Activities of boys 13-17yrs before disaster': 'أنشطة الفتيان 13-17 سنة قبل الكارثة',
'Activities of boys 13-17yrs now': 'أنشطة الفتيان 13-17 سنة الآن',
'Activities of boys <12yrs now': 'نشاطات الفتيان <12سنة الآن',
'Activities of children': 'أنشطة الأطفال',
'Activities of girls 13-17yrs before disaster': 'أنشطة الفتيات من 13-17 سنة قبل الكارثة',
'Activity': 'نشاط',
'Activity Added': 'النشاط المضاف',
'Activity Report': 'تقرير النشاط',
'Activity Reports': 'تقارير النشاط',
'Activity Type': 'نوع النشاط',
'Activity Updated': 'تم تحديث النشاط',
'Add': 'أضافة',
'Add %(site_label)s Status': 'إضافة %(site_label)s الحالة',
'Add %(staff)s': 'إضافة %(staff)s',
'Add a new certificate to the catalog.': 'إضافة شهادة جديدة إلى الكتالوج.',
'Add a new competency rating to the catalog.': 'إضافة تصنيف جديد للكفاءة إلى الكاتالوج',
'Add a new course to the catalog.': 'إضافة دورة جديدة للمصنف.',
'Add a new job role to the catalog.': 'إضافة دور وظيفة جديدة إلى الكتالوج.',
'Add a new program to the catalog.': 'إضافة برنامج جديد إلى الكتالوج.',
'Add a new skill provision to the catalog.': 'إضافة مهارات جديدة إلى الكتالوج.',
'Add a new skill type to the catalog.': 'أضف نوعًا جديدًا من المهارات إلى الكتالوج.',
'Add Activity': 'إضافة النشاط',
'Add Activity Data': 'إضافة بيانات النشاط',
'Add Activity Type': 'إضافة نوع النشاط',
'Add Address': 'إضافة عنوان جديد',
'Add all organizations which are involved in different roles in this project': 'إضافة جميع المنظمات التي تشارك في أدوار مختلفة في هذا المشروع',
'Add Alternative Item': 'إضافة عنصر بديل',
'Add Annual Budget': 'إضافة الميزانية السنوية',
'Add another': 'أضف آخر',
'Add Appraisal': 'إضافة تقييم',
'Add Assessment Summary': 'إضافة ملخص التقييم',
'Add Award': 'إضافة جائزة',
'Add Baseline': 'إضافة خط أساس',
'Add Beneficiaries': 'إضافة المستفيدون',
'Add Branch Organization': 'إضافة فرع المنطمة',
'Add Certificate for Course': 'إضافة شهادة للدورة',
'Add Certification': 'اضافة شهادة',
'Add Community': 'إضافة مجتمع',
'Add Contact': 'إضافة جهة اتصال',
'Add Contact Information': 'إضافة معلومات الاتصال',
'Add Credential': 'أضف االاعتمادات',
'Add Credentials': 'أضف أوراق اعتماد',
'Add Demographic': 'اضافة التوزيع السكاني',
'Add Disciplinary Action': 'إضافة الإجراءات التأديبية',
'Add Disciplinary Action Type': 'إضافة نوع الإجراء التأديبي',
'Add Education': 'أضافة مستوى التعليم',
'Add Education Detail': 'إضافة تفاصيل التعليم',
'Add Education Level': 'اضافة مستوى تعليمي جديد',
'Add Emergency Contact': 'إضافة الاتصال في حالات الطوارئ',
'Add Employment': 'إضافة التوظيف',
'Add Experience': 'أضافة خبرة جديدة',
'Add Goal': 'أضف الهدف',
'Add Hazard': 'أضف الخطر',
'Add Hours': 'أضف ساعات',
'Add Household Members': 'إضافة فرد للأسرة',
'Add Human Resource': 'أضف موارد بشرية',
'Add Identity': 'إضافة هوية جديدة',
'Add Image': 'أضف صورة',
'Add Indicator Criterion': 'إضافة معيار المؤشر',
'Add Indicator Data': 'إضافة بيانات المؤشر',
'Add Item': 'أضف عنصر',
'Add Item to Commitment ': 'إضافة عنصر إلى الإلتزام',
'Add Item to Inventory': 'إضافة عنصر الى المخزون',
'Add Job Role': 'أضف الدور الوظيفي',
'Add Language': 'إضافة لغة',
'Add Level 1 Assessment': 'أضف تقييم المستوى 1',
'Add Location': 'أضف الموقع',
'Add Location Group': 'إضافة مجموعة الموقع',
'Add Member': 'إضافة عضو',
'Add Membership': 'أضف عضوية',
'Add Need': 'أضف حاجة',
'Add new and manage existing staff.': 'اضافة وادارة الموظفين',
'Add new and manage existing volunteers.': 'اضافة وادارة المتطوعين',
'Add New Assessment Summary': 'إضافة ملخص تقييم جديد',
'Add New Budget': 'أضف ميزانية جديدة',
'Add New Donor': 'إضافة مانح جديد',
'Add New Human Resource': 'إضافة موارد بشرية جديدة',
'Add New Impact': 'إضافة تأثير جديد',
'Add New Level 1 Assessment': 'إضافة تقييم جديد للمستوى 1',
'Add New Level 2 Assessment': 'أضف تقييم جديد للمستوى2',
'Add New Need': 'إضافة حاجة جديدة',
'Add New Need Type': 'إضافة نوع جديد من الإحتياجات',
'Add new project.': 'إضافة مشروع جديد.',
'Add New River': 'أضف نهرا جديدا',
'Add New Scenario': 'إضافة سيناريو جديد',
'Add New Sent Item': 'أضف عنصر مرسل جديد',
'Add New Survey Question': 'اضف سؤال استطلاعي جديد',
'Add New Track': 'إضافة مسار جديد',
'Add Organization to Activity': 'إضافة منظمة إلى النشاط',
'Add Organization to Project': 'إضافة منظمة إلى المشروع',
'Add Outcome': 'إضافة النتيجة',
'Add Output': 'إضافة المخرج',
'Add Participant': 'إضافة مشارك',
'Add Peer': 'إضافة شخص نظير',
'Add Person': 'إضافة شخص',
"Add Person's Details": 'إضافة تفاصيل الشخص',
'Add Photo': 'أضف صورة',
'Add Population Statistic': 'أضف إحصاء السكان',
'Add Professional Experience': 'إضافة الخبرة المهنية',
'Add Program Hours': 'أضافة ساعات العمل',
'Add Question': 'إضافة سؤال',
'Add Recommendation Letter': 'اضافه توصية',
'Add Recommendation Letter Type': 'اضافة نوع رسالة التوصية',
'Add Record': 'إضافة سجل',
'Add Reference Document': 'أضف وثيقة مرجعية',
'Add Region': 'اضافة منطقة',
'Add Report': 'اضافة تقرير',
'Add Request': 'أضف طلبا',
'Add Resource': 'أضف موردا',
'Add Response Summary': 'إضافة ملخص الاستجابة',
'Add Salary': 'إضافة الراتب',
'Add Sector': 'إضافة القطاع',
'Add Service': 'إضافة الخدمة',
'Add Skill': 'أضافة مهارة جديدة',
'Add Skill Equivalence': 'أضف مهارة معادلة',
'Add Solution': 'إضافة الحل',
'Add Staff': 'أضف موظفين',
'Add staff members': 'أضف موظفين',
'Add Survey Answer': 'أضف جواب حول الاستطلاع',
'Add Survey Question': 'إضافة سؤال في الاستطلاع',
'Add Team': 'أضافة فريق',
'Add Team Member': 'إضافة عضو الفريق',
'Add Theme': 'إضافة نسق',
'Add this entry': 'إضافة هذا الإدخال',
'Add Ticket': 'أضف تذكرة',
'Add to a Team': 'إضافة إلى فريق',
'Add Trainee': 'إضافة متدرب',
'Add Training': 'إضافة تدريب',
'Add Volunteer Availability': 'أضف توفر متطوعين',
'Add...': 'إضافة ...',
'Added to Group': 'تمت الاضافة إلى المجموعة',
'Added to Team': 'تمت الاضافة إلى الفريق',
'Additional Beds / 24hrs': 'أسرة إضافية / 24 ساعة',
'Additional relevant information': 'معلومات إضافية ذات صلة',
'Address': 'العنوان',
'Address added': 'تمت إضافة العنوان',
'Address deleted': 'تم حذف العنوان',
'Address Details': 'تفاصيل العنوان',
'Address Found': 'تم العثور على العنوان',
'Address Mapped': 'عنوان تم تعيينه',
'Address NOT Found': 'لم يتم العثور على العنوان',
'Address NOT Mapped': 'عنوان لم يتم تعيينه',
'Address Type': 'نوع العنوان',
'Address updated': 'تم تحديث العنوان',
'Addresses': 'عناوين',
'Adequate': 'المناسب',
'Admin Assistant': 'مساعد المشرف',
'Admin Email': 'البريد الإلكتروني للمشرف',
'Administration': 'الادارة',
'Administration/General Support': 'الإدارة / الدعم العام',
'Adolescent (12-20)': 'المراهقين (12-20)',
'Adult (21-50)': 'الكبار (21-50)',
'Adult female': 'أنثى بالغة',
'Adult ICU': 'وحدة العناية المركزة المخصصة للبالغين',
'Adult male': 'الذكور البالغين',
'Adult Psychiatric': 'طبيب نفسي للكبار',
'Advanced': 'المتقدمة',
'Advanced:': 'المتقدمة:',
'Advisory': 'الاستشارية',
'Advocacy': 'المناصرة',
'Advocacy Information / Knowledge Management': ' معلومات المناصرة / إدارة المعرفة',
'After clicking on the button, a set of paired items will be shown one by one. Please select the one solution from each pair that you prefer over the other.': 'بعد الضغط على الزر،ستظهر على التوالي مجموعة من الوحدات المزدوجة. يرجى إختيار حل واحد من كل زوج تفضله عن الآخر',
'Age': 'عمر',
'Age Group': 'الفئات العمرية',
'Age group does not match actual age.': 'الفئة العمرية لا تطابق السن الفعلي.',
'Age Groups': 'الفئة العمرية',
'Agriculture': 'الزراعة',
'Airport': 'المطار',
'Alcohol': 'الكحول',
'All': 'الكل',
'All Beneficiaries': 'جميع المستفيدين',
'All Records': 'كل السجلات',
'All Resources': 'جميع الموارد',
'All selected': 'الكل مختارة',
'All##filter_options': 'كل ## filter_options',
'Allergic': 'الحساسية',
'Allergies': 'الحساسية',
'Allowed to push': 'يسمح للدفع',
'allows a budget to be developed based on staff & equipment costs, including any admin overheads.': 'يسمح بتوسيع الميزانية إعتمادا على تكاليف الموظفين والمعدات ، بما في ذلك أي مشرف على النفقات العامة.',
'Allows authorized users to control which layers are available to the situation map.': 'تتيح للمستخدمين التحكم بالطبقات التي تتوفر لخريطة الوضع.',
'allows for creation and management of surveys to assess the damage following a natural disaster.': 'يسمح بإنشاء وإدارة الدراسات لتحديد الأضرار الناتجة عن الكوارث الطبيعية.',
'Already a Member': 'العضو موجود فعلا',
'Alternative Item': 'عنصر بديل',
'Alternative Item Details': 'تفاصيل العناصرالبديلة',
'Alternative Items': 'عناصر بديلة',
'Alternative places for studying': 'أماكن بديلة للدراسة',
'am': 'صباحا',
'Amount': 'كمية',
'Amount of the Project Budget spent at this location': 'مبلغ ميزانية المشروع أنفقت في هذا الموقع',
'An Assessment Template can be selected to create a Disaster Assessment. Within a Disaster Assessment, responses can be collected and results can analyzed as tables, charts and maps': 'يمكن اختيار نموذج لانشاء تقييم للكوارث، ان الاجابات يمكن ان تجمع والنتائج تحلل كجداول، مخططات او خرائظ',
'An error occured, please %(reload)s the page.': 'حدث خطأ، يرجى %(reload)s الصفحة.',
'An item which can be used in place of another item': 'عنصر يمكن استخدامه في مكان عنصرآخر',
'and': 'و',
'Annual Budget': 'الميزانية السنوية',
'Annual Budget deleted': 'حذف الميزانية السنوية ',
'Annual Budget updated': 'تجديد الميزانية السنوية ',
'Annual Budgets': 'الميزانيات السنوية',
'Anonymous': 'مجهول',
'anonymous user': 'مستخدم مجهول',
'Answers': 'الأجوبة',
'Anthropology': 'علم الإنسان',
'Apparent Age': 'العمرالظاهر',
'Apparent Gender': 'وضوح الجنس',
'Appeal Code': ' كود النداء',
'Applicable to projects in Pacific countries only': 'تنطبق على مشاريع في بلدان المحيط الهادئ فقط',
'Application Deadline': 'أخر موعد للتسجيل',
'Appointment Date': 'تاريخ التعيين',
'Appointment Number': 'رقم التعيين',
'Appraisal added': 'أضاف تقييم',
'Appraisal deleted': 'حذف التقييم',
'Appraisal Details': 'تفاصيل التقييم',
'Appraisal updated': 'تقييم محدث',
'Appraisals': 'تقييمات',
'Approve': 'الموافقة على',
'Approver': 'المعتمد',
'Arabic': 'العربية',
'Arabic - Reading': 'العربية - القراءة',
'Arabic - Speaking': 'العربية - الكلام',
'Arabic - Writing': 'العربية - الكتابة',
'Archive': 'الارشيف',
'Are you sure you want to delete the selected details?': 'هل أنت متأكد أنك تريد حذف التفاصيل المختارة؟',
'Are you sure you want to delete this record?': 'هل أنت متأكد أنك تريد حذف هذا السجل؟',
'Areas inspected': 'المناطق الي تم تفقدها',
'Arrival Date': 'تاريخ الوصول',
'Assessment': 'تقييم',
'Assessment deleted': 'حُذف التقييم',
'Assessment Summary added': 'أُضيف ملخص التقييم',
'Assessment Summary deleted': 'تم حذف ملخص التقييم',
'Assessment Templates': 'نماذج التقييم',
'Assessment updated': 'تم تحديث التقييم',
'Assessments': 'تقييم',
'Assessments and Activities': 'التقييمات و النشاطات',
'Assessor': 'المستشار',
'Asset': 'الموجودات الثابتة',
'Asset Details': 'تفاصيل الأصول',
'Assets': 'الموجودات الثابتة',
'Assign': 'تعيين',
'Assign %(staff)s': 'تعيين %(staff)s',
'Assign Asset': 'تعيين الأصول',
'Assign Human Resource': 'تعيين الموارد البشرية',
'Assign People': 'تعيين الأفراد',
'Assign Staff': 'تعيين الموظفين',
'Assign this role to users': 'تعيين هذا الدور للمستخدمين',
'Assign to Org.': 'تعيين في منظمة.',
'Assign to Organization': 'تعيين في منظمة',
'Assigned': 'تم التعيين',
'assigned': 'تم تعيينه',
'Assigned Entities': 'الجهات المعينة',
'Assigned Human Resources': 'الموارد البشرية المخصصة',
'Assigned To': 'مخصص ل',
'Assigned to': 'مخصص ل',
'Assigned to Organization': 'تم التعيين في المنظمة',
'Association': 'جمعية',
'ATC-20 Rapid Evaluation modified for New Zealand': '20-ATC تقييم سريع معدل لنيوزيلندا',
'Attachment': 'المرفق',
'Attachments': 'المرفقات',
'Authentication Required': 'مطلوب المصادقة',
'Author': 'الكاتب',
'Auxiliary Role': 'دور مساعد',
'Availability': 'توفر',
'Available Beds': 'الأسرة المتاحة',
'Available databases and tables': 'جداول و قواعد البيانات المتوفرة',
'Available on': 'متاح على',
'Available Records': 'الوثائق المتاحة',
'Avalanche': 'انهيار ثلجي',
'average': 'معدل',
'Average Monthly Income': 'متوسط الدخل الشهري',
'Average Rating': 'متوسط تقييم',
'Award': 'جائزة',
'Award added': 'أضافت جائزة',
'Award deleted': 'تم حذف جائزة',
'Award Details': 'تفاصيل جائزة',
'Award removed': 'تم إزالة جائزة',
'Award Type': 'نوع الجائزة',
'Award updated': 'تم تجديد الجائزة ',
'Awarding Body': 'جسم الجائزة',
'Awards': 'جوائز',
'Awareness Raising': 'زيادة الوعي',
'Back to Top': 'العودة إلى الأعلى',
'Back to User List': 'العودة إلى قائمة العضو',
'Bahai': 'بهائي',
'Baldness': 'صلع',
'Banana': 'موز',
'Barricades are needed': 'هناك حاجة إلى المتاريس',
'Base Layers': 'طبقات القاعدة',
'Base Location': 'موقع القاعدة',
'Baseline added': 'تم إضافة الخط القاعدي',
'Baseline deleted': 'تم حذف الخط القاعدي',
'Baseline number of beds of that type in this unit.': 'رقم الخط القاعدي للأسرَّة لذلك النوع في هذه الوحدة.',
'Baselines': 'الخطوط القاعدية',
'Baselines Details': 'تفاصيل الخطوط القاعدية',
'Basic Details': 'تفاصيل أساسية',
'Baud': 'باود Baud',
'Baud rate to use for your modem - The default is safe for most cases': 'معدل الباود لاستخدام المودم الخاص بك --يعد اي اختيار امن في معظم الحالات',
'BDRT (Branch Disaster Response Teams)': 'BDRT ( فرق الاستجابة للكوارث بالفرع)',
'Bed Capacity per Unit': 'السعة السريرية لكل وحدة',
'Bed type already registered': 'نوع السرير مسجل سابقا',
'Begging': 'التسول',
'Beginner': 'مبتدئ',
'Behaviour Change Communication': 'اتصالات تغيير السلوك ',
'Beneficiaries': 'المستفيدين',
'Beneficiaries Added': 'المستفيدين تم إضافتهم',
'Beneficiaries Deleted': 'المستفيدون تم حذفهم',
'Beneficiaries Details': 'تفاصيل المستفيدين',
'Beneficiaries Reached': 'المستفيدون تم الوصول إليه',
'Beneficiaries Updated': 'المستفيدون تم تحديثهم',
'Beneficiary': 'المستفيد',
'Beneficiary Report': 'تقرير الستفيد',
'Beneficiary Type': 'انواع المستفيدين',
'Beneficiary Type Added': 'نوع المستفيد تم اضافته',
'Beneficiary Type Deleted': 'نوع المستفيد تم حذفه',
'Beneficiary Type Updated': 'نوع المستفيد تم تحديثه',
'Beneficiary Types': 'أنواع المستفيد',
'Better Programming Initiative Guidance': 'إرشاد مبادرة أفضل البرمجة',
'Bin': 'سلة (صندوق)',
'black': 'أسود',
'Blocked': 'مسدود',
'blond': 'أشقر',
'Blood Banking': 'بنك الدم',
'Blood Donation and Services': 'التبرع بالدم والخدمات',
'Blood Donor Recruitment': 'التوظيف للمتبرعين بالدم',
'Blood Group': 'فصيلة الدم',
'Blood Type (AB0)': 'فصيلة الدم (AB0)',
'Blowing Snow': 'هبوب عاصفة ثلجية',
'blue': 'أزرق',
'Body': 'الجسم',
'Body Hair': 'شعر الجسم',
'Bomb': 'قنبلة',
'Bomb Explosion': 'انفجار قنبلة',
'Bomb Threat': 'تهديد القنبلة',
'Book': 'كتاب',
'Boq and Cost Estimation': 'جداول الكميات وتقدير التكلفة',
'Border Color for Text blocks': 'لون حاشية مجملالنص',
'Both': 'على حد سواء',
'Bounding Box Size': 'حجم المربع المحيط',
'Boys': 'أولاد',
'Branch': 'فرع',
'Branch Capacity Development': 'تنمية القدرات للفرع',
'Branch Coordinator': 'مدير الفرع',
'Branch of': 'فرع',
'Branch Organisational Capacity Assessment': 'تقييم القدرات التنظيمية للفرع',
'Branch Organization added': 'تم إضافة فرع المنظمة',
'Branch Organization Capacity Assessment': 'تقيم قدرة فروع المنظمه',
'Branch Organization Capacity Assessments': 'تقييم قابلية المنظمية الفرعية',
'Branch Organization deleted': 'تم حذف فرع المنظمة',
'Branch Organization Details': 'تفاصيل فرع المنظمة',
'Branch Organization updated': 'تم تحديث فرع المنظمة',
'Branch Organizations': 'فرع المنظمات',
'Branch Planning': 'التخطيط للفرع',
'Branches': 'الفروع',
'Brand': 'العلامة التجارية',
'Brand added': 'تم إضافة العلامة التجارية',
'Brands': 'العلامات',
'Breakdown': 'انفصال',
'Bridge Closed': 'جسر مغلق',
'Brochure': 'نشرة ( بروشور)',
'brown': 'بنى',
'Bucket': 'دلو',
'Buddhist': 'بوذي',
'Budget': 'الميزانية',
'Budget deleted': 'تم حذف الميزانية',
'Budget Details': 'تفاصيل الميزانية',
'Budget Monitoring': 'رصد الميزانية',
'Budget updated': 'تم تحديث الميزانية',
'Budgeting Module': 'وحدة القيام بالميزانية',
'Building Assessments': 'تقييمات المباني',
'Building Collapsed': 'مبنى منهار',
'Building Name': 'اسم البناية',
'Building or storey leaning': 'بناء أو طابق مائل',
'Building Short Name/Business Name': 'إسم المبنى/الإسم التجاري',
'Built using the Template agreed by a group of NGOs working together as the': 'تم إنشاؤها باستخدام القالب الذي اتفقت عليه مجموعة من المنظمات غير الحكومية العاملة معا مثل',
'Bundle Contents': 'محتويات الحزمة',
'Bundle deleted': 'تم حذف الحزمة',
'Bundle Details': 'تفاصيل الحزمة',
'Bundle Updated': 'تم تحديث الحزمة',
'Bundles': 'حزم',
'Bus Card': 'بطاقة الحافلات',
'by': 'من طرف',
'by %(person)s': 'بواسطة %(person)s',
'By %(site)s': 'بواسطة %(site)s ',
'By selecting this you agree that we may contact you.': 'عن طريق تحديد هذا فإنك توافق على أننا قد نتصل بك.',
'Calculate': 'حساب',
'Calendar': 'تقويم',
'Camp': 'مخيم',
'Camp / Makeshift shelter or tent / Barn or Container': 'مخيم / مأوى مؤقت أو خيم / حظيرة أو حاوية',
'Camp Coordination/Management': 'تنسيق/إدارة المخيم',
'Can only disable 1 record at a time!': 'يمكن تعطيل سجل واحد فقط مرة واحدة',
'Cancel': 'إلغاء',
'cancel': 'إلغاء',
'Cancel editing': 'إلغاء التحرير',
'Cancel Log Entry': 'إلغاء تسجيل الدخول',
'Canceled': 'تم الغاؤه',
'Cannot be empty': 'لا يمكن أن تكون فارغة',
'Cannot make an Organization a branch of itself!': 'لا يمكن أن يكون للمنظمة فرع من نفسها!',
'Cannot read from file: %(filename)s': 'لا يمكن القراءة من الملف:٪ (اسم الملف) ',
'Capacity Building': 'بناء القدرات',
'Capacity Building of Governance': 'بناء قدرات الإدارة الرشيدة',
'Capacity Building of Management Staff': 'بناء قدرات موظفي الإدارة',
'Capacity Building of Staff': 'بناء قدرات الموظفين',
'Capacity Building of Volunteers': 'بناء القدرات للمتطوعين',
'Capacity Development': 'تنمية القدرات',
'Capture Information on each disaster victim': 'جمع معلومات عن كل ضحية كارثة',
'Capturing organizational information of a relief organization and all the projects they have in the region': 'التقاط المعلومات التنظيمية لمساعدة المنظمة وجميع مشاريعهم في المنطقة',
'Card holder': 'حامل البطاقة',
'Cards': 'بطاقات',
'Case Management': 'ادارة الحالة',
'Case Status': 'وضع الحالة',
'Cash assistance': 'المساعدة النقدية',
'Casual Labor': 'عمل متقطع',
'Catalog': 'كاتالوج',
'Catalog added': 'أُضيف الكاتالوج',
'Catalog deleted': 'تم حذف الكتالوج',
'Catalog Details': 'تفاصيل الكتالوج',
'Catalog Item deleted': 'تم حذف عنصر من الكتالوج',
'Catalog updated': 'تم تحديث الكتالوج',
'Catalogs': 'الكتالوجات',
'Catchment Protection': 'حماية المصيد',
'Categories': 'التصنيفات',
'Category': 'فئة',
'caucasoid': 'القوقازين',
'cc: Focal Points?': 'نسخة إلى: جهات الاتصال؟',
'CDRT (Community Disaster Response Teams)': 'CDRT ( فرق الاستجابة للكوارث المجتمعية)',
'Ceilings, light fixtures': 'أسقف ، مصابيح',
'Cell Tower': 'برج الاتصالات',
'Center': 'مركز',
'Certificate': 'شهادة',
'Certificate added': 'تمت اضافة الشهادة',
'Certificate Catalog': 'سجل الشهادة',
'Certificate deleted': 'تم حذف الشهادة',
'Certificate Details': 'تفاصيل الشهادة',
'Certificate issued': ' تم اعطاء شهادة',
'Certificate List': 'لائحة الشهادات',
'Certificate Status': 'حالة الشهادة',
'Certificate updated': 'شهادة تم تحديثها',
'Certificates': 'الشهادات',
'Certification': 'شهادة',
'Certification added': 'اضيفت الشهادات',
'Certification deleted': 'تم حذف الشهادة',
'Certification Details': 'تفاصيل الشهادة',
'Certification updated': 'تم تحديث الشهادات',
'Certifications': 'الشهادات',
'Certifying Organization': 'تصديق المنظمة',
'Change Password': 'تغيير كلمة السر',
'Change to security policy 3 or higher if you want to define permissions for roles.': 'تغيير للسياسة الأمنية 3 أو أعلى إذا كنت ترغب في تحديد أذونات الأدوار.',
'Chapter': 'الفصل',
'Check': 'فحص',
'Check ID': 'تحقق ID',
'Check Request': 'فحص الطلب',
'Check to delete': 'تحقق قبل الحذف',
'Checklist deleted': 'تم حذف القائمة',
'Chemical, Biological, Radiological, Nuclear or High-Yield Explosive threat or attack': 'هجوم أو تهديد انفجاري ذا قدرة عالية أو كيميائي،بيولوجي أواشعاعي',
'Chicken': 'دجاج',
'Child': 'طفل',
'Child (2-11)': 'الأطفال (2-11)',
'Child (< 18 yrs)': 'طفل (< 18 عاما)',
'Child Abduction Emergency': 'حالة الطوارئ في حالات اختطاف الأطفال',
'Child headed households (<18 yrs)': 'الأسر التي يرأسها أطفال (<18 عاما)',
'Child Protection': 'حماية الطفل',
'Children in juvenile detention': 'الأطفال الذين هم في محتجز الأحداث',
'Children orphaned by the disaster': 'الأطفال الذين تيتموا بسبب الكارثة',
'Children that have been sent to safe places': 'الأطفال الذين تم إرسالهم إلى أماكن آمنة',
'Children who have disappeared since the disaster': 'الأطفال الذين اختفوا منذ وقوع الكارثة',
"Children's Education": 'التعليم للأطفال',
'Chinese (Taiwan)': 'الصينية (تايوان)',
'Cholera-Treatment-Center': 'مركزعلاج الكوليرا',
'choose': 'أختر',
'Choose a type from the drop-down, or click the link to create a new type': 'اختر نوع من القائمة المنسدلة، أو انقر على الرابط لإنشاء نوع جديد',
'Choose File': 'اختيار مستند',
'Christian': 'مسيحي',
'Church': 'كنيسة',
'City': 'مدينة',
'Civil Society/NGOs': 'المجتمع / المنظمات غير الحكومية المدنية',
'Clean-Up Campaign': 'حملة تنظيف',
'Cleaner': 'المنظف',
'Clear': 'واضح',
'clear': 'واضح',
'Clear All': 'امسح الكل',
'Clear Color Selection': 'مسح لون التحديد',
'Clear Filter': 'مسح التصفية',
'Click anywhere on the map for full functionality': 'انقر فوق أي مكان على الخريطة للوظائف الكاملة',
'click for more details': 'اضغط هنا للمزيد من التفاصيل',
'click here': 'انقر هنا',
'Click on the link %(url)s to reset your password': 'انقر على الرابط %(url)s to reset your password',
'Click on the link %(url)s to verify your email': 'انقر على الرابط %(url)s للتحقق من بريدك الالكتروني',
'Click on the slider to choose a value': 'انقر على شريط التمرير لاختيار قيمة',
'Click to edit': 'إضغط للتعديل',
'Climate Change': 'تغير المناخ',
'Climate Change Adaptation ': 'التكيف مع تغير المناخ',
'Climate Change Mitigation': 'التخفيف من آثار تغير المناخ',
'Clinical Operations': 'عمليات سريرية',
'Clinical Status': 'حالة سريرية',
'Close': 'قريب',
'Close map': 'Close map',
'Closed': 'تم الغلق',
'Closure Reason': 'سبب الإغلاق',
'Clothing': 'ملابس',
'Cloud forecast': 'توقع الغيوم',
'Club 25 / Pledge 25': 'نادي 25 / تعهد 25',
'Cluster': 'الكتلة',
'Cluster added': 'أضافت الكتلة',
'Cluster deleted': 'تم حذف الكتلة',
'Cluster Details': 'تفاصيل الكتلة',
'Cluster Subsector': 'كتلة القطاع الفرعي',
'Cluster updated': 'تم تحديث الكتلة',
'Cluster(s)': 'كتلة(ج)',
'Clusters': 'الكتلة',
'Coalition added': 'تم إضافةالتحالف',
'Coalition Details': 'تفاصيل التحالف',
'Coalition removed': 'تم إزالةالتحالف',
'Coalition updated': 'تم تحديث التحالف',
'Coalitions': 'التحالفات',
'Coastal Conservation ': 'حفظ الساحلي',
'Code': 'كود',
'Code No.': 'رقم الكود.',
'Code Share': 'كود مشاركة',
'cohabiting': 'المعاشرة',
'Cold Wave': 'موجة برد',
'Collapse All': 'طي الكل',
'Color of Buttons when hovering': 'لون الأزرار عندما تحوم',
'Color of dropdown menus': 'لون القائمة المنسدلة',
'Color of selected Input fields': 'لون مجال المعلومات المختارة',
'Color of selected menu items': 'لون عناصر القائمة المختارة',
'Combined Method': 'طريقة مركبة',
'Comment': 'تعليق',
'Comments': 'التعليقات',
'Commit from %s': 'تسليم حسب %',
'Commit Status': 'حالة الإلتزام.',
'Commiting a changed spreadsheet to the database': 'الإلتزام بجدول التغيرات لقاعدة البيانات',
'Commitment Details': 'تفاصيل الالتزام',
'Commitment Item deleted': 'تم حذف الالتزام',
'Commitment Item Details': 'تفاصيل التزام العنصر',
'Commitment Updated': 'تم تحديث الالتزام',
'Commitments': 'الالتزامات',
'Commodities Loaded': 'السلع المحملة',
'Commune': 'البلدية',
'Communicable Diseases': 'الأمراض المعدية',
'Communication': 'الاتصالات',
'Communication Officer': 'موظف الاتصالات',
'Communities': 'المنظمات',
'Community': 'المجتمع',
'Community Action Planning': 'تخطيط العمل المجتمعي',
'Community Added': 'إضافة المجتمع',
'Community Based Health and First Aid (CBHFA)': ' الصحية والإسعافات الأولية المجتمعية (CBHFA)',
'Community Contacts': 'الاتصال المجتمع',
'Community Deleted': 'المجتمع تم حذفه',
'Community Details': 'تفاصيل المجتمع',
'Community Disaster Awareness': ' التوعية المجتمعية من الكوارث',
'Community Early Warning Systems': ' نظم الإنذار المبكر المجتمعية',
'Community Health': 'صحة المجتمع',
'Community Health Center': 'مركز لصحة المجتمع',
'Community Health Committees': 'لجان صحة المجتمع',
'Community Health Initiative/Projects': 'مبادرة صحة المجتمع / مشروعات',
'Community Health Risk Assessments': 'تقييم المخاطر الصحية المجتمعية',
'Community Mobilization': 'تعبئة المجتمع',
'Community Organization': 'منظمة المجتمع',
'Community Preparedness': 'تأهب المجتمع',
'Community Updated': ' المجتمع تم تحديثه',
'Community-based DRR': 'الحد من مخاطر الكوارث المجتمعية',
'Company': 'شركة',
'Comparison': 'مقارنة',
'Competencies': 'الكفاءات',
'Competency': 'كفاءة',
'Competency Details': 'تفاصيل الكفاءة',
'Competency Rating': 'تصنيف الكفاءات',
'Competency Rating added': ' تصنيف الكفاءات تم اضافته',
'Competency Rating Catalog': 'كاتالوج تصنيف الكفاءات',
'Competency Rating deleted': 'تصنيف الكفاءات تم حذفه',
'Competency Rating Details': 'تفاصيل تقييم الكفاءة',
'Competency Rating updated': 'تصنيف الكفاءات تم تحديثه',
'Completed': 'تم',
'completed': 'تم',
'Completion Date': 'موعد الإكمال',
'Completion Question': 'الاسئله التكميليه',
'Complex Emergency': 'حالات الطوارئ المعقدة',
'Complexion': 'مظهر عام',
'Compose': 'شكّل',
'Compromised': 'تسوية',
'Condition': 'الشروط',
'Configuration': 'إعداد',
'Configurations': 'إعدادات',
'Confirm Shipment Received': 'تأكيد تلقى الشحنة',
'Confirmed': 'تم تأكيد',
'Confirming Organization': 'المنظمة المؤكدة',
'Conflict Details': 'تفاصيل النزاع',
'Conflict Resolution': 'حل النزاع',
'Consenting to Data Disclosure': 'موافقة الكشف عن البيانات',
'consider': 'يعتبر',
'Construction Activities': 'أنشطة البناء',
'Construction of Transitional Shelter': 'بناء المأوى الانتقالي',
'Construction of Water Supply Systems': 'بناء أنظمة إمدادات المياه',
'Consumable': 'مستهلكات',
'Contact': 'اتصال',
'Contact added': ' الاتصال تم اضافته',
'Contact Added': 'تم إضافة الاتصال',
'Contact Data': 'بيانات الاتصال',
'Contact deleted': 'الاتصال تم حذفه',
'Contact Deleted': 'الاتصال تم حذفه',
'Contact Description': 'وصف الاتصال',
'Contact details': 'تفاصيل الاتصال',
'Contact Details': 'بيانات المتصل',
'Contact Details updated': 'تفاصيل الاتصال تم تحديثه',
'Contact Info': 'معلومات الاتصال',
'Contact Information': 'معلومات الشخص المُتصل به',
'Contact Information Added': 'معلومات الإتصال تم اضافتها',
'Contact Information Deleted': 'حُذفت معلومات المُتصل به',
'Contact information updated': 'تم تحديث معلومات الاتصال',
'Contact Information Updated': 'معلومات الإتصال تم تحديثه',
'Contact Method': 'طريقة الاتصال',
'Contact Name': 'اسم جهة الاتصال',
'Contact People': 'إتصال الأفراد',
'Contact Person': 'الشخص الذي يمكن الاتصال به',
'Contact Phone': 'هاتف الاتصال',
'Contact Updated': 'الاتصال تم تحديثه',
'Contact Us': 'اتصل بنا',
'Contact us': 'اتصل بنا',
'Contacts': 'وسائل الاتصال',
'Contingency/Preparedness Planning': 'التخطيط للاستعداد / الطوارئ',
'Contract': 'العقد',
'Contract Details': 'تفاصيل العقد',
'Contract End Date': 'تاريخ انتهاء العقد',
'Contract Number': 'رقم العقد',
'Contractual Agreements (Community/Individual)': 'الاتفاقات التعاقدية (المجتمع / فردي)',
'Contractual Agreements (Governmental)': 'الاتفاقات التعاقدية (الحكومية)',
'Contributor': 'مشارك',
'Conversion Tool': 'أداة تحويل',
'Cook Islands': 'جزر كوك',
'Coordination and Partnerships': 'التنسيق والشراكات',
'Coordinator': 'المنسق',
'Copy': 'نسخ',
'Corporate Entity': 'الكيان المؤسسي',
'Cost per Megabyte': 'تكلفة لكل ميغا بايت',
'Cost Type': 'نوع التكلفة',
'Could not add person details': 'لا يمكن إضافة تفاصيل شخص',
'Could not add person record': 'لا يمكن اضافة سجل شخص',
'Could not create record.': 'لا يمكن إنشاء سجل.',
"couldn't be parsed so NetworkLinks not followed.": 'لا يمكن تحليل ذلك. تعذر تتبع NetworkLinks.',
'Counselor': 'مستشار',
'Count': 'العد',
'Country': 'البلد',
'Country Code': 'الرقم الدولي',
'Country of Deployment': 'بلد النشر',
'Course': 'الدورة',
'Course added': 'تم اضافة المقرر',
'Course Catalog': 'كتالوج الدورة',
'Course Certificate added': 'تم اضافة شهادة المقرر',
'Course Certificate deleted': 'تم حذف شهادة المقرر',
'Course Certificate Details': 'تفاصيل شهادة الدورة',
'Course Certificate updated': 'تم تحديث شهادة الدورة',
'Course Certificates': 'شهادات الدورات',
'Course deleted': 'تم حذف المقرر',
'Course Details': 'تفاصيل الدورة',
'Course updated': 'تم تحديث المقرر',
'Courses Attended': 'دورات تم حضورها',
'Create': 'إضافة',
'Create a new Group': 'إنشاء مجموعة جديدة',
'Create a new occupation type': 'إنشاء نوع وظيفة جديد',
'Create a new religion': 'إنشاء دين جديد',
'Create a new Team': 'إنشاء فريق جديد',
'Create a Person': 'إضافة شخص',
'Create Activity': 'إضافة نشاط',
'Create Activity Type': 'إنشاء نوع النشاط',
'Create Alternative Item': 'إنشاء عنصر بديل ',
'Create Assessment': 'اضافه تقييم',
'Create Asset': 'إضافة أصل جديد',
'Create Award': 'إنشاء جائزة',
'Create Award Type': 'إنشاء نوع جائزة ',
'Create Bed Type': 'إضافة نوع السرير',
'Create Beneficiary': 'إنشاء مستفيد',
'Create Beneficiary Type': 'إنشاء نوع المستفيد',
'Create Brand': 'اضافه علامه تجاريه جديده',
'Create Budget': 'اضافة ميزانية',
'Create Campaign': 'إنشاء حملة',
'Create Catalog': 'فهرس الدورة',
'Create Catalog Item': 'إنشاء عنصر كتالوج',
'Create Certificate': 'اضافة شهادة',
'Create Cholera Treatment Capability Information': 'أضف معلومات حول معالجة الكوليرا',
'Create Cluster': 'إنشاء كتلة',
'Create Coalition': 'إنشاء التحالف',
'Create Competency Rating': 'إنشاء تصنيف الكفاءات',
'Create Contact': 'إنشاء اتصال',
'Create Course': 'إضافة دورة أو درس',
'Create Dead Body Report': 'أضف تقريرا عن جثة',
'Create Department': 'اضافة قسم',
'Create Event Type': 'اضافة نوع النشاط',
'Create Facility': 'إضافة مرفق',
'Create Facility Type': 'إضافة نوع المرفق',
'Create Group': 'إضافة مجموعة',
'Create Group Member Role': 'إنشاء دور عضو المجموعة',
'Create Group Status': 'إنشاء حالة المجموعة',
'Create Hazard': 'إنشاء المخاطر',
'Create Hospital': 'إضافة مستشفى جديد',
'Create Identification Report': 'إضافة تقرير الهوية',
'Create Incident Report': 'اضافة تقرير لحادث',
'Create Incident Type': 'اضافة نوع الحادث',
'Create Indicator': 'إنشاء المؤشر',
'Create Item': 'إضافة عنصر جديد',
'Create Item Catalog': 'اضافه تصنيف جديد',
'Create Job': 'إنشاء الوظيفة',
'Create Job Title': 'اضافة عنوان العمل',
'Create Kit': 'إضافة أدوات جديدة',
'Create Location': 'إنشاء الموقع',
'Create Map Profile': 'اضافة تكوين خريطة',
'Create Marker': 'إضافة علامة',
'Create Milestone': 'إنشاء معلم',
'Create Mobile Impact Assessment': 'ايجاد تقييم للتأثير المتنقل',
'Create National Society': 'إنشاء جمعية وطنية',
'Create Occupation Type': 'إنشاء نوع الوظيفة ',
'Create Office': 'أضف مكتبا',
'Create Office Type': 'إنشاء نوع مكتب ',
'Create Organization': 'أضف منظمة',
'Create Organization Type': 'إنشاء نوع المنظمة',
'Create Partner Organization': 'انشاء منظمة شريكه',
'Create Policy or Strategy': 'إنشاء سياسة أو استراتيجية',
'Create Program': 'اضافة برنامج',
'Create Project': 'اضافه مشروع',
'Create Protection Response': 'انشاء (استجابة الحماية)',
'Create Religion': 'إنشاء الدين',
'Create Report': 'اضافة تقرير جديد',
'Create Request': 'إنشاء طلب',
'Create Resource': 'أضف موردا',
'Create Resource Type': 'تكوين نوع المورد',
'Create River': 'أضف نهرا',
'Create Role': 'إنشاء دور',
'Create Room': 'إضافة غرفة',
'Create Salary Grade': 'إنشاء درجة الراتب ',
'Create Sector': 'أضف قطاعا',
'Create Service': 'إنشاء خدمة',
'Create Shelter': 'أضف مأوى',
'Create Shelter Service': 'أضف خدمة مأوى',
'Create Skill': 'إضافة كفاءة',
'Create Skill Type': 'إنشاء نوع المهارة',
'Create Staff Level': 'إنشاء مستوى الموظفين',
'Create Staff Member': 'اضافه موظف',
'Create Staff or Volunteer': 'إنشاء الموظفين أو المتطوعين',
'Create Status': 'إنشاء حالة',
'Create Strategy': 'إنشاء استراتيجية',
'Create Subscription': 'إنشاء اشتراك',
'Create Supplier': 'اضافه مورد',
'Create Team': 'إنشاء فريق',
'Create Theme': 'إنشاء موضوع',
'Create Training Center': 'إنشاء مركز للتدريب',
'Create Training Event': 'اضافة نشاط تدريبي',
'Create User': 'إضافة مستخدم',
'Create Volunteer': 'أضف متطوعا',
'Create Volunteer Role': 'إنشاء دور المتطوعين',
'Create Warehouse': 'أضف مستودعا',
'Create Warehouse Type': 'إنشاء نوع مستودع ',
'Created By': 'انشأ من قبل',
'Created On': 'تم إنشاؤها على',
'Created on %s': 'تم إنشاؤها على %s',
'Created on %s by %s': 'تم إنشاؤها على %s بواسطة %s',
'Credential': 'الاعتماد',
'Credential added': 'تم اضافة الاعتماد',
'Credential deleted': 'تم حذف الاعتماد',
'Credential Details': 'تفاصيل الاعتماد',
'Credential updated': 'تم تحديث الاعتماد',
'Credentials': 'وثائق التفويض',
'Crime': 'جريمة',
'Criminal Record': 'سجل جنائي',
'Criteria': 'معيار',
'Critical Infrastructure': 'بنية تحتية حرجة',
'Crop Image': 'قص الصوره',
'Cumulative Status': 'الحالة التراكمية',
'curly': 'مجعد',
'Currency': 'عملة',
'Current': 'الحالية',
'current': 'حساب',
'Current Address': 'العنوان الحالي',
'Current Beneficiaries': 'المستفيدين الحاليين',
'Current community priorities': 'أولويات المجتمع الحالي',
'Current greatest needs of vulnerable groups': 'أكبرالاحتياجات الحالية للفئات الضعيفة',
'Current Group Members': 'أعضاء الفريق الحالي',
'Current health problems': 'المشاكل الصحية الحالية',
'Current Home Address': 'عنوان السكن الحالي',
'Current Indicators Status': 'حالة المؤشرات الحالية ',
'Current Location': 'الموقع الحالي',
'Current Log Entries': 'إدخالات السجل الحالي',
'Current Occupation': 'المهنة الحالية',
'Current problems, details': 'المشاكل الحالية، تفاصيل',
'Current response': 'إستجابة حالية',
'Current Status': 'الحالة الحالية',
'Current Status of Project': 'الوضع الحالي للمشروع',
'Current Team Members': 'أعضاء الفريق الحالي',
'Current Twitter account': 'حساب twitter الحالي',
'Current Weather': 'الطقس لحالي',
"Current Year's Actual Progress": 'التقدم الفعلي السنة الحالية',
"Current Year's Planned Progress": 'التقدم المخطط للسنة الحالية',
'Current?': 'الحالية ؟',
'Currently no Appraisals entered': 'لا يوجد حاليا أي تقييم دخل',
'Currently no awards registered': 'حاليا لا يوجد أي جوائز مسجلة',
'Currently no Certifications registered': 'حاليا لا توجد شهادات مسجلة',
'Currently no Course Certificates registered': 'لا يوجد حاليا شهادات شهادة مسجلة',
'Currently no Credentials registered': 'حاليًا لم تسجل بيانات اعتماد',
'Currently no entries in the catalog': 'حاليا لا يوجد إدخالات في الكاتالوج',
'Currently no hours recorded for this volunteer': 'حاليا لا يوجد ساعات سجلت لهذا المتطوع',
'Currently no Participants registered': 'لا يوجد حاليا مشاركين مسجلين',
'Currently no Professional Experience entered': 'لا يوجد حاليا خبرة فنية تم ادخالها',
'Currently no programs registered': 'حاليا لا توجد برامج مسجلة',
'Currently no recommendation letter types registered': 'لا توجد حاليا أنواع رسائل توصية مسجلة',
'Currently no recommendation letters registered': 'حاليا لا توجد أي رسائل توصية مسجلة',
'Currently no salary registered': 'حاليا لا يوجد أي راتب مسجل',
'Currently no Skill Equivalences registered': 'حاليا لا يوجد أي مكافئات مهارة مسجلة',
'Currently no Skills registered': 'حاليا لا يوجد أي مهارات مسجلة',
'Currently no staff assigned': 'حاليا لا يوجد أي موظف تعيين',
'Currently no training events registered': 'حاليا لا يوجد أي دورات تدريبية مسجلة',
'CV': 'السيرة الذاتية',
'Cyclone': 'الإعصار',
'Daily': 'اليومي',
'dark': 'داكن',
'Dashboard': 'لوحة التحكم',
'data uploaded': 'تم رفع البيانات',
'Data uploaded': 'تم رفع البيانات',
'database %s select': 'اختر قاعدة البيانات بـ%s',
'Database Development': 'تطوير قاعدة بيانات',
'Date': '',
'Date & Time': 'التاريخ والوقت',
'Date and time this report relates to.': 'تاريخ و وقت هذا التقرير يتعلق بـ.',
'Date Created': 'تاريخ الإنشاء',
'Date Due': 'تاريخ الاستحقاق',
'Date Exported': 'تاريخ تصديرها',
'Date for Follow-up': 'تاريخ المتابعة',
'Date is required!': 'التأريخ مطلوب',
'Date Modified': 'تأريخ التعديل',
'Date must be %(max)s or earlier!': 'يجب أن يكون التاريخ %(max)s أو في وقت سابق!',
'Date must be %(min)s or later!': 'يجب أن يكون التاريخ %(mins)s أو في وقت لاحق!',
'Date must be between %(min)s and %(max)s!': 'يجب أن يكون التاريخ بين %(min)s و %(max)s المفضل',
'Date Needed By': 'تاريخ الوصول',
'Date of Birth': 'تاريخ الميلاد',
'Date of Birth is Required': 'تاريخ الميلاد مطلوب',
'Date of Dismissal': 'تاريخ الفصل',
'Date of Latest Information on Beneficiaries Reached': 'لقد وصل تاريخ آخر المعلومات عن المستفيدين',
'Date of Re-recruitment': 'تاريخ إعادة التوظيف',
'Date of Recruitment': 'تاريخ التوظيف',
'Date Printed': 'تاريخ الطبع',
'Date Question': 'تاريخ السؤال',
'Date Received': 'تاريخ استلامه',
'Date Repacked': 'تاريخ إعادة التعبئة',
'Date Requested': 'الموعد المطلوب',
'Date Responded': 'تاريخ الرد',
'Date Sent': 'تاريخ الإرسال',
'Date/Time': 'التاريخ / الوقت',
'Date/Time is required!': 'التأريخ / الوقت مطلوب',
'Date/Time must be %(max)s or earlier!': 'يجب أن يكون تاريخ / وقت %(max)s الصورة أو في وقت سابق!',
'Date/Time must be %(min)s or later!': 'ويجب أن يكون تاريخ / وقت %(min)s الصورة أو في وقت لاحق!',
'Date/Time must be between %(min)s and %(max)s!': 'يجب أن يكون تاريخ / وقت بين %(min)s و %(max)s المفضل',
'Day': 'يوم',
'Dead Body Details': 'تفاصيل الجثة الميت',
'Dead Body Reports': 'تقارير الجثة الميتة',
'Dear %(person_name)s': 'عزيزي %(person_name)s',
'Dear Brother %(person_name)s': 'أخي العزيز %(person_name)s',
'Dear Sister %(person_name)s': 'عزيزتي الأخت %(person_name)s',
'deceased': 'متوفي',
'Deceased': 'متوفى',
'Decimal Degrees': 'الدرجات العشرية',
'Decomposed': 'متحللة',
'default': 'الإفتراضي',
'Default': 'اساسي',
'Default Answer': 'الإجابة الإفتراضية',
'Default Language': 'اللغة الافتراضية',
'Default Width of the map window.': 'العرض الافتراضي لإطار الخريطة.',
'Defines the icon used for display of features on interactive map & KML exports.': 'يعرف الرمز المستخدم لعرض ملامح من الخريطة التفاعلية وتصدير KML.',
'Defines the marker used for display & the attributes visible in the popup.': 'يحدد العلامة المستخدمة للعرض والسمات الظاهرة للتوضيح',
'Definition': 'تعريف',
'Degrees in a latitude must be between -90 to 90.': 'ويجب أن تكون درجة في خط العرض بين -90 إلى 90.',
'Degrees in a longitude must be between -180 to 180.': 'ويجب أن تكون درجة في الطول بين -180 إلى 180.',
'Degrees must be a number.': 'ويجب أن تكون درجة عددا.',
'Delete': 'مسح',
'Delete Activity': 'حذف النشاط',
'Delete Activity Type': 'حذف نوع النشاط',
'Delete Affiliation': 'حذف الانتساب',
'Delete all data of this type which the user has permission to before upload. This is designed for workflows where the data is maintained in an offline spreadsheet and uploaded just for Reads.': 'احذف كافة البيانات من هذا النوع التي يملك المستخدم الإذن قبل تحميلها. تم تصميم هذا الأمر لمهام سير العمل حيث يتم الاحتفاظ بالبيانات في جدول بيانات غير متصل ويتم تحميلها فقط للقراء.',
'Delete Appraisal': 'حذف تقييم',
'Delete Assessment': 'حذف التقييم',
'Delete Assessment Summary': 'حذف ملخص التقييم',
'Delete Award': 'حذف جائزة',
'Delete Baseline': 'حذف الخط القاعدي',
'Delete Branch': 'حذف فرع',
'Delete Certificate': 'حذف شهادة',
'Delete Certification': 'حذف شهادة',
'Delete Cluster': 'حذف الكتلة',
'Delete Commitment': 'حذف الالتزام',
'Delete Competency Rating': 'حذف تصنيف الكفاءات',
'Delete Contact': 'حذف اتصال',
'Delete Contact Information': 'حذف معلومات الشخص المراد الاتصال به',
'Delete Course': 'حذف الدورة',
'Delete Course Certificate': 'حذف شهادة المقرر',
'Delete Credential': 'حذف الاعتمادات',
'Delete Department': 'حذف القسم',
'Delete Deployment': 'حذف النشر',
'Delete Donor': 'حذف مانح',
'Delete Emergency Contact': 'حذف الاتصال في حالات الطوارئ',
'Delete Entry': 'حذف الإدخال ',
'Delete Event': 'حذف الحدث',
'Delete Facility': 'حذف مرفق',
'Delete Facility Type': 'حذف نوع مرفق',
'Delete Feature Layer': 'حذف خاصية الطبقة',
'Delete Group': 'حذف المجموعة',
'Delete Group Member Role': 'حذف دور عضو المجموعة',
'Delete Group Status': 'حذف حالة المجموعة',
'Delete Hazard': 'حذف المخاطر',
'Delete Hours': 'حذف ساعات',
'Delete Image': 'حذف صورة',
'Delete Job Title': 'حذف المسمى الوظيفي',
'Delete Kit': 'حذف طقم أدوات',
'Delete Layer': 'حذف طبقة',
'Delete Level 2 Assessment': 'حذف تقييم المستوى 2',
'Delete Location': 'حذف الموقع',
'Delete Map Profile': 'حذف تكوين خريطة',
'Delete Membership': 'حذف العضوية',
'Delete Message': 'حذف الرسالة',
'Delete Mission': 'حذف المهمة',
'Delete National Society': 'حذف الجمعية الوطنية',
'Delete Need': 'حذف الحاجة',
'Delete Need Type': 'حذف نوع الحاجة',
'Delete Occupation Type': 'حذف نوع الوظيفة ',
'Delete Office': 'حذف مكتب',
'Delete Office Type': 'حذف نوع المكتب ',
'Delete Organization': 'حذف المنظمة',
'Delete Organization Type': 'حذف نوع المنظمة',
'Delete Participant': 'حذف مشارك',
'Delete Partner Organization': 'حذف المنظمة الشريكة',
'Delete Person': 'حذف شخص',
'Delete Person Subscription': 'حذف اشتراك الشخص',
'Delete Photo': 'حذف الصورة',
'Delete Population Statistic': 'حذف إحصاء السكان',
'Delete Professional Experience': 'حذف الخبرة المهنية',
'Delete Program': 'حذف برنامج',
'Delete Project': 'حذف مشروع',
'Delete Projection': 'حذف التخطيط',
'Delete Rapid Assessment': 'حذف التقييم السريع',
'Delete Received Item': 'تم حذف العنصر المستلم',
'Delete Received Shipment': 'حذف الشحنة المستلمة',
'Delete Recommendation Letter': 'حذف رسالة التوصية',
'Delete Recommendation Letter Type': 'حذف نوع رسالة التوصية',
'Delete Record': 'حذف سجل',
'Delete Region': 'حذف منطقة',
'Delete Religion': 'حذف الدين',
'Delete Request': 'حذف الطلب',
'Delete Request Item': 'حذف عنصرالطلب',
'Delete Resource': 'حذف الموارد',
'Delete Resource Type': 'حذف نوع المورد',
'Delete Response': 'حذف الرد',
'Delete Role': 'حذف دور',
'Delete Room': 'حذف غرفة',
'Delete Salary': 'حذف الراتب',
'Delete Scenario': 'حذف السيناريو',
'Delete Sector': 'حذف قطاع',
'Delete Service': 'حذف خدمة',
'Delete Setting': 'حذف إعداد',
'Delete Skill': 'حذف مهارة',
'Delete Skill Equivalence': 'حذف مكافئ المهارة',
'Delete Skill Type': 'حذف نوع المهارة',
'Delete Staff Assignment': 'حذف تعيين الموظفين',
'Delete Staff Member': 'حذف موظف',
'Delete Status': 'حذف حالة',
'Delete Strategy': 'حذف استراتيجية',
'Delete Supplier': 'حذف المورد',
'Delete Survey': 'حذف مسح',
'Delete Survey Series': 'حذف سلاسل المسح',
'Delete Theme': 'حذف النسق',
'Delete this Filter': 'حذف هذا المرشح',
'Delete Training': 'حذف التدريب',
'Delete Training Center': 'حذف مركز التدريب',
'Delete Training Event': 'حذف حدث التدريب',
'Delete Unit': ' حذف الوحدة',
'Delete Volunteer': 'حذف المتطوع',
'Delete Volunteer Role': 'حذف نوع المتطوع',
'Delete Warehouse': 'حذف المستودع',
'Delete Warehouse Type': 'حذف نوع المستودع',
'deleted': 'محذوف',
'Deletion failed': 'فشل الحذف',
'Deletion Failed': 'فشل الحذف',
'Deliver To': 'يسلم إلى',
'Delphi Decision Maker': 'صانع قرار دلفي',
'Demographic': 'السكانية',
'Demographics': 'السكانية',
'Demonstrations': 'مظاهرات',
'Denominator': 'وسيط',
'Department / Unit': 'القسم / الوحدة',
'Department added': ' تم إضافة قسم',
'Department Catalog': 'لائحة الاقسام',
'Department deleted': 'تم حذف قسم',
'Department Details': 'تفاصيل القسم',
'Department updated': 'قسم تم تحديثه',
'Deployables': 'قابل للنشر',
'Deployed': 'نشر',
'Deploying NS': 'نشر NS',
'Deployment': 'نشر',
'Deployment added': 'تم إضافة النشر',
'Deployment Alert': 'تنبيه النشر',
'Deployment Date': 'تاريخ النشر',
'Deployment deleted': 'تم حذف النشر',
'Deployment Details': 'تفاصيل النشر',
'Deployment Details updated': 'تفاصيل النشر تم تحديثه',
'Deployment Team': 'فريق للنشر',
'Deployments': 'عمليات النشر',
'Describe the condition of the roads to your hospital.': 'وصف حالة الطرق الى المستشفى الخاص بك.',
"Describe the procedure which this record relates to (e.g. 'medical examination')": "وصف الإجراء الذي يتعلق به هذا السجل (مثل 'الفحص الطبي')",
'Description': 'الوصف',
'Description of defecation area': 'وصف منطقة التغوط',
'Description of drinking water source': 'وصف مصدر مياه الشرب',
'Deselect All': 'الغاء تحديد الكل',
'Design, deploy & analyze surveys.': 'تصميم-نشر-تحليل المسوحات',
'Designation(s)': 'التعيين',
'Desluding ': 'إنهاء',
'Destination': 'الوجهة',
'Detailed Description': 'الوصف التفصيلي',
'Details': 'التفاصيل',
'Dialysis': 'غسيل الكلى',
'Diarrhea': 'إسهال',
'Died': 'مات',
'Direct Date': 'التأريخ المباشر',
'Direct Number': 'رقم المباشرة',
'Disable': 'تعطيل',
'Disabled': 'معطل',
'Disabled participating in coping activities': 'تعطيل المشاركة في أنشطة المواجهة',
'Disabled?': 'معاق؟',
'Disaster Assessments': 'تقييمات الكوارث',
'Disaster clean-up/repairs': 'الإصلاحات/التنظيف بعد الكارثة',
'Disaster Law': 'قانون الكوارث',
'Disaster Management': 'ادارة الكوارث',
'Disaster Preparedness & Risk Reduction': 'التأهب للكوارث والحد من المخاطر',
'Disaster Risk Management': 'إدارة مخاطر الكوارث',
'Disaster Risk Reduction': 'الحد من مخاطر الكوارث',
'Disaster situation (flood / earthquake, etc.)': 'حالات الكوارث (الفيضانات / زلزال، الخ)',
'Disaster Type': 'نوع الكوارث',
'Discard changes?': 'تجاهل التغييرات؟',
'Discard this entry': 'تجاهل هذا الموضوع',
'Disciplinary Action Type': 'نوع الفعل التأديبي',
'Disciplinary Record': 'سجل تأديبي',
'Discontinued': 'توقف',
'Discussion Forum': 'منتدى الحوار',
'Discussion Forum on item': 'منتدى النقاش حول الموضوع',
'Disease Prevention': 'الوقاية من الأمراض',
'Disease vectors': 'ناقلات الأمراض',
'diseased': 'متوفي',
'Dispensary': 'مستوصف',
'Displaced': 'النازحون',
'Display Waypoints?': 'عرض نقاط الطريق؟',
'Distance between defecation area and water source': 'المسافة بين منطقة التغوط ومصدر المياه',
'Distribution': 'التوزيع',
'Distribution groups': 'مجموعات التوزيع',
'Distribution of Food': 'توزيع الأغذية',
'Distribution of Non-Food Items': 'توزيع المواد غير الغذائية',
'Distribution of Shelter Repair Kits': 'توزيع أطقم إصلاح المأوى',
'District': 'مديرية',
'District / Town': 'المديرية/البلدة ',
'Diversifying Livelihoods': 'تنويع سبل العيش',
'divorced': 'مطلقة',
'DM / Relief': 'إدارة الكوارث / الإغاثة',
'DM Planning': 'التخطيط لإدارة الكوارث',
'DNA Profile': 'بيانات الحمض النووي',
'DNA Profiling': 'تحليل DNA',
'Do this before filling in the data.': 'القيام بذلك قبل ملء البيانات.',
'Do you really want to delete these records?': 'هل حقا تريد حذف هذه السجلات؟',
'Do you want to cancel this received shipment? The items will be removed from the Inventory. This action CANNOT be undone!': 'هل تريد إلغاء هذه الشحنة المستلمة؟ ستتم إزالة العناصر من المخزون.لا يمكن التراجع عن هذا الاجراء !',
'Do you want to delete this entry?': 'هل تريد حذف هذه الإضافة؟',
'Do you want to send this shipment?': 'هل تريد إرسال هذه الشحنة؟',
'Document added': 'تمت اضافة الوثيقة',
'Document deleted': 'تم حذف الوثيقة',
'Document Details': 'تفاصيل الوثيقة',
'Document Scan': 'مسح وثيقة',
'Documents': 'وثائق',
'Documents and Photos': 'وثائق وصور',
'Dollars': 'دولار',
'Domestic chores': 'الأعمال المنزلية',
'Donation': 'هبة',
'Donation Phone #': 'رقم هاتف التبرعات',
'Done': 'تم انجازه',
'Donor': 'المانح',
'Donor added': 'تمت اضافة المانح',
'Donor deleted': 'تم حذف المانح',
'Donor Details': 'تفاصيل المانحة',
'Donor Driven Housing Reconstruction': 'إعادة بناء المساكن بنظر المتبرعين',
'Donor updated': 'تم تحديث المانح',
'Donors': 'الجهات المانحة',
'Donors Report': 'تقرير عن الجهات المانحة',
'Download Template': 'تنزيل نموذج',
'Draft': 'مسودة مشروع',
'Drainage': 'تصريف المياه',
'Drill Down by Incident': 'الوصول إلى البيانات على نحو متزايد عن طريق الحوادث',
'Driver': 'السائق',
'Driver Phone Number': 'رقم هاتف السائق',
'Drivers': 'السائقين',
'Driving License': 'رخصة السياقة',
'Drought': 'جفاف',
'DRR': 'الحد من مخاطر الكوارث',
'Drugs': 'أدوية',
'Due Follow-ups': 'الحالات التي يجب متابعتها',
'Dug Well': 'بئر محفور',
'Duplicate': 'مكرر',
'duplicate': 'انسخ',
'Duplicate Address': 'عنوان مكررة',
'Duplicate?': 'مكرر؟',
'Duplicates': 'التكرارات',
'Duration': 'المدة',
'Duration (months)': 'المدة (أشهر)',
'Dust Storm': 'عاصفة ترابية',
'DVI Navigator': 'متصفح DVI',
'Early Recovery': 'الإنعاش المبكر',
'Early Warning': 'الإنذار المبكر',
'Early Warning Systems': 'نظم الإنذار المبكر',
'Earthquake': 'زلزال',
'Earthquakes: Recent Events': 'هزات ارضية',
'Economics of DRR': 'اقتصاديات الحد من مخاطر الكوارث',
'Economy': 'الإقتصاد',
'Edit': 'تعديل',
'Edit %(site_label)s Status': 'تحرير %(site_label)s الحالة',
'Edit Activity': 'تحرير النشاط',
'Edit Activity Data': 'تحرير بيانات النشاط',
'Edit Activity Organization': 'تحرير منظمة النشاط',
'Edit Activity Type': 'تحرير نوع النشاط',
'Edit Address': 'تحرير عنوان',
'Edit Affiliation': 'تحرير الانتساب',
'Edit Annual Budget': 'تحرير الميزانية السنوية',
'Edit Application': 'تحرير تطبيق Edit Application',
'Edit Appraisal': 'تحرير تقييم',
'Edit Assessment': 'تحرير التقييم',
'Edit Asset Log Entry': 'تعديل سجل الدخول للأصل',
'Edit Award': 'تحرير جائزة',
'Edit Baseline': 'تحرير خط قاعدي',
'Edit Baseline Type': 'تحرير نوع الخط القاعدي',
'Edit Beneficiaries': 'تحرير المستفيدون',
'Edit Beneficiary Type': 'تحرير نوع المستفيد',
'Edit Branch Organization': 'تحرير فرع المنظمة',
'Edit Brand': 'تحرير العلامة التجارية',
'Edit Bundle': 'تحرير حزمة',
'Edit Certificate': 'تحرير شهادة',
'Edit Certification': 'تحرير شهادة',
'Edit Cluster': 'تحرير الكتلة',
'Edit Commitment': 'تحرير التزام',
'Edit Community Details': 'تحرير تفاصيل المجتمع',
'Edit Competency': 'تحرير الكفاءة',
'Edit Competency Rating': 'تحرير تصنيف الكفاءات',
'Edit Consent Option': 'تحرير خيار الموافقة',
'Edit Contact': 'تحرير الاتصال',
'Edit Contact Details': 'تحرير تفاصيل الاتصال',
'Edit Contact Information': 'تعديل معلومات الشخص المتّصَل به',
'Edit Course': 'تصحيح الدورة',
'Edit Course Certificate': 'تحرير شهادة المقرر',
'Edit Credential': 'تحريراعتماد',
'Edit Department': 'تحرير القسم',
'Edit Deployment Details': 'تحرير تفاصيل النشر',
'Edit Details': 'تحرير التفاصيل',
'Edit Disaster Victims': 'تحرير ضحايا الكارثة',
'Edit Donor': 'تحرير المانح',
'Edit Education Details': 'تحرير تفاصيل التعليم',
'Edit Education Level': 'تحرير مستوى التعليم',
'Edit Emergency Contact': 'تحرير الاتصال في حالات الطوارئ',
'Edit Entry': 'تحرير الإدخال',
'Edit Event Type': 'تحرير نوع الحدث',
'Edit Experience': 'تحرير الخبرة',
'Edit Facility': 'تحرير مرفق',
'Edit Facility Type': 'تحرير نوع المرفق',
'Edit Feature Class': 'تحرير فئة الميزة',
'Edit Goal': 'تحرير الهدف',
'Edit Group': 'تحرير المجموعة',
'Edit Group Member Roles': 'تحرير أدوار أعضاء المجموعة',
'Edit Group Status': ' تحرير حالة المجموعة',
'Edit Hazard': 'تحرير المخاطر',
'Edit Hospital': 'تحرير مستشفى',
'Edit Hours': 'تحرير ساعات',
'Edit Household Details': 'تعديل تفاصيل الاسرة',
'Edit Human Resource': 'تحرير الموارد البشرية',
'Edit Identification Report': 'تحرير تقرير تحديد الهوية',
'Edit Identity': 'تحرير الهوية',
'Edit Image Details': 'تحرير تفاصيل الصورة',
'Edit Impact': 'تحرير أثر',
'Edit Impact Type': 'تعديل نوع الأثر',
'Edit Incident Report': 'تحرير تقرير حوادث',
'Edit Indicator': 'تحرير المؤشر',
'Edit Indicator Criterion': 'تحرير المؤشر المعيار',
'Edit Indicator Data': 'تحرير بيانات المؤشر',
'Edit Item': 'تحرير عنصر',
'Edit Item Pack': 'تعديل عنصر التحزيم',
'Edit Job': 'تحرير الوظيفة',
'Edit Job Title': 'تحرير المسمى الوظيفي',
'Edit Key': 'تحرير مفتاح',
'Edit Keyword': 'تحرير الكلمة المفتاحية',
'Edit Kit': 'تحرير طقم أدوات',
'Edit Language': 'تحرير اللغة',
'Edit Level 1 Assessment': 'تحرير تقييم من مستوى 1',
'Edit Level 3 Locations?': 'تحرير مواقع المستوى 3؟',
'Edit Location': 'تحرير موقع',
'Edit Location Details': 'تحرير تفاصيل الموقع',
'Edit Logged Time': 'تحرير وقت تسجيل',
'Edit Mailing List': 'تحرير القائمة البريدية',
'Edit Map Profile': 'تحرير ملف الخريطة',
'Edit Map Services': 'تحرير خدمات الخريطة',
'Edit Marker': 'تحرير ماركر (علامة)',
'Edit Membership': 'تحرير العضوية',
'Edit Message': 'تحرير رسالة',
'Edit Messaging Settings': 'تحرير نظام الإرسال',
'Edit Milestone': 'تحرير المعلم',
'Edit Mission': 'تعديل المهمة',
'Edit National Society': 'تحرير الجمعية الوطنية',
'Edit Occupation Type': 'تحرير نوع الوظيفة',
'Edit Office': 'مكتب التحرير',
'Edit Office Type': 'تحرير نوع مكتب',
'Edit Organization': 'تحرير المنظمة',
'Edit Organization Type': 'تحرير نوع المنظمة',
'Edit Outcome': 'تحرير النتائج',
'Edit Output': 'تحرير المخرج',
'Edit Parameters': 'تحرير المعاملات',
'Edit Participant': 'تحرير مشارك',
'Edit Partner Organization': 'تحرير منظمة شريكة',
'Edit Person Details': 'تحرير تفاصيل شخص',
"Edit Person's Details": 'تحرير تفاصيل شخص',
'Edit Personal Effects Details': 'تحرير تفاصيل التأثيرات الشخصية',
'Edit Policy or Strategy': 'سياسة تحرير أو استراتيجية',
'Edit Population Statistic': 'تحرير إحصاء السكان',
'Edit Position': 'تعديل الوضع',
'Edit Problem': 'تحرير مشكلة',
'Edit Professional Experience': 'تعديل الخبرة المهنية',
'Edit Program': 'تحرير برنامج',
'Edit Project': 'تحرير مشروع',
'Edit Project Organization': 'تحرير منظمة المشروع',
'Edit Rapid Assessment': 'تحرير تقييم سريع',
'Edit Received Shipment': 'تحرير الشحنة المستلمة',
'Edit Recommendation Letter': 'تحرير رسالة توصية',
'Edit Recommendation Letter Type': 'تحرير نوع رسالة توصية',
'Edit Record': 'تحرير سجل',
'Edit Region': 'تحرير المنطقة',
'Edit Religion': 'تحرير الدين',
'Edit Request': 'تحرير طلب',
'Edit Resource': 'تحرير مورد',
'Edit Resource Type': 'تحرير نوع المورد',
'Edit Response': 'تحرير الاستجابة',
'Edit Response Summary': 'تحرير ملخص الإستجابة',
'Edit River': 'تحرير نهر',
'Edit Role': 'تحرير دور',
'Edit Room': 'تحرير غرفة',
'Edit Salary': 'تحرير الراتب',
'Edit Scenario': 'تحرير السيناريو',
'Edit Sector': 'تحرير القطاع',
'Edit Service': 'تحرير الخدمة',
'Edit Setting': 'تحرير إعداد',
'Edit Shelter': 'تحرير مأوى',
'Edit Shelter Service': 'تحرير خدمات المأوى',
'Edit Skill': 'تعديل المؤهل',
'Edit Skill Equivalence': 'تحرير معادل المهارة',
'Edit Skill Type': 'تحرير نوع المهارة',
'Edit Staff Assignment': 'تحرير تعيين الموظفين',
'Edit Staff Member Details': 'تحرير تفاصيل العضو',
'Edit Status': 'تحرير الحالة',
'Edit Strategy': 'تحرير الاستراتيجية',
'Edit Subscription': 'تحرير الاشتراك',
'Edit Team': 'فريق التحرير',
'Edit Theme': 'تحرير نسق',
'Edit this entry': 'تحرير هذا الادخال',
'Edit Ticket': 'تحرير تذكرة',
'Edit Training': 'تحرير تدريب',
'Edit Training Center': 'تحرير مركز التدريب',
'Edit Training Event': 'تعديل حدث التدريب',
'Edit Volunteer Details': 'تحرير تفاصيل المتطوع',
'Edit Volunteer Role': 'تحرير نوع المتطوع',
'Edit Warehouse': 'تحرير مستودع',
'Edit Warehouse Type': 'تحرير نوع المخزن',
'Education': 'مستوى التعليم',
'Education & Advocacy': 'التعليم والمناصرة',
'Education & School Safety': 'التعليم ومدرسة السلامة',
'Education and Learning': 'التعليم والتعلم',
'Education Details': 'تفاصيل التعليم',
'Education details added': 'تفاصيل التعليم تم اضافتها',
'Education details deleted': 'تفاصيل التعليم تم حذفها',
'Education details updated': 'تفاصيل التعليم تم تجديدها',
'Education Level': 'المستوى التعليمي',
'Education Level added': 'تم اضافة مستوى التعليم',
'Education Level deleted': ' تم حذف مستوى التعليم',
'Education Level updated': 'تم تحديث مستوى التعليم ',
'Education Levels': 'مستويات التعليم',
'Education materials received': 'مواد التعليم المستلمة',
'Educational Background': 'خلفية تعليمية',
'Effects Inventory': 'مخزن التأثيرات',
'Effort (Hours)': 'جهد (ساعات)',
'Efforts': 'الجهود',
'Either file upload or image URL required.': 'رفع ملف أو رابط الصورة مطلوب.',
'Elevated': 'مرتفع',
'Elevators': 'المصاعد',
'Email': 'البريد الإلكتروني',
'Email Address': 'البريد الالكتروني',
'Embalming': 'تحنيط',
'Embassy': 'سفارة',
'Emergency Contact Added': 'الاتصال في حالات الطوارئ تم اضافتها',
'Emergency Contact Deleted': 'الاتصال في حالات الطوارئ تم حذفها',
'Emergency Contact Details': 'تفاصيل الاتصال في حالات الطوارئ',
'Emergency Contact Number': 'رقم اتصال الطوارئ',
'Emergency Contact Updated': 'تم تحديث بيانات الطوارئ',
'Emergency Contacts': 'جهة اتصال للطوارئ',
'Emergency Department': 'قسم الطوارئ',
'Emergency Health': 'الصحة في حالات الطوارئ',
'Emergency Household water Treatment and Storage': 'علاج وتخزين المياه المنزلية',
'Emergency Shelter': 'مأوى للطواريء',
'Emergency Support Facility': 'مرفق الطواريء',
'Emergency Support Service': 'خدمة الدعم في حالات الطواريء',
'Emergency Telecommunications': 'الاتصالات في حالات الطوارئ',
'Emergency Water Supply': 'إمدادات المياه في حالات الطوارئ',
'Empty': 'فارغ',
'Enable Crop': 'تمكين اقتصاص',
'Enable/Disable Layers': 'تمكين/تعطيل الطبقات',
'End date': 'تاريخ النهاية',
'End Date': 'نهاية التاريخ',
'End date must be after start date.': 'يجب أن يكون تاريخ الانتهاء بعد تاريخ البدء.',
'End of Period': 'نهاية حقبة',
'End Service': 'نهاية الخدمة',
'English': 'الإنجليزية',
'English - Reading': 'الإنجليزية-القراءة',
'English - Speaking': 'الإنجليزية-الكلام',
'English - Writing': 'الانجليزية-الكتابة',
'Enter a valid email': 'أدخل بريد إلكتروني صحيح',
'Enter a valid phone number': 'أدخل رقم هاتف صحيح',
'enter a value': 'إدخال قيمة',
'Enter a value carefully without spelling mistakes, this field needs to match existing data.': 'أدخل قيمة بعناية بدون أخطاء إملائية، يجب أن يتطابق هذا الحقل مع البيانات الموجودة.',
'Enter Coordinates:': 'أدخل الإحداثيات:',
'Enter or scan an ID': 'أدخل أو مسح معرف',
'Enter or scan ID': 'أدخل أو مسح ID',
'Enter phone number in international format like +46783754957': 'أدخل رقم الهاتف في شكل دولي مثل +46783754957',
'Enter the name of the external instructor': 'أدخل اسم المدرب الخارجي',
'Enter the same password as above': 'أدخل كلمة المرور نفسها على النحو الوارد أعلاه',
'Enter your first name': 'أدخل اسمك الأول',
'Enter your organization': 'أدخل مؤسستك',
'Entering a phone number is optional, but doing so allows you to subscribe to receive SMS messages.': 'إدخال رقم الهاتف هو اختياري، ولكن القيام بذلك يسمح لك الاشتراك لاستقبال الرسائل القصيرة.',
'Enterprise Development Training ': 'التدريب على تطوير المشاريع',
'Entity': 'شخصية',
'Entry deleted': 'حذف دخول',
'Environment': 'البيئة',
'Epidemic': 'وباء',
'Epidemic/Pandemic Preparedness': 'التأهب لمواجهة الأوبئة / الجائحة',
'ER Status': 'حالة الطوارئ',
'Error in message': 'خطأ في الرسالة',
'Errors': 'أخطاء',
'Essential Staff?': 'الموظفين الأساسين ؟',
'Estimated # of households who are affected by the emergency': 'العدد المقدر للأسر التي تأثرت بحالة الطوارئ',
'Estimated Delivery Date': 'تاريخ الوصول المتوقع',
'Estimated Reopening Date': 'تاريخ إعادة الفتح المتوقع',
'Estimated total number of people in institutions': 'المجموع المقدر لعدد الأشخاص في المؤسسات',
'Ethnicity': 'الأصل العرقي',
'Euros': 'يورو',
'Evacuating': 'إخلاء',
'Evacuation Drills': 'تدريبات الإخلاء',
'Event': 'حدث',
'Event added': 'تمت اضافة الحدث',
'Event Date': 'تاريخ الحدث',
'Event deleted': 'تم حذف الحدث',
'Event Location': 'موقع الحدث',
'Event Name': 'اسم الحدث',
'Event Type': 'نوع الحدث',
'Event Type added': ' تم إضافة نوع الحدث',
'Event Type deleted': ' تم حذف نوع الحدث',
'Event Type Details': 'تفاصيل نوع الحدث',
'Event Type updated': ' تم تحديث نوع الحدث',
'Event Types': 'نوع النشاط',
'Event updated': 'تم تحديث الحدث',
'Events': 'الوقائع',
'Exceeded': 'تم تجاوزه (ا)',
'Exceeded expectations': 'التوقعات الزائدة',
'Excel': 'تفوق',
'Excellent': 'ممتاز',
'Exceptional Cases': 'حالات إستثنائية',
'Excreta Disposal': 'التخلص من الأعذار',
'Execute a pre-planned activity identified in <instruction>': 'تنفيذ نشاط مخطط مسبقا معرف في <البنية<instruction>',
'exempted': 'إعفاء',
'Exercise?': 'تمرين؟',
'Expand All': 'توسيع الكل',
'Experience': 'الخبرة',
'Expiration Date': 'تاريخ الانتهاء',
'Expiration Report': 'تقرير الختامي',
'Expired': 'منتهية الصلاحية',
'Expiring Staff Contracts Report': 'تقرير إنهاء عقود الموظفين',
'Expiry (months)': 'شهر الانتهاء',
'Expiry Date': 'تاريخ انتهاء الصلاحية',
'Explanation of the field to be displayed in forms': 'شرح الحقل للظهور في أشكال',
'Explanations': 'تفسيرات',
'Export as': 'تصدير',
'export as csv file': 'تصدير كملف csv',
'Export as PDF': 'تصديركـ PDF',
'Export as XLS': 'التصدير، XLS',
'Export Database as CSV': 'تصدير قاعدة البيانات ك CSV',
'Export in %(format)s format': 'تصدير في %(format)s شكل',
'Export in GPX format': 'التصدير في شكل GPX',
'Export in OSM format': 'التصدير في شكل OSM',
'Export in RSS format': 'تصدير في RSS',
'Export in XLS format': 'التصدير في شكل XLS',
'Export Roles': 'تصدير الأدوار',
'Exterior and Interior': 'خارجي وداخلي',
'Exterior Only': 'الخارج فقط',
'External': 'خارجي',
'External Instructor': 'مدرب خارجي',
'Eye Color': 'لون العينين',
'Facebook': 'فيسبوك',
'Facial hair, color': 'شعر الوجه، لون',
'Facial hair, comment': 'شعر الوجه، وتعليق',
'Facial hair, length': 'شعر الوجه، طول',
'Facial hair, type': 'شعر الوجه ، النوع',
'Facilitator': 'الميسر',
'Facilities': 'منشأة',
'Facility': 'مرفق',
'Facility added': 'تم إضافة مرفق',
'Facility Contact': 'مرفق الاتصال',
'Facility deleted': 'تم حذف مرفق',
'Facility Details': 'تفاصيل المرفق',
'Facility Operations': 'عمليات المرفق',
'Facility Status': 'حالة المرفق',
'Facility Type': 'نوع المنشأة',
'Facility Type added': 'تم اضافة نوع المرفق',
'Facility Type deleted': 'تم حذف نوع المرفق',
'Facility Type Details': 'تفاصيل نوع المرفق',
'Facility Type updated': 'تم تحديث نوع المرفق',
'Facility Types': 'أنواع المرفق',
'Facility updated': 'تم تحديث مرفق',
'Fail': 'فشل',
'Fair': 'عادل',
'Falling Object Hazard': 'خطر سقوط المشاريع',
'Families/HH': 'أسر / HH',
'Family': 'عائلة',
'Family ID': 'رقم تعريف العائلة',
'Family ID Number': 'رقم العائلة',
'Family Order No': 'رقم ترتيب العائلة',
'Family/Couple': 'عائلة / زوجان',
'Family/friends': 'عائلة / أصدقاء',
'fat': 'سمين',
'Father Name': 'اسم الأب',
'Fax': 'فاكس',
'Feature Class': 'فئة الميزة',
'Feature Class deleted': 'تم حذف فئة الميزة',
'Features Include': 'تشمل الميزات',
'Feedback': 'تغذية راجعة',
'Feeding Programmes': 'برامج التغذية',
'Female': 'أنثى',
'female': 'أنثى',
'Female headed households': 'الأسر التي ترأسها الإناث.',
'Few': 'قليل',
'Field': 'حقل',
'Field of Expertise': 'مجال الخبرة',
'File': 'ملف',
'File not found': 'لم يتم العثور على الملف',
'Files': 'ملفات',
'Fill in Longitude': 'ملء خط الطول',
'fill in order: day(2) month(2) year(4)': 'ملء بالترتيب: يوم (2) الشهر (2) لسنة (4)',
'fill in order: hour(2) min(2) day(2) month(2) year(4)': 'ملء بالترتيب: الساعة (2) دقيقة (2) يوم (2) الشهر (2) لسنة (4)',
'fill in order: hour(2) min(2) month(2) day(2) year(4)': 'ملء بالترتيب: الساعة (2) دقيقة (2) في الشهر (2) يوم (2) لسنة (4)',
'fill in order: month(2) day(2) year(4)': 'ملء بالترتيب: الشهر (2) يوم (2) لسنة (4)',
'Filter': 'تصفية',
'Filter by Location': 'تصفية حسب الموقع',
'Filter Options': 'خيارات التصفية',
'Finance': 'المالية',
'Finance / Admin': 'المالية / الإدارة',
'Finance Officer': 'موظف المالية',
'Financial Risk Sharing ': 'مشاركة المخاطر المالية',
'Financial Services': 'الخدمات المالية',
'Financial System Development': 'تطوير النظام المالي',
'Find': 'البحث',
'Find Dead Body Report': 'البحث عن تقريرالمتوفين',
'Find Hospital': 'البحث عن مستشفى',
'Find Volunteers': 'البحث عن متطوعين',
'Fingerprint': 'بصمة',
'Fingerprinting': 'البصمات',
'Fingerprints': 'بصمات الأصابع',
'Fire': 'حريق',
'First': 'اولاً',
'First Aid': 'إسعافات أولية',
'First Name': 'الاسم',
'Flash Flood': 'فيضان مفاجئ',
'Flash Freeze': ' تجميد مفاجئ',
'Flat or house': 'شقة أو منزل',
'Fleet Manager': 'مدير الأسطول',
'Flood': 'فيضان',
'Flood Alerts': 'إنذار عن حدوث فيضان',
'Flood Report': 'تقرير الفيضانات',
'Flood Report added': 'تمت اضافة تقرير الفيضانات',
'Flood Report Details': 'تفاصيل تقرير الفيضانات',
'Flood Reports': 'تقاريرالفيضانات',
'fluent': 'بطلاقة',
'Focal Person': 'جهة الاتصال',
'Focus of Group': 'تركيز المجموعة',
'Follow up': 'المتابعة',
'Follow-up Required': 'المتابعة المطلوبة',
'Food Security': 'أمن غذائي',
'Food security, Nutrition and Livelihoods': 'الأمن الغذائي والتغذية وسبل العيش',
'Food Supplementation': 'مكملات الغذائية',
'Food Supply': 'الإمدادات الغذائية',
'For each sync partner, there is a default sync job that runs after a specified interval of time. You can also set up more sync jobs which could be customized on your needs. Click the link on the right to get started.': 'لكل شريك في المزامنة، هناك وظيفة مزامنة مفترضة يتم تشغيلها بعد فترة محددة من الوقت. يمكنك ايضا انشاء المزيد من الوظائف التي يمكن تخصيصها حسب احتياجاتك. اضغط على الرابط الموجود عن اليمين للبدء.',
'For enhanced security, you are recommended to enter a username and password, and notify administrators of other machines in your organization to add this username and password against your UUID in Synchronization -> Sync Partners': 'لتعزيز الأمن، ننصحك بإدخال اسم المستخدم وكلمة السر ، وإبلاغ مدراء الآلات الأخرى في منظمتك بإضافة هذا الإسم وكلمة السر ضد UUID في التزامن --> مزامنة الشركاء',
'For live help from the Sahana community on using this application, go to': 'للحصول على مساعدة مباشرة من مجتمع ساهانا (Sahana )باستخدام هذا التطبيق ،انتقل إلى',
'For more information, see ': 'لمزيد من المعلومات، انظر',
'forehead': 'جبين',
'form data': 'بيانات النموذج',
'Formal camp': 'مخيم رسمي',
'Format': 'هيئة',
"Format the list of attribute values & the RGB value to use for these as a JSON object, e.g.: {Red: '#FF0000', Green: '#00FF00', Yellow: '#FFFF00'}": 'تشكيل قائمة القيم المرمزة وقيمة RGB لاستخدامها كغاية لـ JSON ، على سبيل المثال : {الأحمر : \'# FF0000 ، الأخضر :\' # 00FF00 "، الأصفر:\' # FFFF00 \'}',
'Former Beneficiaries': 'المستفيدين السابقين',
'Forms': 'أشكال',
'found': 'وُجد',
'Foundations': 'مؤسسات',
'French': 'الفرنسية',
'French - Reading': 'الفرنسية-القراءة',
'French - Speaking': 'الفرنسية -تكلم',
'French - Writing': 'الفرنسية-الكتابة',
'Frequent': 'متكرر',
'Friday': 'الجمعة',
'From': 'من عند',
'From Date': 'من التاريخ',
'From Inventory': 'من المخزون',
'Fulfil. Status': 'حالة الانجاز',
'Full': 'تام',
'Full beard': 'لحية كاملة',
'Full-time': 'وقت كامل',
'Full-time employment': 'موظف بدوام كامل',
'Fully achieved expectations': 'توقعات تحققت بالكامل',
'Funding': 'تمويل',
'Funding Report': 'التقرير المالي',
'Funds Contributed': 'الأموال المساهمة',
'Further Action Recommended': 'ينصح بالمزيد من العمل',
'Gale Wind': 'ريح عاصفة',
'Gateway settings updated': 'تم تحديث إعدادات البوابة',
'Gender': 'الجنس',
'Gender-based Violence': 'العنف القائم على نوع الجنس',
'General Comments': 'التعليقات العامة',
'General Medical/Surgical': 'الطب العام/الجراحي',
'General Project Information': 'معلومات عامة عن المشروع',
'Generate PDF': 'توليد PDF',
'Generator': 'مولد',
'Geocode': 'الترميز الجغرافي',
'Geotechnical Hazards': 'المخاطر الجيوتقنية',
'getting': 'الحصول على',
'Girls': 'الفتيات',
'GIS & Mapping': 'GIS ورسم الخرائط',
'GIS integration to view location details of the Shelter': 'GIS لعرض تفاصيل موقع المأوى',
'GIS Reports of Shelter': 'تقارير نظام المعلومات الجغرافية للإيواء',
'Give a brief description of the image, e.g. what can be seen where on the picture (optional).': 'تعطي وصفا موجزا للصورة، على سبيل المثال ما يمكن أن ينظر فيها على الصورة (اختياري).',
'Global Messaging Settings': 'ضبط الرسائل العامة',
'Go': 'اذهب',
'Go to Functional Map': 'الذهاب إلى خريطة وظيفية',
'Goal': 'هدف',
'Goal added': 'تم إضافة الهدف',
'Goal deleted': 'الهدف تم حذفه',
'Goal updated': 'الهدف تم تحديثه',
'Goals': 'الأهداف',
'Goatee': 'لحية التيس',
'Good': 'حسن',
'Goods Received Note': 'ملاحظة عن السلع الواردة',
'Google Maps': 'خرائط جوجل',
'Google Satellite': 'جوجل ستلايت',
'Governance': 'الحكم',
'Governance Volunteer': 'متطوع الحكم',
'Government building': 'مبنى حكومي',
'Government Staff': 'موظفي الحكومة',
'Government UID': 'رمز المستخدم للحكومة',
'GPS': 'نظام تحديد المواقع GPS',
'GPS Marker': 'علامة نظام تحديد المواقع (GPS)',
'GPX Track': 'مسار GPX',
'Grade': 'رتبة',
'Grade Code': 'كود الرتبة',
'Grade Details': 'تفاصيل الرتبة',
'Grand Father Name': 'اسم الجد',
'Greater than 10 matches. Please refine search further': 'أكبر من 10 مطابقة. يرجى تحسين البحث مزيد',
'Greek': 'يونانية',
'green': 'أخضر',
'Green': 'أخضر',
'grey': 'اللون الرمادي',
'Group': 'فوج',
'Group Activities': 'نشاطات المجموعة',
'Group added': 'تمت اضافة المجموعة',
'Group deleted': 'تم حذف المجموعة',
'Group Description': 'وصف المجموعة',
'Group description': 'وصف المجموعة',
'Group Details': 'تفاصيل المجموعة',
'Group Head': 'رئيس المجموعة',
'Group Leader': 'قائد المجموعة',
'Group Member Role': 'دور عضو المجموعة',
'Group Member Role added': 'تم إضافة دور أعضاء المجموعة',
'Group Member Role deleted': 'تم حذف دور عضو المجموعة',
'Group Member Role Details': 'تفاصيل دور عضو المجموعة',
'Group Member Role updated': 'تم تحديث دور عضو المجموعة',
'Group Member Roles': 'أدوار أعضاء المجموعة',
'Group Members': 'أعضاء المجموعة',
'Group Name': 'اسم المجموعة',
'Group Status added': 'تم إضافة حالة المجموعة',
'Group Status deleted': 'تم حذف حالة المجموعة',
'Group Status Details': 'تفاصيل حالة المجموعة',
'Group Status updated': 'تم تحديث حالة المجموعة',
'Group Statuses': 'مجموعة النظام الأساسي',
'Group Title': 'عنوان المجموعة',
'Group Type': 'نوع المجموعة',
'Group Types': 'أنواع المجموعة',
'Group updated': 'تجديد المجموعة',
'Grouped by': 'مجمعة حسب',
'Groups': 'المجموعات',
'Groups removed': 'تمت إزالة المجموعات',
'Hair Color': 'لون الشعر',
'Hair Comments': 'الشعر تعليقات',
'Hair Length': 'طول الشعر',
'Hair Style': 'أسلوب الشعر',
'Hand Washing Facilities': 'مرافق غسل اليدين',
'Has additional rights to modify records relating to this Organization or Site.': 'لديه حقوق إضافية لتعديل السجلات المتعلقة بهذه المنظمة أو الموقع.',
'Has the Certificate for receipt of the shipment been given to the sender?': 'هل لديه شهادة مسلمة للمرسِل لاستلام الشحنة؟',
'Has the GRN (Goods Received Note) been completed?': 'هل تم الانتهاء من تسجيل السلع المستلمة ؟',
'Hazard': 'مخاطر',
'Hazard added': 'تم إضافة المخاطر',
'Hazard added to Project': 'المخاطر المضافة إلى المشروع',
'Hazard deleted': 'تم حذف الخطر',
'Hazard Details': 'تفاصيل الخطر',
'Hazard removed from Project': 'الخطر تم إزالتها من مشروع',
'Hazard updated': 'الخطر تم تحديثها',
'Hazards': 'المخاطر',
'Head of Household': 'رب الأسرة',
'Head of Household Date of Birth': 'تاريخ ميلاد رب الاسرة',
'Head of Household Gender': 'جنس رب الاسرة',
'Head of Household Name': 'اسم رب الاسرة',
'Head of Household Relationship': 'العلاقة مع رب الاسرة',
'Headquarters': 'المقر الرئيسي',
'Health': 'الصحة',
'Health & Health Facilities': 'المرافق الصحية والصحة',
'Health Awareness, Promotion': 'الترويج و الوعي الصحي',
'Health care assistance, Rank': 'دعم الرعاية الصحية،مرتبة ',
'Health center': 'مركز صحي',
'Health center without beds': 'مركز صحي بدون أسرة',
'Health Facilities - Construction and Operation': 'المرافق الصحية - البناء والتشغيل',
'Health Insurance': 'تأمين صحي',
'Health Policy, Strategy Development': 'سياسة الصحة والتنمية الاستراتيجية',
'Heat Wave': 'موجة حر شديد',
'Height': 'الإرتفاع',
'Height (cm)': 'الإرتفاع (سم)',
'Height (m)': 'الإرتفاع (م)',
'Help': 'مساعدة',
'here': 'هنا',
'HFA': 'إطار عمل هيوغو',
'HFA Priorities': 'الأولويات إطار عمل هيوغو',
'HFA1: Ensure that disaster risk reduction is a national and a local priority with a strong institutional basis for implementation.': 'HFA1: تأكد من أن الحد من مخاطر الكوارث هو أولوية وطنية ومحلية قائمة على قاعدة مؤسسية صلبة للتنفيذ.',
'HFA2: Identify, assess and monitor disaster risks and enhance early warning.': 'HFA2: تحديد وتقييم ورصد مخاطر الكوارث وتعزيز الإنذار المبكر.',
'HFA3: Use knowledge, innovation and education to build a culture of safety and resilience at all levels.': 'HFA3: استخدام المعرفة والابتكار والتعليم لبناء ثقافة للسلامة والتأقلم على جميع المستويات.',
'HFA4: Reduce the underlying risk factors.': 'HFA4: تقليل عوامل الخطر الأساسية.',
'HFA5: Strengthen disaster preparedness for effective response at all levels.': 'HFA5: تعزيز التأهب للكوارث للاستجابة الفعالة على جميع المستويات.',
'Hide': 'إخفاء',
'Hide Details': 'أخف التفاصيل',
'Hide Form': 'إخفاء نموذج',
'Hide Map': 'إخفاء الخريطة',
'Hide Table': 'إخفاء الجدول',
'Hierarchy Level 1 Name (e.g. State or Province)': 'إسم المستوى 1 من التسلسل الهرمي (مثال : ناحية أو ولاية)',
'Hierarchy Level 3 Name (e.g. City / Town / Village)': 'اسم التسلسل الهرمي للمستوى 3 ا(مثل المدينة / البلدة / القرية)',
'High': 'عالية',
'Highest Priority Open Requests': 'أعلى أولوية الطلبات المفتوحة',
'Hindu': 'الهندوسي',
'Hit the back button on your browser to try again.': 'اضغط زر الرجوع في المتصفح الخاص بك لإعادة المحاولة.',
'Home': 'الصفحة الرئيسية',
'Home Address': 'عنوان المنزل',
'Home Country': 'الوطن',
'Home Crime': 'جريمة عائلية',
'Home Phone': 'هاتف المنزل',
'Home Town': 'مسقط رأس',
'Homeless': 'بلا مأوى',
'Homepage': 'الصفحة الرئيسية',
'Hospital': 'المستشفى',
'Hospital Details': 'تفاصيل المستشفى',
'Hospital information added': 'تمت اضافة المعلومات الخاصة بالمستشفى',
'Hospitals': 'مستشفيات',
'Host National Society': 'الجمعية الوطنية المضيف',
'Hot Spot': 'هوت سبوت',
'Hour': 'ساعة',
'Hourly': 'ساعيا',
'hourly': 'كل ساعة',
'Hours': 'الساعات',
'hours': 'ساعات',
'Hours added': 'الساعات تم اضافتها',
'Hours deleted': 'ساعات تم حذفها',
'Hours Details': 'تفاصيل ساعات',
'Hours Model': 'نموذج الساعات',
'Hours updated': 'الساعات تم تحديثها',
'House Design': 'تصميم المنزل',
'Household': 'الاسرة',
'Household kits received': 'أطقم المعدات المنزلية الواردة',
'Household Members': 'أفراد الأسرة',
'Households': 'الأسر',
'Households below poverty line': 'الاسر تحت خط الفقر',
'Housing Repair and Retrofitting ': 'إصلاح المساكن والتعديل التحديثي',
'Housing Types': 'نوع السكن',
'How is this person affected by the disaster? (Select all that apply)': 'كيف تضرر هذا الشخص من جراء الكارثة؟ (اختر كل ما ينطبق عليه)',
'How long will the food last?': 'كم من الوقت سوف يستمر الطعام؟',
'How many Boys (0-17 yrs) are Missing due to the crisis': 'كم عدد الفتيان (0-17 عاما) المفقودين بسبب الأزمة',
'How many Girls (0-17 yrs) are Dead due to the crisis': 'كم عدد الفتيات (0-17 سنوات) اللائي توفين بسبب الأزمة',
'How many Girls (0-17 yrs) are Injured due to the crisis': 'كم عدد الفتيات (0-17 عاما)اللواتي أُصبن بسبب الأزمة',
'How many Men (18 yrs+) are Injured due to the crisis': 'كم عدد الرجال المصابين(+18 عاما ) بسبب الأزمة',
'How many Men (18 yrs+) are Missing due to the crisis': 'كم عدد الرجال ( + 18 عاما) مفقود بسبب الأزمة',
'How many new cases have been admitted to this facility in the past 24h?': 'كم عدد الحالات الجديدة التي تم نقلها لهذا المرفق في 24ساعة الماضية؟',
'How many Women (18 yrs+) are Missing due to the crisis': 'كم عدد النساء (+18عاما) المفقودات بسبب الأزمة',
'Human Resource': 'الموارد البشرية',
'Human Resource added': 'تم إضافة الموارد البشرية',
'Human Resource assigned': 'تعيين الموارد البشرية',
'Human Resource Assignment updated': ' تم تحديث تعيين الموارد البشرية',
'Human Resource Details': 'تفاصيل الموارد البشرية',
'Human Resource Development': 'تطوير الموارد البشرية',
'Human Resource Management': 'إدارة الموارد البشرية',
'Human Resource unassigned': 'الموارد البشرية غير المعينة',
'Human Resources': 'الموارد البشرية',
'Humanitarian Diplomacy': 'الدبلوماسية الإنسانية',
'Humanitarian Monitoring': 'الرصد الإنساني',
'Hurricane': 'اعصار',
'Hygiene': 'النظافة',
'Hygiene NFIs': 'مواد النظافة',
'Hygiene practice': 'ممارسة النظافة',
'Hygiene Promotion': 'تعزيز النظافة',
'I am available in the following area(s)': 'انا متوفر في المجالات التالية',
'ID': 'الهوية الشخصية',
'ID Card': 'بطاقة التعريف',
'ID Card Number': 'ID رقم البطاقة',
'ID Number': 'رقم الهوية',
'ID Tag Number': 'رقم البطاقة التعريفية',
'ID Type': 'نوع ID',
'Identities': 'الهويات',
'Identity': 'هوية',
'Identity added': 'تم إضافة الهوية',
'Identity deleted': 'تم حذف الهوية',
'Identity Details': 'تفاصيل الهوية',
'Identity updated': 'تم تحديث الهوية',
'IEC Materials': 'المواد IEC',
'If it is a URL leading to HTML, then this will downloaded.': 'إذا كان هذا رابطا يؤدي إلى HTML اذن سيتم التحميل.',
'If neither are defined, then the Default Marker is used.': 'إذا لم يتم تحديد أي أحد ،ستستخدم علامة افتراضية.',
'If no marker defined then the system default marker is used': 'إذا لم يكن هناك علامة محددة سوف يتم استخدام العلامة الافتراضية للنظام',
'If not the Head of Household': 'إن لم يكن رب الأسرة',
"If selected, then this Asset's Location will be updated whenever the Person's Location is updated.": 'اذا تم الاختيار,فسيتم تحديث موقع الضبط حيثما وجد موقع الشخص.',
'If the organization is a lead for this sector.': 'إذا كانت المنظمة هي الرائدة في هذا القطاع.',
'If the person counts as essential staff when evacuating all non-essential staff.': 'إذا بحساب الشخص الموظفين الأساسيين عندما إجلاء جميع موظفيها غير الاساسيين.',
'If the request type is "Other", please enter request details here.': 'إذا كان نوع الطلب "أخر"، إذا سمحت أدخل تفاصيل الطلب هنا.',
"If this configuration represents a region for the Regions menu, give it a name to use in the menu. The name for a personal map configuration will be set to the user's name.": 'إذا كان هذا التكوين يمثل منطقة لقائمة المناطق ، أعطه اسما لاستخدامه في القائمة. سيكون اسم التكوين الشخصي للخريطة موافقا لاسم المستخدم.',
"If this field is populated then a user who specifies this Organization when signing up will be assigned as a Staff of this Organization unless their domain doesn't match the domain field.": 'في حالة تعبئة هذا الحقل ثم المستخدم الذي يحدد هذه المنظمة عند الاشتراك سيتم تعيين بمثابة أركان هذه المنظمة إلا إذا لم تطابق المجال الخاص بها حقل المجال.',
'If this field is populated then a user with the Domain specified will automatically be assigned as a Staff of this Organization': 'في حالة تعبئة هذا الحقل ثم مستخدم مع المجال سيتم تلقائيا تعيين بمثابة أركان هذه المنظمة المحددة',
"If this is ticked, then this will become the user's Base Location & hence where the user is shown on the Map": 'إذا تم وضع العلامة، سيصبح هذا موقع قاعدة المستخدم حيث ظهرعلى الخريطة',
'If this record should be restricted then select which role is required to access the record here.': 'إذا إستلزم تقييد هذا التسجيل فاختر الدور المناسب للدخول في التسجيل هنا.',
'If this record should be restricted then select which role(s) are permitted to access the record here.': 'إذا ينبغي أن يقتصر هذا السجل ثم حدد الدور الذي (ق) يسمح للوصول إلى سجل هنا.',
'If you do not enter a Reference Document, your email will be displayed to allow this data to be verified.': 'إذا لم تدخل وثيقة مرجعية ، سيتم عرض البريد الإلكتروني الخاص بك للتحقق من هذه البيانات.',
"If you don't see the activity in the list, you can add a new one by clicking link 'Create Activity'.": 'إذا كنت لا ترى النشاط في القائمة، يمكنك إضافة واحدة جديدة بالنقر على رابط \'إنشاء آخر ".',
"If you don't see the beneficiary in the list, you can add a new one by clicking link 'Add Beneficiaries'.": 'إذا كنت لا ترى المستفيد في القائمة، يمكنك إضافة واحدة جديدة بالنقر على رابط "أضف المستفيدين.',
"If you don't see the Cluster in the list, you can add a new one by clicking link 'Add New Cluster'.": 'إذا كنت لا ترى الكتلة في القائمة، يمكنك إضافة واحدة جديدة بالنقر على رابط "أضف كتلة جديدة.',
"If you don't see the community in the list, you can add a new one by clicking link 'Create Community'.": 'إذا كنت لا ترى المجتمع في القائمة، يمكنك إضافة واحدة جديدة بالنقر على رابط \'إنشاء مجتمع ".',
"If you don't see the Hospital in the list, you can add a new one by clicking link 'Create Hospital'.": 'إذا لم تر المستشفى في القائمة، يمكنك إضافته بالضغط على "أضف مستشفى\'.',
"If you don't see the location in the list, you can add a new one by clicking link 'Create Location'.": "إذا كنت لا ترى الموقع في القائمة، يمكنك إضافة واحدة جديدة بالنقر على رابط 'إنشاء الموقع.",
"If you don't see the Office in the list, you can add a new one by clicking link 'Create Office'.": "إذا كنت لا ترى المكتب في القائمة ، يمكنك إضافة واحدة جديدة بالنقر على رابط 'إضافة مكتب'.",
"If you don't see the Organization in the list, you can add a new one by clicking link 'Create Organization'.": "إذا كنت لا ترى المنظمة في القائمة ، يمكنك إضافة واحدة جديدة بالنقر على رابط 'أضف منظمة'.",
"If you don't see the project in the list, you can add a new one by clicking link 'Create Project'.": "إذا كنت لا ترى المشروع في القائمة، يمكنك إضافة واحدة جديدة بالنقر على رابط 'إنشاء مشروع'.",
"If you don't see the Sector in the list, you can add a new one by clicking link 'Create Sector'.": "إذا كنت لا ترى القطاع في القائمة، يمكنك إضافة واحدة جديدة بالنقر على رابط 'إنشاء القطاع.",
"If you don't see the Type in the list, you can add a new one by clicking link 'Add Region'.": 'إذا كنت لا ترى نوع في القائمة، يمكنك إضافة واحدة جديدة بالنقر على رابط "إضافة منطقة".',
"If you don't see the type in the list, you can add a new one by clicking link 'Create Activity Type'.": "إذا كنت لا ترى نوع في القائمة، يمكنك إضافة واحدة جديدة بالنقر على رابط 'إنشاء نوع آخر.",
"If you don't see the Type in the list, you can add a new one by clicking link 'Create Facility Type'.": "إذا كنت لا ترى نوع في القائمة، يمكنك إضافة واحدة جديدة بالنقر على رابط 'إنشاء نوع مرفق.",
"If you don't see the Type in the list, you can add a new one by clicking link 'Create Office Type'.": "إذا كنت لا ترى نوع في القائمة، يمكنك إضافة واحدة جديدة بالنقر على رابط 'إنشاء نوع المكتب.",
"If you don't see the Type in the list, you can add a new one by clicking link 'Create Organization Type'.": "إذا كنت لا ترى نوع في القائمة، يمكنك إضافة واحدة جديدة بالنقر على رابط 'إنشاء نوع المنظمة.",
"If you don't see the Type in the list, you can add a new one by clicking link 'Create Warehouse Type'.": 'إذا كنت لا ترى نوع في القائمة، يمكنك إضافة واحدة جديدة بالنقر على رابط \'إنشاء نوع المخزن ".',
'If you would like to help, then please %(sign_up_now)s': 'إذا كنت ترغب في المساعدة، ثم الرجاء %(sign_up_now)s',
'IFRC DM Resources': 'موارد الاتحاد الدولي',
'ignore': 'تجاهل',
'Ignored': 'تجاهل',
'illiterate': 'أمي القراءة و الكتابة',
'Image': 'صورة',
'Image added': 'تم اضافة صورة',
'Image deleted': 'تم حذف الصورة',
'Image Details': 'تفاصيل الصورة',
'Image Tags': 'شعار الصور',
'Image Type': 'نوع الصورة',
'Image updated': 'تم تحديث الصورة',
'Images': 'صور',
'Immediately': 'فورا',
'Immunisation Campaigns': 'حملات التحصين',
'Impact added': 'تم اضافة الأثر',
'Impact Assessments': 'أثرالتقييمات',
'Impact Type updated': 'تم تحديث نوع التأثير',
'Impact Types': 'تأثير الأنواع',
'Impact updated': 'تم تحديث الأثر',
'Impacts': 'آثار',
'Implemented Actions': 'الأعمال المنفذة',
'Import': 'استيراد',
'Import & Export Data': 'استيراد وتصدير البيانات',
'Import Activities': 'أنشطة الاستيراد',
'Import Activity Data': 'استيراد بيانات النشاط',
'Import Activity Type data': 'استيراد بيانات نوع النشاط',
'Import Activity Types': 'استيراد أنواع النشاط',
'Import Annual Budget data': 'استيراد بيانات الموازنة السنوية',
'Import Assessments': 'إستيراد التقييمات ',
'Import Awards': 'استيراد الجوائز',
'Import Catalog Items': 'استيراد فهرس البنود',
'Import Certificates': 'استيراد الشهادات',
'Import Community Data': 'استيراد بيانات المجتمع',
'Import Contacts': 'استيراد جهات الاتصال',
'Import Courses': 'استيراد الدورات',
'Import Data': 'استيراد البيانات',
'Import Departments': 'استيراد الاقسام',
'Import Deployments': 'استيراد عمليات النشر',
'Import Facilities': 'استيراد المرافق',
'Import Facility Types': 'استيراد أنواع المرفق',
'Import File': 'ادخال مستند',
'Import Hazard data': 'استيراد بيانات المخاطر',
'Import Hazards': 'استيراد المخاطر',
'Import Hours': 'ادخال عدد الساعات',
'Import Location Data': 'استيراد بيانات الموقع',
'Import Location data': 'استيراد بيانات الموقع',
'Import multiple tables as CSV': 'استيراد جداول متعددة ك CSV',
'Import Offices': 'استيراد المكاتب',
'Import Organizations': 'استيراد المنظمات',
'Import Participant List': 'استيراد لائحة المشاركين',
'Import Participants': 'استيراد المشاركين',
'Import Partner Organizations': 'استيراد المنظمات الشريكة',
'Import Policies & Strategies': 'استيراد السياسات والاستراتيجيات ',
'Import Programs': 'استيراد البرامج',
'Import Project Communities': 'استيراد مجتمعات المشروع ',
'Import Project Organizations': 'استيراد منظمات المشروع',
'Import Projects': 'استيراد مشاريع',
'Import Red Cross & Red Crescent National Societies': 'استيراد جمعيات الصليب الأحمر والهلال الأحمر الوطنية',
'Import Resource Types': 'استيراد أنواع المورد',
'Import Resources': 'استيراد الموارد',
'Import Sector data': 'استيراد بيانات القطاع',
'Import Services': 'استيراد الخدمات',
'Import Skills': 'استيراد المهارات',
'Import Staff': 'استيراد موظفين',
'Import Suppliers': 'استيراد موردين',
'Import Theme data': 'استيراد بيانات السمة',
'Import Training Centers': 'استيراد مراكز التدريب',
'Import Training Events': 'استيراد احداث التدريب',
'Import Training Participants': 'استيراد المشاركين بالتدريب',
'Import Volunteers': 'استيراد المتطوعون',
'Import Warehouse Stock': 'استيراد المخزونات في المستودع',
'Import Warehouses': 'استيراد المستودعات',
'Important': 'مهم',
'Importing data from spreadsheets': 'استيراد بيانات من جداول البيانات',
'Improper decontamination': 'تطهير غير مناسب',
'Improved Production Techniques': 'تحسين تقنيات الإنتاج',
'in Deg Min Sec format': 'في مقاس درجة دقيقة ثانية',
'In error': 'في خطأ',
'in GPS format': 'في شكل GPS',
'In Inventories': 'في المخازن',
'In Process': ' تحت المعالجة',
'In Progress': 'في تقدم',
'in Stock': 'في المخزن',
'In Window layout the map maximises to fill the window, so no need to set a large value here.': 'الخريطة ستكبر ملء النافذة ، لذلك لا حاجة لتعيين قيمة كبيرة هنا.',
'inactive': 'غير نشط',
'Incident Report added': 'تم إضافة تقرير الحادث',
'Incident Report deleted': 'تم حذف تقرير الحادث',
'Incident Report updated': 'تم تحديث تقريرالحادث',
'Incident Reports': 'تقارير الكوارث',
'Incident Type': 'نوع الحادت',
'Incident Types': 'انواع الحوادث',
'Incidents': 'الحوادث',
'Income Sources': 'مصادر الدخل',
'Incoming Shipment canceled': 'تم إلغاء الشحن الواردة',
'Indicator': 'مؤشر',
'Indicator Added': 'مؤشر تم اضافته',
'Indicator added': 'تم اضافة مؤشر',
'Indicator Criteria': 'معايير المؤشر',
'Indicator Criterion': 'المؤشر المعيار',
'Indicator Criterion added': 'معيار المؤشر تم اضافته',
'Indicator Criterion deleted': 'المؤشر المعيار تم حذفه',
'Indicator Criterion updated': 'المؤشر المعيار تم تحديثها',
'Indicator Data': 'بيانات مؤشر',
'Indicator Data added': 'تم أضافة مؤشر البيانات',
'Indicator Data Added': 'تم اضافة مؤشر البيانات',
'Indicator Data Deleted': 'تم حذف بيانات مؤشر',
'Indicator Data Details': 'تفاصيل مؤشر بيانات',
'Indicator Data removed': 'تم إزالة بيانات مؤشر',
'Indicator Data updated': 'تم تحديث بيانات مؤشر',
'Indicator Data Updated': 'تم تحديث بيانات مؤشر',
'Indicator Deleted': 'مؤشر تم حذفه',
'Indicator deleted': 'مؤشر تم حذفه',
'Indicator Updated': 'مؤشر تم تحديثه',
'Indicator updated': 'مؤشر تم تحديثه',
'Indicators': 'مؤشرات',
'Indicators Report': 'تقرير المؤشرات',
'Individual Case Management': 'ادارة الحالات الفردية ',
'Individual ID Number': 'رقم الهوية الشخصية',
'Individual Support': 'الدعم الفردي',
'Individuals': 'الأفراد',
'Industrial': 'صناعي',
'Industrial Crime': 'جريمة صناعية',
'Industry Fire': 'حريق صناعي',
'Infant (0-1)': 'الرضع (0-1)',
'Infant and Young Child Feeding': 'تغذية الرضع وصغار الأطفال',
'Infectious Disease': 'مرض معد',
'Infectious Diseases': 'الأمراض المعدية',
'Information gaps': 'الفجوات في المعلومات',
'Information Management': 'إدارة المعلومات',
'Information Systems': 'نظم المعلومات',
'Information Technology': 'تكنولوجيا المعلومات',
'Infrastructure Development': 'تطوير البنية التحتية',
'Infusions needed per 24h': 'الدفعات اللازمة لكل 24 ساعة',
'Initial Situation Explanation': 'شرح الحالة الأولية',
'Initials': 'بالاحرف الاولى',
'Insect Infestation': 'الإصابة الحشرية',
'insert new': 'إدراج جديد',
'Inspected': 'تم فحصه',
'Inspection Date': 'تاريخ الفحص',
'Inspection date and time': 'تاريخ ووقت الفحص',
'Inspector ID': 'هوية الفاحص',
'Installation of Rainwater Harvesting Systems': 'تركيب أنظمة حصاد مياه الأمطار',
'Institution': 'مؤسسة',
'Instructor': 'المدرب',
'Instructors': 'المدربين',
'Insufficient Privileges': 'صلاحيات غير كافية',
'Insurance': 'تأمين',
'Insurance Number': 'رقم التأمين',
'Insurer': 'شركة التأمين',
'Intermediate': 'متوسط',
'interpreter required': 'بحاجة الى مترجم',
'Interval': 'فترة',
'Interview taking place at': 'تجرى المقابلة في',
'Invalid': 'غير صحيح',
'Invalid Cases': 'حالات غير صالحة',
'Invalid form (re-opened in another window?)': 'شكل غير صالح (إعادة فتح في إطار آخر؟)',
'Invalid Location!': 'الموقع غير صالح!',
'Invalid phone number': 'رقم الهاتف غير صحيح',
'Invalid Record': 'سجل غير صالح',
'Invalid value': 'قيمة غير صالحة',
'Inventories': 'المخازن',
'Inventory': 'المخازن',
'Inventory Item Details': 'تفاصيل عنصر المخزن',
'Irregular Work': 'العمل غير المنتطم',
'Irrigation and Watershed Management': 'إدارة مستجمعات المياه والري',
'is envisioned to be composed of several sub-modules that work together to provide complex functionality for the management of relief and project items by an organization. This includes an intake system, a warehouse management system, commodity tracking, supply chain management, fleet management, procurement, financial tracking and other asset and resource management capabilities': 'من المتوقع أن تتألف من عدة وحدات فرعية التي تعمل معا لتوفير وظائف معقدة لإدارة مواد الإغاثة والمشاريع من قبل المنظمة. هذا يشمل نظام المدخول ، نظام إدارة المستودعات ، تتبع السلع الأساسية ، إدارة سلسلة التوريد ، إدارة الأسطول ، المشتريات ، تتبع المالية والأصول الأخرى وكفاءات إدارة الموارد',
'Is it safe to collect water?': 'هل جمع المياه آمن؟',
'Is Required': 'مطلوب',
'Issuing Authority': 'سلطة الإصدار',
'IT & Telecom': 'IT والاتصالات',
'IT Telecom': 'IT اتصالات',
'Item': 'عنصر',
'Item Added to Shipment': 'أُضيف عنصر للشحنة',
'Item already in budget!': 'عنصر قد ورد في الميزانية!',
'Item already in Bundle!': 'عنصرموجود في الحزمة سابقا!',
'Item already in Kit!': 'العنصر موجود في الطقم!',
'Item Catalog Details': 'تفاصيل عنصر الكاتالوج',
'Item Categories': 'تصنيفات العنصر',
'Item Category Details': 'تفاصيل نوع العنصر',
'Item distribution': 'توزيع المواد',
'Item Pack deleted': 'تم حذف عنصر المجموعة',
'Item Pack Details': 'تفاصيل الحزمة',
'Item Pack updated': 'تحديث حزم المواد',
'Item removed from Inventory': 'تم إزالة العنصر من المخزن',
'Item Tracking Status': 'عناصر البحث',
'Item/Description': 'الماده / الوصف',
'Items': 'العناصر',
'Japanese': 'اليابانية',
'Jew': 'يهودي',
'Jewish': 'يهودي',
'Job': 'مهنة',
'Job added': 'تم اضافة وظيفة',
'Job deleted': 'تم حذف وظيفة',
'Job Role added': 'أُضيف الدور الوظيفي',
'Job Role Catalog': 'دليل الدور الوظيفي',
'Job Role deleted': 'تم حذف الدور الوظيفي',
'Job Schedule': 'مواعيد العمل',
'Job Title': 'عنوان العمل',
'Job Title added': 'تم اضافة المسمى الوظيفي',
'Job Title Catalog': 'لائحة العنوان الوظيفي',
'Job Title deleted': 'المسمى الوظيفي تم حذفه',
'Job Title Details': 'تفاصيل المسمى الوظيفي ',
'Job Title updated': 'المسمى الوظيفي تم تحديثه',
'Job Titles': 'مسيمات الوظيفة',
'Job updated': 'تجديد العمل',
'Jobs': 'المهن',
'Journal': 'يومية',
'Journal entry added': 'تمت اضافة مدخل اليومية',
'Journal entry deleted': 'تم حذف ادخال اليومية',
'Journal Entry Details': 'تفاصيل الإدخال لليومية',
'Journal entry updated': 'تم تحديث مدخل اليومية',
'Justification for SNF': 'مبررات الدعم من صندوق الاحتياحات الخاصة',
'Keep Duplicate': 'إبقاء المكررة',
'Keep Original': 'حافظ على الأصل',
'keeps track of all incoming tickets allowing them to be categorised & routed to the appropriate place for actioning.': 'يتتبع جميع التذاكر الواردة ويسمح بتصنيفها وتوجيهها إلى المكان المناسب لتفعيلها.',
'Key': 'مفتاح',
'Key Responsibilities': 'المهام الأساسية',
'Keyword': 'الكلمة',
'Keyword Added': 'تم اضافة كلمة مفتاحية',
'Keyword Deleted': 'تم حذف كلمة مفتاحية',
'Keyword Updated': 'تم تحديث كلمة مفتاحية',
'Keywords': 'الكلمات المفتاحية',
'Kit': 'معدات',
'Kit added': 'تمت اضافة طقم معدات',
'Kit Contents': 'محتويات طقم معدات',
'Kit updated': 'تم تحديث طقم معدات',
'Knowledge Management': 'إدارة المعرفة',
'Kurdish': 'الكردية',
'Lack of material': 'نقص المواد',
'Lack of transport to school': 'نقص وسائل النقل إلى المدرسة',
'Lahar': 'سيل بركاني',
'Land Slide': 'انهيار أرضي',
'Landslide': 'انزلاق تربة',
'Language': 'اللغة',
'Language / Communication Mode': 'اللغة \\ طريقة التواصل',
'Language added': 'تم اضافة لغة',
'Language deleted': 'اللغة تم حذفها',
'Language Details': 'تفاصيل اللغة',
'Language updated': ' تم تجديد لغة',
'Languages': 'اللغات',
'Last': 'الاخير',
'Last Contacted': 'آخر مراسلة',
'Last known location': 'آخر موقع معروف',
'Last Name': 'اللقب',
'Last updated': 'آخر تحديث',
'Last updated on': 'آخر تحديث',
'Latitude': 'خط العرض',
'Latitude %(lat)s is invalid, should be between %(lat_min)s & %(lat_max)s': '%(lat_max)s & %(lat_min)s خط العرض ينبغي أن يكون بين %(lat)s',
'Latitude & Longitude': 'خط العرض وخط الطول',
'Latitude and Longitude are required': 'يرجى ملء خطوط الطول والعرض',
'Latitude is Invalid!': 'خط العرض غير صالح!',
'Latitude is North-South (Up-Down).': 'خط العرض شمال-جنوب (من الأعلى الى الأسفل).',
'Latitude must be -90..90': 'يجب أن يكون خط العرض -90..90',
'Latitude must be between -90 and 90.': 'يجب أن يكون خط العرض بين -90 و 90.',
'Latitude of far northern end of the region of interest.': 'خط عرض نهاية أقصى شمال المنطقة المعنية.',
'Latitude of far southern end of the region of interest.': 'خط عرض نهاية اقصى جنوب المنطقة المعنية.',
'Latrine Construction': 'بناء المراحيض',
'Layer deleted': 'تم حذف الطبقة',
'Layers': 'الطبقات',
'Lead Facilitator': 'قيادة المنشأت',
'Lead Implementer': 'المنفذ الرئيسي',
'Lead Implementer for this project is already set, please choose another role.': 'ومن المقرر المنفذة الرئيسي لهذا المشروع بالفعل، يرجى اختيار دور آخر.',
'Lead Organization?': 'قيادة منظمة؟',
'Leader': 'قائد',
'Left': 'اليسار',
'Legal Approvals': 'الموافقات القانونية',
'Legal/Disaster Law Logistics Management': 'إدارة القانونية / الكوارث قانون النقل والإمداد',
'Legend Format': 'شكل العنوان',
'legend URL': 'عنوان الرابط',
'Length (m)': 'الطول(م)',
'less': 'أقل',
'Less Options': 'خيارات أقل',
'Level': 'المستوى',
'Level 1': 'المستوى 1',
'Level 1 Assessment deleted': 'حذف تقييم مستوى1',
'Level 2': 'المستوى 2',
'Level 2 Assessment added': 'تمت اضافة تقويمات المستوى 2',
'Level 2 Assessment updated': 'تم تحديث التقييم في المستوى 2',
'Level 2 Assessments': 'المستوى 2 للتقييمات',
'Level of Award': 'مستوى التقدم',
'Level of competency this person has with this skill.': 'مستوى كفاءة هذا الشخص لديه مع هذه المهارة.',
'LICENSE': 'الرخصة',
'License Number': 'رقم الرخصة',
'light': 'ضوء',
'Link to this result': 'رابط إلى هذه النتيجة',
'Links': 'الروابط',
'List': 'قائمة',
'List %(site_label)s Status': 'قائمة %(site_label)s الصورة الحالة',
'List / Add Baseline Types': 'قائمة / إضافة أنواع الخطوط القاعدية',
'List Activities': 'قائمة الأنشطة',
'List Activity Data': 'قائمة بيانات النشاط',
'List Activity Organizations': 'قائمة منظمات النشاط',
'List Activity Types': 'قائمة أنواع الأنشطة',
'List Addresses': 'قائمة العناوين',
'List All': 'كل القائمة',
'List Annual Budgets': 'قائمة الميزانيات السنوية',
'List Assets': 'قائمة الأصول',
'List Assigned Human Resources': 'قائمة تعيين الموارد البشرية',
'List available Scenarios': 'قائمة السيناريوهات المتاحة',
'List Awards': 'قائمة جوائز',
'List Beneficiaries': 'قائمة المستفيدين',
'List Beneficiary Types': ' قائمة أنواع المستفيدين',
'List Branch Organizations': 'قائمة فرع المنظمات ',
'List Catalog Items': 'قائمة عناصر الكاتالوج',
'List Certificates': 'قائمة الشهادات',
'List Certifications': 'قائمة الشهادات',
'List Clusters': 'قائمة المجموعات ',
'List Coalitions': 'قائمة التحالفات',
'List Communities': 'قائمة المجتمعات',
'List Competency Ratings': 'قائمة تقييمات الكفاءة ',
'List Conflicts': 'قائمة النزاعات',
'List Contact Information': 'قائمة معلومات الاتصال',
'List Contacts': 'قائمة جهات الاتصال',
'List Course Certificates': 'قائمة شهادات الدورة',
'List Courses': 'قائمة الدورات',
'List Credentials': 'لائحة أوراق الاعتماد',
'List Current': 'القائمة الحالية',
'List Departments': 'قائمة الأقسام',
'List Deployments': 'قائمة عمليات النشر',
'List Donors': 'قائمة المانحين',
'List Education Details': 'قائمة تفاصيل التعليم',
'List Education Levels': 'قائمة مستويات التعليم ',
'List Emergency Contacts': 'قائمة اتصالات الطوارئ ',
'List Event Types': 'قائمة أنواع الأحداث',
'List Facilities': 'قائمة المرافق',
'List Facility Types': 'قائمة أنواع مرفق',
'List Feature Layers': 'قائمة خصائص الطبقات',
'List Flood Reports': 'قائمة تقاريرالفيضانات',
'List Goals': 'قائمة الأهداف ',
'List Group Member Roles': 'قائمة أدوار عضو المجموعة',
'List Group Statuses': 'قائمة حالات المجموعة',
'List Groups': 'قائمة المجموعات',
'List Groups/View Members': 'قائمة المجموعات / عرض الأعضاء',
'List Hazards': 'قائمة المخاطر',
'List Hours': 'قائمة ساعات',
'List Human Resources': 'قائمة الموارد البشرية',
'List Identities': 'قائمة الهويات',
'List Images': 'قائمة الصور',
'List Impact Assessments': 'قائمة تقييمات الأثر',
'List Impact Types': 'قائمة أنواع التأثير',
'List Impacts': 'قائمة التاثيرات',
'List Indicator Criteria': 'قائمة معايير المؤشر',
'List Indicator Data': 'قائمة بيانات المؤشر',
'List Indicators': 'قائمة مؤشرات ',
'List Items in Inventory': 'قائمة العناصر في الجرد',
'List Job Titles': 'قائمة عناوين الوظيفة',
'List Kits': 'قائمة الأطقم',
'List Languages': 'قائمة اللغات',
'List Level 1 assessments': 'قائمة تقييمات المستوى 1',
'List Level 1 Assessments': 'قائمة التقييمات للمستوى1',
'List Level 2 Assessments': 'قائمة التقييمات مستوى 2',
'List Level 2 assessments': 'قائمة التقييمات للمستوى 2',
'List Locations': 'قائمة المواقع',
'List Log Entries': 'قائمة سجل الإدخالات',
'List Map Profiles': 'قائمة خريطة التعديلات',
'List Members': 'قائمة الأعضاء',
'List Memberships': 'قائمة العضويات',
'List Messages': 'قائمة الرسائل',
'List Milestones': 'قائمة المعالم ',
'List Need Types': 'قائمة أنواع الاحتياجات',
'List Occupation Types': 'قائمة أنواع الوظائف',
'List of addresses': 'قائمة عناوين',
'List of Appraisals': 'قائمة التقييمات',
'List of Facilities': 'قائمة المرافق',
'List of Items': 'قائمة العناصر',
'List of Missing Persons': 'قائمة الأشخاص المفقودين',
'List of Organizations': 'قائمة المنظمات',
'List of Professional Experience': 'قائمة الخبرة المهنية',
'List of Volunteers for this skill set': 'قائمة المتطوعين لهذه المهارة',
'List Office Types': 'قائمة أنواع المكتب',
'List Offices': 'قائمة المكاتب',
'List Orders': 'قائمة الطلبات',
'List Organization Types': 'قائمة أنواع المنظمة',
'List Organizations': 'قائمة المنظمات',
'List Outcomes': 'قائمة النتائج',
'List Outputs': 'قائمة المخرجات',
'List Participants': 'قائمة المشاركين',
'List Partner Organizations': 'قائمة المؤسسات الشريكة ',
'List Person Subscriptions': 'قائمة اشتراكات الشخص ',
'List Personal Effects': 'قائمة التأثيرات الشخصية',
'List Persons': 'قائمة الأشخاص ',
"List Persons' Details": "قائمة تفاصيل الأشخاص '",
'List Policies & Strategies': 'قائمة السياسات والاستراتيجيات',
'List Population Statistics': 'قائمة إحصاء السكان',
'List Programs': 'قائمة البرامج ',
'List Project Organizations': 'قائمة منظمات المشروع',
'List Projects': 'قائمة المشاريع ',
'List Received Shipments': 'قائمة الشحنات المستلمة',
'List Recommendation Letter Types': 'قائمة أنواع خطابات التوصية',
'List Recommendation Letters': 'قائمة رسائل توصية ',
'List Records': 'قائمة السجلات',
'List Red Cross & Red Crescent National Societies': 'قائمة جمعيات صليب الأحمر والهلال الأحمر الوطنية',
'List Regions': 'قائمة المناطق',
'List Religions': 'قائمة الأديان',
'List Resources': 'قائمة الموارد',
'List Roles': 'قائمة الأدوار',
'List Salaries': 'قائمة الرواتب',
'List Scenarios': 'قائمة السيناريوهات',
'List Sectors': 'قائمة القطاعات',
'List Sent Items': 'قائمة العناصر المرسلة',
'List Service Profiles': 'قائمة خدمة البيانات الشخصية',
'List Services': 'قائمة الخدمات',
'List Settings': 'قائمة الإعدادات ',
'List Shelter Types': 'قائمة أنواع المأوى',
'List Skill Equivalences': 'قائمة معادلات المهارات',
'List Skill Types': 'قائمة أنواع المهارات',
'List Skills': 'قائمة المهارات ',
'List Staff & Volunteers': 'قائمة الموظفين والمتطوعين',
'List Staff Assignments': 'قائمة تعيينات الموظفين',
'List Staff Members': 'قائمة أعضاء الكادر الوظيفي',
'List Status': 'قائمة الأوضاع',
'List Statuses': 'قائمة النظام الأساسي',
'List Strategies': 'قائمة الاستراتيجيات ',
'List Suppliers': 'قائمة الموردين',
'List Teams': 'قائمة الفرق ',
'List Themes': 'قائمة الموضوعات',
'List Tickets': 'قائمة التذاكر',
'List Training Centers': 'قائمة مراكز التدريب',
'List Training Events': ' قائمة احداث التدريب',
'List Trainings': 'قائمة الدورات التدريبية',
'List Units': 'قائمة الوحدات',
'List Users': 'قائمة المستخدمين',
'List Volunteer Roles': 'قائمة أدوار المتطوعين',
'List Volunteers': 'قائمة المتطوعين',
'List Warehouse Types': 'قائمة أنواع المستودعات',
'List Warehouses': 'قائمة المستودعات',
'Lists "who is doing what & where". Allows relief agencies to coordinate their activities': 'قوائم "من يفعل ماذا و أين". تسمح بتنسيق أعمال وكالات الإغاثة',
'Literacy': 'معرفة القراءة والكتابة',
'literate': 'مثقف',
'Live Help': 'مساعدة مباشرة',
'Livelihood / CTP': 'سبل المعيشة/برنامج التحويلات النقدية',
'Livelihood Manager': 'مدير سبل المعيشة',
'Livelihoods': 'سبل العيش',
'Load Cleaned Data into Database': 'تحميل البيانات الكاملة إلى قاعدة البيانات',
'loading': 'جار التحميل',
'Loading': 'جار التحميل',
'Local Acronym': 'اسم المختصر المحلي',
'Local Currency': 'العملة المحلية',
'Local Name': 'الاسم المحلي',
'Local Names': 'أسماء محلية',
'Location': 'موقع',
'Location (Site)': 'الموقع (الموقع)',
'Location 1': 'موقع 1',
'Location 2': 'الموقع 2',
'Location added': 'تمت اضافة الموقع',
'Location Added': 'تم اضافة الموقع',
'Location added to %(site_label)s': ' الموقع تم إضافته إلى %(site_label)s',
'Location added to Group': 'الموقع تم إضافته إلى المجموعة',
'Location added to Organization': 'الموقع تم إضافته إلى المنظمة',
'Location added to Person': 'إضافة موقع إلى الشخص',
'Location data required': 'تتطلب بيانات الموقع',
'Location deleted': 'تم حذف الموقع',
'Location Deleted': 'موقع تم حذفة',
'Location Detail': 'تفاصيل الموقع',
'Location Details': 'تفاصيل الموقع',
'Location Fields': 'حقول الموقع',
'Location group cannot be a parent.': ' لا يمكن أن يكون موقع المجموعة كأب',
'Location Hierarchy Level 3 Name': 'اسم موقع التسلسل الهرمي للمستوى3',
'Location Hierarchy Level 4 Name': 'اسم مستوى4 للموقع على التسلسل الهرمي',
'Location Hierarchy Level 5 Name': 'اسم موقع التسلسل الهرمي للمستوى 5',
'Location is of incorrect level!': 'الموقع من مستوى غير صحيح!',
'Location removed from %(site_label)s': 'تم إزالة موقع من %(site_label)s',
'Location removed from Group': 'تم إزالة الموقع من المجموعة',
'Location removed from Organization': 'تم إزالة الموقع من المنظمة',
'Location removed from Person': 'تم إزالة الموقع من شخص',
'Location updated': 'تم تحديث الموقع',
'Location: ': 'الموقع:',
'Locations': 'مواقع',
'Log entry updated': 'تم تحديث السجل',
'Logged in': 'تسجيل الدخول',
'Logged out': 'تسجيل خروج',
'Login': 'تسجيل الدخول',
'login': 'تسجيل الدخول',
'Logistics': 'اللوجستية',
'Logistics & Warehouses': 'الخدمات اللوجستية والمستودعات',
'Logo': 'شعار',
'Logo of the organization. This should be a png or jpeg file and it should be no larger than 400x400': 'شعار المنظمة. يجب أن يكون هذا PNG أو ملف JPEG، وينبغي أن لا يكون أكبر من 400x400',
'Logout': 'خروج',
'long': 'طويل',
'Long Name': 'الاسم الكامل',
'Long-term': 'طويل الأمد',
'long>12cm': ' أطول من > 12 CM',
'Longitude': 'خط الطول',
'Longitude is Invalid!': 'خط الطول غير صالح!',
'Longitude is West-East (sideways).': 'يتمحور خط الطول من الغرب إلى الشرق (جانبي).',
'Longitude must be -180..180': 'يجب أن يكون خط الطول -180..180',
'Longitude must be between -180 and 180.': 'يجب أن يكون خط الطول بين -180 و 180.',
'Longitude of far eastern end of the region of interest.': 'خط الطول لأبعد نهاية في الشرق الأقصى من المنطقة المهمة.',
'Longitude of Map Center': ' طول مركز خريطة',
'Lost': 'مفقود',
'Lost Password': 'فقدت كلمة السر',
'low': 'منخفض',
'Low': 'منخفضة',
'Magnetic Storm': 'عاصفة مغناطيسية',
'Main?': 'الأساسية؟',
'Mainstreaming DRR': 'تعميم الحد من مخاطر الكوارث',
'Major': 'الاختصاص',
'male': 'ذكر',
'Male': 'ذكر',
'Manage National Society Data': 'بيانات ادارة الجمعية الوطنية',
'Manage office inventories and assets.': 'ادارة المخان والموجودات الثابتة',
'Manage Offices Data': ' ادارة بيانات المكاتب',
'Manage Relief Item Catalogue': ' إدارة كتالوج عنصر الإغاثة',
'Manage requests of hospitals for assistance.': 'إدارة طلبات المستشفيات للحصول على المساعدة.',
'Manage Staff Data': ' ادارة بيانات الموضفين',
'Manage Teams Data': ' ادارة بيانات الفرق',
'Manage volunteers by capturing their skills, availability and allocation': 'إدارة المتطوعين من خلال التقاط مهاراتهم ، وتوافرهم وتوزيعهم',
'Manage Warehouses/Sites': 'إدارة المستودعات / المواقع',
'Manager': 'مدير',
'Managing material and human resources together to better prepare for future hazards and vulnerabilities.': 'ادارة الموارد البشرية والمادية للاعداد افضل في حاله المخاطر المستقبلية',
'Managing Office': 'المكتب الاداري',
'Mandatory': 'إلزامي',
'Manual Synchronization': 'مزامنة يدوية',
'Many': 'عدة',
'Map': 'خريطة',
'Map Center Latitude': 'خط العرض لمركز الخريطة',
'Map Center Longitude': 'خط الطول المركزي للخريطة',
'Map Height': 'إرتفاع الخريطة',
'Map Input Required': 'خريطة المدخلات المطلوبة',
'Map of Communities': 'خرائط المجتمعات',
'Map of Facilities': 'خريطة المرافق',
'Map of Hospitals': 'خريطة المستشفيات',
'Map of Offices': 'خريطة المكاتب',
'Map of Projects': 'خريطة المشاريع',
'Map of Resources': 'خريطة الموارد',
'Map of Warehouses': 'خريطة المستودعات',
'Map Profile added': 'تمت اضافة تكوين الخريطة',
'Map Profile deleted': 'تم حذف تكوين الخريطة',
'Map Profiles': 'تكوينات الخريطة',
'Map Service Catalog': 'كتالوج خدمات الخريطة',
'Map Settings': 'اعدادات الخريطة',
'Map Width': 'عرض الخريطة',
'Map Zoom': 'تكبير الخريطة',
'Marital Status': 'الحالة الإجتماعية',
'Mark as duplicate': 'وضع علامة مكرر',
'Marker': 'علامة',
'Marker deleted': 'تم حذف العلامة',
'Marker Details': 'تفاصيل العلامة',
'Markets/Marketing Analysis, Linkages and Support': 'الأسواق/تحليل التسويق، الروابط والدعم',
'married': 'متزوج',
'married (not legally recognized)': 'متزوج (غير معترف بها قانونيا)',
'Match': 'مطابقة',
'Match Requests': 'طلبات متطابقة',
'Matching Catalog Items': 'مطابقة عناصر الكتالوج',
'Matching Records': 'مطابقة السجلات ',
'Maternal, Newborn and Child Health': 'صحة الأم والوليد وصحة الطفل',
'Maximum': 'أقصى',
'Maximum Location Latitude': 'الموقع الأقصى لخط العرض',
'Maximum Location Longitude': 'أقصى خط طول للموقع',
'Means of Verification': 'وسائل التحقق',
'Measurement Frequency': 'تردد القياس',
'Measurement Procedure': 'إجراء القياس',
'Media': 'وسائل الإعلام',
'Medical Conditions': 'الحاله الصحية',
'Medical Services': 'الخدمات الطبية',
'Medical Supplies and Equipment': 'اللوازم الطبية والمعدات',
'medium': 'متوسط(ة)',
'Medium': 'متوسط',
'medium<12cm': 'متوسطة <12CM',
'Meetings': 'اجتماعات',
'Member': 'عضو',
'Member Base Development': 'تطوير قاعدة الأعضاء',
'Member Organizations': 'المنظمات الأعضاء',
'Members': 'أفراد',
'Members Deployed': 'الأعضاء المنتشرة',
'Membership': 'عضوية',
'Membership Approved': 'العضوية المعتمدة',
'Membership Details': 'تفاصيل العضوية',
'Membership Fee Last Paid': 'رسوم العضوية- آخر مدفوع ',
'Membership Types': 'أنواع العضوية',
'Membership updated': 'تم تحديث العضوية',
'Memberships': 'عضوية',
'Men': 'رجالي',
'Mental Health': 'الصحة النفسية',
'Mental Health Support': 'دعم الصحة النفسية',
'Message': 'رسالة',
'Message added': 'تمت اضافة الرسالة',
'Message Details': 'تفاصيل الرسالة',
'Message field is required!': 'حقل الرسالة مطلوب!',
'Message Members': 'رسالة الأعضاء',
'Message Participants': 'رسالة المشاركين',
'Messages': 'رسائل',
'Messaging settings updated': 'تم تحدبث ضبط الرسائل',
'Methodology': 'منهجية',
'MH Complaint Type': 'نوع الشكوى المتعلقة بالصحة النفسية',
'Middle Name': 'الاسم الوسطى',
'Migrants or ethnic minorities': 'المهاجرون أو الأقليات العرقية',
'Milestone': 'معلما',
'Milestone Added': 'معلم تم إضافته',
'Milestone Deleted': 'معلم تم حذفه',
'Milestone Details': 'تفاصيل المعلم',
'Milestone Updated': 'معلم تم تحديثه',
'Milestones': 'معالم',
'Military': 'عسكري',
'Military Service': 'الخدمة العسكرية',
'Minimum': 'الحد الأدنى',
'Minimum Location Longitude': 'خطوط الطول الأدنى للموقع',
'Minor Damage': 'أضرار طفيفة',
'Minorities participating in coping activities': 'الأقلية المشاركة في الأنشطة',
'Minute': 'دقيقة',
'Minutes must be 0..59': 'يجب أن تكون دقيقة 0..59',
'Minutes must be a number.': 'يجب أن تكون دقيقة في العدد.',
'Minutes must be less than 60.': 'يجب أن تكون دقيقة أقل من 60.',
'Miscellaneous': 'متفرقات',
'Missing': 'مفقود',
'missing': 'مفقود',
'Missing Person': 'الشخص المفقود',
'Missing Person Details': 'تفاصيل الشخص المفقود',
'Missing Person Registry': 'سجل الشخص المفقود',
'Missing Persons': 'اشخاص مفقودين',
'Missing Report': 'تقرير مفقود',
'Missing Senior Citizen': 'كبار السن المفقودين',
'Mission': 'مهمة',
'Mission Details': 'تفاصيل المهمة',
'Mission updated': 'تم تحديث المهمة',
'Mobile': 'المحمول',
'Mobile Health Units': 'وحدات صحية متنقلة',
'Mobile Phone': 'الهاتف المحمول',
'Mode': 'النمط',
'Model/Type': 'نوع/ نموذج',
'Modem Settings': 'ضبط الموديم',
'Modem settings updated': 'تم تحديث إعدادات المودم',
'Modifying data in spreadsheet before importing it to the database': 'تعديل البيانات في جدول قبل استيراده إلى قاعدة البيانات',
'module allows the site administrator to configure various options.': 'الوحدة التي تسمح لمسؤول عن الموقع لضبط مختلف الخيارات.',
'module provides a mechanism to collaboratively provide an overview of the developing disaster, using online mapping (GIS).': 'توفر الوحدة آلية تعاونية و التي تزود بلمحة عامة عن الكوارث النامية ، وذلك باستخدام الخرائط مباشرة على شبكة الإنترنت (GIS).',
'Monday': 'الإثنين',
'mongoloid': 'منغولي',
'Monitoring and Evaluation': 'رصد وتقييم',
'Month': 'شهر',
'Monthly Cost': 'التكلفة الشهرية',
'Monthly Membership Fee': 'رسوم العضوية الشهرية',
'Monthly Rent Expense': 'نفقات الإيجار الشهري',
'Monthly Salary': 'الراتب الشهري',
'Monthly Status': 'الحالة الشهرية',
'Months': 'أشهر',
'more': 'المزيد',
'More Options': 'خيارات اخرى',
'more...': 'أكثر...',
'Morgue': 'مشرحة',
'Morgue Status': 'حالة المشرحة',
'Morgue Units Available': 'وحدات المشرحة المتوفرة',
'Mosque': 'مسجد',
'Moustache': 'شوارب',
'Movement Cooperation': 'تعاون الحركة',
'Multiple Matches': 'تعدد التطابقات',
'Multiple Options': 'خيارات متعددة',
'Muslim': 'مسلم',
'Must be unique': 'يجب أن تكون فريدة من نوعها',
'My Logged Hours': 'الساعات التي تم تسجيل الدخول الخاصة بي',
'My Maps': 'خرائطي',
'My Tasks': 'مهامي',
'N/A': 'غير موجود',
'Name': 'الاسم',
'Name and/or ID': 'اسم و / أو ID',
'Name of a programme or another project which this project is implemented as part of': 'اسم البرنامج أو مشروع آخر الذي يتم تنفيذ هذا المشروع كجزء من',
'Name of Award': 'أسم مستوى التقدم',
'Name of Driver': 'اسم السائق',
'Name of Father': 'اسم الاب',
'Name of Grandfather': 'اسم الجد',
'Name of Grandmother': 'اسم الجدة',
'Name of Institute': 'أسم المعهد',
'Name of Meeting': 'اسم الإجتماع',
'Name of Mother': 'اسم الأم',
'Name of the file (& optional sub-path) located in views which should be used for footer.': 'يقع اسم الملف (و المسار الفرعي الإختياري ) في وجهات النظر التي يجب استخدامها أسفل الصفحة .',
'Name of the person in local language and script (optional).': 'اسم الشخص في اللغة المحلية والكتابة (اختياري).',
'Names can be added in multiple languages': 'يمكن إضافة الأسماء في لغات متعددة',
'Narrative Report': 'تقرير سردي',
'National': 'وطني',
'National ID': 'الهوية الوطنية',
'National ID Card': 'بطاقة الهوية الوطنية',
'National Societies': 'المنظمات الوطنية',
'National Society': 'الجمعية الوطنية',
'National Society / Branch': 'فروع / الجمعية الوطنية',
'National Society added': 'تم اضافة الجمعية الوطنية',
'National Society deleted': 'الجمعية الوطنية تم حذف',
'National Society Details': 'تفاصيل المجتمع الوطني',
'National Society updated': 'الجمعية الوطنية تم تحديثها',
'Nationality': 'الجنسيه',
'Nationality of the person.': 'جنسية الشخص.',
'native': 'اللغة الأم',
'Native language': 'اللغة الأم',
'NDRT (National Disaster Response Teams)': 'NDRT ( الفريق الوطني للاستجابة للكوارث)',
'Need for SNF': 'الحاجة لصندوق الاحتياحات الخاصة',
'Need to be logged-in to be able to submit assessments': 'يجب أن يتم التسجيل للتمكن من تقديم التقييمات',
'Need to specify a group!': 'بحاجة إلى تحديد مجموعة!',
'Need to specify a Kit!': 'تحتاج إلى تخصيص طقم!',
'Need to specify a Resource!': 'يجب تحديد المصدر!',
'Need to specify a table!': 'تحتاج إلى تحديد جدول!',
'Need to specify a user!': 'تحتاج إلى تحديد المستخدم!',
'Need Type': 'نوع الحاجة',
'Need Type deleted': 'تم حذف نوع الحاجة',
'Need Type updated': 'تم تحديث نوع الحاجة',
'Need Types': 'أنواع الإحتياجات',
'Needs': 'الاحتياجات',
'Needs Details': 'تحتاج إلى تفاصيل',
'Needs to reduce vulnerability to violence': 'يحتاج إلى تقليل التعرض للعنف',
'negroid': 'زنجاني',
'Neighbors/ relatives': 'الجيران / الأقارب',
'Neonatology': 'حديثي الولادة',
'Network': 'شبكة',
'Neurology': 'طب الأعصاب',
'never': 'أبدا',
'Never': 'أبدا',
'new': 'جديد',
'New': 'جديد',
'New Annual Budget created': 'ميزانية سنوية جديدة تم إنشاؤها',
'New Assessment reported from': 'ذكر التقييم الجديد من',
'New Certificate': 'شهادة جديدة',
'New Checklist': 'قائمة جديدة',
'New Comment': 'تعليق جديد',
'New Deployment': 'نشر جديد',
'New Entry': 'دخول جديد',
'New Event': 'نشاط جديد',
'New Location': 'موقع جديد',
'New Organization': 'منظمة جديدة',
'new record inserted': 'تم إدراج سجل جديد',
'New Records': 'السجلات الجديدة',
'New Skill': 'مهارة جديدة',
'New Team': 'فريق جديد',
'New Theme': 'موضوع جديد',
'New updates are available.': 'تحديثات جديدة متاحة.',
'News': 'أخبار',
'Next': 'التالي',
'No': 'كلا',
'No action recommended': 'لم يُوصى بأي عمل',
'No Activities defined': 'لا توجد أنشطة محددة',
'No Activities found': 'لم يتم العثور على نشاطات',
'No Activities Found': 'لم يتم العثور على نشاطات',
'No activity data defined': 'لا توجد بيانات أنشطة محددة',
'No Activity Organizations Found': 'لم يتم العثور على أية نشاط للمؤسسات ',
'No Activity Types found': 'لم يتم العثور على أنواع نشاط',
'No Activity Types Found': 'لم يتم العثور على أنواع نشاط',
'No Activity Types found for this Activity': 'لم يتم العثور على أنواع نشاط لهذا النشاط',
'No Activity Types found for this Project Location': 'لم يتم العثور على أنواع نشاط لموقع المشروع هذا',
'No annual budgets found': 'لم يتم العثور على الميزانيات السنوية',
'No Appraisals found': 'لم يتم العثور على التقييمات',
'No Assets currently registered in this event': 'لم تسجل حاليا أي أصول خلال هذاالحدث.',
'No Awards found': 'لا توجد جوائز',
'No Baselines currently registered': 'لا توجد خطوط قاعدية مسجلة حاليا',
'No Beneficiaries Found': 'لم يتم العثور على المستفيدين',
'No Beneficiary Types Found': 'لم يتم العثور على أنواع مستفيدون',
'No Branch Organizations currently registered': 'لا توجد منظمات فرعية مسجلة حالياً',
'No Catalog Items currently registered': 'لا عناصر مسجلة حاليا',
'No Catalogs currently registered': 'لا مصنفات مسجلة حاليا',
'No Cluster Subsectors currently registered': 'لم تسجل حاليا أي كتلة للقطاعات الفرعية',
'No Clusters currently registered': 'لا توجد أية مجموعات مسجلة حالياً',
'No Coalitions currently recorded': 'لا يوجد ائتلافات مسجلة حاليا',
'No Color Selected': 'لم يتم تحديد اللون',
'No Commitment Items currently registered': 'لم تسجل حالياأي عناصر التزام',
'No Commitments': 'لا توجد أي التزامات',
'No Communities Found': 'لم يتم العثور على مجتمعات',
'No contact information available': 'لا توجد معلومات جهات اتصال متوفرة',
'No contact method found': 'العثور على أي جهات اتصال',
'No contacts currently registered': 'ليس هناك أي جهات إتصال مسجل',
'No Contacts currently registered': 'لا توجد جهات اتصال مسجلة حالياً',
'No Contacts Found': 'لم يتم العثور على أية جهات اتصال',
'No Credentials currently set': 'لم يتم تعيين بيانات اعتماد حاليًا',
'No data available': 'لا تتوافر بيانات',
'No dead body reports available': 'لا توجد تقارير عن الجثث الميتة',
'No Deployments currently registered': 'لا توجد عمليات نشر مسجلة حالياً',
'No Details currently registered': 'لم تسجل حاليا أي تفاصيل',
'No Donors currently registered': 'لا يوجد حاليا أي مانحين مسجلين',
'No Education Levels currently registered': 'لا توجد مستويات تعليمية مسجلة حالياً',
'No emergency contacts registered': 'لم تسجل أي جهات اتصالات للطوارئ',
'No entries currently available': 'لا توجد إدخالات متوفرة حالياً',
'No entries currently registered': 'لم تسجل أية إدخالات حاليًا',
'No entries found': 'لم يتم العثور على إدخالات',
'No entries matching the query': 'لا توجد إدخالات مطابقة للإستفسار',
'No entry available': 'لا يوجد أي إدخال متاح',
'No Events currently registered': 'لا يوجد أحداث مسجلة حاليا',
'No Facilities currently registered': 'لا توجد مرافق مسجلة حاليا',
'No Facilities currently registered in this scenario': 'لا توجد أي مرافق مسجلة حاليا في هذا السيناريو',
'No Facility Types currently registered': 'لا توجد أنواع مرافق مسجلة حالياً',
'No Feature Layers currently defined': 'لا توجد طبقات معالم محددة حاليًا',
'No File Chosen': 'لم يتم اختيار ملف',
'No Forums currently registered': 'لا توجد منتديات مسجلة حالياً',
'No goals defined': 'لا يوجد أي أهداف محددة',
'No Group Member Roles currently defined': 'لا توجد أدوار أعضاء في المجموعة معرّفة حالياً',
'No Group Statuses currently defined': 'لا توجد حالات مجموعة محددة حاليًا',
'No Groups currently defined': 'لا مجموعات محددة حاليا',
'No Groups currently registered': 'لا توجد مجموعات مسجلة حالياً',
'No Hazards currently registered': 'لا توجد مخاطر مسجلة حاليا',
'No Hazards found for this Project': 'لم يتم العثور على هذا المشروع المخاطر',
'No Hospitals currently registered': 'ليس هناك اي مستشفى مسجلة حاليا',
'No Human Resources currently assigned to this project': 'لا توجد موارد بشرية مخصصة حاليا لهذا المشروع',
'No Human Resources currently registered in this event': 'لا توجد موارد بشرية مسجلة حاليا لهذا الحدث',
'No Identities currently registered': 'لا هويات مسجلة حاليا',
'No Images currently registered': 'لا توجد صور مسجلة في الوقت الحالي',
'No Impact Types currently registered': 'لا يوجد أي تسجيل لأنواع التأثير حاليا',
'No Incident Reports currently registered': 'لم يسجل حاليا أي تقارير عن الحادث',
'No Income': 'لا يوجد دخل',
'No Incoming Shipments': 'لا توجد شحنات واردة',
'No Indicator Criteria defined': 'لم تحدد أي معايير للمؤشرات',
'No Indicator Data available': 'لا تتوفر أية بيانات مؤشر',
'No indicator data defined': 'لا توجد بيانات مؤشر تم تعريفها',
'No Indicator Data Found': 'لم يتم العثور على أية بيانات مؤشر',
'No indicators defined': 'لا مؤشرات محددة',
'No Indicators Found': 'لم يتم العثور على أية مؤشرات',
'No Languages currently registered for this person': 'لا توجد لغات مسجلة حالياً لهذا الشخص',
'No location known for this person': 'لا يوجد موقع معروف خاص بهذا الشخص',
'No Locations Found': 'لم يتم العثور على مواقع',
'No locations found for members of this team': 'لم يتم العثور على مواقع لأعضاء هذا الفريق',
'No Locations found for this %(site_label)s': 'لم يتم العثور على مواقع لهذا٪ (site_label) ',
'No Locations found for this Group': 'لم يتم العثور على مواقع لهذه المجموعة',
'No Locations found for this Organization': 'لم يتم العثور على مواقع لهذه المنظمة',
'No Locations found for this Person': 'لم يتم العثور على مواقع لهذا الشخص',
'No Map Profiles currently defined': 'لا توجد تكوينات خريطة معرفة حاليا',
'No Map Profiles currently registered in this event': 'لا تكوينات خريطة مسجلة حاليا في هذا الحدث',
'No Markers currently available': 'لا علامات متاحة حاليا',
'No match': 'لا تطابق',
'No Match': 'ليس هناك تطابق',
'No Matching Records': 'لا توجد أية تسجيلات مطابقة',
'No matching records found': 'لا توجد سجلات مطابقة',
'No Members currently registered': 'لا يوجد أي أعضاء مسجلين حاليا',
'No Memberships currently defined': 'لا توجد عضوية معرفة حاليا',
'No Messages currently in Outbox': 'لا توجد رسائل حاليا في البريد الصادر',
'No Milestones Found': 'لم يتم العثور على أية معالم',
'No Needs currently registered': 'لا يوجد احتياجات مسجلة حاليا',
'No Notifications needed sending!': 'لا يلزم إرسال اشعارات!',
'No Occupation Types currently defined': 'لا توجد أنواع وظيفة معرّفة حالياً',
'No Office Types currently registered': 'لا توجد أنواع مكاتب مسجلة حالياً',
'No Offices currently registered': 'لا توجد مكاتب مسجلة حالياً',
'no options available': 'لا توجد خيارات متاحة',
'No options available': 'لا توجد خيارات متاحة',
'No Organization Types currently registered': 'لا توجد أنواع منظمة مسجلة حالياً',
'No Organizations currently registered': 'لا توجد منظمات مسجلة حالياً',
'No Organizations for Project(s)': 'لا توجد منظمات لمشاريع (مشاريع)',
'No Organizations found for this Policy/Strategy': 'لا توجد منظمات لهذه السياسة/الاستراتيجية',
'No outcomes defined': 'لا نتائج محددة',
'No outputs defined': 'لا مخرجات محددة',
'No Partner Organizations currently registered': 'لا توجد منظمات شركاء مسجلة حالياً',
'No person found with this ID number': 'لم يتم العثور على شخص برقم المعرف هذا',
'No Person selected': 'لم يتم تحديد أي شخص',
'No Persons currently registered': 'لا يوجدأشخاص مسجلين حاليا',
'No Persons currently reported missing': 'لا يوجد أشخاص في عداد المفقودين حاليا',
'No Persons found': 'لم يتم العثور على أي شخص',
'No Picture': 'لا وجود لصورة',
'No picture available': 'لا توجد صور',
'No Policies or Strategies found': 'لم يتم العثور على أية نُهج أو استراتيجيات',
'No Population Statistics currently registered': 'لا توجد إحصائيات للسكان مسجلة حاليا',
'No Presence Log Entries currently registered': 'لا يوجد سجل دخول إدخالات حاليا',
'No Professional Experience found': 'لم يتم العثور على الخبرة المهنية',
'No Programs found': 'لا توجد برامج',
'No Projects currently registered': 'لا مشاريع مسجلة حاليا',
'No Rapid Assessments currently registered': 'لا تقييمات سريعة مسجلة حاليا',
'No Ratings for Skill Type': 'لا يوجد تقييم لنوع المهارة',
'No Received Items currently registered': 'ليست هناك عناصر مستلمة و مسجلة حاليا',
'No Records currently available': 'لا توجد سجلات متاحة حاليا',
'No records found': 'لا توجد سجلات',
'No records matching the query': 'لا يوجد تسجيلات مطابقة للاستعلامات',
'No Red Cross & Red Crescent National Societies currently registered': 'لا توجد جمعيات وطنية للصليب الأحمر والهلال الأحمر مسجلة حاليا',
'No Regions currently registered': 'لا مناطق مسجلة حاليا',
'No Religions currently defined': 'لا أديان معرّفون حالياً',
'No report specified.': 'لم يحدد أي تقرير.',
'No Resource Types defined': 'لم يتم تحديد أنواع الموارد',
'No resources currently reported': 'لا توجد موارد تم الإبلاغ عنها حاليًا',
'No Restrictions': 'لا قيود',
'No Rivers currently registered': 'لا توجدأنهار مسجلة حاليا',
'No Roles defined': 'لا توجد أدوار محددة',
'No Rooms currently registered': 'لا توجد غرف مسجلة حاليا',
'No Scenarios currently registered': 'ليس هناك سيناريوهات مسجلة حاليا',
'No Sectors currently registered': 'لا توجد أي قطاعات مسجلة حاليا',
'No Sectors found for this Organization': 'لم يتم العثور على أية قطاعات لهذه المنظمة',
'No Sectors found for this Project': 'لم يتم العثور على أية قطاعات لهذا المشروع',
'No Sectors found for this Theme': 'لم يتم العثور على أي قطاعات لهذا الموضوع',
'No service profile available': 'لا يوجد ملف تعريف خدمة متاح',
'No Services currently registered': 'لا خدمات مسجلة حاليا',
'No Services found for this Organization': 'لم يتم العثور على أية خدمات لهذه المؤسسة',
'No Skills found for this Group': 'لم يتم العثور على مهارات لهذه المجموعة',
'No Solutions currently defined': 'لاتوجد حلول معرفة حاليا',
'No Staff currently registered': 'لا يوجد أي موظفين مسجلين حاليا',
'No staff or volunteers currently registered': 'لا يوجد أي موظفين أو متطوعين مسجلين حاليا',
'No Staff Types currently registered': 'لا توجد أي أنواع للموظفين مسجلة حاليا',
'No status information available': 'لا توجد معلومات متوفرة عن الحالة',
'No Statuses currently defined': 'لا توجد حالات محددة حاليًا ',
'No Strategies currently registered': 'لا توجد استراتيجيات مسجلة حاليا',
'No Subscriptions currently registered': 'لا اشتراكات مسجلة حاليا',
'No such Role exists': 'لا يوجد مثل هذا الدور',
'No Survey Template currently registered': 'لا يوجد أي قالب استبيان مسجل حاليا',
'No synchronization': 'لا مزامنة',
'No tasks currently registered': 'لا توجد مهام مسجلة حالياً',
'No Tasks with Location Data': 'لا يوجد مهام مرفوقة ببيانات الموقع',
'No Teams currently registered': 'لا فرق مسجلة حاليا',
'No template found!': 'لم يتم العثور على التصميم!',
'No Themes currently registered': 'لا توجد سمات مسجلة حالياً',
'No Themes found for this Activity': 'لم يتم العثور على سمات لهذا النشاط',
'No Themes found for this Project': 'لم يتم العثور على سمات لهذا المشروع',
'No Themes found for this Project Location': 'لم يتم العثور على سمات لموقع المشروع هذا',
'No Training Centers currently registered': 'لا توجد مراكز تدريب مسجلة حالياً',
'No units currently registered': 'لا توجد أي وحدات مسجلة حاليا',
'No Users currently registered': 'لا يوجد أعضاء مسجلين حاليا',
'No volunteer availability registered': 'لا يوجد تسجيل المتطوعين',
'No Volunteers currently registered': 'لا يوجد متطوع مسجل حاليا',
'No Warehouse Types currently registered': 'لا توجد أنواع مستودعات المسجلة حالياً',
'No Warehouses currently registered': 'لا توجد مستودعات مسجلة حاليا',
'Non-Communicable Diseases': 'امراض غير معدية',
'Non-Family': 'غير عائلي',
'Non-structural Hazards': 'مخاطر غير متعلقة بالبنية',
'none': 'لا شيء',
'None': 'لا شيء',
'None of the above': 'لا شيء مما سبق',
'Normal': 'عادية',
'Normal Job': 'العنوان الوظيفي',
'not accessible - no cached version available!': 'لا يمكن الوصول إليها --لا توجد نسخة متوفرة محفوظة!',
'Not Applicable': 'غير قابل للتطبيق',
'Not Authorized': 'غير مرخص',
'Not installed or incorrectly configured.': 'غير مثبت أو تم إعدادها بشكل غير صحيح.',
'Not Possible': 'غيرممكن',
'Not yet a Member of any Group': 'لا عضوية مسجلة حاليا',
'Not yet a Member of any Team': 'لست عضوا بعد في أي فريق',
'Note that this list only shows active volunteers. To see all people registered in the system, search from this screen instead': 'علما أن هذه القائمة تظهر فقط المتطوعين الناشطين.لرؤية جميع الأشخاص المسجلين في هذا النظام،إبحث من خلال هذا هذه الشاشة بدلا',
'Notice to Airmen': 'بلاغ للطيارين',
'Notify': 'أبلغ',
'Notify Participants': 'إبلاغ المشاركين',
'Now': 'الآن',
'Number': 'رقم',
'Number Female': 'عدد الأناث',
'Number Male': 'عدد الذكور',
'Number of Activities': 'عدد من الأنشطة',
'Number of Beneficiaries': 'عدد المستفيدين',
'Number of Beneficiaries Targeted': 'عدد المستفيدين المستهدفين',
'Number of Children': 'عدد الاطفال',
'Number of Countries': 'عدد من البلدان',
'Number of deaths during the past 24 hours.': 'عدد الوفيات خلال ال 24 ساعة الماضية.',
'Number of Deployments': 'عدد عمليات النشر',
'Number of Disaster Types': 'عدد من أنواع الكوارث',
'Number of discharged patients during the past 24 hours.': 'عدد المرضى الذين تم إخراجهم في 24 ساعة الماضية',
'Number of Facilities': 'عدد من المرافق',
'Number of Missions': 'عدد من البعثات',
'Number of Organizations': 'عدد من المنظمات',
'Number of Patients': 'عدد المرضى',
'Number of private schools': 'عدد المدارس الخاصة',
'Number of Projects': 'عدد المشروعات',
'Number of religious schools': 'عدد المدارس الدينية',
'Number of Resources': 'عدد من الموارد',
'Number or Address': 'الرقم أو العنوان',
'Number or Label on the identification tag this person is wearing (if any).': 'الرقم أو التسمية على علامة التعريف التي يرتديها هذا الشخص (إن وجد).',
'Number Other Gender': 'عدد الأشخاص من جنس اخر',
'Number out of School': 'عدد الأطفال خارج المدرسة',
'Number Working': 'عدد العاملين',
'Number/Percentage of affected population that is Female & Aged 0-5': 'رقم / النسبة المئوية للسكان المتضررين من الإناث التي تتراوح أعمارهن 0-5',
'Number/Percentage of affected population that is Female & Aged 13-17': 'رقم/النسبة المئوية للسكان المتضررين من الإناث وتتراوح أعمارهن بين 13-17',
'Number/Percentage of affected population that is Female & Aged 26-60': 'رقم / النسبة المئوية للسكان المتضررين من الإناث اللائي سنهن بين 26-60 سنة',
'Number/Percentage of affected population that is Female & Aged 6-12': 'عدد/النسبة المئوية للسكان المتضررين من الإناث الذين سنهم بين 6-12',
'Number/Percentage of affected population that is Male & Aged 13-17': 'عدد/النسبة المئوية للسكان المتضررين الذكور الذين سنهم يتراوح بين 13-17',
'Number/Percentage of affected population that is Male & Aged 26-60': 'رقم /النسبة المئوية للسكان المتضررين و الذين هم ذكور وسنهم بين 26-60 سنه',
'Numerator': 'عداد',
'Nutrition': 'التغذية',
'Nutrition problems': 'مشاكل التغذية',
'Nutritional Assessments': 'التقييمات الغذائية',
'NZSEE Level 2': 'NZSEE المستوى 2',
'Objectives': 'الأهداف',
'Observer': 'مراقب',
'obsolete': 'غير مفعل',
'Obsolete': 'مهمل',
'Obsolete option: %(code)s': 'الخيار مطلق: %(code)s',
'Obstetrics/Gynecology': 'التوليد / أمراض النساء',
'Occupation Type': 'نوع الوظيفة',
'Occupation Type created': 'تم اضافة تفاصيل نوع الوظيفة',
'Occupation Type deleted': 'تم حذف نوع الوظيفة',
'Occupation Type Details': 'تفاصيل نوع الوظيفة',
'Occupation Type updated': 'تم تحديث نوع الوظيفة',
'Occupation Types': 'انواع الوظائف',
'OD Coordinator': 'منسقي التطوير المؤسسي',
'Office': 'مكتب. مقر. مركز',
'Office added': 'تمت اضافة المكتب',
'Office Address': 'عنوان المكتب',
'Office deleted': 'حذف مكتب',
'Office Details': 'تفاصيل مكتب',
'Office Phone': 'هاتف المكتب',
'Office Type': 'نوع المكتب',
'Office Type added': 'تم إضافة نوع مكتب',
'Office Type deleted': 'تم حذف نوع مكتب',
'Office Type Details': 'تفاصيل نوع مكتب',
'Office Type updated': 'تم تحديث نوع مكتب',
'Office Types': 'أنواع مكتب',
'Office updated': 'تحديث مكتب',
'Office/Center': 'مكتب / مركز',
'Office/Warehouse/Facility': 'مكتب / مخزن / منشأة',
'Offices': 'المكاتب',
'Offices & Warehouses': 'مكاتب ومستودعات',
'OK': 'موافق',
'Older people as primary caregivers of children': 'كبار السن كمقدمي الرعاية الأولية للأطفال',
'Older people participating in coping activities': 'مشاركة المسنين في أفضل الأنشطة',
'Older person (>60 yrs)': 'شخص مسن (>60 عام)',
'on': 'على',
'on %(date)s': 'على %(date)s',
'On by default?': 'مشغل افتراضيا؟',
'On by default? (only applicable to Overlays)': 'افتراضيا؟ (لا ينطبق إلا على التراكبات)',
'Once per month': 'مرة في الشهر',
'One time cost': 'تكلفة المرة الواحدة',
'One-time': 'مرة واحدة',
'One-time costs': 'تكاليف لمرة واحدة',
'Only showing accessible records!': 'فقط عرض السجلات التي يمكن الوصول إليها!',
'Only the Sharer, or Admin, can Unshare': 'فقط المشارك، أو المشرف، يمكن إلغاء مشاركة',
'Only use this button to accept back into stock some items that were returned from a delivery to beneficiaries who do not record the shipment details directly into the system': 'استخدم هذا الزر فقط لقبول بعض العناصر التي تم إرجاعها من التسليم إلى المستفيدين الذين لا يقومون بتسجيل تفاصيل الشحنة مباشرةً في النظام',
'Only use this button to confirm that the shipment has been received by a destination which will not record the shipment directly into the system': 'استخدم هذا الزر فقط لتأكيد أن الشحنة تم تلقيها بواسطة وجهة لن تسجل الشحنة مباشرةً في النظام',
'Oops! Something went wrong...': 'عفوا! حدث خطأ ما ...',
'Open': 'فتح',
'Open Chart': 'فتح الرسم البياني',
'open defecation': 'التغوط في العراء',
'Open Map': 'افتح الخريطة',
'Open recent': 'فتح الحديثة',
'Open Report': 'فتح تقرير',
'Open Table': 'فتح جدول',
'Opened on': 'فتحت بتاريخ',
'Opening Times': 'وقت الافتتاح',
'OpenStreetMap (Humanitarian)': 'خرائط الشارع المفتوح (الانسانية)',
'OpenStreetMap (MapQuest)': 'خرائط الشارع المفتوح (MapQuest)',
'Operating Rooms': 'غرف العمليات',
'Optional': 'اختياري',
"Optional. The name of the geometry column. In PostGIS this defaults to 'the_geom'.": "اختياري. اسم geometry colum. في PostGIS افتراضيا هو 'the_geom'.",
'Options': 'خيارات',
'or Drop here': 'أو إسقاط هنا',
'Organisational Preparedness - NHQ and Branches': 'الاستعداد التنظيمي - NHQ والفروع',
'Organization': '',
'Organization added': 'تمت اضافة المنظمة',
'Organization added to Policy/Strategy': 'تمت إضافة المنظمة إلى السياسة / الاستراتيجية',
'Organization added to Project': 'المنظمة تم اضافتها إلى المشروع',
'Organization Contact': 'منظمة الاتصال',
'Organization deleted': 'تم حذف المنظمة',
'Organization Details': 'تفاصيل المنظمة',
'Organization group': 'مجموعة منظمة',
'Organization ID': 'ID منظمة',
'Organization removed from Policy/Strategy': 'تمت إزالة المنظمة من سياسة/إستراتيجية',
'Organization removed from Project': 'تمت إزالة المنظمة من المشروع',
'Organization Type': 'نوع المنظمة',
'Organization Type added': 'تم إضافة نوع المنظمة',
'Organization Type deleted': 'نوع المنظمة تم حذفه',
'Organization Type Details': 'تفاصيل نوع المنظمة ',
'Organization Type updated': 'نوع المنظمة تم تحديثه',
'Organization Types': 'أنواع المنظمة',
'Organization Units': 'وحدات منظمة',
'Organization updated': 'تم تحديث المنظمة',
'Organization(s)': 'منظمة ()',
'Organization/Branch': 'المنظمة / الفرع',
'Organization/Supplier': 'منظمة / المورد',
'Organizational Development': 'التطوير التنظيمي',
'Organizations': 'المنظمات',
'Organizations / Teams / Facilities': 'المنظمات / فرق / مرافق ',
'Organized By': 'تنظيم بواسطة',
'Origin': 'الأصل',
'other': 'أخرى',
'Other': 'أخرى',
'Other (specify in comment)': 'أخرى (وضح في التعليق)',
'Other (specify)': 'أخرى (حدد)',
'Other activities of boys 13-17yrs before disaster': 'أنشطة أخرى للفتيان في سن 13 - 17 سنة قبل الكارثة',
'Other activities of boys <12yrs': 'أنشطة أخرى للفتيان <12yrs',
'Other activities of girls 13-17yrs before disaster': 'أنشطة أخرى للفتيات ما بين 13-17 سنة قبل الكارثة',
'Other activities of girls<12yrs': 'نشاطات أخرى للفتيات<12سنة',
'Other Address': 'عناوين أخرى',
'Other alternative infant nutrition in use': 'تغذية الرضع البديلة الأخرى المستعملة',
'Other assistance, Rank': 'غيرها من المساعدات، الرتبة.',
'Other Components': 'المكونات الأخرى',
'Other current health problems, adults': 'غيرها من المشاكل الصحية الراهنة ، البالغين',
'Other Details': 'ملاحظات اخرى',
'Other Education': 'تعليم آخر',
'Other Employments': 'توظيفات أخرى',
'Other events': 'أحداث أخرى',
'Other Evidence': 'غيرها من الأدلة',
'Other Faucet/Piped Water': 'صنبور أخرى / أنابيب المياه',
'Other Isolation': 'عازلات أخرى',
'Other Level': 'المستويات الاخرى',
'Other major expenses': 'نفقات رئيسية أخرى',
'Other school assistance, source': 'المساعدات المدرسية الأخرى ، مصدر',
'Other side dishes in stock': 'الأطباق الجانبية الأخرى في المخزون',
'Other, please specify': 'غير ذلك (يرجى التحديد',
'Others': 'الآخرين',
'Outbox': 'البريد الصادر',
'Outcome': 'نتيجة',
'Outcome added': 'تم اضافة النتيجة',
'Outcome deleted': 'تم حذف النتيجة',
'Outcome updated': 'تم تحديث النتيجة',
'Outcomes': 'النتائج',
'Outcomes, Impact, Challenges': 'النتائج والأثر، والتحديات',
'Output': 'مخرج',
'Output added': 'تم اضافة مخرج',
'Output deleted': 'تم حذف المخرج',
'Output updated': 'تم تحديث المخرج',
'Outputs': 'المخرجات',
'Over 60': 'أكثر من 60',
'Overall': 'شاملة',
'Overall Hazards': 'الأخطار الشاملة',
'Overall Indicators Status': 'حالة المؤشرات الكلية ',
'Overall Status': 'الحالة العامة',
'Overlays': 'تراكب',
'Owned By (Organization/Branch)': 'مملوكة من قبل (منظمة / فرع)',
'Owner Driven Housing Reconstruction': ' إعادة الإعمار الإسكان بواسطة المالك',
'Owning Organization': 'امتلاك منظمة',
'Pack': 'حزمة',
'Packs': 'حزم',
'paid': 'دفع',
'Parent needs to be set for locations of level': 'يحتاج الأصل إلى أن يضبط من أجل مواقع المستوى',
'Part-time': 'دوام جزئى',
'Partially achieved expectations': 'التوقعات المحققة جزئيا',
'Participant': 'مشارك',
'Participant added': ' مشارك تم اضافته',
'Participant deleted': 'مشارك تم حذفه',
'Participant Details': 'تفاصيل مشارك',
'Participant updated': 'مشارك تم تحديثه',
'Participants': 'المشاركين',
'Participatory Hygiene Promotion': 'ترويج النظافة التشاركية',
'Partner': 'شريك',
'Partner National Society': 'الجمعية الوطنية الشريكة',
'Partner Organization added': 'تم اضافة منظمة الشركاء',
'Partner Organization deleted': 'تم حذف منظمة الشركاء',
'Partner Organization Details': 'تفاصيل المنظمة الشريكة',
'Partner Organization updated': 'تم تحديث منظمة الشريك',
'Partner Organizations': 'المنظمات الشريكة',
'Partners': 'شركاء',
'Partnerships': 'شراكات',
'Pashto': 'باشتون',
'Pass': 'النجاح',
'Pass Mark': 'علامة النجاح',
'Passport': 'جواز السفر',
'Password': 'كلمة المرور',
"Password fields don't match": 'حقلا كلمة المرور لا يتطابقان',
'Patients': 'المرضى',
'Pediatric ICU': 'وحدة العناية المركزة للأطفال',
'Pediatrics': 'طب الأطفال',
'Peer Support': 'دعم الأقران',
'Pending': 'قيد الانتظار',
'Pension/ retirement': 'التقاعد/معاش',
'People Needing Food': 'الأشخاص المحتاجون إلى الغذاء',
'People Needing Shelter': 'الأشخاص الذين يحتاجون إلى مأوى',
'People Needing Water': 'الأشخاص الذين يحتاجون إلى المياه',
'People Trapped': 'الناس المحاصرون',
'per': 'لكل',
'Percentage': 'النسبة المئوية',
'Performance Appraisal': 'تقييم الأداء',
'Performance Rating': 'تقييم الأداء',
'Period of Validity': 'فترة الصلاحية',
'Permanent': 'دائم',
'Permanent Address': 'عنوان دائم',
'Permanent Home Address': 'عنوان الاقامة الدائم',
'Permissions': 'أذونات',
'Persian': 'الفارسية',
'Person': 'شخص',
'Person 1': 'الشخص 1',
'Person 1, Person 2 are the potentially duplicate records': 'الشخص 1، الشخص 2 يحتمل أن تكون هي التسجيلات المكررة',
'Person added': 'تمت اضافة الشخص',
'Person added to Group': 'شخص تمت إضافته إلى مجموعة',
'Person added to Team': 'شخص تمت إضافته إلى فريق',
'Person deleted': 'تم حذف الشخص',
'Person Details': 'تفاصيل الشخص',
'Person details updated': 'تم تحديث تفاصيل الشخص',
'Person interviewed': 'الشخص الذي تمت مقابلته',
'Person must be specified!': 'يجب تحديد الشخص!',
'Person Registry': 'تسجيل الشخص',
'Person removed from Group': 'شخص تمت إزالته من المجموعة',
'Person removed from Team': 'شخص تمت إزالته من فريق',
'Person Responsible': 'الشخص المسؤول',
'Person Subscriptions': 'اشتراكات شخص',
"Person's Details": 'تفاصيل الشخص',
"Person's Details added": 'تم اضافة تفاصيل الشخص',
"Person's Details deleted": 'تم حذف تفاصيل الشخص',
"Person's Details updated": 'تم تحديث تفاصيل الشخص',
'Personal Profile': 'الملف الشخصي',
'Persons': 'الأشخاص',
'Persons in institutions': 'الأشخاص في المؤسسات',
'Persons with disability (mental)': 'الأشخاص ذوي الإعاقة (العقلية)',
'Persons with disability (physical)': 'الأشخاص ذوي الإعاقة (الجسدية)',
"Persons' Details": 'تفاصيل الأشخاص',
'Phone': 'هاتف',
'Phone #': 'هاتف #',
'Phone 1': 'هاتف 1',
'Phone 2': 'هاتف 2',
'Phone Number': 'رقم الهاتف',
'Phone number is required': 'مطلوب رقم الهاتف',
'Phone/Emergency': 'هاتف / طوارئ',
'Photo': 'الصورة',
'Photo deleted': 'تم حذف الصورة',
'Photo Details': 'تفاصيل الصورة',
'Photo Taken?': 'هل أُخذت الصورة ؟',
'Photo updated': 'تم تحديث الصورة',
'Photograph': 'صورة',
'Physical Description': 'الوصف الجسدي',
'Picture upload and finger print upload facility': ' تحميل الصور و مرفق تحميل بصمات الأصابع',
'piece': 'قطعة',
'PIN number ': 'رقم التعريف الشخصي PIN',
'pit': 'حفرة',
'pit latrine': 'حفرة المرحاض',
'PL Women': ' النساء PL',
'Place': 'المكان',
'Place of Birth': 'مكان الولادة',
'Place of Issue': 'مكان صدوره',
'Place of Work': 'مكان العمل',
'Place on Map': 'المكان على الخريطة',
'Places for defecation': 'أماكن للتغوط',
'Planned': 'مخطط',
'Planned Progress': 'التقدم المخطط',
'Planning / Monitoring / Evaluation / Reporting': 'التخطيط / رصد / التقييم / تقارير',
'Planning and Construction of Drainage Systems ': 'تخطيط وتشييد نظم الصرف الصحي',
'Please choose a type': 'الرجاء اختيار نوع',
"Please come back after sometime if that doesn't help.": 'يرجى العودة بعد قليل إذا كان هذا لا يساعد.',
'Please enter a first name': 'من فضلك قم بادخال الاسم',
'Please enter a last name': 'الرجاء إدخال اسم العائلة',
'Please enter a number only': 'الرجاء إدخال رقم فقط',
'Please enter a site OR a location': 'الرجاء إدخال الموقع أو مكان التواجد',
'Please enter a valid email address': 'يرجى إدخال عنوان بريد إلكتروني صالح',
'Please enter the first few letters of the Person/Group for the autocomplete.': 'الرجاء إدخال بعض الحروف الأولى للشخص / مجموعة لإكمال ذاتي.',
'Please enter the recipient': 'الرجاء إدخال المستلم',
'Please fill this!': 'يرجى ملء هذا!',
'Please provide as much detail as you can, including any URL(s) for more information.': 'يرجى تقديم تفاصيل أكبر قدر ما تستطيع، بما في ذلك أي URL () لمزيد من المعلومات.',
'Please provide the URL of the page you are referring to, a description of what you expected to happen & what actually happened.': 'يرجى تقديم عنوان الصفحةURL المشار إليها،واصفا ما توقعت حدوثه و ما يحدث حاليا',
'Please record Beneficiary according to the reporting needs of your project': 'الرجاء تسجيل المستفيد حسب احتياجات المشروع الخاصة بك',
'Please report here where you are:': 'يرجى تبيان مكان وجودك:',
'Please select': 'اختر من فضلك',
'Please select a valid image!': 'يرجى تحديد صورة صالحة!',
'Please select a value': 'من فضلك إختر قيمة',
'Please select another level': 'يرجى اختيار مستوى آخر',
'Please select exactly two records': 'الرجاء تحديد اثنين بالضبط من السجلات',
'Please sign-up with your Cell Phone as this allows us to send you Text messages. Please include full Area code.': 'يرجى تسجيل رقم هاتفك الخلوي لنتمكن من إرسال رسائل نصية.يرجى تضمين الرمزالكامل للمنطقة.',
'Please use this field to record any additional information, including a history of the record if it is updated.': 'الرجاء استخدام هذا الحقل لتسجيل أية معلومات إضافية، بما في ذلك محفوظات السجل إذا تم تحديثها.',
'Pledge Support': 'تعهد الدعم',
'pm': 'مساء',
'PM': 'مساء',
'PMER': 'تقارير الرصد و المتابعة للمشروع',
'PMER Development': 'تطوير تقارير الرصد و المتابعة للمشروع',
'Point': 'نقطة',
'Poisoning': 'تسمم',
'Policies & Strategies': 'سياسات واستراتيجيات',
'Policy Development': 'تطوير السياسات',
'Policy or Strategy': 'سياسة أو استراتيجية',
'Policy or Strategy added': 'تمت إضافة نهج أو إستراتيجية',
"Policy or Strategy added, awaiting administrator's approval": 'إضافة نهج أو استراتيجية، بانتظار موافقة المسؤول',
'Policy or Strategy deleted': 'سياسة أو استراتيجية تم حذفها',
'Policy or Strategy updated': 'سياسة أو استراتيجية تم تحديثها',
'Political Theory Education': 'نظرية سياسية التعليم',
'Pollution and other environmental': 'تلوث بيئي وغيره',
'Poor': 'فقير',
'Population': 'السكان',
'Population Statistic added': 'تمت أضافة إحصاء السكان',
'Population Statistic deleted': 'تم حذف إحصاء السكان',
'Population Statistics': 'إحصاءات السكان',
'Porridge': 'عصيدة',
'Port Closure': 'غلق الميناء',
'Portuguese - Reading': 'البرتغالية - القراءة',
'Portuguese - Speaking': 'البرتغالية - الكلام',
'Portuguese - Writing': 'البرتغالية - الكتابة',
'Position': 'موضع',
'Position Catalog': 'وظيفة الكاتالوج',
'Positions': 'مواقف',
'Post Harvest Storage and Management': 'تخزين وإدارة ما بعد الحصاد',
"Post-Event Survey hasn't been Approved/Rejected": 'إستبيان ما بعد الحدث لم يتم الموافقة عليه/مرفوض',
'Post-Event Survey Report is Ready': 'تقرير إستبيان ما بعد الحدث جاهز',
'Postcode': 'الرمز البريدي',
'postponed': 'مؤجل',
'Power Failure': 'إنقطاع التيار الكهربائي',
'Power Supply Type': 'نوع الطاقة الكهربائية',
'Powered by': 'مشغل بواسطة',
'Powered by Sahana': 'بدعم من ساهانا',
'PowerPoint': 'عرض تقديمي',
'Precipitation forecast': 'توقع هطول الامطار',
'Preferred Name': 'الاسم المفضل',
'Preselected': 'المختارة مسبقا',
'Presence': 'تواجد',
'Previous': 'السابق',
'Priority': 'الأولوية',
'Priority from 1 to 9. 1 is most preferred.': 'الأولوية من 1 إلى 9. 1 هو الأكثر تفضيلا.',
'Privacy': 'خاص',
'Private': 'خاص',
'Private-Public Partnerships': 'الشراكات بين القطاعين الخاص والعام',
'Problem Administration': 'إدارة المشكلة',
'Problem connecting to twitter.com - please refresh': 'هناك مشكلة في الاتصال بـ twitter.com - يرجى تحديث الصفحة',
'Problem deleted': 'مشكلة محذوفة',
'Problem Details': 'تفاصيل المشكلة',
'Problem Title': 'عنوان المشكلة',
'Procedure': 'إجراء',
'Process Shipment to Send': 'معالجة الشحنة للإرسال',
'Processing': 'معالجة',
'Profession': 'مهنة',
'Professional Experience': 'الخبرة العملية',
'Professional Experience added': 'تم اضافة الخبرة المهنية',
'Professional Experience deleted': 'تم حذف الخبرة المهنية',
'Professional Experience Details': 'تفاصيل الخبرة المهنية',
'Professional Experience updated': 'تم تجديد الخبرة المهنية',
'Profile': 'ملف تعريف',
'Profile Page': 'الصفحة الشخصية',
'Profile Picture': 'الصوره الشخصيه',
'Profile Picture?': 'الصوره الشخصيه؟',
'Program': 'البرنامج',
'Program added': 'تم اضافة البرنامج',
'Program created': 'تم انشاء برنامج',
'Program deleted': 'تم حذف برنامج',
'Program Details': 'تفاصيل البرنامج',
'Program Hours': 'ساعات العمل',
'Program Hours (Month)': 'ساعات البرنامج (شهر)',
'Program Hours (Year)': 'ساعات البرنامج (السنة)',
'Program updated': 'تم تحديث برنامج',
'Program Volunteer': 'متطوع برنامج',
'Programme': 'برنامج',
'Programme Manager': 'مدير المبرمجين',
'Programme Planning and Management': 'تخطيط البرامج وإدارتها',
'Programme Preparation and Action Plan, Budget & Schedule': 'إعداد البرامج وخطة العمل، والميزانية والجدول الزمني',
'Programs': 'برامج',
'Project': 'المشروع',
'Project added': 'تم اضافة المشروع',
'Project Assessments and Planning': 'تقييم المشاريع والتخطيط',
'Project Code': 'رمز المشروع',
'Project Communities': 'مجتمعات المشروع',
'Project deleted': 'تم حذف المشروع',
'Project Details': 'تفاصيل المشروع',
'Project Name': 'اسم المشروع',
'Project not Found': 'مشروع لم يتم العثور على',
'Project Officer': 'موظف المقترح',
'Project Organization Details': 'تفاصيل منظمة المشروع ',
'Project Organization updated': 'منظمة المشروع تم تحديثها',
'Project Organizations': 'منظمات المشروع',
'Project Report': 'تقرير المشروع',
'Project Summary Report': 'تقرير ملخص المشروع',
'Project updated': 'تم تحديث المشروع',
'Projection': 'تقدير/تخطيط/اسقاط',
'Projects': 'المشاريع',
'Projects Map': 'خريطة المشاريع ',
'Proposed': 'المقترح',
'Protecting Livelihoods': 'حماية سبل العيش',
'Protection': 'حماية',
'Protection Assessment': 'تقييم الحماية',
'Protection Response Details': 'تفاصيل الاستجابة للحماية',
'Protection Response Sector': 'قطاع استجابة الحماية',
'Provide a password': 'توفير كلمة مرور',
'Provide Metadata for your media files': 'توفر بيانات وصفية لملفات الوسائط',
'Provider': 'مزود',
'Province': 'محافظة',
'Provision of Inputs': 'توفير المدخلات',
'Provision of Tools and Equipment': 'توفير أدوات ومعدات',
'Proxy-server': 'خادم الوكيل (بروكسي)',
'Psychiatrics/Adult': 'طب الامراض العقلية/ الراشدين',
'Psycho-Education': 'التعليم النفسي',
'Psychosocial Support': 'الدعم النفسي',
'Public': 'عمومي',
'Public and private transportation': 'النقل العام و الخاص',
'Public assembly': 'تجمع شعبي',
'Public Event': 'حدث عام',
'Pull tickets from external feed': 'سحب تذاكر من تغذية خارجية',
'Punjabi': 'البنجابية',
'Pupils': 'التلاميذ',
'Purchase Date': 'تاريخ الشراء',
'Pyroclastic Surge': 'حمم بركانية',
'Qualification': 'المؤهل',
'Qualitative Feedback': 'ملاحظات نوعية',
'Quality/Mode': 'الجودة\\الوضع',
'Quantity': 'كمية',
'Quantity Returned': 'الكمية المطلوبة',
'Quantity Sent': 'الكمية المرسلة',
'Queries': 'الاستعلامات',
'Race': 'سباق',
'Radiological Hazard': 'المخاطر الإشعاعية',
'Radiology': 'الأشعة',
'Railway Hijacking': 'اختطاف قطار',
'Rain Fall': 'سقوط المطر',
'Rainfall - last 1 day (mm)': 'هطول الامطار - يوم واحد',
'Rainfall - last 10 days accumulated (mm)': 'هطول الامطار - اجمالي عشرة ايام',
'Rangeland, Fisheries and Forest Management': 'المراعي والثروة السمكية وإدارة الغابات',
'Ranking': 'تصنيف',
'Rapid Assessment': 'تقييم سريع',
'Rapid Data Entry': 'إدخال البيانات السريعة',
'Rating': 'تقييم',
'RDRT (Regional Disaster Response Teams)': 'RDRT (فرق الاستجابة للكوارث الإقليمي)',
'RDRT Type': 'نوع RDRT',
'Read-only': 'للقراءة فقط',
'Reader': 'قارئ',
'Ready': 'جاهز',
'Reason': 'السبب',
'Reason for Dismissal': 'سبب إقالة',
'Receive': 'استلام',
'Receive %(opt_in)s updates:': 'تلقي %(opt_in)s التحديثات:',
'Receive New Shipment': 'استلام شحنه جديده',
'Receive Shipment': 'تلقي شحنة',
'Receive this shipment?': 'إستلام هذه الشحنة؟',
'Receive updates': 'تلقي التحديثات',
'Received': 'استلم (ت)',
'Received By': 'استلمت بواسطة',
'Received By': 'الاستقبال ب-',
'Received Shipment canceled': 'إلغاء الشحنة المستلمة',
'Received Shipment updated': 'تم تحديث الشحنة المتلقاة',
'Received Shipments': 'الشحنات المستلمة',
'Received/Incoming Shipments': 'الاستقبال / الشحنات الواردة',
'Recommendation Letter added': 'رسالة توصية تمت إضافتها',
'Recommendation Letter Details': 'تفاصيل رسالة التوصية',
'Recommendation Letter removed': 'تمت إزالة رسالة توصية',
'Recommendation Letter Type': 'نوع رسالة التوصية',
'Recommendation Letter Type added': 'نوع رسالة التوصية تم اضافتها',
'Recommendation Letter Type Details': 'تفاصيل نوع رسالة التوصية',
'Recommendation Letter Type removed': 'تمت إزالة نوع رسالة التوصية',
'Recommendation Letter Type updated': 'تم تحديث نوع رسالة التوصية',
'Recommendation Letter Types': 'نوع شكر والتقدير',
'Recommendation Letter updated': 'تم تحديث رسالة التوصية',
'Recommendation Letters': 'رسائل توصية',
'Recommendations for Repair and Reconstruction or Demolition': 'توصيات لإصلاح وإعادة بناء أو هدم',
'RECORD A': 'تسجيل أ',
'Record added': 'تمت اضافة التسجيل',
'Record already exists': 'السجل موجود من قبل',
'Record approved': 'السجل تم اعتماده',
'RECORD B': 'تسجيل ب',
'Record could not be approved.': 'تعذر قبول السجل.',
'Record could not be deleted.': 'لا يمكن حذف سجل.',
'Record deleted': 'سجل محذوف',
'Record Details': 'تفاصيل التسجيل',
'record does not exist': 'سِجل غير موجود',
'Record not found': 'لم يتم العثور على السجل',
'Record Saved': 'تم حفظ السجل',
'Record updated': 'تم تحديث السجل',
'Record Updates': 'تحديثات سجل',
'Records': 'تسجيل',
'records deleted': 'السجلات المحذوفة',
'Recovery': 'التعافي',
'Recovery Request deleted': 'حُذف طلب الإسترجاع',
'Recurring': 'متكرر',
'Recurring costs': 'التكاليف المتكررة',
'Recurring Request?': 'طلب متكرر ؟',
'red': 'أحمر',
'Red Cross & Red Crescent National Societies': 'جمعيات الهلال والصليب الاحمر',
'Red Cross / Red Crescent': 'الصليب الأحمر/ الهلال الأحمر',
'Red Cross Employment History': 'تاريخ التوظيف في الصليب الأحمر',
'Red Cross/Red Crescent': 'الصليب الأحمر / الهلال الأحمر',
'Reference': 'مرجع',
'Reference Number': 'الرقم المرجعي',
'Referral': 'إحالة',
'Referred to': 'تمت الاحالة الى',
'Refresh Rate (seconds)': 'معدل الإنعاش(ثواني)',
'Region': 'المنطقة',
'Region added': 'المنطقة تم اضافتها',
'Region deleted': 'المنطقة تم حذفها',
'Region Details': 'تفاصيل المنطقة',
'Region updated': 'المنطقة تم تحديثها',
'Regional': 'الإقليمية',
'Regions': 'المناطق',
'Register': 'تسجيل',
'Register As': ' تسجيل بـأسم',
'Register for Account': 'التسجيل للحصول على حساب',
'Register Person': 'تسجبل شخص',
'Registered at public school': 'مسجل في المدرسة العامة',
'Registered users can %(login)s to access the system': 'يمكن للمستخدمين المسجلين %(login)s للوصول إلى نظام',
'Registered with Turkish Authorities': 'مسجل لدى السلطات التركية',
'Registration': 'تسجيل',
'Registration added': 'تمت اضافة التسجيل',
'Registration Date': 'تاريخ التسجيل',
'Registration Details': 'تفاصيل التسجيل',
'Registration not permitted': 'تسجيل غير مسموح',
'Registration updated': 'تم تحديث التسجيل',
'Reinforced masonry': 'بناء معزز',
'Rejected': 'مرفوض',
'Relationship': 'الصلة',
'Relatives Contact #': 'أقارب الاتصال #',
'Relief': 'الإغاثة',
'Relief Team': 'فريق الإغاثة',
'Religion': 'الديانة',
'Religion created': 'تم انشاء ديانة',
'Religion deleted': 'تم حذف ديانة',
'Religion Details': 'تفاصيل الديانة',
'Religion updated': 'تم تحديث ديانة',
'Religions': 'الأديان',
'Religious': 'دينية',
'reload': 'إعادة تحميل',
'Reload': 'إعادة تحميل',
'Remarks': 'ملاحظات',
'Remember Me': 'تذكرني',
'Remove': 'أزال',
'Remove Coalition': 'إزالة التحالف',
'Remove existing data before import': 'حذف البيانات الحالية قبل الادخال',
'Remove Facility from this event': 'إزالة مرفق من هذا الحدث',
'Remove Human Resource from this project': 'إزالة الموارد البشرية من هذا المشروع',
'Remove Human Resource from this scenario': 'إزالة الموارد البشرية من هذا السيناريو',
'Remove Map Profile from this event': 'إزالة تكوين خريطة من هذا الحدث',
'Remove Map Profile from this scenario': 'حذف ضبط الخريطة من هذا السيناريو',
'Remove Organization from Project': 'إزالة المنظمة من مشروع',
'Remove Person from Group': 'إزالة شخص من المجموعة',
'Remove Person from Team': 'إزالة شخص من فريق',
'Remove Selection': 'إزالة الاختيار',
'Remove Skill': 'إزالة المهارة',
'Remove this entry': 'إزالة هذا الإدخال',
'Removed from Group': 'إزالة من المجموعة',
'Removed from Team': 'إزالة من فريق',
'Repaired': 'تم اصلاحه',
'Repeat your password': 'كرر كلمة السر الخاصة بك',
'Replace': 'إستبدال',
'Replace if Newer': 'استبدال إذا كان هناك تحديث',
'Replacing or Provisioning Livelihoods': 'استبدال أو توفير سبل العيش',
'Reply': 'الرد',
'Report': 'تقرير',
'Report added': 'تمت اضافة التقرير',
'Report Date': 'تاريخ التقرير',
'Report deleted': 'إلغاء التقرير',
'Report Details': 'تفاصيل التقرير',
'Report my location': 'تقريرعن موقعي',
'Report of': 'تقرير عن',
'Report on Annual Budgets': 'تقرير عن الميزانيات السنوية',
'Report Options': 'خيارات التقرير',
'Report them as found': 'الإبلاغ عنها كما وجدت',
'Report updated': 'تم تحديث التقرير',
'Reported By': 'اعداد',
'Reporter': 'مقرر',
'Reporter Name': 'اسم المراسل',
'Reports': 'تقارير',
'Represent': 'مثل',
'Request added': 'أُضيف الطلب',
'Request Added': 'تم إضافة الطلب',
'Request Item added': 'تم إضافة عنصر الطلب',
'Request Item deleted': 'تم حذف الطلب',
'Request Items': 'طلب العناصر',
'Request password reset': 'طلب إعادة تعيين كلمة المرور',
'Requested by': 'مطلوب من',
'Requested From': 'طلب من',
'Requested Items': 'العناصر المطلوبة',
'Requester': 'الطالب',
'Requests': 'الطلبات',
'Required Fields': 'متطلبات الميدان',
'Rescue and recovery': 'الإنقاذ و الإنعاش',
'Reset': 'إعادة تعيين',
'Residence Permit': 'تصريح الإقامة',
'Resigned': 'استقال',
'Resolve': 'حل',
'Resource': 'المورد',
'Resource added': 'تم إضافة الموارد',
'Resource deleted': 'المورد تم حذفه',
'Resource Details': 'تفاصيل عن الموارد',
'Resource Inventory': 'مخزن الموارد',
'Resource Management System': 'نظام إدارة الموارد',
'Resource Mobilization': 'تعبئة الموارد',
'Resource Transfers for Acquiring Assets': 'نقل الموارد من أجل الاستحواذ على أصول',
'Resource Transfers for Replacing/ Provisioning Or Consumption': 'نقل الموارد من أجل استبدال / التزويد أو الاستهلاك',
'Resource Type': 'نوع المورد',
'Resource Type added': 'نوع الموارد تم اضافته',
'Resource Type deleted': 'نوع الموارد تم حذفه',
'Resource Type Details': 'تفاصيل نوع الموارد ',
'Resource Type updated': 'نوع الموارد تم تحديثه',
'Resource Types': 'أنواع الموارد',
'Resource updated': 'تم تحديث الموارد',
'Resources': 'الموارد',
'Responsible for collecting the information': 'المسؤولة عن جمع المعلومات',
'Restarting Livelihoods': 'استئناف سبل العيش',
'Restoring Family Links': 'إعادة الروابط العائلية',
'Restricted Access': 'دخول مقيد',
'Restricted Use': 'استخدام محدد',
'Result of Protection Response': 'نتيجة استجابة الحماية',
'Results and Lessons Learned': 'النتائج والدروس المستفادة',
'Retail Crime': 'جريمة البيع بالتجزئة',
'retired': 'متقاعد',
'Retrieve Password': 'استرجاع كلمة السر',
'retry': 'retry',
'Return': 'عودة',
'Return to Project': 'العودة إلى المشروع',
'Return to Request': 'العودة الى الطلب',
'Returned': 'تمت العودة',
'Returned From': 'عاد من',
'Revert Entry': 'اعادة الادخال',
'RFA Priorities': 'الأولويات RFA',
'RFA1: Governance-Organisational, Institutional, Policy and Decision Making Framework': 'RFIA1: إطار الإدارة - التنظيم، المؤسسي، السياسات وصنع القرارات',
'RFA2: Knowledge, Information, Public Awareness and Education': 'RFA2: المعارف والمعلومات والتوعية العامة والتعليم',
'RFA3: Analysis and Evaluation of Hazards, Vulnerabilities and Elements at Risk': 'RFA3: تحليل وتقييم المخاطر ومواطن الضعف وعناصر في خطر',
'RFA4: Planning for Effective Preparedness, Response and Recovery': 'RFA4: التخطيط للتأهب والاستجابة والإنعاش الفعال',
'RFA5: Effective, Integrated and People-Focused Early Warning Systems': 'ARFA5: فعالية متكاملة ونظم الإنذار المبكر',
'RFA6: Reduction of Underlying Risk Factors': 'RFA6: الحد من عوامل الخطر الكامنة',
'Rice': 'أرز',
'Riot': 'شغب',
'Risk Identification & Assessment': 'تحديد وتقييم المخاطر',
'Risk Management and Audit': 'إدارة المخاطر والتدقيق',
'Risk Management and Quality Assurance': 'إدارة المخاطر وضمان الجودة',
'Risk Transfer': 'نقل المخاطر',
'Risk Transfer & Insurance': 'نقل المخاطر والتأمين',
'River deleted': 'تم حذف النهر',
'River Details': 'تفاصيل النهر',
'River updated': 'تم تحديث النهر',
'Rivers': 'الأنهار',
'Road Accident': 'حادث سير',
'Road Conditions': 'أحوال الطريق',
'Road Delay': 'تأخيرالطريق',
'Road Safety': 'السلامة على الطرق',
'Road Usage Condition': 'حالة استخدام الطريق',
'Role': 'القواعد',
'Role added': 'تم اضافة دور',
'Role deleted': 'تم حذف الدور',
'Role Details': 'تفاصيل الدور',
'Role Required': 'دور مطلوب',
'Role updated': 'تم تحديث الدور',
'Role Updated': 'تم تحديث الدور',
'Roles': 'الأدوار',
'Roof tile': 'قرميد السقف',
'Room': 'غرفة',
'Room Details': 'تفاصيل الغرفة',
'Rooms': 'غرف',
'Run Functional Tests': 'تشغيل الاختبارات الوظيفية',
'Safety of children and women affected by disaster?': 'هل تضررت سلامة الأطفال والنساء من الكارثة؟',
'Sahana Eden <=> Other': 'ساهانا عدن <=> أخرى',
'Sahana Eden <=> Sahana Eden': 'ساهانا عدن <=> ساهانا عدن',
'Sahana Eden Website': 'موقع ساهانا عدن',
'Salaries': 'الرواتب',
'Salary': 'راتب',
'Salary added': 'تم اضافة راتب',
'Salary Details': 'تفاصيل الراتب',
'Salary Grade': 'درجة الراتب',
'Salary removed': 'تم إزالة الراتب',
'Salary updated': 'تم تحديث راتب',
'Sanitation': 'الصرف الصحي',
'Saturday': 'السبت',
'Save': 'حفظ',
'Save and Continue Editing': 'حفظ ومتابعة التحرير',
'Saved Filters': 'الفلاتر المحفوظة',
'Saved.': 'تم الحفظ.',
'Saving...': 'جاري الحفظ',
'Savings': 'المحفوظات',
'Scale of Results': 'جدول النتائج',
'Scanned Copy': 'نسخة ممسوحة ضوئيا',
'Scenario': 'السيناريو',
'Scenario deleted': 'تم حذف السيناريو',
'Scenario Details': 'تفاصيل السيناريو',
'Scenario updated': 'تم تحديث السيناريو',
'Scenarios': 'سيناريوهات',
'School': 'المدرسة',
'School / University': 'مدرسة / جامعة',
'School activities': 'الأنشطة المدرسية',
'School assistance': 'المساعدات المدرسية',
'School attendance': 'الحضورالمدرسي',
'School Closure': 'اختتام المدرسة',
'School Health': 'الصحة المدرسية',
'School Holidays only': 'إجازات المدارس فقط',
'School RC Units Development': 'تطوير وحدات مدرسة الصليب الأحمر',
'School Safety and Children Education': 'السلامة في المدارس والتعليم للأطفال',
'Sea Level: Rise of 2m': 'مستوى البحر : ارتفاع ٢م',
'Search': 'ابحث',
'Search Activity Report': 'تقرير نشاط البحث',
'Search Asset Log': 'بحث سجل الأصول',
'Search Baseline Type': 'البحث في نوع القاعدة',
'Search Certifications': 'البحث عن الشهادات',
'Search Commitment Items': 'البحث عن عناصر الالتزامات',
'Search Contact Information': 'بحث عن معلومات الاتصال',
'Search Contacts': 'البحث عن جهات الإتصال',
'Search Courses': 'بحث عن المقررات',
'Search Credentials': ' بحث وثائق التفويض',
'Search Documents': 'بحث عن وثائق',
'Search Feature Class': 'البحث في فئة الميزة ',
'Search for a Person': 'البحث عن شخص',
'Search for a Project by name, code, location, or description.': 'ابحث عن المشروع من قبل الاسم، والرمز، والمكان، أو الوصف.',
'Search for a Project by name, code, or description.': 'ابحث عن المشروع من قبل الاسم، والرمز، أو الوصف.',
'Search for a Project Community by name.': 'ابحث عن مجتمع المشروع بالاسم.',
'Search for a shipment by looking for text in any field.': 'البحث عن الشحنة بالإطلاع على النص في أي مجال.',
'Search for a shipment received between these dates': 'بحث عن شحنة واردة بين هذه التواريخ',
'Search for office by organization or branch.': 'البحث عن مكتب حسب التنظيم أو الفرع.',
'Search for office by organization.': 'البحث عن مكتب حسب المنظمة.',
'Search for Persons': 'البحث عن الأشخاص',
'Search for Staff or Volunteers': 'البحث عن موظفين أو متطوعين',
'Search for warehouse by organization.': 'البحث عن مستودع حسب المنظمات.',
'Search Groups': 'بحث المجموعات',
'Search here for a person record in order to:': 'إبحث هنا عن سجل الشخص من أجل:',
'Search Human Resources': 'البحث عن الموارد البشرية',
'Search Impacts': 'البحث عن التأثيرات',
'Search Incident Reports': 'البحث عن تقارير الحوادث',
'Search Item Categories': 'البحث عن تصنيفات العنصر',
'Search Keys': 'البحث عن مفاتيح',
'Search Layers': 'بحث عن طبقات',
'Search Level 1 Assessments': ' البحث عن المستوى 1 من التقييمات',
'Search Level 2 Assessments': 'البحث المستوى 2 من التقييمات',
'Search location in Geonames': 'موقع البحث في الأسماء الجغرافية',
'Search Log Entry': 'بحث سجل الدخول',
'Search Map Profiles': 'البحث عن تكوينات الخريطة',
'Search Members': 'البحث عن الاعضاء',
'Search Membership': 'البحث عن عضوية',
'Search messages': 'بحث عن رسائل',
'Search Offices': 'بحث المكاتب',
'Search Organizations': 'ابحث عن منظمات',
'Search Photos': 'البحث عن صور',
'Search Population Statistics': 'البحث عن الإحصاءات السكانية',
'Search Positions': 'بحث وظائف',
'Search Projections': 'بحث الإٍسقاطات',
'Search Received Items': 'بحث العناصر المستلمة',
'Search Received Shipments': 'البحث عن الشحنات المستلمة',
'Search Records': 'البحث في السجلات',
'Search Registations': 'البحث عن تسجيلات',
'Search Registration Request': 'ابحث عن طلب تسجيل',
'Search Request': 'البحث عن طلب',
'Search Request Items': 'بحث عناصرالطلب',
'Search Roles': 'ابحث عن أدوار',
'Search Rooms': 'البحث عن الغرف',
'Search Scenarios': 'ابحث عن سيناريوهات',
'Search Sent Items': 'البحث عن العناصر المرسلة',
'Search Settings': 'إعدادات البحث',
'Search Shipped Items': 'بحث مفردات الشحنة',
'Search Skill Equivalences': 'البحث عن معادلات المهارة',
'Search Solutions': 'بحث الحلول',
'Search Staff & Volunteers': 'بحث الموظفين والمتطوعين',
'Search Subscriptions': 'البحث عن الإشتراكات',
'Search Tasks': 'بحث عن مهام',
'Search Teams': 'البحث عن فرق',
'Search Themes': 'بحث الثيمات',
'Search Tickets': 'البحث عن التذاكر',
'Search Tracks': 'البحث عن مسارات',
'Search Training Participants': 'البحث عن المشاركين في الدورات',
'Search Units': 'بحث الوحدات',
'Search Users': 'بحث عن المستخدمين',
'Search Warehouses': 'البحث عن مستودعات',
'Searching for different groups and individuals': 'البحث عن مجموعات وأفراد مختلفين',
'Second Nationality of the person (if they have one)': 'الجنسية الثانية للشخص (إذا كان لديهم واحد)',
'seconds': 'ثواني',
'Seconds must be 0..59': 'يجب أن يكون ثواني 0..59',
'Seconds must be a number between 0 and 60': 'الثواني يجب أن تكون بين العدد 0 و 60',
'Seconds must be a number.': 'يجب أن يكون ثواني عددا.',
'Seconds must be less than 60.': 'يجب أن يكون ثواني أقل من 60.',
'Secret': 'سر',
'Secretary General': 'الأمين العام',
'Section deleted': 'تم حذف القسم',
'Section Details': 'تفاصيل القسم',
'Sections': 'الأقسام',
'Sector': 'القطاع',
'Sector / Area of Expertise': 'القطاع / منطقة الخبرة',
'Sector added': 'تم إضافة القطاع ',
'Sector added to Organization': 'القطاع تم إضافته إلى المنظمة',
'Sector added to Project': 'القطاع تم إضافته إلى المشروع',
'Sector added to Theme': 'القطاع تم إضافته إلى النسق',
'Sector deleted': 'تم حذف القطاع',
'Sector Details': 'تفاصيل القطاع',
'Sector removed from Organization': 'قطاع تم إزالته من المؤسسة',
'Sector removed from Project': 'قطاع تم إزالتها من مشروع',
'Sector removed from Theme': 'قطاع تم إزالتها من النسق',
'Sector updated': 'تم تحديث القطاع',
'Sectors': 'القطاعات',
'Sectors to which this Activity Type can apply': 'القطاعات التي يمكن أن ينطبق عليها هذا النوع من النشاط',
'Sectors to which this Theme can apply': 'القطاعات التي يمكن تطبيق هذا الموضوع عليها',
'Security': 'الامن',
'Security Officer': 'ضابط الامن',
'Security problems': 'المشاكل الأمنية',
'See all': 'عرض الكل',
'See All Entries': 'مشاهدة كافة الإدخالات',
'see comment': 'انظر التعليق',
'see more': 'شاهد المزيد',
'Seen': 'تم مشاهدتها',
'Select': 'أختيار',
'Select %(location)s': 'اختر %(location)s',
"Select 2 records from this list, then click 'Merge'.": "حدد سجلين من هذه القائمة، ثم انقر على 'دمج'.",
'Select a location': 'حدد موقعا',
'Select a question from the list': 'إختر سؤالا من القائمة',
'Select All': 'أختيار الكل',
'Select all that apply': 'إختر كل ما ينطبق',
'Select an image to upload. You can crop this later by opening this record.': 'حدد صورة لتحميل. يمكنك اقتصاص هذا لاحقاً بواسطة فتح هذا السجل.',
'Select from Registry': 'اختر من التسجيل',
'Select one or more option(s) that apply': 'تحديد خيار واحد أو أكثر () التي تنطبق',
'Select the default site.': 'تحديد الموقع الافتراضي.',
'Select the option that applies': 'حدد الخيار الذي ينطبق',
'Select the person assigned to this role for this project.': 'حدد الشخص المعين لهذا الدور لهذا المشروع.',
"Select this if all specific locations need a parent at the deepest level of the location hierarchy. For example, if 'district' is the smallest division in the hierarchy, then all specific locations would be required to have a district as a parent.": "اختر هذا إذا كانت كافة المواقع المحددة تحتاج إلى أصل على أعمق مستوى من التسلسل الهرمي للموقع. على سبيل المثال، إذا كان 'حي' هو أصغر تقسيم في التسلسل الهرمي، فسوف يتم الزام جميع المواقع المحددة أن تكون 'المنطقة' أصلا لها.",
'Select to show this configuration in the Regions menu.': 'حدد لإظهار هذا التكوين في قائمة المناطق.',
'selected': 'أختيار',
'Send': 'إرسال',
'Send a message to this person': 'إبعث رسالة إلى هذا الشخص',
'Send a message to this team': 'إرسال رسالة إلى هذا الفريق',
'Send Message': 'إرسال رسالة',
'Send New Shipment': 'إرسال شحنة جديدة',
'Send Shipment': 'ارسال الشحنة',
'Senior (50+)': 'كبار (+ 50)',
'Sent By Person': 'أرسلت من قبل شخص',
'Sent Item deleted': 'تم حذف العنصر المُرسل',
'Sent Item Details': 'تفاصيل العناصر المرسلة',
'Sent Item updated': 'نم تحديث العنصر المرسل',
'Sent Shipment Details': 'تفاصيل الشحنة المرسلة',
'Sent Shipments': 'الشحنات المرسلة',
'separated': 'منفصل',
'Separated children, caregiving arrangements': 'الأطفال المنفصلين عن ذويهم ، ترتيبات الرعاية',
'separated from family': 'انفصل عن الأسرة',
'Serial Number': 'الرقم التسلسلي',
'Server': 'الخادم',
'Service': 'الخدمات',
'Service added': 'إضافة خدمة',
'Service added to Organization': 'إضافة خدمة للمنظمة',
'Service Catalog': 'كتالوج الخدمة',
'Service deleted': 'تم حذف الخدمة',
'Service Details': 'تفاصيل الخدمة',
'Service Locations': 'مواقع الخدمة',
'Service or Facility': 'خدمة أو مرفق',
'Service profile updated': 'تم تحديث بروفايل الخدمة',
'Service Record': 'خلاصه المتطوع',
'Service removed from Organization': 'تم إزالة الخدمة من منظمة',
'Service Type': 'نوع الخدمة',
'Service updated': 'تم تجديد الخدمة',
'Services': 'الخدمات',
'Services Available': 'الخدمات المتوفرة',
'Setting updated': 'تم تحديث الإعداد',
'Settings': 'إعدادات',
'Settings updated': 'تم تحديث الإعدادات',
'Severe': 'صعب',
'Severity': 'خطورة',
'Sex': 'جنس',
'Sexual and Reproductive Health': 'الصحة الجنسية والإنجابية',
'Share a common Marker (unless over-ridden at the Feature level)': 'يشتركون في واصمة (علامة) مشتركة (ما لم يلغى على مستوى الميزة)',
'shaved': 'تم حلاقته',
'Shelter': 'لاجى',
'Shelter & Essential NFIs': 'المأوى والمواد غير الغذائية الأساسية (NFIs)',
'Shelter added': 'تمت اضافة المأوى',
'Shelter and Settlements': 'المأوى والمستوطنات',
'Shelter deleted': 'تم حذف المأوى',
'Shelter Details': 'تفاصيل المأوى',
'Shelter Service Details': 'تفاصيل خدمات المأوى',
'Shelter Services': 'خدمات المأوى',
'Shelter Type updated': 'تم تحديث نوع المأوى',
'Shelter Types': 'أنواع المأوى',
'Shipment Items': 'عناصر الشحن',
'Shipment Items received by Inventory': 'عناصر الشحنة التي وردت في المخزون',
'Shipment Type': 'نوع الشحنة',
'Shipments To': 'الشحنات إلى',
'Shooting': 'إطلاق نار',
'short': 'قصير',
'Short Description': 'وصف قصير',
'Short Title / ID': 'الاسم المختصر',
'Short-term': 'المدى القصير',
'short<6cm': 'باختصار <6CM',
'Show': 'عرض',
'Show %(number)s entries': 'مشاهدة %(number)s إدخالات',
'Show Branch Hierarchy': 'مشاهدة فرع التسلسل الهرمي',
'Show Details': 'إظهار التفاصيل',
'Show Map': 'عرض الخريطة',
'Show on Map': 'عرض على الخريطة',
'Show on map': 'عرض على الخريطة',
'Show on Tab': 'تظهر على تبويب',
'Show Region in Menu?': 'إظهار منطقة في القائمة؟',
'Show Table': 'مشاهدة الجدول',
'Show totals': 'مشاهدة المجاميع',
'Showing': 'يعرض',
'Showing 0 to 0 of 0 entries': 'عرض 0-0 من 0 مقالات',
'Showing _START_ to _END_ of _TOTAL_ entries': ' المدخلات _TOTAL_ ل _END_ الى _START_ عرض',
'sides': 'الجانبين',
'sign-up now': 'سجل الآن',
'Sign-up succesful - you should hear from us soon!': 'تسجيل ناجح - من المفروض أن الرد سيكون عن قريب!',
'Signature': 'التوقيع',
'simplified/slow': 'بشكل بسيط\\بطيء',
'Simulation ': 'محاكاة',
'single': 'أعزب',
'Single room': 'غرفة منفردة',
'Site': 'موقع',
'Site or Location': 'الموقع أو المكان',
'Site Planning': 'تخطيط الموقع',
'Site Selection': 'اختيار الموقع',
'Sitemap': 'خريطة الموقع',
'Situation Monitoring/Community Surveillance': 'مراقبة الحالة/المراقبة المجتمعية',
'Sketch': 'رسم تخطيطي',
'Skill': 'المهارة',
'Skill added': 'تمت اضافة المهارة',
'Skill added to Group': 'تم إضافة المهارة إلى المجموعة',
'Skill Catalog': 'انواع المهارات',
'Skill deleted': 'تم حذف مهارة ',
'Skill Details': 'تفاصيل المهارة',
'Skill Equivalence': 'مهارة التكافؤ',
'Skill Equivalence added': 'تمت اضافة معادلةالمهارة',
'Skill Equivalence deleted': 'تم حذف معادةالمهارة',
'Skill Equivalence Details': 'تفاصيل معادلةالمهارة',
'Skill Equivalence updated': 'تم تحديث معادلة المهارة',
'Skill Equivalences': 'معادلات المهارة',
'Skill Provision': 'حكم المهارات',
'Skill Provision added': 'تمت اضافة حكم المهارة',
'Skill Provision Catalog': 'كاتالوج حكم المهارات',
'Skill Provision deleted': 'تم حذف حكم المهارة',
'Skill Provision Details': 'تفاصيل حكم المهارة',
'Skill Provisions': 'أحكام المهارة',
'Skill removed': 'تم إزالة مهارة',
'Skill removed from Group': 'مهارة تم إزالتها من المجموعة',
'Skill Type': 'نوع المهارة',
'Skill Type added': 'نوع المهارة تم اضافته',
'Skill Type Catalog': 'كتالوج نوع المهارة',
'Skill Type deleted': 'نوع المهارة تم حذفه',
'Skill Type updated': 'نوع المهارة تم تحديثه',
'Skill updated': 'تم تحديث المهارات',
'Skills': 'المهارات',
'Skills Catalog': 'دليل المهارات',
'Skills Utilized': 'المهارات التي تم استخدامها',
'Skin Marks': 'علامات الجلد',
'Skype': 'سكايب',
'slim': 'نحيل',
'Slope failure, debris': 'فشل المنحدر ، الحطام',
'Slot': 'فتحة',
'Small Scale Mitigation': 'تخفيف صغير النطاق',
'Snapshot': 'لقطة',
'SNF Assistance Approved by Committee': 'المساعدة من صندوق الاحتياجات الخاصة التي وافقت عليها اللجنة',
'Snow Squall': 'عاصفة ثلجية',
'Social Impacts & Resilience': 'التأثيرات الاجتماعية و المقاومة',
'Social Inclusion / Diversity': 'الاندماج الاجتماعي / التنوع',
'Social Insurance': 'التأمينات الاجتماعية',
'Social Mobilization': 'التعبئة الاجتماعية',
'Soil bulging, liquefaction': 'انتفاخ أو سيلان التربة',
'Solid waste': 'النفايات الصلبة',
'Solid Waste Management': 'ادارة النفايات الصلبة',
'Solution': 'حل',
'Solution added': 'تمت اضافة الحل',
'Solution deleted': 'تم حذف الحل',
'Solution Details': 'تفاصيل الحل',
'Sometimes': 'بعض الأحيان',
'Sops and Guidelines Development': 'تطوير الإرشادات و دليل الإجراءات المعيارية',
'Sorry that location appears to be outside the area supported by this deployment.': 'آسف يظهرهذا المكان خارج المنطقة التي يدعمها هذا النشر.',
'Sorry, I could not understand your request': 'آسف ، لا يمكنني فهم طلبك',
'Sorry, only users with the MapAdmin role are allowed to create location groups.': 'عذرا ، يسمح فقط للمستخدمين ذوي دور MapAdmin لإنشاء مجموعات مواقع.',
'Sorry, only users with the MapAdmin role are allowed to edit these locations': 'عذرا! يسمح فقط للمستخدمين الذين لهم دور MapAdmin لتحرير هذه المواقع',
'Sorry, that service is temporary unavailable.': 'عذرا، هذه الخدمة غير متوفرة مؤقتا.',
'Sorry, there are no addresses to display': 'عذرا، لا توجد أية عناوين للعرض',
"Sorry, things didn't get done on time.": 'عذرا ، لم يتم فعل الأشياء في الوقت المناسب.',
"Sorry, we couldn't find that page.": 'آسف،لم نتمكن من ايجاد تلك الصفحة',
'source': 'الهدف',
'Source': 'مصدر',
'Source Link': 'رابط مصدر',
'Sources of income': 'مصادر الدخل',
'Space Debris': 'حطام فضائي',
'Spanish': 'الاسبانية',
'Spanish - Reading': 'الأسبانية - القراءة',
'Spanish - Speaking': 'الاسبانية -تحدث',
'Spanish - Writing': 'الأسبانية - الكتابة',
'Speaking': 'تكلم',
'Special Ice': 'ثلج خاص',
'Specific Area (e.g. Building/Room) within the Location that this Person/Group is seen.': 'منطقة محددة (مثل مبنى/غرفة) في المكان الذي يرى فيه هذا الشخص/الفريق.',
'specify': 'حدد',
'Specify a time unit or use HH:MM format': 'تحديد وحدة زمنية أو استخدام HH:MM شكل',
'Specify the number of units (litres) of Ringer-Lactate or equivalent solutions needed per 24h': 'تحديد عدد الوحدات (لتر)رينغر -اللاكتات أو ما يعادلها من الحلول المحتاج اليها في 24سا',
'Spraying of Vectors': 'رش المتجهات',
'Spreadsheet uploaded': 'تم رفع الجدول',
'staff': 'الموظفين',
'Staff': 'العاملين',
'Staff & Volunteers': 'الموظفين والمتطوعين',
'Staff & Volunteers (Combined)': 'مجاميع الموظفين والعاملين',
'Staff 2': 'الموظفين 2',
'Staff added': 'تمت اضافة الموظفين',
'Staff and Volunteers': 'الموظفين والمتطوعين',
'Staff Assigned': 'تعيين الموظفين',
'Staff Assignment Details': 'تفاصيل تعيين الموظفين',
'Staff Assignment removed': 'تمت إزالة تعيين الموظفين',
'Staff Assignment updated': 'تعيين الموظفين تم تحديثها',
'Staff Assignments': 'تعيينات الموظفين',
'Staff deleted': 'إقالة الموظفين',
'Staff ID': 'الرقم التعريفي للموظف',
'Staff Level': 'مستوى الموظفين',
'Staff Member added': 'تمت إضافة الموظف',
'Staff Member deleted': 'تم حذف عضو الموظفين',
'Staff Member Details': 'بيانات الموظف',
'Staff Member Details updated': ' تم تحديث تفاصيل عضو الموظفين',
'Staff Members': 'أعضاء الهيئة',
'Staff Record': 'سجل الموظفين',
'Staff Report': 'تقرير الموظفين',
'Staff Type added': 'تم إضافة نوع من الموظفين',
'Staff Type deleted': 'تم حذف نوع الموظفين',
'Staff Type Details': 'تفاصيل نوع الموظفين',
'Staff Type updated': 'تم تحديث نوع الموظفين',
'Staff with Contracts Expiring in the next Month': 'الموظفين بعقود تنتهي في الشهر القادم',
'Staff/Volunteer Record': 'سجل الموظفين/المتطوعين',
'Stakeholder Staff': 'أصحاب المصلحة الموظفين',
'Start Date': 'تاريخ البدء',
'Start of Period': 'بداية الفترة/المرحلة',
'state': 'الدولة',
'State Management Education': 'تعليم إدارة الدولة',
'Stateless': 'عديم الجنسية',
'Status': 'الحالة',
"Status 'assigned' requires the %(fieldname)s to not be blank": "تتطلب الحالة 'تعيين' أن يكون %(fieldname)s غير فارغ",
'Status added': 'تم اضافة الحالة',
'Status deleted': 'تم حذف الحالة',
'Status Details': 'تفاصيل الحالة',
'Status of general operation of the facility.': 'حالة التشغيل العام للمرفق.',
'Status of main complaint at last visit': 'حالة الشكوى الرئيسية في آخر زيارة',
'Status of morgue capacity.': 'قدرة إستيعاب المشرحة.',
'Status of operations of the emergency department of this hospital.': 'حالة العمليات لقسم الطوارئ في هذا المستشفى.',
'Status of the operating rooms of this hospital.': 'حالة غرف العمليات لهذا المستشفى.',
'Status removed': 'تم إزالة حالة',
'Status Report': 'تقرير الحالة',
'Status updated': 'تم تحديث الوضع',
'Statuses': 'النظام الأساسي',
'Steel frame': 'الإطار الصلب',
'Stock': 'المخزون',
'Stock in Warehouse': 'المخزون في المستودع',
'Stockpiling, Prepositioning of Supplies': 'تخزين، وتحديد المواقع من المواد',
'Stocks and relief items.': 'المخازن والمواد الاغاثية',
'Storm Surge': 'ارتفاع العاصفة',
'Stowaway': 'مهاجر غير شرعي',
'straight': 'مباشرة',
'Strategies': 'استراتيجيات',
'Strategy': 'إستراتيجية',
'Strategy added': 'تم اضافة استراتيجية',
'Strategy deleted': 'تم حذف استراتيجية',
'Strategy Details': 'تفاصيل استراتيجية',
'Strategy Development': 'تطوير استراتيجية',
'Strategy updated': 'تم تحديث استراتيجية',
'Street Address': 'عنوان السكن',
'Strengthening Livelihoods': 'تعزيز سبل العيش',
'Strong': 'قوي',
'Strong Wind': 'ريح قوية',
'Structural': 'هيكلي',
'Structural Safety': 'السلامة الهيكلية',
'Sub Chapter': 'الفصل الفرعي',
'Sub-type': 'النوع الفرعي',
'Subject': 'الموضوع',
'Submission Failed': 'فشل الإرسال',
'Submission successful - please wait': ' الارسال ناجح - يرجى الانتظار',
'Submission successful - please wait...': 'تمت العملية بنجاح -- يرجى الانتظار...',
'Submit': 'حفظ',
'Submit a request for recovery': 'تقديم طلب لاسترداد',
'Submit New (full form)': 'أرسل جديد (نموذج كامل)',
'Submit new Level 1 assessment (full form)': 'تقديم تقييم مستوى 1 جديد (نموذج كامل)',
'Submit new Level 1 assessment (triage)': 'تقديم تقييم جديد للمستوى 1 (فرز)',
'Submit new Level 2 assessment': 'أرسل تقييم جديد للمستوى الثاني',
'Subscription added': 'تم اضافة الاشتراك',
'Subscription Details': 'تفاصيل الاشتراك',
'Subscription removed': 'تم إزالة الاشتراك',
'Subscription updated': 'تم تحديث الاشتراك ',
'Subscriptions': 'الاشتراكات',
'Subsistence Cost': 'كلفة المادة',
'SubType of': 'النوع الفرعي من',
'Suburb': 'ضاحية',
'suffered financial losses': 'الخسائر المالية',
'Summary': 'موجز',
'Summary Details': 'تفاصيل الملخص',
'Summary of Progress by Indicator': 'ملخص التقدم عن طريق المؤشر',
'Summary of Progress Indicators for Outcomes and Indicators': 'ملخص مؤشرات التقدم من أجل نتائج ومؤشرات',
'Sunday': 'الأحد',
'Supervisor': 'مشرف',
'Supplier/Donor': 'الموردون/ المانحون',
'Suppliers': 'المجهزين',
'Supplies': 'لوازم',
'Supply Chain Management': 'ادارة سلسلة الامدادات',
'Support provided by others': 'الدعم المقدم من الآخرين',
'Support Requests': 'طلبات الدعم',
'Supported formats': 'أشكال الدعم',
'Surgery': 'جراحة',
'Survey Answer deleted': 'جواب الاستبيان تم حذفه',
'Survey Question deleted': 'تم حذف أسئلة الاستبيان',
'Survey Question Details': 'تفاصيل أسئلة الاستبيان',
'Survey Series': 'سلاسل الاستبيان',
'Survey Series deleted': 'تم حذف سلسلة الاستبيان',
'Survey Series Details': 'تفاصيل سلسلة الاستبيان',
'Survey Template': 'قالب الاستبيان',
'Survey Template added': 'تم إضافة قالب الاستبيان',
'Survey Template Details': 'تفاصيل قالب الاستبيان',
'Suspended': 'معلق',
'Symbology': 'استعمال الرموز',
'Sync Conflicts': 'مزامنة النزاعات',
'Sync History': 'تاريخ التزامن',
'Sync Settings': 'إعدادات المزامنة',
'Synchronization': 'مزامنة',
'Synchronization Details': 'تفاصيل المزامنة',
'Synchronization History': 'تاريخ التزامن',
'Synchronization mode': 'اسلوب المزامنة',
'Synchronization not configured.': 'لم يتم إعداد التزامن.',
'Synchronization Settings': 'أعدادات المزامنة',
"System's Twitter account updated": 'تم تحديث حساب للنظام على twitter',
'Table': 'جدول',
'Tags': 'الكلمات',
'Take Survey': 'خذ استبيان',
'tall': 'طويل',
'Target': 'استهداف',
'Target Value': 'قيمة الهدف',
'Target Value of Indicator': 'القيمة المستهدفة من المؤشر',
'Targeted Number': 'العدد المستهدف',
'Targeted Number of Beneficiaries': 'عدد المستفيدين المستهدفين',
'Task added': 'تمت اضافة المهمة',
'Task Details': 'تفاصيل المهمة',
'Teachers': 'معلمون',
'Team': 'الفريق',
'Team added': 'تمت إضافة الفريق',
'Team deleted': 'تم حذف الفريق',
'Team Description': 'وصف الفريق',
'Team Details': 'تفاصيل الفريق',
'Team ID': 'هوية الفريق',
'Team Leader': 'رئيس الفريق',
'Team Members': 'أعضاء الفريق',
'Team Name': 'اسم الفريق',
'Team Type': 'نوع الفريق',
'Team updated': 'تم تحديث الفريق',
'Teams': 'فرق',
'Technical Disaster': 'الكوارث التقنية',
'Telephone': 'الهاتف',
'Telephony': 'الاتصالات الهاتفية',
'Template Name': 'اسم القالب',
'Temporary Address': 'عنوان مؤقت',
'Term for the fifth-level within-country administrative division (e.g. a voting or postcode subdivision). This level is not often used.': 'اسم المستوى الخامس داخل التقسيم الإداري للبلاد (مثل تقسيم الرمز البريدي). هذا المستوى لا يستخدم غالبا.',
'Term for the secondary within-country administrative division (e.g. District or County).': 'المصطلح الثانوي في التقسيم الإداري داخل للبلد(مثال:محافظةأو دولة)',
'Term for the third-level within-country administrative division (e.g. City or Town).': 'مصطلح للمستوى الثالث في التقسيم الإداري للبلد(مثال:مدينةأو بلدة)',
'Terminated': 'إنهاء',
'Terrorism': 'إرهاب',
'Text': 'النص',
'Thanks for your assistance': 'شكرا لكم على المساعدة',
'The Area which this Site is located within.': 'المنطقة التي يقع فيها هذا الموقع.',
'The Assessment Module stores assessment templates and allows responses to assessments for specific events to be collected and analyzed': 'نماذج تقيم لمخازن وتسمح بالاستجابه لهذه التقيم لاحداث محددة لتجمع وتحلل',
'The body height (crown to heel) in cm.': 'ارتفاع الجسم (التاج إلى كعب) في الطول.',
'The Building Asssesments module allows building safety to be assessed, e.g. after an Earthquake.': 'وحدة تقييم المباني يسمح بتقييم سلامة المباني، على سبيل المثال بعد وقوع زلزال.',
'The contact person for this organization.': 'الشخص المكلف بالتواصل في هذه المنظمة.',
'The Current Location of the Person/Group, which can be general (for Reporting) or precise (for displaying on a Map). Enter a few characters to search from available locations.': 'الموقع الحالي للفريق / الشخص، والذي يمكن ان يكون عام (للتقرير) أو دقيق (للعرض على خريطة). أدخل بعض الحروف للبحث من المواقع المتوفرة.',
"The Donor(s) for this project. Multiple values can be selected by holding down the 'Control' key.": "المانحون لهذا المشروع. يمكن تحديد قيم متعددة بضغط مفتاح 'المراقبةl' .",
'The Email Address to which approval requests are sent (normally this would be a Group mail rather than an individual). If the field is blank then requests are approved automatically if the domain matches.': 'عنوان البريد الإلكتروني الذي ترسل اليه طلبات الموافقة (عادة ما يكون هذا البريد لفريق بدلا من فرد). إذا كان الحقل فارغا فسوف تتم الموافقة على الطلبات تلقائيا إذا كان المجال موافقا.',
'The facility where this position is based.': 'المرفق الذي يستند هذا الموقف.',
'The first or only name of the person (mandatory).': 'الاسم الأول أو الوحيد للشخص (إلزامي).',
'The Incident Reporting System allows the General Public to Report Incidents & have these Tracked.': 'الإبلاغ عن الحوادث (Incident Reporting System) نظام يسمح للجمهور العام بتقريرالحوادث و تتبع هذه الأخيرة.',
'The language you wish the site to be displayed in.': 'اللغة التي ترغب ان يتم عرض الموقع فيها.',
'The list of Brands are maintained by the Administrators.': 'يقوم المسؤولون بالاحتفاظ بقائمة العلامات التجارية.',
'The list of Catalogs are maintained by the Administrators.': 'يقوم المسؤولون بالاحتفاظ بقائمة السجلات.',
'The Location the Person has come from, which can be general (for Reporting) or precise (for displaying on a Map). Enter a few characters to search from available locations.': 'موقع الشخص قد حان ، والتي يمكن أن تكون عامة (للإبلاغ) أو دقيقة (للعرض على الخريطة). أدخل عدد قليل من الأحرف للبحث عن المواقع المتوفرة.',
'The Location the Person is going to, which can be general (for Reporting) or precise (for displaying on a Map). Enter a few characters to search from available locations.': 'الموقع الذي يذهب اليه الشخص يمكن ان يكون عاما (للتقرير) او محددا (للعرض على خريطة). قم بإدخال بعض الحروف للبحث في المواقع المتوفرة.',
'The map will be displayed initially with this latitude at the center.': 'ابتدائيا سيتم عرض الخريطة في المركز على خط العرض هذا.',
'The map will be displayed initially with this longitude at the center.': 'سيتم عرض الخريطة في البداية مع هذا العرض في المركز.',
'The Media Library provides a catalog of digital media.': 'توفر مكتبة وسائل الإعلام كتالوج لوسائل الإعلام الرقمية.',
'The name to be used when calling for or directly addressing the person (optional).': 'استخدام الاسم عند طلبه أو مخاطبة الشخص مباشرة (اختياري)',
'The next screen will allow you to detail the number of people here & their needs.': 'الشاشة التالية سوف تسمح لك بتفصيل عدد الناس هنا واحتياجاتهم.',
'The number of beneficiaries actually reached by this activity': 'عدد المستفيدين الذين بلغها هذا النشاط',
'The number of beneficiaries targeted by this activity': 'عدد المستفيدين المستهدفين بهذا النشاط',
'The number of Units of Measure of the Alternative Items which is equal to One Unit of Measure of the Item': 'عدد وحدات القياس من العناصر البديلة التي تساوي وحدة واحدة القياس من البند',
'The post variable on the URL used for sending messages': 'البريد متغير حسب العنوان URLالمستعمل لإرسال الرسائل.',
'The post variables other than the ones containing the message and the phone number': 'متغيرات أخرى غير تلك التي تحتوي على رسالة ورقم الهاتف',
'The Project Tracking module allows the creation of Activities to meet Gaps in Needs Assessments.': 'وحدة تعقب المشروع تتيح خلق أنشطة لسد الثغرات في عملية تقييم الاحتياجات.',
'The questionnaire is available in all SEA languages, please change the language to your need on the upper-right corner of your screen.': 'الاستبيان متاح بجميع اللغات SEA، يرجى تغيير اللغة للحاجة الخاصة بك في الزاوية العليا اليمنى من الشاشة.',
'The role of the member in the group': 'دور عضو في المجموعة',
'The serial port at which the modem is connected - /dev/ttyUSB0, etc on linux and com1, com2, etc on Windows': 'المنفذ التسلسلي أين يتم توصيل المودم - / dev/ttyUSB0 ،إلخ على linux و COM2 ، COM1 ، الخ في نظام التشغيل Windows',
'The server did not receive a timely response from another server that it was accessing to fill the request by the browser.': 'لم يستقبل الخادم إجابة في الوقت المناسب من الخادم الآخر الذي كان يسعى للوصول لملئ طلب على يد متصفح.',
'The server received an incorrect response from another server that it was accessing to fill the request by the browser.': 'تلقى الخادم استجابة غير صحيحة من خادم آخر أنه كان داخلا لملء طلب من المتصفح.',
'The Shelter Registry tracks all shelters and stores basic details regarding them. It collaborates with other modules to track people associated with a shelter, the services available etc.': 'يتبع سجل كافة الملاجئ ويخزن التفاصيل الأساسية المتعلقة بهم.بالتعاون مع وحدات أخرى لتعقب الأشخاص المتعاونين مع ملجأ أخر،و توفر الخدمات إلخ',
'The Shelter this Request is from (optional).': 'المأوى الذي جاء منه هذا الطلب (اختياري).',
"The staff member's official job title": 'المسمى الوظيفي الرسمي للموظف',
'The unique identifier which identifies this instance to other instances.': 'المعرف الوحيد الذي يحدد هذه الحالة إلى حالات أخرى.',
'The uploaded Form is unreadable, please do manual data entry.': 'نموذج تم الرفع غير قابل للقراءة ، الرجاء القيام دليل إدخال البيانات.',
'The URL for the GetCapabilities page of a Web Map Service (WMS) whose layers you want available via the Browser panel on the Map.': ' العنوانURL لحصول على قايلية صفحة خدمة شبكة الخريطة WMS التي تتوفر على الطبقات التي ترغب فيها عبر لوحة التصفح على الخريطة.',
"The URL of the image file. If you don't upload an image file, then you must specify its location here.": 'عنوان URL لملف الصورة. إذا لم تقم بتحميل ملف صورة، فيجب عليك تحديد موقعه هنا.',
'The URL of your web gateway without the post parameters': 'عنوان مدحل موقع الويب الخاص بك دون وضع سمات أخرى',
'The URL to access the service.': 'عنوان الموقع للوصول إلى الخدمة.',
"The volunteer's role": 'دور المتطوع',
'The way in which an item is normally distributed': 'الطريقة التي يتم بها عادة توزيع العنصر',
'The weight in kg.': 'الوزن بالكيلو جرام.',
'Theme': 'الموضوع',
'Theme added': 'تم اضافة نسق',
'Theme added to Activity': 'النسق المضاف إلى النشاط',
'Theme added to Project': 'النسق المضاف إلى المشروع',
'Theme added to Project Location': 'إضافة نسق إلى موقع المشروع',
'Theme deleted': 'تم حذف النسق',
'Theme Details': 'تفاصيل الموضوع',
'Theme removed from Activity': 'تمت إزالة السمة من النشاط',
'Theme removed from Project': 'تمت إزالة السمة من المشروع',
'Theme removed from Project Location': 'تمت إزالة السمة من موقع المشروع',
'Theme updated': 'تم تحديث السمة',
'Themes': 'المواضيع',
'There are errors in the form, please check your input': 'هناك أخطاء في النموذج، يرجى مراجعة الإدخال',
'There are insufficient items in the Inventory to send this shipment': 'لا توجد وحدات كافية في المخزون لإرسال هذه الشحنة',
'There are more than %(max)s results, please input more characters.': 'هناك أكثر من %(max)s النتائج ، يرجى إدخال المزيد من الحروف.',
'There are multiple records at this location': 'هناك سجلات متعددة في هذا الموقع',
"There are no details for this person yet. Add Person's Details.": 'لا توجد تفاصيل لهذا الشخص حتى الان. إضافة تفاصيل الشخص.',
'There is no address for this person yet. Add new address.': 'لا يوجد أي عنوان لهذا الشخص حتى الان. إضافة عنوان جديد.',
'There is no status for this %(site_label)s yet. Add %(site_label)s Status.': 'ليس هناك وضع لهذا %(site_label)s حتى الان. حالة الإعلان %(site_label)s',
'There was a problem, sorry, please try again later.': 'كانت هناك مشكلة، آسف، يرجى المحاولة مرة أخرى في وقت لاحق.',
'These are settings for Inbound Mail.': 'هذه هي الإعدادات للبريد الوارد.',
'This appears to be a duplicate of ': 'يظهر أن هذا مكرر لـ',
'This email-address is already registered.': 'هذا البريد الالكتروني مسجل سابقا.',
'This file already exists on the server as': 'هذا الملف موجود مسبقا على الملقم (server) ك',
'This Group has no Members yet': 'لا يوجد أي أعضاء مسجلين حاليا',
'This level is not open for editing.': 'هذا المستوى غير مفتوح من أجل التحرير.',
'This person already belongs to another case group': 'هذا الشخص ينتمي بالفعل إلى مجموعة قضية أخرى',
'This person already belongs to this group': 'هذا الشخص ينتمي بالفعل إلى هذه المجموعة',
'This shipment has not been received - it has NOT been canceled because it can still be edited.': 'لم تستقبل هده الشحنة.و.لم يتم الغائهاا لان لاتزال امكانية تحريرها',
'This shipment will be confirmed as received.': 'سيتم تأكيد هذه الشحنة كما سُلمت',
'This Team has no Members yet': 'لا يوجد أي أعضاء مسجلين حاليا',
'This value adds a small mount of distance outside the points. Without this, the outermost points would be on the bounding box, and might not be visible.': 'تضيف هذه القيمة مقدار صغير من المسافة خارجا النقاط. بدون هذا، فإن أبعد النقاط تكون على المربع المحيط، وربما لا تكون مرئية.',
'This value gives a minimum width and height in degrees for the region shown. Without this, a map showing a single point would not show any extent around that point. After the map is displayed, it can be zoomed as desired.': 'هده القيمة تعطي عرض ادنى و ارتفا ع في درجات المنطقة المبينة.فمن دون دلك فتبين الخريطة نقطة واحدة لن تظهر اي مدى حولها.بعده يتم عرض الخريطة كما يمكن تكبيرهاعلى النحو المرغوب فيه.',
'Thursday': 'الخميس',
'Ticket': 'نذكرة',
'Ticket deleted': 'تم حذف التذكرة',
'Ticket Details': 'تفاصيل عن التذكرة',
'Ticket updated': 'تم تحديث التذكرة',
'Ticketing Module': 'وحدة التذاكر',
'Time Actual': 'الوقت الفعلي',
'Time Estimate': 'تقدير الوقت',
'Time Estimated': 'الوقت المقدر',
'Time Frame': 'إطار زمني',
'Time In': 'وقت الدخول',
'Time Out': 'وقت الخروج',
'Time Period': 'فترة زمنية',
'Time Question': 'وقت السؤال',
'Time Taken': 'الوقت الذي يستغرقه',
'Timeline Report': 'تقريرالجدول الزمني',
'times': 'مرات',
'times (0 = unlimited)': 'مرات (0 = غير محدود)',
'times and it is still not working. We give in. Sorry.': 'مرات وأنه ما زال لا يعمل. نقدم في. عذرا.',
'Title': 'عنوان',
'To': 'إلى',
'To begin the sync process, click the button on the right => ': 'لبدء عملية المزامنة ، انقر فوق الزر الموجود على اليمين =>',
'To create a personal map configuration, click ': 'لإنشاء تكوين خريطة شخصي، أنقر',
'To edit OpenStreetMap, you need to edit the OpenStreetMap settings in models/000_config.py': 'لتحرير OpenStreetMap ، تحتاج إلى تعديل إعدادات OpenStreetMap في models/000_config.py',
'To Organization': 'الى المنظمة',
'To Person': 'إلى شخص',
"To search by person name, enter any of the first, middle or last names, separated by spaces. You may use % as wildcard. Press 'Search' without input to list all persons.": "للبحث عن طريق اسم الشخص ، أدخل أي من الأسماء الأولى أو الوسط أو آخر، مفصولة بفراغ. يمكن لك استخدام ٪ كجوكير. انقر على 'بحث' دون إدخال قائمة جميع الأشخاص.",
"To search for a hospital, enter any of the names or IDs of the hospital, or the organization name or acronym, separated by spaces. You may use % as wildcard. Press 'Search' without input to list all hospitals.": "للبحث عن مستشفى ، أدخل أي من أسماء أو معرفات للمستشفى ، أو اسم المنظمة أو أوائل حروف الكلمات ، مفصولة بمسافات. يجوز لك استخدام ٪ كجوكير. اضغط 'بحث' دون إدخال جميع المستشفيات إلى القائمة.",
"To search for a location, enter the name. You may use % as wildcard. Press 'Search' without input to list all locations.": "للبحث عن مكان ما، أدخل الاسم. يجوز لك استخدام ٪ كجوكير إضغط على 'بحث' دون إدخاله في جميع قائمة لمواقع.",
"To search for a member, enter any portion of the name of the person or group. You may use % as wildcard. Press 'Search' without input to list all members.": 'للبحث عن عضو، أدخل أي جزء من اسم الشخص أو المجموعة. يمكنك استخدام٪ كما البدل. اضغط على "بحث" دون إدخال لسرد كافة الأعضاء.',
'To search for a person, enter any of the ""first, middle or last names and/or an ID ""number of a person, separated by spaces. ""You may use % as wildcard.': 'للبحث عن شخص، أدخل أي من "" أولا، أسماء الوسطى أو الأخيرة و / أو ID "" عدد من شخص، مفصولة بمسافات. "" قد تستخدم٪ كما البدل.',
"To search for a person, enter any of the first, middle or last names and/or an ID number of a person, separated by spaces. You may use % as wildcard. Press 'Search' without input to list all persons.": "للبحث عن شخص ما ، أدخل أي من الأسماء الأولى أو المتوسطة و/أو رقم الهوية للشخص، مفصولة بمسافات. يجوز لك استخدام ٪ كجوكير. اضغط 'بحث' دون ادخال جميع الأشخاص إلى القائمة.",
"To search for an assessment, enter any portion the ticket number of the assessment. You may use % as wildcard. Press 'Search' without input to list all assessments.": "للبحث عن التقييم ، أدخل أي جزء من عدد التذاكر للتقييم. يجوز لك استخدام ٪ كجوكير. اضغط 'بحث' دون إدخال جميع التقييمات إلى القائمة.",
'Today': 'اليوم',
'tonsure': 'جز شعر الرأس',
'Too many records - %(number)s more records not included': 'عدد كبير جدا من السجلات - %(number)s هو أكثر من السجلات غير المدرجة',
'Tools': 'أدوات',
'Tools and Guidelines Development': 'تطوير الأدوات والمبادئ التوجيهية',
'Tooltip': 'تلميح',
'Tornado': 'زوبعة',
'total': 'الكل',
'Total': 'الكل',
'Total # of Target Beneficiaries': 'مجموع # من المستفيدين المستهدفين',
'Total Annual Budget': 'اجمالي الميزانية السنوية',
'Total Beds': 'مجموع الأسِرة',
'Total Beneficiaries': 'مجموع المستفيدين',
'Total Budget': 'الميزانية الإجمالية',
'Total Cost': 'الكلفة الاجمالية',
'Total experience': 'عدد سنوات الخبرة',
'Total Funding (Local Currency)': 'إجمالي التمويل (العملة المحلية)',
'Total Funding Amount': 'اجمالي المقدار المالي',
'Total gross floor area (square meters)': 'مجموع المساحة الإجمالية للمنطقة(المتر المربع)',
'Total Monthly Cost': 'التكلفة الإجمالية الشهرية',
'Total number of beds in this hospital. Automatically updated from daily reports.': 'إجمالي عدد الأسِرة في هذا المستشفى. يتم تحديثها تلقائيا من تقارير يومية.',
'Total number of houses in the area': 'مجموع المنازل في المنطقة',
'Total Number of Resources': 'إجمالي عدد الموارد',
'Total number of schools in affected area': 'اجمالي عدد المدارس في المنطقة المتأثرة',
'Total Persons': 'مجموع الأشخاص',
'Total Project Progress': 'إجمالي تقدم المشروع',
'Total Records: %(numrows)s': 'السجلات الكلية: %(numrows)s',
'Total Recurring Costs': 'مجموع التكاليف المتكررة',
'Total Target': 'إجمالي الهدف',
'Total Unit Cost': 'مجموع تكلفة الوحدة',
'Total Volume (m3)': 'الحجم الكلي (م٣)',
'Total Weight (kg)': 'الوزن الكلي ( كيلوغرام )',
'Totals for Budget': 'مجموع الميزانية',
'Tourist Group': 'المجموعة السياحية',
'Track Details': 'تفاصيل المسار',
'Tracking and analysis of Projects and Activities.': 'متابعة وتحليل المشاريع والنشاطات',
'Tracking of basic information on the location, facilities and size of the Shelters': 'أخذ معلومات أساسية عن الموقع, والتسهيلات وحجم الملاجئ',
'Tracking of Projects, Activities and Tasks': 'تتبع الأنشطة والمشاريع والمهام',
'Tracks': 'المسارات',
'Trainees': 'المتدربين',
'Training': 'تدريب',
'Training added': 'تم اضافة تدريب',
'Training Center added': 'تم اضافة مركز التدريب',
'Training Center deleted': 'تم حذف مركز التدريب ',
'Training Center Details': 'تفاصيل مركز التدريب',
'Training Center updated': 'تم تحديث مركز تدريب ',
'Training Centers': 'مراكز التدريب',
'Training Course Catalog': 'فهرس منهاج الدورة',
'Training Courses': 'منهاج الدورة',
'Training deleted': 'تم حذف التدريب ',
'Training Details': 'تفاصيل التدريب',
'Training Event': 'حدث التدريب',
'Training Event added': 'تم اضافة حدث التدريب',
'Training Event deleted': 'تم حذف حدث التدريب',
'Training Event Details': 'تفاصيل عمل التدريب',
'Training Event updated': 'تم تحديثحدث التدريب ',
'Training Events': 'احداث الدورات التدريبية',
'Training Facility': 'منشأة التدريب',
'Training Hours (Month)': 'ساعات التدريب (شهر)',
'Training Hours (Year)': 'ساعات التدريب (السنة)',
'Training Location': 'مكان التدريب',
'Training of Community/First Responders': 'تدريب المجتمع / المستجيبين الأولية',
'Training of Master Trainers/Trainers': 'تدريب المدربين الأساسيين / المدربين',
'Training Purpose': 'غرض التدريب',
'Training Report': 'تقرير الدورة',
'Training Sector': 'قطاع التدريب',
'Training updated': 'تم تحديث التدريب',
'Trainings': 'الدورات التدريبية',
'Transfer': 'نقل',
'Transfer Ownership': 'نقل ملكية',
'Transfer Ownership To (Organization/Branch)': 'نقل ملكية ل(المنظمة / فرع)',
'Transit': 'عبور',
'Transit Status': 'طريق النقل',
'Transitional Shelter Construction ': 'بناء المأوى الانتقالي',
'Transport Reference': 'مصادر النقل',
'Transportation assistance, Rank': 'نقل المساعدة ، الوضع',
'Transported by': 'نقل بواسطة',
'Tree and Mangrove Planting': 'زراعة الأشجار ومان غروف',
'Tropical Storm': 'عاصفة استوائية',
'Tropo Settings': 'إعداداتTropo',
'Tropo settings updated': 'تم تحديث إعدادات Tropo',
'Truck': 'شاحنة',
'Tsunami': 'تسونامي',
'Tuesday': 'الثلاثاء',
'Turkish': 'اللغة التركية',
'Twitter': 'تويتر',
'Type': 'النوع',
'Type Code': 'كود النوع',
'Type of Construction': 'نوع البناء',
'Type of Exit': 'نوع الخروج',
'Type of Group': 'نوع المجموعة',
'Type of Transport': 'نوع النقل',
"Type the first few characters of one of the Participant's names.": 'اكتب الأحرف القليلة الأولى من واحد من أسماء المشارك.',
"Type the first few characters of one of the Person's names.": 'اكتب الأحرف القليلة الأولى من واحد من أسماء الشخص.',
"Type the name of an existing site OR Click 'Create Warehouse' to add a new warehouse.": 'اكتب اسم موقع موجود أو انقر فوق "إنشاء مستودع" لإضافة مستودع جديد.',
'Types': 'أنواع',
'Un-Repairable': 'لا يمكن اصلاحه',
'Unassigned': 'غير المعينة',
'Under 5': 'أقل من 5',
'Understaffed': 'ناقص',
'Understanding': 'فهم',
'Unfinished Building': 'مبنى غير مكتمل',
'Unidentified': 'مجهول الهوية',
'unidentified': 'مجهول الهوية',
'Unit': 'الوحدة',
'Unit Cost': 'تكلفة الوحدة',
'Unit of Measure': 'وحدة القياس',
'Units': 'وحدات',
'Unknown': 'غير معروف',
'unknown': 'غير معروف',
'Unknown Peer': 'نظير غير معروف',
'Unknown type of facility': 'نوع غير معروف من المرافق',
'unlimited': 'غير محدود',
'unpaid': 'غير مدفوع',
'Unrecognized format': 'تنسيق غير معروف',
'Unreinforced masonry': 'بناء غير مدعوم',
'Unsatisfactory': 'غير مرض',
'Unselect to disable the modem': 'إلغاء الإختيار لتعطيل المودم',
'Unsent': 'غير مرسلة',
'unspecified': 'غير محدد',
'unverified': 'لم يتم التحقق منها',
'Up To Date': 'حتى الآن',
'Update Cholera Treatment Capability Information': 'تحديث معلومات القدرة على علاج الكوليرا',
'Update Coalition': 'تحديث التحالف ',
'Update if Newer': 'قم بالتحديث إذا كان الأحدث',
'Update Method': 'طريقة التحديث',
'Update Policy': 'سياسة التحديث',
'Update Report': 'تحديث التقرير',
'Update Request': 'تحديث الطلب',
'Update Service Profile': 'تحديث خدمة البيانات الشخصية',
'Update this entry': 'تحديث هذه الادخال',
'Update Unit': 'تحديث وحدة',
'Update your current ordered list': 'تحديث القائمة المرتبة الحالية',
'updated': 'تم التحديث',
'Updated By': 'تم تحديثه من طرف',
'updates only': 'تحديثات فقط',
'Upload an image file (png or jpeg), max. 400x400 pixels!': 'حمل ملف صورة ( png أو JPEG)، كحد أقصى. 400x400 بكسل!',
'Upload an image file here.': 'تحميل ملف الصور هنا.',
"Upload an image file here. If you don't upload an image file, then you must specify its location in the URL field.": 'حمل ملف صورة هنا. إذا لم يكن لتحميل ملف الصورة، ثم يجب تحديد موقعها في مجال URL.',
'Upload an image, such as a photo': 'تحميل صورة ، مثل صورة شمسية',
'Upload different Image': 'تحميل صورة مختلفة',
'Upload Format': 'تنسيق تحميل',
'Upload Image': 'تحميل الصور',
'Uploaded Image': 'صورة محملة',
'Urban area': 'المنطقة الحضرية',
'Urban Risk & Planning': 'المخاطر الحضرية والتخطيط',
'Urban Risk and Community Resilience': 'خطر التمدين والمرونة الجماعة',
'Urdu': 'أوردو',
'Urgent': 'عاجل',
'URL': 'موقع المعلومات العالمي',
'Use decimal': 'استخدام العشرية',
'Use deg, min, sec': 'استخدام درجة، دقيقة، ثانية',
'Use Geocoder for address lookups?': 'استخدام Geocoder لعمليات البحث عن عنوان؟',
'Used in onHover Tooltip & Cluster Popups to differentiate between types.': 'تستعمل على وضع مؤشرمرشد فوق الرموز في جملة واضحة للتفريق بين الأنواع .',
'Used to build onHover Tooltip & 1st field also used in Cluster Popups to differentiate between records.': 'تستعمل على وضع مؤشرمرشد فوق الرموز كم أثستخدم المجال الأول في جملة واضحة للتفريق بين السجلات.',
'Used to import data from spreadsheets into the database': 'تستخدم لأخذ بيانات من جداول البيانات إلى قاعدة البيانات',
'User': 'المستخدم',
'User & Administration Guide': 'دليل المستخدم والإدارة',
'User Account': 'حساب المستخدم',
'User Account has been Disabled': 'تم تعطيل حساب المستخدم',
'User added': 'تمت اضافة المستخدم',
'User deleted': 'تم حذف المستخدم',
'User Management': 'إدارة المستخدمين',
'User Profile': 'ملف تعريفي للمستخدم',
'User Roles': 'أدوار المستخدمين',
'User Updated': 'تم تحديث المستخدم',
'User updated': 'تم تحديث المستخدم',
'Users': 'المستخدمين',
'Users removed': 'المستخدمين الملغين',
'Valid From': 'صالح من تاريخ',
'Valid Until': 'صالحة حتى',
'Value': 'القيمة',
'Value of Indicator': 'قيمة المؤشر',
'Value per Pack': 'القيمة لكل حزمة',
'Value Required': 'القيمة المطلوبة',
'Various Reporting functionalities': 'تعدد الوظائف التقريرية',
'VCA (Vulnerability and Capacity Assessment)': 'VCA (تقييم الضعف والقدرات )',
'Vector Control': 'مكافحة ناقلات الأمراض',
'Vehicle': 'مركبة',
'Vehicle Plate Number': 'رقم اللوحة المرورية',
'Vehicle Types': 'أنواع السيارات',
'Venue': 'مكان',
'Verified': 'تم التحقق',
'Verified?': 'تم التحقق منه؟',
'Verify Password': 'التحقق من كلمة السر',
'Version': 'نص',
'Very Good': 'جيد جدا',
'Very High': 'عال جدا',
'Very Strong': 'قوي جدا',
'View': 'رأي',
'View and/or update their details': 'عرض و/أو تحديث بياناتهم',
'View full screen': 'المشاهدة بحجم الشاشة',
'View Fullscreen Map': ' عرض الخريطة بشاشة كاملة',
'View or update the status of a hospital.': 'عرض أو تحديث حالة المستشفى.',
'View Outbox': 'عرض البريد الصادر',
'View pending requests and pledge support.': 'عرض الطلبات المعلقة و تعهدات الدعم.',
'View Test Result Reports': 'View Test Result Reports',
'View the hospitals on a map.': 'عرض المستشفيات على الخريطة.',
'Village': 'قرية',
'Village Leader': 'زعيم القرية',
'Violence Prevention': 'الوقاية من العنف',
'Visible?': 'مرئي؟',
'Vocational Training and Employment Skills': 'التدريب المهني ومهارات التوظيف',
'Volcanic Ash Cloud': 'سحابة الرماد البركاني',
'Volcanic Event': 'حدث بركاني',
'Volcano': 'بركان',
'Volume (m3)': 'الحجم (m3)',
'Volunteer': 'المتطوعين',
'Volunteer added': 'تم اضافة متطوع',
'Volunteer and Staff Management': 'المتطوعين والموظفين والإدارة',
'Volunteer Availability': 'توفر المتطوعين',
'Volunteer availability deleted': 'تم إلغاء توفر المتطوعين',
'Volunteer availability updated': 'تحديث تَوفُرالمتطوعين',
'Volunteer deleted': 'تم حذف المتطوع',
'Volunteer Details': 'تفاصيل المتطوع',
'Volunteer Details updated': 'تم تحديث تفاصيل المتطوع',
'Volunteer Hours': 'ساعات التطوع',
'Volunteer ID': 'المتطوعين ID',
'Volunteer Information': 'معلومات حول المتطوع',
'Volunteer Insurance': 'تأمين المتطوعين ',
'Volunteer Management': 'إدارة المتطوعين',
'Volunteer Project': 'مشروع التطوع',
'Volunteer Recognition': 'تقييم المتطوعين',
'Volunteer Record': 'سجل المتطوع',
'Volunteer Recruitment': 'توظيف المتطوع',
'Volunteer Report': 'تقرير المتطوعين',
'Volunteer Role': 'دور المتطوعين',
'Volunteer Role added': 'إضافة دور المتطوع',
'Volunteer Role Catalog': 'فهرس دور المتطوعين',
'Volunteer Role deleted': 'حذف دور المتطوع',
'Volunteer Role Details': 'تفاصيل دور المتطوع',
'Volunteer Role updated': 'تحديث دور المتطوع',
'Volunteer Roles': 'أدوار المتطوعين',
'Volunteer Service Record': 'تسجيل خدمة المتطوع',
'Volunteer Start Date': 'تأريخ بدء التطوع',
'Volunteer Training': 'تدريب المتطوعين',
'Volunteering in Emergencies Guidelines/Toolkit': 'العمل التطوعي في حالات الطوارئ المبادئ التوجيهية / أدوات',
'Volunteering in Pandemic Emergency Situations': 'التطوع في الحالات الوبائية الطارئة',
'Volunteers': 'المتطوعين',
'Volunteers Report': 'تقارير المتطوعين',
'Volunteers were notified!': 'تم ابلاغ المتطوعين!',
'Votes': 'الأصوات',
'Vulnerability': 'مواطن الضعف',
'Vulnerable Populations': 'السكان المعرضين للخطر',
'Warehouse': 'المستودع',
'Warehouse added': 'أُضيف المستودع',
'Warehouse deleted': 'تم حذف المستودع',
'Warehouse Details': 'تفاصيل المستودع',
'Warehouse Manager': 'مدير المستودع',
'Warehouse Stock': 'المخزون في المستودع',
'Warehouse Stock Expiration Report': 'تقرير أنتهاء المخزون في المستودع',
'Warehouse Stock Report': 'تقرير سند المخزونات',
'Warehouse Type': 'نوع المخزن',
'Warehouse Type added': 'تم اضافة نوع مستودع',
'Warehouse Type deleted': 'تم حذف نوع مستودع',
'Warehouse Type Details': 'تفاصيل نوع المستودع',
'Warehouse Type updated': 'تم تحديث نوع مستودع',
'Warehouse Types': 'أنواع مستودع',
'Warehouse updated': 'تم تحديث المستودع',
'Warehouse/ Store': 'مستودع / مخزن',
'Warehouses': 'المخازن',
'WARNING': 'تحذير',
'Water': 'ماء',
'Water and Sanitation': 'الماء والنظافة',
'Water Sanitation and Hygiene Promotion': 'مياه الصرف الصحي وتعزيز النظافة',
'Water Sanitation Hygiene': 'نظافة مياه الصرف الصحي',
'Water Supply': 'إمدادات المياه',
'Water Testing': 'اختبار المياه',
'Watsan': 'المياه والصرف الصحي',
'WatSan': 'المياه والصرف الصحي',
'Watsan Officer': 'موظفي البناء والاصحاح',
'Watsan Technician': 'فني البناء والاصحاح',
'wavy': 'متموج',
'Waybill Number': 'رقم بوليصة الشحن',
'We have tried': 'لقد حاولنا',
'Weak': 'ضعيف',
'Weather': 'الطقس',
'Weather Stations': 'حالة الطقس',
'Web Server': 'سيرفر الويب',
'Website': 'موقع ويب',
'Wednesday': 'الأربعاء',
'Week': 'أسبوع',
'Weekends only': 'عطلة نهاية الأسبوع فقط',
'Weekly': 'أسبوعي',
'Weight': 'الوزن',
'Weight (kg)': 'الوزن (كلغ)',
'Weighting': 'الترجيح',
'Weightings should add up to 1.0': 'وينبغي أن تضيف ما يصل إلى 1.0 وزن',
'Welcome to the Sahana Portal at': 'مرحبا بكم في بوابة ساهانا في',
'What order to be contacted in.': 'ما هو الترتيب الذي سيتم الاتصال به.',
'When needed': 'عند الاحتياج',
'When reports were entered': 'متى أدخلت التقارير',
'Whiskers': 'شوارب',
'white': 'أبيض',
'Who is doing What Where': 'من يفعل ماذا أين',
'Who usually collects water for the family?': 'من الذي يجمع عادةالمياه للعائلة؟',
'widowed': 'أرمل',
'Width (m)': 'العرض (م)',
'Wild Fire': 'حريق بري',
'Will create and link your user account to the following records': 'سيتم إنشاء وربط حساب المستخدم الخاص بك إلى السجلات التالية',
'Wind Chill': 'رياح باردة',
'Window frame': 'إطار النافذة',
'Winter Storm': 'عاصفة شتائية',
'within human habitat': 'داخل المستوطنات البشرية',
'Women': 'نساء',
'Women of Child Bearing Age': 'النساء في سن الإنجاب',
'Wooden poles': 'أعمدة خشبية',
'Word': 'كلمة',
'Work': 'عمل',
'Work on Program': 'العمل ضمن برنامج',
'Work phone': 'هاتف عمل',
'Working hours start': 'بدء ساعات العمل',
'Writing': 'جاري الكتابة',
'written-only': 'كتابة فقط',
'X-Ray': 'X-راي',
'xlwt module not available within the running Python - this needs installing for XLS output!': 'وحدة xlwt غير متوفرة في Python - هذا يحتاج الى التثبيت لاخراجات XLS',
'Year': 'السنة',
'Year built': 'سنة البناء',
'Year of Birth': 'سنة الولادة',
'Year of Manufacture': 'سنة الانتاج',
'Year that the organization was founded': 'السنة التي تأسست المنظمة',
'Years': 'سنوات',
'Yellow': 'أصفر',
'yes': 'نعم',
'YES': 'نعم',
'Yes': 'نعم',
'Yes, delete the selected details': 'نعم، حذف التفاصيل المختارة',
'You are currently reported missing!': 'تم الإبلاغ عنكم كمفقودين!',
'You can click on the map below to select the Lat/Lon fields': 'يمكنك النقر على الخريطة أدناه لتحديد حقول خطوط العرض والطول',
"You can search by by group name, description or comments and by organization name or acronym. You may use % as wildcard. Press 'Search' without input to list all.": 'يمكنك البحث من قبل من قبل اسم المجموعة والوصف أو تعليقات واسم المؤسسة أو اختصار. يمكنك استخدام٪ كما البدل. اضغط على "بحث" دون إدخال لسرد كافة.',
"You can search by course name, venue name or event comments. You may use % as wildcard. Press 'Search' without input to list all events.": 'يمكنك البحث عن طريق اسم الدورة، اسم مكان أو تعليقات الحدث. يمكنك استخدام٪ كما البدل. اضغط على "بحث" دون إدخال لسرد كافة الأحداث.',
"You can search by job title or person name - enter any of the first, middle or last names, separated by spaces. You may use % as wildcard. Press 'Search' without input to list all persons.": 'يمكنك البحث عن طريق المسمى الوظيفي أو اسم الشخص - دخول أي من الأسماء الأولى والمتوسطة أو مشاركة، مفصولة بمسافات. يمكنك استخدام٪ كما البدل. اضغط على "بحث" دون إدخال لسرد كافة الأشخاص.',
'You can search by name, acronym or comments': 'يمكنك البحث عن طريق الاسم، اختصار أو تعليقات',
'You can search by name, acronym, comments or parent name or acronym.': 'يمكنك البحث عن طريق الاسم، اختصار أو تعليقات أو اسم الأم أو اختصار.',
"You can search by person name - enter any of the first, middle or last names, separated by spaces. You may use % as wildcard. Press 'Search' without input to list all persons.": 'يمكنك البحث عن طريق اسم الشخص - دخول أي من الأسماء الأولى والمتوسطة أو مشاركة، مفصولة بمسافات. يمكنك استخدام٪ كما البدل. اضغط على "بحث" دون إدخال لسرد كافة الأشخاص.',
"You can search by trainee name, course name or comments. You may use % as wildcard. Press 'Search' without input to list all trainees.": 'يمكنك البحث عن طريق اسم المتدرب، اسم الدورة أو تعليقات. يمكنك استخدام٪ كما البدل. اضغط على "بحث" دون إدخال لسرد كافة المتدربين.',
'You can search by value or comments.': 'يمكنك البحث من حيث القيمة أو تعليقات.',
'You can select the Draw tool': 'يمكنك اختيارأداة الرسم',
'You can set the modem settings for SMS here.': 'يمكنك ضبط إعدادات المودم للرسائل القصيرة هنا.',
'You can use the Conversion Tool to convert from either GPS coordinates or Degrees/Minutes/Seconds.': 'يمكنك استخدام أداة تحويل لتحويل إما من الإحداثيات أو درجة/دقيقة/ثانية.',
'You do not have permission for any facility to make a commitment.': 'ليس لديك إذن لأي منشأة لتقديم التزام.',
'You do not have permission for any facility to make a request.': 'ليس لديك إذن لأي منشأة لتقديم طلب.',
'You do not have permission for any site to receive a shipment.': 'ليس لديك إذن عن أي موقع لتلقي شحنة.',
'You do not have permission to cancel this received shipment.': 'لا يوجد لديك الإذن لإلغاء الشحنة الواردة.',
'You do not have permission to make this commitment.': 'ليس لديك إذن لهذا الالتزام.',
'You do not have permission to send this shipment.': 'ليس لديك الإذن لإرسال هذه الشحنة.',
'You have a personal map configuration. To change your personal configuration, click ': 'لديكم تعديلات الخريطة الشخصية. للتغيير. اضغط',
'You have found a dead body?': 'هل وجدت جثة هامدة؟',
"You have unsaved changes. Click Cancel now, then 'Save' to save them. Click OK now to discard them.": 'لم تحفظ التغييرات. انقر فوق إلغاء الأمر الآن، ثم "حفظ" لحفظها. انقر OK الآن إلى التخلص منها.',
'You must enter a minimum of %d characters': 'يجب عليك %d يجب عليك إدخال ما لا يقل عن',
'You must provide a series id to proceed.': 'يجب توفير سلسلة معرفة للمضي قدما.',
'Your post was added successfully.': 'تمت اضافة النشر الخاص بك بنجاح.',
'Your system has been assigned a unique identification (UUID), which other computers around you can use to identify you. To view your UUID, you may go to Synchronization -> Sync Settings. You can also see other settings on that page.': 'لقد تم تعيين النظام الخاص بك بتحديد واحد للهوية (UUID) ، مما يمكن أجهزة الكمبيوتر الأخرى التي يمكنك استخدامها بالتعرف عليك. لمعرفة UUID الخاص بك ،يمكنك أن تذهب إلى اللمزامنة --> إضبط المزامنة. يمكنك أن ترى أيضا إعدادات أخرى على هذه الصفحة.',
'Youth and Volunteering': 'الشباب والتطوع',
'Youth Development': 'تنمية الشباب',
'Youth Leadership Development': 'تنمية القيادات الشابة',
'Zero Hour': 'ساعة الصفر',
'Zone': 'منطقة',
}
|
num1, num2 = 5,0
try:
quotient = num1/num2
message = "Quotient is" + ' ' + str(quotient)
where (quotient = num1/num2)
except ZeroDivisionError:
message = "Cannot divide by zero"
print(message)
|
'''
Created on 30-Oct-2017
@author: Gokulraj
'''
def mergesort(a,left,right):
if len(right)-len(left)<=1:
return(left)
elif right-left>1:
mid=(right+left)//2;
l=a[left:mid]
r=a[mid+1:right]
mergesort(a,l,r)
mergesort(a,l,r)
merge(a,l,r)
def merge(A,B):
(c,m,n)=([],len(A),len(B))
i,j=0,0
if i==m:
c.append(B[j])
j=j+1
elif A[i]<=B[j]:
c.append(A[i])
i=i+1
elif A[i]>B[j]:
c.append(B[j])
j=j+1
else:
c.append(A[i])
i=i+1
return(c)
a=[10,20,3,19,8,15,2,1]
left=0
right=len(a)-1
d=mergesort(a,left,right)
print(d)
|
# -*- coding: utf-8 -*-
"""
Created on Tue Mar 22 13:00:49 2022
@author: Pedro
"""
def manual(name1: str,
name2: str,
puntosp1: int,
puntosp2: int,
puntajes: tuple):
"""Funcion que ejecuta el modo manual del TeniSim
Argumentos:
name1 -- nombre del jugador 1
name2 -- nombre del jugador 2
puntosp1 -- puntos del jugador 1
puntosp2 -- puntos del jugador 2
puntajes -- tupla que indica los puntajes reglamentarios del tennis"""
print ("Ha elegido el modo manual")
print("El game empieza 0-0")
print(f"""Presione 1 si quiere que {name1} marque o presione 2 si quiere que {name2} marque: """)
u = input ()
while True:
int(u)
if u == '1':
puntosp1 += 1
print (f"{name1} ha marcado un punto")
if puntosp1 == 4 and puntosp2 < 3:
print (f"{name1} ha ganado el game")
break
if puntosp1 == 5 and puntosp2 == 3:
print(f"{name1} ha ganado el game")
break
if puntosp1 == 4 and puntosp2 == 4:
puntosp1 -= 1
puntosp2 -= 1
print (f"""El game ahora va
{name1}: {puntajes[puntosp1]} - {name2}: {puntajes[puntosp2]}""")
u = input ("¿Ahora quién marca? ")
else:
print (f"""El game ahora va
{name1}: {puntajes[puntosp1]} - {name2}: {puntajes[puntosp2]}""")
u = input ("¿Ahora quién marca? ")
elif u == '2':
puntosp2 += 1
print (f"{name2} ha marcado un punto")
if puntosp2 == 4 and puntosp1 < 3:
print (f"{name2} ha ganado el game")
break
if puntosp2 == 5 and puntosp1 == 3:
print(f"{name2} ha ganado el game")
break
if puntosp1 == 4 and puntosp2 == 4:
puntosp1 -= 1
puntosp2 -= 1
print (f"""El game ahora va
{name1}: {puntajes[puntosp1]} - {name2}: {puntajes[puntosp2]}""")
u = input ("¿Ahora quién marca? ")
else:
print (f"""El game ahora va
{name1}: {puntajes[puntosp1]} - {name2}: {puntajes[puntosp2]}""")
u = input ("¿Ahora quién marca? ")
else:
u = input ("No ha seleccionado a ningun jugador para que marque. Porfavor intentelo de nuevo:") |
class UnknownTagFormat(Exception):
"""
occurs when a tag's contents violate expected format
"""
pass
class MalformedLine(Exception):
"""
occurs when an nbib line doesn't conform to the standard {Tag|spaces}-value format
"""
pass
|
"""
keys for data from config.yml
"""
LIQUID = "Liquid"
INVEST = "Investment"
COLOR_NAME = "color_name"
COLOR_INDEX = "color_index"
ACCOUNTS = "accounts"
|
#coding=utf-8
#剔除任命中空白P24 2017.4.8
name=" jercas "
print(name)
print("\t"+name)
print("\n\n"+name)
print(name.lstrip())
print(name.rstrip())
print(name.strip())
|
class Enum:
def __init__(self, name, value):
self.name = name
self.value = value
def __init_subclass__(cls):
cls._enum_names_ = {}
cls._enum_values_ = {}
for key, value in cls.__dict__.items():
if not key.startswith('_') and isinstance(value, cls._enum_type_):
enum = cls(key, value)
cls._enum_names_[key] = enum
cls._enum_values_[value] = enum
def __class_getitem__(cls, klass):
if isinstance(klass, type):
return type(cls.__name__, (cls,), {'_enum_type_': klass})
return klass
def __repr__(self):
return f'<{self.__class__.__name__} name={self.name}, value={self.value!r}>'
def __eq__(self, value):
if isinstance(value, self.__class__):
value = value.value
if not isinstance(value, self._enum_type_):
return NotImplemented
return self.value == value
def __ne__(self, value):
if isinstance(value, self.__class__):
value = value.value
if not isinstance(value, self._enum_type_):
return NotImplemented
return self.value != value
@classmethod
def try_enum(cls, value):
try:
return cls._enum_values_[value]
except KeyError:
return cls('undefined', value)
@classmethod
def try_value(cls, enum):
if isinstance(enum, cls):
return enum.value
elif isinstance(enum, cls._enum_type_):
return enum
raise ValueError(f'{enum!r} is not a valid {cls.__name__}')
class ChannelType(Enum[int]):
GUILD_TEXT = 0
DM = 1
GUILD_VOICE = 2
GROUP_DM = 3
GUILD_CATEGORY = 4
GUILD_NEWS = 5
GUILD_STORE = 6
GUILD_NEWS_THREAD = 10
GUILD_PUBLIC_THREAD = 11
GUILD_PRIVATE_THREAD = 12
GUILD_STAGE_VOICE = 13
class VideoQualityMode(Enum[int]):
AUTO = 1
FULL = 2
class EmbedType(Enum[str]):
RICH = 'rich'
IMAGE = 'image'
VIDEO = 'video'
GIFV = 'gifv'
ARTICLE = 'article'
LINK = 'link'
class MessageNotificationsLevel(Enum[int]):
ALL_MESSAGES = 0
ONLY_MENTIONS = 1
class ExplicitContentFilterLevel(Enum[int]):
DISABLED = 0
MEMBERS_WITHOUT_ROLES = 1
ALL_MEMBERS = 2
class MFALevel(Enum[int]):
NONE = 0
ELEVATED = 1
class VerificationLevel(Enum[int]):
NONE = 0
LOW = 1
MEDIUM = 2
HIGH = 3
VERY_HIGH = 4
class GuildNSFWLevel(Enum[int]):
DEFAULT = 0
EXPLICIT = 1
SAFE = 2
AGE_RESTRICTED = 3
class PremiumTier(Enum[int]):
NONE = 0
TIER_1 = 1
TIER_2 = 2
TIER_3 = 3
class GuildFeature(Enum[str]):
ANIMATED_ICON = 'ANIMATED_ICON'
BANNER = 'BANNER'
COMMERCE = 'COMMERCE'
COMMUNITY = 'COMMUNITY'
DISCOVERABLE = 'DISCOVERABLE'
FEATURABLE = 'FEATURABLE'
INVITE_SPLASH = 'INVITE_SPLASH'
MEMBER_VERIFIVATION_GATE_ENABLED = 'MEMBER_VEFIFICATION_GATE_ENNABLED'
NEWS = 'NEWS'
PARTNERED = 'PARTNERED'
PREVIEW_ENABLED = 'PREVIEW_ENABLED'
VANITY_URL = 'VANITY_URL'
VERIFIED = 'VERIFIED'
VIP_REGIONS = 'VIP_REGIONS'
WELCOME_SCREEN_ENABLED = 'WELCOME_SCREEN_ENABLED'
TICKETED_EVENTS_ENABLED = 'TICKETED_EVENTS_ENABLED'
MONETIZATION_ENABLED = 'MONETIZATION_ENABLED'
MORE_STICKERS = 'MORE_STICKERS'
class IntegrationType(Enum[str]):
TWITCH = 'twitch'
YOUTUBE = 'youtube'
DISCORD = 'discord'
class IntegrationExpireBehavior(Enum[int]):
REMOVE_ROLE = 0
KICK = 1
class InviteTargetType(Enum[int]):
STREAM = 1
EMBEDDED_APPLICATION = 2
class MessageType(Enum[int]):
DEFAULT = 0
RECIPIENT_ADD = 1
RECIPIENT_REMOVE = 2
CALL = 3
CHANNEL_NAME_CHANGE = 4
CHANNEL_ICON_CHANGE = 5
CHANNEL_PINNED_MESSAGE = 6
GUILD_MEMBER_JOIN = 7
USER_PERMIUM_GUILD_SUBSCRIPTION = 8
USER_PERMIUM_GUILD_SUBSCRIPTION_TIER_1 = 9
USER_PREMIUM_GUILD_SUBSCRIPTION_TIER_2 = 10
USER_PREMIUM_GUILD_SUBSCRIPTION_TIER_3 = 11
CHANNEL_FOLLOW_ADD = 12
GUILD_DISCOVERY_DISQUALIFIED = 14
GUILD_DISCOVERY_REQUALIFIED = 15
GUILD_DISCOVERY_GRACE_PERIOD_INITIAL_WARNING = 16
GUILD_DISCOVERY_GRACE_PERIOD_FINAL_WARNING = 17
THREAD_CREATED = 18
REPLY = 19
APPLICATION_COMMAND = 20
THREAD_STARTER_MESSAGE = 21
GUILD_INVITE_REMINDER = 22
class PermissionOverwriteType(Enum[int]):
ROLE = 0
MEMBER = 1
class StageInstancePrivacyLevel(Enum[int]):
PUBLIC = 1
GUILD_ONLY = 2
class PremiumType(Enum[int]):
NONE = 0
NITRO_CLASSIC = 1
NITRO = 2
class StickerType(Enum[int]):
STANDARD = 1
GUILD = 2
class StickerFormatType(Enum[int]):
PNG = 1
APNG = 2
LOTTIE = 3
class MessageActivityType(Enum[int]):
JOIN = 1
SPECTATE = 2
LISTEN = 3
JOIN_REQUEST = 5
class TeamMembershipState(Enum[int]):
INVITED = 1
ACCEPTED = 2
class WebhookType(Enum[int]):
INCOMING = 1
CHANNEL_FOLLOWER = 2
APPLICATION = 3
|
class Res:
logo = '../resources/images/logo.png'
SH_buckler = '../resources/images/plans/SH_buckler.png'
PA_diadem = '../resources/images/plans/PA_diadem.png'
MW_dagger = '../resources/images/plans/MW_dagger.png'
RW_autolaunch = '../resources/images/plans/RW_autolaunch.png'
AR_hand = '../resources/images/plans/AR_hand.png'
AR_helmet = '../resources/images/plans/AR_helmet.png'
PA_bracelet = '../resources/images/plans/PA_bracelet.png'
MW_mace = '../resources/images/plans/MW_mace.png'
RW_launcher = '../resources/images/plans/RW_launcher.png'
AR_botte = '../resources/images/plans/AR_botte.png'
RW_pistolarc = '../resources/images/plans/RW_pistolarc.png'
MG_Glove = '../resources/images/plans/MG_Glove.png'
RW_rifle = '../resources/images/plans/RW_rifle.png'
MW_axe = '../resources/images/plans/MW_axe.png'
MW_sword = '../resources/images/plans/MW_sword.png'
RW_harpoongun = '../resources/images/plans/RW_harpoongun.png'
AR_pantabotte = '../resources/images/plans/AR_pantabotte.png'
MW_2h_sword = '../resources/images/plans/MW_2h_sword.png'
PA_pendant = '../resources/images/plans/PA_pendant.png'
MW_staff = '../resources/images/plans/MW_staff.png'
RW_grenade = '../resources/images/plans/RW_grenade.png'
RW_pistol = '../resources/images/plans/RW_pistol.png'
AR_gilet = '../resources/images/plans/AR_gilet.png'
SH_large_shield = '../resources/images/plans/SH_large_shield.png'
PA_earring = '../resources/images/plans/PA_earring.png'
AR_armpad = '../resources/images/plans/AR_armpad.png'
MW_2h_mace = '../resources/images/plans/MW_2h_mace.png'
RW_bowgun = '../resources/images/plans/RW_bowgun.png'
MW_2h_lance = '../resources/images/plans/MW_2h_lance.png'
PA_ring = '../resources/images/plans/PA_ring.png'
MW_2h_axe = '../resources/images/plans/MW_2h_axe.png'
MW_lance = '../resources/images/plans/MW_lance.png'
PA_anklet = '../resources/images/plans/PA_anklet.png'
Numbers_5 = '../resources/images/foregrounds/Numbers_5.png'
Numbers_6 = '../resources/images/foregrounds/Numbers_6.png'
Numbers_2 = '../resources/images/foregrounds/Numbers_2.png'
Numbers_9 = '../resources/images/foregrounds/Numbers_9.png'
PW_light = '../resources/images/foregrounds/PW_light.png'
PW_medium = '../resources/images/foregrounds/PW_medium.png'
AM_logo = '../resources/images/foregrounds/AM_logo.png'
Numbers_8 = '../resources/images/foregrounds/Numbers_8.png'
Numbers_1 = '../resources/images/foregrounds/Numbers_1.png'
PW_heavy = '../resources/images/foregrounds/PW_heavy.png'
Numbers_4 = '../resources/images/foregrounds/Numbers_4.png'
Numbers_3 = '../resources/images/foregrounds/Numbers_3.png'
Numbers_0 = '../resources/images/foregrounds/Numbers_0.png'
Numbers_7 = '../resources/images/foregrounds/Numbers_7.png'
W_quantity = '../resources/images/foregrounds/W_quantity.png'
ICO_armor_clip = '../resources/images/components/ICO_armor_clip.png'
ICO_Jewel_stone = '../resources/images/components/ICO_Jewel_stone.png'
ICO_Explosif = '../resources/images/components/ICO_Explosif.png'
ICO_Jewel_stone_support = '../resources/images/components/ICO_Jewel_stone_support.png'
ICO_Lining = '../resources/images/components/ICO_Lining.png'
ICO_Counterweight = '../resources/images/components/ICO_Counterweight.png'
ICO_Firing_pin = '../resources/images/components/ICO_Firing_pin.png'
ICO_Blade = '../resources/images/components/ICO_Blade.png'
ICO_trigger = '../resources/images/components/ICO_trigger.png'
ICO_Grip = '../resources/images/components/ICO_Grip.png'
ICO_Armor_shell = '../resources/images/components/ICO_Armor_shell.png'
ICO_Pointe = '../resources/images/components/ICO_Pointe.png'
ICO_Ammo_jacket = '../resources/images/components/ICO_Ammo_jacket.png'
ICO_Magic_focus = '../resources/images/components/ICO_Magic_focus.png'
ICO_Clothes = '../resources/images/components/ICO_Clothes.png'
ICO_Ammo_bullet = '../resources/images/components/ICO_Ammo_bullet.png'
ICO_Stuffing = '../resources/images/components/ICO_Stuffing.png'
ICO_Shaft = '../resources/images/components/ICO_Shaft.png'
ICO_hammer = '../resources/images/components/ICO_hammer.png'
ICO_barrel = '../resources/images/components/ICO_barrel.png'
MP_Oil = '../resources/images/materials/MP_Oil.png'
MP_Wood_Node = '../resources/images/materials/MP_Wood_Node.png'
MP_Wood = '../resources/images/materials/MP_Wood.png'
MP_Bone = '../resources/images/materials/MP_Bone.png'
MP_Horn = '../resources/images/materials/MP_Horn.png'
MP_Eye = '../resources/images/materials/MP_Eye.png'
MP_Secretion = '../resources/images/materials/MP_Secretion.png'
MP_Ligament = '../resources/images/materials/MP_Ligament.png'
MP_Kitin_Shell = '../resources/images/materials/MP_Kitin_Shell.png'
MP_Moss = '../resources/images/materials/MP_Moss.png'
MP_Leather = '../resources/images/materials/MP_Leather.png'
MP_Sap = '../resources/images/materials/MP_Sap.png'
MP_Nail = '../resources/images/materials/MP_Nail.png'
MP_Seed = '../resources/images/materials/MP_Seed.png'
MP_Tooth = '../resources/images/materials/MP_Tooth.png'
MP_Wing = '../resources/images/materials/MP_Wing.png'
MP_Fiber = '../resources/images/materials/MP_Fiber.png'
MP_Amber = '../resources/images/materials/MP_Amber.png'
MP_Resin = '../resources/images/materials/MP_Resin.png'
MP_Sting = '../resources/images/materials/MP_Sting.png'
MP_Rostrum = '../resources/images/materials/MP_Rostrum.png'
MP_Whiskers = '../resources/images/materials/MP_Whiskers.png'
MP_Fang = '../resources/images/materials/MP_Fang.png'
MP_Trunk = '../resources/images/materials/MP_Trunk.png'
MP_Beak = '../resources/images/materials/MP_Beak.png'
MP_Shell = '../resources/images/materials/MP_Shell.png'
MP_Bud = '../resources/images/materials/MP_Bud.png'
MP_Hoof = '../resources/images/materials/MP_Hoof.png'
MP_Mushroom = '../resources/images/materials/MP_Mushroom.png'
MP_generic = '../resources/images/materials/MP_generic.png'
MP_Spine = '../resources/images/materials/MP_Spine.png'
MP_Pelvis = '../resources/images/materials/MP_Pelvis.png'
MP_Claw = '../resources/images/materials/MP_Claw.png'
MP_Tail = '../resources/images/materials/MP_Tail.png'
MP_Mandible = '../resources/images/materials/MP_Mandible.png'
MP_Bark = '../resources/images/materials/MP_Bark.png'
MP_Skin = '../resources/images/materials/MP_Skin.png'
new = '../resources/images/toolbar/new.png'
upload = '../resources/images/toolbar/upload.png'
save = '../resources/images/toolbar/save.png'
search = '../resources/images/toolbar/search.png'
select_plan = '../resources/images/toolbar/select_plan.png'
change_lang = '../resources/images/toolbar/change_lang.png'
BK_tryker = '../resources/images/backgrounds/BK_tryker.png'
BK_karavan = '../resources/images/backgrounds/BK_karavan.png'
BK_zoraï = '../resources/images/backgrounds/BK_zoraï.png'
BK_empty = '../resources/images/backgrounds/BK_empty.png'
BK_fyros = '../resources/images/backgrounds/BK_fyros.png'
BK_matis = '../resources/images/backgrounds/BK_matis.png'
BK_kami = '../resources/images/backgrounds/BK_kami.png'
BK_generic = '../resources/images/backgrounds/BK_generic.png'
BK_primes = '../resources/images/backgrounds/BK_primes.png'
@classmethod
def get(cls, string):
return cls.__getattribute__(cls, string) |
# config.sample.py
# Rename this file to config.py before running this application and change the database values below
# LED GPIO Pin numbers - these are the default values, feel free to change them as needed
LED_PINS = {
'green': 12,
'yellow': 25,
'red': 18
}
EMAIL_CONFIG = {
'username': '<USERNAME>',
'password': '<PASSWORD>',
'smtpServer': 'smtp.gmail.com',
'port': 465,
'sender': 'Email of who will send it',
'recipient': 'Email of who will receive it'
}
DATABASE_CONFIG = {
'host' : 'localhost',
'dbname' : 'uptime',
'dbuser' : 'DATABASE_USER',
'dbpass' : 'DATABASE_PASSWORD'
}
|
def selection_sort(A: list):
for i in range(len(A) - 1):
smallest_index = i
for j in range(i + 1, len(A)):
if A[i] > A[j]:
smallest_index = j
A[i], A[smallest_index] = A[smallest_index], A[i]
A = [4, 2, 1, 5, 62, 5]
B = [3, 3, 2, 4, 6, 65, 8, 5]
C = [5, 4, 3, 2, 1]
D = [1, 2, 3, 4, 5]
selection_sort(A)
selection_sort(B)
selection_sort(C)
selection_sort(D)
print(A, B, C, D)
|
# coding=utf-8
def bubble_sort(num_list):
"""
バブルソートの関数
:param num_list: ソートする数列
:return: ソートされた結果
"""
# 数列の個数分ループ
# バブルソートでは、左の数値(ここではi)から順番に並べ替えが完了する
for i in range(len(num_list)):
# range(始まりの数値, 終わりの数値, 増加する量)
for j in range(len(num_list) - 1, i, -1):
if num_list[j-1] > num_list[j]:
# 左の数値の方が大きかったら、入れ替える
num_list[j], num_list[j-1] = num_list[j-1], num_list[j]
# デバッグ表示
print(num_list)
return num_list
if __name__ == "__main__":
nl = [5, 9, 3, 1, 2, 8, 4, 7, 6]
sorted_nl = bubble_sort(nl)
print(sorted_nl)
|
inventory = [
{"name": "apples", "quantity": 2},
{"name": "bananas", "quantity": 0},
{"name": "cherries", "quantity": 5},
{"name": "oranges", "quantity": 10},
{"name": "berries", "quantity": 7},
]
def checkIfFruitPresent(foodlist: list, target: str):
# Check if the name is present ins the list or not
print(f"We keep {target} inventory") if target in list(
map(lambda x: x["name"], foodlist)
) else print(f"We dont keep {target} at our store")
def checkIfFruitInStock(foodlist: list, target: str):
# First check if the fruit is present in the list
if target in list(map(lambda x: x["name"], foodlist)):
# If fruit is present then check if the quantity of the fruit is greater than 0
print(f"{target} is in stock") if list(
filter(lambda fruit: fruit["name"] == target, foodlist)
)[0]["quantity"] > 0 else print(f"{target} is out of stock")
else:
print(f"We dont keep {target} at our store")
checkIfFruitPresent(inventory, "apples")
checkIfFruitInStock(inventory, "apples")
checkIfFruitInStock(inventory, "bananas")
checkIfFruitInStock(inventory, "tomatoes")
|
"""
A Trie is a special data structure used to store strings that can be visualized like a graph. It consists of nodes and edges.
Each node consists of at max 26 children and edges connect each parent node to its children.
These 26 pointers are nothing but pointers for each of the 26 letters of the English alphabet A separate edge is maintained for every edge.
Strings are stored in a top to bottom manner on the basis of their prefix in a trie. All prefixes of length 1 are stored at until level 1,
all prefixes of length 2 are sorted at until level 2 and so on.
Now, one would be wondering why to use a data structure such as a trie for processing a single string? Actually, Tries are generally used on groups of strings,
rather than a single string. When given multiple strings , we can solve a variety of problems based on them. For example, consider an English dictionary and a
single string , find the prefix of maximum length from the dictionary strings matching the string . Solving this problem using a naive approach would require us
to match the prefix of the given string with the prefix of every other word in the dictionary and note the maximum. The is an expensive process considering the
amount of time it would take. Tries can solve this problem in much more efficient way.
Before processing each Query of the type where we need to search the length of the longest prefix, we first need to add all the existing words into the dictionary.
A Trie consists of a special node called the root node. This node doesn't have any incoming edges. It only contains 26 outgoing edfes for each letter in the
alphabet and is the root of the Trie.
So, the insertion of any string into a Trie starts from the root node. All prefixes of length one are direct children of the root node.
In addition, all prefixes of length 2 become children of the nodes existing at level one.
"""
class Trie:
def __init__(self):
self.dic = {}
def insert(self, word):
cur = self.dic
for c in word:
if c not in cur:
cur[c] = {}
cur = cur[c]
cur['end'] = {}
def search(self, word):
cur = self.dic
for c in word:
if c in cur:
cur = cur[c]
else:
return False
if 'end' in cur:
return True
return False
def startsWith(self, prefix):
cur = self.dic
for c in prefix:
if c in cur:
cur = cur[c]
else:
return False
return True
obj = Trie() # Creating object of Trie Class
obj.insert("hello") # Insert "hello" into Trie
obj.insert("hi") # Insert "hi" into Trie
obj.insert("hey") # Insert "hey" into Trie
print(obj.search("hi")) # return True
print(obj.startsWith("he")) # return True
print(obj.startsWith("heyy")) # return False |
def lds(seq, studseq, n):
seq = list(map(int, seq))
studseq = list(map(int, studseq))
wrong=0
for i in range(1, n):
if studseq[i - 1] < studseq[i]:
min=studseq[i-1]
max=studseq[i]
wrong=1
# print("Non hai inserito una sequenza decrescente")
# return
i = 0
j = 0
while i != n and j != len(seq):
if studseq[i] == seq[j]:
i += 1
j += 1
else:
j += 1
if i == n:
# print("Sottosequenza fornita ammissibile: " + str(studseq))
# print("Bravo/a hai fornito una sottosequenza ammissibile lunga: " + str(n))
if wrong==0:
stringa=("Sottosequenza fornita è un certificato valido: " + str(studseq)+"<br>Mi hai convinto che la risposta corretta è >= " + str(n))
else:
stringa = ("La sequenza che hai inserito non è decrescente in quanto " + str(min) + " < " + str(
max) + " eppure compare prima di lui.<br>Si. Totalizzeresti <span style='color:green'>[1 safe pt]</span>, <span style='color:blue'>[9 possible pt]</span>, <span style='color:red'>[0 out of reach pt]</span>.")
return stringa
else:
#print("Sottosequenza fornita sbagliata\n")
stringa=("Hai inserito "+str(studseq)+" che non è una sottosequenza di s: "+str(seq)+"<br>No. Totalizzeresti <span style='color:green'>[0 safe pt]</span>, <span style='color:blue'>[0 possible pt]</span>, <span style='color:red'>[10 out of reach pt]</span>.")
return stringa
def ldsSubwithoutElementInRange(seq,studseq,n,start,stop):
aux=seq[:]
del aux[start:stop]
lds(aux,studseq,n)
|
# The goal is divide a bill
print("Let's go divide the bill in Brazil. Insert the values and insert '0' for finish")
sum = 0
valor = 1
while valor != 0:
valor = float(input('Enter the value here in R$: '))
sum = sum + valor
p = float(input('Enter the number of payers: '))
print(input('The total was R$ {}. Getting R$ {:.2f} for each person'.format(sum, (sum / p))))
|
#SearchEmployeeScreen
BACK_BUTTON_TEXT = u"Back"
CODE_TEXT = u"Code"
DEPARTMENT_TEXT = u"Department"
DOB_TEXT = u"DOB"
DROPDOWN_DEPARTMENT_TEXT = u"Department"
DROPDOWN_DOB_TEXT = u"DOB"
DROPDOWN_EMPCODE_TEXT = u"Employee Code"
DROPDOWN_NAME_TEXT = u"Name"
DROPDOWN_SALARY_TEXT = u"Salary"
GENDER_TEXT = u"Gender"
HELP_OPTION_TEXT = u"Here you can search for employee records by field."
NAME_TEXT = u"Name"
NO_EMP_RECORDS_TEXT = u"There are no employee records."
REGISTER_BUTTON_TEXT = u"Create Account"
SALARY_TEXT = u"Salary"
SEARCH_BUTTON_TEXT = u"Search"
SEARCH_BY_TEXT = u"Search By: "
SEARCH_EMP_SCREEN_NONETYPE_ERROR_TEXT = u"Please enter Search Criteria."
SEARCH_FOR_TEXT = u"Search For: "
SEARCH_FOR_EMPLOYEES_TEXT = u"Search for Employees : "
SPACE_TEXT = u"------------------------"
|
print ("Pythagorean Triplets with smaller side upto 10 -->")
# form : (m^2 - n^2, 2*m*n, m^2 + n^2)
# generate all (m, n) pairs such that m^2 - n^2 <= 10
# if we take (m > n), for m >= 6, m^2 - n^2 will always be greater than 10
# so m ranges from 1 to 5 and n ranges from 1 to m-1
pythTriplets = [(m*m - n*n, 2*m*n, m*m + n*n) for (m,n) in [(x, y) for x in range (1, 6) for y in range (1, x)] if m*m - n*n <= 10]
print (pythTriplets) |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.