code
stringlengths 2
1.05M
| repo_name
stringlengths 5
104
| path
stringlengths 4
251
| language
stringclasses 1
value | license
stringclasses 15
values | size
int32 2
1.05M
|
---|---|---|---|---|---|
from aiohttp import ClientSession
from aiowing import settings
async def test_unauthenticated_records(test_app, test_client):
cli = await test_client(test_app)
resp = await cli.get(test_app.router['admin_records'].url(),
allow_redirects=False)
assert resp.headers.get('Location') == test_app.router['admin_login'].url()
await resp.release()
async def test_unauthenticated_login(test_app, test_client):
cli = await test_client(test_app)
resp = await cli.post(test_app.router['admin_login'].url(),
data={'email': settings.SUPERUSER_EMAIL,
'password': settings.SUPERUSER_PASSWORD},
allow_redirects=False)
assert resp.headers.get('Location') == \
test_app.router['admin_records'].url()
await resp.release()
async def test_unauthenticated_logout(test_app, test_client):
cli = await test_client(test_app)
resp = await cli.get(test_app.router['admin_logout'].url(),
allow_redirects=False)
assert resp.headers.get('Location') == test_app.router['admin_login'].url()
await resp.release()
async def test_authenticated_records(test_app, test_client):
cli = await test_client(test_app)
resp = await cli.post(test_app.router['admin_login'].url(),
data={'email': settings.SUPERUSER_EMAIL,
'password': settings.SUPERUSER_PASSWORD},
allow_redirects=False)
resp = await cli.get(test_app.router['admin_records'].url(),
allow_redirects=False)
assert resp.status == 200
await resp.release()
async def test_authenticated_login(test_app, test_client):
cli = await test_client(test_app)
resp = await cli.post(test_app.router['admin_login'].url(),
data={'email': settings.SUPERUSER_EMAIL,
'password': settings.SUPERUSER_PASSWORD},
allow_redirects=False)
resp = await cli.get(test_app.router['admin_login'].url(),
allow_redirects=False)
assert resp.headers.get('Location') == \
test_app.router['admin_records'].url()
await resp.release()
async def test_authenticated_logout(test_app, test_client):
cli = await test_client(test_app)
resp = await cli.post(test_app.router['admin_login'].url(),
data={'email': settings.SUPERUSER_EMAIL,
'password': settings.SUPERUSER_PASSWORD},
allow_redirects=False)
resp = await cli.get(test_app.router['admin_logout'].url(),
allow_redirects=False)
assert resp.headers.get('Location') == test_app.router['admin_login'].url()
await resp.release()
| embali/aiowing | aiowing/apps/admin/tests/test_admin.py | Python | mit | 2,851 |
# -*- coding: utf-8 -*-
class Slot(object):
"""
To use comb, you should create a python module file. we named *slot*.
A legal slot must be named 'Slot' in your module file and it must be at least contain four method:
* `initialize`
initial resource, e.g: database handle
* `__enter__`
get next data to do,you can fetch one or more data.
* `slot`
user custom code
* `__exit__`
when slot finished, call this method
"""
def __init__(self, combd):
"""Don't override this method unless what you're doing.
"""
self.threads_num = combd.threads_num
self.sleep = combd.sleep
self.sleep_max = combd.sleep_max
self.debug = combd.debug
self.combd = combd
self.initialize()
def initialize(self):
"""Hook for subclass initialization.
This block is execute before thread initial
Example::
class UserSlot(Slot):
def initialize(self):
self.threads_num = 10
def slot(self, result):
...
"""
pass
def __enter__(self):
"""You **MUST** return False when no data to do.
The return value will be used in `Slot.slot`
"""
print("You should override __enter__ method by subclass")
return False
def __exit__(self, exc_type, exc_val, exc_tb):
"""When slot done, will call this method.
"""
print("You should override __exit__ method by subclass")
pass
def slot(self, msg):
"""
Add your custom code at here.
For example, look at:
* `comb.demo.list`
* `comb.demo.mongo`
* `comb.demo.redis`
"""
pass
# @staticmethod
# def options():
# """
# replace this method if you want add user options
# :return:
# """
# return ()
# pass
| nextoa/comb | comb/slot.py | Python | mit | 2,027 |
from biohub.core.plugins import PluginConfig
class TestConfig(PluginConfig):
name = 'tests.core.plugins.test'
title = ''
author = ''
description = ''
| lsj1292/Abacus | tests/core/plugins/expected/apps.py | Python | mit | 169 |
from flask.ext.wtf import Form
from wtforms import TextField
from wtforms.validators import Required
class NameForm(Form):
name = TextField('What is your name?', validators = [ Required() ])
| miguelgrinberg/Flask-Intro | 07-ScalableStructure/app/forms.py | Python | mit | 197 |
# -*- coding: utf-8 -*-
from django.test import TestCase
from django.core.urlresolvers import reverse
class TestHomePage(TestCase):
def test_uses_index_template(self):
response = self.client.get(reverse("home"))
self.assertTemplateUsed(response, "home/index.html")
def test_uses_base_template(self):
response = self.client.get(reverse("home"))
self.assertTemplateUsed(response, "base.html")
| janusnic/dj-21v | unit_02/mysite/home/test.py | Python | mit | 439 |
import os
import sys
import warnings
from setuptools import setup
version_contents = {}
here = os.path.abspath(os.path.dirname(__file__))
with open(os.path.join(here, "shippo", "version.py"), encoding="utf-8") as f:
exec(f.read(), version_contents)
setup(
name='shippo',
version=version_contents['VERSION'],
description='Shipping API Python library (USPS, FedEx, UPS and more)',
author='Shippo',
author_email='[email protected]',
url='https://goshippo.com/',
packages=['shippo', 'shippo.test', 'shippo.test.integration'],
package_data={'shippo': ['../VERSION']},
install_requires=[
'requests >= 2.21.0, <= 2.27.1',
'simplejson >= 3.16.0, <= 3.17.2',
],
test_suite='shippo.test.all',
tests_require=['unittest2', 'mock', 'vcrpy'],
classifiers=[
"Development Status :: 5 - Production/Stable",
"Intended Audience :: Developers",
"License :: OSI Approved :: MIT License",
"Operating System :: OS Independent",
"Programming Language :: Python",
"Programming Language :: Python :: 3.5",
"Programming Language :: Python :: 3.6",
"Programming Language :: Python :: 3.7",
"Programming Language :: Python :: 3 :: Only",
"Programming Language :: Python :: Implementation :: PyPy",
"Topic :: Software Development :: Libraries :: Python Modules",
]
)
| goshippo/shippo-python-client | setup.py | Python | mit | 1,408 |
from __future__ import absolute_import
from functools import partial
from pkg_resources import Requirement, resource_filename
import re
from mako.template import Template
from sqlalchemy import MetaData, select, create_engine, text
from sqlalchemy.exc import ArgumentError
from fixturegen.exc import (
NoSuchTable,
WrongDSN,
WrongNamingColumn,
NonValidRowClassName
)
_FIXTURE_TEMPLATE = 'fixturegen/templates/fixture.mako'
valid_class_name_re = re.compile(r'^[a-zA-Z_][a-zA-Z0-9_]*$')
def sqlalchemy_data(table, dsn, limit=None, where=None, order_by=None):
try:
engine = create_engine(dsn)
except ArgumentError:
raise WrongDSN
metadata = MetaData()
metadata.reflect(bind=engine)
try:
mapped_table = metadata.tables[table]
except KeyError:
raise NoSuchTable
query = select(mapped_table.columns)
if where:
query = query.where(whereclause=text(where))
if order_by:
query = query.order_by(text(order_by))
if limit:
query = query.limit(limit)
columns = [column.name for column in mapped_table.columns]
rows = engine.execute(query).fetchall()
return table, tuple(columns), tuple(rows)
def get_row_class_name(row, table_name, naming_column_ids):
class_name = '{0}_{1}'.format(table_name, '_'
.join((str(row[i]).replace('-', '_')
for i in naming_column_ids)))
if valid_class_name_re.match(class_name):
return class_name
raise NonValidRowClassName(class_name)
def generate(table, columns, rows, with_import=True,
fixture_class_name=None, row_naming_columns=None):
if not row_naming_columns:
try:
naming_column_ids = [columns.index('id')]
except ValueError:
raise WrongNamingColumn()
else:
try:
naming_column_ids = [columns.index(column_name)
for column_name in row_naming_columns]
except ValueError:
raise WrongNamingColumn()
row_class_name = partial(get_row_class_name, table_name=table,
naming_column_ids=naming_column_ids)
if not fixture_class_name:
camel_case_table = table.replace('_', ' ').title().replace(' ', '')
fixture_class_name = camel_case_table + 'Data'
filename = resource_filename(Requirement.parse('fixturegen'),
_FIXTURE_TEMPLATE)
template = Template(filename=filename)
return template.render(table=table, columns=columns,
rows=rows, with_import=with_import,
fixture_class_name=fixture_class_name,
row_class_name=row_class_name)
| anton44eg/fixturegen | fixturegen/generator.py | Python | mit | 2,782 |
"""
Django settings for gamesapi project.
Generated by 'django-admin startproject' using Django 1.10.5.
For more information on this file, see
https://docs.djangoproject.com/en/1.10/topics/settings/
For the full list of settings and their values, see
https://docs.djangoproject.com/en/1.10/ref/settings/
"""
import os
# Build paths inside the project like this: os.path.join(BASE_DIR, ...)
BASE_DIR = os.path.dirname(os.path.dirname(os.path.abspath(__file__)))
# Quick-start development settings - unsuitable for production
# See https://docs.djangoproject.com/en/1.10/howto/deployment/checklist/
# SECURITY WARNING: keep the secret key used in production secret!
SECRET_KEY = '#gskn(2pi4i^9-a9%xt!4_9n_##a-xluh%d*+v5v-76f@v3!$z'
# SECURITY WARNING: don't run with debug turned on in production!
DEBUG = False
ALLOWED_HOSTS = []
# Application definition
INSTALLED_APPS = [
'django.contrib.admin',
'django.contrib.auth',
'django.contrib.contenttypes',
'django.contrib.sessions',
'django.contrib.messages',
'django.contrib.staticfiles',
'rest_framework',
'games.apps.GamesConfig',
'crispy_forms',
]
MIDDLEWARE = [
'django.middleware.security.SecurityMiddleware',
'django.contrib.sessions.middleware.SessionMiddleware',
'django.middleware.common.CommonMiddleware',
'django.middleware.csrf.CsrfViewMiddleware',
'django.contrib.auth.middleware.AuthenticationMiddleware',
'django.contrib.messages.middleware.MessageMiddleware',
'django.middleware.clickjacking.XFrameOptionsMiddleware',
]
ROOT_URLCONF = 'gamesapi.urls'
TEMPLATES = [
{
'BACKEND': 'django.template.backends.django.DjangoTemplates',
'DIRS': [],
'APP_DIRS': True,
'OPTIONS': {
'context_processors': [
'django.template.context_processors.debug',
'django.template.context_processors.request',
'django.contrib.auth.context_processors.auth',
'django.contrib.messages.context_processors.messages',
],
},
},
]
WSGI_APPLICATION = 'gamesapi.wsgi.application'
# Database
# https://docs.djangoproject.com/en/1.10/ref/settings/#databases
DATABASES = {
'default': {
'ENGINE': 'django.db.backends.sqlite3',
'NAME': os.path.join(BASE_DIR, 'db.sqlite3'),
}
}
# Password validation
# https://docs.djangoproject.com/en/1.10/ref/settings/#auth-password-validators
AUTH_PASSWORD_VALIDATORS = [
{
'NAME': 'django.contrib.auth.password_validation.UserAttributeSimilarityValidator',
},
{
'NAME': 'django.contrib.auth.password_validation.MinimumLengthValidator',
},
{
'NAME': 'django.contrib.auth.password_validation.CommonPasswordValidator',
},
{
'NAME': 'django.contrib.auth.password_validation.NumericPasswordValidator',
},
]
# Internationalization
# https://docs.djangoproject.com/en/1.10/topics/i18n/
LANGUAGE_CODE = 'en-us'
TIME_ZONE = 'UTC'
USE_I18N = True
USE_L10N = True
USE_TZ = True
# Static files (CSS, JavaScript, Images)
# https://docs.djangoproject.com/en/1.10/howto/static-files/
STATIC_URL = '/static/'
REST_FRAMEWORK = {
'DEFAULT_PAGINATION_CLASS': 'games.pagination.LimitOffsetPaginationWithMaxLimit',
'PAGE_SIZE': 5,
'DEFAULT_FILTER_BACKENDS': (
'rest_framework.filters.DjangoFilterBackend',
'rest_framework.filters.SearchFilter',
'rest_framework.filters.OrderingFilter',
),
# IMPORTANT: this app must be deployed on HTTPS, since the authentication below is basic + session.
'DEFAULT_AUTHENTICATION_CLASSES': (
'rest_framework.authentication.BasicAuthentication',
'rest_framework.authentication.SessionAuthentication',
),
'DEFAULT_THROTTLE_CLASSES': (
'rest_framework.throttling.AnonRateThrottle',
'rest_framework.throttling.UserRateThrottle',
),
'DEFAULT_THROTTLE_RATES': {
'anon': '5/hour',
'user': '20/hour',
'game-categories': '30/hour' # this dict key defines a "throttle scope", that must be referenced
# on class-based-view on games/views.py.
}
}
TEST_RUNNER = 'django_nose.NoseTestSuiteRunner'
NOSE_ARGS = [
'--with-coverage',
'--cover-erase', # erase results from the previous run
'--cover-inclusive', # includes all files under the working directory (raise te coverage report accuracy)
'--cover-package=games', # the apps we want to cover
]
LOGGING = {
'version': 1,
'disable_existing_loggers': True,
'formatters': {
'standard': {
'format' : "[%(asctime)s] %(levelname)s [%(name)s:%(lineno)s] %(message)s",
'datefmt' : "%d/%b/%Y %H:%M:%S"
},
},
'handlers': {
'logfile': {
'level': 'DEBUG',
'class': 'logging.handlers.RotatingFileHandler',
'filename': os.path.join(BASE_DIR, 'games.log'),
'maxBytes': 50000,
'backupCount': 2,
'formatter': 'standard',
},
'console': {
'level': 'INFO',
'class': 'logging.StreamHandler',
'formatter': 'standard'
},
},
'loggers': {
'django': {
'handlers': ['console'],
'propagate': True,
'level': 'WARN',
},
'django.db.backends': {
'handlers': ['console'],
'level': 'DEBUG',
'propagate': False,
},
'games': { # here we must create a logger to each django app.
'handlers': ['console', 'logfile'],
'level': 'DEBUG',
},
}
}
| tiagoprn/experiments | django/drf_book/gamesapi/gamesapi/settings.py | Python | mit | 5,648 |
import time
from typing import List, Optional
from utils import tasks
from zirc.event import Event
from utils.database import Database
from zirc.wrappers import connection_wrapper
def chunks(l: List, n: int):
"""Yield successive n-sized chunks from l."""
for i in range(0, len(l), n):
yield l[i:i + n]
def set_mode(irc: connection_wrapper, channel: str, users: List[str], mode: str):
for block in chunks(users, 4):
modes = "".join(mode[1:]) * len(block)
irc.mode(channel, " ".join(block), mode[0] + modes)
def get_users(args: str):
if args.find(",") != -1:
pos = args.find(",")
users_str = args[pos:].strip()
if args[pos + 1] != " ":
users = users_str[1:].split(",")
else:
users = users_str[2:].split(", ")
args = args[:pos].strip().split(" ")
users.append(args[-1])
else:
args_list = args.split(" ")
if len(args_list) == 1:
users = args_list[0]
elif len(args_list) >= 2:
users = args_list[:-1]
return users
def get_user_host(userdb: Database, channel: str, nick: str):
return userdb.get_user_host(channel, nick)
def get_info_tuple(event: Event, args: List[str], userdb: Optional[Database]=None):
if args[0].startswith("#"):
channel = args[0]
str_args = " ".join(args[1:])
del args[0]
else:
channel = event.target
str_args = " ".join(args)
if str_args.find(",") != -1:
users = get_users(str_args)
else:
users = args[-1:]
if " ".join(args[:-len(users)]) != '':
message = " ".join(args[:-len(users)])
else:
message = f"{event.source.nick}"
for (i, v) in enumerate(users):
if not v.find("!") != -1 and userdb is not None:
users[i] = get_user_host(userdb, event.target, v)
return channel, users, message
def unban_after_duration(irc: connection_wrapper, users: List[str], chan: str, duration: int):
duration += int(time.time())
def func(irc: connection_wrapper, users: List[str], chan: str):
for i in users:
irc.unban(chan, i)
tasks.run_at(duration, func, (irc, users, chan))
def strip_colours(s: str):
import re
ccodes = ['\x0f', '\x16', '\x1d', '\x1f', '\x02',
'\x03([1-9][0-6]?)?,?([1-9][0-6]?)?']
for cc in ccodes:
s = re.sub(cc, '', s)
return s
| wolfy1339/Python-IRC-Bot | utils/irc.py | Python | mit | 2,432 |
from base64 import b64decode, b64encode
from hashlib import sha256
from Crypto import Random
from Crypto.Cipher import AES
from frontstage import app
class Cryptographer:
"""Manage the encryption and decryption of random byte strings"""
def __init__(self):
"""
Set up the encryption key, this will come from an .ini file or from
an environment variable. Change the block size to suit the data supplied
or performance required.
:param key: The encryption key to use when encrypting the data
"""
key = app.config["SECRET_KEY"]
self._key = sha256(key.encode("utf-8")).digest()
def encrypt(self, raw_text):
"""
Encrypt the supplied text
:param raw_text: The data to encrypt, must be a string of type byte
:return: The encrypted text
"""
raw_text = self.pad(raw_text)
init_vector = Random.new().read(AES.block_size)
ons_cipher = AES.new(self._key, AES.MODE_CBC, init_vector)
return b64encode(init_vector + ons_cipher.encrypt(raw_text))
def decrypt(self, encrypted_text):
"""
Decrypt the supplied text
:param encrypted_text: The data to decrypt, must be a string of type byte
:return: The unencrypted text
"""
encrypted_text = b64decode(encrypted_text)
init_vector = encrypted_text[:16]
ons_cipher = AES.new(self._key, AES.MODE_CBC, init_vector)
return self.unpad(ons_cipher.decrypt(encrypted_text[16:]))
def pad(self, data):
"""
Pad the data out to the selected block size.
:param data: The data were trying to encrypt
:return: The data padded out to our given block size
"""
vector = AES.block_size - len(data) % AES.block_size
return data + ((bytes([vector])) * vector)
def unpad(self, data):
"""
Un-pad the selected data.
:param data: Our padded data
:return: The data 'un'padded
"""
return data[0 : -data[-1]]
| ONSdigital/ras-frontstage | frontstage/common/cryptographer.py | Python | mit | 2,059 |
'''
Created on 22/ago/2011
@author: norby
'''
from core.moduleexception import ModuleException, ProbeException, ExecutionException, ProbeSucceed
from core.moduleguess import ModuleGuess
from core.argparse import ArgumentParser, StoredNamespace
from core.argparse import SUPPRESS
from ast import literal_eval
import random
MSG_SH_INTERPRETER_SUCCEED = 'Shell interpreter load succeed'
WARN_SH_INTERPRETER_FAIL = 'Shell interpreters load failed'
class Sh(ModuleGuess):
'''Execute system shell command'''
def _set_vectors(self):
self.vectors.add_vector("system", 'shell.php', "@system('$cmd $no_stderr');")
self.vectors.add_vector("passthru" , 'shell.php', "@passthru('$cmd $no_stderr');")
self.vectors.add_vector("shell_exec", 'shell.php', "echo @shell_exec('$cmd $no_stderr');")
self.vectors.add_vector("exec", 'shell.php', "@exec('$cmd $no_stderr', $r);echo(join(\"\\n\",$r));")
#self.vectors.add_vector("pcntl", 'shell.php', ' $p = pcntl_fork(); if(!$p) {{ pcntl_exec( "/bin/sh", Array("-c", "$cmd")); }} else {{ pcntl_waitpid($p,$status); }}'),
self.vectors.add_vector("popen", 'shell.php', "$h = popen('$cmd','r'); while(!feof($h)) echo(fread($h,4096)); pclose($h);")
self.vectors.add_vector("python_eval", 'shell.php', "python_eval('import os; os.system('$cmd$no_stderr');")
self.vectors.add_vector("perl_system", 'shell.php', "$perl = new perl(); $r = @perl->system('$cmd$no_stderr'); echo $r;")
self.vectors.add_vector("proc_open", 'shell.php', """$p = array(array('pipe', 'r'), array('pipe', 'w'), array('pipe', 'w'));
$h = proc_open('$cmd', $p, $pipes); while(!feof($pipes[1])) echo(fread($pipes[1],4096));
while(!feof($pipes[2])) echo(fread($pipes[2],4096)); fclose($pipes[0]); fclose($pipes[1]);
fclose($pipes[2]); proc_close($h);""")
def _set_args(self):
self.argparser.add_argument('cmd', help='Shell command', nargs='+')
self.argparser.add_argument('-no-stderr', help='Suppress error output', action='store_false')
self.argparser.add_argument('-vector', choices = self.vectors.keys())
self.argparser.add_argument('-just-probe', help=SUPPRESS, action='store_true')
def _init_stored_args(self):
self.stored_args_namespace = StoredNamespace()
setattr(self.stored_args_namespace, 'vector', None )
def _execute_vector(self):
if not getattr(self.stored_args_namespace, 'vector') or self.args['just_probe']:
self.__slacky_probe()
# Execute if is current vector is saved or choosen
if self.current_vector.name in (getattr(self.stored_args_namespace, 'vector'), self.args['vector']):
self._result = self.current_vector.execute( self.formatted_args)
def _prepare_vector(self):
# Format cmd
self.formatted_args['cmd'] = ' '.join(self.args['cmd']).replace( "'", "\\'" )
# Format stderr
if any('$no_stderr' in p for p in self.current_vector.payloads):
if self.args['no_stderr']:
self.formatted_args['no_stderr'] = '2>&1'
else:
self.formatted_args['no_stderr'] = ''
def __slacky_probe(self):
rand = str(random.randint( 11111, 99999 ))
slacky_formats = self.formatted_args.copy()
slacky_formats['cmd'] = 'echo %s' % (rand)
if self.current_vector.execute( slacky_formats) == rand:
setattr(self.stored_args_namespace, 'vector', self.current_vector.name)
# Set as best interpreter
#self.modhandler.interpreter = self.name
if self.args['just_probe']:
self._result = True
raise ProbeSucceed(self.name, MSG_SH_INTERPRETER_SUCCEED)
return
raise ModuleException(self.name, WARN_SH_INTERPRETER_FAIL)
| JeyZeta/Dangerous | Dangerous/Weevely/modules/shell/sh.py | Python | mit | 3,972 |
# Generated by Django 1.11.11 on 2018-08-27 21:51
from django.db import migrations
def update_domain_forward(apps, schema_editor):
"""Set site domain and name."""
Domain = apps.get_model("domains", "Domain")
Domain.objects.update_or_create(pk=1, name="fedrowanie.siecobywatelska.pl")
class Migration(migrations.Migration):
dependencies = [("domains", "0001_initial")]
operations = [migrations.RunPython(update_domain_forward)]
| watchdogpolska/feder | feder/domains/migrations/0002_initial-domain.py | Python | mit | 454 |
from django.http import HttpResponse
from django.shortcuts import render
from django.views import generic
import api.soql
import json
from api.soql import *
# Create your views here.
def indexView(request):
context = {
"vehicleAgencies": getUniqueValuesWithAggregate("gayt-taic", "agency", "max(postal_code)"),
"vehicleFuelTypes": getUniqueValues("gayt-taic", "fuel_type"),
"buildingAgencies": getUniqueValues("24pi-kxxa", "department_name")
}
return render(request,'TeamAqua/index.html', context=context)
def getUniqueValues(resource, column):
query = (
api.soql.SoQL(resource)
.select([column])
.groupBy([column])
.orderBy({column: "ASC"})
)
jsonString = query.execute()
return json.loads(jsonString)
def getUniqueValuesWithAggregate(resource, column, aggregate):
query = (
api.soql.SoQL(resource)
.select([column, aggregate])
.groupBy([column])
.orderBy({column: "ASC"})
)
jsonString = query.execute()
return json.loads(jsonString)
| jthidalgojr/greengov2015-TeamAqua | TeamAqua/views.py | Python | mit | 1,091 |
# -*- coding=utf-8 -*-
from __future__ import absolute_import, print_function, unicode_literals
from ..actions.install import install
from ._base import BaseCommand
from .options import dev, no_check, no_clean
class Command(BaseCommand):
name = "install"
description = "Generate Pipfile.lock to synchronize the environment."
arguments = [no_check, dev, no_clean]
def run(self, options):
return install(project=options.project, check=options.check, dev=options.dev,
clean=options.clean)
if __name__ == "__main__":
Command.run_parser()
| kennethreitz/pipenv | pipenv/vendor/passa/cli/install.py | Python | mit | 598 |
#!/usr/bin/env python
# Copyright (c) 2014 The Bitcoin Core developers
# Distributed under the MIT/X11 software license, see the accompanying
# file COPYING or http://www.opensource.org/licenses/mit-license.php.
# Test for -rpcbind, as well as -rpcallowip and -rpcconnect
# Add python-bitcoinrpc to module search path:
import os
import sys
sys.path.append(os.path.join(os.path.dirname(os.path.abspath(__file__)), "python-bitcoinrpc"))
import json
import shutil
import subprocess
import tempfile
import traceback
from bitcoinrpc.authproxy import AuthServiceProxy, JSONRPCException
from util import *
from netutil import *
def run_bind_test(tmpdir, allow_ips, connect_to, addresses, expected):
'''
Start a node with requested rpcallowip and rpcbind parameters,
then try to connect, and check if the set of bound addresses
matches the expected set.
'''
expected = [(addr_to_hex(addr), port) for (addr, port) in expected]
base_args = ['-disablewallet', '-nolisten']
if allow_ips:
base_args += ['-rpcallowip=' + x for x in allow_ips]
binds = ['-rpcbind='+addr for addr in addresses]
nodes = start_nodes(1, tmpdir, [base_args + binds], connect_to)
try:
pid = dogecoind_processes[0].pid
assert_equal(set(get_bind_addrs(pid)), set(expected))
finally:
stop_nodes(nodes)
wait_dogecoinds()
def run_allowip_test(tmpdir, allow_ips, rpchost, rpcport):
'''
Start a node with rpcwallow IP, and request getinfo
at a non-localhost IP.
'''
base_args = ['-disablewallet', '-nolisten'] + ['-rpcallowip='+x for x in allow_ips]
nodes = start_nodes(1, tmpdir, [base_args])
try:
# connect to node through non-loopback interface
url = "http://wowsuchtest:3kt4yEUdDJ4YGzsGNADvjYwubwaFhEEYjotPJDU2XMgG@%s:%d" % (rpchost, rpcport,)
node = AuthServiceProxy(url)
node.getinfo()
finally:
node = None # make sure connection will be garbage collected and closed
stop_nodes(nodes)
wait_dogecoinds()
def run_test(tmpdir):
assert(sys.platform == 'linux2') # due to OS-specific network stats queries, this test works only on Linux
# find the first non-loopback interface for testing
non_loopback_ip = None
for name,ip in all_interfaces():
if ip != '127.0.0.1':
non_loopback_ip = ip
break
if non_loopback_ip is None:
assert(not 'This test requires at least one non-loopback IPv4 interface')
print("Using interface %s for testing" % non_loopback_ip)
defaultport = rpc_port(0)
# check default without rpcallowip (IPv4 and IPv6 localhost)
run_bind_test(tmpdir, None, '127.0.0.1', [],
[('127.0.0.1', defaultport), ('::1', defaultport)])
# check default with rpcallowip (IPv6 any)
run_bind_test(tmpdir, ['127.0.0.1'], '127.0.0.1', [],
[('::0', defaultport)])
# check only IPv4 localhost (explicit)
run_bind_test(tmpdir, ['127.0.0.1'], '127.0.0.1', ['127.0.0.1'],
[('127.0.0.1', defaultport)])
# check only IPv4 localhost (explicit) with alternative port
run_bind_test(tmpdir, ['127.0.0.1'], '127.0.0.1:32171', ['127.0.0.1:32171'],
[('127.0.0.1', 32171)])
# check only IPv4 localhost (explicit) with multiple alternative ports on same host
run_bind_test(tmpdir, ['127.0.0.1'], '127.0.0.1:32171', ['127.0.0.1:32171', '127.0.0.1:32172'],
[('127.0.0.1', 32171), ('127.0.0.1', 32172)])
# check only IPv6 localhost (explicit)
run_bind_test(tmpdir, ['[::1]'], '[::1]', ['[::1]'],
[('::1', defaultport)])
# check both IPv4 and IPv6 localhost (explicit)
run_bind_test(tmpdir, ['127.0.0.1'], '127.0.0.1', ['127.0.0.1', '[::1]'],
[('127.0.0.1', defaultport), ('::1', defaultport)])
# check only non-loopback interface
run_bind_test(tmpdir, [non_loopback_ip], non_loopback_ip, [non_loopback_ip],
[(non_loopback_ip, defaultport)])
# Check that with invalid rpcallowip, we are denied
run_allowip_test(tmpdir, [non_loopback_ip], non_loopback_ip, defaultport)
try:
run_allowip_test(tmpdir, ['1.1.1.1'], non_loopback_ip, defaultport)
assert(not 'Connection not denied by rpcallowip as expected')
except ValueError:
pass
def main():
import optparse
parser = optparse.OptionParser(usage="%prog [options]")
parser.add_option("--nocleanup", dest="nocleanup", default=False, action="store_true",
help="Leave dogecoinds and test.* datadir on exit or error")
parser.add_option("--srcdir", dest="srcdir", default="../../src",
help="Source directory containing dogecoind/dogecoin-cli (default: %default%)")
parser.add_option("--tmpdir", dest="tmpdir", default=tempfile.mkdtemp(prefix="test"),
help="Root directory for datadirs")
(options, args) = parser.parse_args()
os.environ['PATH'] = options.srcdir+":"+os.environ['PATH']
check_json_precision()
success = False
nodes = []
try:
print("Initializing test directory "+options.tmpdir)
if not os.path.isdir(options.tmpdir):
os.makedirs(options.tmpdir)
initialize_chain(options.tmpdir)
run_test(options.tmpdir)
success = True
except AssertionError as e:
print("Assertion failed: "+e.message)
except Exception as e:
print("Unexpected exception caught during testing: "+str(e))
traceback.print_tb(sys.exc_info()[2])
if not options.nocleanup:
print("Cleaning up")
wait_dogecoinds()
shutil.rmtree(options.tmpdir)
if success:
print("Tests successful")
sys.exit(0)
else:
print("Failed")
sys.exit(1)
if __name__ == '__main__':
main()
| langerhans/dogecoin | qa/rpc-tests/rpcbind_test.py | Python | mit | 5,804 |
import copy
class Solution:
# @param strs: A list of strings
# @return: A list of strings
def anagrams(self, strs):
# write your code here
str1=copy.deepcopy(strs)
def hashLize(s):
dicts1= dict()
for i in range(26):
dicts1[chr(i+ord("a"))]=0
for j in s:
if j in dicts1.keys():
dicts1[j]+=1
return dicts1
def sortLize(s):
s1=list(s)
s1.sort()
return "".join(s1)
check_dict=dict()
for i in range(len(strs)):
str_s1=sortLize(strs[i])
if str_s1 in check_dict.keys():
check_dict[str_s1].append(strs[i])
else:
check_dict[str_s1]=[]
check_dict[str_s1].append(strs[i])
str_rt=[]
for i in check_dict.keys():
if (len(check_dict[i]) > 1):
str_rt.extend(check_dict[i])
return str_rt
#Total Runtime: 835 ms
# for i in range(len(strs)):
# str1[i]=hashLize(strs[i])
# str_rt=[]
# flag = [0 for i in range(len(strs))]
# for i in range(len(strs)):
# if flag[i]:
# continue
# for j in range(i+1,len(strs)):
# if i==j:
# continue
# if flag[j]:
# continue
# if str1[i]==str1[j]:
# if flag[i]==0:
# str_rt.append(strs[i])
# flag[i] = 1
# flag[j] = 1
# str_rt.append(strs[j])
| jonathanxqs/lintcode | 171.py | Python | mit | 1,786 |
#coding:utf-8
"""
functionモジュールのparticle_resampling関数をテストする
"""
from functions import particles_resampling
import pfoe
robot1 = pfoe.Robot(sensor=4,choice=3,particle_num=100)
#case1:パーティクルの分布・重みは等分
for i in range(100):
robot1.particles.distribution[i] = i % 5
robot1.particles.weight[i] = 1.0 / 100.0
robot1.particles = particles_resampling(robot1.particles,5)
print robot1.particles.weight
print robot1.particles.distribution
#case2:パーティクルの分布は等分、重みはイベント0に集中
for i in range(100):
robot1.particles.distribution[i] = i % 5
if i % 5 == 0:
robot1.particles.weight[i] = 1.0 / 20.0
else:
robot1.particles.weight[i] = 0.0
robot1.particles = particles_resampling(robot1.particles,5)
print robot1.particles.weight
print robot1.particles.distribution
| kato-masahiro/particle_filter_on_episode | PFoE_module/.test_particles_resampling.py | Python | mit | 889 |
# -*- coding: utf-8 -*-
# Generated by Django 1.9 on 2016-04-10 10:00
from __future__ import unicode_literals
from django.db import migrations, models
import django.db.models.deletion
class Migration(migrations.Migration):
dependencies = [
('Course', '0005_coursegroup'),
]
operations = [
migrations.AlterField(
model_name='department',
name='hod',
field=models.ForeignKey(default=False, on_delete=django.db.models.deletion.CASCADE, related_name='head_of_dept', to='Profiler.Faculty'),
),
]
| IEEEDTU/CMS | Course/migrations/0006_auto_20160410_1530.py | Python | mit | 572 |
# vim:ts=4:sts=4:sw=4:expandtab
"""Package. Manages event queues.
Writing event-driven code
-------------------------
Event-driven procedures should be written as python coroutines (extended generators).
To call the event API, yield an instance of the appropriate command. You can use
sub-procedures - just yield the appropriate generator (a minor nuisance is that you
cannot have such sub-procedure return a value).
Example
-------
.. code:: python
from satori.events import *
def countdown():
queue = QueueId('any string will do')
mapping = yield Map({}, queue)
yield Attach(queue)
yield Send(Event(left=10))
while True:
q, event = yield Receive()
if event.left == 0:
break
event.left -= 1
yield Send(event)
yield Unmap(mapping)
yield Detach(queue)
"""
from .api import Event, MappingId, QueueId
from .protocol import Attach, Detach
from .protocol import Map, Unmap
from .protocol import Send, Receive
from .protocol import KeepAlive, Disconnect, ProtocolError
from .api import Manager
from .master import Master
from .slave import Slave
from .client2 import Client2
from .slave2 import Slave2
__all__ = (
'Event', 'MappingId', 'QueueId',
'Attach', 'Detach',
'Map', 'Unmap',
'Send', 'Receive',
'KeepAlive', 'ProtocolError',
'Master', 'Slave',
)
| zielmicha/satori | satori.events/satori/events/__init__.py | Python | mit | 1,410 |
from setuptools import setup
from setuptools import find_packages
setup(name='gym_square',
version='0.0.1',
author='Guillaume de Chambrier',
author_email='[email protected]',
description='A simple square world environment for openai/gym',
packages=find_packages(),
url='https://github.com/gpldecha/gym-square',
license='MIT',
install_requires=['gym']
)
| gpldecha/gym-square | setup.py | Python | mit | 407 |
#!/usr/bin/env python
"""
Read the list of chimeric interactions and generate a file that can be read
by circos.
"""
import sys
import argparse
from collections import defaultdict
from math import log
import pro_clash
def process_command_line(argv):
"""
Return a 2-tuple: (settings object, args list).
`argv` is a list of arguments, or `None` for ``sys.argv[1:]``.
"""
if argv is None:
argv = sys.argv[1:]
# initialize the parser object, replace the description
parser = argparse.ArgumentParser(
description='Generate circos data file.',
formatter_class=argparse.ArgumentDefaultsHelpFormatter)
parser.add_argument(
'reads_in',
help='An output file of map_chimeric_fragments.py with the chimeric'
' fragments.')
parser.add_argument(
'-r', '--region', type=int, default=200,
help='Split the genome to windows of this size.')
parser.add_argument(
'-c', '--chrn', default='chr',
help='Name of chromosome to plot.')
parser.add_argument(
'-p', '--print_chr', default='ecmain',
help='Name of chromosome in circos.')
parser.add_argument(
'-m', '--min_interactions', type=int, default=100,
help='Minimum number of interactions between two regions to plot.')
settings = parser.parse_args(argv)
return settings
def main(argv=None):
settings = process_command_line(argv)
region_interactions, _, _, _=\
pro_clash.read_reads_table(open(settings.reads_in), settings.region)
both_strs = defaultdict(lambda: defaultdict(int))
for reg1 in region_interactions:
if reg1[2] != settings.chrn:
continue
for reg2 in region_interactions[reg1]:
if reg2[2] != settings.chrn:
continue
both_strs[reg1[0]][reg2[0]] += len(region_interactions[reg1][reg2])
for r1 in both_strs:
for r2 in both_strs[r1]:
if both_strs[r1][r2] > settings.min_interactions:
sys.stdout.write('%s %d %d %s %d %d thickness=%dp\n'%(
settings.print_chr, r1+1, r1+settings.region,
settings.print_chr, r2+1, r2+settings.region,
log(both_strs[r1][r2])/log(10)))
return 0 # success
if __name__ == '__main__':
status = main()
sys.exit(status)
| asafpr/pro_clash | bin/plot_circos_plot.py | Python | mit | 2,380 |
from __future__ import unicode_literals
from django.db import models
import datetime
from django.db.models.signals import pre_save
from django.urls import reverse
from django.utils.text import slugify
from django.utils.translation import ugettext_lazy as _
from source_utils.starters import CommonInfo, GenericCategory
from versatileimagefield.fields import (
VersatileImageField,
PPOIField
)
def upload_location(instance, filename):
return "%s/%s" %(instance.slug, filename)
ASSESEMENT = (
('units', 'Per unit'),
('square feet', 'Square foot'),
('linear feet', 'Linear foot'),
('square meters', 'Square meter'),
('linear meters', 'Linear meter'),
)
class Base(GenericCategory):
"""
This model represents the general type of product category offered.
"""
class Meta:
verbose_name = _('Product Category')
verbose_name_plural = _('Product Categories')
ordering = ["category"]
def get_success_url(self):
return reverse("product:company_list")
def get_absolute_url(self):
return reverse(
"product:base_product_detail",
kwargs={'slug': self.slug}
)
def pre_save_category(sender, instance, *args, **kwargs):
instance.slug = slugify(instance.category)
pre_save.connect(pre_save_category, sender=Base)
class Product(CommonInfo):
"""
This model describes the specific product related to the category.
"""
base = models.ForeignKey(
Base,
on_delete=models.CASCADE
)
supplier = models.ForeignKey(
'company.Company',
on_delete=models.CASCADE
)
item = models.CharField(
max_length=30,
unique=True
)
admin_time = models.DecimalField(
default=0,
max_digits=4,
decimal_places=2
)
prep_time = models.DecimalField(
default=0,
max_digits=4,
decimal_places=2
)
field_time = models.DecimalField(
default=0,
max_digits=4,
decimal_places=2
)
admin_material = models.DecimalField(
default=0,
max_digits=8,
decimal_places=2
)
prep_material = models.DecimalField(
default=0,
max_digits=8,
decimal_places=2
)
field_material = models.DecimalField(
default=0,
max_digits=8,
decimal_places=2
)
quantity_assesement = models.CharField(
max_length=12,
verbose_name=_("Quantity assesement method"),
choices=ASSESEMENT
)
order_if_below = models.SmallIntegerField()
discontinued = models.DateField(
null=True,
blank=True
)
order_now = models.BooleanField(
default=False
)
units_damaged_or_lost = models.SmallIntegerField(
default=0
)
quantity = models.SmallIntegerField(
"Usable quantity",
default=0,
null=True,
blank=True
)
quantity_called_for = models.SmallIntegerField(
default=0,
null=True,
blank=True
)
image = VersatileImageField(
'Image',
upload_to='images/product/',
null=True, blank=True,
width_field='width',
height_field='height',
ppoi_field='ppoi'
)
height = models.PositiveIntegerField(
'Image Height',
blank=True,
null=True
)
width = models.PositiveIntegerField(
'Image Width',
blank=True,
null=True
)
ppoi = PPOIField(
'Image PPOI'
)
no_longer_available = models.BooleanField(default=False)
class Meta:
ordering= ['item']
def __str__(self):
return self.item
def get_time(self):
return self.admin_time + self.prep_time + self.field_time
def get_cost(self):
return self.admin_material + self.prep_material + self.field_material
def get_usable_quantity(self):
return self.quantity - self.units_damaged_or_lost - self.quantity_called_for
def get_success_url(self):
return reverse("product:category_item_list", kwargs={'slug': self.base.slug})
def get_absolute_url(self):
return reverse("product:item_detail", kwargs={'slug': self.slug})
def pre_save_product(sender, instance, *args, **kwargs):
if not instance.no_longer_available:
instance.discontinued = None
elif instance.no_longer_available and instance.discontinued == None:
instance.discontinued = datetime.date.today()
if (
instance.quantity -
instance.units_damaged_or_lost -
instance.quantity_called_for
) < instance.order_if_below:
instance.order_now = True
else:
instance.order_now = False
instance.slug = slugify(instance.item)
pre_save.connect(pre_save_product, sender=Product) | michealcarrerweb/LHVent_app | stock/models.py | Python | mit | 4,911 |
import logging
import os
import shlex
import unittest
import sys
from toil.common import toilPackageDirPath
from toil.lib.bioio import getBasicOptionParser, parseSuiteTestOptions
log = logging.getLogger(__name__)
class ToilTest(unittest.TestCase):
"""
A common base class for our tests. Please have every test case directly or indirectly inherit this one.
"""
orig_sys_argv = None
def getScriptPath(self, script_name):
return os.path.join(toilPackageDirPath(), 'utils', script_name + '.py')
@classmethod
def setUpClass(cls):
super(ToilTest, cls).setUpClass()
cls.orig_sys_argv = sys.argv[1:]
sys.argv[1:] = shlex.split(os.environ.get('TOIL_TEST_ARGS', ""))
parser = getBasicOptionParser()
options, args = parseSuiteTestOptions(parser)
sys.argv[1:] = args
@classmethod
def tearDownClass(cls):
sys.argv[1:] = cls.orig_sys_argv
super(ToilTest, cls).tearDownClass()
def setUp(self):
log.info("Setting up %s", self.id())
super(ToilTest, self).setUp()
def tearDown(self):
super(ToilTest, self).tearDown()
log.info("Tearing down down %s", self.id())
| BD2KGenomics/toil-old | src/toil/test/__init__.py | Python | mit | 1,203 |
from setuptools import setup, find_packages
from pip.req import parse_requirements
version = "6.27.20"
requirements = parse_requirements("requirements.txt", session="")
setup(
name='frappe',
version=version,
description='Metadata driven, full-stack web framework',
author='Frappe Technologies',
author_email='[email protected]',
packages=find_packages(),
zip_safe=False,
include_package_data=True,
install_requires=[str(ir.req) for ir in requirements],
dependency_links=[str(ir._link) for ir in requirements if ir._link]
)
| Amber-Creative/amber-frappe | setup.py | Python | mit | 532 |
<<<<<<< HEAD
<<<<<<< HEAD
from . import client, rest, session
=======
from . import client, rest, session
>>>>>>> b875702c9c06ab5012e52ff4337439b03918f453
=======
from . import client, rest, session
>>>>>>> b875702c9c06ab5012e52ff4337439b03918f453
| ArcherSys/ArcherSys | archersys/Lib/site-packages/dropbox/__init__.py | Python | mit | 254 |
import os
import subprocess
from pathlib import Path
from time import sleep
PACKAGES = Path('packages')
class Module:
def __init__(self, name, path=None, files=None, dependencies=None):
self.name = name
if path is None:
path = PACKAGES / name
self.path = path
self.files = files or ["src/", "style/"]
self.dependencies = dependencies or []
self.old_sum = 0
#self.check_dir()
def check_dir(self):
"""Check if a file has changed in the package"""
time_list = []
for file in self.files:
file_list = []
file_path = self.path / Path(file)
if not file.endswith("/"):
file_list = [file_path]
else:
for root, _, files in os.walk(file_path):
root = Path(root)
file_list = [root / f for f in files]
time_list += [os.stat(f).st_mtime for f in file_list]
new_sum = sum(time_list)
result = new_sum != self.old_sum
self.old_sum = new_sum
return result
def run(self):
print("Building", self.name)
process = subprocess.Popen(
"npm run build",
shell=True,
cwd=self.path,
)
status = process.wait()
if status:
raise Exception("NPM run failed")
def check(self, run=True, visited={}):
"""Check if the module or its dependencies has changed"""
if self in visited:
return visited[self]
visited[self] = True
invalid = False
for dependency in self.dependencies:
if not dependency.check(run, visited):
invalid = True
invalid |= self.check_dir()
if run and invalid:
visited[self] = False
self.run()
return not invalid
def __hash__(self):
return hash(self.path)
def __repr__(self):
return "Module({})".format(self.name)
class NoFileModule(Module):
def check_dir(self):
return False
def run(self):
pass
utils = Module("utils")
history = Module("history", dependencies=[utils])
trial = Module("trial", dependencies=[utils])
nowvis = Module("nowvis", dependencies=[history, trial])
nbextension = Module("nbextension", dependencies=[history, trial])
ALL = NoFileModule("ALL", dependencies=[nowvis, nbextension])
print("Monitoring packages...")
while True:
visited = {}
try:
ALL.check(visited=visited)
except Exception as e:
print("Failed: {}".format(e))
sleep(1.0)
| gems-uff/noworkflow | npm/watch.py | Python | mit | 2,623 |
#! /usr/bin/env python
"""pandoc-fignos: a pandoc filter that inserts figure nos. and refs."""
# Copyright 2015, 2016 Thomas J. Duck.
# All rights reserved.
#
# This program is free software: you can redistribute it and/or modify
# it under the terms of the GNU General Public License as published by
# the Free Software Foundation, version 3.
#
# This program is distributed in the hope that it will be useful,
# but WITHOUT ANY WARRANTY; without even the implied warranty of
# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
# GNU General Public License for more details.
#
# You should have received a copy of the GNU General Public License
# along with this program. If not, see <http://www.gnu.org/licenses/>.
# OVERVIEW
#
# The basic idea is to scan the AST two times in order to:
#
# 1. Insert text for the figure number in each figure caption.
# For LaTeX, insert \label{...} instead. The figure labels
# and associated figure numbers are stored in the global
# references tracker.
#
# 2. Replace each reference with a figure number. For LaTeX,
# replace with \ref{...} instead.
#
# There is also an initial scan to do some preprocessing.
import re
import functools
import itertools
import io
import sys
# pylint: disable=import-error
import pandocfilters
from pandocfilters import stringify, walk
from pandocfilters import RawInline, Str, Space, Para, Plain, Cite, elt
from pandocattributes import PandocAttributes
# Create our own pandoc image primitives to accommodate different pandoc
# versions.
# pylint: disable=invalid-name
Image = elt('Image', 2) # Pandoc < 1.16
AttrImage = elt('Image', 3) # Pandoc >= 1.16
# Patterns for matching labels and references
LABEL_PATTERN = re.compile(r'(fig:[\w/-]*)(.*)')
REF_PATTERN = re.compile(r'@(fig:[\w/-]+)')
# Detect python 3
PY3 = sys.version_info > (3,)
# Pandoc uses UTF-8 for both input and output; so must we
if PY3: # Force utf-8 decoding (decoding of input streams is automatic in py3)
STDIN = io.TextIOWrapper(sys.stdin.buffer, 'utf-8', 'strict')
STDOUT = io.TextIOWrapper(sys.stdout.buffer, 'utf-8', 'strict')
else: # No decoding; utf-8-encoded strings in means the same out
STDIN = sys.stdin
STDOUT = sys.stdout
# pylint: disable=invalid-name
references = {} # Global references tracker
def is_attrimage(key, value):
"""True if this is an attributed image; False otherwise."""
try:
if key == 'Para' and value[0]['t'] == 'Image':
# Old pandoc < 1.16
if len(value[0]['c']) == 2:
s = stringify(value[1:]).strip()
if s.startswith('{') and s.endswith('}'):
return True
else:
return False
# New pandoc >= 1.16
else:
assert len(value[0]['c']) == 3
return True # Pandoc >= 1.16 has image attributes by default
# pylint: disable=bare-except
except:
return False
def parse_attrimage(value):
"""Parses an attributed image."""
if len(value[0]['c']) == 2: # Old pandoc < 1.16
attrs, (caption, target) = None, value[0]['c']
s = stringify(value[1:]).strip() # The attribute string
# Extract label from attributes (label, classes, kvs)
label = PandocAttributes(s, 'markdown').to_pandoc()[0]
if label == 'fig:': # Make up a unique description
label = label + '__'+str(hash(target[0]))+'__'
return attrs, caption, target, label
else: # New pandoc >= 1.16
assert len(value[0]['c']) == 3
attrs, caption, target = value[0]['c']
s = stringify(value[1:]).strip() # The attribute string
# Extract label from attributes
label = attrs[0]
if label == 'fig:': # Make up a unique description
label = label + '__'+str(hash(target[0]))+'__'
return attrs, caption, target, label
def is_ref(key, value):
"""True if this is a figure reference; False otherwise."""
return key == 'Cite' and REF_PATTERN.match(value[1][0]['c']) and \
parse_ref(value)[1] in references
def parse_ref(value):
"""Parses a figure reference."""
prefix = value[0][0]['citationPrefix']
label = REF_PATTERN.match(value[1][0]['c']).groups()[0]
suffix = value[0][0]['citationSuffix']
return prefix, label, suffix
def ast(string):
"""Returns an AST representation of the string."""
toks = [Str(tok) for tok in string.split()]
spaces = [Space()]*len(toks)
ret = list(itertools.chain(*zip(toks, spaces)))
if string[0] == ' ':
ret = [Space()] + ret
return ret if string[-1] == ' ' else ret[:-1]
def is_broken_ref(key1, value1, key2, value2):
"""True if this is a broken link; False otherwise."""
try: # Pandoc >= 1.16
return key1 == 'Link' and value1[1][0]['t'] == 'Str' and \
value1[1][0]['c'].endswith('{@fig') \
and key2 == 'Str' and '}' in value2
except TypeError: # Pandoc < 1.16
return key1 == 'Link' and value1[0][0]['t'] == 'Str' and \
value1[0][0]['c'].endswith('{@fig') \
and key2 == 'Str' and '}' in value2
def repair_broken_refs(value):
"""Repairs references broken by pandoc's --autolink_bare_uris."""
# autolink_bare_uris splits {@fig:label} at the ':' and treats
# the first half as if it is a mailto url and the second half as a string.
# Let's replace this mess with Cite and Str elements that we normally
# get.
flag = False
for i in range(len(value)-1):
if value[i] == None:
continue
if is_broken_ref(value[i]['t'], value[i]['c'],
value[i+1]['t'], value[i+1]['c']):
flag = True # Found broken reference
try: # Pandoc >= 1.16
s1 = value[i]['c'][1][0]['c'] # Get the first half of the ref
except TypeError: # Pandoc < 1.16
s1 = value[i]['c'][0][0]['c'] # Get the first half of the ref
s2 = value[i+1]['c'] # Get the second half of the ref
ref = '@fig' + s2[:s2.index('}')] # Form the reference
prefix = s1[:s1.index('{@fig')] # Get the prefix
suffix = s2[s2.index('}')+1:] # Get the suffix
# We need to be careful with the prefix string because it might be
# part of another broken reference. Simply put it back into the
# stream and repeat the preprocess() call.
if i > 0 and value[i-1]['t'] == 'Str':
value[i-1]['c'] = value[i-1]['c'] + prefix
value[i] = None
else:
value[i] = Str(prefix)
# Put fixed reference in as a citation that can be processed
value[i+1] = Cite(
[{"citationId":ref[1:],
"citationPrefix":[],
"citationSuffix":[Str(suffix)],
"citationNoteNum":0,
"citationMode":{"t":"AuthorInText", "c":[]},
"citationHash":0}],
[Str(ref)])
if flag:
return [v for v in value if v is not None]
def is_braced_ref(i, value):
"""Returns true if a reference is braced; otherwise False."""
return is_ref(value[i]['t'], value[i]['c']) \
and value[i-1]['t'] == 'Str' and value[i+1]['t'] == 'Str' \
and value[i-1]['c'].endswith('{') and value[i+1]['c'].startswith('}')
def remove_braces(value):
"""Search for references and remove curly braces around them."""
flag = False
for i in range(len(value)-1)[1:]:
if is_braced_ref(i, value):
flag = True # Found reference
# Remove the braces
value[i-1]['c'] = value[i-1]['c'][:-1]
value[i+1]['c'] = value[i+1]['c'][1:]
return flag
# pylint: disable=unused-argument
def preprocess(key, value, fmt, meta):
"""Preprocesses to correct for problems."""
if key in ('Para', 'Plain'):
while True:
newvalue = repair_broken_refs(value)
if newvalue:
value = newvalue
else:
break
if key == 'Para':
return Para(value)
else:
return Plain(value)
# pylint: disable=unused-argument
def replace_attrimages(key, value, fmt, meta):
"""Replaces attributed images while storing reference labels."""
if is_attrimage(key, value):
# Parse the image
attrs, caption, target, label = parse_attrimage(value)
# Bail out if the label does not conform
if not label or not LABEL_PATTERN.match(label):
return None
# Save the reference
references[label] = len(references) + 1
# Adjust caption depending on the output format
if fmt == 'latex':
caption = list(caption) + [RawInline('tex', r'\label{%s}'%label)]
else:
caption = ast('Figure %d. '%references[label]) + list(caption)
# Required for pandoc to process the image
target[1] = "fig:"
# Return the replacement
if len(value[0]['c']) == 2: # Old pandoc < 1.16
img = Image(caption, target)
else: # New pandoc >= 1.16
assert len(value[0]['c']) == 3
img = AttrImage(attrs, caption, target)
if fmt in ('html', 'html5'):
anchor = RawInline('html', '<a name="%s"></a>'%label)
return [Plain([anchor]), Para([img])]
else:
return Para([img])
# pylint: disable=unused-argument
def replace_refs(key, value, fmt, meta):
"""Replaces references to labelled images."""
# Remove braces around references
if key in ('Para', 'Plain'):
if remove_braces(value):
if key == 'Para':
return Para(value)
else:
return Plain(value)
# Replace references
if is_ref(key, value):
prefix, label, suffix = parse_ref(value)
# The replacement depends on the output format
if fmt == 'latex':
return prefix + [RawInline('tex', r'\ref{%s}'%label)] + suffix
elif fmt in ('html', 'html5'):
link = '<a href="#%s">%s</a>' % (label, references[label])
return prefix + [RawInline('html', link)] + suffix
else:
return prefix + [Str('%d'%references[label])] + suffix
def main():
"""Filters the document AST."""
# Get the output format, document and metadata
fmt = sys.argv[1] if len(sys.argv) > 1 else ''
doc = pandocfilters.json.loads(STDIN.read())
meta = doc[0]['unMeta']
# Replace attributed images and references in the AST
altered = functools.reduce(lambda x, action: walk(x, action, fmt, meta),
[preprocess, replace_attrimages, replace_refs],
doc)
# Dump the results
pandocfilters.json.dump(altered, STDOUT)
# Flush stdout
STDOUT.flush()
if __name__ == '__main__':
main()
| alexin-ivan/zfs-doc | filters/pandoc_fignos.py | Python | mit | 11,034 |
"""
Encapsulate the absence of an object by providing a substitutable
alternative that offers suitable default do nothing behavior.
"""
import abc
class AbstractObject(metaclass=abc.ABCMeta):
"""
Declare the interface for Client's collaborator.
Implement default behavior for the interface common to all classes,
as appropriate.
"""
@abc.abstractmethod
def request(self):
pass
class RealObject(AbstractObject):
"""
Define a concrete subclass of AbstractObject whose instances provide
useful behavior that Client expects.
"""
def request(self):
pass
class NullObject(AbstractObject):
"""
Provide an interface identical to AbstractObject's so that a null
object can be substituted for a real object.
Implement its interface to do nothing. What exactly it means to do
nothing depends on what sort of behavior Client is expecting.
"""
def request(self):
pass
| zitryss/Design-Patterns-in-Python | behavioral/null_object.py | Python | mit | 965 |
# -*- coding: utf-8 -*-
import datetime
from south.db import db
from south.v2 import SchemaMigration
from django.db import models
class Migration(SchemaMigration):
def forwards(self, orm):
# Changing field 'ModelFieldData.foreign'
db.alter_column('blogs_modelfielddata', 'foreign_id', self.gf('django.db.models.fields.related.ForeignKey')(null=True, to=orm['blogs.ModelData']))
def backwards(self, orm):
# Changing field 'ModelFieldData.foreign'
db.alter_column('blogs_modelfielddata', 'foreign_id', self.gf('django.db.models.fields.related.ForeignKey')(to=orm['blogs.ModelFieldData'], null=True))
models = {
'auth.group': {
'Meta': {'object_name': 'Group'},
'id': ('django.db.models.fields.AutoField', [], {'primary_key': 'True'}),
'name': ('django.db.models.fields.CharField', [], {'unique': 'True', 'max_length': '80'}),
'permissions': ('django.db.models.fields.related.ManyToManyField', [], {'to': "orm['auth.Permission']", 'symmetrical': 'False', 'blank': 'True'})
},
'auth.permission': {
'Meta': {'ordering': "('content_type__app_label', 'content_type__model', 'codename')", 'unique_together': "(('content_type', 'codename'),)", 'object_name': 'Permission'},
'codename': ('django.db.models.fields.CharField', [], {'max_length': '100'}),
'content_type': ('django.db.models.fields.related.ForeignKey', [], {'to': "orm['contenttypes.ContentType']"}),
'id': ('django.db.models.fields.AutoField', [], {'primary_key': 'True'}),
'name': ('django.db.models.fields.CharField', [], {'max_length': '50'})
},
'auth.user': {
'Meta': {'object_name': 'User'},
'date_joined': ('django.db.models.fields.DateTimeField', [], {'default': 'datetime.datetime.now'}),
'email': ('django.db.models.fields.EmailField', [], {'max_length': '75', 'blank': 'True'}),
'first_name': ('django.db.models.fields.CharField', [], {'max_length': '30', 'blank': 'True'}),
'groups': ('django.db.models.fields.related.ManyToManyField', [], {'to': "orm['auth.Group']", 'symmetrical': 'False', 'blank': 'True'}),
'id': ('django.db.models.fields.AutoField', [], {'primary_key': 'True'}),
'is_active': ('django.db.models.fields.BooleanField', [], {'default': 'True'}),
'is_staff': ('django.db.models.fields.BooleanField', [], {'default': 'False'}),
'is_superuser': ('django.db.models.fields.BooleanField', [], {'default': 'False'}),
'last_login': ('django.db.models.fields.DateTimeField', [], {'default': 'datetime.datetime.now'}),
'last_name': ('django.db.models.fields.CharField', [], {'max_length': '30', 'blank': 'True'}),
'password': ('django.db.models.fields.CharField', [], {'max_length': '128'}),
'user_permissions': ('django.db.models.fields.related.ManyToManyField', [], {'to': "orm['auth.Permission']", 'symmetrical': 'False', 'blank': 'True'}),
'username': ('django.db.models.fields.CharField', [], {'unique': 'True', 'max_length': '30'})
},
'blogs.blog': {
'Meta': {'object_name': 'Blog'},
'analytics_account': ('django.db.models.fields.CharField', [], {'max_length': '50', 'blank': 'True'}),
'contributors': ('django.db.models.fields.related.ManyToManyField', [], {'blank': 'True', 'related_name': "'blogcontributor'", 'null': 'True', 'symmetrical': 'False', 'to': "orm['auth.User']"}),
'creator': ('django.db.models.fields.related.ForeignKey', [], {'to': "orm['auth.User']", 'null': 'True'}),
'custom_domain': ('django.db.models.fields.CharField', [], {'max_length': '300', 'null': 'True', 'blank': 'True'}),
'description': ('django.db.models.fields.CharField', [], {'max_length': '500', 'blank': 'True'}),
'draft_notice': ('django.db.models.fields.BooleanField', [], {'default': 'False'}),
'exclusion_end': ('django.db.models.fields.CharField', [], {'max_length': '5', 'blank': 'True'}),
'exclusion_start': ('django.db.models.fields.CharField', [], {'max_length': '5', 'blank': 'True'}),
'facebook_link': ('django.db.models.fields.URLField', [], {'max_length': '100', 'blank': 'True'}),
'fb_page_access_token': ('django.db.models.fields.CharField', [], {'max_length': '260', 'blank': 'True'}),
'frequency': ('django.db.models.fields.CharField', [], {'max_length': '5', 'blank': 'True'}),
'has_artists': ('django.db.models.fields.BooleanField', [], {'default': 'False'}),
'has_superuser': ('django.db.models.fields.BooleanField', [], {'default': 'False'}),
'header_image': ('sorl.thumbnail.fields.ImageField', [], {'max_length': '100', 'null': 'True', 'blank': 'True'}),
'id': ('django.db.models.fields.AutoField', [], {'primary_key': 'True'}),
'is_bootblog': ('django.db.models.fields.BooleanField', [], {'default': 'True'}),
'is_online': ('django.db.models.fields.BooleanField', [], {'default': 'True'}),
'is_open': ('django.db.models.fields.BooleanField', [], {'default': 'True'}),
'language': ('django.db.models.fields.CharField', [], {'max_length': '7', 'blank': 'True'}),
'main_color': ('django.db.models.fields.CharField', [], {'default': "'#C4BDB2'", 'max_length': '10', 'blank': 'True'}),
'moderator_email': ('django.db.models.fields.EmailField', [], {'max_length': '75', 'null': 'True', 'blank': 'True'}),
'password': ('django.db.models.fields.CharField', [], {'max_length': '140', 'blank': 'True'}),
'pinterest_link': ('django.db.models.fields.URLField', [], {'max_length': '100', 'blank': 'True'}),
'short_description': ('django.db.models.fields.CharField', [], {'max_length': '140', 'blank': 'True'}),
'slug': ('django.db.models.fields.SlugField', [], {'unique': 'True', 'max_length': '30'}),
'template': ('django.db.models.fields.related.ForeignKey', [], {'to': "orm['blogs.Template']", 'null': 'True', 'blank': 'True'}),
'title': ('django.db.models.fields.CharField', [], {'max_length': '240'}),
'translation': ('django.db.models.fields.related.ForeignKey', [], {'to': "orm['blogs.Blog']", 'null': 'True', 'blank': 'True'}),
'twitter_link': ('django.db.models.fields.URLField', [], {'max_length': '100', 'blank': 'True'}),
'twitter_oauth_token': ('django.db.models.fields.CharField', [], {'max_length': '100', 'blank': 'True'}),
'twitter_oauth_token_secret': ('django.db.models.fields.CharField', [], {'max_length': '100', 'blank': 'True'})
},
'blogs.category': {
'Meta': {'object_name': 'Category'},
'author': ('django.db.models.fields.related.ForeignKey', [], {'to': "orm['auth.User']"}),
'blog': ('django.db.models.fields.related.ForeignKey', [], {'related_name': "'Blog_category'", 'null': 'True', 'to': "orm['blogs.Blog']"}),
'cat_image': ('sorl.thumbnail.fields.ImageField', [], {'max_length': '100', 'null': 'True', 'blank': 'True'}),
'cat_image_caret': ('sorl.thumbnail.fields.ImageField', [], {'max_length': '100', 'null': 'True', 'blank': 'True'}),
'cat_image_close': ('sorl.thumbnail.fields.ImageField', [], {'max_length': '100', 'null': 'True', 'blank': 'True'}),
'cat_image_email': ('sorl.thumbnail.fields.ImageField', [], {'max_length': '100', 'null': 'True', 'blank': 'True'}),
'cat_image_fb': ('sorl.thumbnail.fields.ImageField', [], {'max_length': '100', 'null': 'True', 'blank': 'True'}),
'cat_image_left': ('sorl.thumbnail.fields.ImageField', [], {'max_length': '100', 'null': 'True', 'blank': 'True'}),
'cat_image_pint': ('sorl.thumbnail.fields.ImageField', [], {'max_length': '100', 'null': 'True', 'blank': 'True'}),
'cat_image_right': ('sorl.thumbnail.fields.ImageField', [], {'max_length': '100', 'null': 'True', 'blank': 'True'}),
'cat_image_tw': ('sorl.thumbnail.fields.ImageField', [], {'max_length': '100', 'null': 'True', 'blank': 'True'}),
'color': ('django.db.models.fields.CharField', [], {'default': "'#000000'", 'max_length': '10'}),
'created': ('django.db.models.fields.DateTimeField', [], {'auto_now_add': 'True', 'null': 'True', 'blank': 'True'}),
'description': ('django.db.models.fields.CharField', [], {'max_length': '1000', 'null': 'True', 'blank': 'True'}),
'id': ('django.db.models.fields.AutoField', [], {'primary_key': 'True'}),
'name': ('django.db.models.fields.CharField', [], {'max_length': '140', 'null': 'True', 'blank': 'True'}),
'parent_category': ('django.db.models.fields.related.ForeignKey', [], {'blank': 'True', 'related_name': "'child_category'", 'null': 'True', 'to': "orm['blogs.Category']"}),
'slug': ('django.db.models.fields.SlugField', [], {'max_length': '140', 'blank': 'True'})
},
'blogs.comment': {
'Meta': {'object_name': 'Comment'},
'author': ('django.db.models.fields.related.ForeignKey', [], {'blank': 'True', 'related_name': "'Comment_author'", 'null': 'True', 'to': "orm['auth.User']"}),
'blog': ('django.db.models.fields.related.ForeignKey', [], {'to': "orm['blogs.Blog']", 'null': 'True'}),
'comment': ('django.db.models.fields.TextField', [], {'max_length': '10000'}),
'comment_status': ('django.db.models.fields.CharField', [], {'default': "'pe'", 'max_length': '2'}),
'email': ('django.db.models.fields.EmailField', [], {'max_length': '75'}),
'id': ('django.db.models.fields.AutoField', [], {'primary_key': 'True'}),
'name': ('django.db.models.fields.CharField', [], {'max_length': '140'}),
'notify_me': ('django.db.models.fields.BooleanField', [], {'default': 'False'}),
'occupation': ('django.db.models.fields.CharField', [], {'max_length': '50', 'null': 'True', 'blank': 'True'}),
'post': ('django.db.models.fields.related.ForeignKey', [], {'to': "orm['blogs.Post']", 'null': 'True'}),
'website': ('django.db.models.fields.URLField', [], {'max_length': '300', 'blank': 'True'})
},
'blogs.info_email': {
'Meta': {'object_name': 'Info_email'},
'author': ('django.db.models.fields.related.ForeignKey', [], {'to': "orm['auth.User']", 'null': 'True'}),
'blog': ('django.db.models.fields.related.ForeignKey', [], {'to': "orm['blogs.Blog']", 'null': 'True'}),
'created': ('django.db.models.fields.DateTimeField', [], {'auto_now_add': 'True', 'blank': 'True'}),
'frequency': ('django.db.models.fields.CharField', [], {'default': "'We'", 'max_length': '2', 'null': 'True'}),
'id': ('django.db.models.fields.AutoField', [], {'primary_key': 'True'}),
'message': ('django.db.models.fields.TextField', [], {'max_length': '10000', 'blank': 'True'}),
'name': ('django.db.models.fields.CharField', [], {'max_length': '140', 'blank': 'True'}),
'status': ('django.db.models.fields.CharField', [], {'max_length': '2'}),
'subject': ('django.db.models.fields.TextField', [], {'max_length': '100', 'blank': 'True'}),
'subscribers': ('django.db.models.fields.CharField', [], {'default': "'A'", 'max_length': '2', 'null': 'True'})
},
'blogs.language': {
'Meta': {'object_name': 'Language'},
'id': ('django.db.models.fields.AutoField', [], {'primary_key': 'True'}),
'language_code': ('django.db.models.fields.CharField', [], {'max_length': '5'}),
'language_name': ('django.db.models.fields.CharField', [], {'max_length': '40'})
},
'blogs.menu': {
'Meta': {'object_name': 'Menu'},
'blog': ('django.db.models.fields.related.ForeignKey', [], {'related_name': "'Blog_menu'", 'null': 'True', 'to': "orm['blogs.Blog']"}),
'id': ('django.db.models.fields.AutoField', [], {'primary_key': 'True'}),
'is_main': ('django.db.models.fields.BooleanField', [], {'default': 'False'}),
'name': ('django.db.models.fields.CharField', [], {'max_length': '40'})
},
'blogs.menuitem': {
'Meta': {'object_name': 'MenuItem'},
'category': ('django.db.models.fields.related.ForeignKey', [], {'to': "orm['blogs.Category']", 'null': 'True', 'blank': 'True'}),
'external_link': ('django.db.models.fields.URLField', [], {'max_length': '140', 'blank': 'True'}),
'id': ('django.db.models.fields.AutoField', [], {'primary_key': 'True'}),
'menu': ('django.db.models.fields.related.ForeignKey', [], {'to': "orm['blogs.Menu']", 'null': 'True'}),
'page': ('django.db.models.fields.related.ForeignKey', [], {'to': "orm['blogs.Page']", 'null': 'True', 'blank': 'True'}),
'position': ('django.db.models.fields.IntegerField', [], {'null': 'True', 'blank': 'True'}),
'title': ('django.db.models.fields.CharField', [], {'max_length': '40', 'blank': 'True'})
},
'blogs.model': {
'Meta': {'object_name': 'Model'},
'blog': ('django.db.models.fields.related.ForeignKey', [], {'related_name': "'Custom_post'", 'null': 'True', 'to': "orm['blogs.Blog']"}),
'hidden': ('django.db.models.fields.BooleanField', [], {'default': 'False'}),
'id': ('django.db.models.fields.AutoField', [], {'primary_key': 'True'}),
'name': ('django.db.models.fields.CharField', [], {'max_length': '60'})
},
'blogs.modeldata': {
'Meta': {'object_name': 'ModelData'},
'id': ('django.db.models.fields.AutoField', [], {'primary_key': 'True'}),
'model': ('django.db.models.fields.related.ForeignKey', [], {'to': "orm['blogs.Model']", 'null': 'True'}),
'name': ('django.db.models.fields.CharField', [], {'default': "'Unknown'", 'max_length': '140'})
},
'blogs.modelfield': {
'Meta': {'object_name': 'ModelField'},
'id': ('django.db.models.fields.AutoField', [], {'primary_key': 'True'}),
'model': ('django.db.models.fields.related.ForeignKey', [], {'to': "orm['blogs.Model']", 'null': 'True'}),
'name': ('django.db.models.fields.CharField', [], {'max_length': '140', 'null': 'True', 'blank': 'True'}),
'post_type': ('django.db.models.fields.CharField', [], {'default': "'Text'", 'max_length': '40'}),
'rank': ('django.db.models.fields.CharField', [], {'default': "'1'", 'max_length': '2'})
},
'blogs.modelfielddata': {
'Meta': {'object_name': 'ModelFieldData'},
'date': ('django.db.models.fields.DateField', [], {'null': 'True', 'blank': 'True'}),
'email': ('django.db.models.fields.EmailField', [], {'max_length': '100', 'blank': 'True'}),
'foreign': ('django.db.models.fields.related.ForeignKey', [], {'related_name': "'foreign'", 'null': 'True', 'to': "orm['blogs.ModelData']"}),
'id': ('django.db.models.fields.AutoField', [], {'primary_key': 'True'}),
'longtext': ('django.db.models.fields.TextField', [], {'null': 'True', 'blank': 'True'}),
'model': ('django.db.models.fields.related.ForeignKey', [], {'to': "orm['blogs.Model']", 'null': 'True'}),
'model_data': ('django.db.models.fields.related.ForeignKey', [], {'to': "orm['blogs.ModelData']", 'null': 'True'}),
'model_field': ('django.db.models.fields.related.ForeignKey', [], {'to': "orm['blogs.ModelField']", 'null': 'True'}),
'nullboolean': ('django.db.models.fields.NullBooleanField', [], {'default': 'None', 'null': 'True', 'blank': 'True'}),
'onetofive': ('django.db.models.fields.CharField', [], {'max_length': '2', 'null': 'True', 'blank': 'True'}),
'positiveinteger': ('django.db.models.fields.PositiveIntegerField', [], {'null': 'True', 'blank': 'True'}),
'price': ('django.db.models.fields.DecimalField', [], {'null': 'True', 'max_digits': '6', 'decimal_places': '2', 'blank': 'True'}),
'relation': ('django.db.models.fields.related.ManyToManyField', [], {'blank': 'True', 'related_name': "'relation'", 'null': 'True', 'symmetrical': 'False', 'to': "orm['blogs.ModelData']"}),
'text': ('django.db.models.fields.CharField', [], {'max_length': '140', 'blank': 'True'}),
'url': ('django.db.models.fields.URLField', [], {'max_length': '140', 'blank': 'True'})
},
'blogs.page': {
'Meta': {'object_name': 'Page'},
'author': ('django.db.models.fields.related.ForeignKey', [], {'to': "orm['auth.User']", 'null': 'True'}),
'blog': ('django.db.models.fields.related.ForeignKey', [], {'related_name': "'Blog_page'", 'null': 'True', 'to': "orm['blogs.Blog']"}),
'content': ('django.db.models.fields.TextField', [], {'max_length': '10000', 'blank': 'True'}),
'created': ('django.db.models.fields.DateTimeField', [], {'auto_now_add': 'True', 'blank': 'True'}),
'id': ('django.db.models.fields.AutoField', [], {'primary_key': 'True'}),
'last_modified': ('django.db.models.fields.DateTimeField', [], {'auto_now': 'True', 'null': 'True', 'blank': 'True'}),
'pub_date': ('django.db.models.fields.DateTimeField', [], {'auto_now_add': 'True', 'null': 'True', 'blank': 'True'}),
'slug': ('django.db.models.fields.SlugField', [], {'max_length': '140', 'blank': 'True'}),
'status': ('django.db.models.fields.CharField', [], {'max_length': '2'}),
'title': ('django.db.models.fields.CharField', [], {'max_length': '140', 'blank': 'True'})
},
'blogs.post': {
'Meta': {'object_name': 'Post'},
'artist': ('django.db.models.fields.CharField', [], {'max_length': '140', 'blank': 'True'}),
'author': ('django.db.models.fields.related.ForeignKey', [], {'to': "orm['auth.User']", 'null': 'True'}),
'base62id': ('django.db.models.fields.CharField', [], {'max_length': '140', 'blank': 'True'}),
'blog': ('django.db.models.fields.related.ForeignKey', [], {'to': "orm['blogs.Blog']", 'null': 'True'}),
'category': ('django.db.models.fields.related.ManyToManyField', [], {'symmetrical': 'False', 'to': "orm['blogs.Category']", 'null': 'True', 'blank': 'True'}),
'content': ('django.db.models.fields.TextField', [], {'max_length': '10000', 'blank': 'True'}),
'content_0': ('django.db.models.fields.TextField', [], {'max_length': '10000', 'blank': 'True'}),
'content_01': ('django.db.models.fields.TextField', [], {'max_length': '10000', 'blank': 'True'}),
'content_1': ('django.db.models.fields.TextField', [], {'max_length': '10000', 'blank': 'True'}),
'content_2': ('django.db.models.fields.TextField', [], {'max_length': '10000', 'blank': 'True'}),
'content_3': ('django.db.models.fields.TextField', [], {'max_length': '10000', 'blank': 'True'}),
'content_4': ('django.db.models.fields.TextField', [], {'max_length': '10000', 'blank': 'True'}),
'content_5': ('django.db.models.fields.TextField', [], {'max_length': '10000', 'blank': 'True'}),
'content_6': ('django.db.models.fields.TextField', [], {'max_length': '10000', 'blank': 'True'}),
'content_video': ('django.db.models.fields.TextField', [], {'max_length': '10000', 'blank': 'True'}),
'created': ('django.db.models.fields.DateTimeField', [], {'auto_now_add': 'True', 'blank': 'True'}),
'custom_post': ('django.db.models.fields.related.ForeignKey', [], {'to': "orm['blogs.Model']", 'null': 'True', 'blank': 'True'}),
'id': ('django.db.models.fields.AutoField', [], {'primary_key': 'True'}),
'is_discarded': ('django.db.models.fields.BooleanField', [], {'default': 'False'}),
'is_ready': ('django.db.models.fields.BooleanField', [], {'default': 'True'}),
'is_sticky': ('django.db.models.fields.BooleanField', [], {'default': 'False'}),
'is_top': ('django.db.models.fields.BooleanField', [], {'default': 'False'}),
'karma': ('django.db.models.fields.IntegerField', [], {'default': '0'}),
'last_modified': ('django.db.models.fields.DateTimeField', [], {'auto_now': 'True', 'null': 'True', 'blank': 'True'}),
'layout_type': ('django.db.models.fields.CharField', [], {'default': "'s'", 'max_length': '1'}),
'message': ('django.db.models.fields.TextField', [], {'max_length': '10000', 'blank': 'True'}),
'pic': ('sorl.thumbnail.fields.ImageField', [], {'max_length': '100', 'null': 'True', 'blank': 'True'}),
'pic_0': ('sorl.thumbnail.fields.ImageField', [], {'max_length': '100', 'null': 'True', 'blank': 'True'}),
'pic_04': ('sorl.thumbnail.fields.ImageField', [], {'max_length': '100', 'null': 'True', 'blank': 'True'}),
'pic_1': ('sorl.thumbnail.fields.ImageField', [], {'max_length': '100', 'null': 'True', 'blank': 'True'}),
'pic_10': ('sorl.thumbnail.fields.ImageField', [], {'max_length': '100', 'null': 'True', 'blank': 'True'}),
'pic_11': ('sorl.thumbnail.fields.ImageField', [], {'max_length': '100', 'null': 'True', 'blank': 'True'}),
'pic_12': ('sorl.thumbnail.fields.ImageField', [], {'max_length': '100', 'null': 'True', 'blank': 'True'}),
'pic_13': ('sorl.thumbnail.fields.ImageField', [], {'max_length': '100', 'null': 'True', 'blank': 'True'}),
'pic_14': ('sorl.thumbnail.fields.ImageField', [], {'max_length': '100', 'null': 'True', 'blank': 'True'}),
'pic_15': ('sorl.thumbnail.fields.ImageField', [], {'max_length': '100', 'null': 'True', 'blank': 'True'}),
'pic_16': ('sorl.thumbnail.fields.ImageField', [], {'max_length': '100', 'null': 'True', 'blank': 'True'}),
'pic_17': ('sorl.thumbnail.fields.ImageField', [], {'max_length': '100', 'null': 'True', 'blank': 'True'}),
'pic_18': ('sorl.thumbnail.fields.ImageField', [], {'max_length': '100', 'null': 'True', 'blank': 'True'}),
'pic_19': ('sorl.thumbnail.fields.ImageField', [], {'max_length': '100', 'null': 'True', 'blank': 'True'}),
'pic_2': ('sorl.thumbnail.fields.ImageField', [], {'max_length': '100', 'null': 'True', 'blank': 'True'}),
'pic_20': ('sorl.thumbnail.fields.ImageField', [], {'max_length': '100', 'null': 'True', 'blank': 'True'}),
'pic_21': ('sorl.thumbnail.fields.ImageField', [], {'max_length': '100', 'null': 'True', 'blank': 'True'}),
'pic_22': ('sorl.thumbnail.fields.ImageField', [], {'max_length': '100', 'null': 'True', 'blank': 'True'}),
'pic_23': ('sorl.thumbnail.fields.ImageField', [], {'max_length': '100', 'null': 'True', 'blank': 'True'}),
'pic_24': ('sorl.thumbnail.fields.ImageField', [], {'max_length': '100', 'null': 'True', 'blank': 'True'}),
'pic_25': ('sorl.thumbnail.fields.ImageField', [], {'max_length': '100', 'null': 'True', 'blank': 'True'}),
'pic_26': ('sorl.thumbnail.fields.ImageField', [], {'max_length': '100', 'null': 'True', 'blank': 'True'}),
'pic_27': ('sorl.thumbnail.fields.ImageField', [], {'max_length': '100', 'null': 'True', 'blank': 'True'}),
'pic_28': ('sorl.thumbnail.fields.ImageField', [], {'max_length': '100', 'null': 'True', 'blank': 'True'}),
'pic_29': ('sorl.thumbnail.fields.ImageField', [], {'max_length': '100', 'null': 'True', 'blank': 'True'}),
'pic_3': ('sorl.thumbnail.fields.ImageField', [], {'max_length': '100', 'null': 'True', 'blank': 'True'}),
'pic_30': ('sorl.thumbnail.fields.ImageField', [], {'max_length': '100', 'null': 'True', 'blank': 'True'}),
'pic_31': ('sorl.thumbnail.fields.ImageField', [], {'max_length': '100', 'null': 'True', 'blank': 'True'}),
'pic_32': ('sorl.thumbnail.fields.ImageField', [], {'max_length': '100', 'null': 'True', 'blank': 'True'}),
'pic_33': ('sorl.thumbnail.fields.ImageField', [], {'max_length': '100', 'null': 'True', 'blank': 'True'}),
'pic_4': ('sorl.thumbnail.fields.ImageField', [], {'max_length': '100', 'null': 'True', 'blank': 'True'}),
'pic_5': ('sorl.thumbnail.fields.ImageField', [], {'max_length': '100', 'null': 'True', 'blank': 'True'}),
'pic_6': ('sorl.thumbnail.fields.ImageField', [], {'max_length': '100', 'null': 'True', 'blank': 'True'}),
'pic_7': ('sorl.thumbnail.fields.ImageField', [], {'max_length': '100', 'null': 'True', 'blank': 'True'}),
'pic_8': ('sorl.thumbnail.fields.ImageField', [], {'max_length': '100', 'null': 'True', 'blank': 'True'}),
'pic_9': ('sorl.thumbnail.fields.ImageField', [], {'max_length': '100', 'null': 'True', 'blank': 'True'}),
'pub_date': ('django.db.models.fields.DateTimeField', [], {'auto_now_add': 'True', 'null': 'True', 'blank': 'True'}),
'publish_on_facebook': ('django.db.models.fields.BooleanField', [], {'default': 'False'}),
'slug': ('django.db.models.fields.SlugField', [], {'max_length': '140', 'blank': 'True'}),
'soundcloud_id': ('django.db.models.fields.CharField', [], {'max_length': '500', 'null': 'True', 'blank': 'True'}),
'soundcloud_url': ('django.db.models.fields.URLField', [], {'max_length': '300', 'blank': 'True'}),
'source': ('django.db.models.fields.URLField', [], {'max_length': '300', 'blank': 'True'}),
'status': ('django.db.models.fields.CharField', [], {'default': "'P'", 'max_length': '2', 'null': 'True'}),
'tag': ('django.db.models.fields.related.ManyToManyField', [], {'symmetrical': 'False', 'to': "orm['blogs.Tag']", 'null': 'True', 'blank': 'True'}),
'temp_tag_field': ('django.db.models.fields.CharField', [], {'max_length': '1000', 'blank': 'True'}),
'text': ('django.db.models.fields.TextField', [], {'max_length': '10000', 'blank': 'True'}),
'title': ('django.db.models.fields.CharField', [], {'max_length': '140', 'blank': 'True'}),
'translated_content': ('django.db.models.fields.TextField', [], {'max_length': '10000', 'blank': 'True'}),
'translated_title': ('django.db.models.fields.CharField', [], {'max_length': '140', 'blank': 'True'}),
'video': ('django.db.models.fields.files.FileField', [], {'max_length': '100', 'null': 'True', 'blank': 'True'}),
'video_ogg': ('django.db.models.fields.files.FileField', [], {'max_length': '100', 'null': 'True', 'blank': 'True'}),
'video_url': ('django.db.models.fields.URLField', [], {'max_length': '300', 'blank': 'True'}),
'views': ('django.db.models.fields.IntegerField', [], {'default': '0', 'blank': 'True'}),
'vimeo_id': ('django.db.models.fields.CharField', [], {'max_length': '50', 'null': 'True', 'blank': 'True'}),
'vimeo_thumb_url': ('django.db.models.fields.URLField', [], {'max_length': '300', 'blank': 'True'}),
'youtube_id': ('django.db.models.fields.CharField', [], {'max_length': '50', 'null': 'True', 'blank': 'True'})
},
'blogs.rss': {
'Meta': {'object_name': 'Rss'},
'blog': ('django.db.models.fields.related.ForeignKey', [], {'related_name': "'Blog_rss'", 'null': 'True', 'to': "orm['blogs.Blog']"}),
'feed_url': ('django.db.models.fields.URLField', [], {'max_length': '300', 'blank': 'True'}),
'id': ('django.db.models.fields.AutoField', [], {'primary_key': 'True'})
},
'blogs.subscription': {
'Meta': {'object_name': 'Subscription'},
'blog': ('django.db.models.fields.related.ForeignKey', [], {'to': "orm['blogs.Blog']", 'null': 'True'}),
'email': ('django.db.models.fields.EmailField', [], {'max_length': '75'}),
'id': ('django.db.models.fields.AutoField', [], {'primary_key': 'True'}),
'is_new': ('django.db.models.fields.BooleanField', [], {'default': 'True'})
},
'blogs.subuser': {
'Meta': {'object_name': 'Subuser'},
'blog': ('django.db.models.fields.related.ForeignKey', [], {'related_name': "'Blog_user'", 'null': 'True', 'to': "orm['blogs.Blog']"}),
'email': ('django.db.models.fields.EmailField', [], {'max_length': '75', 'null': 'True', 'blank': 'True'}),
'id': ('django.db.models.fields.AutoField', [], {'primary_key': 'True'}),
'password': ('django.db.models.fields.CharField', [], {'max_length': '40'}),
'username': ('django.db.models.fields.CharField', [], {'unique': 'True', 'max_length': '40'})
},
'blogs.tag': {
'Meta': {'object_name': 'Tag'},
'author': ('django.db.models.fields.related.ForeignKey', [], {'to': "orm['auth.User']"}),
'blog': ('django.db.models.fields.related.ForeignKey', [], {'related_name': "'Blog_tag'", 'null': 'True', 'to': "orm['blogs.Blog']"}),
'created': ('django.db.models.fields.DateTimeField', [], {'auto_now_add': 'True', 'null': 'True', 'blank': 'True'}),
'description': ('django.db.models.fields.CharField', [], {'max_length': '1000', 'null': 'True', 'blank': 'True'}),
'id': ('django.db.models.fields.AutoField', [], {'primary_key': 'True'}),
'name': ('django.db.models.fields.CharField', [], {'max_length': '140', 'null': 'True', 'blank': 'True'}),
'slug': ('django.db.models.fields.SlugField', [], {'max_length': '140', 'blank': 'True'})
},
'blogs.template': {
'Meta': {'object_name': 'Template'},
'archives': ('django.db.models.fields.TextField', [], {'max_length': '10000', 'blank': 'True'}),
'base': ('django.db.models.fields.TextField', [], {'max_length': '10000', 'blank': 'True'}),
'category': ('django.db.models.fields.TextField', [], {'max_length': '10000', 'blank': 'True'}),
'id': ('django.db.models.fields.AutoField', [], {'primary_key': 'True'}),
'name': ('django.db.models.fields.CharField', [], {'max_length': '60'}),
'single': ('django.db.models.fields.TextField', [], {'max_length': '10000', 'blank': 'True'})
},
'blogs.translation': {
'Meta': {'object_name': 'Translation'},
'id': ('django.db.models.fields.AutoField', [], {'primary_key': 'True'}),
'name': ('django.db.models.fields.CharField', [], {'max_length': '40'}),
'origin_blog': ('django.db.models.fields.related.ForeignKey', [], {'related_name': "'Translation_origin_blog'", 'null': 'True', 'to': "orm['blogs.Blog']"}),
'translated_blog': ('django.db.models.fields.related.ForeignKey', [], {'related_name': "'Translation_translated_blog'", 'null': 'True', 'to': "orm['blogs.Blog']"})
},
'contenttypes.contenttype': {
'Meta': {'ordering': "('name',)", 'unique_together': "(('app_label', 'model'),)", 'object_name': 'ContentType', 'db_table': "'django_content_type'"},
'app_label': ('django.db.models.fields.CharField', [], {'max_length': '100'}),
'id': ('django.db.models.fields.AutoField', [], {'primary_key': 'True'}),
'model': ('django.db.models.fields.CharField', [], {'max_length': '100'}),
'name': ('django.db.models.fields.CharField', [], {'max_length': '100'})
}
}
complete_apps = ['blogs'] | carquois/blobon | blobon/blogs/migrations/0125_auto__chg_field_modelfielddata_foreign.py | Python | mit | 31,918 |
import filecmp
from transfert import Resource
from transfert.actions import copy
def estimate_nb_cycles(len_data, chunk_size):
return (len_data // chunk_size) + [0, 1][(len_data % chunk_size) > 0]
def test_simple_local_copy(tmpdir):
src = tmpdir.join('alpha')
dst = tmpdir.join('beta')
src.write('some data')
assert src.check()
assert not dst.check()
copy(Resource('file://' + src.strpath),
Resource('file://' + dst.strpath))
assert src.check()
assert dst.check()
assert filecmp.cmp(src.strpath, dst.strpath)
def test_simple_local_copy_with_callback(tmpdir):
def wrapper(size):
nonlocal count
count += 1
count = 0
src = tmpdir.join('alpha')
dst = tmpdir.join('beta')
data = b'some data'
src.write(data)
chunk_size = 1
assert src.check()
assert not dst.check()
copy(Resource('file://' + src.strpath),
Resource('file://' + dst.strpath,),
size=chunk_size,
callback_freq=1,
callback=wrapper)
assert src.check()
assert dst.check()
assert filecmp.cmp(src.strpath, dst.strpath)
assert count == estimate_nb_cycles(len(data), chunk_size)
dst.remove()
count = 0
chunk_size = 2
assert src.check()
assert not dst.check()
copy(Resource('file://' + src.strpath),
Resource('file://' + dst.strpath,),
size=chunk_size,
callback_freq=1,
callback=wrapper)
assert src.check()
assert dst.check()
assert filecmp.cmp(src.strpath, dst.strpath)
assert count == estimate_nb_cycles(len(data), chunk_size)
| rbernand/transfert | tests/unit/test_copy.py | Python | mit | 1,619 |
import json
from django.db.models import Q, Subquery
from django.core.management.base import BaseCommand
from readthedocs.oauth.models import RemoteRepository
from readthedocs.oauth.services import registry
from readthedocs.oauth.services.base import SyncServiceError
from readthedocs.projects.models import Project
from readthedocs.organizations.models import Organization
class Command(BaseCommand):
help = "Re-connect RemoteRepository to Project"
def add_arguments(self, parser):
parser.add_argument('organization', nargs='+', type=str)
parser.add_argument(
'--no-dry-run',
action='store_true',
default=False,
help='Update database with the changes proposed.',
)
# If owners does not have their RemoteRepository synced, it could
# happen we don't find a matching Project (see --force-owners-social-resync)
parser.add_argument(
'--only-owners',
action='store_true',
default=False,
help='Connect repositories only to organization owners.',
)
parser.add_argument(
'--force-owners-social-resync',
action='store_true',
default=False,
help='Force to re-sync RemoteRepository for organization owners.',
)
def _force_owners_social_resync(self, organization):
for owner in organization.owners.all():
for service_cls in registry:
for service in service_cls.for_user(owner):
try:
service.sync()
except SyncServiceError:
print(f'Service {service} failed while syncing. Skipping...')
def _connect_repositories(self, organization, no_dry_run, only_owners):
connected_projects = []
# TODO: consider using same login than RemoteRepository.matches method
# https://github.com/readthedocs/readthedocs.org/blob/49b03f298b6105d755554f7dc7e97a3398f7066f/readthedocs/oauth/models.py#L185-L194
remote_query = (
Q(ssh_url__in=Subquery(organization.projects.values('repo'))) |
Q(clone_url__in=Subquery(organization.projects.values('repo')))
)
for remote in RemoteRepository.objects.filter(remote_query).order_by('created'):
admin = json.loads(remote.json).get('permissions', {}).get('admin')
if only_owners and remote.users.first() not in organization.owners.all():
# Do not connect a RemoteRepository if the User is not owner of the organization
continue
if not admin:
# Do not connect a RemoteRepository where the User is not admin of the repository
continue
if not organization.users.filter(username=remote.users.first().username).exists():
# Do not connect a RemoteRepository if the use does not belong to the organization
continue
# Projects matching
# - RemoteRepository URL
# - are under the Organization
# - not connected to a RemoteRepository already
# - was not connected previously by this call to the script
projects = Project.objects.filter(
Q(repo=remote.ssh_url) | Q(repo=remote.clone_url),
organizations__in=[organization.pk],
remote_repository__isnull=True
).exclude(slug__in=connected_projects)
for project in projects:
connected_projects.append(project.slug)
if no_dry_run:
remote.project = project
remote.save()
print(f'{project.slug: <40} {remote.pk: <10} {remote.html_url: <60} {remote.users.first().username: <20} {admin: <5}') # noqa
print('Total:', len(connected_projects))
if not no_dry_run:
print(
'Changes WERE NOT applied to the database. '
'Run it with --no-dry-run to save the changes.'
)
def handle(self, *args, **options):
no_dry_run = options.get('no_dry_run')
only_owners = options.get('only_owners')
force_owners_social_resync = options.get('force_owners_social_resync')
for organization in options.get('organization'):
try:
organization = Organization.objects.get(slug=organization)
if force_owners_social_resync:
self._force_owners_social_resync(organization)
self._connect_repositories(organization, no_dry_run, only_owners)
except Organization.DoesNotExist:
print(f'Organization does not exist. organization={organization}')
| rtfd/readthedocs.org | readthedocs/oauth/management/commands/reconnect_remoterepositories.py | Python | mit | 4,783 |
'''
@author: [email protected]
A pure python ping implementation using raw socket.
Note that ICMP messages can only be sent from processes running as root.
Inspired by Matthew Dixon Cowles <http://www.visi.com/~mdc/>.
'''
import os
import select
import socket
import struct
import time
class Ping:
''' Power On State Pint Utility (3rdparty)'''
def __init__(self):
self.ICMP_ECHO_REQUEST = 8
def checksum(self, source_string):
summ = 0
count_to = (len(source_string)/2)*2
for count in xrange(0, count_to, 2):
this = ord(source_string[count+1]) * 256 + ord(source_string[count])
summ = summ + this
summ = summ & 0xffffffff
if count_to < len(source_string):
summ = summ + ord(source_string[len(source_string)-1])
summ = summ & 0xffffffff
summ = (summ >> 16) + (summ & 0xffff)
summ = summ + (summ >> 16)
answer = ~summ
answer = answer & 0xffff
# Swap bytes
answer = answer >> 8 | (answer << 8 & 0xff00)
return answer
def receive_one_ping(self, my_socket, idd, timeout):
'''Receive the ping from the socket'''
time_left = timeout
while True:
started_select = time.time()
what_ready = select.select([my_socket], [], [], time_left)
how_long_in_select = (time.time() - started_select)
if what_ready[0] == []: # Timeout
return
time_received = time.time()
received_packet, addr = my_socket.recvfrom(1024)
icmpHeader = received_packet[20:28]
type, code, checksum, packet_id, sequence = struct.unpack("bbHHh", icmpHeader)
if packet_id == idd:
bytess = struct.calcsize("d")
time_sent = struct.unpack("d", received_packet[28:28 + bytess])[0]
return time_received - time_sent
time_left = time_left - how_long_in_select
if time_left <= 0:
return
def send_one_ping(self, my_socket, dest_addr, idd, psize):
'''Send one ping to the given address'''
dest_addr = socket.gethostbyname(dest_addr)
# Remove header size from packet size
psize = psize - 8
# Header is type (8), code (8), checksum (16), id (16), sequence (16)
my_checksum = 0
# Make a dummy header with a 0 checksum
header = struct.pack("bbHHh", self.ICMP_ECHO_REQUEST, 0, my_checksum, idd, 1)
bytess = struct.calcsize("d")
data = (psize - bytess) * "Q"
data = struct.pack("d", time.time()) + data
# Calculate the checksum on the data and the dummy header
my_checksum = self.checksum(header+data)
# Now that we have the right checksum, we put that in. It's just easier
# to make up a new header than to stuff it into the dummy
header = struct.pack("bbHHh", self.ICMP_ECHO_REQUEST, 0, socket.htons(my_checksum), idd, 1)
packet = header + data
my_socket.sendto(packet, (dest_addr, 1)) # Don't know about the 1
def do_one(self, dest_addr, timeout, psize):
'''Returns either the delay (in seconds) or none on timeout'''
icmp = socket.getprotobyname("icmp")
try:
my_socket = socket.socket(socket.AF_INET, socket.SOCK_RAW, icmp)
except socket.errno, (errno, msg):
if errno == 1:
# Operation not permitted
msg = msg + (
" - Note that ICMP messages can only be sent from processes"
" running as root."
)
raise socket.error(msg)
my_id = os.getpid() & 0xFFFF
self.send_one_ping(my_socket, dest_addr, my_id, psize)
delay = self.receive_one_ping(my_socket, my_id, timeout)
my_socket.close()
return delay
def verbose_ping(self, dest_addr, timeout = 2, count = 4, psize = 64):
'''
Send 'count' ping with 'psize' size to 'dest_addr' with
the given 'timeout' and display the result
'''
for i in xrange(count):
print 'ping %s with ...' % dest_addr
try:
delay = self.do_one(dest_addr, timeout, psize)
except socket.gaierror, e:
print 'FAILED. (socket error: "%s")' % e[1]
break
if delay == None:
print 'FAILED. (timeout within %ssec.)' % timeout
else:
delay = delay * 1000
print 'get ping in %0.4fms' % delay
print
def quiet_ping(self, dest_addr, timeout = 2, count = 4, psize = 64):
'''
Send 'count' pint with 'psize' size to 'dest_addr' with
the given 'timeout' and display the result.
Returns 'percent' lost packages, 'max' round trip time
and 'avg' round trip time.
'''
mrtt = None
artt = None
plist = []
for i in xrange(count):
try:
delay = self.do_one(dest_addr, timeout, psize)
except socket.gaierror, e:
print 'FAILED. (socket error: "%s")' % e[1]
break
if delay != None:
delay = delay * 1000
plist.append(delay)
# Find lost package percent
percent_lost = 100 - (len(plist)*100/count)
# Find max and avg round trip time
if plist:
mrtt = max(plist)
artt = sum(plist)/len(plist)
return percent_lost, mrtt, artt | ylcrow/poweron | src/thirdparty/Ping.py | Python | mit | 5,859 |
# coding=utf-8
# --------------------------------------------------------------------------
# Copyright (c) Microsoft Corporation. All rights reserved.
# Licensed under the MIT License. See License.txt in the project root for license information.
# Code generated by Microsoft (R) AutoRest Code Generator.
# Changes may cause incorrect behavior and will be lost if the code is regenerated.
# --------------------------------------------------------------------------
from typing import Any, AsyncIterable, Callable, Dict, Generic, Optional, TypeVar
import warnings
from azure.core.async_paging import AsyncItemPaged, AsyncList
from azure.core.exceptions import ClientAuthenticationError, HttpResponseError, ResourceExistsError, ResourceNotFoundError, map_error
from azure.core.pipeline import PipelineResponse
from azure.core.pipeline.transport import AsyncHttpResponse, HttpRequest
from azure.mgmt.core.exceptions import ARMErrorFormat
from ... import models as _models
T = TypeVar('T')
ClsType = Optional[Callable[[PipelineResponse[HttpRequest, AsyncHttpResponse], T, Dict[str, Any]], Any]]
class PrivateLinkResourcesOperations:
"""PrivateLinkResourcesOperations async operations.
You should not instantiate this class directly. Instead, you should create a Client instance that
instantiates it for you and attaches it as an attribute.
:ivar models: Alias to model classes used in this operation group.
:type models: ~device_update.models
:param client: Client for service requests.
:param config: Configuration of service client.
:param serializer: An object model serializer.
:param deserializer: An object model deserializer.
"""
models = _models
def __init__(self, client, config, serializer, deserializer) -> None:
self._client = client
self._serialize = serializer
self._deserialize = deserializer
self._config = config
def list_by_account(
self,
resource_group_name: str,
account_name: str,
**kwargs: Any
) -> AsyncIterable["_models.PrivateLinkResourceListResult"]:
"""List all private link resources in a device update account.
:param resource_group_name: The resource group name.
:type resource_group_name: str
:param account_name: Account name.
:type account_name: str
:keyword callable cls: A custom type or function that will be passed the direct response
:return: An iterator like instance of either PrivateLinkResourceListResult or the result of cls(response)
:rtype: ~azure.core.async_paging.AsyncItemPaged[~device_update.models.PrivateLinkResourceListResult]
:raises: ~azure.core.exceptions.HttpResponseError
"""
cls = kwargs.pop('cls', None) # type: ClsType["_models.PrivateLinkResourceListResult"]
error_map = {
401: ClientAuthenticationError, 404: ResourceNotFoundError, 409: ResourceExistsError
}
error_map.update(kwargs.pop('error_map', {}))
api_version = "2020-03-01-preview"
accept = "application/json"
def prepare_request(next_link=None):
# Construct headers
header_parameters = {} # type: Dict[str, Any]
header_parameters['Accept'] = self._serialize.header("accept", accept, 'str')
if not next_link:
# Construct URL
url = self.list_by_account.metadata['url'] # type: ignore
path_format_arguments = {
'subscriptionId': self._serialize.url("self._config.subscription_id", self._config.subscription_id, 'str'),
'resourceGroupName': self._serialize.url("resource_group_name", resource_group_name, 'str'),
'accountName': self._serialize.url("account_name", account_name, 'str', max_length=24, min_length=3, pattern=r'^[A-Za-z0-9]+(-[A-Za-z0-9]+)*$'),
}
url = self._client.format_url(url, **path_format_arguments)
# Construct parameters
query_parameters = {} # type: Dict[str, Any]
query_parameters['api-version'] = self._serialize.query("api_version", api_version, 'str')
request = self._client.get(url, query_parameters, header_parameters)
else:
url = next_link
query_parameters = {} # type: Dict[str, Any]
request = self._client.get(url, query_parameters, header_parameters)
return request
async def extract_data(pipeline_response):
deserialized = self._deserialize('PrivateLinkResourceListResult', pipeline_response)
list_of_elem = deserialized.value
if cls:
list_of_elem = cls(list_of_elem)
return None, AsyncList(list_of_elem)
async def get_next(next_link=None):
request = prepare_request(next_link)
pipeline_response = await self._client._pipeline.run(request, stream=False, **kwargs)
response = pipeline_response.http_response
if response.status_code not in [200]:
error = self._deserialize.failsafe_deserialize(_models.ErrorResponse, response)
map_error(status_code=response.status_code, response=response, error_map=error_map)
raise HttpResponseError(response=response, model=error, error_format=ARMErrorFormat)
return pipeline_response
return AsyncItemPaged(
get_next, extract_data
)
list_by_account.metadata = {'url': '/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DeviceUpdate/accounts/{accountName}/privateLinkResources'} # type: ignore
async def get(
self,
resource_group_name: str,
account_name: str,
group_id: str,
**kwargs: Any
) -> "_models.GroupInformation":
"""Get the specified private link resource associated with the device update account.
:param resource_group_name: The resource group name.
:type resource_group_name: str
:param account_name: Account name.
:type account_name: str
:param group_id: The group ID of the private link resource.
:type group_id: str
:keyword callable cls: A custom type or function that will be passed the direct response
:return: GroupInformation, or the result of cls(response)
:rtype: ~device_update.models.GroupInformation
:raises: ~azure.core.exceptions.HttpResponseError
"""
cls = kwargs.pop('cls', None) # type: ClsType["_models.GroupInformation"]
error_map = {
401: ClientAuthenticationError, 404: ResourceNotFoundError, 409: ResourceExistsError
}
error_map.update(kwargs.pop('error_map', {}))
api_version = "2020-03-01-preview"
accept = "application/json"
# Construct URL
url = self.get.metadata['url'] # type: ignore
path_format_arguments = {
'subscriptionId': self._serialize.url("self._config.subscription_id", self._config.subscription_id, 'str'),
'resourceGroupName': self._serialize.url("resource_group_name", resource_group_name, 'str'),
'accountName': self._serialize.url("account_name", account_name, 'str', max_length=24, min_length=3, pattern=r'^[A-Za-z0-9]+(-[A-Za-z0-9]+)*$'),
'groupId': self._serialize.url("group_id", group_id, 'str'),
}
url = self._client.format_url(url, **path_format_arguments)
# Construct parameters
query_parameters = {} # type: Dict[str, Any]
query_parameters['api-version'] = self._serialize.query("api_version", api_version, 'str')
# Construct headers
header_parameters = {} # type: Dict[str, Any]
header_parameters['Accept'] = self._serialize.header("accept", accept, 'str')
request = self._client.get(url, query_parameters, header_parameters)
pipeline_response = await self._client._pipeline.run(request, stream=False, **kwargs)
response = pipeline_response.http_response
if response.status_code not in [200]:
map_error(status_code=response.status_code, response=response, error_map=error_map)
error = self._deserialize.failsafe_deserialize(_models.ErrorResponse, response)
raise HttpResponseError(response=response, model=error, error_format=ARMErrorFormat)
deserialized = self._deserialize('GroupInformation', pipeline_response)
if cls:
return cls(pipeline_response, deserialized, {})
return deserialized
get.metadata = {'url': '/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DeviceUpdate/accounts/{accountName}/privateLinkResources/{groupId}'} # type: ignore
| Azure/azure-sdk-for-python | sdk/deviceupdate/azure-mgmt-deviceupdate/azure/mgmt/deviceupdate/aio/operations/_private_link_resources_operations.py | Python | mit | 8,870 |
#!/usr/bin/env python
#*****************************************************************************
# $Id$
#
# Project: OpenGIS Simple Features Reference Implementation
# Purpose: Python port of a simple client for viewing OGR driver data.
# Author: Even Rouault, <even dot rouault at mines dash paris dot org>
#
# Port from ogrinfo.cpp whose author is Frank Warmerdam
#
#*****************************************************************************
# Copyright (c) 2010-2013, Even Rouault <even dot rouault at mines-paris dot org>
# Copyright (c) 1999, Frank Warmerdam
#
# Permission is hereby granted, free of charge, to any person obtaining a
# copy of this software and associated documentation files (the "Software"),
# to deal in the Software without restriction, including without limitation
# the rights to use, copy, modify, merge, publish, distribute, sublicense,
# and/or sell copies of the Software, and to permit persons to whom the
# Software is furnished to do so, subject to the following conditions:
#
# The above copyright notice and this permission notice shall be included
# in all copies or substantial portions of the Software.
#
# THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS
# OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
# FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL
# THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
# LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING
# FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER
# DEALINGS IN THE SOFTWARE.
#***************************************************************************/
# Note : this is the most direct port of ogrinfo.cpp possible
# It could be made much more Python'ish !
import sys
from osgeo import gdal
from osgeo import ogr
bReadOnly = False
bVerbose = True
bSummaryOnly = False
nFetchFID = ogr.NullFID
papszOptions = None
def EQUAL(a, b):
return a.lower() == b.lower()
#**********************************************************************
# main()
#**********************************************************************
def main(argv = None):
global bReadOnly
global bVerbose
global bSummaryOnly
global nFetchFID
global papszOptions
layerlist=[]
pszWHERE = None
pszDataSource = None
papszLayers = None
poSpatialFilter = None
nRepeatCount = 1
bAllLayers = False
pszSQLStatement = None
pszDialect = None
options = {}
pszGeomField = None
if argv is None:
argv = sys.argv
argv = ogr.GeneralCmdLineProcessor( argv )
# --------------------------------------------------------------------
# Processing command line arguments.
# --------------------------------------------------------------------
if argv is None:
return 1
nArgc = len(argv)
iArg = 1
while iArg < nArgc:
if EQUAL(argv[iArg],"--utility_version"):
print("%s is running against GDAL %s" %
(argv[0], gdal.VersionInfo("RELEASE_NAME")))
return 0
elif EQUAL(argv[iArg],"-ro"):
bReadOnly = True
elif EQUAL(argv[iArg],"-q") or EQUAL(argv[iArg],"-quiet"):
bVerbose = False
elif EQUAL(argv[iArg],"-fid") and iArg < nArgc-1:
iArg = iArg + 1
nFetchFID = int(argv[iArg])
elif EQUAL(argv[iArg],"-spat") and iArg + 4 < nArgc:
oRing = ogr.Geometry(ogr.wkbLinearRing)
oRing.AddPoint( float(argv[iArg+1]), float(argv[iArg+2]) )
oRing.AddPoint( float(argv[iArg+1]), float(argv[iArg+4]) )
oRing.AddPoint( float(argv[iArg+3]), float(argv[iArg+4]) )
oRing.AddPoint( float(argv[iArg+3]), float(argv[iArg+2]) )
oRing.AddPoint( float(argv[iArg+1]), float(argv[iArg+2]) )
poSpatialFilter = ogr.Geometry(ogr.wkbPolygon)
poSpatialFilter.AddGeometry(oRing)
iArg = iArg + 4
elif EQUAL(argv[iArg],"-geomfield") and iArg < nArgc-1:
iArg = iArg + 1
pszGeomField = argv[iArg]
elif EQUAL(argv[iArg],"-where") and iArg < nArgc-1:
iArg = iArg + 1
pszWHERE = argv[iArg]
elif EQUAL(argv[iArg],"-sql") and iArg < nArgc-1:
iArg = iArg + 1
pszSQLStatement = argv[iArg]
elif EQUAL(argv[iArg],"-dialect") and iArg < nArgc-1:
iArg = iArg + 1
pszDialect = argv[iArg]
elif EQUAL(argv[iArg],"-rc") and iArg < nArgc-1:
iArg = iArg + 1
nRepeatCount = int(argv[iArg])
elif EQUAL(argv[iArg],"-al"):
bAllLayers = True
elif EQUAL(argv[iArg],"-so") or EQUAL(argv[iArg],"-summary"):
bSummaryOnly = True
elif len(argv[iArg]) > 8 and EQUAL(argv[iArg][0:8],"-fields="):
options['DISPLAY_FIELDS'] = argv[iArg][7:len(argv[iArg])]
elif len(argv[iArg]) > 6 and EQUAL(argv[iArg][0:6],"-geom="):
options['DISPLAY_GEOMETRY'] = argv[iArg][6:len(argv[iArg])]
elif argv[iArg][0] == '-':
return Usage()
elif pszDataSource is None:
pszDataSource = argv[iArg]
else:
if papszLayers is None:
papszLayers = []
papszLayers.append( argv[iArg] )
bAllLayers = False
iArg = iArg + 1
if pszDataSource is None:
return Usage()
# --------------------------------------------------------------------
# Open data source.
# --------------------------------------------------------------------
poDS = None
poDriver = None
poDS = ogr.Open( pszDataSource, not bReadOnly )
if poDS is None and not bReadOnly:
poDS = ogr.Open( pszDataSource, False )
if poDS is not None and bVerbose:
#print( "Had to open data source read-only." )
bReadOnly = True
# --------------------------------------------------------------------
# Report failure.
# --------------------------------------------------------------------
if poDS is None:
print( "FAILURE:\n"
"Unable to open datasource `%s' with the following drivers." % pszDataSource )
for iDriver in range(ogr.GetDriverCount()):
print( " -> %s" % ogr.GetDriver(iDriver).GetName() )
return 1
poDriver = poDS.GetDriver()
# --------------------------------------------------------------------
# Some information messages.
# --------------------------------------------------------------------
if bVerbose:
print( "INFO: Open of `%s'\n"
" using driver `%s' successful." % (pszDataSource, poDriver.GetName()) )
poDS_Name = poDS.GetName()
if str(type(pszDataSource)) == "<type 'unicode'>" and str(type(poDS_Name)) == "<type 'str'>":
poDS_Name = poDS_Name.decode("utf8")
if bVerbose and pszDataSource != poDS_Name:
print( "INFO: Internal data source name `%s'\n"
" different from user name `%s'." % (poDS_Name, pszDataSource ))
# --------------------------------------------------------------------
# Special case for -sql clause. No source layers required.
# --------------------------------------------------------------------
if pszSQLStatement is not None:
poResultSet = None
nRepeatCount = 0 #// skip layer reporting.
if papszLayers is not None:
print( "layer names ignored in combination with -sql." )
if pszGeomField is None:
poResultSet = poDS.ExecuteSQL( pszSQLStatement, poSpatialFilter,
pszDialect )
else:
poResultSet = poDS.ExecuteSQL( pszSQLStatement, None, pszDialect )
if poResultSet is not None:
if pszWHERE is not None:
if poResultSet.SetAttributeFilter( pszWHERE ) != 0:
print("FAILURE: SetAttributeFilter(%s) failed." % pszWHERE)
return 1
if pszGeomField is not None:
ReportOnLayer( poResultSet, None, pszGeomField, poSpatialFilter, options )
else:
ReportOnLayer( poResultSet, None, None, None, options )
poDS.ReleaseResultSet( poResultSet )
#gdal.Debug( "OGR", "GetLayerCount() = %d\n", poDS.GetLayerCount() )
for iRepeat in range(nRepeatCount):
if papszLayers is None:
# --------------------------------------------------------------------
# Process each data source layer.
# --------------------------------------------------------------------
for iLayer in range(poDS.GetLayerCount()):
poLayer = poDS.GetLayer(iLayer)
if poLayer is None:
print( "FAILURE: Couldn't fetch advertised layer %d!" % iLayer )
return 1
if not bAllLayers:
line = "%d: %s" % (iLayer+1, poLayer.GetLayerDefn().GetName())
# added by hep-ml
layerlist.append(poLayer.GetLayerDefn().GetName())
nGeomFieldCount = poLayer.GetLayerDefn().GetGeomFieldCount()
if nGeomFieldCount > 1:
line = line + " ("
for iGeom in range(nGeomFieldCount):
if iGeom > 0:
line = line + ", "
poGFldDefn = poLayer.GetLayerDefn().GetGeomFieldDefn(iGeom)
line = line + "%s" % ogr.GeometryTypeToName( poGFldDefn.GetType() )
line = line + ")"
if poLayer.GetLayerDefn().GetGeomType() != ogr.wkbUnknown:
line = line + " (%s)" % ogr.GeometryTypeToName( poLayer.GetLayerDefn().GetGeomType() )
print(line)
else:
if iRepeat != 0:
poLayer.ResetReading()
ReportOnLayer( poLayer, pszWHERE, pszGeomField, poSpatialFilter, options )
else:
# --------------------------------------------------------------------
# Process specified data source layers.
# --------------------------------------------------------------------
for papszIter in papszLayers:
poLayer = poDS.GetLayerByName(papszIter)
if poLayer is None:
print( "FAILURE: Couldn't fetch requested layer %s!" % papszIter )
return 1
if iRepeat != 0:
poLayer.ResetReading()
ReportOnLayer( poLayer, pszWHERE, pszGeomField, poSpatialFilter, options )
# --------------------------------------------------------------------
# Close down.
# --------------------------------------------------------------------
poDS.Destroy()
return layerlist
#**********************************************************************
# Usage()
#**********************************************************************
def Usage():
print( "Usage: ogrinfo [--help-general] [-ro] [-q] [-where restricted_where]\n"
" [-spat xmin ymin xmax ymax] [-geomfield field] [-fid fid]\n"
" [-sql statement] [-al] [-so] [-fields={YES/NO}]\n"
" [-geom={YES/NO/SUMMARY}][--formats]\n"
" datasource_name [layer [layer ...]]")
return 1
#**********************************************************************
# ReportOnLayer()
#**********************************************************************
def ReportOnLayer( poLayer, pszWHERE, pszGeomField, poSpatialFilter, options ):
poDefn = poLayer.GetLayerDefn()
# --------------------------------------------------------------------
# Set filters if provided.
# --------------------------------------------------------------------
if pszWHERE is not None:
if poLayer.SetAttributeFilter( pszWHERE ) != 0:
print("FAILURE: SetAttributeFilter(%s) failed." % pszWHERE)
return
if poSpatialFilter is not None:
if pszGeomField is not None:
iGeomField = poLayer.GetLayerDefn().GetGeomFieldIndex(pszGeomField)
if iGeomField >= 0:
poLayer.SetSpatialFilter( iGeomField, poSpatialFilter )
else:
print("WARNING: Cannot find geometry field %s." % pszGeomField)
else:
poLayer.SetSpatialFilter( poSpatialFilter )
# --------------------------------------------------------------------
# Report various overall information.
# --------------------------------------------------------------------
print( "" )
print( "Layer name: %s" % poDefn.GetName() )
if bVerbose:
nGeomFieldCount = poLayer.GetLayerDefn().GetGeomFieldCount()
if nGeomFieldCount > 1:
for iGeom in range(nGeomFieldCount):
poGFldDefn = poLayer.GetLayerDefn().GetGeomFieldDefn(iGeom)
print( "Geometry (%s): %s" % (poGFldDefn.GetNameRef(), ogr.GeometryTypeToName( poGFldDefn.GetType() ) ))
else:
print( "Geometry: %s" % ogr.GeometryTypeToName( poDefn.GetGeomType() ) )
print( "Feature Count: %d" % poLayer.GetFeatureCount() )
if nGeomFieldCount > 1:
for iGeom in range(nGeomFieldCount):
poGFldDefn = poLayer.GetLayerDefn().GetGeomFieldDefn(iGeom)
oExt = poLayer.GetExtent(True, geom_field = iGeom, can_return_null = True)
if oExt is not None:
print("Extent (%s): (%f, %f) - (%f, %f)" % (poGFldDefn.GetNameRef(), oExt[0], oExt[2], oExt[1], oExt[3]))
else:
oExt = poLayer.GetExtent(True, can_return_null = True)
if oExt is not None:
print("Extent: (%f, %f) - (%f, %f)" % (oExt[0], oExt[2], oExt[1], oExt[3]))
if nGeomFieldCount > 1:
for iGeom in range(nGeomFieldCount):
poGFldDefn = poLayer.GetLayerDefn().GetGeomFieldDefn(iGeom)
if poGFldDefn.GetSpatialRef() is None:
pszWKT = "(unknown)"
else:
pszWKT = poGFldDefn.GetSpatialRef().ExportToPrettyWkt()
print( "SRS WKT (%s):\n%s" % (poGFldDefn.GetNameRef(), pszWKT) )
else:
if poLayer.GetSpatialRef() is None:
pszWKT = "(unknown)"
else:
pszWKT = poLayer.GetSpatialRef().ExportToPrettyWkt()
print( "Layer SRS WKT:\n%s" % pszWKT )
if len(poLayer.GetFIDColumn()) > 0:
print( "FID Column = %s" % poLayer.GetFIDColumn() )
if nGeomFieldCount > 1:
for iGeom in range(nGeomFieldCount):
poGFldDefn = poLayer.GetLayerDefn().GetGeomFieldDefn(iGeom)
print( "Geometry Column %d = %s" % (iGeom + 1, poGFldDefn.GetNameRef() ))
else:
if len(poLayer.GetGeometryColumn()) > 0:
print( "Geometry Column = %s" % poLayer.GetGeometryColumn() )
for iAttr in range(poDefn.GetFieldCount()):
poField = poDefn.GetFieldDefn( iAttr )
print( "%s: %s (%d.%d)" % ( \
poField.GetNameRef(), \
poField.GetFieldTypeName( poField.GetType() ), \
poField.GetWidth(), \
poField.GetPrecision() ))
# --------------------------------------------------------------------
# Read, and dump features.
# --------------------------------------------------------------------
poFeature = None
if nFetchFID == ogr.NullFID and not bSummaryOnly:
poFeature = poLayer.GetNextFeature()
while poFeature is not None:
DumpReadableFeature(poFeature, options)
poFeature = poLayer.GetNextFeature()
elif nFetchFID != ogr.NullFID:
poFeature = poLayer.GetFeature( nFetchFID )
if poFeature is None:
print( "Unable to locate feature id %d on this layer." % nFetchFID )
else:
DumpReadableFeature(poFeature, options)
return
def DumpReadableFeature( poFeature, options = None ):
poDefn = poFeature.GetDefnRef()
print("OGRFeature(%s):%ld" % (poDefn.GetName(), poFeature.GetFID() ))
if 'DISPLAY_FIELDS' not in options or EQUAL(options['DISPLAY_FIELDS'], 'yes'):
for iField in range(poDefn.GetFieldCount()):
poFDefn = poDefn.GetFieldDefn(iField)
line = " %s (%s) = " % ( \
poFDefn.GetNameRef(), \
ogr.GetFieldTypeName(poFDefn.GetType()) )
if poFeature.IsFieldSet( iField ):
try:
line = line + "%s" % (poFeature.GetFieldAsString( iField ) )
except:
# For Python3 on non-UTF8 strings
line = line + "%s" % (poFeature.GetFieldAsBinary( iField ) )
else:
line = line + "(null)"
print(line)
if poFeature.GetStyleString() is not None:
if 'DISPLAY_STYLE' not in options or EQUAL(options['DISPLAY_STYLE'], 'yes'):
print(" Style = %s" % poFeature.GetStyleString() )
nGeomFieldCount = poFeature.GetGeomFieldCount()
if nGeomFieldCount > 0:
if 'DISPLAY_GEOMETRY' not in options or not EQUAL(options['DISPLAY_GEOMETRY'], 'no'):
for iField in range(nGeomFieldCount):
poGFldDefn = poFeature.GetDefnRef().GetGeomFieldDefn(iField)
poGeometry = poFeature.GetGeomFieldRef(iField)
if poGeometry is not None:
sys.stdout.write(" ")
if len(poGFldDefn.GetNameRef()) > 0 and nGeomFieldCount > 1:
sys.stdout.write("%s = " % poGFldDefn.GetNameRef() )
DumpReadableGeometry( poGeometry, "", options)
print('')
return
def DumpReadableGeometry( poGeometry, pszPrefix, options ):
if pszPrefix == None:
pszPrefix = ""
if 'DISPLAY_GEOMETRY' in options and EQUAL(options['DISPLAY_GEOMETRY'], 'SUMMARY'):
line = ("%s%s : " % (pszPrefix, poGeometry.GetGeometryName() ))
eType = poGeometry.GetGeometryType()
if eType == ogr.wkbLineString or eType == ogr.wkbLineString25D:
line = line + ("%d points" % poGeometry.GetPointCount())
print(line)
elif eType == ogr.wkbPolygon or eType == ogr.wkbPolygon25D:
nRings = poGeometry.GetGeometryCount()
if nRings == 0:
line = line + "empty"
else:
poRing = poGeometry.GetGeometryRef(0)
line = line + ("%d points" % poRing.GetPointCount())
if nRings > 1:
line = line + (", %d inner rings (" % (nRings - 1))
for ir in range(0,nRings-1):
if ir > 0:
line = line + ", "
poRing = poGeometry.GetGeometryRef(ir+1)
line = line + ("%d points" % poRing.GetPointCount())
line = line + ")"
print(line)
elif eType == ogr.wkbMultiPoint or \
eType == ogr.wkbMultiPoint25D or \
eType == ogr.wkbMultiLineString or \
eType == ogr.wkbMultiLineString25D or \
eType == ogr.wkbMultiPolygon or \
eType == ogr.wkbMultiPolygon25D or \
eType == ogr.wkbGeometryCollection or \
eType == ogr.wkbGeometryCollection25D:
line = line + "%d geometries:" % poGeometry.GetGeometryCount()
print(line)
for ig in range(poGeometry.GetGeometryCount()):
subgeom = poGeometry.GetGeometryRef(ig)
from sys import version_info
if version_info >= (3,0,0):
exec('print("", end=" ")')
else:
exec('print "", ')
DumpReadableGeometry( subgeom, pszPrefix, options)
else:
print(line)
elif 'DISPLAY_GEOMETRY' not in options or EQUAL(options['DISPLAY_GEOMETRY'], 'yes') \
or EQUAL(options['DISPLAY_GEOMETRY'], 'WKT'):
print("%s%s" % (pszPrefix, poGeometry.ExportToWkt() ))
return
if __name__ == '__main__':
version_num = int(gdal.VersionInfo('VERSION_NUM'))
if version_num < 1800: # because of ogr.GetFieldTypeName
print('ERROR: Python bindings of GDAL 1.8.0 or later required')
sys.exit(1)
sys.exit(main( sys.argv ))
| worldbank/cv4ag | utils/ogrinfo.py | Python | mit | 20,768 |
# encoding: utf-8
import datetime
from south.db import db
from south.v2 import SchemaMigration
from django.db import models
class Migration(SchemaMigration):
def forwards(self, orm):
# Adding model 'Contact'
db.create_table('storybase_user_contact', (
('id', self.gf('django.db.models.fields.AutoField')(primary_key=True)),
('name', self.gf('storybase.fields.ShortTextField')(blank=True)),
('info', self.gf('django.db.models.fields.TextField')(blank=True)),
))
db.send_create_signal('storybase_user', ['Contact'])
def backwards(self, orm):
# Deleting model 'Contact'
db.delete_table('storybase_user_contact')
models = {
'auth.group': {
'Meta': {'object_name': 'Group'},
'id': ('django.db.models.fields.AutoField', [], {'primary_key': 'True'}),
'name': ('django.db.models.fields.CharField', [], {'unique': 'True', 'max_length': '80'}),
'permissions': ('django.db.models.fields.related.ManyToManyField', [], {'to': "orm['auth.Permission']", 'symmetrical': 'False', 'blank': 'True'})
},
'auth.permission': {
'Meta': {'ordering': "('content_type__app_label', 'content_type__model', 'codename')", 'unique_together': "(('content_type', 'codename'),)", 'object_name': 'Permission'},
'codename': ('django.db.models.fields.CharField', [], {'max_length': '100'}),
'content_type': ('django.db.models.fields.related.ForeignKey', [], {'to': "orm['contenttypes.ContentType']"}),
'id': ('django.db.models.fields.AutoField', [], {'primary_key': 'True'}),
'name': ('django.db.models.fields.CharField', [], {'max_length': '50'})
},
'auth.user': {
'Meta': {'object_name': 'User'},
'date_joined': ('django.db.models.fields.DateTimeField', [], {'default': 'datetime.datetime.now'}),
'email': ('django.db.models.fields.EmailField', [], {'max_length': '75', 'blank': 'True'}),
'first_name': ('django.db.models.fields.CharField', [], {'max_length': '30', 'blank': 'True'}),
'groups': ('django.db.models.fields.related.ManyToManyField', [], {'to': "orm['auth.Group']", 'symmetrical': 'False', 'blank': 'True'}),
'id': ('django.db.models.fields.AutoField', [], {'primary_key': 'True'}),
'is_active': ('django.db.models.fields.BooleanField', [], {'default': 'True'}),
'is_staff': ('django.db.models.fields.BooleanField', [], {'default': 'False'}),
'is_superuser': ('django.db.models.fields.BooleanField', [], {'default': 'False'}),
'last_login': ('django.db.models.fields.DateTimeField', [], {'default': 'datetime.datetime.now'}),
'last_name': ('django.db.models.fields.CharField', [], {'max_length': '30', 'blank': 'True'}),
'password': ('django.db.models.fields.CharField', [], {'max_length': '128'}),
'user_permissions': ('django.db.models.fields.related.ManyToManyField', [], {'to': "orm['auth.Permission']", 'symmetrical': 'False', 'blank': 'True'}),
'username': ('django.db.models.fields.CharField', [], {'unique': 'True', 'max_length': '30'})
},
'contenttypes.contenttype': {
'Meta': {'ordering': "('name',)", 'unique_together': "(('app_label', 'model'),)", 'object_name': 'ContentType', 'db_table': "'django_content_type'"},
'app_label': ('django.db.models.fields.CharField', [], {'max_length': '100'}),
'id': ('django.db.models.fields.AutoField', [], {'primary_key': 'True'}),
'model': ('django.db.models.fields.CharField', [], {'max_length': '100'}),
'name': ('django.db.models.fields.CharField', [], {'max_length': '100'})
},
'storybase_asset.asset': {
'Meta': {'object_name': 'Asset'},
'asset_created': ('django.db.models.fields.DateTimeField', [], {'null': 'True', 'blank': 'True'}),
'asset_id': ('uuidfield.fields.UUIDField', [], {'unique': 'True', 'max_length': '32', 'blank': 'True'}),
'attribution': ('django.db.models.fields.TextField', [], {'blank': 'True'}),
'created': ('django.db.models.fields.DateTimeField', [], {'auto_now_add': 'True', 'blank': 'True'}),
'datasets': ('django.db.models.fields.related.ManyToManyField', [], {'symmetrical': 'False', 'related_name': "'assets'", 'blank': 'True', 'to': "orm['storybase_asset.DataSet']"}),
'id': ('django.db.models.fields.AutoField', [], {'primary_key': 'True'}),
'last_edited': ('django.db.models.fields.DateTimeField', [], {'auto_now': 'True', 'blank': 'True'}),
'license': ('django.db.models.fields.CharField', [], {'default': "'CC BY-NC-SA'", 'max_length': '25'}),
'owner': ('django.db.models.fields.related.ForeignKey', [], {'blank': 'True', 'related_name': "'assets'", 'null': 'True', 'to': "orm['auth.User']"}),
'published': ('django.db.models.fields.DateTimeField', [], {'null': 'True', 'blank': 'True'}),
'section_specific': ('django.db.models.fields.BooleanField', [], {'default': 'False'}),
'source_url': ('django.db.models.fields.URLField', [], {'max_length': '200', 'blank': 'True'}),
'status': ('django.db.models.fields.CharField', [], {'default': "u'draft'", 'max_length': '10'}),
'type': ('django.db.models.fields.CharField', [], {'max_length': '10'})
},
'storybase_asset.dataset': {
'Meta': {'object_name': 'DataSet'},
'attribution': ('django.db.models.fields.TextField', [], {'blank': 'True'}),
'created': ('django.db.models.fields.DateTimeField', [], {'auto_now_add': 'True', 'blank': 'True'}),
'dataset_created': ('django.db.models.fields.DateTimeField', [], {'null': 'True', 'blank': 'True'}),
'dataset_id': ('uuidfield.fields.UUIDField', [], {'unique': 'True', 'max_length': '32', 'blank': 'True'}),
'id': ('django.db.models.fields.AutoField', [], {'primary_key': 'True'}),
'last_edited': ('django.db.models.fields.DateTimeField', [], {'auto_now': 'True', 'blank': 'True'}),
'owner': ('django.db.models.fields.related.ForeignKey', [], {'blank': 'True', 'related_name': "'datasets'", 'null': 'True', 'to': "orm['auth.User']"}),
'published': ('django.db.models.fields.DateTimeField', [], {'null': 'True', 'blank': 'True'}),
'source': ('django.db.models.fields.TextField', [], {'blank': 'True'}),
'status': ('django.db.models.fields.CharField', [], {'default': "u'draft'", 'max_length': '10'})
},
'storybase_story.story': {
'Meta': {'object_name': 'Story'},
'assets': ('django.db.models.fields.related.ManyToManyField', [], {'symmetrical': 'False', 'related_name': "'stories'", 'blank': 'True', 'to': "orm['storybase_asset.Asset']"}),
'author': ('django.db.models.fields.related.ForeignKey', [], {'blank': 'True', 'related_name': "'stories'", 'null': 'True', 'to': "orm['auth.User']"}),
'byline': ('django.db.models.fields.TextField', [], {}),
'created': ('django.db.models.fields.DateTimeField', [], {'auto_now_add': 'True', 'blank': 'True'}),
'featured_assets': ('django.db.models.fields.related.ManyToManyField', [], {'symmetrical': 'False', 'related_name': "'featured_in_stories'", 'blank': 'True', 'to': "orm['storybase_asset.Asset']"}),
'id': ('django.db.models.fields.AutoField', [], {'primary_key': 'True'}),
'last_edited': ('django.db.models.fields.DateTimeField', [], {'auto_now': 'True', 'blank': 'True'}),
'license': ('django.db.models.fields.CharField', [], {'default': "'CC BY-NC-SA'", 'max_length': '25'}),
'on_homepage': ('django.db.models.fields.BooleanField', [], {'default': 'False'}),
'organizations': ('django.db.models.fields.related.ManyToManyField', [], {'symmetrical': 'False', 'related_name': "'stories'", 'blank': 'True', 'to': "orm['storybase_user.Organization']"}),
'projects': ('django.db.models.fields.related.ManyToManyField', [], {'symmetrical': 'False', 'related_name': "'stories'", 'blank': 'True', 'to': "orm['storybase_user.Project']"}),
'published': ('django.db.models.fields.DateTimeField', [], {'null': 'True', 'blank': 'True'}),
'slug': ('django.db.models.fields.SlugField', [], {'db_index': 'True', 'max_length': '50', 'blank': 'True'}),
'status': ('django.db.models.fields.CharField', [], {'default': "u'draft'", 'max_length': '10'}),
'story_id': ('uuidfield.fields.UUIDField', [], {'unique': 'True', 'max_length': '32', 'blank': 'True'}),
'structure_type': ('django.db.models.fields.CharField', [], {'max_length': '20'})
},
'storybase_user.contact': {
'Meta': {'object_name': 'Contact'},
'id': ('django.db.models.fields.AutoField', [], {'primary_key': 'True'}),
'info': ('django.db.models.fields.TextField', [], {'blank': 'True'}),
'name': ('storybase.fields.ShortTextField', [], {'blank': 'True'})
},
'storybase_user.organization': {
'Meta': {'object_name': 'Organization'},
'created': ('django.db.models.fields.DateTimeField', [], {'auto_now_add': 'True', 'blank': 'True'}),
'curated_stories': ('django.db.models.fields.related.ManyToManyField', [], {'symmetrical': 'False', 'related_name': "'curated_in_organizations'", 'blank': 'True', 'through': "orm['storybase_user.OrganizationStory']", 'to': "orm['storybase_story.Story']"}),
'id': ('django.db.models.fields.AutoField', [], {'primary_key': 'True'}),
'last_edited': ('django.db.models.fields.DateTimeField', [], {'auto_now': 'True', 'blank': 'True'}),
'members': ('django.db.models.fields.related.ManyToManyField', [], {'symmetrical': 'False', 'related_name': "'organizations'", 'blank': 'True', 'to': "orm['auth.User']"}),
'organization_id': ('uuidfield.fields.UUIDField', [], {'unique': 'True', 'max_length': '32', 'blank': 'True'}),
'slug': ('django.db.models.fields.SlugField', [], {'db_index': 'True', 'max_length': '50', 'blank': 'True'}),
'website_url': ('django.db.models.fields.URLField', [], {'max_length': '200', 'blank': 'True'})
},
'storybase_user.organizationstory': {
'Meta': {'object_name': 'OrganizationStory'},
'added': ('django.db.models.fields.DateTimeField', [], {'auto_now_add': 'True', 'blank': 'True'}),
'id': ('django.db.models.fields.AutoField', [], {'primary_key': 'True'}),
'organization': ('django.db.models.fields.related.ForeignKey', [], {'to': "orm['storybase_user.Organization']"}),
'story': ('django.db.models.fields.related.ForeignKey', [], {'to': "orm['storybase_story.Story']"}),
'weight': ('django.db.models.fields.IntegerField', [], {'default': '0'})
},
'storybase_user.organizationtranslation': {
'Meta': {'unique_together': "(('organization', 'language'),)", 'object_name': 'OrganizationTranslation'},
'created': ('django.db.models.fields.DateTimeField', [], {'auto_now_add': 'True', 'blank': 'True'}),
'description': ('django.db.models.fields.TextField', [], {'blank': 'True'}),
'id': ('django.db.models.fields.AutoField', [], {'primary_key': 'True'}),
'language': ('django.db.models.fields.CharField', [], {'default': "'en'", 'max_length': '15'}),
'last_edited': ('django.db.models.fields.DateTimeField', [], {'auto_now': 'True', 'blank': 'True'}),
'name': ('storybase.fields.ShortTextField', [], {}),
'organization': ('django.db.models.fields.related.ForeignKey', [], {'to': "orm['storybase_user.Organization']"}),
'translation_id': ('uuidfield.fields.UUIDField', [], {'unique': 'True', 'max_length': '32', 'blank': 'True'})
},
'storybase_user.project': {
'Meta': {'object_name': 'Project'},
'created': ('django.db.models.fields.DateTimeField', [], {'auto_now_add': 'True', 'blank': 'True'}),
'curated_stories': ('django.db.models.fields.related.ManyToManyField', [], {'symmetrical': 'False', 'related_name': "'curated_in_projects'", 'blank': 'True', 'through': "orm['storybase_user.ProjectStory']", 'to': "orm['storybase_story.Story']"}),
'id': ('django.db.models.fields.AutoField', [], {'primary_key': 'True'}),
'last_edited': ('django.db.models.fields.DateTimeField', [], {'auto_now': 'True', 'blank': 'True'}),
'members': ('django.db.models.fields.related.ManyToManyField', [], {'symmetrical': 'False', 'related_name': "'projects'", 'blank': 'True', 'to': "orm['auth.User']"}),
'organizations': ('django.db.models.fields.related.ManyToManyField', [], {'symmetrical': 'False', 'related_name': "'projects'", 'blank': 'True', 'to': "orm['storybase_user.Organization']"}),
'project_id': ('uuidfield.fields.UUIDField', [], {'unique': 'True', 'max_length': '32', 'blank': 'True'}),
'slug': ('django.db.models.fields.SlugField', [], {'db_index': 'True', 'max_length': '50', 'blank': 'True'}),
'website_url': ('django.db.models.fields.URLField', [], {'max_length': '200', 'blank': 'True'})
},
'storybase_user.projectstory': {
'Meta': {'object_name': 'ProjectStory'},
'added': ('django.db.models.fields.DateTimeField', [], {'auto_now_add': 'True', 'blank': 'True'}),
'id': ('django.db.models.fields.AutoField', [], {'primary_key': 'True'}),
'project': ('django.db.models.fields.related.ForeignKey', [], {'to': "orm['storybase_user.Project']"}),
'story': ('django.db.models.fields.related.ForeignKey', [], {'to': "orm['storybase_story.Story']"}),
'weight': ('django.db.models.fields.IntegerField', [], {'default': '0'})
},
'storybase_user.projecttranslation': {
'Meta': {'unique_together': "(('project', 'language'),)", 'object_name': 'ProjectTranslation'},
'description': ('django.db.models.fields.TextField', [], {'blank': 'True'}),
'id': ('django.db.models.fields.AutoField', [], {'primary_key': 'True'}),
'language': ('django.db.models.fields.CharField', [], {'default': "'en'", 'max_length': '15'}),
'name': ('storybase.fields.ShortTextField', [], {}),
'project': ('django.db.models.fields.related.ForeignKey', [], {'to': "orm['storybase_user.Project']"}),
'translation_id': ('uuidfield.fields.UUIDField', [], {'unique': 'True', 'max_length': '32', 'blank': 'True'})
}
}
complete_apps = ['storybase_user']
| denverfoundation/storybase | apps/storybase_user/migrations/0006_auto__add_contact.py | Python | mit | 14,929 |
from setuptools import setup, find_packages
setup(name='monsql',
version='0.1.7',
packages = find_packages(),
author='firstprayer',
author_email='[email protected]',
description='MonSQL - Mongodb-style way for using mysql.',
url='https://github.com/firstprayer/monsql.git',
install_requires=[
'MySQL-python'
],
)
| firstprayer/monsql | setup.py | Python | mit | 371 |
# -*- coding: utf-8 -*-
u"""
.. module:: organizations
"""
from django.contrib import messages
from django.contrib.auth.decorators import login_required
from django.core.urlresolvers import reverse
from django.shortcuts import get_object_or_404
from django.shortcuts import redirect
from django.shortcuts import render
from django.utils.text import slugify
from django.views.generic import View
from apps.volontulo.forms import VolounteerToOrganizationContactForm
from apps.volontulo.lib.email import send_mail
from apps.volontulo.models import Offer
from apps.volontulo.models import Organization
from apps.volontulo.models import UserProfile
from apps.volontulo.utils import correct_slug
def organizations_list(request):
u"""View responsible for listing all organizations.
:param request: WSGIRequest instance
"""
organizations = Organization.objects.all()
return render(
request,
"organizations/list.html",
{'organizations': organizations},
)
class OrganizationsCreate(View):
u"""Class view supporting creation of new organization."""
@staticmethod
@login_required
def get(request):
u"""Method responsible for rendering form for new organization."""
return render(
request,
"organizations/organization_form.html",
{'organization': Organization()}
)
@staticmethod
@login_required
def post(request):
u"""Method responsible for saving new organization."""
if not (
request.POST.get('name') and
request.POST.get('address') and
request.POST.get('description')
):
messages.error(
request,
u"Należy wypełnić wszystkie pola formularza."
)
return render(
request,
"organizations/organization_form.html",
{'organization': Organization()}
)
organization = Organization(
name=request.POST.get('name'),
address=request.POST.get('address'),
description=request.POST.get('description'),
)
organization.save()
request.user.userprofile.organizations.add(organization)
messages.success(
request,
u"Organizacja została dodana."
)
return redirect(
'organization_view',
slug=slugify(organization.name),
id_=organization.id,
)
@correct_slug(Organization, 'organization_form', 'name')
@login_required
def organization_form(request, slug, id_): # pylint: disable=unused-argument
u"""View responsible for editing organization.
Edition will only work, if logged user has been registered as organization.
"""
org = Organization.objects.get(pk=id_)
users = [profile.user.email for profile in org.userprofiles.all()]
if (
request.user.is_authenticated() and
request.user.email not in users
):
messages.error(
request,
u'Nie masz uprawnień do edycji tej organizacji.'
)
return redirect(
reverse(
'organization_view',
args=[slugify(org.name), org.id]
)
)
if not (
request.user.is_authenticated() and
UserProfile.objects.get(user=request.user).organizations
):
return redirect('homepage')
if request.method == 'POST':
if (
request.POST.get('name') and
request.POST.get('address') and
request.POST.get('description')
):
org.name = request.POST.get('name')
org.address = request.POST.get('address')
org.description = request.POST.get('description')
org.save()
messages.success(
request,
u'Oferta została dodana/zmieniona.'
)
return redirect(
reverse(
'organization_view',
args=[slugify(org.name), org.id]
)
)
else:
messages.error(
request,
u"Należy wypełnić wszystkie pola formularza."
)
return render(
request,
"organizations/organization_form.html",
{'organization': org},
)
@correct_slug(Organization, 'organization_view', 'name')
def organization_view(request, slug, id_): # pylint: disable=unused-argument
u"""View responsible for viewing organization."""
org = get_object_or_404(Organization, id=id_)
offers = Offer.objects.filter(organization_id=id_)
allow_contact = True
allow_edit = False
allow_offer_create = False
if (
request.user.is_authenticated() and
request.user.userprofile in org.userprofiles.all()
):
allow_contact = False
allow_edit = True
allow_offer_create = True
if request.method == 'POST':
form = VolounteerToOrganizationContactForm(request.POST)
if form.is_valid():
# send email to first organization user (I assume it's main user)
profile = Organization.objects.get(id=id_).userprofiles.all()[0]
send_mail(
request,
'volunteer_to_organisation',
[
profile.user.email,
request.POST.get('email'),
],
{k: v for k, v in request.POST.items()},
)
messages.success(request, u'Email został wysłany.')
else:
messages.error(
request,
u"Formularz zawiera nieprawidłowe dane: {}".format(form.errors)
)
return render(
request,
"organizations/organization_view.html",
{
'organization': org,
'contact_form': form,
'offers': offers,
'allow_contact': allow_contact,
'allow_edit': allow_edit,
'allow_offer_create': allow_offer_create,
},
)
return render(
request,
"organizations/organization_view.html",
{
'organization': org,
'contact_form': VolounteerToOrganizationContactForm(),
'offers': offers,
'allow_contact': allow_contact,
'allow_edit': allow_edit,
'allow_offer_create': allow_offer_create,
}
)
| stxnext-csr/volontulo | apps/volontulo/views/organizations.py | Python | mit | 6,645 |
import _plotly_utils.basevalidators
class TicktextsrcValidator(_plotly_utils.basevalidators.SrcValidator):
def __init__(self, plotly_name="ticktextsrc", parent_name="layout.xaxis", **kwargs):
super(TicktextsrcValidator, self).__init__(
plotly_name=plotly_name,
parent_name=parent_name,
edit_type=kwargs.pop("edit_type", "none"),
**kwargs
)
| plotly/plotly.py | packages/python/plotly/plotly/validators/layout/xaxis/_ticktextsrc.py | Python | mit | 410 |
#!/usr/bin/env python
# --------------------------------------------------------------------------------------------
# Copyright (c) Microsoft Corporation. All rights reserved.
# Licensed under the MIT License. See License.txt in the project root for license information.
# --------------------------------------------------------------------------------------------
"""
Example to show scheduling messages to and cancelling messages from a Service Bus Queue.
"""
import os
import datetime
from azure.servicebus import ServiceBusClient, ServiceBusMessage
CONNECTION_STR = os.environ["SERVICE_BUS_CONNECTION_STR"]
TOPIC_NAME = os.environ["SERVICE_BUS_TOPIC_NAME"]
def schedule_single_message(sender):
message = ServiceBusMessage("Message to be scheduled")
scheduled_time_utc = datetime.datetime.utcnow() + datetime.timedelta(seconds=30)
sequence_number = sender.schedule_messages(message, scheduled_time_utc)
return sequence_number
def schedule_multiple_messages(sender):
messages_to_schedule = []
for _ in range(10):
messages_to_schedule.append(ServiceBusMessage("Message to be scheduled"))
scheduled_time_utc = datetime.datetime.utcnow() + datetime.timedelta(seconds=30)
sequence_numbers = sender.schedule_messages(
messages_to_schedule, scheduled_time_utc
)
return sequence_numbers
def main():
servicebus_client = ServiceBusClient.from_connection_string(
conn_str=CONNECTION_STR, logging_enable=True
)
with servicebus_client:
sender = servicebus_client.get_topic_sender(topic_name=TOPIC_NAME)
with sender:
sequence_number = schedule_single_message(sender)
print(
"Single message is scheduled and sequence number is {}".format(
sequence_number
)
)
sequence_numbers = schedule_multiple_messages(sender)
print(
"Multiple messages are scheduled and sequence numbers are {}".format(
sequence_numbers
)
)
sender.cancel_scheduled_messages(sequence_number)
sender.cancel_scheduled_messages(sequence_numbers)
print("All scheduled messages are cancelled.")
if __name__ == "__main__":
main()
| Azure/azure-sdk-for-python | sdk/servicebus/azure-servicebus/samples/sync_samples/schedule_topic_messages_and_cancellation.py | Python | mit | 2,305 |
import pytest
# TODO: use same globals for reverse operations such as add, remove
GRAPHS = [
({},
[],
[]),
({'nodeA': {}},
['nodeA'],
[]),
({'nodeA': {'nodeB': 'weight'},
'nodeB': {}},
['nodeA', 'nodeB'],
[('nodeA', 'nodeB')]),
({'nodeA': {'nodeB': 'weight'},
'nodeB': {'nodeA': 'weight'}},
['nodeA', 'nodeB'],
[('nodeA', 'nodeB'), ('nodeB', 'nodeA')]),
({'nodeA': {'nodeB': 'weight', 'nodeC': 'weight'},
'nodeB': {'nodeA': 'weight'},
'nodeC': {'nodeA': 'weight', 'nodeC': 'weight'}},
['nodeA', 'nodeB', 'nodeC'],
[('nodeA', 'nodeB'),
('nodeA', 'nodeC'),
('nodeB', 'nodeA'),
('nodeC', 'nodeA'),
('nodeC', 'nodeC')]),
]
GRAPHS_FOR_NODE_INSERT = [
({},
'nodeN',
{'nodeN': {}}),
({'nodeA': {'nodeB': 'weight', 'nodeC': 'weight'}},
'nodeN',
{'nodeA': {'nodeB': 'weight', 'nodeC': 'weight'},
'nodeN': {}}),
({'nodeA': {'nodeA': 'weight', 'nodeB': 'weight'},
'nodeB': {'nodeC': 'weight', 'nodeA': 'weight'}},
'nodeN',
{'nodeA': {'nodeA': 'weight', 'nodeB': 'weight'},
'nodeB': {'nodeC': 'weight', 'nodeA': 'weight'},
'nodeN': {}}),
]
GRAPHS_ADD_EDGE = [
({'nodeA': {'nodeB': 'weight'},
'nodeB': {'nodeA': 'weight'}},
"nodeX",
"nodeY",
{'nodeA': {'nodeB': 'weight'},
'nodeB': {'nodeA': 'weight'},
'nodeX': {'nodeY': 'weight'},
'nodeY': {}}),
({'nodeA': {'nodeB': 'weight'},
'nodeB': {'nodeA': 'weight'}},
'nodeA',
'nodeB',
{'nodeA': {'nodeB': 'weight'},
'nodeB': {'nodeA': 'weight'}}),
({'nodeA': {'nodeB': 'weight', 'nodeC': 'weight'},
'nodeB': {'nodeA': 'weight'},
'nodeC': {'nodeA': 'weight', 'nodeC': 'weight'}},
'nodeB',
'nodeC',
{'nodeA': {'nodeB': 'weight', 'nodeC': 'weight'},
'nodeB': {'nodeA': 'weight', 'nodeC': 'weight'},
'nodeC': {'nodeA': 'weight', 'nodeC': 'weight'}}),
]
GRAPHS_DEL_NODE = [
({'nodeA': {'nodeB': 'weight'},
'nodeB': {'nodeA': 'weight'},
'nodeX': {'nodeY': 'weight'},
'nodeY': {}},
'nodeA',
{'nodeB': {},
'nodeX': {'nodeY': 'weight'},
'nodeY': {}}),
({'nodeA': {'nodeB': 'weight'},
'nodeB': {'nodeA': 'weight'}},
'nodeB',
{'nodeA': {}}),
]
GRAPHS_DEL_EDGE = [
({'nodeA': {'nodeB': 'weight'},
'nodeB': {}},
'nodeA',
'nodeB',
{'nodeA': {},
'nodeB': {}}),
({'nodeA': {'nodeB': 'weight', 'nodeC': 'weight'},
'nodeB': {},
'nodeC': {}},
'nodeA',
'nodeB',
{'nodeA': {'nodeC': 'weight'},
'nodeB': {},
'nodeC': {}})
]
NEIGHBORS = [
({'nodeA': {},
'nodeB': {'nodeA': 'weight'}},
'nodeB',
['nodeA']),
({'nodeA': {},
'nodeB': {'nodeA': 'weight'}},
'nodeA',
[]),
({'nodeA': {'nodeB': 'weight', 'nodeC': 'weight'},
'nodeB': {'nodeA': 'weight'},
'nodeC': {'nodeA': 'weight'}},
'nodeA',
['nodeB', 'nodeC']),
]
ADJACENT = [
({'nodeA': {'nodeB': 'weight'},
'nodeB': {}},
'nodeA',
'nodeB',
True),
({'nodeA': {'nodeB': 'weight'},
'nodeB': {}},
'nodeB',
'nodeA',
False),
]
ADJACENT_NODES_GONE = [
({'nodeA': {'nodeB': 'weight'},
'nodeB': {}},
'nodeX', 'nodeB'),
({'nodeA': {'nodeB': 'weight'},
'nodeB': {}},
'nodeX', 'nodeY'),
({'nodeA': {'nodeB': 'weight'},
'nodeB': {}},
'nodeA', 'nodeY'),
]
NODE_TRAVERSAL_BREADTH = [
({'A': {'B': 'weight', 'C': 'weight'},
'B': {'A': 'weight', 'D': 'weight', 'E': 'weight'},
'C': {'A': 'weight', 'F': 'weight', 'G': 'weight'},
'D': {'B': 'weight', 'H': 'weight'},
'E': {'B': 'weight'},
'F': {'C': 'weight'},
'G': {'C': 'weight'},
'H': {'D': 'weight'}},
'A',
['A', 'B', 'C', 'D', 'E', 'F', 'G', 'H']),
({'A': {'B': 'weight', 'C': 'weight'},
'B': {'C': 'weight', 'D': 'weight'},
'C': {},
'D': {}},
'A',
['A', 'B', 'C', 'D']),
({'a': {}}, 'a', ['a']),
]
NODE_TRAVERSAL_DEPTH = [
({'A': {'B': 'weight', 'E': 'weight'},
"B": {'C': 'weight', 'D': 'weight'},
'E': {},
'C': {},
'D': {}},
'A',
['A', 'E', 'B', 'D', 'C']),
({'A': {'B': 'weight', 'E': 'weight'},
"B": {'C': 'weight', 'D': 'weight'},
'E': {},
'C': {'A': 'weight', 'E': 'weight'},
'D': {}},
'A',
['A', 'E', 'B', 'D', 'C']),
({'a': {'b': 'weight', 'g': 'weight'},
'b': {'c': 'weight'},
'g': {'h': 'weight', 'j': 'weight'},
'c': {'d': 'weight'},
'h': {'i': 'weight'},
'j': {'k': 'weight'},
'd': {'e': 'weight', 'f': 'weight'},
'i': {},
'k': {},
'e': {},
'f': {}},
'a',
['a', 'g', 'j', 'k', 'h', 'i', 'b', 'c', 'd', 'f', 'e']),
({'a': {}}, 'a', ['a']),
]
GET_WEIGHT = [
({'A': {'B': 'weight1', 'E': 'weight2'},
"B": {'C': 'weight3', 'D': 'weight4'},
'E': {},
'C': {},
'D': {}},
'A',
'B',
'weight1',),
({'A': {'B': 'weight1', 'E': 'weight2'},
"B": {'C': 'weight3', 'D': 'weight4'},
'E': {},
'C': {},
'D': {}},
'B',
'C',
'weight3',),
({'A': {'B': 'weight1', 'E': 'weight2'},
"B": {'C': 'weight3', 'D': 'weight4'},
'E': {},
'C': {},
'D': {}},
'B',
'D',
'weight4',),
]
@pytest.fixture
def graph_fixture(scope='function'):
from graph import Graph
return Graph()
@pytest.mark.parametrize(("built_graph", "node", "expected"), GRAPHS_DEL_NODE)
def test_del_node_exists(graph_fixture, built_graph, node, expected):
graph_fixture._container = built_graph
graph_fixture.del_node(node)
assert graph_fixture._container == expected
@pytest.mark.parametrize(("built_graph", "node_list", "edge_list"), GRAPHS)
def test_nodes(graph_fixture, built_graph, node_list, edge_list):
graph_fixture._container = built_graph
result = graph_fixture.nodes()
assert set(result) == set(node_list)
@pytest.mark.parametrize(("built_graph", "node_list", "edge_list"), GRAPHS)
def test_edges(graph_fixture, built_graph, node_list, edge_list):
graph_fixture._container = built_graph
result = graph_fixture.edges()
assert set(edge_list) == set(result)
@pytest.mark.parametrize(("built_graph", "new_node", "expected"),
GRAPHS_FOR_NODE_INSERT)
def test_add_node(graph_fixture, built_graph, new_node, expected):
graph_fixture._container = built_graph
graph_fixture.add_node(new_node)
assert graph_fixture._container == expected
@pytest.mark.parametrize(("built_graph", "n1", "n2", "expected"),
GRAPHS_ADD_EDGE)
def test_add_edge(graph_fixture, built_graph, n1, n2, expected):
graph_fixture._container = built_graph
graph_fixture.add_edge(n1, n2)
assert graph_fixture._container == expected
def test_del_node_not_exists(graph_fixture):
graph_fixture._container = {'nodeA': {'nodeA': 'weight'}, 'nodeB': {}}
with pytest.raises(KeyError):
graph_fixture.del_node('nodeX')
@pytest.mark.parametrize(("built_graph", "node1", "node2", "expected"),
GRAPHS_DEL_EDGE)
def test_del_edge(graph_fixture, built_graph, node1, node2, expected):
graph_fixture._container = built_graph
graph_fixture.del_edge(node1, node2)
assert graph_fixture._container == expected
def test_del_edge_not_exists(graph_fixture):
graph_fixture._container = {'nodeA': {}}
with pytest.raises(ValueError):
graph_fixture.del_edge('nodeA', 'nodeB')
def test_has_node_true(graph_fixture):
graph_fixture._container = {'nodeA': {}}
assert graph_fixture.has_node('nodeA')
def test_has_node_false(graph_fixture):
graph_fixture._container = {'nodeA': {}}
assert not graph_fixture.has_node('nodeB')
@pytest.mark.parametrize(("built_graph", 'node', 'expected'), NEIGHBORS)
def test_neighbors(graph_fixture, built_graph, node, expected):
graph_fixture._container = built_graph
assert set(graph_fixture.neighbors(node)) == set(expected)
def test_neighbors_none(graph_fixture):
graph_fixture._container = {'nodeA': {}}
with pytest.raises(KeyError):
graph_fixture.neighbors('nodeB')
@pytest.mark.parametrize(('built_graph', 'n1', 'n2', 'expected'), ADJACENT)
def test_adjacent(graph_fixture, built_graph, n1, n2, expected):
# if n1, n2 don't exist: raise error
graph_fixture._container = built_graph
assert graph_fixture.adjacent(n1, n2) == expected
@pytest.mark.parametrize(('built_graph', 'n1', 'n2'), ADJACENT_NODES_GONE)
def test_adjacent_not_exists(graph_fixture, built_graph, n1, n2):
# if n1, n2 don't exist: raise error
graph_fixture._container = built_graph
with pytest.raises(KeyError):
graph_fixture.adjacent(n1, n2)
@pytest.mark.parametrize(('built_graph', 'node', 'expected'), NODE_TRAVERSAL_BREADTH)
def test_traverse_breadth(graph_fixture, built_graph, node, expected):
graph_fixture._container = built_graph
assert graph_fixture.breadth_first_traversal(node) == expected
def test_empty_graph_breadth(graph_fixture):
graph_fixture._container = {}
with pytest.raises(IndexError):
graph_fixture.breadth_first_traversal('X')
@pytest.mark.parametrize(('built_graph', 'node', 'expected'), NODE_TRAVERSAL_DEPTH)
def test_traverse_depth(graph_fixture, built_graph, node, expected):
graph_fixture._container = built_graph
assert graph_fixture.depth_first_traversal(node) == expected
def test_traverse_depth_empty(graph_fixture):
graph_fixture._container = {}
with pytest.raises(IndexError):
graph_fixture.depth_first_traversal('node')
@pytest.mark.parametrize(('built_graph', 'n1', 'n2', 'expected'), GET_WEIGHT)
def test_get_weight(graph_fixture, built_graph, n1, n2, expected):
graph_fixture._container = built_graph
assert graph_fixture.get_weight(n1, n2) == expected
| palindromed/data-structures | src/test_graph.py | Python | mit | 10,017 |
# -*- coding: utf-8 -*-
{
'# selected': '# được lựa chọn',
"'Cancel' will indicate an asset log entry did not occur": "'Hủy' sẽ chỉ dẫn một lệnh nhập không thực hiện được",
"A location that specifies the geographic area for this region. This can be a location from the location hierarchy, or a 'group location', or a location that has a boundary for the area.": "Một địa điểm chứa các đặc tính địa lý cho vùng đó. Đó có thể là một địa điểm theo đơn vị hành chính hay 'địa điểm nhóm' hay một địa điểm có đường ranh giới cho vùng đó.",
"A volunteer is defined as active if they've participated in an average of 8 or more hours of Program work or Trainings per month in the last year": 'Tình nguyện viên hoạt động tích cực là những người tham gia trung bình từ 8 tiếng hoặc hơn vào các hoạt động của chương trình hay tập huấn một tháng trong năm trước.',
"Acronym of the organization's name, eg. IFRC.": 'Từ viết tắt của tên tổ chức, vd IFRC.',
"Add Person's Details": 'Thêm thông tin cá nhân',
"Address of an image to use for this Layer in the Legend. This allows use of a controlled static image rather than querying the server automatically for what it provides (which won't work through GeoWebCache anyway).": 'Địa chỉ của hình ảnh sử dụng cho Lớp này nằm trong phần ghi chú. Việc này giúp việc sử dụng hình ảnh ổn định được kiểm soát tránh báo cáo tự động gửi tới máy chủ yêu cầu giải thích về nội dung cung cấp (chức năng này không hoạt động thông qua GeoWebCach).',
"Authenticate system's Twitter account": 'Xác thực tài khoản Twitter thuộc hệ thống',
"Can't import tweepy": 'Không thể nhập khẩu tweepy',
"Cancel' will indicate an asset log entry did not occur": "Hủy' có nghĩa là ghi chép nhật ký tài sản không được lưu",
"Caution: doesn't respect the framework rules!": 'Cảnh báo: Không tôn trọng các qui đinh khung chương trình',
"Children's Education": 'Giáo dục Trẻ em',
"Click 'Start' to synchronize with this repository now:": "Bấm nút 'Bắt đầu' để đồng bộ hóa kho dữ liệu bầy giờ",
"Click on questions below to select them, then click 'Display Selected Questions' button to view the selected questions for all Completed Assessment Forms": "Bấm vào các câu hỏi phía dưới để chọn, sau đó bấm nút 'Hiển thị các câu hỏi đã chọn' để xem các câu hỏi đã chọn cho tất cả các mẫu Đánh giá hoàn chỉnh",
"Don't Know": 'Không biết',
"Edit Person's Details": 'Chỉnh sửa thông tin cá nhân',
"Enter a name to search for. You may use % as wildcard. Press 'Search' without input to list all items.": "Nhập tên để tìm kiếm. Bạn có thể sử dụng % như là ký tự đặc biệt. Ấn 'Tìm kiếm' mà không nhập giá trị để liệt kê tất cả mặt hàng",
"Error No Job ID's provided": 'Lỗi mã nhận dạng công việc không được cung cấp',
"Framework added, awaiting administrator's approval": 'Khung chương trình đã được thêm mới, đang chờ phê duyệt của quản trị viên',
"Go to %(url)s, sign up & then register your application. You can put any URL in & you only need to select the 'modify the map' permission.": "Đến trang %(url)s, đăng ký & sau đó đăng ký ứng dụng của bạn. Bạn có thể dùng bất cứ đường dẫn URL & chỉ cần chọn 'chức năng cho phép sửa bản đồ'.",
"If selected, then this Asset's Location will be updated whenever the Person's Location is updated.": 'Nếu chọn, thì sau đó vị trí tài sản sẽ được cập nhật ngay khi vị trí của người đó được cập nhật.',
"If this configuration is displayed on the GIS config 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.": 'Nếu cấu hình này được thể hiện trên danh mục cấu hình GIS, đặt tên cho cấu hình để sử dụng trên danh mục. Tên cấu hình bản đồ của cá nhân sẽ được gắn với tên người sử dụng.',
"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.": 'Nếu trường này đã nhiều người khi đó người dùng sẽ chi tiết tổ chức lúc đó việc đăng ký sẽ được phân bổ như là Cán bộ của tổ chức trừ phi chức năng đó không phù hợp.',
"If you don't see the Cluster in the list, you can add a new one by clicking link 'Create Cluster'.": "Nếu bạn không tìm thấy tên Nhóm trong danh sách, bạn có thể thêm mới bằng cách ấn nút 'Thêm nhóm'",
"If you don't see the Organization in the list, you can add a new one by clicking link 'Create Organization'.": "Nếu bạn không tìm thấy tên Tổ chức trong danh sách, bạn có thể thêm mới bằng cách ấn nút 'Thêm tổ chức'",
"If you don't see the Sector in the list, you can add a new one by clicking link 'Create Sector'.": "Nếu bạn không tìm thấy Lĩnh vực trong danh sách, bạn có thể thêm mới bằng cách ấn nút 'Thêm lĩnh vực'",
"If you don't see the Type in the list, you can add a new one by clicking link 'Create Office Type'.": "Nếu bạn không tìm thấy Loại hình văn phòng trong danh sách, bạn có thể thêm mới bằng cách ấn nút 'Thêm loại hình văn phòng'",
"If you don't see the Type in the list, you can add a new one by clicking link 'Create Organization Type'.": "Nếu bạn không tìm thấy tên Loại hình tổ chức trong danh sách, bạn có thể thêm mới bằng cách ấn nút 'Thêm loại hình tổ chức'",
"If you don't see the activity in the list, you can add a new one by clicking link 'Create Activity'.": "Nếu bạn không tìm thấy hoạt động trong danh sách, bạn có thể thêm một bằng cách ấn nút 'Thêm hoạt động'",
"If you don't see the asset in the list, you can add a new one by clicking link 'Create Asset'.": "Nếu bạn không tìm thấy tài sản trong danh sách, bạn có thể thêm mới bằng cách ấn nút 'Thêm tài sản'",
"If you don't see the beneficiary in the list, you can add a new one by clicking link 'Add Beneficiaries'.": "Nếu bạn không tìm thấy tên người hưởng lợi trong danh sách, bạn có thể thêm mới bằng cách ấn nút 'Thêm người hưởng lợi'",
"If you don't see the community in the list, you can add a new one by clicking link 'Create Community'.": "Nếu bạn không thấy Cộng đồng trong danh sách, bạn có thể thêm mới bằng cách ấn nút 'Thêm cộng đồng'",
"If you don't see the location in the list, you can add a new one by clicking link 'Create Location'.": "Nếu bạn không thấy Địa điểm trong danh sách, bạn có thể thêm mới bằng cách ấn nút 'Thêm địa điểm'",
"If you don't see the project in the list, you can add a new one by clicking link 'Create Project'.": "Nếu bạn không thấy dự án trong danh sách, bạn có thể thêm mới bằng cách ấn nút 'Thêm dự án'",
"If you don't see the type in the list, you can add a new one by clicking link 'Create Activity Type'.": "Nếu bạn không thấy loại hình hoạt động trong danh sách, bạn có thể thêm mới bằng cách ấn nút 'Thêm loại hình hoạt động'",
"If you don't see the vehicle in the list, you can add a new one by clicking link 'Add Vehicle'.": "Nếu bạn không thấy phương tiện vận chuyển trong danh sách, bạn có thể thêm mới bằng cách ấn nút 'Thêm phương tiện vận chuyển'",
"If you enter a foldername then the layer will appear in this folder in the Map's layer switcher.": 'Nếu bạn nhập tên thư mục sau đó lớp đó sẽ hiện ra trong thư mục trong nút chuyển lớp Bản đồ.',
"Last Week's Work": 'Công việc của tuấn trước',
"Level is higher than parent's": 'Cấp độ cao hơn cấp độ gốc',
"List Persons' Details": 'Liệt kê thông tin cá nhân',
"Need a 'url' argument!": "Cần đối số cho 'url'!",
"No UTC offset found. Please set UTC offset in your 'User Profile' details. Example: UTC+0530": "Không có thời gian bù UTC được tìm thấy. Cài đặt thời gian bù UTC trong thông tin 'Hồ sơ người sử dụng' của bạn. Ví dụ: UTC+0530",
"Only Categories of type 'Vehicle' will be seen in the dropdown.": "Chỉ những hạng mục thuộc 'Xe cộ' được thể hiện trong danh sách thả xuống",
"Optional. The name of the geometry column. In PostGIS this defaults to 'the_geom'.": "Tùy chọn. Tên của cột hình dạng. Trong PostGIS tên này được mặc định là 'the_geom'.",
"Parent level should be higher than this record's level. Parent level is": 'Mức độ cấp trên phải cao hơn mức độ của bản lưu này. Mức độ cấp trên là',
"Password fields don't match": 'Trường mật khẩu không tương thích',
"Person's Details added": 'Thông tin được thêm vào của cá nhân',
"Person's Details deleted": 'Thông tin đã xóa của cá nhân',
"Person's Details updated": 'Thông tin được cập nhật của cá nhân',
"Person's Details": 'Thông tin cá nhân',
"Persons' Details": 'Thông tin cá nhân',
"Phone number to donate to this organization's relief efforts.": 'Số điện thoại để ủng hộ cho những nỗ lực cứu trợ của tổ chức này',
"Please come back after sometime if that doesn't help.": 'Xin vui lòng quay trở lại sau nếu điều đó không giúp ích bạn.',
"Please provide as much detail as you can, including the URL(s) where the bug occurs or you'd like the new feature to go.": 'Xin vui lòng cung cấp thông tin chi tiết nhất có thể, bao gồm những đường dẫn URL chứa các lỗi kỹ thuật hay bạn muốn thực hiện chức năng mới.',
"Post graduate (Doctor's)": 'Tiến sỹ',
"Post graduate (Master's)": 'Thạc sỹ',
"Quantity in %s's Warehouse": 'Số lượng trong %s Nhà kho',
"Search Person's Details": 'Tìm kiếm thông tin cá nhân',
"Select a Facility Type from the list or click 'Create Facility Type'": "Chọn loại hình bộ phận từ danh sách hoặc bấm 'Thêm loại hình bộ phận'",
"Select a Room from the list or click 'Create Room'": "Chọn một Phòng từ danh sách hay bấm 'Thêm Phòng'",
"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.": "Chọn nó nếu tất cả các điểm cụ thể cần lớp cao nhất trong hệ thống hành chính các địa điểm. Ví dụ, nếu 'là lớp huyện' là phân chia nhỏ nhất trong hệ thống, do vậy các địa điểm cụ thể sẽ yêu cầu có lớp huyện là lớp trên.",
"Select this if all specific locations need a parent location in the location hierarchy. This can assist in setting up a 'region' representing an affected area.": 'Chọn nó nếu tất cả các điểm cụ thể cần lớp trên trong hệ thống hành chính các địa điểm. Nó có thể giúp lập nên một vùng diện cho một vùng bị ảnh hưởng. ',
"Sorry, things didn't get done on time.": 'Xin lỗi, công việc đã không được làm đúng lúc.',
"Sorry, we couldn't find that page.": 'Xin lỗi, chúng tôi không thể tìm thấy trang đó',
"Status 'assigned' requires the %(fieldname)s to not be blank": "Tình trạng 'được bổ nhiệm' đòi hỏi %(fieldname)s không được bỏ trống",
"System's Twitter account updated": 'Tài khoản Twitter của Hệ thống được cập nhật',
"The Project module can be used to record Project Information and generate Who's Doing What Where reports.": 'Mô đun Dự án có thể được sử dụng để ghi lại Thông tin Dự án và cho ra các báo cáo Ai Đang làm Điều gì Ở đâu.',
"The URL of the image file. If you don't upload an image file, then you must specify its location here.": 'Đường dẫn URL của tệp tin hình ảnh. Nếu bạn không tải tệp tin hình ảnh lên, thì bạn phải đưa đường dẫn tới vị trí của tệp tin đó tại đây.',
"The person's manager within this Office/Project.": 'Quản lý của một cá nhân trong Văn phòng/Dự án',
"The staff member's official job title": 'Chức vụ chính thức của cán bộ',
"The volunteer's role": 'Vai trò của tình nguyện viên',
"There are no details for this person yet. Add Person's Details.": 'Chưa có thông tin về người này. Hãy thêm Thông tin.',
"To search for a hospital, enter any part of the name or ID. You may use % as wildcard. Press 'Search' without input to list all hospitals.": 'Để tìm kiếm một bệnh viện, nhập một phần tên hoặc ID. Có thể sử dụng % như một ký tự thay thế cho một nhóm ký tự. Nhấn "Tìm kiếm" mà không nhập thông tin, sẽ hiển thị toàn bộ các bệnh viện.',
"To search for a location, enter the name. You may use % as wildcard. Press 'Search' without input to list all locations.": "Dể tìm kiếm địa điểm, nhập tên của địa điểm đó. Bản có thể sử dụng ký tự % như là ký tự đặc trưng. Ấn nút 'Tìm kiếm' mà không nhập tên địa điểm để liệt kê toàn bộ địa điểm.",
"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": "Để tìm thành viên, nhập tên của thành viên hoặc nhóm. Bạn có thể sử dụng % như là ký tự đặc trưng. Ấn nút 'Tìm kiếm' mà không nhập tên để liệt toàn bộ thành viên",
"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.": "Để tìm kiếm người, nhập bất kỳ tên, tên đệm hoặc tên họ và/ hoặc số nhận dạng cá nhân của người đó, tách nhau bởi dấu cách. Ấn nút 'Tìm kiếm' mà không nhập tên người để liệt kê toàn bộ người.",
"Type the first few characters of one of the Participant's names.": 'Nhập những ký tự đầu tiên trong tên của một Người tham dự.',
"Type the first few characters of one of the Person's names.": 'Nhập những ký tự đầu tiên trong tên của một Người.',
"Type the name of an existing catalog item OR Click 'Create Item' to add an item which is not in the catalog.": "Nhập tên của một mặt hàng trong danh mục đang tồn tại HOẶC Nhấn 'Thêm mặt hàng mới' để thêm một mặt hàng chưa có trong danh mục.",
"Upload an image file here. If you don't upload an image file, then you must specify its location in the URL field.": 'Tải lên file hình ảnh tại đây. Nếu bạn không đăng tải được file hình ảnh, bạn phải chỉ đường dẫn chính xác tới vị trí của file trong trường URL.',
"Uploaded file(s) are not Image(s). Supported image formats are '.png', '.jpg', '.bmp', '.gif'.": "File được tải không phải là hình ảnh. Định dạng hình ảnh hỗ trợ là '.png', '.jpg', '.bmp', '.gif'",
"View and/or update details of the person's record": 'Xem và/hoặc cập nhật chi tiết mục ghi cá nhân',
"""Welcome to %(system_name)s
- You can start using %(system_name)s at: %(url)s
- To edit your profile go to: %(url)s%(profile)s
Thank you""": """Chào mừng anh/chị truy cập %(system_name)s
Anh/chị có thể bắt đầu sử dụng %(system_name)s tại %(url)s
Để chỉnh sửa hồ sơ của anh/chị, xin vui lòng truy cập %(url)s%(profile)s
Cảm ơn""",
"Yes, No, Don't Know": 'Có, Không, Không biết',
"You can search by asset number, item description or comments. You may use % as wildcard. Press 'Search' without input to list all assets.": "Bạn có thể tìm kiếm theo mã số tài sản, mô tả mặt hàng hoặc các bình luận. Bạn có thể sử dụng % làm ký tự đặc trưng. Ấn nút 'Tìm kiếm' mà không nhập giá trị để liệt kê tất cả tài sản.",
"You can search by course name, venue name or event comments. You may use % as wildcard. Press 'Search' without input to list all events.": "Bạn có thể tìm kiếm theo tên khóa học, tên địa điểm tổ chức hoặc bình luận về khóa học. Bạn có thể sử dụng % làm ký tự đặc trưng. Ấn nút 'Tìm kiếm' mà không nhập giá trị để liệt kê tất cả khóa học.",
"You can search by description. You may use % as wildcard. Press 'Search' without input to list all incidents.": "Bạn có thể tìm kiếm theo mô tả. Bạn có thể sử dụng % làm ký tự đại diện. Không nhập thông tin và nhấn 'Tìm kiếm' để liệt kê tất cả các sự kiện.",
"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.": "Bạn có thể tìm kiếm theo chức vụ nghề nghiệp hoặc theo tên đối tượng - nhập bất kỳ tên nào trong tên chính, tên đệm hay họ, tách nhau bởi dấu cách. Bạn có thể sử dụng % làm ký tự đặc trưng. Ấn nút 'Tìm kiếm' mà không nhập giá trị để liệt kê tất cả đối tượng.",
"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.": "Bạn có thể tìm kiếm theo tên người - nhập bất kỳ tên, tên đệm hay tên họ, tách nhau bởi dấu cách. Bạn có thể sử dụng % làm ký tự đặc trưng. Ấn nút 'Tìm kiếm' mà không nhập giá trị để liệt kê tất cả số người.",
"You can search by trainee name, course name or comments. You may use % as wildcard. Press 'Search' without input to list all trainees.": "Bạn có thể tìm kiếm bằng tên người được tập huấn, tên khóa học hoặc các bình luận. Bạn có thể sử dụng % làm ký tự đặc trưng. Ấn nút 'Tìm kiếm' mà không nhập giá trị để liệt kê tất cả người được tập huấn.",
"You have personalised settings, so changes made here won't be visible to you. To change your personalised settings, click ": 'Bạn đã thiết lập các cài đặt cá nhân, vì vậy bạn không xem được các thay đổi ở đây.Để thiết lập lại, nhấp chuột vào',
"You have unsaved changes. Click Cancel now, then 'Save' to save them. Click OK now to discard them.": "Bạn chưa lưu các thay đổi. Ấn 'Hủy bỏ' bây giờ, sau đó ấn 'Lưu' để lưu lại. Ấn OK bây giờ để bỏ các thay đổi",
"communications systems, health facilities, 'lifelines', power and energy, emergency evacuation shelters, financial infrastructure, schools, transportation, waste disposal, water supp": 'hệ thống thông tin liên lạc, cơ sở CSSK, hệ thống bảo hộ, năng lượng, các địa điểm sơ tán trong tình huống khẩn cấp, hạ tầng tài chính, trường học, giao thông, bãi rác thải, hệ thống cấp nước',
'"update" is an optional expression like "field1=\'newvalue\'". You cannot update or delete the results of a JOIN': '"cập nhật" là một lựa chọn như "Thực địa1=\'giá trị mới\'". Bạn không thể cập nhật hay xóa các kết quả của một NHÓM',
'# of Houses Damaged': 'Số nóc nhà bị phá hủy',
'# of Houses Destroyed': 'Số căn nhà bị phá hủy',
'# of International Staff': 'số lượng cán bộ quốc tế',
'# of National Staff': 'số lượng cán bộ trong nước',
'# of People Affected': 'Số người bị ảnh hưởng',
'# of People Injured': 'Số lượng người bị thương',
'%(GRN)s Number': '%(GRN)s Số',
'%(GRN)s Status': '%(GRN)s Tình trạng',
'%(PO)s Number': '%(PO)s Số',
'%(REQ)s Number': '%(REQ)s Số',
'%(app)s not installed. Ask the Server Administrator to install on Server.': '%(app)s dụng chưa được cài. Liên hệ với ban quản trị máy chủ để cài ứng dụng trên máy chủ',
'%(count)s Entries Found': '%(count)s Hồ sơ được tìm thấy',
'%(count)s Roles of the user removed': '%(count)s Đã gỡ bỏ chức năng của người sử dụng',
'%(count)s Users removed from Role': '%(count)s Đã xóa người sử dụng khỏi chức năng',
'%(count_of)d translations have been imported to the %(language)s language file': '%(count_of)d bản dịch được nhập liệu trong %(language)s file ngôn ngữ',
'%(item)s requested from %(site)s': '%(item)s đề nghị từ %(site)s',
'%(module)s not installed': '%(module)s chưa được cài đặt',
'%(pe)s in %(location)s': '%(pe)s tại %(location)s',
'%(quantity)s in stock': '%(quantity)s hàng lưu kho',
'%(system_name)s has sent an email to %(email)s to verify your email address.\nPlease check your email to verify this address. If you do not receive this email please check you junk email or spam filters.': '%(system_name)s đã gửi email đến %(email)s để kiểm tra địa chỉ email của bạn.\nĐề nghị kiểm tra email để xác nhận. Nếu bạn không nhận được hãy kiểm tra hộp thư rác hay bộ lọc thư rác.',
'%s items are attached to this shipment': '%s hàng hóa được chuyển trong đợt xuất hàng này',
'& then click on the map below to adjust the Lat/Lon fields': '& sau đó chọn trên bản đồ để chính sửa số kinh/vĩ độ',
'(filtered from _MAX_ total entries)': '(lọc từ _MAX_ toàn bộ hồ sơ)',
'* Required Fields': '* Bắt buộc phải điền',
'...or add a new bin': '…hoặc thêm một ngăn mới',
'1 Assessment': '1 Đánh giá',
'1 location, shorter time, can contain multiple Tasks': '1 địa điểm, thời gian ngắn hơn, có thể bao gồm nhiều nhiệm vụ khác nhau',
'1. Fill the necessary fields in BLOCK CAPITAL letters.': '1. Điền nội dung vào các ô cần thiết bằng CHỮ IN HOA.',
'2. Always use one box per letter and leave one box space to separate words.': '2. Luôn sử dụng một ô cho một chữ cái và để một ô trống để cách giữa các từ',
'3. Fill in the circles completely.': '3. Điền đầy đủ vào các ô tròn',
'3W Report': 'Báo cáo 3W',
'A Marker assigned to an individual Location is set if there is a need to override the Marker assigned to the Feature Class.': 'Một đánh dấu cho một vị trí đơn lẻ nếu cần thiết để thay thế một Đánh dấu theo chức năng.',
'A brief description of the group (optional)': 'Mô tả ngắn gọn nhóm đánh giá (không bắt buộc)',
'A catalog of different Assessment Templates including summary information': 'Danh mục các biểu mẫu đánh giá khác nhau bao gồm cả thông tin tóm tắt',
'A file in GPX format taken from a GPS.': 'file định dạng GPX từ máy định vị GPS.',
'A place within a Site like a Shelf, room, bin number etc.': 'Một nơi trên site như số ngăn ,số phòng,số thùng v.v',
'A project milestone marks a significant date in the calendar which shows that progress towards the overall objective is being made.': 'Một mốc quan trọng của dự án đánh dấu ngày quan trọng trong lịch để chỉ ra tiến độ đạt được mục tổng quát của dự án.',
'A snapshot of the location or additional documents that contain supplementary information about the Site can be uploaded here.': 'Upload ảnh chụp vị trí hoặc tài liệu bổ sung chứa thông tin bổ sung về trang web tại đây',
'A staff member may have multiple roles in addition to their formal job title.': 'Một cán bộ có thể có nhiều chức năng nhiệm vụ bổ sung thêm vào chức năng nhiệm vụ chính.',
'A strict location hierarchy cannot have gaps.': 'Thứ tự vi trí đúng không thể có khoảng cách.',
'A survey series with id %s does not exist. Please go back and create one.': 'Chuỗi khảo sát số %s không tồn tai.Vui lòng quay lại và tạo mới',
'A task is a piece of work that an individual or team can do in 1-2 days.': 'Nhiệm vụ là công việc mà một cá nhân hoặc nhóm có thể thực hiện trong 1-2 ngày.',
'A volunteer may have multiple roles in addition to their formal job title.': 'Một tình nguyện viên có thể có nhiều chức năng nhiệm vụ bổ sung thêm vào chức năng nhiệm vụ chính.',
'ABOUT CALCULATIONS': 'TẠM TÍNH',
'ABOUT THIS MODULE': 'Giới thiệu Module này',
'ABSOLUTE%(br)sDEVIATION': 'HOÀN TOÀN%(br)sCHỆCH HƯỚNG',
'ACTION REQUIRED': 'HÀNH ĐỘNG ĐƯỢC YÊU CẦU',
'ALL REPORTS': 'TẤT CẢ BÁO CÁO',
'ALL': 'Tất cả',
'ANY': 'BẤT KỲ',
'API is documented here': 'API được lưu trữ ở đây',
'APPROVE REPORTS': 'PHÊ DUYỆT BÁO CÁO',
'AUTH TOKEN': 'THẺ XÁC THỰC',
'Abbreviation': 'Từ viết tắt',
'Ability to customize the list of human resource tracked at a Shelter': 'Khả năng tùy chỉnh danh sách nguồn nhân lực theo dõi tại nơi cư trú',
'Ability to customize the list of important facilities needed at a Shelter': 'Khả năng tùy chỉnh danh sách các điều kiện quan trọng cần thiết tại một cơ sở cư trú',
'Able to Respond?': 'Có khả năng ứng phó không?',
'About Us': 'Giới thiệu',
'About': 'Khoảng',
'Accept Push': 'Chấp nhận Đẩy',
'Accept unsolicited data transmissions from the repository.': 'Chấp nhận truyền các dữ liệu chưa tổng hợp từ kho dữ liệu.',
'Access denied': 'Từ chối truy cập',
'Account Name': 'Tên tài khoản',
'Account Registered - Please Check Your Email': 'Tài khoản đã được đăng ký- Kiểm tra email của bạn',
'Achieved': 'Thành công',
'Acronym': 'Từ viết tắt',
'Action': 'Hành động',
'Actioning officer': 'Cán bộ hành động',
'Actions taken as a result of this request.': 'Hành động được thực hiện như là kết quả của yêu cầu này.',
'Actions': 'Hành động',
'Activate': 'Kích hoạt',
'Active Problems': 'Có vấn đề kích hoạt',
'Active': 'Đang hoạt động',
'Active?': 'Đang hoạt động?',
'Activities matching Assessments': 'Hoạt động phù hợp với Đánh giá',
'Activities': 'Hoạt động',
'Activity Added': 'Hoạt động đã được thêm mới',
'Activity Deleted': 'Hoạt động đã được xóa',
'Activity Details': 'Chi tiết hoạt động',
'Activity Report': 'Báo cáo hoạt động',
'Activity Type Added': 'Loại hình hoạt động đã được thêm mới',
'Activity Type Deleted': 'Loại hình hoạt động đã được xóa',
'Activity Type Sectors': 'Lĩnh vực của loại hình hoạt động',
'Activity Type Updated': 'Loại hình hoạt động đã được cập nhật',
'Activity Type': 'Hoạt động',
'Activity Types': 'Hoạt động',
'Activity Updated': 'Hoạt động đã được cập nhật',
'Activity': 'Hoạt động',
'Add Activity Type': 'Thêm loại hình hoạt động',
'Add Address': 'Thêm địa chỉ',
'Add Affiliation': 'Thêm liên kết',
'Add Aid Request': 'Thêm yêu cầu cứu trợ',
'Add Alternative Item': 'Thêm mặt hàng thay thế',
'Add Annual Budget': 'Thêm ngân sách năm',
'Add Assessment Answer': 'Thêm câu trả lời đánh giá',
'Add Assessment Templates': 'Thêm biểu mẫu đánh giá',
'Add Assessment': 'Thêm đợt đánh giá',
'Add Award': 'Thêm mới',
'Add Beneficiaries': 'Thêm người hưởng lợi',
'Add Branch Organization': 'Thêm tổ chức cấp tỉnh/ huyện/ xã',
'Add Certificate for Course': 'Thêm chứng nhận khóa tập huấn',
'Add Certification': 'Thêm bằng cấp',
'Add Contact Information': 'Thêm thông tin liên hệ',
'Add Contact': 'Thêm liên lạc',
'Add Credential': 'Thêm thư ủy nhiệm',
'Add Data to Theme Layer': 'Thêm dữ liệu vào lớp chủ đề',
'Add Demographic Data': 'Thêm số liệu dân số',
'Add Demographic Source': 'Thêm nguồn thông tin dân số',
'Add Demographic': 'Thêm dữ liệu nhân khẩu',
'Add Disciplinary Action': 'Thêm mới',
'Add Disciplinary Action Type': 'Thêm hình thức kỷ luật',
'Add Distribution': 'Thêm thông tin hàng hóa đóng góp',
'Add Donor': 'Thêm tên người quyên góp vào danh sách',
'Add Education': 'Thêm trình độ học vấn',
'Add Email Settings': 'Thêm cài đặt email',
'Add Employment': 'Thêm mới',
'Add Experience': 'Thêm Kinh nghiệm',
'Add Framework': 'Thêm khung chương trình',
'Add Group Member': 'Thêm thành viên nhóm',
'Add Hours': 'Thêm thời gian hoạt động',
'Add Identity': 'Thêm nhận dạng',
'Add Image': 'Thêm hình ảnh',
'Add Item Catalog': 'Thêm danh mục hàng hóa',
'Add Item to Catalog': 'Thêm hàng hóa vào danh mục',
'Add Item to Commitment': 'Thêm hàng hóa vào cam kết',
'Add Item to Request': 'Thêm hàng hóa mới để yêu cầu',
'Add Item to Shipment': 'Thêm hàng hóa vào lô hàng chuyển đi',
'Add Item to Stock': 'Thêm mặt hàng lưu kho',
'Add Item': 'Thêm hàng hóa',
'Add Job Role': 'Thêm chức năng công việc',
'Add Key': 'Thêm từ khóa',
'Add Kit': 'Thêm Kit',
'Add Layer from Catalog': 'Thêm lớp từ danh mục',
'Add Layer to this Profile': 'Thêm lớp vào hồ sơ này',
'Add Line': 'Thêm dòng',
'Add Location': 'Thêm địa điểm',
'Add Locations': 'Thêm địa điểm mới',
'Add Log Entry': 'Thêm ghi chép nhật ký',
'Add Member': 'Thêm hội viên',
'Add Membership': 'Thêm nhóm hội viên',
'Add Message': 'Thêm tin nhắn',
'Add New Aid Request': 'Thêm yêu cầu cứu trợ mới',
'Add New Beneficiaries': 'Thêm người hưởng lợi mới',
'Add New Beneficiary Type': 'Thêm loại người hưởng lợi mới',
'Add New Branch': 'Thêm chi nhánh mới',
'Add New Cluster': 'Thêm nhóm mới',
'Add New Commitment Item': 'Thêm hàng hóa cam kết mới',
'Add New Community': 'Thêm cộng đồng mới',
'Add New Config': 'Thêm cấu hình mới',
'Add New Demographic Data': 'Thêm số liệu dân số mới',
'Add New Demographic Source': 'Thêm nguồn số liệu dân số mới',
'Add New Demographic': 'Thêm dữ liệu nhân khẩu mới',
'Add New Document': 'Thêm tài liệu mới',
'Add New Donor': 'Thêm nhà tài trợ mới',
'Add New Entry': 'Thêm hồ sơ mới',
'Add New Flood Report': 'Thêm báo cáo lũ lụt mới',
'Add New Framework': 'Thêm khung chương trình mới',
'Add New Image': 'Thêm hình ảnh mới',
'Add New Item to Stock': 'Thêm hàng hóa mới để lưu trữ',
'Add New Job Role': 'Thêm chức năng công việc mới',
'Add New Key': 'Thêm Key mới',
'Add New Layer to Symbology': 'Thêm lớp mới vào các mẫu biểu tượng',
'Add New Mailing List': 'Thêm danh sách gửi thư mới',
'Add New Member': 'Thêm hội viên mới',
'Add New Membership Type': 'Thêm loại nhóm hội viên mới',
'Add New Membership': 'Thêm nhóm hội viên mới',
'Add New Organization Domain': 'Thêm lĩnh vực hoạt động mới của tổ chức',
'Add New Output': 'Thêm kết quả đầu ra mới',
'Add New Participant': 'Thêm người tham dự mới',
'Add New Problem': 'Thêm vấn đề mới',
'Add New Profile Configuration': 'Thêm định dạng hồ sơ tiểu sử mới',
'Add New Record': 'Thêm hồ sơ mới',
'Add New Request Item': 'Thêm yêu cầu hàng hóa mới',
'Add New Request': 'Thêm yêu cầu mới',
'Add New Response': 'Thêm phản hồi mới',
'Add New Role to User': 'Gán vai trò mới cho người dùng',
'Add New Shipment Item': 'Thêm mặt hàng mới được vận chuyển',
'Add New Site': 'Thêm trang web mới',
'Add New Solution': 'Thêm giải pháp mới',
'Add New Staff Assignment': 'Thêm nhiệm vụ mới cho cán bộ',
'Add New Staff': 'Thêm bộ phận nhân viên',
'Add New Storage Location': 'Thêm Vị trí kho lưu trữ mới',
'Add New Survey Template': 'Thêm mẫu khảo sát mới',
'Add New Team Member': 'Thêm thành viên mới',
'Add New Team': 'Thêm Đội/Nhóm mới',
'Add New Unit': 'Thêm đơn vị mới',
'Add New Vehicle Assignment': 'Thêm phân công mới cho phương tiện vận chuyển',
'Add New Vulnerability Aggregated Indicator': 'Thêm chỉ số gộp mới đánh giá tình trạng dễ bị tổn thương',
'Add New Vulnerability Data': 'Thêm dữ liệu mới về tình trạng dễ bị tổn thương',
'Add New Vulnerability Indicator Sources': 'Thêm nguồn chỉ số mới đánh giá tình trạng dễ bị tổn thương',
'Add New Vulnerability Indicator': 'Thêm chỉ số mới đánh giá tình trạng dễ bị tổn thương',
'Add Order': 'Thêm đơn đặt hàng',
'Add Organization Domain': 'Thêm lĩnh vực hoạt động của tổ chức',
'Add Organization to Project': 'Thêm tổ chức tham gia dự án',
'Add Parser Settings': 'Thêm cài đặt cú pháp',
'Add Participant': 'Thêm người tham dự',
'Add Person to Commitment': 'Thêm đối tượng cam kết',
'Add Person': 'Thêm họ tên',
'Add Photo': 'Thêm ảnh',
'Add Point': 'Thêm điểm',
'Add Polygon': 'Thêm đường chuyền',
'Add Professional Experience': 'Thêm kinh nghiệm nghề nghiệp',
'Add Profile Configuration for this Layer': 'Thêm định dạng hồ sơ tiểu sử cho lớp này',
'Add Profile Configuration': 'Thêm hồ sơ tiểu sử',
'Add Program Hours': 'Thêm thời gian tham gia chương trình',
'Add Recipient': 'Thêm người nhận viện trợ',
'Add Record': 'Thêm hồ sơ',
'Add Reference Document': 'Thêm tài liệu tham chiếu',
'Add Request Detail': 'thêm chi tiết yêu cầu',
'Add Request Item': 'Thêm yêu cầu hàng hóa',
'Add Request': 'Thêm yêu cầu',
'Add Resource': 'Thêm nguồn lực',
'Add Salary': 'Thêm mới',
'Add Salary Grade': 'Thêm bậc lương',
'Add Sender Organization': 'Thêm tổ chức gửi',
'Add Setting': 'Thêm cài đặt',
'Add Site': 'Thêm site',
'Add Skill': 'Thêm kỹ năng',
'Add Skill Equivalence': 'Thêm kỹ năng tương đương',
'Add Skill Types': 'Thêm loại kỹ năng',
'Add Skill to Request': 'Thêm kỹ năng để yêu cầu',
'Add Staff Assignment': 'Thêm nhiệm vụ cho cán bộ',
'Add Staff Level': 'Thêm ngạch công chức',
'Add Staff Member to Project': 'Thêm cán bộ thực hiện dự án',
'Add Stock to Warehouse': 'Thêm hàng vào kho',
'Add Storage Location ': 'Thêm vị trí lưu trữ',
'Add Storage Location': 'Thêm vị trí lưu trữ',
'Add Sub-Category': 'Thêm danh mục cấp dưới',
'Add Survey Answer': 'Thêm trả lời khảo sát',
'Add Survey Question': 'Thêm câu hỏi khảo sát',
'Add Survey Section': 'Thêm phần Khảo sát',
'Add Survey Series': 'Thêm chuỗi khảo sát',
'Add Survey Template': 'Thêm mẫu khảo sát',
'Add Symbology to Layer': 'Thêm biểu tượng cho lớp',
'Add Team Member': 'Thêm thành viên Đội/Nhóm',
'Add Team': 'Thêm Đội/Nhóm',
'Add Template Section': 'Thêm nội dung vào biểu mẫu',
'Add Training': 'Thêm tập huấn',
'Add Translation Language': 'Thêm ngôn ngữ biên dịch mới',
'Add Twilio Settings': 'Thêm cài đặt Twilio',
'Add Unit': 'Thêm đơn vị',
'Add Vehicle Assignment': 'Thêm phân công cho phương tiện vận chuyển',
'Add Vehicle': 'Thêm phương tiện vận chuyển',
'Add Volunteer Registration': 'Thêm Đăng ký tình nguyện viên',
'Add Volunteer to Project': 'Thêm tình nguyện viên hoạt động trong dự án',
'Add Vulnerability Aggregated Indicator': 'Thêm chỉ số gộp đánh giá tình trạng dễ bị tổn thương',
'Add Vulnerability Data': 'Thêm dữ liệu về tình trạng dễ bị tổn thương',
'Add Vulnerability Indicator Source': 'Thêm nguồn chỉ số đánh giá tình trạng dễ bị tổn thương',
'Add Vulnerability Indicator': 'Thêm chỉ số đánh giá tình trạng dễ bị tổn thương',
'Add a description': 'Thêm miêu tả',
'Add a new Assessment Answer': 'Thêm câu trả lời mới trong mẫu đánh giá',
'Add a new Assessment Question': 'Thêm câu hỏi mới trong mẫu đánh giá',
'Add a new Assessment Template': 'Thêm biểu mẫu đánh giá mới',
'Add a new Completed Assessment Form': 'Thêm mẫu đánh giá được hoàn thiện mới',
'Add a new Disaster Assessment': 'Thêm báo cáo đánh giá thảm họa mới',
'Add a new Site from where the Item is being sent.': 'Thêm Site nơi gửi hàng hóa đến ',
'Add a new Template Section': 'Thêm nội dung mới vào biểu mẫu',
'Add a new certificate to the catalog.': 'Thêm chứng chỉ mới vào danh mục',
'Add a new competency rating to the catalog.': 'Thêm xếp loại năng lực mới vào danh mục',
'Add a new membership type to the catalog.': 'Thêm loại hình nhóm hội viên mới vào danh mục',
'Add a new programme to the catalog.': 'Thêm chương trình mới vào danh mục',
'Add a new skill type to the catalog.': 'Thêm loại kỹ năng mới vào danh mục',
'Add all organizations which are involved in different roles in this project': 'Thêm tất cả tổ chức đang tham gia vào dự án với vai trò khác nhau',
'Add all': 'Thêm tất cả',
'Add new Group': 'Thêm nhóm mới',
'Add new Question Meta-Data': 'Thêm siêu dữ liệu câu hỏi mới',
'Add new and manage existing members.': 'Thêm mới và quản lý hội viên.',
'Add new and manage existing staff.': 'Thêm mới và quản lý cán bộ.',
'Add new and manage existing volunteers.': 'Thêm mới và quản lý tình nguyện viên.',
'Add new position.': 'Thêm địa điểm mới',
'Add new project.': 'Thêm dự án mới',
'Add new staff role.': 'Thêm vai trò nhân viên mới',
'Add saved search': 'Thêm tìm kiếm đã lưu',
'Add strings manually through a text file': 'Thêm chuỗi ký tự thủ công bằng file văn bản',
'Add strings manually': 'Thêm chuỗi ký tự thủ công',
'Add the Storage Location where this this Bin belongs to.': 'Thêm vị trí kho lưu trữ chứa Bin này',
'Add the main Warehouse/Site information where this Item is to be added.': 'Thêm thông tin Nhà kho/Site chứa hàng hóa đã được nhập thông tin',
'Add this entry': 'Thêm hồ sơ này',
'Add to Bin': 'Thêm vào thùng',
'Add': 'Thêm',
'Add...': 'Thêm…',
'Add/Edit/Remove Layers': 'Thêm/Sửa/Xóa các lớp',
'Added to Group': 'Nhóm hội viên đã được thêm',
'Added to Team': 'Nhóm hội viên đã được thêm',
'Address Details': 'Chi tiết địa chỉ',
'Address Type': 'Loại địa chỉ',
'Address added': 'Địa chỉ đã được thêm',
'Address deleted': 'Địa chỉ đã được xóa',
'Address updated': 'Địa chỉ đã được cập nhật',
'Address': 'Địa chỉ',
'Addresses': 'Địa chỉ',
'Adjust Item Quantity': 'Chỉnh sửa số lượng mặt hàng',
'Adjust Stock Item': 'Chỉnh sửa mặt hàng lưu kho',
'Adjust Stock Levels': 'Điều chỉnh cấp độ hàng lưu kho',
'Adjust Stock': 'Chỉnh sửa hàng lưu kho',
'Adjustment created': 'Chỉnh sửa đã được tạo',
'Adjustment deleted': 'Chỉnh sửa đã đươc xóa',
'Adjustment modified': 'Chỉnh sửa đã được thay đổi',
'Admin Email': 'Email của quản trị viên',
'Admin Name': 'Tên quản trị viên',
'Admin Tel': 'Số điện thoại của Quản trị viên',
'Admin': 'Quản trị',
'Administration': 'Quản trị',
'Administrator': 'Quản trị viên',
'Adolescent (12-20)': 'Vị thành niên (12-20)',
'Adult (21-50)': 'Người trưởng thành (21-50)',
'Adult Psychiatric': 'Bệnh nhân tâm thần',
'Adult female': 'Nữ giới',
'Adult male': 'Đối tượng người lớn là nam ',
'Advance': 'Cao cấp',
'Advanced Catalog Search': 'Tìm kiếm danh mục nâng cao',
'Advanced Category Search': 'Tìm kiếm danh mục nâng cao',
'Advanced Location Search': 'Tìm kiếm vị trí nâng cao',
'Advanced Search': 'Tìm kiếm nâng cao',
'Advanced Site Search': 'Tìm kiếm website nâng cao',
'Advocacy': 'Vận động chính sách',
'Affected Persons': 'Người bị ảnh hưởng',
'Affiliation Details': 'Chi tiết liên kết',
'Affiliation added': 'Liên kết đã được thêm',
'Affiliation deleted': 'Liên kết đã được xóa',
'Affiliation updated': 'Liên kết đã được cập nhật',
'Affiliations': 'Liên kết',
'Age Group (Count)': 'Nhóm tuổi (Số lượng)',
'Age Group': 'Nhóm tuổi',
'Age group does not match actual age.': 'Nhóm tuổi không phù hợp với tuổi hiện tại',
'Aid Request Details': 'Chi tiết yêu cầu cứu trợ',
'Aid Request added': 'Đã thêm yêu cầu viện trợ',
'Aid Request deleted': 'Đã xóa yêu cầu cứu trợ',
'Aid Request updated': 'Đã cập nhật Yêu cầu cứu trợ',
'Aid Request': 'Yêu cầu cứu trợ',
'Aid Requests': 'yêu cầu cứu trợ',
'Aircraft Crash': 'Tại nạn máy bay',
'Aircraft Hijacking': 'Bắt cóc máy bay',
'Airport Closure': 'Đóng cửa sân bay',
'Airport': 'Sân bay',
'Airports': 'Sân bay',
'Airspace Closure': 'Đóng cửa trạm không gian',
'Alcohol': 'Chất cồn',
'Alerts': 'Cảnh báo',
'All Entities': 'Tất cả đối tượng',
'All Inbound & Outbound Messages are stored here': 'Tất cả tin nhắn gửi và nhận được lưu ở đây',
'All Open Tasks': 'Tất cả nhiệm vụ công khai',
'All Records': 'Tất cả hồ sơ',
'All Requested Items': 'Hàng hóa được yêu cầu',
'All Resources': 'Tất cả nguồn lực',
'All Tasks': 'Tất cả nhiệm vụ',
'All reports': 'Tất cả báo cáo',
'All selected': 'Tất cả',
'All': 'Tất cả',
'Allowance': 'Phụ cấp',
'Allowed to push': 'Cho phép bấm nút',
'Allows authorized users to control which layers are available to the situation map.': 'Cho phép người dùng đã đăng nhập kiểm soát layer nào phù hợp với bản đồ tình huống',
'Alternative Item Details': 'Chi tiết mặt hàng thay thế',
'Alternative Item added': 'Mặt hàng thay thế đã được thêm',
'Alternative Item deleted': 'Mặt hàng thay thế đã được xóa',
'Alternative Item updated': 'Mặt hàng thay thế đã được cập nhật',
'Alternative Items': 'Mặt hàng thay thế',
'Ambulance Service': 'Dịch vụ xe cứu thương',
'Amount': 'Tổng ngân sách',
'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': 'Mẫu đánh giá có thể được chọn để tạo ra một Đánh giá tình hình Thảm họa. Trong Đánh giá tình hình Thảm họa, các hoạt động ứng phó có thể được tổng hợp và kết quả có thể được phân tích dưới dạng bảng, biểu đồ và bản đồ',
'An Item Category must have a Code OR a Name.': 'Danh mục hàng hóa phải có Mã hay Tên.',
'Analysis': 'Phân tích',
'Animal Die Off': 'Động vật tuyệt chủng',
'Animal Feed': 'Thức ăn động vật',
'Annual Budget deleted': 'Ngân sách năm đã được xóa',
'Annual Budget updated': 'Ngân sách năm đã được cập nhật',
'Annual Budget': 'Ngân sách năm',
'Annual Budgets': 'Ngân sách năm',
'Anonymous': 'Ẩn danh',
'Answer Choices (One Per Line)': 'Chọn câu trả lời',
'Any available Metadata in the files will be read automatically, such as Timestamp, Author, Latitude & Longitude.': 'Thông tin có sẵn trong file như Timestamp,Tác giả, Kinh độ, Vĩ độ sẽ được đọc tự động',
'Any': 'Bất cứ',
'Applicable to projects in Pacific countries only': 'Chỉ áp dụng cho dự án trong các nước thuộc khu vực Châu Á - Thái Bình Dương',
'Application Permissions': 'Chấp nhận đơn đăng ký',
'Application': 'Đơn đăng ký',
'Apply changes': 'Lưu thay đổi',
'Approval pending': 'Đang chờ phê duyệt',
'Approval request submitted': 'Yêu cầu phê duyệt đã được gửi',
'Approve': 'Phê duyệt',
'Approved By': 'Được phê duyệt bởi',
'Approved by %(first_initial)s.%(last_initial)s': 'Được phê duyệt bởi %(first_initial)s.%(last_initial)s',
'Approved': 'Đã phê duyệt',
'Approver': 'Người phê duyệt',
'ArcGIS REST Layer': 'Lớp ArcGIS REST',
'Archive not Delete': 'Bản lưu không xóa',
'Arctic Outflow': 'Dòng chảy từ Bắc Cực',
'Are you sure you want to delete this record?': 'Bạn có chắc bạn muốn xóa hồ sơ này?',
'Arrived': 'Đã đến',
'As of yet, no sections have been added to this template.': 'Chưa hoàn thành, không mục nào được thêm vào mẫu này',
'Assessment Answer Details': 'Nội dung câu trả lời trong mẫu đánh giá',
'Assessment Answer added': 'Câu trả lời trong mẫu đánh giá đã được thêm',
'Assessment Answer deleted': 'Câu trả lời trong mẫu đánh giá đã được xóa',
'Assessment Answer updated': 'Câu trả lời trong mẫu đánh giá đã được cập nhật',
'Assessment Answers': 'Câu trả lời trong mẫu đánh',
'Assessment Question Details': 'Nội dung câu trả hỏi trong mẫu đánh giá',
'Assessment Question added': 'Câu trả hỏi trong mẫu đánh giá đã được thêm',
'Assessment Question deleted': 'Câu trả hỏi trong mẫu đánh giá đã được xóa',
'Assessment Question updated': 'Câu trả hỏi trong mẫu đánh giá đã được cập nhật',
'Assessment Questions': 'Câu trả hỏi trong mẫu đánh',
'Assessment Template Details': 'Nội dung biểu mẫu đánh giá',
'Assessment Template added': 'Biểu mẫu đánh giá đã được thêm',
'Assessment Template deleted': 'Biểu mẫu đánh giá đã được xóa',
'Assessment Template updated': 'Biểu mẫu đánh giá đã được cập nhật',
'Assessment Templates': 'Biểu mẫu đánh giá',
'Assessment admin level': 'Cấp quản lý đánh giá',
'Assessment and Community/ Beneficiary Identification': 'Đánh giá và xác định đối tượng/ cộng đồng hưởng lợi',
'Assessment timeline': 'Khung thời gian đánh giá',
'Assessment updated': 'Đã cập nhật Trị giá tính thuế',
'Assessment': 'Đánh giá',
'Assessments': 'Đánh giá',
'Asset Details': 'Thông tin tài sản',
'Asset Log Details': 'Chi tiết nhật ký tài sản',
'Asset Log Empty': 'Xóa nhật ký tài sản',
'Asset Log Entry deleted': 'Ghi chép nhật ký tài sản đã được xóa',
'Asset Log Entry updated': 'Ghi chép nhật ký tài sản đã được cập nhật',
'Asset Log': 'Nhật ký tài sản',
'Asset Number': 'Số tài sản',
'Asset added': 'Tài sản đã được thêm',
'Asset deleted': 'Tài sản đã được xóa',
'Asset updated': 'Tài sản đã được cập nhật',
'Asset': 'Tài sản',
'Assets are resources which are not consumable but are expected back, so they need tracking.': 'Tài sản là các nguồn lực không tiêu hao và có thể được hoàn trả nên cần theo dõi tài sản',
'Assets': 'Tài sản',
'Assign Asset': 'Giao tài sản',
'Assign Human Resource': 'Phân chia nguồn nhân lực',
'Assign New Human Resource': 'Phân chia nguồn nhân lực mới',
'Assign Role to a User': 'Phân công vai trò cho người sử dụng',
'Assign Roles': 'Phân công vai trò',
'Assign Staff': 'Phân công cán bộ',
'Assign Vehicle': 'Phân công phương tiện vận chuyển',
'Assign another Role': 'Phân công vai trò khác',
'Assign to Facility/Site': 'Phân công tới Bộ phân/ Địa bàn',
'Assign to Organization': 'Phân công tới Tổ chức',
'Assign to Person': 'Phân công tới đối tượng',
'Assign': 'Phân công',
'Assigned By': 'Được phân công bởi',
'Assigned Roles': 'Vai trò được phân công',
'Assigned To': 'Được phân công tới',
'Assigned to Facility/Site': 'Được phân công tới Bộ phân/ Địa bàn',
'Assigned to Organization': 'Được phân công tới Tổ chức',
'Assigned to Person': 'Được phân công tới đối tượng',
'Assigned to': 'Được phân công tới',
'Assigned': 'Được phân công',
'Association': 'Liên hiệp',
'At or below %s': 'Tại đây hoặc phí dưới %s',
'At/Visited Location (not virtual)': 'Địa điêm ở/đã đến (không ảo)',
'Attachments': 'Đính kèm',
'Attribution': 'Quyền hạn',
'Australian Dollars': 'Đô la Úc',
'Authentication Required': 'Xác thực được yêu cầu',
'Author': 'Tác giả',
'Auxiliary Role': 'Vai trò bổ trợ',
'Availability': 'Thời gian có thể tham gia',
'Available Alternative Inventories': 'Hàng tồn kho thay thế sẵn có',
'Available Forms': 'Các mẫu có sẵn',
'Available Inventories': 'Hàng tồn kho sẵn có',
'Available databases and tables': 'Cơ sở dữ liệu và bảng biểu sẵn có',
'Available in Viewer?': 'Sẵn có để xem',
'Available until': 'Sẵn sàng cho đến khi',
'Avalanche': 'Tuyết lở',
'Average': 'Trung bình',
'Award Type': 'Hình thức khen thưởng',
'Award': 'Khen thưởng',
'Awarding Body': 'Cấp khen thưởng',
'Awards': 'Khen thưởng',
'Awareness Raising': 'Nâng cao nhận thức',
'BACK TO %(system_name_short)s': 'TRỞ LẠI %(system_name_short)s',
'BACK TO MAP VIEW': 'TRỞ LẠI XEM BẢN ĐỒ',
'BROWSE OTHER REGIONS': 'LỰA CHỌN CÁC VÙNG KHÁC',
'Baby And Child Care': 'Chăm sóc trẻ em',
'Bachelor': 'Cửa nhân',
"Bachelor's Degree": 'Trung cấp, cao đẳng, đại học',
'Back to Roles List': 'Quay trở lại danh sách vai trò',
'Back to Users List': 'Quay trở lại danh sách người sử dụng',
'Back to the main screen': 'Trở lại màn hình chính',
'Back': 'Trở lại',
'Background Color': 'Màu nền',
'Baldness': 'Cây trụi lá',
'Bank/micro finance': 'Tài chính Ngân hàng',
'Base %(facility)s Set': 'Tập hợp %(facility)s nền tảng',
'Base Facility/Site Set': 'Tập hợp Bộ phận/ Địa bàn nền tảng',
'Base Layer?': 'Lớp bản đồ cơ sở?',
'Base Layers': 'Lớp bản đồ cơ sở',
'Base Location': 'Địa điểm nền tảng',
'Base URL of the remote Sahana Eden instance including application path, e.g. http://www.example.org/eden': 'Đường dẫn Cơ bản của Hệ thống Sahana Eden từ xa bao gồm đường dẫn ứng dụng như http://www.example.org/eden',
'Base Unit': 'Đơn vị cơ sở',
'Basic Details': 'Chi tiết cơ bản',
'Basic information on the requests and donations, such as category, the units, contact details and the status.': 'Thông tin cơ bản về các yêu cầu và quyên góp như thể loại, tên đơn vị, chi tiết liên lạc và tình trạng',
'Basic reports on the Shelter and drill-down by region': 'Báo cáo cơ bản về nơi cư trú và báo cáo chi tiết theo vùng',
'Baud rate to use for your modem - The default is safe for most cases': 'Tốc độ truyền sử dụng cho mô đem của bạn - Chế độ mặc định là an toàn trong hầu hết các trường hợp',
'Bed Type': 'Loại Giường',
'Behaviour Change Communication': 'Truyền thông thay đổi hành vi',
'Beneficiaries Added': 'Người hưởng lợi đã được thêm',
'Beneficiaries Deleted': 'Người hưởng lợi đã được xóa',
'Beneficiaries Details': 'Thông tin của người hưởng lợi',
'Beneficiaries Updated': 'Người hưởng lợi đã được cập nhật',
'Beneficiaries': 'Người hưởng lợi',
'Beneficiary Report': 'Báo cáo người hưởng lợi',
'Beneficiary Type Added': 'Loại người hưởng lợi đã được thêm',
'Beneficiary Type Deleted': 'Loại người hưởng lợi đã được xóa',
'Beneficiary Type Updated': 'Loại người hưởng lợi đã được cập nhật',
'Beneficiary Type': 'Đối tượng hưởng lợi',
'Beneficiary Types': 'Đối tượng hưởng lợi',
'Beneficiary of preferential treatment policy': 'Là đối tượng chính sách',
'Beneficiary': 'Người Hưởng lợi',
'Better Programming Initiative Guidance': 'Hướng dẫn sử dụng tài liệu BPI',
'Bin': 'Thẻ kho',
'Bing Layer': 'Lớp thừa',
'Biological Hazard': 'Hiểm họa sinh học',
'Biscuits': 'Bánh quy',
'Blizzard': 'Bão tuyết',
'Blocked': 'Bị chặn',
'Blood Donation and Services': 'Hiến máu và Dịch vụ về máu',
'Blood Type (AB0)': 'Nhóm máu (ABO)',
'Blowing Snow': 'Tuyết lở',
'Body Recovery Requests': 'Yêu cầu phục hồi cơ thể',
'Body Recovery': 'Phục hồi thân thể',
'Body': 'Thân thể',
'Bomb Explosion': 'Nổ bom',
'Bomb Threat': 'Nguy cơ nổ bom',
'Bomb': 'Bom',
'Border Color for Text blocks': 'Màu viền cho khối văn bản',
'Both': 'Cả hai',
'Branch Capacity Development': 'Phát triển năng lực cho Tỉnh/ thành Hội',
'Branch Organization Details': 'Thông tin tổ chức cơ sở',
'Branch Organization added': 'Tổ chức cơ sở đã được thêm',
'Branch Organization deleted': 'Tổ chức cơ sở đã được xóa',
'Branch Organization updated': 'Tổ chức cơ sở đã được cập nhật',
'Branch Organizations': 'Tổ chức cơ sở',
'Branch': 'Cơ sở',
'Branches': 'Cơ sở',
'Brand Details': 'Thông tin nhãn hiệu',
'Brand added': 'Nhãn hiệu đã được thêm',
'Brand deleted': 'Nhãn hiệu đã được xóa',
'Brand updated': 'Nhãn hiệu đã được cập nhật',
'Brand': 'Nhãn hiệu',
'Brands': 'Nhãn hiệu',
'Breakdown': 'Chi tiết theo',
'Bridge Closed': 'Cầu đã bị đóng',
'Buddhist': 'Tín đồ Phật giáo',
'Budget Updated': 'Cập nhât ngân sách',
'Budget deleted': 'Đã xóa ngân sách',
'Budget': 'Ngân sách',
'Budgets': 'Ngân sách',
'Buffer': 'Đệm',
'Bug': 'Lỗi',
'Building Collapsed': 'Nhà bị sập',
'Building Name': 'Tên tòa nhà',
'Bulk Uploader': 'Công cụ đê tải lên số lượng lớn thông tin',
'Bundle Updated': 'Cập nhật Bundle',
'Bundles': 'Bó',
'By Warehouse': 'Bằng Kho hàng',
'By Warehouse/Facility/Office': 'Bằng Kho hàng/ Bộ phận/ Văn phòng',
'By selecting this you agree that we may contact you.': 'Bằng việc lựa chọn bạn đồng ý chúng tôi có thể liên lạc với bạn',
'CBDRM': 'QLRRTHDVCĐ',
'COPY': 'Sao chép',
'CREATE': 'TẠO',
'CSS file %s not writable - unable to apply theme!': 'không viết được file CSS %s - không thể áp dụng chủ đề',
'CV': 'Quá trình công tác',
'Calculate': 'Tính toán',
'Calculation': 'Tính toán',
'Calendar': 'Lịch',
'Camp': 'Trạm/chốt tập trung',
'Can only approve 1 record at a time!': 'Chỉ có thể phê duyệt 1 hồ sơ mỗi lần',
'Can only disable 1 record at a time!': 'Chỉ có thể vô hiệu 1 hồ sơ mỗi lần',
'Can only update 1 record at a time!': 'Chỉ có thể cập nhật 1 hồ sơ mỗi lần',
'Can read PoIs either from an OpenStreetMap file (.osm) or mirror.': 'Có thể đọc PoIs từ cả định dạng file OpenStreetMap (.osm) hoặc mirror.',
'Canadian Dollars': 'Đô la Canada',
'Cancel Log Entry': 'Hủy ghi chép nhật ký',
'Cancel Shipment': 'Hủy lô hàng vận chuyển',
'Cancel editing': 'Hủy chỉnh sửa',
'Cancel': 'Hủy',
'Canceled': 'Đã hủy',
'Cannot delete whilst there are linked records. Please delete linked records first.': 'Không xóa được khi đang có bản thu liên quan.Hãy xóa bản thu trước',
'Cannot disable your own account!': 'Không thể vô hiệu tài khoản của chính bạn',
'Cannot make an Organization a branch of itself!': 'Không thể tạo ra tổ chức là tổ chức cơ sở của chính nó',
'Cannot open created OSM file!': 'Không thể mở file OSM đã tạo',
'Cannot read from file: %(filename)s': 'Không thể đọc file: %(filename)s',
'Cannot send messages if Messaging module disabled': 'Không thể gửi tin nhắn nếu chức năng nhắn tin bị tắt',
'Capacity Building of Staff': 'Xây dựng năng lực cho Cán bộ',
'Capacity Building of Volunteers': 'Xây dựng năng lực cho Tình nguyện viên',
'Capacity Building': 'Xây dựng năng lực',
'Capacity Development': 'Nâng cao năng lực',
'Capture Information on Disaster Victim groups (Tourists, Passengers, Families, etc.)': 'Nắm bắt thông tin của các nạn nhân chịu ảnh hưởng của thiên tai(Khách du lịch,Gia đình...)',
'Card number': 'Số thẻ BHXH',
'Cardiology': 'Bệnh tim mạch',
'Cases': 'Trường hợp',
'Casual Labor': 'Nhân công thời vụ',
'Catalog Details': 'Thông tin danh mục',
'Catalog Item added': 'Mặt hàng trong danh mục đã được thêm',
'Catalog Item deleted': 'Mặt hàng trong danh mục đã được xóa',
'Catalog Item updated': 'Mặt hàng trong danh mục đã được cập nhật',
'Catalog Items': 'Mặt hàng trong danh mục',
'Catalog added': 'Danh mục đã được thêm',
'Catalog deleted': 'Danh mục đã được xóa',
'Catalog updated': 'Danh mục đã được cập nhật',
'Catalog': 'Danh mục',
'Catalogs': 'Danh mục',
'Categories': 'Chủng loại',
'Category': 'Chủng loại',
'Center': 'Trung tâm',
'Certificate Catalog': 'Danh mục chứng nhận',
'Certificate Details': 'Thông tin chứng nhận',
'Certificate List': 'Danh sách chứng nhận',
'Certificate Status': 'Tình trạng của chứng nhận',
'Certificate added': 'Chứng nhận đã được thêm',
'Certificate deleted': 'Chứng nhận đã được xóa',
'Certificate updated': 'Chứng nhận đã được cập nhật',
'Certificate': 'Chứng nhận',
'Certificates': 'Chứng nhận',
'Certification Details': 'Thông tin bằng cấp',
'Certification added': 'Bằng cấp đã được thêm',
'Certification deleted': 'Bằng cấp đã được xóa',
'Certification updated': 'Bằng cấp đã được cập nhật',
'Certifications': 'Bằng cấp',
'Certifying Organization': 'Tổ chức xác nhận',
'Change Password': 'Thay đổi mật khẩu',
'Chart': 'Biểu đồ',
'Check Request': 'Kiểm tra yêu cầu',
'Check for errors in the URL, maybe the address was mistyped.': 'Kiểm tra lỗi đường dẫn URL, địa chỉ có thể bị đánh sai',
'Check if the URL is pointing to a directory instead of a webpage.': 'Kiểm tra nếu đường dẫn URL chỉ dẫn đến danh bạ chứ không phải đến trang web',
'Check outbox for the message status': 'Kiểm tra hộp thư đi để xem tình trạng thư gửi đi',
'Check this to make your search viewable by others.': 'Chọn ô này để người khác có thể xem được tìm kiếm của bạn',
'Check': 'Kiểm tra',
'Check-In': 'Đăng ký',
'Check-Out': 'Thanh toán',
'Checked': 'Đã kiểm tra',
'Checking your file...': 'Kiểm tra file của bạn',
'Checklist of Operations': 'Danh sách kiểm tra các hoạt động',
'Chemical Hazard': 'Hiểm họa óa học',
'Child (2-11)': 'Trẻ em (2-11)',
'Child Abduction Emergency': 'Tình trạng khẩn cấp về lạm dụng trẻ em',
'Children (2-5 years)': 'Trẻ em (từ 2-5 tuổi)',
'Children (< 2 years)': 'Trẻ em (dưới 2 tuổi)',
'Choose Country': 'Lựa chọn quốc gia',
'Choose File': 'Chọn file',
'Choose country': 'Lựa chọn quốc gia',
'Choose': 'Lựa chọn',
'Christian': 'Tín đồ Cơ-đốc giáo',
'Church': 'Nhà thờ',
'Circumstances of disappearance, other victims/witnesses who last saw the missing person alive.': 'Hoàn cảnh mất tích, những nhân chứng nhìn thấy lần gần đây nhất nạn nhân còn sống',
'City / Town / Village': 'Phường/ Xã',
'Civil Emergency': 'Tình trạng khẩn cấp dân sự',
'Civil Society/NGOs': 'Tổ chức xã hội/NGOs',
'Clear filter': 'Xóa',
'Clear selection': 'Xóa lựa chọn',
'Clear': 'Xóa',
'Click anywhere on the map for full functionality': 'Bấm vào vị trí bất kỳ trên bản đồ để có đầy đủ chức năng',
'Click on a marker to see the Completed Assessment Form': 'Bấm vào nút đánh dấu để xem Mẫu đánh giá đã hoàn chỉnh',
'Click on the chart to show/hide the form.': 'Bấm vào biểu đồ để hiển thị/ ẩn mẫu',
'Click on the link %(url)s to reset your password': 'Bấm vào đường dẫn %(url)s khởi tạo lại mật khẩu của bạn',
'Click on the link %(url)s to verify your email': 'Bấm vào đường dẫn %(url)s để kiểm tra địa chỉ email của bạn',
'Click to dive in to regions or rollover to see more': 'Bấm để dẫn tới vùng hoặc cuộn chuột để xem gần hơn',
'Click where you want to open Streetview': 'Bấm vào chỗ bạn muốn xem ở chế độ Đường phố',
'Climate Change Adaptation': 'Thích ứng với Biến đổi khí hậu',
'Climate Change Mitigation': 'Giảm nhẹ Biến đổi khí hậu',
'Climate Change': 'Biến đổi khí hậu',
'Clinical Laboratory': 'Phòng thí nghiệm lâm sàng',
'Close Adjustment': 'Đóng điều chỉnh',
'Close map': 'Đóng bản đồ',
'Close': 'Đóng',
'Closed': 'Đã đóng',
'Closed?': 'Đã Đóng?',
'Cluster Details': 'Thông tin nhóm',
'Cluster Distance': 'Khoảng cách các nhóm',
'Cluster Threshold': 'Ngưỡng của mỗi nhóm',
'Cluster added': 'Nhóm đã được thêm',
'Cluster deleted': 'Nhóm đã được xóa',
'Cluster updated': 'Nhóm đã được cập nhật',
'Cluster': 'Nhóm',
'Cluster(s)': 'Nhóm',
'Clusters': 'Nhóm',
'Code Share': 'Chia sẻ mã',
'Code': 'Mã',
'Cold Wave': 'Đợt lạnh',
'Collect PIN from Twitter': 'Thu thập mã PIN từ Twitter',
'Color of selected Input fields': 'Màu của trường đã được chọn',
'Column Choices (One Per Line': 'Chọn cột',
'Columns': 'Cột',
'Combined Method': 'phương pháp được kết hợp',
'Come back later. Everyone visiting this site is probably experiencing the same problem as you.': 'Quay lại sau. Mọi người ghé thăm trang này đều gặp vấn đề giống bạn.',
'Come back later.': 'Quay lại sau.',
'Comment': 'Ghi chú',
'Comments': 'Ghi chú',
'Commit Date': 'Thời điểm cam kết',
'Commit': 'Cam kết',
'Commit Status': 'Tình trạng cam kết',
'Commitment Added': 'Cam kết đã được thêm',
'Commitment Canceled': 'Cam kết đã được hủy',
'Commitment Details': 'Thông tin của cam kết',
'Commitment Item Details': 'Thông tin mặt hàng cam kết',
'Commitment Item added': 'Mặt hàng cam kết đã được thêm',
'Commitment Item deleted': 'Mặt hàng cam kết đã được xóa',
'Commitment Item updated': 'Mặt hàng cam kết đã được cập nhật',
'Commitment Items': 'Mặt hàng cam kết',
'Commitment Updated': 'Cam kết đã được cập nhật',
'Commitment': 'Cam kết',
'Commitments': 'Cam kết',
'Committed By': 'Cam kết bởi',
'Committed People': 'Người đã Cam kết',
'Committed Person Details': 'Thông tin người đã cam kết',
'Committed Person updated': 'Người cam kết đã được cập nhật',
'Committed': 'Đã Cam kết',
'Committing Organization': 'Tổ chức cam kết',
'Committing Person': 'Người đang cam Kết',
'Committing Warehouse': 'Kho hàng đang cam kết',
'Commodities Loaded': 'Hàng hóa được đưa lên xe',
'Commune Name': 'Tên xã',
'Commune': 'Phường/ Xã',
'Communicable Diseases': 'Bệnh dịch lây truyền',
'Communities': 'Địa bàn dự án',
'Community Action Planning': 'Lập kế hoạch hành động của cộng đồng',
'Community Added': 'Công đồng đã được thêm',
'Community Contacts': 'Thông tin liên hệ của cộng đồng',
'Community Deleted': 'Công đồng đã được xóa',
'Community Details': 'Thông tin về cộng đồng',
'Community Health Center': 'Trung tâm sức khỏe cộng đồng',
'Community Health': 'Chăm sóc sức khỏe cộng đồng',
'Community Member': 'Thành viên cộng đồng',
'Community Mobilisation': 'Huy động cộng đồng',
'Community Mobilization': 'Huy động cộng đồng',
'Community Organisation': 'Tổ chức cộng đồng',
'Community Organization': 'Tổ chức cộng đồng',
'Community Updated': 'Công đồng đã được cập nhật',
'Community Health': 'CSSK Cộng đồng',
'Community': 'Cộng đồng',
'Community-based DRR': 'GTRRTH dựa vào cộng đồng',
'Company': 'Công ty',
'Competency Rating Catalog': 'Danh mục xếp hạng năng lực',
'Competency Rating Details': 'Thông tin xếp hạng năng lực',
'Competency Rating added': 'Xếp hạng năng lực đã được thêm',
'Competency Rating deleted': 'Xếp hạng năng lực đã được xóa',
'Competency Rating updated': 'Xếp hạng năng lực đã được cập nhật',
'Competency Rating': 'Xếp hạng năng lực',
'Competency': 'Cấp độ thành thục',
'Complete Returns': 'Quay lại hoàn toàn',
'Complete Unit Label for e.g. meter for m.': 'Nhãn đơn vị đầy đủ. Ví dụ mét cho m.',
'Complete': 'Hoàn thành',
'Completed Assessment Form Details': 'Thông tin biểu mẫu đánh giá đã hoàn thiện',
'Completed Assessment Form deleted': 'Biểu mẫu đánh giá đã hoàn thiện đã được thêm',
'Completed Assessment Form entered': 'Biểu mẫu đánh giá đã hoàn thiện đã được nhập',
'Completed Assessment Form updated': 'Biểu mẫu đánh giá đã hoàn thiện đã được cập nhật',
'Completed Assessment Forms': 'Biểu mẫu đánh giá đã hoàn thiện',
'Completed Assessments': 'Các Đánh giá đã Hoàn thành',
'Completed': 'Hoàn thành',
'Completion Question': 'Câu hỏi hoàn thành',
'Complex Emergency': 'Tình huống khẩn cấp phức tạp',
'Complexion': 'Cục diện',
'Compose': 'Soạn thảo',
'Condition': 'Điều kiện',
'Conduct a Disaster Assessment': 'Thực hiện đánh giá thảm họa',
'Config added': 'Cấu hình đã được thêm',
'Config updated': 'Cập nhật tùy chỉnh',
'Config': 'Tùy chỉnh',
'Configs': 'Cấu hình',
'Configuration': 'Cấu hình',
'Configure Layer for this Symbology': 'Thiết lập cấu hình lớp cho biểu tượng này',
'Configure Run-time Settings': 'Thiết lập cấu hình cho cài đặt thời gian hoạt động',
'Configure connection details and authentication': 'Thiêt lập cấu hình cho thông tin kết nối và xác thực',
'Configure resources to synchronize, update methods and policies': 'Cài đặt cấu hình các nguồn lực để đồng bộ, cập nhật phương pháp và chính sách',
'Configure the default proxy server to connect to remote repositories': 'Thiết lập cấu hình cho máy chủ mặc định để kết nối tới khu vực lưu trữ từ xa',
'Configure/Monitor Synchonization': 'Thiêt lập cấu hình/ giám sát đồng bộ hóa',
'Confirm Shipment Received': 'Xác nhận lô hàng đã nhận',
'Confirm that some items were returned from a delivery to beneficiaries and they will be accepted back into stock.': 'Xác nhận một số mặt hàng đã được trả lại từ bên vận chuyển tới người hưởng lợi và các mặt hàng này sẽ được chấp thuân nhập trở lại kho.',
'Confirm that the shipment has been received by a destination which will not record the shipment directly into the system and confirmed as received.': 'Xác nhận lô hàng đã nhận đến điểm gửi mà không biên nhập lô hàng trực tiếp vào hệ thống và đã xác nhận việc nhận hàng',
'Confirmed': 'Đã xác nhận',
'Confirming Organization': 'Tổ chức xác nhận',
'Conflict Policy': 'Xung đột Chính sách',
'Construction of Transitional Shelter': 'Xây dựng nhà tạm',
'Consumable': 'Có thể tiêu dùng được',
'Contact Added': 'Thông tin liên hệ đã được thêm',
'Contact Data': 'Dữ liệu thông tin liên hệ',
'Contact Deleted': 'Thông tin liên hệ đã được xóa',
'Contact Description': 'Số điện thoại/ Email',
'Contact Details': 'Thông tin hợp đồng',
'Contact Info': 'Thông tin liên hệ',
'Contact Information Added': 'Thông tin liên hệ đã được thêm',
'Contact Information Deleted': 'Thông tin liên hệ đã được xóa',
'Contact Information Updated': 'Thông tin liên hệ đã được cập nhật',
'Contact Information': 'Thông tin liên hệ',
'Contact Method': 'Phương pháp liên hệ',
'Contact People': 'Người liên hệ',
'Contact Person': 'Người liên hệ',
'Contact Persons': 'Người liên hệ',
'Contact Updated': 'Thông tin liên hệ đã được cập nhật',
'Contact us': 'Liên hệ chúng tôi',
'Contact': 'Thông tin liên hệ',
'Contacts': 'Thông tin liên hệ',
'Contents': 'Nội dung',
'Context': 'Bối cảnh',
'Contingency/ Preparedness Planning': 'Lập kế hoạch dự phòng/ phòng ngừa',
'Contract End Date': 'Ngày kết thúc hợp đồng',
'Contributor': 'Người đóng góp',
'Controller': 'Người kiểm soát',
'Conversion Tool': 'Công cụ chuyển đổi',
'Coordinate Layer': 'Lớp điều phối',
'Coordination and Partnerships': 'Điều phối và Hợp tác',
'Copy': 'Sao chép',
'Corn': 'Ngũ cốc',
'Corporate Entity': 'Thực thể công ty',
'Could not add person record': 'Không thêm được hồ sơ cá nhân',
'Could not auto-register at the repository, please register manually.': 'Không thể đăng ký tự động vào kho dữ liệu, đề nghị đăng ký thủ công',
'Could not create record.': 'Không tạo được hồ sơ',
'Could not generate report': 'Không tạo được báo cáo',
'Could not initiate manual synchronization.': 'Không thể bắt đầu việc đồng bộ hóa thủ công',
'Count of Question': 'Số lượng câu Hỏi',
'Count': 'Số lượng',
'Countries': 'Quốc gia',
'Country Code': 'Quốc gia cấp',
'Country in': 'Quốc gia ở',
'Country is required!': 'Quốc gia bắt buộc điền!',
'Country': 'Quốc gia',
'County / District (Count)': 'Quận / Huyện (số lượng)',
'County / District': 'Quận/ Huyện',
'Course Catalog': 'Danh mục khóa tập huấn',
'Course Certificate Details': 'Thông tin chứng nhận khóa tập huấn',
'Course Certificate added': 'Chứng nhận khóa tập huấn đã được thêm',
'Course Certificate deleted': 'Chứng nhận khóa tập huấn đã được xóa',
'Course Certificate updated': 'Chứng nhận khóa tập huấn đã được cập nhật',
'Course Certificates': 'Chứng chỉ khóa học',
'Course Details': 'Thông tin khóa tập huấn',
'Course added': 'Khóa tập huấn đã được thêm',
'Course deleted': 'Khóa tập huấn đã được xóa',
'Course updated': 'Khóa tập huấn đã được cập nhật',
'Course': 'Khóa tập huấn',
'Create & manage Distribution groups to receive Alerts': 'Tạo & quản lý nhóm phân phát để nhận cảnh báo',
'Create Activity Type': 'Thêm loại hình hoạt động',
'Create Activity': 'Thêm hoạt động',
'Create Assessment Template': 'Thêm biểu mẫu đánh giá',
'Create Assessment': 'Thêm đợt đánh giá',
'Create Asset': 'Thêm tài sản',
'Create Award': 'Thêm khen thưởng',
'Create Award Type': 'Thêm hình thức khen thưởng',
'Create Beneficiary Type': 'Thêm loại người hưởng lợi',
'Create Brand': 'Thêm nhãn hàng',
'Create Catalog Item': 'Thêm mặt hàng vào danh mục',
'Create Catalog': 'Thêm danh mục',
'Create Certificate': 'Thêm chứng nhận',
'Create Cluster': 'Thêm nhóm',
'Create Community': 'Thêm cộng đồng',
'Create Competency Rating': 'Thêm xếp loại năng lực',
'Create Contact': 'Thêm liên lạc',
'Create Course': 'Thêm khóa tập huấn',
'Create Department': 'Thêm phòng/ban',
'Create Disaster Assessment': 'Thêm báo cáo đánh giá thảm họa',
'Create Facility Type': 'Thêm loại hình bộ phận',
'Create Facility': 'Thêm bộ phận',
'Create Feature Layer': 'Thêm lớp chức năng',
'Create Group Entry': 'Tạo ghi chép nhóm',
'Create Group': 'Thêm nhóm',
'Create Hazard': 'Thêm hiểm họa',
'Create Hospital': 'Thêm Bệnh viện',
'Create Incident Report': 'Thêm báo cáo sự cố',
'Create Incident': 'Thêm sự kiện',
'Create Item Category': 'Thêm loại hàng hóa',
'Create Item Pack': 'Thêm gói hàng hóa',
'Create Item': 'Tạo mặt hàng mới',
'Create Item': 'Thêm hàng hóa',
'Create Job Title': 'Thêm chức danh công việc',
'Create Job': 'Thêm công việc',
'Create Kit': 'Thêm dụng cụ',
'Create Layer': 'Thêm lớp',
'Create Location Hierarchy': 'Thêm thứ tự địa điểm',
'Create Location': 'Thêm địa điểm',
'Create Mailing List': 'Thêm danh sách gửi thư',
'Create Map Profile': 'Thêm cài đặt cấu hình bản đồ',
'Create Marker': 'Thêm công cụ đánh dấu',
'Create Member': 'Thêm hội viên',
'Create Membership Type': 'Thêm loại hội viên',
'Create Milestone': 'Thêm mốc quan trọng',
'Create National Society': 'Thêm Hội Quốc gia',
'Create Office Type': 'Thêm loại hình văn phòng mới',
'Create Office': 'Thêm văn phòng',
'Create Organization Type': 'Thêm loại hình tổ chức',
'Create Organization': 'Thêm tổ chức',
'Create PDF': 'Tạo PDF',
'Create Partner Organization': 'Thêm tổ chức đối tác',
'Create Program': 'Thêm chương trình',
'Create Project': 'Thêm dự án',
'Create Projection': 'Thêm dự đoán',
'Create Question Meta-Data': 'Thêm siêu dữ liệu câu hỏi',
'Create Report': 'Thêm báo cáo mới',
'Create Repository': 'Thêm kho chứa',
'Create Request': 'Khởi tạo yêu cầu',
'Create Resource': 'Thêm nguồn lực',
'Create Role': 'Thêm vai trò',
'Create Room': 'Thêm phòng',
'Create Sector': 'Thêm lĩnh vực',
'Create Shelter': 'Thêm Nơi cư trú mới',
'Create Skill Type': 'Thêm loại kỹ năng',
'Create Skill': 'Thêm kỹ năng',
'Create Staff Level': 'Thêm ngạch công chức',
'Create Staff Member': 'Thêm cán bộ',
'Create Status': 'Thêm trạng thái',
'Create Supplier': 'Thêm nhà cung cấp',
'Create Symbology': 'Thêm biểu tượng',
'Create Task': 'Thêm nhiệm vụ',
'Create Team': 'Tạo đội TNV',
'Create Theme': 'Thêm chủ đề',
'Create Training Event': 'Thêm khóa tập huấn',
'Create User': 'Thêm người dùng',
'Create Volunteer Cluster Position': 'Thêm vi trí của nhóm tình nguyện viên',
'Create Volunteer Cluster Type': 'Thêm loại hình nhóm tình nguyện viên',
'Create Volunteer Cluster': 'Thêm nhóm tình nguyện viên',
'Create Volunteer Role': 'Thêm vai trò của tình nguyện viên',
'Create Volunteer': 'Thêm tình nguyện viên',
'Create Warehouse': 'Thêm kho hàng',
'Create a Person': 'Thêm họ tên',
'Create a group entry in the registry.': 'Tạo ghi chép nhóm trong hồ sơ đăng ký',
'Create a new Team': 'Tạo đội TNV mới',
'Create a new facility or ensure that you have permissions for an existing facility.': 'Tạo tiện ích mới hoặc đảm bảo rằng bạn có quyền truy cập vào tiện ích sẵn có',
'Create a new organization or ensure that you have permissions for an existing organization.': 'Tạo tổ chức mới hoặc đảm bảo rằng bạn có quyền truy cập vào một tổ chức có sẵn',
'Create alert': 'Tạo cảnh báo',
'Create an Assessment Question': 'Thêm câu hỏi trong mẫu đánh giá',
'Create search': 'Thêm tìm kiếm',
'Create template': 'Tạo mẫu biểu',
'Create': 'Thêm',
'Created By': 'Tạo bởi',
'Created by': 'Tạo bởi',
'Credential Details': 'Thông tin thư ủy nhiệm',
'Credential added': 'Thư ủy nhiệm đã được thêm',
'Credential deleted': 'Thư ủy nhiệm đã được xóa',
'Credential updated': 'Thư ủy nhiệm đã được cập nhật',
'Credentialling Organization': 'Tổ chức ủy nhiệm',
'Credentials': 'Thư ủy nhiệm',
'Crime': 'Tội phạm',
'Criteria': 'Tiêu chí',
'Critical Infrastructure': 'Cở sở hạ tầng trọng yếu',
'Currency': 'Tiền tệ',
'Current Group Members': 'Nhóm thành viên hiện tại',
'Current Home Address': 'Địa chỉ nhà riêng hiện tại',
'Current Identities': 'Nhận dạng hiện tại',
'Current Location': 'Vị trí hiện tại',
'Current Memberships': 'Thành viên hiện tại',
'Current Owned By (Organization/Branch)': 'Hiện tại đang được sở hữu bởi (Tổ chức/ cơ sở)',
'Current Status': 'Trạng thái hiện tại',
'Current Twitter account': 'Tài khoản Twitter hiện tại',
'Current request': 'Yêu cầu hiện tại',
'Current response': 'Hoạt động ưng phó hiện tại',
'Current session': 'Phiên họp hiện tại',
'Current': 'Đang đề xuất',
'Currently no Certifications registered': 'Hiện tại chưa có chứng nhận nào được đăng ký',
'Currently no Course Certificates registered': 'Hiện tại chưa có chứng nhận khóa tập huấn nào được đăng ký',
'Currently no Credentials registered': 'Hiện tại chưa có thư ủy nhiệm nào được đăng ký',
'Currently no Participants registered': 'Hiện tại chưa có người tham dự nào đăng ký',
'Currently no Professional Experience entered': 'Hiện tại chưa có kinh nghiệm nghề nghiệp nào được nhập',
'Currently no Skill Equivalences registered': 'Hiện tại chưa có kỹ năng tương đương nào được đăng ký',
'Currently no Skills registered': 'Hiện tại chưa có kỹ năng nào được đăng ký',
'Currently no Trainings registered': 'Hiện tại chưa có khóa tập huấn nào được đăng ký',
'Currently no entries in the catalog': 'Hiện chưa có hồ sơ nào trong danh mục',
'Currently no hours recorded for this volunteer': 'Hiện tại chưa có thời gian hoạt động được ghi cho tình nguyện viên này',
'Currently no programmes registered': 'Hiện tại chưa có chương trình nào được đăng ký',
'Currently no staff assigned': 'Hiện tại chưa có cán bộ nào được phân công',
'Currently no training events registered': 'Hiện tại chưa có khóa tập huấn nào được đăng ký',
'Customer': 'Khách hàng',
'Customisable category of aid': 'Các tiêu chí cứu trợ có thể tùy chỉnh',
'Cyclone': 'Bão',
'DATA QUALITY': 'CHẤT LƯỢNG DỮ LIỆU',
'DATA/REPORT': 'DỮ LIỆU/BÁO CÁO',
'DECIMAL_SEPARATOR': 'Ngăn cách bằng dấu phẩy',
'DELETE': 'XÓA',
'DRR': 'GTRRTH',
'DRRPP Extensions': 'Gia hạn DRRPP',
'Daily Work': 'Công việc hàng ngày',
'Daily': 'Hàng ngày',
'Dam Overflow': 'Tràn đập',
'Damaged': 'Thiệt hại',
'Dangerous Person': 'Người nguy hiểm',
'Dashboard': 'Bảng điều khiển',
'Data Quality': 'Chất lượng Dữ liệu',
'Data Source': 'Nguồn Dữ liệu',
'Data Type': 'Loại dữ liệu',
'Data added to Theme Layer': 'Dữ liệu đã được thêm vào lớp chủ đề',
'Data import error': 'Lỗi nhập khẩu dữ liệu',
'Data uploaded': 'Dữ liệu đã được tải lên',
'Data': 'Dữ liệu',
'Data/Reports': 'Dữ liệu/Báo cáo',
'Database Development': 'Xây dựng cơ sở dữ liệu',
'Database': 'Cơ sở Dữ liệu',
'Date Available': 'Ngày rãnh rỗi',
'Date Created': 'Ngày đã được tạo',
'Date Due': 'Ngày đến hạn',
'Date Expected': 'Ngày được mong muốn',
'Date Joined': 'Ngày tham gia',
'Date Needed By': 'Ngày cần bởi',
'Date Published': 'Ngày xuất bản',
'Date Question': 'Hỏi Ngày',
'Date Range': 'Khoảng thời gian',
'Date Received': 'Ngày Nhận được',
'Date Released': 'Ngày Xuất ra',
'Date Repacked': 'Ngày Đóng gói lại',
'Date Requested': 'Ngày Đề nghị',
'Date Required Until': 'Trước Ngày Đòi hỏi ',
'Date Required': 'Ngày Đòi hỏi',
'Date Sent': 'Ngày gửi',
'Date Taken': 'Ngày Nhận được',
'Date Until': 'Trước Ngày',
'Date and Time of Goods receipt. By default shows the current time but can be modified by editing in the drop down list.': 'Ngày giờ nhận hàng hóa.Hiển thị thời gian theo mặc định nhưng vẫn có thể chỉnh sửa',
'Date and Time': 'Ngày và giờ',
'Date must be %(max)s or earlier!': 'Ngày phải %(max)s hoặc sớm hơn!',
'Date must be %(min)s or later!': 'Ngày phải %(min)s hoặc muộn hơn!',
'Date must be between %(min)s and %(max)s!': 'Ngày phải trong khoản %(min)s và %(max)s!',
'Date of Birth': 'Ngày Sinh',
'Date of Report': 'Ngày báo cáo',
'Date of adjustment': 'Điều chỉnh ngày',
'Date of submission': 'Ngày nộp',
'Date Resigned': 'Ngày từ nhiệm',
'Date': 'Ngày bắt đầu',
'Date/Time of Alert': 'Ngày/Giờ Cảnh báo',
'Date/Time of Dispatch': 'Ngày/Giờ Gửi',
'Date/Time of Find': 'Ngày giờ tìm kiếm',
'Date/Time': 'Ngày/Giờ',
'Day': 'Ngày',
'De-duplicator': 'Bộ chống trùng',
'Dead Bodies': 'Các xác chết',
'Dead Body Reports': 'Báo cáo thiệt hại về người',
'Dead Body': 'Xác chết',
'Deaths/24hrs': 'Số người chết/24h',
'Deceased': 'Đã chết',
'Decimal Degrees': 'Độ âm',
'Decision': 'Quyết định',
'Decline failed': 'Thất bại trong việc giảm',
'Default Base layer?': 'Lớp bản đồ cơ sở mặc định',
'Default Location': 'Địa điểm mặc định',
'Default Marker': 'Đánh dấu mặc định',
'Default Realm = All Entities the User is a Staff Member of': 'Realm mặc định=tất cả các đơn vị, người Sử dụng là cán bộ thành viên của',
'Default Realm': 'Realm mặc định',
'Default map question': 'Câu hỏi bản đồ mặc định',
'Default synchronization policy': 'Chính sách đồng bộ hóa mặc định',
'Default': 'Mặc định',
'Defaults': 'Mặc định',
'Defines the icon used for display of features on handheld GPS.': 'Định nghĩa biểu tượng được sử dụng để miêu tả các chức năng trên máy GPS cầm tay.',
'Defines the icon used for display of features on interactive map & KML exports.': 'Định nghĩa biểu tượng được sử dụng để miêu tả các chức năng trên bản đồ tương tác và chiết xuất KML.',
'Degrees in a latitude must be between -90 to 90.': 'Giá trị vĩ độ phải trong khoảng -90 tới 90',
'Degrees in a longitude must be between -180 to 180.': 'Giá trị kinh độ phải nằm giữa -180 tới 180',
'Degrees must be a number.': 'Độ: phải hiển thị bằng số',
'Delete Affiliation': 'Xóa liên kết',
'Delete Aid Request': 'Xóa yêu cầu cứu trợ',
'Delete Alternative Item': 'Xóa mặt hàng thay thế',
'Delete Asset Log Entry': 'Xóa ghi chép nhật ký tài sản',
'Delete Asset': 'Xóa tài sản',
'Delete Branch': 'Xóa tổ chức cơ sở',
'Delete Brand': 'Xóa nhãn hiệu',
'Delete Budget': 'Xóa ngân sách',
'Delete Catalog Item': 'Xóa mặt hang trong danh mục',
'Delete Catalog': 'Xóa danh mục',
'Delete Certificate': 'Xóa chứng chỉ',
'Delete Certification': 'Xóa bằng cấp',
'Delete Cluster': 'Xóa nhóm',
'Delete Commitment Item': 'Xóa mặt hàng cam kết',
'Delete Commitment': 'Xóa cam kết',
'Delete Competency Rating': 'Xóa xếp loại năng lực',
'Delete Config': 'Xóa cấu hình',
'Delete Contact Information': 'Xóa thông tin liên hệ',
'Delete Course Certificate': 'Xóa chứng chỉ khóa học',
'Delete Course': 'Xóa khóa học',
'Delete Credential': 'Xóa thư ủy nhiệm',
'Delete Data from Theme layer': 'Xoá dữ liệu khỏi lớp chủ đề',
'Delete Department': 'Xóa phòng/ban',
'Delete Document': 'Xóa tài liệu',
'Delete Donor': 'Xóa nhà tài trợ',
'Delete Facility Type': 'Xóa loại hinh bộ phận',
'Delete Facility': 'Xóa bộ phận',
'Delete Feature Layer': 'Xóa lớp chức năng',
'Delete Group': 'Xóa nhóm',
'Delete Hazard': 'Xóa hiểm họa',
'Delete Hospital': 'Xóa Bệnh viện',
'Delete Hours': 'Xóa thời gian hoạt động',
'Delete Image': 'Xóa hình ảnh',
'Delete Incident Report': 'Xóa báo cáo sự kiện',
'Delete Inventory Store': 'Xóa kho lưu trữ',
'Delete Item Category': 'Xóa danh mục hàng hóa',
'Delete Item Pack': 'Xóa gói hàng',
'Delete Item from Request': 'Xóa mặt hàng từ yêu cầu',
'Delete Item': 'Xóa mặt hàng',
'Delete Job Role': 'Xóa vai trò công việc',
'Delete Job Title': 'Xóa chức danh',
'Delete Kit': 'Xóa dụng cụ',
'Delete Layer': 'Xóa lớp',
'Delete Location Hierarchy': 'Xóa thứ tự địa điểm',
'Delete Location': 'Xóa địa điểm',
'Delete Mailing List': 'Xóa danh sách gửi thư',
'Delete Map Profile': 'Xóa cài đặt cấu hình bản đồ',
'Delete Marker': 'Xóa công cụ đánh dấu',
'Delete Member': 'Xóa hội viên',
'Delete Membership Type': 'Xóa loại hình nhóm hội viên',
'Delete Membership': 'Xóa nhóm hội viên',
'Delete Message': 'Xóa tin nhắn',
'Delete Metadata': 'Xóa siêu dữ liệu',
'Delete National Society': 'Xóa Hội Quốc gia',
'Delete Office Type': 'Xóa loại hình văn phòng',
'Delete Office': 'Xóa văn phòng',
'Delete Order': 'Xóa đơn đặt hàng',
'Delete Organization Domain': 'Xóa lĩnh vực hoạt động của tổ chức',
'Delete Organization Type': 'Xóa loại hình tổ chức',
'Delete Organization': 'Xóa tổ chức',
'Delete Participant': 'Xóa người tham dự',
'Delete Partner Organization': 'Xóa tổ chức đối tác',
'Delete Person': 'Xóa đối tượng',
'Delete Photo': 'Xóa ảnh',
'Delete Professional Experience': 'Xóa kinh nghiệm nghề nghiệp',
'Delete Program': 'Xóa chương trình',
'Delete Project': 'Xóa dự án',
'Delete Projection': 'Xóa dự đoán',
'Delete Received Shipment': 'Xóa lô hàng đã nhận',
'Delete Record': 'Xóa hồ sơ',
'Delete Report': 'Xóa báo cáo',
'Delete Request Item': 'Xóa yêu cầu hàng hóa',
'Delete Request': 'Xóa yêu cầu',
'Delete Role': 'Xóa vai trò',
'Delete Room': 'Xóa phòng',
'Delete Sector': 'Xóa lĩnh vực',
'Delete Sent Shipment': 'Xóa lô hàng đã gửi',
'Delete Service Profile': 'Xóa hồ sơ đăng ký dịch vụ',
'Delete Shipment Item': 'Xóa mặt hàng trong lô hàng',
'Delete Skill Equivalence': 'Xóa kỹ năng tương đương',
'Delete Skill Type': 'Xóa loại kỹ năng',
'Delete Skill': 'Xóa kỹ năng',
'Delete Staff Assignment': 'Xóa phân công cho cán bộ',
'Delete Staff Member': 'Xóa cán bộ',
'Delete Status': 'Xóa tình trạng',
'Delete Stock Adjustment': 'Xóa điều chỉnh hàng lưu kho',
'Delete Supplier': 'Xóa nhà cung cấp',
'Delete Survey Question': 'Xóa câu hỏi khảo sát',
'Delete Survey Template': 'Xóa mẫu khảo sát',
'Delete Symbology': 'Xóa biểu tượng',
'Delete Theme': 'Xóa chủ đề',
'Delete Training Event': 'Xóa sự kiện tập huấn',
'Delete Training': 'Xóa tập huấn',
'Delete Unit': 'Xóa đơn vị',
'Delete User': 'Xóa người dùng',
'Delete Volunteer Cluster Position': 'Xóa vị trí nhóm tình nguyện viên',
'Delete Volunteer Cluster Type': 'Xóa loại hình nhóm tình nguyện viên',
'Delete Volunteer Cluster': 'Xóa nhóm tình nguyện viên',
'Delete Volunteer Role': 'Xóa vai trò của tình nguyện viên',
'Delete Volunteer': 'Xóa tình nguyện viên',
'Delete Warehouse': 'Xóa kho hàng',
'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.': 'Xóa tất cả dữ liệu loại này mà người dùng có quyền truy cập trước khi tải lên. Việc này được thiết kế cho chu trình làm việc mà dữ liệu được quản lý trên excel ngoại tuyến và được tải lên chỉ để đọc.',
'Delete from Server?': 'Xóa khỏi máy chủ',
'Delete saved search': 'Xóa tìm kiếm đã lưu',
'Delete this Assessment Answer': 'Xóa câu trả lời này trong mẫu đánh giá',
'Delete this Assessment Question': 'Xóa câu hỏi này trong mẫu đánh giá',
'Delete this Assessment Template': 'Xóa biểu mẫu đánh giá này',
'Delete this Completed Assessment Form': 'Xóa biểu mẫu đánh giá đã được hoàn thiện này',
'Delete this Disaster Assessment': 'Xóa đánh giá thảm họa này',
'Delete this Question Meta-Data': 'Xóa siêu dữ liệu câu hỏi này',
'Delete this Template Section': 'Xóa nội dung này trong biểu mẫu',
'Delete': 'Xóa',
'Deliver To': 'Gửi tới',
'Delivered By': 'Được bởi',
'Delivered To': 'Đã gửi tới',
'Demographic Data Details': 'Thông tin số liệu dân số',
'Demographic Data added': 'Số liệu dân số đã được thêm',
'Demographic Data deleted': 'Số liệu dân số đã được xóa',
'Demographic Data updated': 'Số liệu dân số đã được cập nhật',
'Demographic Data': 'Số liệu dân số',
'Demographic Details': 'Thông tin dân số',
'Demographic Source Details': 'Thông tin về nguồn dữ liệu dân số',
'Demographic Sources': 'Nguồn dữ liệu dân số',
'Demographic added': 'Dữ liệu nhân khẩu đã được thêm',
'Demographic data': 'Số liệu dân số',
'Demographic deleted': 'Dữ liệu nhân khẩu đã được xóa',
'Demographic source added': 'Nguồn số liệu dân số đã được thêm',
'Demographic source deleted': 'Nguồn số liệu dân số đã được xóa',
'Demographic source updated': 'Nguồn số liệu dân số đã được cập nhật',
'Demographic updated': 'Dữ liệu nhân khẩu đã được cập nhật',
'Demographic': 'Nhân khẩu',
'Demographics': 'Nhân khẩu',
'Demonstrations': 'Trình diễn',
'Dental Examination': 'Khám nha khoa',
'Dental Profile': 'Hồ sơ khám răng',
'Department / Unit': 'Ban / Đơn vị',
'Department Catalog': 'Danh sách phòng/ban',
'Department Details': 'Thông tin phòng/ban',
'Department added': 'Phòng ban đã được thêm',
'Department deleted': 'Phòng ban đã được xóa',
'Department updated': 'Phòng ban đã được cập nhật',
'Deployment Location': 'Địa điểm điều động',
'Deployment Request': 'Yêu cầu điều động',
'Deployment': 'Triển khai',
'Describe the condition of the roads to your hospital.': 'Mô tả tình trạng các con đường tới bệnh viện.',
"Describe the procedure which this record relates to (e.g. 'medical examination')": 'Mô tả qui trình liên quan tới hồ sơ này (ví dụ: "kiểm tra sức khỏe")',
'Description of Contacts': 'Mô tả thông tin mối liên lạc',
'Description of defecation area': 'Mo tả khu vực defecation',
'Description': 'Mô tả',
'Design, deploy & analyze surveys.': 'Thiết kế, triển khai và phân tích đánh giá.',
'Destination': 'Điểm đến',
'Destroyed': 'Bị phá hủy',
'Detailed Description/URL': 'Mô tả chi tiêt/URL',
'Details field is required!': 'Ô Thông tin chi tiết là bắt buộc!',
'Details of Disaster Assessment': 'Thông tin chi tiết về đánh giá thảm họa',
'Details of each question in the Template': 'Chi tiết về mỗi câu hỏi trong biểu mẫu',
'Details': 'Chi tiết',
'Dignitary Visit': 'Chuyến thăm cấp cao',
'Direction': 'Định hướng',
'Disable': 'Vô hiệu',
'Disabled': 'Đã tắt',
'Disaster Assessment Chart': 'Biểu đồ đánh giá thảm họa',
'Disaster Assessment Map': 'Bản đồ đánh giá thảm họa',
'Disaster Assessment Summary': 'Tóm tắt đánh giá thảm họa',
'Disaster Assessment added': 'Báo cáo đánh giá thảm họa đã được thêm',
'Disaster Assessment deleted': 'Báo cáo đánh giá thảm họa đã được xóa',
'Disaster Assessment updated': 'Báo cáo đánh giá thảm họa đã được cập nhật',
'Disaster Assessments': 'Đánh giá thảm họa',
'Disaster Law': 'Luật phòng, chống thiên tai',
'Disaster Risk Management': 'QLRRTH',
'Disaster Risk Reduction': 'GTRRTH',
'Disaster Victim Identification': 'Nhận dạng nạn nhân trong thảm họa',
'Disaster chemical spill/leak, explosions, collapses, gas leaks, urban fire, oil spill, technical failure': 'rò rỉ hóa học, nổ, rò khí ga, hỏa hoạn trong đô thị, tràn dầu',
'Disciplinary Action Type': 'Hình thức kỷ luật',
'Disciplinary Body': 'Cấp kỷ luật',
'Disciplinary Record': 'Kỷ luật',
'Discussion Forum': 'Diễn đàn thảo luận',
'Dispatch Time': 'Thời gian gửi đi',
'Dispatch': 'Gửi đi',
'Dispensary': 'Y tế dự phòng',
'Displaced Populations': 'Dân cư bị sơ tán',
'Display Chart': 'Hiển thị biểu đồ',
'Display Polygons?': 'Hiển thị hình đa giác?',
'Display Question on Map': 'Hiển thị câu hỏi trên bản đồ',
'Display Routes?': 'Hiển thị tuyến đường?',
'Display Selected Questions': 'Hiển thị câu hỏi được lựa chọn',
'Display Tracks?': 'Hiển thị dấu vết?',
'Display Waypoints?': 'Hiển thị các cột báo trên đường?',
'Display': 'Hiển thị',
'Distance from %s:': 'Khoảng cách từ %s:',
'Distribution Item Details': 'Chi tiết hàng hóa cứu trợ ',
'Distribution Item': 'Hàng hóa đóng góp',
'Distribution groups': 'Nhóm cấp phát',
'Distribution of Food': 'Cấp phát lương thực',
'Distribution of Non-Food Items': 'Cấp phát các mặt hàng phi lương thực',
'Distribution of Shelter Repair Kits': 'Cấp phát bộ dụng cụ sửa nhà',
'Distribution': 'Cấp phát',
'District': 'Quận/ Huyện',
'Diversifying Livelihoods': 'Đa dạng nguồn sinh kế',
'Divorced': 'Ly hôn',
'Do you really want to approve this record?': 'Bạn có thực sự muốn chấp thuân hồ sơ này không?',
'Do you really want to delete these records?': 'Bạn có thực sự muốn xóa các hồ sơ này không?',
'Do you really want to delete this record? (This action can not be reversed)': 'Bạn có thực sự muốn xóa hồ sơ này không? (Hồ sơ không thể khôi phục lại sau khi xóa)',
'Do you want to cancel this received shipment? The items will be removed from the Warehouse. This action CANNOT be undone!': 'Bạn có muốn hủy lô hàng đã nhận được này không? Hàng hóa này sẽ bị xóa khỏi Kho hàng. Dữ liệu không thể khôi phục lại sau khi xóa!',
'Do you want to cancel this sent shipment? The items will be returned to the Warehouse. This action CANNOT be undone!': 'Bạn có muốn hủy Lô hàng đã nhận được này không? Hàng hóa này sẽ được trả lại Kho hàng. Dữ liệu không thể khôi phục lại sau khi xóa!',
'Do you want to close this adjustment?': 'Bạn có muốn đóng điều chỉnh này lại?',
'Do you want to complete the return process?': 'Bạn có muốn hoàn thành quá trình trả lại hàng này?',
'Do you want to over-write the file metadata with new default values?': 'Bạn có muốn thay dữ liệu file bằng giá trị mặc định mới không?',
'Do you want to receive this shipment?': 'Bạn có muốn nhận lô hàng này?',
'Do you want to send this shipment?': 'Bạn có muốn gửi lô hàng này?',
'Document Details': 'Chi tiết tài liệu',
'Document Scan': 'Quyét Tài liệu',
'Document added': 'Tài liệu đã được thêm',
'Document deleted': 'Tài liệu đã được xóa',
'Document updated': 'Tài liệu đã được cập nhật',
'Document': 'Tài liệu',
'Documents': 'Tài liệu',
'Doing nothing (no structured activity)': 'Không làm gì (không có hoạt động theo kế hoạch',
'Domain': 'Phạm vi hoạt động',
'Domestic chores': 'Công việc nội trợ',
'Donated': 'Đã tài trợ',
'Donating Organization': 'Tổ chức tài trợ',
'Donation Phone #': 'Số điện thoại để ủng hộ',
'Donation': 'Ủng hộ',
'Donor Details': 'Thông tin nhà tài trợ',
'Donor Driven Housing Reconstruction': 'Xây lại nhà theo yêu cầu của nhà tài trợ',
'Donor added': 'Nhà tài trợ đã được thêm',
'Donor deleted': 'Nhà tài trợ đã được xóa',
'Donor updated': 'Nhà tài trợ đã được cập nhật',
'Donor': 'Nhà Tài trợ',
'Donors': 'Nhà tài trợ',
'Donor(s)': 'Nhà tài trợ',
'Donors Report': 'Báo cáo nhà tài trợ',
'Download Assessment Form Document': 'Biểu mẫu đánh giá đã dạng văn bản được tải về',
'Download Assessment Form Spreadsheet': 'Biểu mẫu đánh giá đã dạng excel được tải về',
'Download OCR-able PDF Form': 'Tải về biểu mẫu định dạng OCR-able PDF',
'Download Template': 'Tải Mẫu nhập liệu',
'Download last build': 'Tải về bộ tài liệu cập nhật nhất',
'Download': 'Tải về',
'Download.CSV formatted Template': 'Tải về biểu mẫu định dạng CSV',
'Draft Features': 'Chức năng dự thảo',
'Draft': 'Dự thảo',
'Drainage': 'Hệ thống thoát nước',
'Draw a square to limit the results to just those within the square.': 'Vẽ một ô vuông để giới hạn kết quả tìm kiếm chỉ nằm trong ô vuông đó',
'Driving License': 'Giấy phép lái xe',
'Drought': 'Hạn hán',
'Drugs': 'Thuốc',
'Due %(date)s': 'hết hạn %(date)s',
'Dug Well': 'Đào giếng',
'Dump': 'Trút xuống',
'Duplicate Locations': 'Nhân đôi các vị trí',
'Duplicate label selected': 'Nhân đôi biểu tượng đã chọn',
'Duplicate': 'Nhân đôi',
'Duration (months)': 'Khoảng thời gian (tháng)',
'Dust Storm': 'Bão cát',
'EMS Status': 'Tình trạng EMS',
'Early Warning': 'Cảnh báo sớm',
'Earthquake': 'Động đất',
'Economics of DRR': 'Tính kinh tế của GTRRTH',
'Edit Activity Type': 'Chỉnh sửa loại hình hoạt động',
'Edit Activity': 'Chỉnh sửa hoạt động',
'Edit Address': 'Chỉnh sửa địa chỉ',
'Edit Adjustment': 'Chỉnh sửa điều chỉnh',
'Edit Affiliation': 'Chỉnh sửa liên kết',
'Edit Aid Request': 'Chỉnh sửa Yêu cầu cứu trợ',
'Edit Alternative Item': 'Chỉnh sửa mặt hàng thay thê',
'Edit Annual Budget': 'Chỉnh sửa ngân sách năm',
'Edit Assessment Answer': 'Chỉnh sửa câu trả lời trong mẫu đánh giá',
'Edit Assessment Question': 'Chỉnh sửa câu trả hỏi trong mẫu đánh giá',
'Edit Assessment Template': 'Chỉnh sửa biểu mẫu đánh giá',
'Edit Assessment': 'Chỉnh sửa Đánh giá',
'Edit Asset Log Entry': 'Chỉnh sửa ghi chép nhật ký tài sản',
'Edit Asset': 'Chỉnh sửa tài sản',
'Edit Beneficiaries': 'Chỉnh sửa người hưởng lợi',
'Edit Beneficiary Type': 'Chỉnh sửa loại người hưởng lợi',
'Edit Branch Organization': 'Chỉnh sửa tổ chức cơ sở',
'Edit Brand': 'Chỉnh sửa nhãn hiệu',
'Edit Catalog Item': 'Chỉnh sửa mặt hàng trong danh mục',
'Edit Catalog': 'Chỉnh sửa danh mục hàng hóa',
'Edit Certificate': 'Chỉnh sửa chứng chỉ',
'Edit Certification': 'Chỉnh sửa bằng cấp',
'Edit Cluster': 'Chỉnh sửa nhóm',
'Edit Commitment Item': 'Chỉnh sửa mặt hàng cam kết',
'Edit Commitment': 'Chỉnh sửa cam kết',
'Edit Committed Person': 'Chỉnh sửa đối tượng cam kết',
'Edit Community Details': 'Chỉnh sửa thông tin về cộng đồng',
'Edit Competency Rating': 'Chỉnh sửa xếp hạng năng lực',
'Edit Completed Assessment Form': 'Chỉnh sửa biểu mẫu đánh giá đã hoàn thiện',
'Edit Contact Details': 'Chỉnh sửa thông tin liên hệ',
'Edit Contact Information': 'Chỉnh sửa thông tin liên hệ',
'Edit Course Certificate': 'Chỉnh sửa chứng chỉ khóa học',
'Edit Course': 'Chỉnh sửa khóa học',
'Edit Credential': 'Chỉnh sửa thư ủy nhiệm',
'Edit DRRPP Extensions': 'Chỉnh sửa gia hạn DRRPP',
'Edit Defaults': 'Chỉnh sửa mặc định',
'Edit Demographic Data': 'Chỉnh sửa số liệu dân số',
'Edit Demographic Source': 'Chỉnh sửa nguồn số liệu dân số',
'Edit Demographic': 'Chỉnh sửa dữ liệu nhân khẩu',
'Edit Department': 'Chỉnh sửa phòng/ban',
'Edit Description': 'Chỉnh sửa mô tả',
'Edit Details': 'Chỉnh sửa thông tin chi tiết',
'Edit Disaster Victims': 'Chỉnh sửa thông tin nạn nhân trong thiên tai',
'Edit Distribution': 'Chỉnh sửa Quyên góp',
'Edit Document': 'Chỉnh sửa tài liệu',
'Edit Donor': 'Chỉnh sửa nhà tài trợ',
'Edit Education Details': 'Chỉnh sửa thông tin về trình độ học vấn',
'Edit Email Settings': 'Chỉnh sửa cài đặt email',
'Edit Entry': 'Chỉnh sửa hồ sơ',
'Edit Facility Type': 'Chỉnh sửa loại hình bộ phận',
'Edit Facility': 'Chỉnh sửa bộ phận',
'Edit Feature Layer': 'Chỉnh sửa lớp chức năng',
'Edit Framework': 'Chỉnh sửa khung chương trình',
'Edit Group': 'Chỉnh sửa nhóm',
'Edit Hazard': 'Chỉnh sửa hiểm họa',
'Edit Hospital': 'Chỉnh sửa Bệnh viện',
'Edit Hours': 'Chỉnh sửa thời gian hoạt động',
'Edit Human Resource': 'Chỉnh sửa nguồn nhân lực',
'Edit Identification Report': 'Chỉnh sửa báo cáo định dạng',
'Edit Identity': 'Chỉnh sửa nhận dạng',
'Edit Image Details': 'Chỉnh sửa thông tin hình ảnh',
'Edit Image': 'Chỉnh sửa ảnh',
'Edit Incident Report': 'Chỉnh sửa báo cáo sự cố',
'Edit Incident': 'Chỉnh sửa Các sự việc xảy ra',
'Edit Item Catalog Categories': 'Chỉnh sửa danh mục hàng hóa',
'Edit Item Category': 'Chỉnh sửa danh mục hàng hóa',
'Edit Item Pack': 'Chỉnh sửa gói hàng',
'Edit Item in Request': 'Chỉnh sửa mặt hàng đang được yêu cầu',
'Edit Item': 'Chỉnh sửa mặt hàng',
'Edit Job Role': 'Chỉnh sửa chức năng nhiệm vụ',
'Edit Job Title': 'Chỉnh sửa chức danh',
'Edit Job': 'Chỉnh sửa công việc',
'Edit Key': 'Chỉnh sửa Key',
'Edit Layer': 'Chỉnh sửa lớp',
'Edit Level %d Locations?': 'Chỉnh sửa cấp độ %d địa điểm?',
'Edit Location Details': 'Chỉnh sửa chi tiết địa điểm',
'Edit Location Hierarchy': 'Chỉnh sửa thứ tự địa điểm',
'Edit Location': 'Chỉnh sửa địa điểm',
'Edit Log Entry': 'Chỉnh sửa ghi chép nhật ký',
'Edit Logged Time': 'Chỉnh sửa thời gian đăng nhập',
'Edit Mailing List': 'Chỉnh sửa danh sách gửi thư',
'Edit Map Profile': 'Chỉnh sửa cài đặt cấu hình bản đồ',
'Edit Map Services': 'Chỉnh sửa dịch vụ bản đồ',
'Edit Marker': 'Chỉnh sửa công cụ đánh dấu',
'Edit Member': 'Chỉnh sửa hội viên',
'Edit Membership Type': 'Chỉnh sửa loại hình nhóm hội viên',
'Edit Membership': 'Chỉnh sửa nhóm hội viên',
'Edit Message': 'Chỉnh sửa tin nhắn',
'Edit Messaging Settings': 'Chỉnh sửa thiết lập tin nhắn',
'Edit Metadata': 'Chỉnh sửa dữ liệu',
'Edit Milestone': 'Chỉnh sửa mốc thời gian quan trọng',
'Edit Modem Settings': 'Chỉnh sửa cài đặt Modem',
'Edit National Society': 'Chỉnh sửa Hội Quốc gia',
'Edit Office Type': 'Chỉnh sửa loại hình văn phòng',
'Edit Office': 'Chỉnh sửa văn phòng',
'Edit Options': 'Chỉnh sửa lựa chọn',
'Edit Order': 'Chỉnh sửa lệnh',
'Edit Organization Domain': 'Chỉnh sửa lĩnh vực hoạt động của tổ chức',
'Edit Organization Type': 'Chỉnh sửa loại hình tổ chức',
'Edit Organization': 'Chỉnh sửa tổ chức',
'Edit Output': 'Chỉnh sửa kết quả đầu ra',
'Edit Parser Settings': 'Chỉnh sửa cài đặt cú pháp',
'Edit Participant': 'Chỉnh sửa người tham dự',
'Edit Partner Organization': 'Chỉnh sửa tổ chức đối tác',
'Edit Peer Details': 'Chỉnh sửa chi tiết nhóm người',
'Edit Permissions for %(role)s': 'Chỉnh sửa quyền truy cập cho %(role)s',
'Edit Person Details': 'Chỉnh sửa thông tin cá nhân',
'Edit Photo': 'Chỉnh sửa ảnh',
'Edit Problem': 'Chỉnh sửa Vấn đề',
'Edit Professional Experience': 'Chỉnh sửa kinh nghiệm nghề nghiệp',
'Edit Profile Configuration': 'Chỉnh sửa định dạng hồ sơ tiểu sử',
'Edit Program': 'Chỉnh sửa chương trình',
'Edit Project Organization': 'Chỉnh sửa tổ chức thực hiện dự án',
'Edit Project': 'Chỉnh sửa dự án',
'Edit Projection': 'Chỉnh sửa dự đoán',
'Edit Question Meta-Data': 'Chỉnh sửa siêu dữ liệu câu hỏi',
'Edit Record': 'Chỉnh sửa hồ sơ',
'Edit Recovery Details': 'Chỉnh sửa chi tiết khôi phục',
'Edit Report': 'Chỉnh sửa báo cáo',
'Edit Repository Configuration': 'Chỉnh sửa định dạng lưu trữ',
'Edit Request Item': 'Chỉnh sửa yêu cầu hàng hóa',
'Edit Request': 'Chỉnh sửa yêu cầu',
'Edit Requested Skill': 'Chỉnh sửa kỹ năng được yêu cầu',
'Edit Resource Configuration': 'Chỉnh sửa định dạng nguồn',
'Edit Resource': 'Chỉnh sửa tài nguyên',
'Edit Response': 'Chỉnh sửa phản hồi',
'Edit Role': 'Chỉnh sửa vai trò',
'Edit Room': 'Chỉnh sửa phòng',
'Edit SMS Message': 'Chỉnh sửa tin nhắn SMS',
'Edit SMS Settings': 'Chỉnh sửa cài đặt tin nhắn SMS',
'Edit SMTP to SMS Settings': 'Chỉnh sửa SMTP sang cài đặt SMS',
'Edit Sector': 'Chỉnh sửa lĩnh vực',
'Edit Setting': 'Chỉnh sửa cài đặt',
'Edit Settings': 'Thay đổi thiết lập',
'Edit Shelter Service': 'Chỉnh sửa dịch vụ cư trú',
'Edit Shelter': 'Chỉnh sửa thông tin cư trú',
'Edit Shipment Item': 'Chỉnh sửa hàng hóa trong lô hàng vận chuyển',
'Edit Site': 'Chỉnh sửa thông tin trên website ',
'Edit Skill Equivalence': 'Chỉnh sửa kỹ năng tương đương',
'Edit Skill Type': 'Chỉnh sửa loại kỹ năng',
'Edit Skill': 'Chỉnh sửa kỹ năng',
'Edit Staff Assignment': 'Chỉnh sửa phân công cán bộ',
'Edit Staff Member Details': 'Chỉnh sửa thông tin chi tiết của cán bộ',
'Edit Status': 'Chỉnh sửa tình trạng',
'Edit Supplier': 'Chỉnh sửa nhà cung cấp',
'Edit Survey Answer': 'Chỉnh sửa trả lời khảo sát',
'Edit Survey Series': 'Chỉnh sửa chuỗi khảo sát',
'Edit Survey Template': 'Chỉnh sửa mẫu điều tra',
'Edit Symbology': 'Chỉnh sửa biểu tượng',
'Edit Synchronization Settings': 'Chỉnh sửa cài đặt đồng bộ hóa',
'Edit Task': 'Chỉnh sửa nhiệm vụ',
'Edit Team': 'Chỉnh sửa Đội/Nhóm',
'Edit Template Section': 'Chỉnh sửa nội dung trong biểu mẫu',
'Edit Theme Data': 'Chỉnh sửa dữ liệu chủ đề',
'Edit Theme': 'Chỉnh sửa chủ đề',
'Edit Training Event': 'Chỉnh sửa sự kiện tập huấn',
'Edit Training': 'Chỉnh sửa tập huấn',
'Edit Tropo Settings': 'Chỉnh sửa cài đặt Tropo',
'Edit Twilio Settings': 'Chỉnh sửa cài đặt Twilio',
'Edit User': 'Chỉnh sửa người sử dụng',
'Edit Vehicle Assignment': 'Chỉnh sửa phân công phương tiện vận chuyển',
'Edit Volunteer Cluster Position': 'Chỉnh sửa vị trí nhóm tình nguyện viên',
'Edit Volunteer Cluster Type': 'Chỉnh sửa loại hình nhóm tình nguyện viên',
'Edit Volunteer Cluster': 'Chỉnh sửa nhóm tình nguyện viên',
'Edit Volunteer Details': 'Chỉnh sửa thông tin tình nguyện viên',
'Edit Volunteer Registration': 'Chỉnh sửa đăng ký tình nguyện viên',
'Edit Volunteer Role': 'Chỉnh sửa vai trò tình nguyện viên',
'Edit Vulnerability Aggregated Indicator': 'Chỉnh sửa chỉ số gộp đánh giá tình trạng dễ bị tổn thương',
'Edit Vulnerability Data': 'Chỉnh sửa dữ liệu về tình trạng dễ bị tổn thương',
'Edit Vulnerability Indicator Sources': 'Chỉnh sửa nguồn chỉ số đánh giá tình trạng dễ bị tổn thương',
'Edit Vulnerability Indicator': 'Chỉnh sửa chỉ số đánh giá tình trạng dễ bị tổn thương',
'Edit Warehouse Stock': 'Chỉnh sửa hàng lưu kho',
'Edit Warehouse': 'Chỉnh sửa kho hàng',
'Edit Web API Settings': 'Chỉnh sửa Cài đặt Web API',
'Edit current record': 'Chỉnh sửa hồ sơ hiện tại',
'Edit message': 'Chỉnh sửa tin nhắn',
'Edit saved search': 'Chỉnh sửa tìm kiếm đã lưu',
'Edit the Application': 'Chỉnh sửa ứng dụng',
'Edit the OpenStreetMap data for this area': 'Chỉnh sửa dữ liệu bản đồ OpenStreetMap cho vùng này',
'Edit this Disaster Assessment': 'Chỉnh sửa báo cáo đánh giá thảm họa này',
'Edit this entry': 'Chỉnh sửa hồ sơ này',
'Edit': 'Chỉnh sửa',
'Editable?': 'Có thể chỉnh sửa',
'Education & Advocacy': 'Giáo dục và Vận động chính sách',
'Education & School Safety': 'Giáo dục và An toàn trong trường học',
'Education Details': 'Thông tin về trình độ học vấn',
'Education details added': 'Thông tin về trình độ học vấn đã được thêm',
'Education details deleted': 'Thông tin về trình độ học vấn đã được xóa',
'Education details updated': 'Thông tin về trình độ học vấn đã được cập nhật',
'Education materials received': 'Đã nhận được tài liệu, dụng cụ phục vụ học tập',
'Education materials, source': 'Dụng cụ học tập, nguồn',
'Education': 'Trình độ học vấn',
'Either a shelter or a location must be specified': 'Nhà tạm hoặc vị trí đều cần được nêu rõ',
'Either file upload or document URL required.': 'File để tải lên hoặc được dẫn tới tài liệu đều được yêu cầu.',
'Either file upload or image URL required.': 'File để tải lên hoặc được dẫn tới hình ảnh đều được yêu cầu.',
'Elevated': 'Nâng cao lên',
'Email Address to which to send SMS messages. Assumes sending to phonenumber@address': 'Địa chỉ email để gửi tin nhắn SMS. Giả định gửi đến số điện thoại',
'Email Address': 'Địa chỉ email',
'Email Details': 'Thông tin về địa chỉ email',
'Email InBox': 'Hộp thư đến trong email',
'Email Setting Details': 'Thông tin cài đặt email',
'Email Setting deleted': 'Cài đặt email đã được xóa',
'Email Settings': 'Cài đặt email',
'Email address verified, however registration is still pending approval - please wait until confirmation received.': 'Địa chỉ email đã được xác nhận, tuy nhiên đăng ký vẫn còn chờ duyệt - hãy đợi đến khi nhận được phê chuẩn',
'Email deleted': 'Email đã được xóa',
'Email settings updated': 'Cài đặt email đã được cập nhật',
'Emergency Contact': 'Thông tin liên hệ trong trường hợp khẩn cấp',
'Emergency Contacts': 'Thông tin liên hệ trong trường hợp khẩn cấp',
'Emergency Department': 'Bộ phận cấp cứu',
'Emergency Health': 'Chăm sóc sức khỏe trong tình huống khẩn cấp',
'Emergency Medical Technician': 'Nhân viên y tế EMT',
'Emergency Shelter': 'Nhà tạm trong tình huống khẩn cấp',
'Emergency Support Facility': 'Bộ phận hỗ trợ khẩn cấp',
'Emergency Support Service': 'Dịch vụ hỗ trợ khẩn cấp',
'Emergency Telecommunication': 'Truyền thông trong tình huống khẩn cấp',
'Emergency Telecommunications': 'Thông tin liên lạc trong tình huống khẩn cấp',
'Emergency contacts': 'Thông tin liên hệ khẩn cấp',
'Employment type': 'Loại hình lao động',
'Enable in Default Config?': 'Cho phép ở cấu hình mặc định?',
'Enable': 'Cho phép',
'Enable/Disable Layers': 'Kích hoạt/Tắt Layer',
'Enabled': 'Được cho phép',
'End Date': 'Ngày kết thúc',
'End date': 'Ngày kết thúc',
'Enter Completed Assessment Form': 'Nhập biểu mẫu đánh giá đã hoàn thiện',
'Enter Completed Assessment': 'Nhập báo cáo đánh giá đã hoàn thiện',
'Enter Coordinates in Deg Min Sec': 'Nhập tọa độ ở dạng Độ,Phút,Giây',
'Enter a name for the spreadsheet you are uploading (mandatory).': 'Nhập tên cho bảng tính bạn đang tải lên(bắt buộc)',
'Enter a new support request.': 'Nhập một yêu cầu hỗ trợ mới',
'Enter a summary of the request here.': 'Nhập tóm tắt các yêu cầu ở đây',
'Enter a valid email': 'Nhập địa chỉ email có giá trị',
'Enter a value carefully without spelling mistakes, this field will be crosschecked.': 'Nhập giá trị cẩn thận tránh các lỗi chính tả, nội dung này sẽ được kiểm tra chéo',
'Enter indicator ratings': 'Nhập xếp hạng chỉ số',
'Enter keywords': 'Từ khóa tìm kiếm',
'Enter some characters to bring up a list of possible matches': 'Nhập một vài ký tự để hiện ra danh sách có sẵn',
'Enter the same password as above': 'Nhập lại mật khẩu giống như trên',
'Enter your first name': 'Nhập tên của bạn',
'Enter your organization': 'Nhập tên tổ chức của bạn',
'Entering a phone number is optional, but doing so allows you to subscribe to receive SMS messages.': 'Nhập số điện thoại là không bắt buộc, tuy nhiên nếu nhập số điện thoại bạn sẽ có thể nhận được các tin nhắn',
'Entity': 'Pháp nhân',
'Entry added to Asset Log': 'Ghi chép đã được thêm vào nhật ký tài sản',
'Environment': 'Môi trường',
'Epidemic': 'Dịch bệnh',
'Epidemic/Pandemic Preparedness': 'Phòng dịch',
'Error File missing': 'Lỗi không tìm thấy file',
'Error in message': 'Lỗi trong tin nhắn',
"Error logs for '%(app)s'": "Báo cáo lỗi cho '%(app)s'",
'Errors': 'Lỗi',
'Essential Staff?': 'Cán bộ Chủ chốt?',
'Estimated # of households who are affected by the emergency': 'Ước tính # số hộ chịu ảnh hưởng từ thiên tai',
'Estimated Delivery Date': 'Thời gian giao hàng dự kiến',
'Estimated Value per Pack': 'Giá trị dự tính mỗi gói',
'Ethnicity': 'Dân tộc',
'Euros': 'Đồng Euro',
'Evaluate the information in this message. (This value SHOULD NOT be used in public warning applications.)': 'Đánh giá thông tin trong thư. (giá trị này KHÔNG NÊN sử dụng trong các ứng dụng cảnh báo công cộng)',
'Event Type': 'Loại Sự kiện',
'Event type': 'Loại sự kiện ',
'Events': 'Sự kiện',
'Example': 'Ví dụ',
'Excellent': 'Tuyệt vời',
'Excreta Disposal': 'Xử lý phân',
'Expected Out': 'Theo dự kiến',
'Experience': 'Kinh nghiệm',
'Expiration Date': 'Ngày hết hạn',
'Expiration Details': 'Thông tin về hết hạn',
'Expiration Report': 'Báo cáo hết hạn',
'Expired': 'Đã hết hạn',
'Expiring Staff Contracts Report': 'Hợp đồng lao động sắp hết hạn',
'Expiry (months)': 'Hết hạn (tháng)',
'Expiry Date': 'Ngày hết hạn',
'Expiry Date/Time': 'Ngày/Giờ hết hạn',
'Expiry Time': 'Hạn sử dụng ',
'Explanation about this view': 'Giải thích về quan điểm này',
'Explosive Hazard': 'Hiểm họa cháy nổ',
'Export Data': 'Xuất dữ liệu',
'Export all Completed Assessment Data': 'Chiết xuất toàn bộ dữ liệu đánh giá đã hoàn thiện',
'Export as Pootle (.po) file (Excel (.xls) is default)': 'Chiết xuất định dạng file Pootle (.po) (định dạng excel là mặc định)',
'Export as': 'Chiết suất tới',
'Export in EDXL-HAVE format': 'Chiết suất ra định dạng EDXL-HAVE ',
'Export in GPX format': 'Chiết xuất định dạng file GPX',
'Export in HAVE format': 'Chiết suất định dạng HAVE',
'Export in KML format': 'Chiết suất định dạng KML',
'Export in OSM format': 'Chiết xuất định dạng OSM',
'Export in PDF format': 'Chiết suất định dạng PDF',
'Export in RSS format': 'Chiết suất định dạng RSS',
'Export in XLS format': 'Chiết suất định dạng XLS',
'Export to': 'Chiết suất tới',
'Eye Color': 'Màu mắt',
'FAIR': 'CÔNG BẰNG',
'FROM': 'TỪ',
'Facial hair, color': 'Màu râu',
'Facial hair, length': 'Độ dài râu',
'Facial hair, type': 'Kiểu râu',
'Facilities': 'Bộ phận',
'Facility Contact': 'Thông tin liên hệ của bộ phận',
'Facility Details': 'Thông tin về bộ phận',
'Facility Type Details': 'Thông tin về loại hình bộ phận',
'Facility Type added': 'Loại hình bộ phận đã được thêm',
'Facility Type deleted': 'Loại hình bộ phận đã được xóa',
'Facility Type updated': 'Loại hình bộ phận đã được cập nhật',
'Facility Types': 'Loại hình bộ phận',
'Facility added': 'Bộ phận đã được thêm',
'Facility deleted': 'Bộ phận đã được xóa',
'Facility updated': 'Bộ phận đã được cập nhật',
'Facility': 'Bộ phận',
'Fail': 'Thất bại',
'Failed to approve': 'Không phê duyệt thành công',
'Fair': 'công bằng',
'Falling Object Hazard': 'Hiểm họa vật thể rơi từ trên cao',
'Family': 'Gia đình',
'Family/friends': 'Gia đình/Bạn bè',
'Feature Info': 'Thông tin chức năng',
'Feature Layer Details': 'Thông tin về lớp chức năng',
'Feature Layer added': 'Lớp chức năng đã được thêm',
'Feature Layer deleted': 'Lớp chức năng đã được xóa',
'Feature Layer updated': 'Lớp chức năng đã được cập nhật',
'Feature Layer': 'Lớp Chức năng',
'Feature Layers': 'Lớp Chức năng',
'Feature Namespace': 'Vùng tên chức năng',
'Feature Request': 'Yêu cầu chức năng',
'Feature Type': 'Loại chức năng',
'Features Include': 'Chức năng bao gồm',
'Feedback': 'Phản hồi',
'Female headed households': 'Phụ nữ đảm đương công việc nội trợ',
'Female': 'Nữ',
'Few': 'Một vài',
'File Uploaded': 'File đã được tải lên',
'File uploaded': 'File đã được tải lên',
'Fill out online below or ': 'Điền thông tin trực tuyến vào phía dưới hoặc',
'Filter Field': 'Ô lọc thông tin',
'Filter Options': 'Lựa chọn lọc',
'Filter Value': 'Giá trị lọc',
'Filter by Category': 'Lọc theo danh mục',
'Filter by Country': 'Lọc theo quốc gia',
'Filter by Organization': 'Lọc theo tổ chức',
'Filter by Status': 'Lọc theo tình trạng',
'Filter type ': 'Hình thức lọc',
'Filter': 'Bộ lọc',
'Financial System Development': 'Xây dựng hệ thống tài chính',
'Find Recovery Report': 'Tìm Báo cáo phục hồi',
'Find by Name': 'Tìm theo tên',
'Find': 'Tìm',
'Fingerprint': 'Vân tay',
'Fingerprinting': 'Dấu vân tay',
'Fire Station': 'Trạm chữa cháy',
'Fire Stations': 'Trạm chữa cháy',
'Fire': 'Hỏa hoạn',
'First Name': 'Tên',
'First': 'Trang đầu',
'Flash Flood': 'Lũ Quét',
'Flash Freeze': 'Lạnh cóng đột ngột',
'Flood Alerts': 'Báo động lũ',
'Flood Report Details': 'Chi tiết báo cáo tình hình lũ lụt',
'Flood Report added': 'Báo cáo lũ lụt đã được thêm',
'Flood Report updated': 'Đã cập nhật báo cáo tình hình lũ lụt ',
'Flood': 'Lũ lụt',
'Focal Point': 'Tiêu điểm',
'Fog': 'Sương mù',
'Food Security': 'An ninh lương thực',
'Food': 'Thực phẩm',
'For Entity': 'Đối với đơn vị',
'For POP-3 this is usually 110 (995 for SSL), for IMAP this is usually 143 (993 for IMAP).': 'Đối với POP-3 thường sử dụng 110 (995 cho SSL), đối với IMAP thường sử dụng 143 (993 cho IMAP).',
'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.': 'Đối với mỗi đối tác đồng bộ, có một công việc đồng bộ mặc định chạy sau một khoảng thời gian nhất định. Bạn cũng có thể thiết lập thêm công việc đồng bộ hơn nữa để có thể tùy biến theo nhu cầu. Nhấp vào liên kết bên phải để bắt đầu',
'For live help from the Sahana community on using this application, go to': 'Để được giúp đỡ trực tuyến từ cộng đồng Sahana về sử dụng phần mềm ứng dụng, mời đến',
'For more details on the Sahana Eden system, see the': 'Chi tiết hệ thống Sahana Eden xem tại',
'Forest Fire': 'Cháy rừng',
'Form Settings': 'Cài đặt biểu mẫu',
'Formal camp': 'Trại chính thức',
'Format': 'Định dạng',
'Found': 'Tìm thấy',
'Framework added': 'Khung chương trình đã được thêm',
'Framework deleted': 'Khung chương trình đã được xóa',
'Framework updated': 'Khung chương trình đã được cập nhật',
'Framework': 'Khung chương trình',
'Frameworks': 'Khung chương trình',
'Freezing Drizzle': 'Mưa bụi lạnh cóng',
'Freezing Rain': 'Mưa lạnh cóng',
'Freezing Spray': 'Mùa phùn lạnh cóng',
'Frequency': 'Tần suất',
'From Facility': 'Từ bộ phận',
'From Warehouse/Facility/Office': 'Từ Kho hàng/Bộ phận/Văn phòng',
'From': 'Từ',
'Frost': 'Băng giá',
'Fulfil. Status': 'Điền đầy đủ tình trạng',
'Full beard': 'Râu rậm',
'Full-time': 'Chuyên trách',
'Fullscreen Map': 'Bản đồ cỡ lớn',
'Function Permissions': 'Chức năng cho phép',
'Function for Value': 'Chức năng cho giá trị',
'Function': 'Chức năng',
'Functions available': 'Chức năng sẵn có',
'Funding Report': 'Báo cáo tài trợ',
'Funding': 'Kinh phí',
'Fundraising, income generation, in-kind support, partnership': 'Gây quỹ, tạo thu nhập, hỗ trợ bằng hiện vật, hợp tác',
'Funds Contributed by this Organization': 'Tài trợ đóng góp bởi tổ chức này',
'Funds Contributed': 'Kinh phí được tài trợ',
'GIS & Mapping': 'GIS & Lập bản đồ',
'GO TO ANALYSIS': 'ĐẾN MỤC PHÂN TÍCH',
'GO TO THE REGION': 'ĐẾN KHU VỰC',
'GPS Data': 'Dữ liệu GPS',
'GPS Marker': 'Dụng cụ đánh dấu GPS',
'GPS Track File': 'File vẽ GPS',
'GPS Track': 'Đường vẽ GPS',
'GPX Layer': 'Lớp GPX',
'Gale Wind': 'Gió mạnh',
'Gap Analysis Map': 'Bản đồ phân tích thiếu hụt',
'Gap Analysis Report': 'Báo cáo phân tích thiếu hụt',
'Gauges': 'Máy đo',
'Gender': 'Giới',
'Generate portable application': 'Tạo ứng dụng cầm tay',
'Generator': 'Bộ sinh',
'GeoJSON Layer': 'Lớp GeoJSON',
'GeoRSS Layer': 'Lớp GeoRSS',
'Geocoder Selection': 'Lựa chọn các mã địa lý',
'Geometry Name': 'Tên trúc hình',
'Get Feature Info': 'Lấy thông tin về chức năng',
'Give a brief description of the image, e.g. what can be seen where on the picture (optional).': 'Đưa ra chú thích hình ảnh ngắn gọn, vd: có thể xem gì ở đâu trên bức hình này (không bắt buộc).',
'Global Messaging Settings': 'Cài đặt hộp thư tin nhắn toàn cầu',
'Go to Functional Map': 'Tới bản đồ chức năng',
'Go to Request': 'Đến mục yêu cầu',
'Go to the': 'Đến',
'Go': 'Thực hiện',
'Goatee': 'Chòm râu dê',
'Good Condition': 'Điều kiện tốt',
'Good': 'Tốt',
'Goods Received Note': 'Giấy nhận Hàng hóa',
'Google Layer': 'Lớp Google',
'Governance': 'Quản lý nhà nước',
'Grade Code': 'Bậc lương',
'Grade': 'Tốt nghiệp hạng',
'Graduate': 'Đại học',
'Graph': 'Đường vẽ',
'Great British Pounds': 'Bảng Anh',
'Greater than 10 matches. Please refine search further': 'Tìm thấy nhiều hơn 10 kết quả. Hãy nhập lại từ khóa',
'Grid': 'Hiển thị dạng lưới',
'Group Description': 'Mô tả về nhóm',
'Group Details': 'Thông tin về nhóm',
'Group Head': 'Trưởng Nhóm',
'Group Members': 'Thành viên Nhóm',
'Group Memberships': 'Hội viên nhóm',
'Group Name': 'Tên nhóm',
'Group Type': 'Loại hình nhóm',
'Group added': 'Nhóm đã được thêm',
'Group deleted': 'Nhóm đã được xóa',
'Group description': 'Mô tả Nhóm',
'Group type': 'Loại nhóm',
'Group updated': 'Nhóm đã được cập nhật',
'Group': 'Nhóm',
'Grouped by': 'Nhóm theo',
'Groups': 'Nhóm',
'Guide': 'Hướng dẫn',
'HFA Priorities': 'Ưu tiên HFA',
'HFA1: Ensure that disaster risk reduction is a national and a local priority with a strong institutional basis for implementation.': 'HFA1: Đảm bảo rằng giảm thiểu rủi ro thảm họa là ưu tiên quốc gia và địa phương với một nền tảng tổ chức mạnh mễ để thực hiện hoạt động',
'HFA2: Identify, assess and monitor disaster risks and enhance early warning.': 'HFA2: Xác định, đánh giá và giám sát rủi ro thảm họa và tăng cường cảnh báo sớm.',
'HFA3: Use knowledge, innovation and education to build a culture of safety and resilience at all levels.': 'HFA3: Sử dụng kiến thức, sáng kiến và tập huấn để xây dựng cộng đồng an toàn ở mọi cấp.',
'HFA4: Reduce the underlying risk factors.': 'HFA4: Giảm các yếu tố rủi ro gốc rễ',
'HFA5: Strengthen disaster preparedness for effective response at all levels.': 'HFA5: Tăng cường phòng ngừa thảm họa để đảm bảo ứng phó hiệu quả ở mọi cấp.',
'HIGH RESILIENCE': 'MỨC ĐỘ AN TOÀN CAO',
'HIGH': 'CAO',
'Hail': 'Mưa đá',
'Hair Color': 'Màu tóc',
'Hair Length': 'Độ dài tóc',
'Hair Style': 'Kiểu tóc',
'Has the %(GRN)s (%(GRN_name)s) form been completed?': 'Mẫu %(GRN)s (%(GRN_name)s) đã được hoàn thành chưa?',
'Has the Certificate for receipt of the shipment been given to the sender?': 'Chứng nhận đã nhận được lô hàng đã gửi đến người gửi chưa?',
'Hazard Details': 'Thông tin vê hiểm họa',
'Hazard Points': 'Điểm hiểm họa',
'Hazard added': 'Hiểm họa đã được thêm',
'Hazard deleted': 'Hiểm họa đã được xóa',
'Hazard updated': 'Hiểm họa đã được cập nhật',
'Hazard': 'Hiểm họa',
'Hazardous Material': 'Vật liệu nguy hiểm',
'Hazardous Road Conditions': 'Điều kiện đường xá nguy hiểm',
'Hazards': 'Hiểm họa',
'Header Background': 'Nền vùng trên',
'Health & Health Facilities': 'CSSK & Cơ sở CSSK',
'Health Insurance': 'Bảo hiểm y tế',
'Health center': 'Trung tâm y tế',
#'Health': 'Sức khỏe',
'Health': 'CSSK',
'Heat Wave': 'Đợt nắng nóng kéo dài',
'Heat and Humidity': 'Nóng và ẩm',
'Height (cm)': 'Chiều cao (cm)',
'Height (m)': 'Chiều cao (m)',
'Height': 'Chiều cao',
'Help': 'Trợ giúp',
'Helps to monitor status of hospitals': 'Hỗ trợ giám sát trạng thái các bệnh viện',
'Helps to report and search for Missing Persons': 'Hỗ trợ báo cáo và tìm kếm những người mất tích',
'Hide Chart': 'Ẩn biểu đồ',
'Hide Pivot Table': 'Ẩn Pivot Table',
'Hide Table': 'Ẩn bảng',
'Hide': 'Ẩn',
'Hierarchy Level 1 Name (e.g. State or Province)': 'Hệ thống tên cấp 1 (ví dụ Bang hay Tỉnh)',
'Hierarchy Level 2 Name (e.g. District or County)': 'Hệ thống tên cấp 2 (ví dụ Huyện hay thị xã)',
'Hierarchy Level 3 Name (e.g. City / Town / Village)': 'Hệ thống tên cấp 3 (ví dụ Thành phố/thị trấn/xã)',
'Hierarchy Level 4 Name (e.g. Neighbourhood)': 'Hệ thống tên cấp 4 (ví dụ xóm làng)',
'Hierarchy Level 5 Name': 'Hệ thống tên cấp 5',
'Hierarchy': 'Thứ tự',
'High School': 'Phổ thông',
'High Water': 'Nước Cao',
'High': 'Cao',
'Hindu': 'Người theo đạo Hindu',
'History': 'Lịch sử',
'Hit the back button on your browser to try again.': 'Bấm nút trở lại trên màn hình để thử lại',
'Home Address': 'Địa chỉ nhà riêng',
'Home Country': 'Bản quốc',
'Home Crime': 'Tội ác tại nhà',
'Home Phone': 'Điện thoại nhà riêng',
'Home Town': 'Nguyên quán',
'Home': 'Trang chủ',
'Hospital Details': 'Chi tiết thông tin bệnh viện',
'Hospital Status Report': 'Báo cáo tình trạng bệnh viện',
'Hospital information added': 'Đã thêm thông tin Bệnh viện',
'Hospital information deleted': 'Đã xóa thông tin bệnh viện',
'Hospital information updated': 'Đã cập nhật thông tin bệnh viện',
'Hospital status assessment.': 'Đánh giá trạng thái bệnh viện',
'Hospital': 'Bệnh viện',
'Hospitals': 'Bệnh viện',
'Host National Society': 'Hội QG chủ nhà',
'Host': 'Chủ nhà',
'Hot Spot': 'Điểm Nóng',
'Hour': 'Thời gian',
'Hourly': 'Theo giờ',
'Hours Details': 'Thông tin về thời gian hoạt động',
'Hours Model': 'Chuyên trách/ kiêm nhiệm',
'Hours added': 'Thời gian hoạt động đã được thêm',
'Hours by Program Report': 'Thời gian hoạt động theo chương trình',
'Hours by Role Report': 'Thời gian hoạt động theo vai trò',
'Hours deleted': 'Thời gian hoạt động đã được xóa',
'Hours updated': 'Thời gian hoạt động đã được cập nhật',
'Hours': 'Thời gian hoạt động',
'Households below %(br)s poverty line': 'Hộ gia đình dưới %(br)s mức nghèo',
'Households below poverty line': 'Hộ gia đình dưới mức nghèo',
'Households': 'Hộ gia đình',
'Housing Repair & Retrofitting': 'Sửa chữa và cải tạo nhà',
'How data shall be transferred': 'Dữ liệu sẽ được chuyển giao như thế nào',
'How local records shall be updated': 'Hồ sơ địa phương sẽ được cập nhật thế nào',
'How many Boys (0-17 yrs) are Injured due to the crisis': 'Đối tượng nam trong độ tuổi 0-17 bị thương trong thiên tai',
'How many Boys (0-17 yrs) are Missing due to the crisis': 'Có bao nhiêu bé trai (0 đến 17 tuổi) bị mất tích do thiên tai',
'How many Girls (0-17 yrs) are Injured due to the crisis': 'Đối tượng nữ từ 0-17 tuổi bị thương trong thiên tai',
'How many Men (18 yrs+) are Dead due to the crisis': 'Bao nhiêu người (trên 18 tuổi) chết trong thảm họa',
'How many Men (18 yrs+) are Missing due to the crisis': 'Đối tượng nam 18 tuổi trở lên mất tích trong thiên tai',
'How many Women (18 yrs+) are Dead due to the crisis': 'Đối tượng nữ từ 18 tuổi trở lên thiệt mạng trong thiên tai',
'How many Women (18 yrs+) are Injured due to the crisis': 'Số nạn nhân là nữ trên 18 tuổi chịu ảnh hưởng của cuộc khủng hoảng',
'How much detail is seen. A high Zoom level means lot of detail, but not a wide area. A low Zoom level means seeing a wide area, but not a high level of detail.': 'Mức độ chi tiết có thể xem. Mức phóng to cao có thể xem được nhiều chi tiết, nhưng không xem được diện tích rộng. Mức Phóng thấp có thể xem được diện tích rộng, nhưng không xem được nhiều chi tiết.',
'How often you want to be notified. If there are no changes, no notification will be sent.': 'Mức độ thường xuyên bạn muốn nhận thông báo. Nếu không có thay đổi, bạn sẽ không nhận được thông báo.',
'How you want to be notified.': 'Bạn muốn được thông báo như thế nào.',
'Human Resource Assignment updated': 'Phân bổ nguồn nhân lực đã được cập nhật',
'Human Resource Assignments': 'Phân bổ nguồn nhân lực',
'Human Resource Details': 'Thông tin về nguồn nhân lực',
'Human Resource assigned': 'Nguồn nhân lực được phân bổ',
'Human Resource Development': 'Phát triển nguồn nhân lực',
'Human Resource unassigned': 'Nguồn nhân lực chưa được phân bổ',
'Human Resource': 'Nguồn Nhân lực',
'Human Resources': 'Nguồn Nhân lực',
'Hurricane Force Wind': 'Gió mạnh cấp bão lốc',
'Hurricane': 'Bão lốc',
'Hygiene Promotion': 'Tăng cường vệ sinh',
'Hygiene kits, source': 'Dụng cụ vệ sinh, nguồn',
'I accept. Create my account.': 'Tôi đồng ý. Tạo tài khoản của tôi',
'ICONS': 'BIỂU TƯỢNG',
'ID Card Number': 'Số Chứng mính thư nhân dân',
'ID Number': 'Số CMT/ Hộ chiếủ',
'ID Tag Number': 'Số nhận dạng thẻ',
'ID Type': 'Loại giấy tờ nhận dạng',
'ID': 'Thông tin nhận dạng',
'IEC Materials': 'Tài liệu tuyên truyền',
'INDICATOR RATINGS': 'XẾP LOẠI CHỈ SỐ',
'INDICATORS': 'CHỈ SỐ',
'Ice Pressure': 'Sức ép băng tuyết',
'Iceberg': 'Tảng băng',
'Identification label of the Storage bin.': 'Nhãn xác định Bin lưu trữ',
'Identifier Name for your Twilio Account.': 'Xác định tên trong tài khoản Twilio của bạn',
'Identifier which the repository identifies itself with when sending synchronization requests.': 'Xác định danh mục lưu trữ nào cần được yêu cầu đồng bộ hóa',
'Identities': 'Các Chứng minh',
'Identity Details': 'Chi tiết Chứng minh',
'Identity added': 'Thêm Chứng minh',
'Identity deleted': 'Xóa Chứng minh',
'Identity updated': 'Cập nhất Chứng minh',
'Identity': 'Chứng minh ND',
'If a ticket was issued then please provide the Ticket ID.': 'Nếu vé đã được cấp, vui lòng cung cấp mã vé',
'If a user verifies that they own an Email Address with this domain, the Approver field is used to determine whether & by whom further approval is required.': 'Nếu người dùng xác nhận rằng họ sở hữu địa chỉ email với miền này, ô Người phê duyệt sẽ được sử dụng để xác định xem liệu có cần thiết phải có phê duyệt và phê duyệt của ai.',
'If checked, the notification will contain all modified records. If not checked, a notification will be send for each modified record.': 'Nếu chọn, thông báo sẽ bao gồm toàn bộ hồ sơ được chỉnh sửa. Nếu không chọn, thông báo sẽ được gửi mỗi khi có hồ sơ được chỉnh sửa',
'If it is a URL leading to HTML, then this will downloaded.': 'Nếu đó là đường dẫn URL dẫn đến trang HTML, thì sẽ được tải xuống',
'If neither are defined, then the Default Marker is used.': 'Nếu cả hai đều không được xác định, thì đánh dấu mặc định sẽ được sử dụng.',
'If none are selected, then all are searched.': 'Nếu không chọn gì, thì sẽ tìm kiếm tất cả.',
'If not found, you can have a new location created.': 'Nếu không tìm thấy, bạn có thể tạo địa điểm mới.',
'If the location is a geographic area, then state at what level here.': 'Nếu địa điểm là một vùng địa lý thì cần nêu rõ là cấp độ nào ở đây.',
'If the person counts as essential staff when evacuating all non-essential staff.': 'Nếu người đó là cán bộ chủ chốt khi đó sẽ sơ tán mọi cán bộ không quan trọng.',
'If the request is for %s, please enter the details on the next screen.': 'Nếu yêu cầu là %s thì xin mời nhập các chi tiết vào trang tiếp theo.',
'If the request type is "Other", please enter request details here.': "Nếu loại yêu cầu là 'Khác', xin nhập chi tiết của yêu cầu ở đây.",
'If this field is populated then a user with the Domain specified will automatically be assigned as a Staff of this Organization': 'Nếu trường này đã nhiều người khi đó người dùng có chức năng tổ chức sẽ được tự động phân bổ như là Cán bộ của tổ chức.',
'If this is set to True then mails will be deleted from the server after downloading.': 'Nếu đã được xác định là Đúng thư sau đó sẽ bị xóa khỏi máy chủ sau khi tải về',
'If this record should be restricted then select which role is required to access the record here.': 'Nếu hồ sơ này cần bị hạn chế truy cập, lựa chọn ở đây chức năng nào có thể truy cập vào hồ sơ này ',
'If this record should be restricted then select which role(s) are permitted to access the record here.': 'Nếu hồ sơ này cần bị hạn chế truy cập, lựa chọn ở đây những chức năng nào được quyền truy cập vào hồ sơ này ',
'If yes, specify what and by whom': 'Nếu có, hãy ghi rõ đã chỉnh sửa những gì và chỉnh sửa',
'If yes, which and how': 'nếu có thì cái nào và như thế nào',
'If you need to add a new document then you can click here to attach one.': 'Nếu cần thêm một tài liệu mới, nhấn vào đây để đính kèm',
'If you want several values, then separate with': 'Nếu bạn muốn nhiều giá trị, thì tách rời với',
'If you would like to help, then please %(sign_up_now)s': 'Nếu bạn muốn giúp đỡ, thì xin mời %(đăng ký bây giờ)s',
'If you would like to help, then please': 'Vui lòng giúp đỡ nếu bạn muốn',
'Ignore Errors?': 'Bỏ qua lỗi?',
'Illegal Immigrant': 'Người nhập cư bất hợp pháp',
'Image Details': 'Chi tiết hình ảnh',
'Image File(s), one image per page': 'Tệp hình ảnh, một hình ảnh trên một trang',
'Image Type': 'Loại hình ảnh',
'Image added': 'Thêm hình ảnh',
'Image deleted': 'Xóa hình ảnh',
'Image updated': 'Cập nhật hình ảnh',
'Image': 'Hình ảnh',
'Image/Attachment': 'Ảnh/ tệp đính kèm',
'Images': 'Các hình ảnh',
'Impact Assessments': 'Đánh giá tác động',
'Import Activity Data': 'Nhập khẩu dữ liệu hoạt động',
'Import Annual Budget data': 'Nhập khẩu dữ liệu ngân sách hàng năm',
'Import Assets': 'Nhập khẩu dữ liệu tài sản',
'Import Branch Organizations': 'Nhập khẩu dữ liệu về Tỉnh/thành Hội',
'Import Certificates': 'Nhập khẩu dữ liệu về chứng chỉ tập huấn',
'Import Community Data': 'Nhập khẩu dữ liệu cộng đồng',
'Import Completed Assessment Forms': 'Nhập khẩu biểu mẫu đánh giá đã hoàn chỉnh',
'Import Courses': 'Nhập khẩu dữ liệu về khóa tập huấn',
'Import Data for Theme Layer': 'Nhập khảu dữ liệu cho lớp chủ đề',
'Import Demographic Data': 'Nhập khẩu số liệu dân số',
'Import Demographic Sources': 'Nhập khẩu nguồn số liệu dân số',
'Import Demographic': 'Nhập khẩu dữ liệu nhân khẩu',
'Import Demographics': 'Tải dữ liệu dân số',
'Import Departments': 'Nhập khẩu dữ liệu phòng/ban',
'Import Facilities': 'Nhập khẩu bộ phận',
'Import Facility Types': 'Nhập khẩu loại hình bộ phận',
'Import File': 'Nhập khẩu File',
'Import Framework data': 'Nhập khẩu dữ liệu về khung chương trình',
'Import Hazards': 'Nhập khẩu hiểm họa',
'Import Hours': 'Nhập khẩu thời gian hoạt động',
'Import Incident Reports from Ushahidi': 'Nhập khẩu báo cáo sự cố từ Ushahidi',
'Import Incident Reports': 'Nhập khẩu báo cáo sự cố',
'Import Job Roles': 'Nhập khẩu vai trò công việc',
'Import Jobs': 'Chuyển đổi nghề nghiệp',
'Import Location Data': 'Nhập khẩu dữ liệu địa điểm',
'Import Locations': 'Nhập khẩu địa điểm',
'Import Logged Time data': 'Nhập khẩu dữ liệu thời gian truy cập',
'Import Members': 'Nhập khẩu thành viên',
'Import Membership Types': 'Nhập khẩu loại hình thành viên',
'Import Milestone Data': 'Nhập khẩu dự liệu các thời điểm quan trọng',
'Import Milestones': 'Tải dự liệu các thời điểm quan trọng',
'Import Offices': 'Nhập khẩu văn phòng',
'Import Organizations': 'Nhập khẩu tổ chức',
'Import Participant List': 'Nhập khẩu danh sách học viên',
'Import Participants': 'Tải người tham dự',
'Import Partner Organizations': 'Nhập khẩu dữ liệu về tổ chức đối tác',
'Import Project Communities': 'Đối tượng hưởng lợi dự án',
'Import Project Organizations': 'Tổ chức thực hiện dự án',
'Import Projects': 'Dự án',
'Import Red Cross & Red Crescent National Societies': 'Nhập khẩu dữ liệu về Hội CTĐ & TLLĐ Quốc gia',
'Import Staff': 'Nhập khẩu cán bộ',
'Import Stations': 'Nhập khẩu các trạm',
'Import Statuses': 'Nhập khẩu tình trạng',
'Import Suppliers': 'Nhập khẩu các nhà cung cấp',
'Import Tasks': 'Nhập khẩu Nhiệm vụ',
'Import Template Layout': 'Nhập khẩu sơ đồ mẫu',
'Import Templates': 'Nhập khẩu biểu mẫu',
'Import Theme data': 'Nhập khẩu dữ liệu chủ đề',
'Import Themes': 'Nhập khẩu Chủ đề',
'Import Training Events': 'Nhập khẩu sự kiện tập huấn',
'Import Training Participants': 'Nhập khẩu dữ liệu học viên được tập huấn',
'Import Vehicles': 'Nhập khẩu các phương tiện đi lại',
'Import Volunteer Cluster Positions': 'Nhập khẩu vị trí nhóm tình nguyện viên',
'Import Volunteer Cluster Types': 'Nhập khẩu loại hình nhóm tình nguyện viên',
'Import Volunteer Clusters': 'Nhập khẩu nhóm tình nguyện viên',
'Import Volunteers': 'Nhập khẩu tình nguyện viên',
'Import Vulnerability Aggregated Indicator': 'Nhập khẩu chỉ số phân tách tình trạng dễ bị tổn thương',
'Import Vulnerability Data': 'Nhập khẩu dữ liệu tình trạng dễ bị tổn thương',
'Import Vulnerability Indicator Sources': 'Nhập khẩu Nguồn chỉ số tình trạng dễ bị tổn thương',
'Import Vulnerability Indicator': 'Nhập khẩu chỉ số tình trạng dễ bị tổn thương',
'Import Warehouse Stock': 'Nhập khẩu hàng lưu kho',
'Import Warehouses': 'Nhập khẩu kho',
'Import from CSV': 'Nhập khẩu từ CSV',
'Import from OpenStreetMap': 'Nhập khẩu từ bản đồ OpenstreetMap',
'Import multiple tables as CSV': 'Chuyển đổi định dạng bảng sang CSV',
'Import': 'Nhập khẩu dữ liệu',
'Import/Export': 'Nhập/ Xuất dữ liệu',
'Important': 'Quan trọng',
'Imported data': 'Dữ liệu đã nhập',
'In Catalogs': 'Trong danh mục',
'In GeoServer, this is the Layer Name. Within the WFS getCapabilities, this is the FeatureType Name part after the colon(:).': 'Trong GeoServer, đây là tên lớp. Trong WFS getCapabilities, đây là tên FeatureType, phần sau dấu hai chấm (:).',
'In Inventories': 'Trong nhóm hàng',
'In Process': 'Đang tiến hành',
'In Stock': 'Đang lưu kho',
'In error': 'mắc lỗi',
'In order to be able to edit OpenStreetMap data from within %(name_short)s, you need to register for an account on the OpenStreetMap server.': 'Để có thể chỉnh sửa dữ liệu trên OpenstreetMap từ trong %(name_short)s, ban cần đăng ký tài khoản trên máy chủ OpenStreetMap.',
'In transit': 'Đang trên đường',
'Inbound Mail Settings': 'Cài đặt thư đến',
'Inbound Message Source': 'Nguồn thư đến',
'Incident Categories': 'Danh mục sự cố',
'Incident Commander': 'Chỉ huy tình huống tai nạn',
'Incident Report Details': 'Chi tiết Báo cáo tai nạn',
'Incident Report added': 'Thêm Báo cáo tai nạn',
'Incident Report deleted': 'Xóa Báo cáo tai nạn',
'Incident Report updated': 'Cập nhật Báo cáo tai nạn',
'Incident Report': 'Báo cáo tai nạn',
'Incident Reports': 'Báo cáo sự cố',
'Incident Timeline': 'Dòng thời gian tai nạn',
'Incident Types': 'Loại sự cố',
'Incident': 'Sự cố',
'Incidents': 'Tai nạn',
'Include any special requirements such as equipment which they need to bring.': 'Bao gồm các yêu cầu đặc biệt như thiết bị cần mang theo',
'Include core files': 'Bao gồm các tệp chủ chốt',
'Including emerging and re-emerging diseases, vaccine preventable diseases, HIV, TB': 'Gồm các bệnh mới bùng phát và tái bùng phát, các bệnh có thể ngừa bằng vaccine, HIV, lao phổi',
'Incoming Shipments': 'Lô hàng đang đến',
'Incorrect parameters': 'Tham số không đúng',
'Indicator Comparison': 'So sánh chỉ số',
'Indicator': 'Chỉ số',
'Indicators': 'Chỉ số',
'Individuals': 'Cá nhân',
'Industrial Crime': 'Tội ác công nghiệp',
'Industry Fire': 'Cháy nổ công nghiệp',
'Infant (0-1)': 'Trẻ sơ sinh (0-1)',
'Infectious Disease (Hazardous Material)': 'Dịch bệnh lây nhiễm (vật liệu nguy hiểm)',
'Infectious Disease': 'Dịch bệnh lây nhiễm',
'Infestation': 'Sự phá hoại',
'Informal camp': 'Trại không chính thức',
'Information Management': 'Quản lý thông tin',
#'Information Technology': 'Công nghệ thông tin',
'Information Technology': 'CNTT',
'Infrastructure Development': 'Phát triển cơ sở hạ tầng',
'Inherited?': 'Được thừa kế?',
'Initials': 'Tên viết tắt',
'Insect Infestation': 'Dịch sâu bọ',
'Instance Type': 'Loại ví dụ',
'Instant Porridge': 'Cháo ăn liền',
'Insurance Number': 'Số sổ/thẻ bảo hiểm',
'Insurer': 'Nơi đăng ký BHXH',
'Instructor': 'Giảng viên',
'Insufficient Privileges': 'Không đủ đặc quyền',
'Insufficient vars: Need module, resource, jresource, instance': 'Không đủ var: cần module, nguồn lực, j nguồn lực, tức thời',
'Integrity error: record can not be deleted while it is referenced by other records': 'Lỗi liên kết: hồ sơ không thể bị xóa khi đang được liên kết với hồ sơ khác',
'Intermediate': 'Trung cấp',
'Internal Shipment': 'Vận chuyển nội bộ',
'Internal State': 'Tình trạng bên trong',
'International NGO': 'Tổ chức phi chính phủ quốc tế',
'International Organization': 'Tổ chức quốc tế',
'Interview taking place at': 'Phỏng vấn diễn ra tại',
'Invalid Location!': 'Vị trí không hợp lệ!',
'Invalid Query': 'Truy vấn không hợp lệ',
'Invalid Site!': 'Trang không hợp lệ!',
'Invalid form (re-opened in another window?)': 'Mẫu không hợp lệ (mở lại trong cửa sổ khác?)',
'Invalid phone number!': 'Số điện thoại không hợp lệ!',
'Invalid phone number': 'Số điện thoại không đúng',
'Invalid request!': 'Yêu cầu không hợp lệ!',
'Invalid request': 'Yêu cầu không hợp lệ',
'Invalid source': 'Nguồn không hợp lệ',
'Invalid ticket': 'Vé không đúng',
'Invalid': 'Không đúng',
'Inventory Adjustment Item': 'Mặt hàng điều chỉnh sau kiểm kê',
'Inventory Adjustment': 'Điều chỉnh sau kiểm kê',
'Inventory Item Details': 'Chi tiết hàng hóa trong kho',
'Inventory Item added': 'Bổ sung hàng hóa vào kho lưu trữ.',
'Inventory Items include both consumable supplies & those which will get turned into Assets at their destination.': 'Hàng hóa kiểm kê bao gồm cả hàng tiêu hao & hàng hóa sẽ được trả lại như tài sản tại đích đến',
'Inventory Items': 'Mặt hàng kiểm kê',
'Inventory Store Details': 'Chi tiết kho lưu trữ',
'Inventory of Effects': 'Kho dự phòng',
'Inventory': 'Kiểm kê',
'Is editing level L%d locations allowed?': 'Có được phép chỉnh sửa vị trí cấp độ L%d?',
'Is this a strict hierarchy?': 'Có phải là thứ tự đúng?',
'Issuing Authority': 'Cơ quan cấp',
'It captures not only the places where they are active, but also captures information on the range of projects they are providing in each area.': 'Nó không chỉ nhận các vị trí đang kích hoạt mà cũng nhận các thông tin về các dự án đang có ở từng vùng',
'Item Added to Shipment': 'Mặt hàng được thêm vào lô hàng vận chuyển',
'Item Catalog Details': 'Thông tin danh mục hàng hóa',
'Item Catalog added': 'Đã thêm danh mục hàng hóa',
'Item Catalog deleted': 'Đã xóa danh mục hàng hóa',
'Item Catalog updated': 'Đã cập nhật danh mục hàng hóa',
'Item Catalogs': 'Danh mục hàng hóa',
'Item Categories': 'Loại hàng hóa',
'Item Category Details': 'Thông tin danh mục hàng hóa',
'Item Category added': 'Danh mục hàng hóa đã được thêm',
'Item Category deleted': 'Danh mục hàng hóa đã được xóa',
'Item Category updated': 'Danh mục hàng hóa đã được cập nhật',
'Item Category': 'Danh mục hàng hóa',
'Item Code': 'Mã hàng',
'Item Details': 'Thông tin hàng hóa',
'Item Name': 'Tên hàng',
'Item Pack Details': 'Thông tin về gói hàng',
'Item Pack added': 'Gói hàng đã được thêm',
'Item Pack deleted': 'Gói hàng đã được xóa',
'Item Pack updated': 'Gói hàng đã được cập nhật',
'Item Packs': 'Gói hàng',
'Item Status': 'Tình trạng hàng hóa',
'Item Sub-Category updated': 'Đã cập nhật tiêu chí phụ của hàng hóa',
'Item Tracking Status': 'Theo dõi tình trạng hàng hóa',
'Item added to stock': 'Mặt hàng được thêm vào kho',
'Item added': 'Mặt hàng đã được thêm',
'Item already in Bundle!': 'Hàng đã có trong Bundle!',
'Item deleted': 'Mặt hàng đã được xóa',
'Item quantity adjusted': 'Số lượng hàng đã được điều chỉnh',
'Item updated': 'Mặt hàng đã được cập nhật',
'Item': 'Mặt hàng',
'Item(s) added to Request': 'Hàng hóa đã được thêm vào yêu cầu',
'Item(s) deleted from Request': 'Hàng hóa đã được xóa khỏi yêu cầu',
'Item(s) updated on Request': 'Hàng hóa đã được cập nhật vào yêu cầu',
'Item/Description': 'Mặt hàng/ Miêu tả',
'Items in Category are Vehicles': 'Mặt hàng trong danh mục là phương tiện vận chuyển',
'Items in Category can be Assets': 'Mặt hàng trong danh mục có thể là tài sản',
'Items in Request': 'Hàng hóa trong thư yêu cầu',
'Items in Stock': 'Hàng hóa lưu kho',
'Items': 'Hàng hóa',
'Items/Description': 'Mô tả/Hàng hóa',
'JS Layer': 'Lớp JS',
'Jewish': 'Người Do Thái',
'Job Role Catalog': 'Danh mục vai trò công việc',
'Job Role Details': 'Chi tiết vai trò công việc',
'Job Role added': 'Vai trò công việc đã được thêm',
'Job Role deleted': 'Vai trò công việc đã được xóa',
'Job Role updated': 'Vai trò công việc đã được cập nhật',
'Job Role': 'Vai trò công việc',
'Job Schedule': 'Kế hoạch công việc',
'Job Title Catalog': 'Vị trí chức vụ',
'Job Title Details': 'Chi tiết chức danh công việc',
'Job Title added': 'Chức danh công việc đã được thêm',
'Job Title deleted': 'Chức danh công việc đã được xóa',
'Job Title updated': 'Chức danh công việc đã được cập nhật',
'Job Title': 'Chức danh công việc',
'Job Titles': 'Chức vụ',
'Job added': 'Công việc đã được thêm',
'Job deleted': 'Công việc đã được xóa',
'Job reactivated': 'Công việc đã được kích hoạt lại',
'Job updated': 'Công việc đã được cập nhật',
'Journal Entry Details': 'Chi tiết ghi chép nhật ký',
'Journal entry added': 'Ghi chép nhật ký đã được thêm',
'Journal entry deleted': 'Ghi chép nhật ký đã được xóa',
'Journal entry updated': 'Ghi chép nhật ký đã được cập nhật',
'Journal': 'Nhật ký',
'KML Layer': 'Lớp KML',
'Key Value pairs': 'Đôi giá trị Khóa',
'Key deleted': 'Đã xóa từ khóa',
'Key': 'Phím',
'Keyword': 'Từ khóa',
'Keywords': 'Từ khóa',
'Kit Created': 'Thùng hàng đã được tạo',
'Kit Details': 'Chi tiết thùng hàng',
'Kit Item': 'Mặt hàng trong thùng',
'Kit Items': 'Mặt hàng trong thùng',
'Kit canceled': 'Thùng hàng đã được hủy',
'Kit deleted': 'Đã xóa Kit',
'Kit updated': 'Thùng hàng đã được cập nhật',
'Kit': 'Thùng hàng',
'Kit?': 'Thùng hàng?',
'Kits': 'Thùng hàng',
'Kitting': 'Trang bị dụng cụ',
'Knowledge Management': 'Quản lý tri thức',
'Known Locations': 'Vị trí được xác định',
'LEGEND': 'CHÚ GIẢI',
'LICENSE': 'Bản quyền',
'LOW RESILIENCE': 'MỨC ĐỘ AN TOÀN THẤP',
'LOW': 'THẤP',
'Label': 'Nhãn',
'Lack of transport to school': 'Thiếu phương tiện di chuyển cho trẻ em đến trường',
'Lahar': 'Dòng dung nham',
'Land Slide': 'Sạt lở đất',
'Landslide': 'Sạt lở đất',
'Language Code': 'Mã Ngôn ngữ',
'Language code': 'Mã ngôn ngữ',
'Language': 'Ngôn ngữ',
'Last Checked': 'Lần cuối cùng được kiểm tra',
'Last Data Collected on': 'Dữ liệu mới nhất được thu thập trên',
'Last Name': 'Tên họ',
'Last Pull': 'Kéo gần nhất',
'Last Push': 'Đầy gần nhất',
'Last known location': 'Địa điểm vừa biết đến',
'Last pull on': 'Kéo về gần đây',
'Last push on': 'Đẩy vào gần đây',
'Last run': 'Lần chạy gần nhất',
'Last status': 'Trạng thái gần đây',
'Last updated': 'Cập nhật mới nhất',
'Last': 'Trang cuối',
'Latitude & Longitude': 'Vĩ độ & Kinh độ',
'Latitude is Invalid!': 'Vị độ không hợp lệ',
'Latitude is North-South (Up-Down). Latitude is zero on the equator and positive in the northern hemisphere and negative in the southern hemisphere.': 'Vĩ độ là Bắc-Nam (trên xuống). Vĩ độ bằng không trên đường xích đạo, dương phía bán cầu Bắc và âm phía bán cầu Nam',
'Latitude is North-South (Up-Down).': 'Vĩ độ Bắc-Nam (trên-xuống)',
'Latitude is zero on the equator and positive in the northern hemisphere and negative in the southern hemisphere.': 'Vĩ độ bằng 0 là ở xích đạo và có giá trị dương ở bắc bán cầu và giá trị âm ở nam bán cầu',
'Latitude must be between -90 and 90.': 'Vĩ độ phải nằm giữa -90 và 90',
'Latitude of Map Center': 'Vĩ độ trung tâm bản đồ vùng',
'Latitude of far northern end of the region of interest.': 'Vĩ độ bắc điểm cuối của vùng quan tâm',
'Latitude of far southern end of the region of interest.': 'Vĩ độ nam điểm cuối của vùng quan tâm',
'Latitude should be between': 'Vĩ độ phải từ ',
'Latitude': 'Vĩ độ',
'Latrines': 'nhà vệ sinh',
'Layer Details': 'Thông tin về Lớp',
'Layer Name': 'Tên lớp',
'Layer Properties': 'Đặc tính của lớp bản đồ',
'Layer added': 'Lớp đã được thêm',
'Layer deleted': 'Lớp đã được xóa',
'Layer has been Disabled': 'Lớp đã bị khóa',
'Layer has been Enabled': 'Lớp đã được bật',
'Layer removed from Symbology': 'Lớp đã được gỡ khỏi danh mục biểu tượng',
'Layer updated': 'Lớp đã được cập nhật',
'Layer': 'Lớp',
'Layers updated': 'Đã cập nhật Layer',
'Layers': 'Lớp',
'Layout': 'Định dạng',
'Lead Implementer for this project is already set, please choose another role.': 'Người thực hiện chính của Dự án này đã được chỉ định, đề nghị chọn một vai trò khác',
'Lead Implementer': 'Trưởng nhóm thực hiện',
'Lead Organization': 'Tổ chức chỉ đạo',
'Leader': 'Người lãnh đạo',
'Leave blank to request an unskilled person': 'Bỏ trắng nếu yêu cầu người không cần kỹ năng',
'Left-side is fully transparent (0), right-side is opaque (1.0).': 'Bên trái là hoàn toàn trong suốt (0), bên phải là không trong suốt (1.0)',
'Legend URL': 'Chú giải URL',
'Legend': 'Chú giải',
'Length (m)': 'Chiều dài (m)',
'Length': 'Độ dài',
'Less Options': 'Thu hẹp chức năng',
'Level of Award (Count)': 'Trình độ học vấn (Số lượng)',
'Level of Award': 'Trình độ học vấn',
'Level of competency this person has with this skill.': 'Cấp độ năng lực của người này với kỹ năng đó',
'Level': 'Cấp độ',
'Library support not available for OpenID': 'Thư viện hỗ trợ không có sẵn cho việc tạo ID',
'License Number': 'Số giấy phép',
'Link (or refresh link) between User, Person & HR Record': 'Đường dẫn (hay đường dẫn mới) giữa người dùng, người và hồ sơ cán bộ',
'Link to this result': 'Đường dẫn tới kết quả này',
'Link': 'Liên kết',
'List / Add Baseline Types': 'Liệt kê / thêm loại hình khảo sát trước can thiệp',
'List / Add Impact Types': 'Liệt kê / thêm loại tác động',
'List Activities': 'Liêt kê hoạt động',
'List Activity Types': 'Liệt kê loại hoạt động',
'List Addresses': 'Liệt kê địa chỉ',
'List Affiliations': 'Liệt kê liên kết',
'List Aid Requests': 'Danh sách Yêu cầu cứu trợ',
'List All Catalogs & Add Items to Catalogs': 'Liệt kê danh mục & Thêm mục mặt hàng vào danh mục',
'List All Commitments': 'Liệt kê tất cả cam kết',
'List All Community Contacts': 'Liệt kê tất cả thông tin liên lạc của cộng đồng',
'List All Entries': 'Liệt kê tất cả hồ sơ',
'List All Essential Staff': 'Liệt kê tất cả cán bộ quan trọng',
'List All Item Categories': 'Liệt kê tât cả danh mục hàng hóa',
'List All Items': 'Liệt kê tất cả mặt hàng',
'List All Memberships': 'Danh sách tất cả các thành viên',
'List All Requested Items': 'Liệt kê tất cả mặt hàng được yêu cầu',
'List All Requested Skills': 'Liệt kê tất cả kỹ năng được yêu cầu',
'List All Requests': 'Liệt kê tất cả yêu cầu',
'List All Roles': 'Liệt kê tất cẩ vai trò',
'List All Security-related Staff': 'Liệt kê tất cả cán bộ liên quan đến vai trò bảo vệ',
'List All Users': 'Liệt kê tất cả người dùng',
'List All': 'Liệt kê tất cả',
'List Alternative Items': 'Liệt kê mặt hàng thay thế',
'List Annual Budgets': 'Liệt kê ngân sách năm',
'List Assessment Answers': 'Liêt kê câu trả lời trong biểu mẫu đánh giá',
'List Assessment Questions': 'Liệt kê câu hỏi trong biểu mẫu đánh giá',
'List Assessment Templates': 'Liệt kê biểu mẫu đánh giá',
'List Assessments': 'Danh sách Trị giá tính thuế',
'List Assets': 'Liệt kê tài sản',
'List Assigned Human Resources': 'Liệt kê nguồn nhân lực đã được phân công',
'List Beneficiaries': 'Liệt kê người hưởng lợi',
'List Beneficiary Types': 'Liệt kê loại người hưởng lợi',
'List Branch Organizations': 'Liệt kê tổ chức cơ sở',
'List Brands': 'Liệt kê nhãn hiệu',
'List Catalog Items': 'Liệt kê mặt hàng trong danh mục',
'List Catalogs': 'Liệt kê danh mục',
'List Certificates': 'Liệt kê chứng chỉ',
'List Certifications': 'Liệt kê bằng cấp',
'List Checklists': 'Danh sách Checklists ',
'List Clusters': 'Liệt kê nhóm',
'List Commitment Items': 'Liệt kê mặt hàng cam kết',
'List Commitments': 'Liệt kê cam kết',
'List Committed People': 'Liệt kê người cam kết',
'List Communities': 'Liệt kê cộng đồng',
'List Community Contacts': 'Thông tin liên hệ cộng đồng',
'List Competency Ratings': 'Liệt kê xếp hạng năng lực',
'List Completed Assessment Forms': 'Liệt kê biểu mẫu đánh giá đã hoàn thiện',
'List Contact Information': 'Liệt kê thông tin liên lạc',
'List Contacts': 'Liệt kê liên lạc',
'List Course Certificates': 'Liệt kê Chứng chỉ khóa học',
'List Courses': 'Liệt kê khóa học',
'List Credentials': 'Liệt kê thư ủy nhiệm',
'List Current': 'Danh mục hiện hành',
'List Data in Theme Layer': 'Liệt kê dữ liệu trong lớp chủ đề ',
'List Demographic Data': 'Liệt kê số liệu dân số',
'List Demographic Sources': 'Liệt kê nguồn thông tin về dân số',
'List Demographics': 'Liệt kê dữ liệu nhân khẩu',
'List Departments': 'Liệt kê phòng/ban',
'List Disaster Assessments': 'Liệt kê báo cáo đánh giá thảm họa',
'List Distributions': 'Danh sách ủng hộ,quyên góp',
'List Documents': 'Liệt kê tài liệu',
'List Donors': 'Liệt kê nhà tài trợ',
'List Education Details': 'Liệt kê thông tin về trình độ học vấn',
'List Facilities': 'Liệt kê bộ phận',
'List Facility Types': 'Liệt kê loại hình bộ phận',
'List Feature Layers': 'Liệt kê lớp chức năng',
'List Frameworks': 'Liệt kê khung chương trình',
'List Groups': 'Liệt kê nhóm',
'List Hazards': 'Liệt kê hiểm họa',
'List Hospitals': 'Danh sách Bệnh viện',
'List Hours': 'Liệt kê thời gian hoạt động',
'List Identities': 'Liệt kê nhận dạng',
'List Images': 'Liệt kê hình ảnh',
'List Incident Reports': 'Liệt kê báo cáo sự cố',
'List Item Categories': 'Liệt kê danh mục hàng hóa',
'List Item Packs': 'Liệt kê gói hàng',
'List Items in Request': 'Liệt kê mặt hàng đang được yêu cầu',
'List Items in Stock': 'Liệt kê mặt hàng đang lưu kho',
'List Items': 'Liệt kê hàng hóa',
'List Job Roles': 'Liệt kê vai trò công việc',
'List Job Titles': 'Liệt kê chức danh công việc',
'List Jobs': 'Liệt kê công việc',
'List Kits': 'Liệt kê thùng hàng',
'List Layers in Profile': 'Liệt kê lớp trong hồ sơ tiểu sử',
'List Layers in Symbology': 'Liệt kê lớp trong biểu tượng',
'List Layers': 'Liệt kê lớp',
'List Location Hierarchies': 'Liệt kê thứ tự địa điểm',
'List Locations': 'Liệt kê địa điểm',
'List Log Entries': 'Liệt kê ghi chép nhật ký',
'List Logged Time': 'Liệt kê thời gian đang nhập',
'List Mailing Lists': 'Liệt kê danh sách gửi thư',
'List Map Profiles': 'Liệt kê cấu hình bản đồ',
'List Markers': 'Liệt kê công cụ đánh dấu',
'List Members': 'Liệt kê hội viên',
'List Membership Types': 'Liệt kê loại hình nhóm hội viên',
'List Memberships': 'Liệt kê nhóm hội viên',
'List Messages': 'Liệt kê tin nhắn',
'List Metadata': 'Danh sách dữ liệu',
'List Milestones': 'Liệt kê mốc thời gian quan trọng',
'List Missing Persons': 'Danh sách những người mất tích',
'List Office Types': 'Liệt kê loại hình văn phòng',
'List Offices': 'Liệt kê văn phòng',
'List Orders': 'Liệt kê lệnh',
'List Organization Domains': 'Liệt kê lĩnh vực hoạt động của tổ chức',
'List Organization Types': 'Liệt kê loại hình tổ chức',
'List Organizations': 'Liệt kê tổ chức',
'List Outputs': 'Liệt kê đầu ra',
'List Participants': 'Liệt kê người Tham dự',
'List Partner Organizations': 'Liệt kê tổ chức đối tác',
'List Persons': 'Liệt kê đối tượng',
'List Photos': 'Liệt kê ảnh',
'List Profiles configured for this Layer': 'Liệt kê tiểu sử được cấu hình cho lớp này',
'List Programs': 'Liệt kê chương trình',
'List Project Organizations': 'Liệt kê tổ chức dự án',
'List Projections': 'Liệt kê dự đoán',
'List Projects': 'Liệt kê dự án',
'List Question Meta-Data': 'Liệt kê siêu dữ liệu câu hỏi',
'List Received/Incoming Shipments': 'Liệt kê lô hàng nhận được/đang đến',
'List Records': 'Liệt kê hồ sơ',
'List Red Cross & Red Crescent National Societies': 'Liệt kê Hội CTĐ & TLLĐ quốc gia',
'List Repositories': 'Liệt kê kho lưu trữ',
'List Request Items': 'Danh sách Hang hóa yêu cầu',
'List Requested Skills': 'Liệt kê kỹ năng được yêu cầu',
'List Requests': 'Liệt kê yêu cầu',
'List Resources': 'Liệt kê nguồn lực',
'List Rivers': 'Danh sách sông',
'List Roles': 'Liệt kê vai trò',
'List Rooms': 'Liệt kê phòng',
'List Sectors': 'Liệt kê lĩnh vực',
'List Sent Shipments': 'Liệt kê lô hàng đã gửi đi',
'List Shelter Services': 'Danh sách dịch vụ cư trú',
'List Shipment Items': 'Liệt kê mặt hàng trong lô hàng',
'List Shipment/Way Bills': 'Danh sách Đơn hàng/Phí đường bộ',
'List Sites': 'Danh sách site',
'List Skill Equivalences': 'Liệt kê kỹ năng tương đương',
'List Skill Types': 'Liệt kê loại kỹ năng',
'List Skills': 'Liệt kê kỹ năng',
'List Staff & Volunteers': 'Liệt kê Cán bộ và Tình nguyện viên',
'List Staff Assignments': 'Liệt kê phân công cán bộ',
'List Staff Members': 'Liệt kê cán bộ',
'List Staff Types': 'Lên danh sách các bộ phận nhân viên',
'List Staff': 'Danh sách Nhân viên',
'List Statuses': 'Liệt kê tình trạng',
'List Stock Adjustments': 'Liệt kê điều chỉnh hàng lưu kho',
'List Stock in Warehouse': 'Liệt kê hàng lưu trong kho hàng',
'List Storage Location': 'Danh sách vị trí kho lưu trữ',
'List Subscriptions': 'Danh sách Đăng ký',
'List Suppliers': 'Liệt kê nhà cung cấp',
'List Support Requests': 'Liệt kê đề nghị hỗ trợ',
'List Survey Questions': 'Danh sách câu hỏi khảo sát',
'List Survey Series': 'Lên danh sách chuỗi khảo sát',
'List Symbologies for Layer': 'Liệt kê biểu tượng cho Lớp',
'List Symbologies': 'Liệt kê biểu tượng',
'List Tasks': 'Liệt kê nhiệm vụ',
'List Teams': 'Liệt kê Đội/Nhóm',
'List Template Sections': 'Liệt kê nội dung biểu mẫu',
'List Themes': 'Liệt kê chủ đề',
'List Training Events': 'Liệt kê khóa tập huấn',
'List Trainings': 'Liệt kê lớp tập huấn',
'List Units': 'Danh sách đơn vị',
'List Users': 'Liệt kê người sử dụng',
'List Vehicle Assignments': 'Liệt kê phân công phương tiện vận chuyển',
'List Volunteer Cluster Positions': 'Liệt kê vị trí nhóm tình nguyện viên',
'List Volunteer Cluster Types': 'Liệt kê loại hình nhóm tình nguyện viên',
'List Volunteer Clusters': 'Liệt kê nhóm tình nguyện viên',
'List Volunteer Roles': 'Liệt kê vai trò của tình nguyện viên',
'List Volunteers': 'Liệt kê tình nguyện viên',
'List Vulnerability Aggregated Indicators': 'Liệt kê chỉ số gộp đánh giá tình trạng dễ bị tổn thương',
'List Vulnerability Data': 'Liệt kê dữ liệu về tình trạng dễ bị tổn thương',
'List Vulnerability Indicator Sources': 'Liệt kê nguồn chỉ số đánh giá tình trạng dễ bị tổn thương',
'List Vulnerability Indicators': 'Liệt kê chỉ số đánh giá tình trạng dễ bị tổn thương',
'List Warehouses': 'Liệt kê kho hàng',
'List alerts': 'Liệt kê cảnh báo',
'List all Entries': 'Liệt kê tất cả hồ sơ',
'List all': 'Liệt kê tất cả',
'List of Missing Persons': 'Danh sách những người mất tích',
'List of Professional Experience': 'Danh sách kinh nghiệm nghề nghiệp',
'List of Requests': 'Danh sách yêu cầu',
'List of Roles': 'Danh sách vai trò',
'List of addresses': 'Danh sách các địa chỉ',
'List saved searches': 'Liệt kê tìm kiếm đã lưu',
'List templates': 'Liệt kê biểu mẫu',
'List unidentified': 'Liệt kê danh mục chư tìm thấy',
'List': 'Liệt kê',
'List/Add': 'Liệt kê/ Thêm',
'Lists "who is doing what & where". Allows relief agencies to coordinate their activities': 'Danh sách "Ai làm gì, ở đâu"Cho phép các tổ chức cứu trợ điều phối hoạt động của mình',
'Live Help': 'Trợ giúp trực tuyến',
'Livelihood': 'Sinh kế',
'Livelihoods': 'Sinh kế',
'Load Cleaned Data into Database': 'Tải dữ liệu sạch vào cơ sở dữ liệu',
'Load Raw File into Grid': 'Tải file thô vào hệ thống mạng',
'Load': 'Tải',
'Loaded By': 'Được tải lên bởi',
'Loading report details': 'Tải thông tin báo cáo',
'Loading': 'Đang tải',
'Local Name': 'Tên địa phương',
'Local Names': 'Tên địa phương',
'Location (Site)': 'Địa điểm (vùng)',
'Location 1': 'Địa điểm 1',
'Location 2': 'Địa điểm 2',
'Location 3': 'Địa điểm 3',
'Location Added': 'Địa điểm đã được thêm',
'Location Deleted': 'Địa điểm đã được xóa',
'Location Detail': 'Thông tin địa điểm',
'Location Details': 'Thông tin địa điểm',
'Location Group': 'Nhóm địa điểm',
'Location Hierarchies': 'Thứ tự địa điểm',
'Location Hierarchy Level 1 Name': 'Tên thứ tự địa điểm cấp 1',
'Location Hierarchy Level 2 Name': 'Tên thứ tự địa điểm cấp 2',
'Location Hierarchy Level 3 Name': 'Tên thứ tự địa điểm cấp 3',
'Location Hierarchy Level 4 Name': 'Tên thứ tự địa điểm cấp 4',
'Location Hierarchy Level 5 Name': 'Tên thứ tự địa điểm cấp 5',
'Location Hierarchy added': 'Thứ tự địa điểm đã được thêm',
'Location Hierarchy deleted': 'Thứ tự địa điểm đã được xóa',
'Location Hierarchy updated': 'Thứ tự địa điểm đã được cập nhật',
'Location Hierarchy': 'Thứ tự địa điểm',
'Location Updated': 'Địa điểm đã được cập nhật',
'Location added': 'Địa điểm đã được thêm',
'Location deleted': 'Địa điểm đã được xóa',
'Location is Required!': 'Địa điểm được yêu cầu!',
'Location needs to have WKT!': 'Địa điểm cần để có WKT!',
'Location updated': 'Địa điểm đã được cập nhật',
'Location': 'Địa điểm',
'Locations of this level need to have a parent of level': 'Địa điểm ở cấp độ này cần có các cấp độ cha',
'Locations': 'Địa điểm',
'Log Entry Deleted': 'Ghi chép nhật ký đã được xóa',
'Log Entry Details': 'Thông tin về ghi chép nhật ký',
'Log Entry': 'Ghi chép nhật ký',
'Log New Time': 'Thời gian truy cập Mới',
'Log Time Spent': 'Thời gian đã Truy cập',
'Log entry added': 'Ghi chép nhật ký đã được thêm',
'Log entry deleted': 'Ghi chép nhật ký đã được xóa',
'Log entry updated': 'Ghi chép nhật ký đã được cập nhật',
'Log': 'Nhật ký',
'Logged Time Details': 'Thông tin về thời gian đã truy cập',
'Logged Time': 'Thời gian đã truy cập',
'Login with Facebook': 'Đăng nhập với Facebook',
'Login with Google': 'Đăng nhập với Google',
'Login': 'Đăng nhập',
'Logistics & Warehouse': 'Hậu cần & Nhà kho',
'Logo of the organization. This should be a png or jpeg file and it should be no larger than 400x400': 'Biểu trưng của một tổ chức phải là tệp png hay jpeg and không lớn hơn 400x400',
'Logo': 'Biểu tượng',
'Logout': 'Thoát',
'Long Name': 'Tên đầy đủ',
'Long Text': 'Đoạn văn bản dài',
'Long-term': 'Dài hạn',
'Longitude is Invalid!': 'Kinh độ không hợp lệ',
'Longitude is West - East (sideways). Longitude is zero on the prime meridian (Greenwich Mean Time) and is positive to the east, across Europe and Asia. Longitude is negative to the west, across the Atlantic and the Americas.': 'Kinh độ trải dài theo hướng Đông-Tây. Kinh tuyến không nằm trên kinh tuyến gốc (Greenwich Mean Time) hướng về phía đông, vắt ngang châu Âu và châu Á.',
'Longitude is West - East (sideways).': 'Kinh độ Tây - Đông (đường ngang)',
'Longitude is West-East (sideways).': 'Kinh độ Tây - Đông (đường ngang)',
'Longitude is zero on the prime meridian (Greenwich Mean Time) and is positive to the east, across Europe and Asia. Longitude is negative to the west, across the Atlantic and the Americas.': 'Kinh độ là 0 tại đường kinh tuyến đầu tiên (Thời gian vùng Greenwich) và có giá trị dương sang phía đông, qua Châu Âu và Châu Á. Kinh tuyến có giá trị âm sang phía tây, từ Đại Tây Dương qua Châu Mỹ.',
'Longitude is zero on the prime meridian (through Greenwich, United Kingdom) and is positive to the east, across Europe and Asia. Longitude is negative to the west, across the Atlantic and the Americas.': 'Kinh độ là 0 tại đường kinh tuyến đầu tiên (xuyên qua Greenwich, Anh) và có giá trị dương sang phía đông, qua châu Âu và Châu Á. Kinh tuyến có giá trị âm sang phía tây qua Đại Tây Dương và Châu Mỹ.',
'Longitude must be between -180 and 180.': 'Kinh độ phải nằm giữa -180 và 180',
'Longitude of Map Center': 'Kinh độ trung tâm bản đồ của vùng quan tâm',
'Longitude of far eastern end of the region of interest.': 'Kinh độ phía đông điểm cuối của vùng quan tâm',
'Longitude of far western end of the region of interest.': 'Kinh độ phía tây điểm cuối của vùng quan tâm',
'Longitude should be between': 'Kinh độ phải từ giữa',
'Longitude': 'Kinh độ',
'Looting': 'Nạn cướp bóc',
'Lost Password': 'Mất mật khẩu',
'Lost': 'Mất',
'Low': 'Thấp',
'MEDIAN': 'ĐIỂM GIỮA',
'MGRS Layer': 'Lớp MGRS',
'MODERATE': 'TRUNG BÌNH',
'MY REPORTS': 'BÁO CÁO CỦA TÔI',
'Magnetic Storm': 'Bão từ trường',
'Mailing List Details': 'Thông tin danh sách gửi thư',
'Mailing List Name': 'Tên danh sách gửi thư',
'Mailing Lists': 'Danh sách gửi thư',
'Mailing list added': 'Danh sách gửi thư đã được thêm',
'Mailing list deleted': 'Danh sách gửi thư đã được xóa',
'Mailing list updated': 'Danh sách gửi thư đã được cập nhật',
'Mailing list': 'Danh sách gửi thư',
'Main Duties': 'Nhiệm vụ chính',
'Mainstreaming DRR': 'GTRRTH Chính thống',
'Major Damage': 'Thiệt hại lớn',
'Major outward damage': 'Vùng ngoài chính hỏng',
'Major': 'Chuyên ngành',
'Make Commitment': 'Làm một cam kết',
'Make New Commitment': 'Làm một cam kết Mới',
'Make Request': 'Đặt yêu cầu',
'Make a Request for Aid': 'Tạo yêu cầu cứu trợ',
'Make a Request': 'Tạo yêu cầu',
'Male': 'Nam',
'Manage Layers in Catalog': 'Quản lý Lớp trong danh mục',
'Manage National Society Data': 'Quản lý dữ liệu Hội quốc gia',
'Manage Offices Data': 'Quản lý dữ liệu văn phòng',
'Manage Returns': 'Quản lý hàng trả lại',
'Manage Staff Data': 'Quản lý dữ liệu cán bộ',
'Manage Sub-Category': 'Quản lý Tiêu chí phụ',
'Manage Teams Data': 'Quản lý dữ liệu đội TNV',
'Manage Users & Roles': 'Quản lý Người sử dụng & Vai trò',
'Manage Volunteer Data': 'Quản lý dữ liệu TNV',
'Manage Your Facilities': 'Quản lý bộ phận của bạn',
'Manage office inventories and assets.': 'Quản lý tài sản và thiết bị văn phòng',
'Manage volunteers by capturing their skills, availability and allocation': 'Quản ly tình nguyện viên bằng việc nắm bắt những kĩ năng, khả năng và khu vực hoạt động của họ',
'Managing material and human resources together to better prepare for future hazards and vulnerabilities.': 'Quản lý nguồn lực để chuẩn bị tốt hơn cho hiểm họa trong tương lai và tình trạng dễ bị tổn thương.',
'Managing, Storing and Distributing Relief Items.': 'Quản lý, Lưu trữ và Quyên góp hàng cứu trợ',
'Mandatory. In GeoServer, this is the Layer Name. Within the WFS getCapabilities, this is the FeatureType Name part after the colon(:).': 'Bắt buộc. Trong máy chủ về Địa lý, đây là tên Lớp. Trong lớp WFS theo Khả năng là đường dẫn, đây là phần Tên loại chức năng sau dấu hai chấm (:).',
'Mandatory. The URL to access the service.': 'Trường bắt buộc. URL để đăng nhập dịch vụ',
'Manual Synchronization': 'Đồng bộ hóa thủ công',
'Manual synchronization completed.': 'Đồng bộ hóa thủ công đã hoàn tất',
'Manual synchronization scheduled - refresh page to update status.': 'Đồng bộ hóa thủ công đã được đặt lịch - làm mới trang để cập nhật tình trạng',
'Manual synchronization started in the background.': 'Đồng bộ hóa thủ công đã bắt đầu ở nền móng',
'Map Center Latitude': 'Vĩ độ trung tâm bản đồ',
'Map Center Longitude': 'Kinh độ trung tâm bản đồ',
'Map Profile added': 'Cấu hình bản đồ đã được thêm',
'Map Profile deleted': 'Cấu hình bản đồ đã được xóa',
'Map Profile updated': 'Cấu hình bản đồ đã được cập nhật',
'Map Profile': 'Cấu hình bản đồ',
'Map Profiles': 'Cấu hình bản đồ',
'Map Height': 'Chiều cao bản đồ',
'Map Service Catalog': 'Catalogue bản đồ dịch vụ',
'Map Settings': 'Cài đặt bản đồ',
'Map Viewing Client': 'Người đang xem bản đồ',
'Map Width': 'Độ rộng bản đồ',
'Map Zoom': 'Phóng to thu nhỏ Bản đồ',
'Map from Sahana Eden': 'Bản đồ từ Sahana Eden',
'Map not available: No Projection configured': 'Bản đồ không có: Chưa có dự đoán được cài đặt',
'Map not available: Projection %(projection)s not supported - please add definition to %(path)s': 'Bản đồ không có: Dự đoán %(projection)s không được hỗ trỡ - xin thêm khái niệm đến %(path)s',
'Map of Communties': 'Bản đồ cộng đồng',
'Map of Hospitals': 'Bản đồ bệnh viện',
'Map of Incident Reports': 'Bản đồ báo cáo sự cố',
'Map of Offices': 'Bản đồ văn phòng',
'Map of Projects': 'Bản đồ dự án',
'Map of Warehouses': 'Bản đồ kho hàng',
'Map': 'Bản đồ',
'Map': 'Bản đồ',
'Marine Security': 'An ninh hàng hải',
'Marital Status': 'Tình trạng hôn nhân',
'Marker Details': 'Thông tin công cụ đánh dấu',
'Marker Levels': 'Cấp độ công cụ đánh dấu',
'Marker added': 'Công cụ đánh dấu đã được thêm',
'Marker deleted': 'Công cụ đánh dấu đã được xóa',
'Marker updated': 'Công cụ đánh dấu đã được cập nhật',
'Marker': 'Công cụ đánh dấu',
'Markers': 'Công cụ đánh dấu',
'Married': 'Đã kết hôn',
'Master Message Log to process incoming reports & requests': 'Kiểm soát log tin nhắn để xử lý báo cáo và yêu cầu gửi đến',
'Master Message Log': 'Nhật ký tin nhắn chính',
'Master': 'Chủ chốt',
'Master Degree or Higher': 'Trên đại học',
'Match Requests': 'Phù hợp với yêu cầu',
'Match?': 'Phù hợp?',
'Matching Catalog Items': 'Mặt hàng trong danh mục phù hợp',
'Matching Items': 'Mặt hàng phù hợp',
'Matching Records': 'Hồ sơ phù hợp',
'Maternal, Newborn and Child Health': 'CSSK Bà mẹ, trẻ sơ sinh và trẻ em',
'Matrix of Choices (Only one answer)': 'Ma trận lựa chọn (chỉ chọn một câu trả lời)',
'Maximum Location Latitude': 'Vĩ độ tối đa của địa điểm',
'Maximum Location Longitude': 'Kinh độ tối đa của địa điểm',
'Maximum Weight': 'Khối lượng tối đa',
'Maximum must be greater than minimum': 'Giá trị tối đa phải lớn hơn giá trị tối thiểu',
'Maximum': 'Tối đa',
'Mean': 'Trung bình',
'Measure Area: Click the points around the polygon & end with a double-click': 'Đo diện tích: Bấm chuột vào điểm của khu vực cần đo & kết thúc bằng nháy đúp chuột',
'Measure Length: Click the points along the path & end with a double-click': 'Đo Chiều dài: Bấm chuột vào điểm dọc đường đi & kết thúc bằng nháy đúp chuột',
'Media': 'Truyền thông',
'Median Absolute Deviation': 'Độ lệch tuyệt đối trung bình',
'Median': 'Điểm giữa',
'Medical Conditions': 'Tình trạng sức khỏe',
'Medical Services': 'Dịch vụ y tế',
'Medium': 'Trung bình',
'Member Base Development': 'Phát triển cơ sở hội viên',
'Member Details': 'Thông tin về hội viên',
'Member ID': 'Tên truy nhập của hội viên',
'Member added to Group': 'Thành viên nhóm đã được thêm',
'Member added to Team': 'Thành viên Đội/Nhóm đã thêm',
'Member added': 'Hội viên đã được thêm',
'Member deleted': 'Hội viên đã được xóa',
'Member removed from Group': 'Nhóm hội viên đã được xóa',
'Member updated': 'Hội viên đã được cập nhật',
'Member': 'Hội viên',
'Members': 'Hội viên',
'Membership Details': 'Thông tin về nhóm hội viên',
'Membership Fee': 'Phí hội viên',
'Membership Paid': 'Hội viên đã đóng phí',
'Membership Type Details': 'Thông tin về loại hình nhóm hội viên',
'Membership Type added': 'Loại hình nhóm hội viên đã được thêm',
'Membership Type deleted': 'Loại hình nhóm hội viên đã được xóa',
'Membership Type updated': 'Loại hình nhóm hội viên đã được cập nhật',
'Membership Types': 'Loại hình nhóm hội viên',
'Membership updated': 'Nhóm hội viên đã được cập nhật',
'Membership': 'Nhóm hội viên',
'Memberships': 'Nhóm hội viên',
'Message Details': 'Chi tiết tin nhắn',
'Message Parser settings updated': 'Cài đặt cú pháp tin nhắn đã được cập nhật',
'Message Source': 'Nguồn tin nhắn',
'Message Variable': 'Biến tin nhắn',
'Message added': 'Tin nhắn đã được thêm ',
'Message deleted': 'Tin nhắn đã được xóa',
'Message updated': 'Tin nhắn đã được cập nhật',
'Message variable': 'Biến tin nhắn',
'Message': 'Tin nhắn',
'Messages': 'Tin nhắn',
'Messaging': 'Soạn tin nhắn',
'Metadata Details': 'Chi tiết siêu dữ liệu',
'Metadata added': 'Đã thêm dữ liệu',
'Metadata': 'Lý lịch dữ liệu',
'Meteorite': 'Thiên thạch',
'Middle Name': 'Tên đệm',
'Migrants or ethnic minorities': 'Dân di cư hoặc dân tộc thiểu số',
'Milestone Added': 'Mốc thời gian quan trọng đã được thêm',
'Milestone Deleted': 'Mốc thời gian quan trọng đã được xóa',
'Milestone Details': 'Thông tin về mốc thời gian quan trọng',
'Milestone Updated': 'Mốc thời gian quan trọng đã được cập nhật',
'Milestone': 'Mốc thời gian quan trọng',
'Milestones': 'Mốc thời gian quan trọng',
'Minimum Location Latitude': 'Vĩ độ tối thiểu của địa điểm',
'Minimum Location Longitude': 'Kinh độ tối thiểu của địa điểm',
'Minimum': 'Tối thiểu',
'Minor Damage': 'Thiệt hại nhỏ',
'Minute': 'Phút',
'Minutes must be a number.': 'Giá trị của phút phải bằng chữ số',
'Minutes must be less than 60.': 'Giá trị của phút phải ít hơn 60',
'Missing Person Details': 'Chi tiết về người mất tích',
'Missing Person Reports': 'Báo cáo số người mất tích',
'Missing Person': 'Người mất tích',
'Missing Persons Report': 'Báo cáo số người mất tích',
'Missing Persons': 'Người mất tích',
'Missing Senior Citizen': 'Người già bị mất tích',
'Missing Vulnerable Person': 'Người dễ bị tổn thương mất tích',
'Missing': 'Mất tích',
'Mobile Phone Number': 'Số di động',
'Mobile Phone': 'Số di động',
'Mobile': 'Di động',
'Mode': 'Phương thức',
'Model/Type': 'Đời máy/ Loại',
'Modem settings updated': 'Cài đặt mô đem được đã được cập nhật',
'Modem': 'Mô đem',
'Moderator': 'Điều tiết viên',
'Modify Feature: Select the feature you wish to deform & then Drag one of the dots to deform the feature in your chosen manner': 'Sửa đổi tính năng: Lựa chọn tính năng bạn muốn để thay đổi và sau đó kéo vào một trong điểm để thay đổi tính năng theoh bạn chọn',
'Modify Information on groups and individuals': 'Thay đổi thông tin của nhóm và cá nhân',
'Module Administration': 'Quản trị Mô-đun',
'Monday': 'Thứ Hai',
'Monetization Details': 'Thông tin lưu hành tiền tệ',
'Monetization Report': 'Báo cáo lưu hành tiền tệ',
'Monetization': 'Lưu hành tiền tệ',
'Monitoring and Evaluation': 'Đánh giá và Giám sát',
'Month': 'Tháng',
'Monthly': 'Hàng tháng',
'Months': 'Tháng',
'More Options': 'Mở rộng chức năng',
'Morgue': 'Phòng tư liệu',
'Morgues': 'Phòng tư liệu',
'Moustache': 'Râu quai nón',
'Move Feature: Drag feature to desired location': 'Di chuyển tính năng: Kéo tính năng tới vị trí mong muốn',
'Multi-Option': 'Đa lựa chọn',
'Multiple Matches': 'Nhiều kết quả phù hợp',
'Multiple': 'Nhiều',
'Muslim': 'Tín đồ Hồi giáo',
'Must a location have a parent location?': 'Một địa danh cần phải có địa danh trực thuộc đi kèm?',
'My Logged Hours': 'Thời gian truy cập của tôi',
'My Open Tasks': 'Nhiệm vụ của tôi',
'My Profile': 'Hồ sơ của tôi',
'My Tasks': 'Nhiệm vụ của tôi',
'My reports': 'Báo cáo của tôi',
'N/A': 'Không xác định',
'NDRT (National Disaster Response Teams)': 'Đội ứng phó thảm họa cấp TW',
'NO': 'KHÔNG',
'NUMBER_GROUPING': 'SỐ_THEO NHÓM',
'NZSEE Level 1': 'Mức 1 NZSEE',
'NZSEE Level 2': 'Mức 2 NZSEE',
'Name and/or ID': 'Tên và/hoặc tên truy nhập',
'Name field is required!': 'Bắt buộc phải điền Tên!',
'Name of Award': 'Tên phần thưởng',
'Name of Driver': 'Tên tài xế',
'Name of Father': 'Tên cha',
'Name of Institute': 'Trường Đại học/ Học viện',
'Name of Mother': 'Tên mẹ',
'Name of Storage Bin Type.': 'Tên loại Bin lưu trữ',
'Name of the person in local language and script (optional).': 'Tên theo ngôn ngữ và chữ viết địa phương (tùy chọn)',
'Name of the repository (for you own reference)': 'Tên của kho (để bạn tham khảo)',
'Name': 'Tên',
'National ID Card': 'Chứng minh nhân dân',
'National NGO': 'Các tổ chức phi chính phủ ',
'National Societies': 'Hội Quốc gia',
'National Society / Branch': 'Trung ương/ Tỉnh, thành Hội',
'National Society Details': 'Thông tin về Hội Quốc gia',
'National Society added': 'Hội Quốc gia đã được thêm',
'National Society deleted': 'Hội Quốc gia đã được xóa',
'National Society updated': 'Hội Quốc gia đã được cập nhật',
'National Society': 'Hội QG',
'Nationality of the person.': 'Quốc tịch',
'Nationality': 'Quốc tịch',
'Nautical Accident': 'Tai nạn trên biển',
'Nautical Hijacking': 'Cướp trên biển',
'Need to configure Twitter Authentication': 'Cần thiết lập cấu hình Xác thực Twitter',
'Need to select 2 Locations': 'Cần chọn 2 vị trí',
'Need to specify a location to search for.': 'Cần xác định cụ thể một địa điểm để tìm kiếm',
'Need to specify a role!': 'Yêu cầu xác định vai trò',
'Needs Maintenance': 'Cần bảo dưỡng',
'Never': 'Không bao giờ',
'New Annual Budget created': 'Ngân sách hàng năm mới đã được tạo',
'New Certificate': 'Chứng chỉ mới',
'New Checklist': 'Checklist mới',
'New Entry in Asset Log': 'Ghi chép mới trong nhật ký tài sản',
'New Entry': 'Hồ sơ mới',
'New Job Title': 'Chức vụ công việc mới',
'New Organization': 'Tổ chức mới',
'Add Output': 'Kết quả đầu ra mới',
'New Post': 'Bài đăng mới',
'New Record': 'Hồ sơ mới',
'New Request': 'Yêu cầu mới',
'New Role': 'Vai trò mới',
'New Stock Adjustment': 'Điều chỉnh mới về kho hàng',
'New Support Request': 'Yêu cầu hỗ trợ mới',
'New Team': 'Đội/Nhóm mới',
'New Theme': 'Chủ đề mới',
'New Training Course': 'Khóa tập huấn mới',
'New Training Event': 'Khóa tập huấn mới',
'New User': 'Người sử dụng mới',
'New': 'Thêm mới',
'News': 'Tin tức',
'Next View': 'Hiển thị tiếp',
'Next run': 'Lần chạy tiếp theo',
'Next': 'Trang sau',
'No Activities Found': 'Không tìm thấy hoạt động nào',
'No Activity Types Found': 'Không tìm thấy loại hình hoạt động nào',
'No Addresses currently registered': 'Hiện tại chưa đăng ký Địa chỉ',
'No Affiliations defined': 'Không xác định được liên kết nào',
'No Aid Requests have been made yet': 'Chưa có yêu cầu cứu trợ nào được tạo',
'No Alternative Items currently registered': 'Hiện không có mặt hàng thay thế nào được đăng ký',
'No Assessment Answers': 'Không có câu trả lời cho đánh giá',
'No Assessment Questions': 'Không có câu hỏi đánh giá',
'No Assessment Templates': 'Không có mẫu đánh giá',
'No Assessments currently registered': 'Chưa đăng ký trị giá tính thuế',
'No Assets currently registered': 'Hiện không có tài sản nào được đăng ký',
'No Awards found': 'Không tìm thấy thônng tin về khen thưởng',
'No Base Layer': 'Không có lớp bản đồ cơ sở',
'No Beneficiaries Found': 'Không tìm thấy người hưởng lợi nào',
'No Beneficiary Types Found': 'Không tìm thấy nhóm người hưởng lợi nào',
'No Branch Organizations currently registered': 'Hiện không có tổ chức cơ sở nào được đăng ký',
'No Brands currently registered': 'Hiện không có nhãn hàng nào được đăng ký',
'No Catalog Items currently registered': 'Hiện không có mặt hàng nào trong danh mục được đăng ký',
'No Catalogs currently registered': 'Hiện không có danh mục nào được đăng ký',
'No Category<>Sub-Category<>Catalog Relation currently registered': 'Hiện tại chưa có Category<>Sub-Category<>Catalog Relation được đăng ký',
'No Clusters currently registered': 'Hiện không có nhóm nào được đăng ký',
'No Commitment Items currently registered': 'Hiện không có hàng hóa cam kết nào được đăng ký',
'No Commitments': 'Không có cam kết nào',
'No Communities Found': 'Không tìm thấy cộng đồng nào',
'No Completed Assessment Forms': 'Không có mẫu khảo sát đánh giá hoàn thiện nào',
'No Contacts Found': 'Không tìm thấy liên lạc nào',
'No Data currently defined for this Theme Layer': 'Hiện không xác định được dữ liệu nào cho lớp chủ đề này',
'No Data': 'Không có dữ liệu',
'No Disaster Assessments': 'Không có đánh giá thảm họa nào',
'No Distribution Items currently registered': 'Chưa đăng ký danh sách hàng hóa đóng góp',
'No Documents found': 'Không tìm thấy tài liệu nào',
'No Donors currently registered': 'Hiện không có nhà tài trợ nào được đăng ký',
'No Emails currently in InBox': 'Hiện không có thư điện tử nào trong hộp thư đến',
'No Entries Found': 'Không có hồ sơ nào được tìm thấy',
'No Facilities currently registered': 'Hiện không có trang thiết bị nào được đăng ký',
'No Facility Types currently registered': 'Không có bộ phận nào được đăng ký',
'No Feature Layers currently defined': 'Hiện không xác định được lớp đặc điểm nào',
'No File Chosen': 'Chưa chọn File',
'No Flood Reports currently registered': 'Chưa đăng ký báo cáo lũ lụt',
'No Frameworks found': 'Không tìm thấy khung chương trình nào',
'No Groups currently defined': 'Hiện tại không xác định được nhóm',
'No Groups currently registered': 'Hiện không có nhóm nào được đăng ký',
'No Hazards currently registered': 'Hiện không có hiểm họa nào được đăng ký',
'No Hospitals currently registered': 'Chưa có bệnh viện nào đăng ký',
'No Human Resources currently assigned to this incident': 'Hiện không có nhân sự nào được phân công cho công việc này',
'No Identities currently registered': 'Hiện không có nhận diện nào được đăng ký',
'No Image': 'Không có ảnh',
'No Images currently registered': 'Hiện không có hình ảnh nào được đăng ký',
'No Incident Reports currently registered': 'Hiện không có báo cáo sự việc nào được đăng ký',
'No Incidents currently registered': 'Chưa sự việc nào được đưa lên',
'No Inventories currently have suitable alternative items in stock': 'Hiện không có bảng kiểm kê nào có mặt hàng thay thế trong kho',
'No Inventories currently have this item in stock': 'Hiện không có bảng kiểm kê nào có mặt hàng này trong kho',
'No Item Categories currently registered': 'Hiện không có nhóm mặt hàng nào được đăng ký',
'No Item Packs currently registered': 'Hiện không có gói hàng nào được đăng ký',
'No Items currently registered': 'Hiện không có mặt hàng nào được đăng ký',
'No Items currently requested': 'Hiện tại không có hàng hóa nào được yêu cầu',
'No Kits': 'Không có thùng hành nào',
'No Layers currently configured in this Profile': 'Hiện không có lớp nào được tạo ra trong hồ sơ này',
'No Layers currently defined in this Symbology': 'Hiện không xác định được lớp nào trong biểu tượng này',
'No Layers currently defined': 'Hiện không xác định được lớp nào',
'No Location Hierarchies currently defined': 'Hiện không xác định được thứ tự địa điểm',
'No Locations Found': 'Không tìm thấy địa điểm nào',
'No Locations currently available': 'Hiện không có địa điểm',
'No Locations currently registered': 'Hiện tại chưa có vị trí nào được đăng ký',
'No Mailing List currently established': 'Hiện không có danh sách địa chỉ thư nào được thiết lập',
'No Map Profiles currently defined': 'Hiện không xác định được cài đặt cấu hình bản đồ nào',
'No Markers currently available': 'Hiện không có dấu mốc nào',
'No Match': 'Không phù hợp',
'No Matching Catalog Items': 'Không có mặt hàng nào trong danh mục phù hợp',
'No Matching Items': 'Không có mặt hàng phù hợp',
'No Matching Records': 'Không có hồ sơ phù hợp',
'No Members currently registered': 'Hiện không có hội viên nào được đăng ký',
'No Memberships currently defined': 'Chưa xác nhận đăng ký thành viên',
'No Messages currently in Outbox': 'Hiện không có thư nào trong hộp thư đi',
'No Metadata currently defined': 'Hiện tại không xác định được loại siêu dữ liệu',
'No Milestones Found': 'Không tìm thấy sự kiện quan trọng nào',
'No Office Types currently registered': 'Hiện không có loại hình văn phòng nào được đăng ký',
'No Offices currently registered': 'Hiện không có văn phòng nào được đăng ký',
'No Open Tasks for %(project)s': 'Không có công việc chưa được xác định nào cho %(project)s',
'No Orders registered': 'Không có đề nghị nào được đăng ký',
'No Organization Domains currently registered': 'Không có lĩnh vực hoạt động của tổ chức nào được đăng ký',
'No Organization Types currently registered': 'Hiện không có loại hình tổ chức nào được đăng ký',
'No Organizations currently registered': 'Hiện không có tổ chức nào được đăng ký',
'No Organizations for Project(s)': 'Không có tổ chức cho dự án',
'No Organizations found for this Framework': 'Không tìm thấy tổ chức trong chương trình khung này',
'No Packs for Item': 'Không có hàng đóng gói',
'No Partner Organizations currently registered': 'Hiện không có tổ chức đối tác nào được đăng ký',
'No People currently committed': 'Hiện không có người nào cam kết',
'No People currently registered in this shelter': 'Không có người đăng ký cư trú ở đơn vị này',
'No Persons currently registered': 'Hiện không có người nào đăng ký',
'No Persons currently reported missing': 'Hiện tại không thấy báo cáo về người mất tích',
'No Photos found': 'Không tìm thấy hình ảnh',
'No PoIs available.': 'Không có PoIs',
'No Presence Log Entries currently registered': 'Hiện chư có ghi chép nhật ký được đăng ký',
'No Professional Experience found': 'Không tìm thấy kinh nghiệm nghề nghiệp',
'No Profiles currently have Configurations for this Layer': 'Hiện không có hồ sơ nào có cài đặt cấu hình cho lớp này',
'No Projections currently defined': 'Hiện không xác định được trình diễn nào',
'No Projects currently registered': 'Hiện không có dự án nào được đăng ký',
'No Question Meta-Data': 'Không có siêu dữ liệu lớn câu hỏi',
'No Ratings for Skill Type': 'Không xếp loại cho loại kỹ năng',
'No Received Shipments': 'Không có chuyến hàng nào được nhận',
'No Records currently available': 'Hiện tại không có hồ sơ nào sẵn có',
'No Red Cross & Red Crescent National Societies currently registered': 'Hiện không có Hội Chữ thập đỏ và Trăng lưỡi liềm đỏ quốc gia nào được đăng ký',
'No Request Items currently registered': 'Hiện không có mặt hàng đề nghị nào được đăng ký',
'No Requests': 'Không có đề nghị',
'No Roles defined': 'Không có vai trò nào được xác định ',
'No Rooms currently registered': 'Hiện không có phòng nào được đăng ký',
'No Search saved': 'Không có tìm kiếm nào được lưu',
'No Sectors currently registered': 'Hiện không có lĩnh vực nào được đăng ký',
'No Sent Shipments': 'Không có chuyến hàng nào được gửi',
'No Settings currently defined': 'Hiện không có cài đặt nào được xác định',
'No Shelters currently registered': 'Hiện tại chưa đăng ký nơi cư trú',
'No Shipment Items': 'Không có hàng hóa vận chuyển nào',
'No Shipment Transit Logs currently registered': 'Không có số liệu lưu về vận chuyển được ghi nhận',
'No Skill Types currently set': 'Chưa cài đặt loại kỹ năng',
'No Skills currently requested': 'Hiện không có kỹ năng nào được đề nghị',
'No Staff currently registered': 'Hiện không có cán bộ nào được đăng ký',
'No Statuses currently registered': 'Hiện không có tình trạng nào được đăng ký',
'No Stock currently registered in this Warehouse': 'Hiện không có hàng hóa nào được đăng ký trong nhà kho này',
'No Stock currently registered': 'Hiện không có hàng hóa nào được đăng ký',
'No Storage Bin Type currently registered': 'Chưa đăng ký Loại Bin lưu trữ',
'No Suppliers currently registered': 'Hiện không có nhà cung cấp nào được đăng ký',
'No Support Requests currently registered': 'Hiện tại không có yêu cầu hỗ trợ nào được đăng ký',
'No Survey Questions currently registered': 'Hiện tại không có câu hỏi khảo sát nào được đăng ký',
'No Symbologies currently defined for this Layer': 'Hiện không xác định được biểu tượng nào cho lớp này',
'No Symbologies currently defined': 'Hiện không xác định được biểu tượng nào',
'No Tasks Assigned': 'Không có công việc nào được giao',
'No Teams currently registered': 'Hiện không có Đội/Nhóm nào được đăng ký',
'No Template Sections': 'Không có phần về biểu mẫu',
'No Themes currently registered': 'Hiện không có chủ đề nào được đăng ký',
'No Tickets currently registered': 'Hiện tại chưa đăng ký Ticket ',
'No Time Logged': 'Không có thời gian nào được ghi lại',
'No Twilio Settings currently defined': 'Hiện không có cài đặt Twilio nào được xác định',
'No Units currently registered': 'Chưa đăng ký tên đơn vị',
'No Users currently registered': 'Hiện không có người sử dụng nào được đăng ký',
'No Vehicles currently assigned to this incident': 'Hiện không có phương tiện vận chuyển nào được điều động cho sự việc này',
'No Volunteer Cluster Positions': 'Không có vị trí của nhóm tình nguyện viên',
'No Volunteer Cluster Types': 'Không có loại hình nhóm tình nguyện viên',
'No Volunteer Clusters': 'Không có nhóm tình nguyện viên',
'No Volunteers currently registered': 'Hiện không có tình nguyện viên nào được đăng ký',
'No Warehouses currently registered': 'Hiện không có nhà kho nào được đăng ký',
'No access at all': 'Không truy cập',
'No access to this record!': 'Không tiếp cận được bản lưu này!',
'No annual budgets found': 'Không tìm thấy bản ngân sách năm',
'No contact information available': 'Không có thông tin liên hệ',
'No contact method found': 'Không tìm thấy cách thức liên hệ',
'No contacts currently registered': 'Chưa đăng ký thông tin liên lạc',
'No data available in table': 'Không có dữ liệu trong bảng',
'No data available': 'Không có dữ liệu sẵn có',
'No data in this table - cannot create PDF!': 'Không có dữ liệu trong bảng - không thể tạo file PDF',
'No databases in this application': 'Không có cơ sở dữ liệu trong ứng dụng này',
'No demographic data currently available': 'Hiện không xác định được dữ liệu nhân khẩu',
'No demographic sources currently defined': 'Hiện không xác định được nguồn nhân khẩu',
'No demographics currently defined': 'Hiện không xác định được số liệu thống kê dân số',
'No education details currently registered': 'Hiện không có thông tin về học vấn được đăng ký',
'No entries currently available': 'Hiện chưa có hồ sơ nào',
'No entries found': 'Không có hồ sơ nào được tìm thấy',
'No entry available': 'Chưa có hồ sơ nào',
'No file chosen': 'Chưa chọn file',
'No forms to the corresponding resource have been downloaded yet.': 'Không tải được mẫu nào cho nguồn tài nguyên tương ứng',
'No further users can be assigned.': 'Không thể phân công thêm người sử dụng',
'No items currently in stock': 'Hiện không có mặt hàng nào trong kho',
'No items have been selected for shipping.': 'Không có mặt hàng nào được lựa chọn để vận chuyển',
'No jobs configured yet': 'Chưa thiết lập công việc',
'No jobs configured': 'Không thiết lập công việc',
'No linked records': 'Không có bản thu liên quan',
'No location information defined!': 'Không xác định được thông tin về địa điểm!',
'No match': 'Không phù hợp',
'No matching element found in the data source': 'Không tìm được yếu tố phù hợp từ nguồn dữ liệu',
'No matching records found': 'Không tìm thấy hồ sơ phù hợp',
'No matching result': 'Không có kết quả phù hợp',
'No membership types currently registered': 'Hiện không có loại hình hội viên nào được đăng ký',
'No messages in the system': 'Không có thư nào trong hệ thống',
'No offices registered for organisation': 'Không có văn phòng nào đăng ký tổ chức',
'No options available': 'Không có lựa chọn sẵn có',
'No outputs defined': 'Không tìm thấy đầu ra',
'No pending registrations found': 'Không tìm thấy đăng ký đang chờ',
'No pending registrations matching the query': 'Không tìm thấy đăng ký khớp với yêu cầu',
'No problem group defined yet': 'Chưa xác định được nhóm gặp nạn',
'No records in this resource': 'Không có hồ sơ nào trong tài nguyên mới',
'No records in this resource. Add one more records manually and then retry.': 'Không có hồ sơ nào trong tài nguyên này. Thêm một hoặc nhiều hồ sơ một cách thủ công và sau đó thử lại ',
'No records to delete': 'Không có bản thu để xóa',
'No records to review': 'Không có hồ sơ nào để rà soát',
'No report available.': 'Không có báo cáo',
'No reports available.': 'Không có báo cáo nào',
'No repositories configured': 'Không có chỗ chứa hàng nào được tạo ra',
'No requests found': 'Không tìm thấy yêu cầu',
'No resources configured yet': 'Chưa có nguồn lực nào được tạo ra',
'No role to delete': 'Không có chức năng nào để xóa',
'No roles currently assigned to this user.': 'Hiện tại không có chức năng nào được cấp cho người sử dụng này',
'No service profile available': 'Không có hồ sơ đăng ký dịch vụ nào',
'No staff or volunteers currently registered': 'Hiện không có cán bộ hay tình nguyện viên nào được đăng ký',
'No stock adjustments have been done': 'Không có bất kỳ điều chỉnh nào về hàng hóa',
'No synchronization': 'Chưa đồng bộ hóa',
'No tasks currently registered': 'Hiện không có công việc nào được đăng ký',
'No template found!': 'Không tìm thấy mẫu',
'No themes found': 'Không tìm thấy chủ đề nào',
'No translations exist in spreadsheet': 'Không có phần dịch trong bảng tính',
'No users with this role at the moment.': 'Hiện tại không có người sử dụng nào có chức năng này',
'No valid data in the file': 'Không có dữ liệu có giá trị trong tệp tin',
'No volunteer information registered': 'Chưa đăng ký thông tin tình nguyện viên',
'No vulnerability aggregated indicators currently defined': 'Hiện không xác định được chỉ số tổng hợp về tình trạng dễ bị tổn thương',
'No vulnerability data currently defined': 'Hiện không xác định được dữ liệu về tình trạng dễ bị tổn thương',
'No vulnerability indicator Sources currently defined': 'Hiện không xác định được nguồn chỉ số về tình trạng dễ bị tổn thương',
'No vulnerability indicators currently defined': 'Hiện không xác định được chỉ số về tình trạng dễ bị tổn thương',
'No': 'Không',
'Non-Communicable Diseases': 'Bệnh không lây nhiễm',
'None (no such record)': 'Không cái nào (không có bản lưu như thế)',
'None': 'Không có',
'Nonexistent or invalid resource': 'Không tồn tại hoặc nguồn lực không hợp lệ',
'Noodles': 'Mì',
'Normal Job': 'Công việc hiện nay',
'Normal': 'Bình thường',
'Not Authorized': 'Không được phép',
'Not Set': 'Chưa thiết đặt',
'Not implemented': 'Không được thực hiện',
'Not installed or incorrectly configured.': 'Không được cài đặt hoặc cài đặt cấu hình không chính xác',
'Not yet a Member of any Group': 'Hiện không có nhóm hội viên nào được đăng ký',
'Not you?': 'Không phải bạn chứ?',
'Note that when using geowebcache, this can be set in the GWC config.': 'Lưu ý khi sử dụng geowebcache, phần này có thể được cài đặt trong cấu hình GWC.',
'Note: Make sure that all the text cells are quoted in the csv file before uploading': 'Lưu ý: Đảm bảo tất cả các ô chữ được trích dẫn trong tệp tin csv trước khi tải lên',
'Notice to Airmen': 'Lưu ý cho phi công',
'Notification frequency': 'Tần suất thông báo',
'Notification method': 'Phương pháp thông báo',
'Notify': 'Thông báo',
'Number of Completed Assessment Forms': 'Số phiếu đánh giá đã được hoàn chỉnh',
'Number of People Affected': 'Số người bị ảnh hưởng',
'Number of People Dead': 'Số người chết',
'Number of People Injured': 'Số người bị thương',
'Number of People Required': 'Số người cần',
'Number of Rows': 'Số hàng',
'Number of alternative places for studying': 'Số địa điểm có thể dùng làm trường học tạm thời',
'Number of newly admitted patients during the past 24 hours.': 'Số lượng bệnh nhân tiếp nhận trong 24h qua',
'Number of private schools': 'Số lượng trường tư',
'Number of religious schools': 'Số lượng trường công giáo',
'Number of vacant/available beds in this hospital. Automatically updated from daily reports.': 'Số các giường bệnh trống trong bệnh viện. Tự động cập nhật từ các báo cáo hàng ngày.',
'Number or Label on the identification tag this person is wearing (if any).': 'Số hoặc nhãn trên thẻ nhận diện mà người này đang đeo (nếu có)',
'Number': 'Số',
'Number/Percentage of affected population that is Female & Aged 0-5': 'Đối tượng nữ trong độ tuổi 0-5 tuổi chịu ảnh hưởng của thiên tai ',
'Number/Percentage of affected population that is Female & Aged 6-12': 'Đối tượng nữ trong độ tuổi 6-12 chịu ảnh hưởng của thiên tai',
'Number/Percentage of affected population that is Male & Aged 0-5': 'Đối tượng nam trong độ tuổi 0-5 chịu ảnh hưởng từ thiên tai',
'Number/Percentage of affected population that is Male & Aged 18-25': 'Đối tượng nam giới trong độ tuổi 18-25 chịu ảnh hưởng của thiên tai',
'Number/Percentage of affected population that is Male & Aged 26-60': 'Đối tượng là Nam giới và trong độ tuổi từ 26-60 chịu ảnh hưởng lớn từ thiên tai',
'Numbers Only': 'Chỉ dùng số',
'Numeric': 'Bằng số',
'Nutrition': 'Dinh dưỡng',
'OCR Form Review': 'Mẫu OCR tổng hợp',
'OCR module is disabled. Ask the Server Administrator to enable it.': 'Module OCR không được phép. Yêu cầu Quản trị mạng cho phép',
'OCR review data has been stored into the database successfully.': 'Dự liệu OCR tổng hợp đã được lưu thành công vào kho dữ liệu',
'OK': 'Đồng ý',
'OSM file generation failed!': 'Chiết xuất tệp tin OSM đã bị lỗi!',
'OSM file generation failed: %s': 'Chiết xuất tệp tin OSM đã bị lỗi: %s',
'OTHER DATA': 'DỮ LIỆU KHÁC',
'OTHER REPORTS': 'BÁO CÁO KHÁC',
'OVERALL RESILIENCE': 'SỰ BỀN VỮNG TỔNG THỂ',
'Object': 'Đối tượng',
'Objectives': 'Mục tiêu',
'Observer': 'Người quan sát',
'Obsolete': 'Đã thôi hoạt động',
'Obstetrics/Gynecology': 'Sản khoa/Phụ khoa',
'Office Address': 'Địa chỉ văn phòng',
'Office Details': 'Thông tin về văn phòng',
'Office Phone': 'Điện thoại văn phòng',
'Office Type Details': 'Thông tin về loại hình văn phòng',
'Office Type added': 'Loại hình văn phòng được thêm vào',
'Office Type deleted': 'Loại hình văn phòng đã xóa',
'Office Type updated': 'Loại hình văn phòng được cập nhật',
'Office Type': 'Loại hình văn phòng',
'Office Types': 'Loại văn phòng',
'Office added': 'Văn phòng được thêm vào',
'Office deleted': 'Văn phòng đã xóa',
'Office updated': 'Văn phòng được cập nhật',
'Office': 'Văn phòng',
'Office/Center': 'Văn phòng/Trung tâm',
'Office/Warehouse/Facility': 'Trụ sở làm việc',
'Officer': 'Chuyên viên',
'Offices': 'Văn phòng',
'Old': 'Người già',
'On Hold': 'Tạm dừng',
'On Order': 'Theo đề nghị',
'On by default?': 'Theo mặc định?',
'One item is attached to this shipment': 'Một mặt hàng được bổ sung thêm vào kiện hàng này',
'One-time costs': 'Chí phí một lần',
'Ongoing': 'Đang thực hiện',
'Only showing accessible records!': 'Chỉ hiển thị hồ sơ có thể truy cập',
'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': 'Chỉ sử dụng nút này để nhận lại vào kho một số mặt hàng được trả lại do người nhận không trực tiếp lưu thông tin về kiện hàng này trên hệ thống',
'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': 'Chỉ sử dụng nút này để xác nhận kiện hàng đã được nhận tại một địa điểm không trực tiếp lưu thông tin về kiện hàng trên hệ thống',
'Oops! Something went wrong...': 'Xin lỗi! Có lỗi gì đó…',
'Oops! something went wrong on our side.': 'Xin lỗi! Có trục trặc gì đó từ phía chúng tôi.',
'Opacity': 'Độ mờ',
'Open Incidents': 'Mở sự kiện',
'Open Map': 'Mở bản đồ',
'Open Tasks for %(project)s': 'Các công việc chưa xác định cho %(project)s',
'Open Tasks for Project': 'Mở nhiệm vụ cho một dự án',
'Open recent': 'Mở gần đây',
'Open': 'Mở',
'OpenStreetMap Layer': 'Mở lớp bản đồ đường đi',
'OpenStreetMap OAuth Consumer Key': 'Mã khóa người sử dụng OpenStreetMap OAuth',
'OpenStreetMap OAuth Consumer Secret': 'Bí mật người sử dụng OpenStreetMap OAuth',
'OpenWeatherMap Layer': 'Lớp OpenWeatherMap (bản đồ thời tiết mở)',
'Operating Rooms': 'Phòng điều hành',
'Operation not permitted': 'Hoạt động không được phép',
'Option Other': 'Lựa chọn khác',
'Option': 'Lựa chọn',
'Optional Subject to put into Email - can be used as a Security Password by the service provider': 'Chủ đề tùy chọn để đưa vào Thư điện tử - có thể được sử dụng như một Mật khẩu bảo mật do nhà cung cấp dịch vụ cung cấp',
'Optional password for HTTP Basic Authentication.': 'Mật khẩu tùy chọn cho Sự xác thực cơ bản HTTP.',
'Optional selection of a MapServer map.': 'Tùy chọn một bản đồ trong Máy chủ bản đồ.',
'Optional selection of a background color.': 'Tùy chọn màu sắc cho nền.',
'Optional selection of an alternate style.': 'Tùy chọn một kiểu dáng thay thế.',
'Optional username for HTTP Basic Authentication.': 'Tên truy nhập tùy chọn cho Sự xác thực cơ bản HTTP.',
'Optional. If you wish to style the features based on values of an attribute, select the attribute to use here.': 'Tùy chọn. Nếu bạn muốn tự tạo ra chức năng dựa trên các giá trị của một thuộc tính, hãy lựa chọn thuộc tính để sử dụng tại đây.',
'Optional. In GeoServer, this is the Workspace Namespace URI (not the name!). Within the WFS getCapabilities, this is the FeatureType Name part before the colon(:).': 'Tùy chọn. Trong máy chủ về địa lý, đây là Vùng tên Vùng làm việc URI (không phải là một tên gọi!). Trong lớp WFS theo khả năng là đường dẫn, đây là phần Tên loại chức năng trước dấu hai chấm (:).',
'Optional. The name of an element whose contents should be a URL of an Image file put into Popups.': 'Tùy chọn. Tên của một bộ phận có chứa nội dung là một URL của một tệp tin hình ảnh được đưa vào các cửa sổ tự động hiển thị.',
'Optional. The name of an element whose contents should be put into Popups.': 'Tùy chọn. Tên của một bộ phận có chứa nội dung được đưa vào các cửa sổ tự động hiển thị.',
'Optional. The name of the schema. In Geoserver this has the form http://host_name/geoserver/wfs/DescribeFeatureType?version=1.1.0&;typename=workspace_name:layer_name.': 'Tùy chọn. Tên của sơ đồ. Trong Geoserver tên này có dạng http://tên máy chủ/geoserver/wfs/Mô tả Loại Đặc điểm ?phiên bản=1.1.0&;nhập tên=vùng làm việc_tên:lớp_tên.',
'Options': 'Các lựa chọn',
'Or add a new language code': 'Hoặc chọn một ngôn ngữ khác',
'Order Created': 'Đơn hàng đã tạo',
'Order Details': 'Thông tin đơn hàng',
'Order Due %(date)s': 'Thời hạn của đơn hàng %(date)s',
'Order Item': 'Các mặt hàng trong đơn hàng',
'Order canceled': 'Đơn hàng đã bị hủy',
'Order updated': 'Đơn hàng được cập nhật',
'Order': 'Đơn hàng',
'Orders': 'Các đơn hàng',
'Organization Details': 'Thông tin về tổ chức',
'Organization Domain Details': 'Thông tin về lĩnh vực hoạt động của tổ chức',
'Organization Domain added': 'Lĩnh vực hoạt động của tổ chức đã được thêm',
'Organization Domain deleted': 'Lĩnh vực hoạt động của tổ chức đã được xóa',
'Organization Domain updated': 'Lĩnh vực hoạt động của tổ chức đã được cập nhật',
'Organization Domains': 'Loại hình hoạt động của tổ chức',
'Organization Registry': 'Đăng ký tổ chức',
'Organization Type Details': 'Thông tin về loại hình tổ chức',
'Organization Type added': 'Loại hình tổ chức được thêm vào',
'Organization Type deleted': 'Loại hình tổ chức đã xóa',
'Organization Type updated': 'Loại hình tổ chức được cập nhật',
'Organization Type': 'Loại hình tổ chức',
'Organization Types': 'Loại hình tổ chức',
'Organization Units': 'Đơn vị của tổ chức',
'Organization added to Framework': 'Tổ chức được thêm vào Chương trình khung',
'Organization added to Project': 'Tổ chức được thêm vào Dự án',
'Organization added': 'Tổ chức được thêm vào',
'Organization deleted': 'Tổ chức đã xóa',
'Organization removed from Framework': 'Tổ chức đã rút ra khỏi Chương trình khung',
'Organization removed from Project': 'Tổ chức đã rút ra khỏi Dự án',
'Organization updated': 'Tổ chức được cập nhật',
'Organization': 'Tổ chức',
'Organization/Supplier': 'Tổ chức/ Nhà cung cấp',
'Organizational Development': 'Phát triển tổ chức',
'Organizations / Teams / Facilities': 'Tổ chức/ Đội/ Cơ sở hạ tầng',
'Organizations': 'Tổ chức',
'Organized By': 'Đơn vị tổ chức',
'Origin': 'Nguồn gốc',
'Original Quantity': 'Số lượng ban đầu',
'Original Value per Pack': 'Giá trị ban đầu cho mỗi gói hàng',
'Other Address': 'Địa chỉ khác',
'Other Details': 'Thông tin khác',
'Other Education': 'Trình độ học vấn khác',
'Other Employment': 'Quá trình công tác ngoài Chữ thập đỏ',
'Other Evidence': 'Bằng chứng khác',
'Other Faucet/Piped Water': 'Các đường xả lũ khác',
'Other Inventories': 'Kho hàng khác',
'Other Isolation': 'Những vùng bị cô lập khác',
'Other Users': 'Người sử dụng khác',
'Other activities of boys 13-17yrs': 'Các hoạt động khác của nam thanh niên từ 13-17 tuổi',
'Other activities of boys <12yrs before disaster': 'Các hoạt động khác của bé trai dưới 12 tuổi trước khi xảy ra thiên tai',
'Other alternative places for study': 'Những nơi có thể dùng làm trường học tạm thời',
'Other assistance needed': 'Các hỗ trợ cần thiết',
'Other assistance, Rank': 'Những sự hỗ trợ khác,thứ hạng',
'Other data': 'Dữ liệu khác',
'Other factors affecting school attendance': 'Những yếu tố khác ảnh hưởng đến việc đến trường',
'Other reports': 'Báo cáo khác',
'Other settings can only be set by editing a file on the server': 'Cài đặt khác chỉ có thể được cài đặt bằng cách sửa đổi một tệp tin trên máy chủ',
'Other side dishes in stock': 'Món trộn khác trong kho',
'Other': 'Khác',
'Others': 'Khác',
'Outbound Mail settings are configured in models/000_config.py.': 'Cài đặt thư gửi ra nước ngoài được cấu hình thành các kiểu/000_config.py.',
'Outbox': 'Hộp thư đi',
'Outcomes, Impact, Challenges': 'Kết quả, Tác động, Thách thức',
'Outgoing SMS handler': 'Bộ quản lý tin nhắn SMS gửi đi',
'Output added': 'Đầu ra được thêm vào',
'Output deleted': 'Đầu ra đã xóa',
'Output updated': 'Đầu ra được cập nhật',
'Output': 'Đầu ra',
'Outputs': 'Các đầu ra',
'Over 60': 'Trên 60',
'Overall Resilience': 'Sự bền vững tổng thể',
'Overland Flow Flood': 'Dòng nước lũ lụt trên đất đất liền',
'Overlays': 'Lớp dữ liệu phủ',
'Owned By (Organization/Branch)': 'Sở hữu bởi (Tổ chức/ Chi nhánh)',
'Owned Records': 'Hồ sơ được sở hữu',
'Owned Resources': 'Nguồn lực thuộc sở hữu',
'Owner Driven Housing Reconstruction': 'Xây lại nhà theo nhu cầu của chủ nhà',
'Owning Organization': 'Tổ chức nắm quyền sở hữu',
'PASSA': 'Phương pháp tiếp cận có sự tham gia về nhận thức an toàn nhà ở',
'PIL (Python Image Library) not installed': 'PIL (thư viện ảnh Python) chưa cài đặt',
'PIL (Python Image Library) not installed, images cannot be embedded in the PDF report': 'PIL (thư viện ảnh Python) chưa được cài đặt, hình ảnh không thể gắn vào báo cáo dạng PDF',
'PIN number from Twitter (leave empty to detach account)': 'Số PIN từ Twitter (để trống để tách tài khoản)',
'PMER Development': 'Phát triển năng lực Báo cáo, đánh giá, giám sát và lập kế hoạch (PMER)',
'POOR': 'NGHÈO',
'POPULATION DENSITY': 'MẬT ĐỘ DÂN SỐ',
'POPULATION:': 'DÂN SỐ:',
'Pack': 'Gói',
'Packs': 'Các gói',
'Page': 'Trang',
'Paid': 'Đã nộp',
'Pan Map: keep the left mouse button pressed and drag the map': 'Dính bản đồ: giữ chuột trái và di chuột để di chuyển bản đồ',
'Parameters': 'Tham số',
'Parent Item': 'Mặt hàng cùng gốc',
'Parent Project': 'Dự án cùng gốc',
'Parent needs to be of the correct level': 'Phần tử cấp trên cần ở mức chính xác',
'Parent needs to be set for locations of level': 'Phần tử cấp trên cần được cài đặt cho các điểm mức độ',
'Parent needs to be set': 'Phần tử cấp trên cần được cài đặt',
'Parent': 'Phần tử cấp trên',
'Parser Setting deleted': 'Cài đặt của bộ phân tích đã xóa',
'Parser Settings': 'Các cài đặt của bộ phân tích',
'Parsing Settings': 'Cài đặt cú pháp',
'Parsing Status': 'Tình trạng phân tích',
'Parsing Workflow': 'Quá trình phân tích',
'Part of the URL to call to access the Features': 'Phần URL để gọi để truy cập tới chức năng',
'Part-time': 'Kiêm nhiệm',
'Partial': 'Một phần',
'Participant Details': 'Thông tin về người tham dự',
'Participant added': 'Người tham dự được thêm vào',
'Participant deleted': 'Người tham dự đã xóa',
'Participant updated': 'Người tham dự được cập nhật',
'Participant': 'Người tham dự',
'Participants': 'Những người tham dự',
'Participating Organizations': 'Các tổ chức tham gia',
'Partner National Society': 'Hội Quốc gia thành viên',
'Partner Organization Details': 'Thông tin về tổ chức đối tác',
'Partner Organization added': 'Tổ chức đối tác được thêm vào',
'Partner Organization deleted': 'Tổ chức đối tác đã xóa',
'Partner Organization updated': 'Tổ chức đối tác đã được cập nhật',
'Partner Organizations': 'Tổ chức đối tác',
'Partner': 'Đối tác',
'Partners': 'Đối tác',
'Partnerships': 'Hợp tác',
'Pass': 'Qua',
'Passport': 'Hộ chiếu',
'Password to use for authentication at the remote site.': 'Mật khẩu để sử dụng để xác định tại một địa điểm ở xa',
'Password': 'Mật khẩu',
'Pathology': 'Bệnh lý học',
'Patients': 'Bệnh nhân',
'Pediatric ICU': 'Chuyên khoa nhi',
'Pediatric Psychiatric': 'Khoa Tâm thần dành cho bệnh nhi',
'Pediatrics': 'Khoa Nhi',
'Peer Registration Request': 'yêu cầu đăng ký',
'Peer registration request added': 'Đã thêm yêu cầu đăng ký',
'Peer registration request updated': 'Cập nhật yêu cẩu đăng ký',
'Pending Requests': 'yêu cầu đang chờ',
'Pending': 'Đang xử lý',
'People Trapped': 'Người bị bắt',
'People': 'Người',
'Percentage': 'Phần trăm',
'Performance Rating': 'Đánh giá quá trình thực hiện',
'Permanent Home Address': 'Địa chỉ thường trú',
'Permanent': 'Biên chế',
'Person (Count)': 'Họ tên (Số lượng)',
'Person Details': 'Thông tin cá nhân',
'Person Registry': 'Cơ quan đăng ký nhân sự',
'Person added to Commitment': 'Người được thêm vào Cam kết',
'Person added to Group': 'Người được thêm vào Nhóm',
'Person added to Team': 'Người được thêm vào Đội',
'Person added': 'Người được thêm vào',
'Person deleted': 'Người đã xóa',
'Person details updated': 'Thông tin cá nhân được cập nhật',
'Person must be specified!': 'Người phải được chỉ định!',
'Person or OU': 'Người hay OU',
'Person removed from Commitment': 'Người đã xóa khỏi Cam kết',
'Person removed from Group': 'Người đã xóa khỏi Nhóm',
'Person removed from Team': 'Người đã xóa khỏi Đội',
'Person reporting': 'Báo cáo về người',
'Person who has actually seen the person/group.': 'Người đã thực sự nhìn thấy người/ nhóm',
'Person who observed the presence (if different from reporter).': 'Người quan sát tình hình (nếu khác với phóng viên)',
'Person': 'Họ tên',
'Personal Effects Details': 'Chi tiết ảnh hưởng cá nhân',
'Personal Profile': 'Hồ sơ cá nhân',
'Personal': 'Cá nhân',
'Personnel': 'Nhân viên',
'Persons with disability (mental)': 'Người tàn tật (về tinh thần)',
'Persons with disability (physical)': 'Người tàn tật (về thể chất)',
'Persons': 'Họ tên',
'Philippine Pesos': 'Đồng Pê sô Phi-lip-pin',
'Phone #': 'Số điện thoại',
'Phone 1': 'Điện thoại 1',
'Phone 2': 'Điện thoại 2',
'Phone number is required': 'Yêu cầu nhập số điện thoại',
'Phone': 'Điện thoại',
'Photo Details': 'Thông tin về ảnh',
'Photo added': 'Ảnh được thêm vào',
'Photo deleted': 'Ảnh đã xóa',
'Photo updated': 'Ảnh được cập nhật',
'Photograph': 'Ảnh',
'Photos': 'Những bức ảnh',
'Place of Birth': 'Nơi sinh',
'Place of registration for health-check and medical treatment': 'Nơi đăng ký khám chữa bệnh',
'Place of registration': 'Nơi đăng ký BHXH',
'Place on Map': 'Vị trí trên bản đồ',
'Place': 'Nơi',
'Planned %(date)s': 'Đã lập kế hoạch %(date)s',
'Planned Procurement Item': 'Mặt hàng mua sắm theo kế hoạch',
'Planned Procurement': 'Mua sắm theo kế hoạch',
'Planned Procurements': 'Những trường hợp mua sắm đã lập kế hoạch',
'Planned': 'Đã lập kế hoạch',
'Please do not remove this sheet': 'Xin vui lòng không xóa bảng này',
'Please enter a First Name': 'Vui lòng nhập họ',
'Please enter a Warehouse/Facility/Office OR an Organization': 'Xin vui lòng nhập một Nhà kho/ Bộ phận/ Văn phòng HOẶC một Tổ chức',
'Please enter a Warehouse/Facility/Office': 'Xin vui lòng nhập một Nhà kho/ Bộ phận/ Văn phòng',
'Please enter a first name': 'Xin vui lòng nhập một tên',
'Please enter a last name': 'Xin vui lòng nhập một họ',
'Please enter a number only': 'Vui lòng chỉ nhập một số',
'Please enter a valid email address': 'Vui lòng nhập địa chỉ email hợp lệ',
'Please enter a valid email address.': 'Vui lòng nhập địa chỉ email hợp lệ',
'Please enter an Organization/Supplier': 'Xin vui lòng nhập một Tổ chức/ Nhà cung cấp',
'Please enter the first few letters of the Person/Group for the autocomplete.': 'Xin vui lòng nhập những chữ cái đầu tiên của Tên/ Nhóm để tự động dò tìm.',
'Please enter the recipient(s)': 'Xin vui lòng nhập người nhận',
'Please fill this!': 'Xin vui lòng nhập thông tin vào đây!',
'Please provide the URL of the page you are referring to, a description of what you expected to happen & what actually happened.': 'Vui lòng cung cấp đường dẫn trang bạn muốn tham chiếu tới, miêu tả bạn thực sự muốn gì và cái gì đã thực sự xảy ra.',
'Please record Beneficiary according to the reporting needs of your project': 'Xin vui lòng lưu thông tin Người hưởng lợi theo những nhu cầu về báo cáo của dự án của bạn',
'Please review demographic data for': 'Xin vui lòng rà soát lại số liệu dân số để',
'Please review indicator ratings for': 'Xin vui lòng rà soát lại những đánh giá về chỉ số để',
'Please select another level': 'Xin vui lòng lựa chọn một cấp độ khác',
'Please select': 'Xin vui lòng lựa chọn',
'Please use this field to record any additional information, including a history of the record if it is updated.': 'Vui lòng sử dụng ô này để điền thêm các thông tin bổ sung, bao gồm cả lịch sử của hồ sơ nếu được cập nhật.',
'Please use this field to record any additional information, such as Ushahidi instance IDs. Include a history of the record if it is updated.': 'Xin vui lòng sử dụng ô này để điền thông tin bổ sung, như là tên truy nhập phiên bản Ushahidi. Bao gồm một lịch sử của hồ sơ nếu được cập nhật.',
'PoIs successfully imported.': 'PoIs đã được nhập thành công.',
'Poisoning': 'Sự nhiễm độc',
'Poisonous Gas': 'Khí độc',
'Policy Development': 'Xây dựng chính sách',
'Political Theory Education': 'Trình độ Lý luận chính trị',
'Pollution and other environmental': 'Ô nhiễm và các vấn đề môi trường khác',
'Polygon': 'Đa giác',
'Poor': 'Nghèo',
'Population Report': 'Báo cáo dân số',
'Population': 'Dân số',
'Popup Fields': 'Các trường cửa sổ tự động hiển thị',
'Popup Label': 'Nhãn cửa sổ tự động hiển thị',
'Porridge': 'Cháo yến mạch',
'Port Closure': 'Cổng đóng',
'Port': 'Cổng',
'Portable App': 'Ứng dụng di động',
'Portal at': 'Cổng thông tin',
'Position': 'Vị trí',
'Positions': 'Những vị trí',
'Post Graduate': 'Trên đại học',
'Postcode': 'Mã bưu điện',
'Posts': 'Thư tín',
'Poultry restocking, Rank': 'Thu mua gia cầm, thứ hạng',
'Power Failure': 'Lỗi nguồn điện',
'Powered by ': 'Cung cấp bởi',
'Powered by Sahana': 'Cung cấp bởi Sahana',
'Powered by': 'Cung cấp bởi',
'Preferred Name': 'Tên thường gọi',
'Presence Condition': 'Điều kiện xuất hiện',
'Presence Log': 'Lịch trình xuất hiện',
'Presence': 'Sự hiện diện',
'Previous View': 'Hiển thị trước',
'Previous': 'Trang trước',
'Primary': 'Sơ cấp',
'Principal Officer': 'Chuyên viên chính',
'Print / Share': 'In ra / Chia sẻ',
'Print Extent': 'Kích thước in',
'Print Map': 'In bản đồ',
'Printed from Sahana Eden': 'Được in từ Sahana Eden',
'Printing disabled since server not accessible': 'Chức năng in không thực hiện được do không thể kết nối với máy chủ',
'Priority from 1 to 9. 1 is most preferred.': 'Thứ tự ưu tiên từ 1 đến 9. 1 được ưu tiên nhất.',
'Priority': 'Ưu tiên',
'Privacy': 'Riêng tư',
'Private-Public Partnerships': 'Hợp tác tư nhân và nhà nước',
'Problem Administration': 'Quản lý vấn đề',
'Problem connecting to twitter.com - please refresh': 'Vấn đề khi kết nối với twitter.com - vui lòng làm lại',
'Problem updated': 'Đã cập nhật vấn đề',
'Problem': 'Vấn đề',
'Problems': 'Vấn đề',
'Procedure': 'Thủ tục',
'Process Received Shipment': 'Thủ tục nhận lô hàng',
'Process Shipment to Send': 'Thủ tục gửi lô hàng',
'Processing': 'Đang xử lý',
'Procured': 'Được mua',
'Procurement Plans': 'Kế hoạch mua sắm',
'Profession': 'Nghề nghiệp',
'Professional Experience Details': 'Thông tin về kinh nghiệm nghề nghiệp',
'Professional Experience added': 'Kinh nghiệm nghề nghiệp đã được thêm vào',
'Professional Experience deleted': 'Kinh nghiệm nghề nghiệp đã xóa',
'Professional Experience updated': 'Kinh nghiệp nghề nghiệp được cập nhật',
'Professional Experience': 'Kinh nghiệm nghề nghiệp',
'Profile Configuration removed': 'Cấu hình hồ sơ đã xóa',
'Profile Configuration updated': 'Cấu hình hồ sơ được cập nhật',
'Profile Configuration': 'Cấu hình hồ sơ',
'Profile Configurations': 'Các cấu hình hồ sơ',
'Profile Configured': 'Hồ sơ đã được cài đặt cấu hình',
'Profile Details': 'Thông tin về hồ sơ',
'Profile Picture': 'Ảnh hồ sơ',
'Profile Picture?': 'Ảnh đại diện?',
'Profile': 'Hồ sơ',
'Profiles': 'Các hồ sơ',
'Program (Count)': 'Chương trình (Số lượng)',
'Program Details': 'Thông tin về chương trình',
'Program Hours (Month)': 'Thời gian tham gia chương trình (Tháng)',
'Program Hours (Year)': 'Thời gian tham gia chương trình (Năm)',
'Program Hours': 'Thời gian tham gia chương trình',
'Program added': 'Chương trình đã được thêm vào',
'Program deleted': 'Chương trình đã xóa',
'Program updated': 'Chương trình được cập nhật',
'Program': 'Chương trình tham gia',
'Programme Planning and Management': 'Quản lý và lập kế hoạch Chương trình',
'Programme Preparation and Action Plan, Budget & Schedule': 'Xây dựng Chương trình và Kế hoạch hành động, lập ngân sách và lịch hoạt động',
'Programs': 'Chương trình',
'Project Activities': 'Các hoạt động của dự án',
'Project Activity': 'Hoạt động của dự án',
'Project Assessments and Planning': 'Lập kế hoạch và đánh giá dự án',
'Project Beneficiary Type': 'Nhóm người hưởng lợi của dự án',
'Project Beneficiary': 'Người hưởng lợi của dự án',
'Project Calendar': 'Lịch dự án',
'Project Details': 'Thông tin về dự án',
'Project Name': 'Tên dự án',
'Project Organization Details': 'Thông tin về tổ chức của dự án',
'Project Organization updated': 'Tổ chức dự án được cập nhật',
'Project Organizations': 'Các tổ chức dự án',
'Project Time Report': 'Báo cáo thời gian dự án',
'Project Title': 'Tên dự án',
'Project added': 'Dự án được thêm vào',
'Project deleted': 'Dự án đã xóa',
'Project not Found': 'Không tìm thấy dự án',
'Project updated': 'Dự án được cập nhật',
'Project': 'Dự án',
'Projection Details': 'Thông tin dự đoán',
'Projection Type': 'Loại dự báo',
'Projection added': 'Dự đoán được thêm vào',
'Projection deleted': 'Dự đoán đã xóa',
'Projection updated': 'Dự đoán được cập nhật',
'Projection': 'Dự đoán',
'Projections': 'Nhiều dự đoán',
'Projects Map': 'Bản đồ dự án',
'Projects': 'Dự án',
'Proposed': 'Được đề xuất',
'Protecting Livelihoods': 'Bảo vệ Sinh kế',
'Protocol': 'Giao thức',
'Provide Metadata for your media files': 'Cung cấp lý lịch dữ liệu cho các tệp tin đa phương tiện',
'Provide a password': 'Cung cấp mật khẩu',
'Provider': 'Nơi đăng ký BHYT',
'Province': 'Tỉnh/thành',
'Provision of Tools and Equipment': 'Cung cấp công cụ và trang thiết bị',
'Proxy Server URL': 'Máy chủ ủy nhiệm URL',
'Psychiatrics/Pediatric': 'Khoa thần kinh/Khoa nhi',
'Psychosocial Support': 'Hỗ trợ tâm lý',
'Public Administration Education': 'Trình độ Quản lý nhà nước',
'Public Event': 'Sự kiện dành cho công chúng',
'Public and private transportation': 'Phương tiện vận chuyển công cộng và cá nhân',
'Public': 'Công khai',
'Purchase Data': 'Dữ liệu mua hàng',
'Purchase Date': 'Ngày mua hàng',
'Purchase': 'Mua hàng',
'Purpose': 'Mục đích',
'Pyroclastic Flow': 'Dòng dung nham',
'Pyroclastic Surge': 'Núi lửa phun trào',
'Python Serial module not available within the running Python - this needs installing to activate the Modem': 'Modun số liệu Python không sẵn có trong Python đang chạy - cần cài đặt để kích hoạt modem',
'Python needs the ReportLab module installed for PDF export': 'Chưa cài đặt kho báo cáo',
'Python needs the xlrd module installed for XLS export': 'Chạy Python cần xlrd module được cài đặt để chiết xuất định dạng XLS',
'Python needs the xlwt module installed for XLS export': 'Chạy Python cần xlwt module được cài đặt để chiết xuất định dạng XLS',
'Quantity Committed': 'Số lượng cam kết',
'Quantity Fulfilled': 'Số lượng đã được cung cấp',
'Quantity Received': 'Số lượng đã nhận được',
'Quantity Returned': 'Số lượng được trả lại',
'Quantity Sent': 'Số lượng đã gửi',
'Quantity in Transit': 'Số lượng đang được vận chuyển',
'Quantity': 'Số lượng',
'Quarantine': 'Cách ly để kiểm dịch',
'Queries': 'Thắc mắc',
'Query Feature': 'Đặc tính thắc mắc',
'Query': 'Yêu cầu',
'Queryable?': 'Có thể yêu cầu?',
'Question Details': 'Thông tin về câu hỏi',
'Question Meta-Data Details': 'Chi tiết lý lịch dữ liệu về câu hỏi',
'Question Meta-Data added': 'Lý lịch dữ liệu về câu hỏi được thêm vào',
'Question Meta-Data deleted': 'Lý lịch dữ liệu về câu hỏi đã xóa',
'Question Meta-Data updated': 'Lý lịch dữ liệu về câu hỏi được cập nhật',
'Question Meta-Data': 'Lý lịch dữ liệu về câu hỏi',
'Question Summary': 'Tóm tắt câu hỏi',
'Question': 'Câu hỏi',
'RC historical employment record': 'Quá trình công tác tại Hội',
'READ': 'ĐỌC',
'REPORTS': 'BÁO CÁO',
'RESET': 'THIẾT LẬP LẠI',
'RESILIENCE': 'AN TOÀN',
'REST Filter': 'Bộ lọc REST',
'RFA Priorities': 'Những ưu tiên RFA',
'RFA1: Governance-Organisational, Institutional, Policy and Decision Making Framework': 'RFA1: Quản trị - Về tổ chức, Về thể chế, Chính sách và Khung ra quyết định',
'RFA2: Knowledge, Information, Public Awareness and Education': 'RFA2: Kiến thức, Thông tin, Nhận thức của công chúng và Đào tạo',
'RFA3: Analysis and Evaluation of Hazards, Vulnerabilities and Elements at Risk': 'RFA3: Phân tích và Đánh giá Hiểm họa, Tình trạng dễ bị tổn thương và Những yếu tố dễ gặp rủi ro',
'RFA4: Planning for Effective Preparedness, Response and Recovery': 'RFA4: Lập kế hoạch cho Chuẩn bị, Ứng phó và Phục hồi hiệu quả',
'RFA5: Effective, Integrated and People-Focused Early Warning Systems': 'RFA5: Hệ thống cảnh báo sớm hiệu quả, tích hợp và chú trọng vào con người',
'RFA6: Reduction of Underlying Risk Factors': 'RFA6: Giảm thiểu những nhân tố rủi ro cơ bản',
'Race': 'Chủng tộc',
'Radio Callsign': 'Tín hiệu điện đàm',
'Radiological Hazard': 'Hiểm họa phóng xạ',
'Railway Accident': 'Tai nạn đường sắt',
'Railway Hijacking': 'Cướp tàu hỏa',
'Rain Fall': 'Mưa lớn',
'Rapid Assessments': 'Đánh giá nhanh',
'Rapid Close Lead': 'Nhanh chóng đóng lại',
'Rapid Data Entry': 'Nhập dữ liệu nhanh',
'Raw Database access': 'Truy cập cơ sở dữ liệu gốc',
'Ready': 'Sẵn sàng',
'Reason': 'Lý do',
'Receive %(opt_in)s updates:': 'Nhận %(opt_in)s cập nhật',
'Receive New Shipment': 'Nhận lô hàng mới',
'Receive Shipment': 'Nhận lô hàng',
'Receive updates': 'Nhập cập nhật',
'Receive': 'Nhận',
'Receive/Incoming': 'Nhận/ Đến',
'Received By': 'Nhận bởi',
'Received Shipment Details': 'Thông tin về lô hàng nhận',
'Received Shipment canceled': 'Lô hàng nhận đã bị hoãn',
'Received Shipment updated': 'Lô hàng nhận đã được cập nhật',
'Received Shipments': 'Hàng nhận',
'Received date': 'Ngày nhận',
'Received': 'Đã được nhận',
'Received/Incoming Shipments': 'Lô hàng nhận/đến',
'Receiving Inventory': 'Nhận hàng tồn kho',
'Reception': 'Nhận',
'Recipient': 'Người nhận',
'Recipient(s)': 'Người nhận',
'Recipients': 'Những người nhận',
'Record Deleted': 'Hồ sơ bị xóa',
'Record Details': 'Chi tiết hồ sơ',
'Record added': 'Hồ sơ được thêm',
'Record already exists': 'Bản lưu đã tồn tại',
'Record approved': 'Hồ sơ được chấp thuân',
'Record could not be approved.': 'Hồ sơ không được chấp thuận',
'Record could not be deleted.': 'Hồ sơ không thể xóa',
'Record deleted': 'Hồ sơ bị xóa',
'Record not found!': 'Không tìm thấy bản lưu!',
'Record not found': 'Không tìm thấy hồ sơ',
'Record updated': 'Hồ sơ được cập nhật',
'Record': 'Hồ sơ',
'Records': 'Các hồ sơ',
'Recovery Request added': 'Đã thêm yêu cầu phục hồi',
'Recovery Request deleted': 'phục hồi các yêu cầu bị xóa',
'Recovery Request updated': 'Cập nhật Yêu cầu phục hồi',
'Recovery Request': 'Phục hồi yêu cầu',
'Recovery Requests': 'Phục hồi yêu cầu',
'Recovery': 'Phục hồi',
'Recurring costs': 'Chi phí định kỳ',
'Recurring': 'Định kỳ',
'Red Cross & Red Crescent National Societies': 'Các Hội Chữ thập đỏ & Trăng lưỡi liềm đỏ Quốc gia',
'Red Cross Employment History': 'Quá trình công tác trong Chữ thập đỏ',
'Refresh Rate (seconds)': 'Tỉ lệ làm mới (giây)',
'Region Location': 'Địa điểm vùng',
'Region': 'Vùng',
'Regional': 'Địa phương',
'Register As': 'Đăng ký là',
'Register Person into this Shelter': 'Đăng ký cá nhân vào nơi cư trú',
'Register Person': 'Đăng ký Cá nhân',
'Register for Account': 'Đăng ký tài khoản',
'Register': 'Đăng ký',
'Registered People': 'Những người đã đăng ký',
'Registered users can %(login)s to access the system': 'Người sử dụng đã đăng ký có thể %(đăng nhập)s để truy cập vào hệ thống',
'Registered users can': 'Người dùng đã đăng ký có thể',
'Registration Details': 'Chi tiết đăng ký',
'Registration added': 'Bản đăng ký đã được thêm',
'Registration not permitted': 'Việc đăng ký không được chấp thuận',
'Reject request submitted': 'Đề nghị từ chối đã được gửi đi',
'Reject': 'Từ chối',
'Relationship': 'Mối quan hệ',
'Relief Team': 'Đội cứu trợ',
'Religion': 'Tôn giáo',
'Reload': 'Tải lại',
'Remarks': 'Những nhận xét',
'Remember Me': 'Duy trì đăng nhập',
'Remote Error': 'Lỗi từ xa',
'Remove Feature: Select the feature you wish to remove & press the delete key': 'Chức năng gỡ bỏ: Lựa chọn chức năng bạn muốn gõ bỏ và ấn phím xóa',
'Remove Human Resource from this incident': 'Xóa nguồn Nhân lực khỏi sự việc này',
'Remove Layer from Profile': 'Xóa Lớp khỏi Hồ sơ',
'Remove Layer from Symbology': 'Xóa Lớp khỏi Biểu tượng',
'Remove Organization from Project': 'Xóa Tổ chức khỏi Dự án',
'Remove Person from Commitment': 'Xóa Người khỏi Cam kết',
'Remove Person from Group': 'Xóa Người khỏi Nhóm',
'Remove Person from Team': 'Xóa Người khỏi Đội',
'Remove Profile Configuration for Layer': 'Xóa Cấu hình hồ sơ cho Lớp',
'Remove Skill from Request': 'Xóa Kỹ năng khỏi Đề nghị',
'Remove Skill': 'Xóa Kỹ năng',
'Remove Stock from Warehouse': 'Xóa Hàng hóa khỏi Nhà kho',
'Remove Symbology from Layer': 'Xóa Biểu tượng khỏi Lớp',
'Remove Vehicle from this incident': 'Xóa Phương tiện khỏi sự việc này',
'Remove all log entries': 'Xóa toàn bộ ghi chép nhật ký',
'Remove all': 'Gỡ bỏ toàn bộ',
'Remove existing data before import': 'Xóa dữ liệu đang tồn tại trước khi nhập',
'Remove selection': 'Gỡ bỏ có lựa chọn',
'Remove this entry': 'Gỡ bỏ hồ sơ này',
'Remove': 'Gỡ bỏ',
'Reopened': 'Được mở lại',
'Repacked By': 'Được đóng gói lại bởi',
'Repair': 'Sửa chữa',
'Repaired': 'Được sửa chữa',
'Repeat your password': 'Nhập lại mật khẩu',
'Repeat': 'Lặp lại',
'Replace if Newer': 'Thay thế nếu mới hơn',
'Replace': 'Thay thế',
'Replacing or Provisioning Livelihoods': 'Thay thế hoặc Cấp phát sinh kế',
'Replies': 'Trả lời',
'Reply Message': 'Trả lời tin nhắn',
'Reply': 'Trả lời',
'Report Date': 'Ngày báo cáo',
'Report Details': 'Chi tiết báo cáo',
'Report Options': 'Lựa chọn yêu cầu báo cáo',
'Report To': 'Báo cáo cho',
'Report Type': 'Loại báo cáo',
'Report a Problem with the Software': 'báo cáo lỗi bằng phần mềm',
'Report added': 'Đã thêm báo cáo',
'Report by Age/Gender': 'Báo cáo theo tuổi/ giới tính',
'Report deleted': 'Đã xóa báo cáo',
'Report my location': 'Báo cáo vị trí ',
'Report of': 'Báo cáo theo',
'Report on Annual Budgets': 'Báo cáo về Ngân sách năm',
'Report on Themes': 'Báo cáo về Chủ đề',
'Report the contributing factors for the current EMS status.': 'Báo cáo các nhân tố đóng góp cho tình trạng EMS hiện tại.',
'Report': 'Báo cáo',
'Report': 'Báo cáo',
'Reported By (Not Staff)': 'Được báo cáo bởi (không phải nhân viên)',
'Reported By (Staff)': 'Được báo cáo bởi (nhân viên)',
'Reported To': 'Được báo cáo tới',
'Reported': 'Được báo cáo',
'Reportlab not installed': 'Chưa cài đặt kho báo cáo',
'Reports': 'Báo cáo',
'Repositories': 'Nơi lưu trữ',
'Repository Base URL': 'Nơi lưu trữ cơ bản URL',
'Repository Configuration': 'Cấu hình nơi lưu trữ',
'Repository Name': 'Tên nơi lưu trữ',
'Repository UUID': 'Lưu trữ UUID',
'Repository configuration deleted': 'Cấu hình nơi lưu trữ đã xóa',
'Repository configuration updated': 'Cấu hình nơi lưu trữ được cập nhật',
'Repository configured': 'Nơi lưu trữ đã được cấu hình',
'Repository': 'Nơi lưu trữ',
'Request Added': 'Đề nghị được thêm vào',
'Request Canceled': 'Đề nghị đã bị hủy',
'Request Details': 'Yêu cầu thông tin chi tiết',
'Request From': 'Đề nghị từ',
'Request Item Details': 'Chi tiết mặt hàng đề nghị',
'Request Item added': 'Đã thêm yêu cầu hàng hóa',
'Request Item deleted': 'Xóa yêu cầu hàng hóa',
'Request Item updated': 'Đã cập nhật hàng hóa yêu cầu',
'Request Item': 'Mặt hàng yêu cầu',
'Request Items': 'Mặt hàng yêu cầu',
'Request New People': 'Yêu cầu cán bộ mới',
'Request Status': 'Tình trạng lời đề nghị',
'Request Stock from Available Warehouse': 'Đề nghị Hàng từ Kho hàng đang có',
'Request Type': 'Loại hình đề nghị',
'Request Updated': 'Đề nghị được cập nhật',
'Request added': 'Yêu cầu được thêm',
'Request deleted': 'Yêu cầu được xóa',
'Request for Role Upgrade': 'yêu cầu nâng cấp vai trò',
'Request from Facility': 'Đề nghị từ bộ phận',
'Request updated': 'Yêu cầu được cập nhật',
'Request': 'Yêu cầu',
'Request, Response & Session': 'Yêu cầu, Phản hồi và Tương tác',
'Requested By': 'Đã được đề nghị bởi',
'Requested For Facility': 'Được yêu cầu cho bộ phận',
'Requested For': 'Đã được đề nghị cho',
'Requested From': 'Đã được đề nghị từ',
'Requested Items': 'Yêu cầu mặt hàng',
'Requested Skill Details': 'Chi tiết kỹ năng đã đề nghị',
'Requested Skill updated': 'Kỹ năng được đề nghị đã được cập nhật',
'Requested Skills': 'Những kỹ năng được đề nghị',
'Requested by': 'Yêu cầu bởi',
'Requested': 'Đã được đề nghị',
'Requester': 'Người đề nghị',
'Requestor': 'Người yêu cầu',
'Requests Management': 'Quản lý những đề nghị',
'Requests for Item': 'Yêu cầu hàng hóa',
'Requests': 'Yêu cầu',
'Required Skills': 'Những kỹ năng cần có ',
'Requires Login!': 'Đề nghị đăng nhập!',
'Requires Login': 'Đề nghị đăng nhập',
'Reset Password': 'Cài đặt lại mật khẩu',
'Reset all filters': 'Tái thiết lập tất cả lựa chọn lọc',
'Reset filter': 'Tái thiết lập lựa chọn lọc',
'Reset form': 'Đặt lại mẫu',
'Reset': 'Thiết lập lại',
'Resolution': 'Nghị quyết',
'Resource Configuration': 'Cấu hình nguồn lực',
'Resource Management System': 'Hệ thống quản lý nguồn lực',
'Resource Mobilization': 'Huy động nguồn lực',
'Resource Name': 'Tên nguồn lực',
'Resource configuration deleted': 'Cấu hình nguồn lực đã xóa',
'Resource configuration updated': 'Cầu hình nguồn lực được cập nhật',
'Resource configured': 'Nguồn lực đã được cấu hình',
'Resources': 'Những nguồn lực',
'Responder(s)': 'Người ứng phó',
'Response deleted': 'Xóa phản hồi',
'Response': 'Ứng phó',
'Responses': 'Các đợt ứng phó',
'Restarting Livelihoods': 'Tái khởi động nguồn sinh kế',
'Results': 'Kết quả',
'Retail Crime': 'Chiếm đoạt tài sản để bán',
'Retrieve Password': 'Khôi phục mật khẩu',
'Return to Request': 'Trở về Đề nghị',
'Return': 'Trở về',
'Returned From': 'Được trả lại từ',
'Returned': 'Đã được trả lại',
'Returning': 'Trả lại',
'Review Incoming Shipment to Receive': 'Rà soát Lô hàng đến để Nhận',
'Review next': 'Rà soát tiếp',
'Review': 'Rà soát',
'Revised Quantity': 'Số lượng đã được điều chỉnh',
'Revised Status': 'Tình trạng đã được điều chỉnh',
'Revised Value per Pack': 'Giá trị mỗi Gói đã được điều chỉnh',
'Riot': 'Bạo động',
'Risk Identification & Assessment': 'Đánh giá và Xác định rủi ro',
'Risk Transfer & Insurance': 'Bảo hiểm và hỗ trợ tài chính nhằm ứng phó với rủi ro',
'Risk Transfer': 'Hỗ trợ tài chính nhằm ứng phó với rủi ro',
'River Details': 'Chi tiết Sông',
'River': 'Sông',
'Road Accident': 'Tai nạn đường bộ',
'Road Closed': 'Đường bị chặn',
'Road Delay': 'Cản trở giao thông đường bộ',
'Road Hijacking': 'Tấn công trên đường',
'Road Safety': 'An toàn đường bộ',
'Road Usage Condition': 'Tình hình sử dụng đường sá',
'Role Details': 'Chi tiết về vai trò',
'Role Name': 'Tên chức năng',
'Role Required': 'Chức năng được yêu cầu',
'Role added': 'Vai trò được thêm vào',
'Role assigned to User': 'Chức năng được cấp cho người sử dụng này',
'Role deleted': 'Vai trò đã xóa',
'Role updated': 'Vai trò được cập nhật',
'Role': 'Vai trò',
'Roles Permitted': 'Các chức năng được cho phép',
'Roles currently assigned': 'Các chức năng được cấp hiện tại',
'Roles of User': 'Các chức năng của người sử dụng',
'Roles updated': 'Các chức năng được cập nhật',
'Roles': 'Vai trò',
'Room Details': 'Chi tiết về phòng',
'Room added': 'Phòng được thêm vào',
'Room deleted': 'Phòng đã xóa',
'Room updated': 'Phòng được cập nhật',
'Room': 'Phòng',
'Rooms': 'Những phòng',
'Rotation': 'Sự luân phiên',
'Rows in table': 'Các hàng trong bảng',
'Rows selected': 'Các hàng được chọn',
'Rows': 'Các dòng',
'Run Functional Tests': 'Kiểm thử chức năng',
'Run every': 'Khởi động mọi hàng',
'S3Pivottable unresolved dependencies': 'Các phụ thuộc không được xử lý S3pivottable',
'SMS Modems (Inbound & Outbound)': 'Modem SMS (gửi ra & gửi đến)',
'SMS Outbound': 'SMS gửi ra',
'SMS Settings': 'Cài đặt tin nhắn',
'SMS settings updated': 'Cập nhật cài đặt SMS',
'SMTP to SMS settings updated': 'Cập nhật cài đặt SMTP to SMS',
'SOPS and Guidelines Development': 'Xây dựng Hướng dẫn và Quy trình chuẩn',
'STRONG': 'MẠNH',
'SUBMIT DATA': 'GỬI DỮ LIỆU',
'Sahana Administrator': 'Quản trị viên Sahana',
'Sahana Community Chat': 'Nói chuyện trên cộng đồng Sahana',
'Sahana Eden Humanitarian Management Platform': 'Diễn đàn Quản lý nhân đạo Sahana Eden',
'Sahana Eden Website': 'Trang thông tin Sahana Eden',
'Sahana Eden portable application generator': 'Bộ sinh ứng dụng cầm tay Sahana Eden',
'Sahana Login Approval Pending': 'Chờ chấp nhận đăng nhập vào Sahana',
'Salary': 'Lương',
'Salary Coefficient': 'Hệ số',
'Sale': 'Bán hàng',
'Satellite': 'Vệ tinh',
'Save and add Items': 'Lưu và thêm Hàng hóa',
'Save and add People': 'Lưu và thêm Người',
'Save any Changes in the one you wish to keep': 'Lưu mọi thay đổi ở bất kỳ nơi nào bạn muốn',
'Save search': 'Lưu tìm kiếm',
'Save this search': 'Lưu tìm kiếm này',
'Save': 'Lưu',
'Save: Default Lat, Lon & Zoom for the Viewport': 'Lưu: Mặc định kinh độ, vĩ độ & phóng ảnh cho cổng nhìn',
'Saved Queries': 'Các thắc mắc được lưu',
'Saved Searches': 'Những tìm kiếm đã lưu',
'Saved search added': 'Tìm kiếm đã lưu đã được thêm vào',
'Saved search deleted': 'Tìm kiếm được lưu đã xóa',
'Saved search details': 'Chi tiết về tìm kiếm đã lưu',
'Saved search updated': 'Tìm kiếm đã lưu đã được cập nhật',
'Saved searches': 'Những tìm kiếm đã lưu',
'Scale of Results': 'Phạm vi của kết quả',
'Scale': 'Kích thước',
'Scanned Copy': 'Bản chụp điện tử',
'Scanned Forms Upload': 'Tải lên mẫu đã quyét',
'Scenarios': 'Các kịch bản',
'Schedule synchronization jobs': 'Các công việc được điều chỉnh theo lịch trình',
'Schedule': 'Lịch trình',
'Scheduled Jobs': 'Công việc đã được lập kế hoạch',
'Schema': 'Giản đồ',
'School Closure': 'Đóng cửa trường học',
'School Health': 'CSSK trong trường học',
'School Lockdown': 'Đóng cửa trường học',
'School tents received': 'Đã nhận được lều gửi cho trường học ',
'School/studying': 'Trường học',
'Seaport': 'Cảng biển',
'Seaports': 'Các cảng biển',
'Search & List Catalog': 'Tìm kiếm và liệt kê các danh mục',
'Search & List Category': 'Tìm và liệt kê danh mục',
'Search & List Items': 'Tìm kiếm và hiển thị danh sách hàng hóa',
'Search & List Locations': 'Tìm và liệt kê các địa điểm',
'Search & List Sub-Category': 'Tìm kiếm và lên danh sách Tiêu chí phụ',
'Search & Subscribe': 'Tìm kiếm và Đặt mua',
'Search Activities': 'Tìm kiếm hoạt động',
'Search Addresses': 'Tìm kiếm địa chỉ',
'Search Affiliations': 'Tìm kiếm chi nhánh',
'Search Aid Requests': 'Tìm kiếm Yêu cầu cứu trợ',
'Search Alternative Items': 'Tìm kiếm mục thay thế',
'Search Annual Budgets': 'Tìm kiếm các ngân sách năm',
'Search Assessments': 'Tìm kiếm các đánh giá',
'Search Asset Log': 'Tìm kiếm nhật ký tài sản',
'Search Assets': 'Tìm kiếm tài sản',
'Search Assigned Human Resources': 'Tìm kiếm người được phân công',
'Search Beneficiaries': 'Tìm kiếm những người hưởng lợi',
'Search Beneficiary Types': 'Tìm kiếm những nhóm người hưởng lợi',
'Search Branch Organizations': 'Tìm kiếm tổ chức chi nhánh',
'Search Brands': 'Tìm kiếm nhãn hàng',
'Search Budgets': 'Tìm kiếm các ngân sách',
'Search Catalog Items': 'Tìm kiếm mặt hàng trong danh mục',
'Search Catalogs': 'Tìm kiếm danh mục',
'Search Certificates': 'Tìm kiếm chứng chỉ',
'Search Certifications': 'Tìm kiếm bằng cấp',
'Search Checklists': 'Tìm kiếm Checklist',
'Search Clusters': 'Tìm kiếm nhóm',
'Search Commitment Items': 'Tìm kiếm mục cam kết',
'Search Commitments': 'Tìm kiếm cam kết',
'Search Committed People': 'Tìm kiếm người được cam kết',
'Search Community Contacts': 'Tìm kiếm thông tin liên lạc của cộng đồng',
'Search Community': 'Tìm kiếm cộng đồng',
'Search Competency Ratings': 'Tìm kiếm đánh giá năng lực',
'Search Contact Information': 'Tìm kiếm thông tin liên hệ',
'Search Contacts': 'Tìm kiếm liên lạc',
'Search Course Certificates': 'Tìm kiếm chứng chỉ đào tạo',
'Search Courses': 'Tìm kiếm khóa đào tạo',
'Search Credentials': 'Tìm kiếm giấy chứng nhận',
'Search Demographic Data': 'Tìm kiếm dữ liệu nhân khẩu học',
'Search Demographic Sources': 'Tìm kiếm nguồn dữ liệu dân số',
'Search Demographics': 'Tìm kiếm số liệu thống kê dân số',
'Search Departments': 'Tìm kiếm phòng/ban',
'Search Distributions': 'Tìm kiếm Quyên góp',
'Search Documents': 'Tìm kiếm tài liệu',
'Search Donors': 'Tìm kiếm nhà tài trợ',
'Search Education Details': 'Tìm kiếm thông tin đào tạo',
'Search Email InBox': 'Tìm kiếm thư trong hộp thư đến',
'Search Entries': 'Tìm kiếm hồ sơ',
'Search Facilities': 'Tìm kiếm trang thiết bị',
'Search Facility Types': 'Tìm kiếm loại hình bộ phận',
'Search Feature Layers': 'Tìm kiếm lớp tính năng',
'Search Flood Reports': 'Tìm các báo cáo về lũ lụt',
'Search Frameworks': 'Tìm kiếm khung chương trình',
'Search Groups': 'Tìm kiếm nhóm',
'Search Hospitals': 'Tìm kếm các bệnh viện',
'Search Hours': 'Tìm kiếm theo thời gian hoạt động',
'Search Identity': 'Tìm kiếm nhận dạng',
'Search Images': 'Tìm kiếm hình ảnh',
'Search Incident Reports': 'Tìm kiếm báo cáo sự việc',
'Search Item Catalog(s)': 'Tìm kiếm Catalog hàng hóa',
'Search Item Categories': 'Tìm kiếm nhóm mặt hàng',
'Search Item Packs': 'Tìm kiếm gói hàng',
'Search Items in Request': 'Tìm kiếm mặt hàng đang đề nghị',
'Search Items': 'Tìm kiếm mặt hàng',
'Search Job Roles': 'Tìm kiếm vai trò của công việc',
'Search Job Titles': 'Tìm kiếm chức danh công việc',
'Search Keys': 'Tìm kiếm mã',
'Search Kits': 'Tìm kiếm bộ dụng cụ',
'Search Layers': 'Tìm kiếm lớp',
'Search Location Hierarchies': 'Tìm kiếm thứ tự địa điểm',
'Search Location': 'Tìm kiếm địa điểm',
'Search Locations': 'Tìm kiếm địa điểm',
'Search Log Entry': 'Tìm kiếm ghi chép nhật ký',
'Search Logged Time': 'Tìm kiếm thời gian đăng nhập',
'Search Mailing Lists': 'Tìm kiếm danh sách gửi thư',
'Search Map Profiles': 'Tìm kiếm cấu hình bản đồ',
'Search Markers': 'Tìm kiếm đánh dấu',
'Search Members': 'Tìm kiếm thành viên',
'Search Membership Types': 'Tìm kiếm loại hình hội viên',
'Search Membership': 'Tìm kiếm hội viên',
'Search Memberships': 'Tim kiếm thành viên',
'Search Metadata': 'Tìm kiếm dữ liệu',
'Search Milestones': 'Tìm kiếm mốc quan trọng',
'Search Office Types': 'Tìm kiếm loại hình văn phòng',
'Search Offices': 'Tìm kiếm văn phòng',
'Search Open Tasks for %(project)s': 'Tìm kiếm Công việc Chưa được xác định cho %(project)s',
'Search Orders': 'Tìm kiếm đơn hàng',
'Search Organization Domains': 'Tìm kiếm lĩnh vực hoạt động của tổ chức',
'Search Organization Types': 'Tìm kiếm loại hình tổ chức',
'Search Organizations': 'Tìm kiếm tổ chức',
'Search Participants': 'Tìm kiếm người tham dự',
'Search Partner Organizations': 'Tìm kiếm tổ chức thành viên',
'Search Persons': 'Tìm kiếm người',
'Search Photos': 'Tìm kiếm hình ảnh',
'Search Professional Experience': 'Tìm kiếm kinh nghiệm nghề nghiệp',
'Search Programs': 'Tìm kiếm chương trình',
'Search Project Organizations': 'Tìm kiếm tổ chức dự án',
'Search Projections': 'Tìm kiếm dự đoán',
'Search Projects': 'Tìm kiếm dự án',
'Search Received/Incoming Shipments': 'Tìm kiếm lô hàng đến/nhận',
'Search Records': 'Tìm kiếm hồ sơ',
'Search Red Cross & Red Crescent National Societies': 'Tìm kiếm Hội Chữ thập đỏ và Trăng lưỡi liềm đỏ Quốc gia',
'Search Registations': 'Tìm kiếm các đăng ký',
'Search Registration Request': 'Tìm kiếm Yêu cầu Đăng ký',
'Search Report': 'Tìm kiếm báo cáo',
'Search Reports': 'Tìm kiếm Báo cáo',
'Search Request Items': 'Tìm kiếm Yêu cầu hàng hóa',
'Search Request': 'Tìm kiếm yêu cầu',
'Search Requested Skills': 'Tìm kiếm kỹ năng được đề nghị',
'Search Requests': 'Tìm kiếm đề nghị',
'Search Resources': 'Tìm kiếm các nguồn lực',
'Search Results': 'Tìm kiếm kết quả',
'Search Roles': 'Tìm kiếm vai trò',
'Search Rooms': 'Tìm kiếm phòng',
'Search Sectors': 'Tìm kiếm lĩnh vực',
'Search Sent Shipments': 'Tìm kiếm lô hàng đã gửi',
'Search Shelter Services': 'Tìm kiếm dịch vụ cư trú',
'Search Shelter Types': 'Tìm kiếm Loại Cư trú',
'Search Shipment Items': 'Tìm kiếm mặt hàng của lô hàng',
'Search Shipment/Way Bills': 'Tìm kiếm đơn hàng/hóa đơn vận chuyển',
'Search Shipped Items': 'Tìm kiếm mặt hàng được chuyển',
'Search Skill Equivalences': 'Tìm kiếm kỹ năng tương ứng',
'Search Skill Types': 'Tìm kiếm nhóm kỹ năng',
'Search Skills': 'Tìm kiếm kỹ năng',
'Search Staff & Volunteers': 'Tìm kiếm nhân viên & tình nguyện viên',
'Search Staff Assignments': 'Tìm kiếm công việc của nhân viên',
'Search Staff': 'Tìm kiếm nhân viên',
'Search Stock Adjustments': 'Tìm kiếm điều chỉnh về kho hàng',
'Search Stock Items': 'Tìm kiếm mặt hàng trong kho',
'Search Storage Location(s)': 'Tìm kiếm kho lưu trữ',
'Search Subscriptions': 'Tìm kiếm danh sách, số tiền quyên góp',
'Search Suppliers': 'Tìm kiếm nhà cung cấp',
'Search Support Requests': 'Tìm kiếm yêu cầu được hỗ trợ',
'Search Symbologies': 'Tìm kiếm biểu tượng',
'Search Tasks': 'Tìm kiếm nhiệm vụ',
'Search Teams': 'Tìm kiếm Đội/Nhóm',
'Search Theme Data': 'Tìm kiếm dữ liệu chủ đề',
'Search Themes': 'Tìm kiếm chủ đề',
'Search Tracks': 'Tìm kiếm dấu vết',
'Search Training Events': 'Tìm kiếm khóa tập huấn',
'Search Training Participants': 'Tìm kiếm học viên',
'Search Twilio SMS Inbox': 'Tìm kiếm hộp thư đến SMS Twilio',
'Search Twitter Tags': 'Tìm kiếm liên kết với Twitter',
'Search Units': 'Tìm kiếm đơn vị',
'Search Users': 'Tìm kiếm người sử dụng',
'Search Vehicle Assignments': 'Tìm kiếm việc điều động phương tiện',
'Search Volunteer Cluster Positions': 'Tìm kiếm vị trí của nhóm tình nguyện viên',
'Search Volunteer Cluster Types': 'Tìm kiếm loại hình nhóm tình nguyện viên',
'Search Volunteer Clusters': 'Tìm kiếm nhóm tình nguyện viên',
'Search Volunteer Registrations': 'Tìm kiếm Đăng ký tình nguyện viên',
'Search Volunteer Roles': 'Tìm kiếm vai trò của tình nguyện viên',
'Search Volunteers': 'Tìm kiếm tình nguyện viên',
'Search Vulnerability Aggregated Indicators': 'Tìm kiếm chỉ số theo tình trạng dễ bị tổn thương',
'Search Vulnerability Data': 'Tìm kiếm dữ liệu về tình trạng dễ bị tổn thương',
'Search Vulnerability Indicator Sources': 'Tìm kiếm nguồn chỉ số về tình trạng dễ bị tổn thương',
'Search Vulnerability Indicators': 'Tìm kiếm chỉ số về tình trạng dễ bị tổn thương',
'Search Warehouse Stock': 'Tìm kiếm Hàng trữ trong kho',
'Search Warehouses': 'Tìm kiếm Nhà kho',
'Search and Edit Group': 'Tìm và sửa thông tin nhóm',
'Search and Edit Individual': 'Tìm kiếm và chỉnh sửa cá nhân',
'Search for Activity Type': 'Tìm kiếm nhóm hoạt động',
'Search for Job': 'Tìm kiếm công việc',
'Search for Repository': 'Tìm kiếm Nơi lưu trữ',
'Search for Resource': 'Tìm kiếm nguồn lực',
'Search for a Hospital': 'Tìm kiếm bệnh viện',
'Search for a Location': 'Tìm một địa điểm',
'Search for a Person': 'Tìm kiếm theo tên',
'Search for a Project Community by name.': 'Tìm kiếm cộng đồng dự án theo tên.',
'Search for a Project by name, code, location, or description.': 'Tìm kiếm dự án theo tên, mã, địa điểm, hoặc mô tả.',
'Search for a Project by name, code, or description.': 'Tìm kiếm dự án theo tên, mã, hoặc mô tả.',
'Search for a Project': 'Tìm kiếm dự án',
'Search for a Request': 'Tìm kiếm một yêu cầu',
'Search for a Task by description.': 'Tìm kiếm nhiệm vụ theo mô tả.',
'Search for a shipment by looking for text in any field.': 'Tìm kiếm lô hàng bằng cách nhập từ khóa vào các ô.',
'Search for a shipment received between these dates': 'Tìm kiếm lô hàng đã nhận trong những ngày gần đây',
'Search for an Organization by name or acronym': 'Tìm kiếm tổ chức theo tên hoặc chữ viết tắt',
'Search for an item by Year of Manufacture.': 'Tìm kiếm mặt hàng theo năm sản xuất.',
'Search for an item by brand.': 'Tìm kiếm mặt hàng theo nhãn hàng.',
'Search for an item by catalog.': 'Tìm kiếm mặt hàng theo danh mục.',
'Search for an item by category.': 'Tìm kiếm mặt hàng theo nhóm.',
'Search for an item by its code, name, model and/or comment.': 'Tìm kiếm mặt hàng theo mã, tên, kiểu và/hoặc nhận xét.',
'Search for an item by text.': 'Tìm kiếm mặt hàng theo từ khóa.',
'Search for an order by looking for text in any field.': 'Tìm kiếm đơn đặt hàng bằng cách nhập từ khóa vào các ô.',
'Search for an order expected between these dates': 'Tìm kiếm một đơn hàng dự kiến trong những ngày gần đây',
'Search for office by organization.': 'Tìm kiếm văn phòng theo tổ chức.',
'Search for office by text.': 'Tìm kiếm văn phòng theo từ khóa.',
'Search for warehouse by organization.': 'Tìm kiếm nhà kho theo tổ chức.',
'Search for warehouse by text.': 'Tìm kiếm nhà kho theo từ khóa.',
'Search location in Geonames': 'Tìm kiếm địa điểm theo địa danh',
'Search messages': 'Tìm kiếm tin nhắn',
'Search saved searches': 'Tìm kiếm tìm kiếm được lưu',
'Search': 'Tìm kiếm',
'Secondary Server (Optional)': 'Máy chủ thứ cấp',
'Seconds must be a number between 0 and 60': 'Giây phải là số từ 0 đến 60',
'Seconds must be a number.': 'Giây phải bằng số',
'Seconds must be less than 60.': 'Giây phải nhỏ hơn 60',
'Section Details': 'Chi tiết khu vực',
'Section': 'Lĩnh vực',
'Sections that are part of this template': 'Các lĩnh vực là bộ phận của mẫu này',
'Sector Details': 'Chi tiết lĩnh vực',
'Sector added': 'Thêm Lĩnh vực',
'Sector deleted': 'Xóa Lĩnh vực',
'Sector updated': 'Cập nhật Lĩnh vực',
'Sector': 'Lĩnh vực',
'Sector(s)': 'Lĩnh vực',
'Sectors to which this Theme can apply': 'Lựa chọn Lĩnh vực phù hợp với Chủ đề này',
'Sectors': 'Lĩnh vực',
'Security Policy': 'Chính sách bảo mật',
'Security Required': 'An ninh được yêu cầu',
'Security Staff Types': 'Loại cán bộ bảo vệ',
'See All Entries': 'Xem tất cả hồ sơ',
'See a detailed description of the module on the Sahana Eden wiki': 'Xem chi tiết mô tả Modun trên Sahana Eden wiki',
'See the universally unique identifier (UUID) of this repository': 'Xem Định dạng duy nhất toàn cầu (UUID) của thư mục lưu này',
'Seen': 'Đã xem',
'Select %(location)s': 'Chọn %(location)s',
'Select %(up_to_3_locations)s to compare overall resilience': 'Chọn %(up_to_3_locations)s để so sánh tổng thể Sự phục hồi nhanh',
'Select All': 'Chọn tất cả',
'Select Existing Location': 'Lựa chọn vị trí đang có',
'Select Items from the Request': 'Chọn Hàng hóa từ Yêu cầu',
'Select Label Question': 'Chọn nhãn câu hỏi',
'Select Modules for translation': 'Lựa chọn các Module để dịch',
'Select Modules which are to be translated': 'Chọn Modun cần dịch',
'Select Numeric Questions (one or more):': 'Chọn câu hỏi về lượng (một hay nhiều hơn)',
'Select Stock from this Warehouse': 'Chọn hàng hóa lưu kho từ một Kho hàng',
'Select This Location': 'Lựa chọn vị trí này',
'Select a Country': 'Chọn nước',
'Select a commune to': 'Chọn xã đến',
'Select a label question and at least one numeric question to display the chart.': 'Chọn nhãn câu hỏi và ít nhất 1 câu hỏi về lượng để thể hiện biểu đồ',
'Select a location': 'Lựa chọn Quốc gia',
'Select a question from the list': 'Chọn một câu hỏi trong danh sách',
'Select all modules': 'Chọn mọi Modun',
'Select all that apply': 'Chọn tất cả các áp dụng trên',
'Select an Organization to see a list of offices': 'Chọn một Tổ chức để xem danh sách văn phòng',
'Select an existing bin': 'Lựa chọn ngăn có sẵn',
'Select an office': 'Chọn một văn phòng',
'Select any one option that apply': 'Lựa chọn bất cứ một lựa chọn được áp dụng',
'Select data type': 'Chọn loại dữ liệu',
'Select from Registry': 'Chọn từ danh sách đã đăng ký',
'Select language code': 'Chọn mã ngôn ngữ',
'Select one or more option(s) that apply': 'Lựa một hoặc nhiều lựa chọn được áp dụng',
'Select the default site.': 'Lựa chọn trang mặc định',
'Select the language file': 'Chọn tệp ngôn ngữ',
'Select the overlays for Assessments and Activities relating to each Need to identify the gap.': 'Lựa chọn lớp dữ liệu phủ cho Đánh giá và Hoạt động liên quan đến mỗi nhu cầu để xác định khoảng thiếu hụt.',
'Select the person assigned to this role for this project.': 'Chọn người được bổ nhiệm cho vai trò này trong dự án',
'Select the required modules': 'Chọn Modun cần thiết',
'Select': 'Chọn',
'Selected Questions for all Completed Assessment Forms': 'Câu hỏi được chọn cho tất cả các mẫu Đánh giá đã hoàn thành',
'Selects what type of gateway to use for outbound SMS': 'Chọn loại cổng để sử dụng tin nhắn gửi ra',
'Send Alerts using Email &/or SMS': 'Gửi Cảnh báo sử dụng thư điện từ &/hay SMS',
'Send Commitment': 'Gửi Cam kết',
'Send Dispatch Update': 'Gửi cập nhật ',
'Send Message': 'Gửi tin',
'Send New Shipment': 'Gửi Lô hàng Mới',
'Send Notification': 'Gửi thông báo',
'Send Shipment': 'Gửi Lô hàng',
'Send Task Notification': 'Gửi Thông báo Nhiệm vụ',
'Send a message to this person': 'Gửi tin nhắn cho người này',
'Send a message to this team': 'Gửi tin nhắn cho đội này',
'Send batch': 'Gửi hàng loạt',
'Send from %s': 'Gửi từ %s',
'Send message': 'Gửi tin nhắn',
'Send new message': 'Gửi tin nhắn mới',
'Send': 'Gửi',
'Sender': 'Người gửi',
'Senders': 'Người gửi',
'Senior (50+)': 'Người già (50+)',
'Senior Officer': 'Chuyên viên cao cấp',
'Sensitivity': 'Mức độ nhạy cảm',
'Sent By Person': 'Được gửi bởi Ai',
'Sent By': 'Được gửi bởi',
'Sent Shipment Details': 'Chi tiết lô hàng đã gửi',
'Sent Shipment canceled and items returned to Warehouse': 'Hủy lô hàng đã gửi và trả lại hàng hóa về kho Hàng',
'Sent Shipment canceled': 'Hủy lô hàng đã gửi',
'Sent Shipment has returned, indicate how many items will be returned to Warehouse.': 'Lô hàng được gửi đã được trả lại, nêu rõ bao nhiêu mặt hàng sẽ được trả lại kho hàng',
'Sent Shipment updated': 'Cập nhật Lô hàng đã gửi',
'Sent Shipments': 'Hàng chuyển',
'Sent date': 'Thời điểm gửi',
'Sent': 'đã được gửi',
'Separated': 'Ly thân',
'Serial Number': 'Số se ri',
'Series details missing': 'Chi tiết Se ri đang mất tích',
'Series': 'Se ri',
'Server': 'Máy chủ',
'Service Record': 'Hồ sơ hoạt động',
'Service or Facility': 'Dịch vụ hay Bộ phận',
'Service profile added': 'Đã thêm thông tin dịch vụ',
'Services Available': 'Các dịch vụ đang triển khai',
'Services': 'Dịch vụ',
'Set Base Facility/Site': 'Thiết lập Bộ phận/Địa bàn cơ bản',
'Set By': 'Thiết lập bởi',
'Set True to allow editing this level of the location hierarchy by users who are not MapAdmins.': 'Thiết lập Đúng để cho phép chỉnh sửa mức này của hệ thống hành chính địa điểm bởi người sử dụng không thuộc quản trị bản đồ',
'Setting Details': 'Chi tiết cài đặt',
'Setting added': 'Thêm cài đặt',
'Setting deleted': 'Xóa cài đặt',
'Settings were reset because authenticating with Twitter failed': 'Cài đặt được làm lại vì sự xác minh với Twitter bị lỗi',
'Settings which can be configured through the web interface are available here.': 'Cài đặt có thể được cấu hình thông quan tương tác với trang web có thể làm ở đây.',
'Settings': 'Các Cài đặt',
'Sex (Count)': 'Giới tính (Số lượng)',
'Sex': 'Giới tính',
'Sexual and Reproductive Health': 'Sức khỏe sinh sản và Sức khỏe tình dục',
'Share a common Marker (unless over-ridden at the Feature level)': 'Chia sẻ Đèn hiệu chung(nếu không vượt mức tính năng)',
'Shelter Registry': 'Đăng ký tạm trú',
'Shelter Repair Kit': 'Bộ dụng cụ sửa nhà',
'Shelter Service Details': 'Chi tiết dịch vụ cư trú',
'Shelter Services': 'Dịch vụ cư trú',
'Shelter added': 'Đã thêm Thông tin cư trú',
'Shelter deleted': 'Đã xóa nơi cư trú',
'Shelter': 'Nhà',
'Shelters': 'Địa điểm cư trú',
'Shipment Created': 'Tạo Lô hàng',
'Shipment Item Details': 'Chi tiết hàng hóa trong lô hàng',
'Shipment Item deleted': 'Xóa hàng hóa trong lô hàng',
'Shipment Item updated': 'Cập nhật hàng hóa trong lô hàng',
'Shipment Items Received': 'Hàng hóa trong lô hàng đã nhận được',
'Shipment Items sent from Warehouse': 'Hàng hóa trong lô hàng được gửi từ Kho hàng',
'Shipment Items': 'Hàng hóa trong lô hàng',
'Shipment Type': 'Loại Lô hàng',
'Shipment received': 'Lô hàng đã nhận được',
'Shipment to Receive': 'Lô hàng sẽ nhận được',
'Shipment to Send': 'Lô hàng sẽ gửi',
'Shipment': 'Lô hàng',
'Shipment/Way Bills': 'Đơn hàng/Hóa đơn vận chuyển',
'Shipment<>Item Relation added': 'Đã thêm đơn hàng <>hàng hóa liên quan',
'Shipment<>Item Relation deleted': 'Đã xóa dơn hàng <>Hàng hóa liên quan',
'Shipment<>Item Relation updated': 'Đã cập nhật Đơn hàng<>hàng hóa liên qua',
'Shipment<>Item Relations Details': 'Đơn hàng<>Chi tiết hàng hóa liên quan',
'Shipments': 'Các loại lô hàng',
'Shipping Organization': 'Tổ chức hàng hải',
'Shooting': 'Bắn',
'Short Description': 'Miêu tả ngắn gọn',
'Short Text': 'Đoạn văn bản ngắn',
'Short Title / ID': 'Tên viết tắt/ Mã dự án',
'Short-term': 'Ngắn hạn',
'Show Details': 'Hiển thị chi tiết',
'Show %(number)s entries': 'Hiển thị %(number)s hồ sơ',
'Show less': 'Thể hiện ít hơn',
'Show more': 'Thể hiện nhiều hơn',
'Show on Map': 'Thể hiện trên bản đồ',
'Show on map': 'Hiển thị trên bản đồ',
'Show totals': 'Hiển thị tổng',
'Show': 'Hiển thị',
'Showing 0 to 0 of 0 entries': 'Hiển thị 0 tới 0 của 0 hồ sơ',
'Showing _START_ to _END_ of _TOTAL_ entries': 'Hiển thị _START_ tới _END_ của _TOTAL_ hồ sơ',
'Showing latest entries first': 'Hiển thị hồ sơ mới nhất trước',
'Signature / Stamp': 'Chữ ký/dấu',
'Signature': 'Chữ ký',
'Simple Search': 'Tìm kiếm cơ bản',
'Single PDF File': 'File PDF',
'Single': 'Độc thân',
'Site Address': 'Địa chỉ trang web ',
'Site Administration': 'Quản trị Site',
'Site Manager': 'Quản trị website ',
'Site Name': 'Tên địa điểm',
'Site updated': 'Đã cập nhật site',
'Site': 'Địa điểm',
'Sitemap': 'Bản đồ địa điểm',
'Sites': 'Trang web',
'Situation Awareness & Geospatial Analysis': 'Nhận biết tình huống và phân tích tọa độ địa lý',
'Situation': 'Tình hình',
'Skeleton Example': 'Ví dụ khung',
'Sketch': 'Phác thảo',
'Skill Catalog': 'Danh mục kỹ năng',
'Skill Details': 'Chi tiết kỹ năng',
'Skill Equivalence Details': 'Chi tiết Kỹ năng tương ứng',
'Skill Equivalence added': 'Thêm Kỹ năng tương ứng',
'Skill Equivalence deleted': 'Xóa Kỹ năng tương ứng',
'Skill Equivalence updated': 'Cập nhật Kỹ năng tương ứng',
'Skill Equivalence': 'Kỹ năng tương ứng',
'Skill Equivalences': 'các Kỹ năng tương ứng',
'Skill Type Catalog': 'Danh mục Loại Kỹ năng',
'Skill Type added': 'Thêm Loại Kỹ năng',
'Skill Type deleted': 'Xóa Loại Kỹ năng',
'Skill Type updated': 'Cập nhật Loại Kỹ năng',
'Skill Type': 'Loại Kỹ năng',
'Skill added to Request': 'Thêm Kỹ năng vào Yêu cầu',
'Skill added': 'Thêm Kỹ năng',
'Skill deleted': 'Xóa kỹ năng',
'Skill removed from Request': 'Bỏ kỹ năng khỏi yêu cầu',
'Skill removed': 'Bỏ kỹ năng',
'Skill updated': 'Cập nhật kỹ năng',
'Skill': 'Kỹ năng',
'Skills': 'Kỹ năng',
'Smoke': 'Khói',
'Snapshot': 'Chụp ảnh',
'Snow Fall': 'Tuyết rơi',
'Snow Squall': 'Tiếng tuyết rơi',
'Social Impact & Resilience': 'Khả năng phục hồi và Tác động xã hội',
'Social Inclusion & Diversity': 'Đa dạng hóa/ Tăng cường hòa nhập xã hội',
'Social Insurance Number': 'Số sổ BHXH',
'Social Insurance': 'Bảo hiểm xã hội',
'Social Mobilization': 'Huy động xã hội',
'Solid Waste Management': 'Quản lý chất thải rắn',
'Solution added': 'Đã thêm giải pháp',
'Solution deleted': 'Đã xóa giải pháp',
'Solution updated': 'Đã cập nhật giải pháp',
'Sorry - the server has a problem, please try again later.': 'Xin lỗi - Máy chủ có sự cố, vui lòng thử lại sau.',
'Sorry location %(location)s appears to be outside the area of parent %(parent)s.': 'Xin lỗi địa điểm %(location)s có vẻ như ngoài vùng của lớp trên %(parent)s',
'Sorry location %(location)s appears to be outside the area supported by this deployment.': 'Xin lỗi địa điểm %(location)s có vẻ như ngoài vùng hỗ trợ bởi đợt triển khai này',
'Sorry location appears to be outside the area of parent %(parent)s.': 'Xin lỗi địa điểm có vẻ như ngoài vùng của lớp trên %(parent)s',
'Sorry location appears to be outside the area supported by this deployment.': 'Xin lỗi địa điểm có vẻ như ngoài vùng hỗ trợ bởi đợt triển khai này',
'Sorry, I could not understand your request': 'Xin lỗi, tôi không thể hiểu yêu cầu của bạn',
'Sorry, only users with the MapAdmin role are allowed to edit these locations': 'Xin lỗi, chỉ người sử dụng có chức năng quản trị bản đồ được phép chỉnh sửa các địa điểm này',
'Sorry, something went wrong.': 'Xin lỗi, có sự cố.',
'Sorry, that page is forbidden for some reason.': 'Xin lỗi, vì một số lý do trang đó bị cấm.',
'Sorry, that service is temporary unavailable.': 'Xin lỗi, dịch vụ đó tạm thời không có',
'Sorry, there are no addresses to display': 'Xin lỗi, Không có địa chỉ để hiện thị',
'Source Type': 'Loại nguồn',
'Source not specified!': 'Nguồn không xác định',
'Source': 'Nguồn',
'Space Debris': 'Rác vũ trụ',
'Spanish': 'Người Tây Ban Nha',
'Special Ice': 'Băng tuyết đặc biệt',
'Special Marine': 'Thủy quân đặc biệt',
'Special needs': 'Nhu cầu đặc biệt',
'Specialized Hospital': 'Bệnh viện chuyên khoa',
'Specific Area (e.g. Building/Room) within the Location that this Person/Group is seen.': 'Khu vực cụ thể (ví dụ Tòa nhà/Phòng) trong khu vực mà người/Nhóm đã xem',
'Specific locations need to have a parent of level': 'Các địa điểm cụ thể cần có lớp trên',
'Specify a descriptive title for the image.': 'Chỉ định một tiêu đề mô tả cho ảnh',
'Spherical Mercator (900913) is needed to use OpenStreetMap/Google/Bing base layers.': 'Spherical Mercator (900913) cần thiết để sử dụng OpenStreetMap/Google/Bing như là lớp bản đồ cơ sở.',
'Spreadsheet': 'Bảng tính',
'Squall': 'tiếng kêu',
'Staff & Volunteers (Combined)': 'Cán bộ & TNV',
'Staff & Volunteers': 'Cán bộ & Tình nguyện viên',
'Staff Assigned': 'Cán bộ được bộ nhiệm',
'Staff Assignment Details': 'Chi tiết bổ nhiệm cán bộ',
'Staff Assignment removed': 'Bỏ bổ nhiệm cán bộ',
'Staff Assignment updated': 'Cập nhật bổ nhiệm cán bộ',
'Staff Assignments': 'Các bổ nhiệm cán bộ',
'Staff ID': 'Định danh cán bộ',
'Staff Level': 'Ngạch công chức',
'Staff Management': 'Quản lý cán bộ',
'Staff Member Details updated': 'Cập nhật chi tiết cán bộ',
'Staff Member Details': 'Chi tiết cán bộ',
'Staff Member deleted': 'Xóa Cán bộ',
'Staff Record': 'Hồ sơ cán bộ',
'Staff Report': 'Cán bộ',
'Staff Type Details': 'Chi tiết bộ phận nhân viên',
'Staff deleted': 'Xóa tên nhân viên',
'Staff member added': 'Thêm cán bộ',
'Staff with Contracts Expiring in the next Month': 'Cán bộ hết hạn hợp đồng tháng tới',
'Staff': 'Cán bộ',
'Staff/Volunteer Record': 'Hồ sơ Cán bộ/Tình nguyện viên',
'Staff/Volunteer': 'Cán bộ/Tình nguyện viên',
'Start Date': 'Ngày bắt đầu',
'Start date': 'Ngày bắt đầu',
'Start of Period': 'Khởi đầu chu kỳ',
'Start': 'Bắt đầu',
'State / Province (Count)': 'Tỉnh / Thành phố (Số lượng)',
'State / Province': 'Tỉnh',
'State Management Education': 'Quản lý nhà nước',
'Station Parameters': 'Thông số trạm',
'Statistics Parameter': 'Chỉ số thống kê',
'Statistics': 'Thống kê',
'Stats Group': 'Nhóm thống kê',
'Status Details': 'Chi tiết Tình trạng',
'Status Report': 'Báo cáo tình trạng ',
'Status Updated': 'Cập nhật Tình trạng',
'Status added': 'Thêm Tình trạng',
'Status deleted': 'Xóa Tình trạng',
'Status of adjustment': 'Điều chỉnh Tình trạng',
'Status of operations of the emergency department of this hospital.': 'Tình trạng hoạt động của phòng cấp cứu tại bệnh viện này',
'Status of security procedures/access restrictions in the hospital.': 'Trạng thái của các giới hạn thủ tục/truy nhập an ninh trong bệnh viện',
'Status of the operating rooms of this hospital.': 'Trạng thái các phòng bệnh trong bệnh viện này',
'Status updated': 'Cập nhật Tình trạng',
'Status': 'Tình trạng',
'Statuses': 'Các tình trạng',
'Stock Adjustment Details': 'Chi tiết điều chỉnh hàng lưu kho',
'Stock Adjustments': 'Điều chỉnh Hàng lưu kho',
'Stock Expires %(date)s': 'Hàng lưu kho hết hạn %(date)s',
'Stock added to Warehouse': 'Hàng hóa lưu kho được thêm vào Kho hàng',
'Stock in Warehouse': 'Hàng lưu kho',
'Stock removed from Warehouse': 'Hàng lưu kho được lấy ra khỏi Kho hàng',
'Stock': 'Hàng lưu kho',
'Stockpiling, Prepositioning of Supplies': 'Dự trữ hàng hóa',
'Stocks and relief items.': 'Kho hàng và hàng cứu trợ.',
'Stolen': 'Bị mất cắp',
'Store spreadsheets in the Eden database': 'Lưu trữ bảng tính trên cơ sở dữ liệu của Eden',
'Storm Force Wind': 'Sức mạnh Gió bão',
'Storm Surge': 'Bão biển gây nước dâng',
'Stowaway': 'Đi tàu lậu',
'Strategy': 'Chiến lược',
'Street Address': 'Địa chỉ',
'Street View': 'Xem kiểu đường phố',
'Strengthening Livelihoods': 'Cải thiện nguồn sinh kế',
'Strong Wind': 'Gió bão',
'Strong': 'Mạnh',
'Structural Safety': 'An toàn kết cấu trong xây dựng',
'Style Field': 'Kiểu trường',
'Style Values': 'Kiểu giá trị',
'Style': 'Kiểu',
'Subject': 'Tiêu đề',
'Submission successful - please wait': 'Gửi thành công - vui lòng đợi',
'Submit Data': 'Gửi dữ liệu',
'Submit New (full form)': 'Gửi mới (mẫu đầy đủ)',
'Submit New (triage)': 'Gửi mới (cho nhóm 3 người)',
'Submit New': 'Gửi mới',
'Submit all': 'Gửi tất cả',
'Submit data to the region': 'Gửi dữ liệu cho vùng',
'Submit more': 'Gửi thêm',
'Submit online': 'Gửi qua mạng',
'Submit': 'Gửi',
'Submitted by': 'Được gửi bởi',
'Subscription deleted': 'Đã xóa đăng ký',
'Subscriptions': 'Quyên góp',
'Subsistence Cost': 'Mức sống tối thiểu',
'Successfully registered at the repository.': 'Đã đăng ký thành công vào hệ thống',
'Suggest not changing this field unless you know what you are doing.': 'Khuyến nghị bạn không thay đổi trường này khi chưa chắc chắn',
'Sum': 'Tổng',
'Summary Details': 'Thông tin tổng hợp',
'Summary by Question Type - (The fewer text questions the better the analysis can be)': 'Tổng hợp theo loại câu hỏi - (Phân tích dễ dàng hơn nếu có ít câu hỏi bằng chữ)',
'Summary of Completed Assessment Forms': 'Tổng hợp biểu mẫu đánh giá đã hoàn thành',
'Summary of Incoming Supplies': 'Tổng hợp mặt hàng đang đến',
'Summary of Releases': 'Tổng hợp bản tin báo chí',
'Summary': 'Tổng hợp',
'Supplier Details': 'Thông tin nhà cung cấp',
'Supplier added': 'Nhà cung cấp đã được thêm',
'Supplier deleted': 'Nhà cung cấp đã được xóa',
'Supplier updated': 'Nhà cung cấp đã được cập nhật',
'Supplier': 'Nhà cung cấp',
'Supplier/Donor': 'Nhà cung cấp/Nhà tài trợ',
'Suppliers': 'Nhà cung cấp',
'Supply Chain Management': 'Quản lý dây chuyền cung cấp',
'Support Request': 'Hỗ trợ yêu cầu',
'Support Requests': 'Yêu cầu hỗ trợ',
'Support': 'Trợ giúp',
'Surplus': 'Thặng dư',
'Survey Answer Details': 'Chi tiết trả lời câu hỏi khảo sát',
'Survey Answer added': 'Đã thêm trả lời khảo sát',
'Survey Name': 'Tên khảo sát',
'Survey Question Display Name': 'Tên trên bảng câu hỏi khảo sát',
'Survey Question updated': 'cập nhật câu hỏi khảo sát',
'Survey Section added': 'Đã thêm khu vực khảo sát',
'Survey Section updated': 'Cập nhật khu vực khảo sát',
'Survey Series added': 'Đã thêm chuỗi khảo sát',
'Survey Series deleted': 'Đã xóa chuỗi khảo sát',
'Survey Series updated': 'Đã cập nhật serie khảo sát',
'Survey Series': 'Chuỗi khảo sát',
'Survey Template added': 'Thêm mẫu Khảo sát',
'Survey Templates': 'Mẫu khảo sát',
'Swiss Francs': 'Frăng Thụy Sỹ',
'Switch to 3D': 'Chuyển sang 3D',
'Symbologies': 'Các biểu tượng',
'Symbology Details': 'Chi tiết biểu tượng',
'Symbology added': 'Thêm biểu tượng',
'Symbology deleted': 'Xóa biểu tượng',
'Symbology removed from Layer': 'Bỏ biểu tượng khỏi lớp',
'Symbology updated': 'Cập nhật biểu tượng',
'Symbology': 'Biểu tượng',
'Sync Conflicts': 'Xung đột khi đồng bộ hóa',
'Sync Now': 'Đồng bộ hóa ngay bây giờ',
'Sync Partners': 'Đối tác đồng bộ',
'Sync Schedule': 'Lịch đồng bộ',
'Sync process already started on ': 'Quá trinh đồng bộ đã bắt đầu lúc ',
'Synchronization Job': 'Chức năng Đồng bộ hóa',
'Synchronization Log': 'Danh mục Đồng bộ hóa',
'Synchronization Schedule': 'Kế hoạch Đồng bộ hóa',
'Synchronization Settings': 'Các cài đặt Đồng bộ hóa',
'Synchronization allows you to share data that you have with others and update your own database with latest data from other peers. This page provides you with information about how to use the synchronization features of Sahana Eden': 'Đồng bộ hóa cho phép bạn chia sẻ dữ liệu và cập nhật cơ sở dữ liệu với các máy khác.Trang này hường dẫn bạn cách sử dụng các tính năng đồng bộ của Sahana Eden',
'Synchronization currently active - refresh page to update status.': 'Đồng bộ hóa đang chạy - làm mới trang để cập nhật tình trạng',
'Synchronization mode': 'Chế độ đồng bộ hóa',
'Synchronization not configured.': 'Chưa thiết đặt đồng bộ hóa',
'Synchronization settings updated': 'Các cài đặt đồng bộ hóa được cập nhật',
'Synchronization': 'Đồng bộ hóa',
'Syncronization History': 'Lịch sử đồng bộ hóa',
'System keeps track of all Volunteers working in the disaster region. It captures not only the places where they are active, but also captures information on the range of services they are providing in each area.': 'Hệ thống theo sát quá trình làm việc của các tình nguyện viên trong khu vực thiên tai.Hệ thống nắm bắt không chỉ vị trí hoạt động mà còn cả thông tin về các dịch vụ đang cung cấp trong mỗi khu vực',
'THOUSAND_SEPARATOR': 'Định dạng hàng nghìn',
'TMS Layer': 'Lớp TMS',
'TO': 'TỚI',
'Table Permissions': 'Quyền truy cập bảng',
'Table name of the resource to synchronize': 'Bảng tên nguồn lực để đồng bộ hóa',
'Table': 'Bảng thông tin',
'Tablename': 'Tên bảng',
'Tags': 'Các bảng tên',
'Task Details': 'Các chi tiết nhiệm vụ',
'Task List': 'Danh sách Nhiệm vụ',
'Task added': 'Nhiệm vụ được thêm vào',
'Task deleted': 'Nhiệm vụ đã xóa',
'Task updated': 'Nhiệm vụ được cập nhật',
'Task': 'Nhiệm vụ',
'Tasks': 'Nhiệm vụ',
'Team Description': 'Mô tả về Đội/Nhóm',
'Team Details': 'Thông tin về Đội/Nhóm',
'Team ID': 'Mã Đội/Nhóm',
'Team Leader': 'Đội trưởng',
'Team Members': 'Thành viên Đội/Nhóm',
'Team Name': 'Tên Đội/Nhóm',
'Team Type': 'Loại hình Đội/Nhóm',
'Team added': 'Đội/ Nhóm đã thêm',
'Team deleted': 'Đội/ Nhóm đã xóa',
'Team updated': 'Đội/ Nhóm đã cập nhật',
'Team': 'Đội',
'Teams': 'Đội/Nhóm',
'Technical Disaster': 'Thảm họa liên quan đến công nghệ',
'Telephony': 'Đường điện thoại',
'Tells GeoServer to do MetaTiling which reduces the number of duplicate labels.': 'Yêu cầu GeoServer làm MetaTiling để giảm số nhãn bị lặp',
'Template Name': 'Tên Biểu mẫu',
'Template Section Details': 'Chi tiết Mục Biểu mẫu',
'Template Section added': 'Mục Biểu mẫu được thêm',
'Template Section deleted': 'Mục Biểu mẫu đã xóa',
'Template Section updated': 'Mục Biểu mẫu được cập nhật',
'Template Sections': 'Các Mục Biểu mẫu',
'Template Summary': 'Tóm tắt Biểu mẫu',
'Template': 'Biểu mẫu',
'Templates': 'Biểu mẫu',
'Term for the fifth-level within-country administrative division (e.g. a voting or postcode subdivision). This level is not often used.': 'Khái niệm về sự phân chia hành chính trong nước cấp thứ năm (ví dụ như sự phân chia bầu cử hay mã bưu điện). Mức này thường ít được dùng',
'Term for the fourth-level within-country administrative division (e.g. Village, Neighborhood or Precinct).': 'Khái niệm về sự phân chia hành chính cấp thứ tư bên trong quốc gia (ví dụ như làng, hàng xóm hay bản)',
'Term for the primary within-country administrative division (e.g. State or Province).': 'Khái niệm về sự phân chia hành chính trong nước cấp một (ví dụ như Bang hay Tỉnh)',
'Term for the secondary within-country administrative division (e.g. District or County).': 'Khái niệm về sự phân chia hành chính trong nước cấp thứ hai (ví dụ như quận huyện hay thị xã)',
'Term for the third-level within-country administrative division (e.g. City or Town).': 'Khái niệm về sự phân chia hành chính trong nước cấp thứ ba (ví dụ như thành phố hay thị trấn)',
'Term': 'Loại hợp đồng',
'Terms of Service:': 'Điều khoản Dịch vụ:',
'Terrorism': 'Khủng bố',
'Tertiary Server (Optional)': 'Máy chủ Cấp ba (Tùy chọn)',
'Text Color for Text blocks': 'Màu vản bản cho khối văn bản',
'Text': 'Từ khóa',
'Thank you for your approval': 'Cảm ơn bạn vì sự phê duyệt',
'Thank you, the submission%(br)shas been declined': 'Cảm ơn bạn, lời đề nghị %(br)s đã bị từ chối',
'Thanks for your assistance': 'Cám ơn sự hỗ trợ của bạn',
'The "query" is a condition like "db.table1.field1==\'value\'". Something like "db.table1.field1 == db.table2.field2" results in a SQL JOIN.': '"Câu hỏi" là một điều kiện có dạng "db.bảng1.trường1==\'giá trị\'". Bất kỳ cái gì có dạng "db.bảng1.trường1 == db.bảng2.trường2" đều có kết quả là một SQL THAM GIA.',
'The Area which this Site is located within.': 'Khu vực có chứa Địa điểm này',
'The Assessment Module stores assessment templates and allows responses to assessments for specific events to be collected and analyzed': 'Mô đun Khảo sát Đánh giá chứa các biểu mẫu khảo sát đánh giá và cho phép thu thập và phân tích các phản hồi đối với khảo sát đánh giá cho các sự kiện cụ thể',
'The Author of this Document (optional)': 'Tác giá của Tài liệu này (tùy chọn)',
'The Bin in which the Item is being stored (optional).': 'Ngăn/ Khu vực chứa hàng (tùy chọn)',
'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.': 'Địa điểm hiện tại của Người/ Nhóm, có thể là chung chung (dùng để Báo cáo) hoặc chính xác (dùng để thể hiện trên Bản đồ). Nhập các ký tự để tìm kiếm từ các địa điểm hiện có.',
'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.': 'Địa chỉ thư điện tử để gửi các yêu cầu phê duyệt (thông thường địa chỉ này là một nhóm các địa chỉ chứ không phải là các địa chỉ đơn lẻ). Nếu trường này bị bỏ trống thì các yêu cầu sẽ được tự động chấp thuận nếu miền phù hợp.',
'The Incident Reporting System allows the General Public to Report Incidents & have these Tracked.': 'Hệ thống Báo cáo Sự kiện cho phép ',
'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.': 'Địa điểm xuất phát của Người, có thể chung chung (dùng cho Báo cáo) hay chính xác (dùng để thể hiện trên Bản đồ). Nhập một số ký tự để tìm kiếm từ các địa điểm đã có.',
'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.': 'Địa điểm mà Người chuẩn bị đến, có thể là chung chung (dùng cho Báo cáo) hay chính xác (dùng để thể hiện trên Bản đồ). Nhập một số ký tự để tìm kiếm từ các địa điểm đã có.',
'The Media Library provides a catalog of digital media.': 'Thư viện Đa phương tiện cung cấp một danh mục các phương tiện số.',
'The Messaging Module is the main communications hub of the Sahana system. It is used to send alerts and/or messages using SMS & Email to various groups and individuals before, during and after a disaster.': 'Chức năng nhắn tin là trung tâm thông tin chính của hệ thống Sahana. Chức năng này được sử dụng để gửi cảnh báo và/ hoặc tin nhắn dạng SMS và email tới các nhóm và cá nhân trước, trong và sau thảm họa.',
'The Organization Registry keeps track of all the relief organizations working in the area.': 'Cơ quan đăng ký Tổ chức theo dõi tất cả các tổ chức cứu trợ đang hoạt động trong khu vực.',
'The Organization this record is associated with.': 'Tổ chức được ghi liên kết với.',
'The Role this person plays within this hospital.': 'Vai trò của người này trong bệnh viện',
'The Tracking Number %s is already used by %s.': 'Số Theo dõi %s đã được sử dụng bởi %s.',
'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 cho trang GetCapabilities của một Dịch vụ Bản đồ Mạng (WMS) có các lớp mà bạn muốn có thông qua bảng Trình duyệt trên Bản đồ.',
'The URL of your web gateway without the post parameters': 'URL của cổng mạng của bạn mà không có các thông số điện tín',
'The URL to access the service.': 'URL để truy cập dịch vụ.',
'The answers are missing': 'Chưa có các câu trả lời',
'The area is': 'Khu vực là',
'The attribute which is used for the title of popups.': 'Thuộc tính được sử dụng cho tiêu đề của các cửa sổ tự động hiển thị.',
'The attribute within the KML which is used for the title of popups.': 'Thuộc tính trong KML được sử dụng cho tiêu đề của các cửa sổ tự động hiển thị.',
'The attribute(s) within the KML which are used for the body of popups. (Use a space between attributes)': '(Các) thuộc tính trong KML được sử dụng cho phần nội dung của các cửa sổ tự động hiển thị. (Sử dụng dấu cách giữa các thuộc tính)',
'The body height (crown to heel) in cm.': 'Chiều cao của phần thân (từ đầu đến chân) tính theo đơn vị cm.',
'The contact person for this organization.': 'Người chịu trách nhiệm liên lạc cho tổ chức này',
'The facility where this position is based.': 'Bộ phận mà vị trí này trực thuộc',
'The first or only name of the person (mandatory).': 'Tên (bắt buộc phải điền).',
'The following %s have been added': '%s dưới đây đã được thêm vào',
'The following %s have been updated': '%s dưới đây đã được cập nhật',
'The form of the URL is http://your/web/map/service?service=WMS&request=GetCapabilities where your/web/map/service stands for the URL path to the WMS.': 'Dạng URL là http://your/web/map/service?service=WMS&request=GetCapabilities where your/web/map/service stands for the URL path to the WMS.',
'The hospital this record is associated with.': 'Bệnh viện lưu hồ sơ này',
'The language you wish the site to be displayed in.': 'Ngôn ngữ bạn muốn đê hiển thị trên trang web',
'The length is': 'Chiều dài là',
'The list of Brands are maintained by the Administrators.': 'Danh sách các Chi nhánh do Những người quản lý giữ.',
'The list of Catalogs are maintained by the Administrators.': 'Danh sách các Danh mục do Những người quản lý giữ.',
'The list of Item categories are maintained by the Administrators.': 'Danh sách category hàng hóa được quản trị viên quản lý',
'The map will be displayed initially with this latitude at the center.': 'Bản đồ sẽ được thể hiện đầu tiên với vĩ độ này tại địa điểm trung tâm.',
'The map will be displayed initially with this longitude at the center.': 'Bản đồ sẽ được thể hiện đầu tiên với kinh độ này tại địa điểm trung tâm.',
'The minimum number of features to form a cluster.': 'Các đặc điểm tối thiểu để hình thành một nhóm.',
'The name to be used when calling for or directly addressing the person (optional).': 'Tên được sử dụng khi gọi người này (tùy chọn).',
'The number geographical units that may be part of the aggregation': 'Số đơn vị địa lý có thể là một phần của tổ hợp',
'The number of Units of Measure of the Alternative Items which is equal to One Unit of Measure of the Item': 'Số Đơn vị Đo của Các mặt hàng thay thế bằng với Một Đơn vị Đo của Mặt hàng đó',
'The number of aggregated records': 'Số bản lưu đã được tổng hợp',
'The number of pixels apart that features need to be before they are clustered.': 'Số điểm ảnh ngoài mà các đặc điểm cần trước khi được nhóm',
'The number of tiles around the visible map to download. Zero means that the 1st page loads faster, higher numbers mean subsequent panning is faster.': 'Số lớp để tải về quanh bản đồ được thể hiện. Không có nghĩa là trang đầu tiên tải nhanh hơn, các con số cao hơn nghĩa là việc quét sau nhanh hơn.',
'The person reporting about the missing person.': 'Người báo cáo về người mất tích',
'The post variable containing the phone number': 'Vị trí có thể thay đổi đang chứa số điện thoại',
'The post variable on the URL used for sending messages': 'Vị trí có thể thay đổi trên URL được dùng để gửi tin nhắn',
'The post variables other than the ones containing the message and the phone number': 'Vị trí có thể thay đổi khác với các vị trí đang chứa các tin nhắn và số điện thoại',
'The serial port at which the modem is connected - /dev/ttyUSB0, etc on linux and com1, com2, etc on Windows': 'Chuỗi cổng kết nối mô đem - /dev/ttyUSB0, v.v. trên linux và com1, com2, v.v. trên Windows',
'The server did not receive a timely response from another server that it was accessing to fill the request by the browser.': 'Máy chủ không nhận được một phản hồi kịp thời từ một máy chủ khác khi đang truy cập để hoàn tất yêu cầu bằng bộ trình duyệt.',
'The server received an incorrect response from another server that it was accessing to fill the request by the browser.': 'Máy chủ đã nhận được một phản hồi sai từ một máy chủ khác khi đang truy cập để hoàn tất yêu cầu bằng bộ trình duyệt.',
'The simple policy allows anonymous users to Read & registered users to Edit. The full security policy allows the administrator to set permissions on individual tables or records - see models/zzz.py.': 'Các chính sách đơn giản cho phép người dùng ẩn danh đọc và đăng ký để chỉnh sửa. Các chính sách bảo mật đầy đủ cho phép quản trị viên thiết lập phân quyền trên các bảng cá nhân hay - xem mô hình / zzz.py.',
'The staff responsibile for Facilities can make Requests for assistance. Commitments can be made against these Requests however the requests remain open until the requestor confirms that the request is complete.': 'Cán bộ chịu trách nhiệm về Các cơ sở có thể đưa ra Yêu cầu trợ giúp. Các cam kết có thể được đưa ra đối với những Yêu cầu này tuy nhiên các yêu cầu này phải để mở cho đến khi người yêu cầu xác nhận yêu cầu đã hoàn tất.',
'The synchronization module allows the synchronization of data resources between Sahana Eden instances.': 'Mô đun đồng bộ hóa cho phép đồng bộ hóa nguồn dữ liệu giữa các phiên bản Sahana Eden.',
'The system supports 2 projections by default:': 'Hệ thống hỗ trợ 2 dự thảo bởi chế độ mặc định:',
'The token associated with this application on': 'Mã thông báo liên quan đến ứng dụng này trên',
'The unique identifier which identifies this instance to other instances.': 'Yếu tố khác biệt phân biệt lần này với các lần khác',
'The uploaded Form is unreadable, please do manual data entry.': 'Mẫu được tải không thể đọc được, vui lòng nhập dữ liệu thủ công',
'The weight in kg.': 'Trọng lượng tính theo đơn vị kg.',
'Theme Data deleted': 'Dữ liệu Chủ đề đã xóa',
'Theme Data updated': 'Dữ liệu Chủ đề đã cập nhật',
'Theme Data': 'Dữ liệu Chủ đề',
'Theme Details': 'Chi tiết Chủ đề',
'Theme Layer': 'Lớp Chủ đề',
'Theme Sectors': 'Lĩnh vực của Chủ đề',
'Theme added': 'Chủ đề được thêm vào',
'Theme deleted': 'Chủ đề đã xóa',
'Theme removed': 'Chủ đề đã loại bỏ',
'Theme updated': 'Chủ đề đã cập nhật',
'Theme': 'Chủ đề',
'Themes': 'Chủ đề',
'There are multiple records at this location': 'Có nhiều bản lưu tại địa điểm này',
'There is a problem with your file.': 'Có vấn đề với tệp tin của bạn.',
'There is insufficient data to draw a chart from the questions selected': 'Không có đủ dữ liệu để vẽ biểu đồ từ câu hỏi đã chọn',
'There is no address for this person yet. Add new address.': 'Chưa có địa chỉ về người này. Hãy thêm địa chỉ.',
'There was a problem, sorry, please try again later.': 'Đã có vấn đề, xin lỗi, vui lòng thử lại sau.',
'These are settings for Inbound Mail.': 'Đây là những cài đặt cho Hộp thư đến.',
'These are the Incident Categories visible to normal End-Users': 'Đây là những Nhóm Sự kiện hiển thị cho Người dùng Cuối cùng thông thường.',
'These are the filters being used by the search.': 'Đây là những bộ lọc sử dụng cho tìm kiếm.',
'These need to be added in Decimal Degrees.': 'Cần thêm vào trong Số các chữ số thập phân.',
'They': 'Người ta',
'This Group has no Members yet': 'Hiện không có hội viên nào được đăng ký',
'This Team has no Members yet': 'Hiện không có hội viên nào được đăng ký',
'This adjustment has already been closed.': 'Điều chỉnh này đã đóng.',
'This email-address is already registered.': 'Địa chỉ email này đã được đăng ký.',
'This form allows the administrator to remove a duplicate location.': 'Mẫu này cho phép quản trị viên xóa bỏ các địa điểm trùng',
'This is appropriate if this level is under construction. To prevent accidental modification after this level is complete, this can be set to False.': 'Lựa chọn này phù hợp nếu cấp độ này đang được xây dựng. Để không vô tình chỉnh sửa sau khi hoàn tất cấp độ này, lựa chọn này có thể được đặt ở giá trị Sai.',
'This is normally edited using the Widget in the Style Tab in the Layer Properties on the Map.': 'Điều này thông thường được chỉnh sửa sử dụng Công cụ trong Mục Kiểu dáng trong Các đặc trưng của Lớp trên Bản đồ.',
'This is the full name of the language and will be displayed to the user when selecting the template language.': 'Đây là tên đầy đủ của ngôn ngữ và sẽ được thể hiện với người dùng khi lựa chọn ngôn ngữ.',
'This is the name of the parsing function used as a workflow.': 'Đây là tên của chức năng phân tích cú pháp được sử dụng như là một chuỗi công việc.',
'This is the name of the username for the Inbound Message Source.': 'Đây là tên của người dùng cho Nguồn tin nhắn đến.',
'This is the short code of the language and will be used as the name of the file. This should be the ISO 639 code.': 'Đây là mã ngắn gọn của ngôn ngữ và sẽ được sử dụng làm tên của tệp tin. Mã này nên theo mã ISO 639.',
'This is the way to transfer data between machines as it maintains referential integrity.': 'Đây là cách truyền dữ liệu giữa các máy vì nó bảo toàn tham chiếu',
'This job has already been finished successfully.': 'Công việc đã được thực hiện thành công.',
'This level is not open for editing.': 'Cấp độ này không cho phép chỉnh sửa.',
'This might be due to a temporary overloading or maintenance of the server.': 'Điều này có lẽ là do máy chủ đang quá tải hoặc đang được bảo trì.',
'This module allows Warehouse Stock to be managed, requested & shipped between the Warehouses and Other Inventories': 'Chức năng này giúp việc quản lý, đặt yêu cầu và di chuyển hàng lưu trữ giữa các kho hàng và các vị trí lưu trữ khác trong kho',
'This resource cannot be displayed on the map!': 'Nguồn lực này không thể hiện trên bản đồ!',
'This resource is already configured for this repository': 'Nguồn lực này đã được thiết lập cấu hình cho kho hàng này',
'This role can not be assigned to users.': 'Chức năng không thể cấp cho người sử dụng',
'This screen allows you to upload a collection of photos to the server.': 'Màn hình này cho phép bạn đăng tải một bộ sưu tập hình ảnh lên máy chủ.',
'This shipment contains %s items': 'Lô hàng này chứa %s mặt hàng',
'This shipment contains one item': 'Lô hàng này chứa một mặt hàng',
'This shipment has already been received & subsequently canceled.': 'Lô hàng này đã được nhận & về sau bị hủy.',
'This shipment has already been received.': 'Lô hàng này đã được nhận.',
'This shipment has already been sent.': 'Lô hàng này đã được gửi.',
'This shipment has not been received - it has NOT been canceled because it can still be edited.': 'Lô hàng này chưa được nhận - KHÔNG bị hủy vì vẫn có thể điều chỉnh.',
'This shipment has not been returned.': 'Lô hàng này chưa được trả lại.',
'This shipment has not been sent - it cannot be returned because it can still be edited.': 'Lô hàng này chưa được gửi - không thể trả lại vì vẫn có thể điều chỉnh.',
'This shipment has not been sent - it has NOT been canceled because it can still be edited.': 'Lô hàng này chưa được gửi - KHÔNG bị hủy vì vẫn có thể điều chỉnh.',
'This should be an export service URL': 'Có thể đây là một dịch vụ xuất URL',
'Thunderstorm': 'Giông bão',
'Thursday': 'Thứ Năm',
'Ticket Details': 'Chi tiết Ticket',
'Ticket Viewer': 'Người kiểm tra vé',
'Ticket deleted': 'Đã xóa Ticket',
'Ticket': 'Vé',
'Tickets': 'Vé',
'Tiled': 'Lợp',
'Time Actual': 'Thời gian thực tế',
'Time Estimate': 'Ước lượng thời gian',
'Time Estimated': 'Thời gian dự đoán',
'Time Frame': 'Khung thời gian',
'Time In': 'Thời điểm vào',
'Time Log Deleted': 'Lịch trình thời gian đã xóa',
'Time Log Updated': 'Lịch trình thời gian đã cập nhật',
'Time Log': 'Lịch trình thời gian',
'Time Logged': 'Thời gian truy nhập',
'Time Out': 'Thời gian thoát',
'Time Question': 'Câu hỏi thời gian',
'Time Taken': 'Thời gian đã dùng',
'Time of Request': 'Thời gian yêu cầu',
'Time': 'Thời gian',
'Timeline': 'Nhật ký',
'Title to show for the Web Map Service panel in the Tools panel.': 'Tiêu đề thể hiện với bảng Dịch vụ Bản đồ Mạng trong bảng Công cụ.',
'Title': 'Tiêu đề',
'To Organization': 'Tới Tổ chức',
'To Person': 'Tới Người',
'To Warehouse/Facility/Office': 'Tới Nhà kho/Bộ phận/Văn phòng',
'To begin the sync process, click the button on the right => ': 'Nhấp chuột vào nút bên phải để kích hoạt quá trình đồng bộ',
'To edit OpenStreetMap, you need to edit the OpenStreetMap settings in your Map Config': 'Để chỉnh sửa OpenStreetMap, bạn cần chỉnh sửa cài đặt OpenStreetMap trong cài đặt cấu hình bản đồ của bạn.',
'To variable': 'Tới biến số',
'To': 'Tới',
'Tools and Guidelines Development': 'Xây dựng các hướng dẫn và công cụ',
'Tools': 'Công cụ',
'Tornado': 'Lốc xoáy',
'Total # of Target Beneficiaries': 'Tổng số # đối tượng hưởng lợi',
'Total Annual Budget': 'Tổng ngân sách hàng năm',
'Total Cost per Megabyte': 'Tổng chi phí cho mỗi Megabyte',
'Total Cost': 'Giá tổng',
'Total Funding Amount': 'Tổng số tiền hỗ trợ',
'Total Locations': 'Tổng các vị trí',
'Total Persons': 'Tổng số người',
'Total Recurring Costs': 'Tổng chi phí định kỳ',
'Total Value': 'Giá trị tổng',
'Total number of beds in this hospital. Automatically updated from daily reports.': 'Tổng số giường bệnh trong bệnh viện này. Tự động cập nhật từ các báo cáo hàng ngày.',
'Total number of houses in the area': 'Tổng số nóc nhà trong khu vực',
'Total number of schools in affected area': 'Số lượng trường học trong khu vực chịu ảnh hưởng thiên tai',
'Total': 'Tổng',
'Tourist Group': 'Nhóm khách du lịch',
'Tracing': 'Đang tìm kiếm',
'Track Shipment': 'Theo dõi lô hàng',
'Track with this Person?': 'Theo dõi Người này?',
'Track': 'Dấu viết',
'Trackable': 'Có thể theo dõi được',
'Tracking and analysis of Projects and Activities.': 'Giám sát và phân tích Dự án và Hoạt động',
'Traffic Report': 'Báo cáo giao thông',
'Training (Count)': 'Tập huấn (Số lượng)',
'Training Course Catalog': 'Danh mục khóa tập huấn',
'Training Courses': 'Danh mục khóa tập huấn',
'Training Details': 'Chi tiết về khóa tập huấn',
'Training Event Details': 'Chi tiết về khóa tập huấn',
'Training Event added': 'Khóa tập huấn được thêm vào',
'Training Event deleted': 'Khóa tập huấn đã xóa',
'Training Event updated': 'Khóa tập huấn đã cập nhật',
'Training Event': 'Khóa tập huấn',
'Training Events': 'Khóa tập huấn',
'Training Facility': 'Đơn vị đào tạo',
'Training Hours (Month)': 'Thời gian tập huấn (Tháng)',
'Training Hours (Year)': 'Thời gian tập huấn (Năm)',
'Training Report': 'Tập huấn',
'Training added': 'Tập huấn được thêm vào',
'Training deleted': 'Tập huấn đã xóa',
'Training of Master Trainers/ Trainers': 'Tập huấn Giảng viên/ Giảng viên nguồn',
'Training Sector': 'Lĩnh vực tập huấn',
'Training updated': 'Tập huấn đã cập nhật',
'Training': 'Tập huấn',
'Trainings': 'Tập huấn',
'Transfer Ownership To (Organization/Branch)': 'Chuyển Quyền sở hữu cho (Tổ chức/ Chi nhánh)',
'Transfer Ownership': 'Chuyển Quyền sở hữu',
'Transfer': 'Chuyển giao',
'Transit Status': 'Tình trạng chuyển tiếp',
'Transit': 'Chuyển tiếp',
'Transitional Shelter Construction': 'Xây dựng nhà tạm',
'Transitional Shelter': 'Nhà tạm',
'Translate': 'Dịch',
'Translated File': 'File được dịch',
'Translation Functionality': 'Chức năng Dịch',
'Translation': 'Dịch',
'Transparent?': 'Có minh bạch không?',
'Transportation Required': 'Cần vận chuyển',
'Transported By': 'Đơn vị vận chuyển',
'Tropical Storm': 'Bão nhiệt đới',
'Tropo Messaging Token': 'Mã thông báo tin nhắn Tropo',
'Tropo settings updated': 'Cài đặt Tropo được cập nhật',
'Truck': 'Xe tải',
'Try checking the URL for errors, maybe it was mistyped.': 'Kiểm tra đường dẫn URL xem có lỗi không, có thể đường dẫn bị gõ sai.',
'Try hitting refresh/reload button or trying the URL from the address bar again.': 'Thử nhấn nút làm lại/tải lại hoặc thử lại URL từ trên thanh địa chỉ.',
'Try refreshing the page or hitting the back button on your browser.': 'Thử tải lại trang hoặc nhấn nút trở lại trên trình duyệt của bạn.',
'Tsunami': 'Sóng thần',
'Twilio SMS InBox': 'Hộp thư đến SMS twilio',
'Twilio SMS Inbox empty. ': 'Hộp thư đến Twilio trống.',
'Twilio SMS Inbox': 'Hộp thư đến Twilio',
'Twilio SMS Settings': 'Cài đặt SMS twilio',
'Twilio SMS deleted': 'Tin nhắn Twilio đã xóa',
'Twilio SMS updated': 'Tin nhắn Twilio được cập nhật',
'Twilio SMS': 'Tin nhắn Twilio',
'Twilio Setting Details': 'Chi tiết cài đặt Twilio',
'Twilio Setting added': 'Cài đặt Twilio được thêm vào',
'Twilio Setting deleted': 'Cài đặt Twilio đã xóa',
'Twilio Settings': 'Cài đặt Twilio',
'Twilio settings updated': 'Cài đặt Twilio được cập nhật',
'Twitter ID or #hashtag': 'Tên đăng nhập Twitter hay từ hay chuỗi các ký tự bắt đầu bằng dấu # (#hashtag)',
'Twitter Settings': 'Cài đặt Twitter',
'Type of Transport': 'Loại phương tiện giao thông',
'Type of adjustment': 'Loại hình điều chỉnh',
'Type': 'Đối tượng',
'Types of Activities': 'Các loại hình Hoạt động',
'Types': 'Các loại',
'UPDATE': 'CẬP NHẬT',
'URL for the twilio API.': 'URL cho twilio API.',
'URL of the default proxy server to connect to remote repositories (if required). If only some of the repositories require the use of a proxy server, you can configure this in the respective repository configurations.': 'URL của máy chủ trung chuyển mặc định để kết nối với các kho hàng ở khu vực xa (nếu cần thiết). Nếu chỉ có một số kho hàng cần một máy chủ trung chuyển sử dụng thì bạn có thể tạo cấu hình cho máy này tương ứng với cấu hình của kho hàng.',
'URL of the proxy server to connect to the repository (leave empty for default proxy)': 'URL của máy chủ trung chuyển để kết nối với kho hàng (để trống với phần ủy nhiệm mặc định)',
'URL to a Google Calendar to display on the project timeline.': 'URL đến Lịch Google để thể hiện dòng thời gian của dự án.',
'UTC Offset': 'Độ xê dịch giờ quốc tế',
'Un-Repairable': 'Không-Sửa chữa được',
'Unable to find sheet %(sheet_name)s in uploaded spreadsheet': 'Không thể tìm thấy bảng %(sheet_name)s trong bảng tính đã đăng tải',
'Unable to open spreadsheet': 'Không thể mở được bảng tính',
'Unable to parse CSV file or file contains invalid data': 'Không thể cài đặt cú pháp cho file CSV hoặc file chức dữ liệu không hợp lệ',
'Unable to parse CSV file!': 'Không thể đọc file CSV',
'Unassigned': 'Chưa được điều động',
'Under 5': 'Dưới 5',
'Under which condition a local record shall be updated if it also has been modified locally since the last synchronization': 'Trong điều kiện nào thì một bản lưu nội bộ sẽ được cập nhật nếu bản lưu này cũng được điều chỉnh trong nội bộ kể từ lần đồng bộ hóa cuối cùng',
'Under which conditions local records shall be updated': 'Trong những điều kiện nào thì các bản lưu nội bộ sẽ được cập nhật',
'Unidentified': 'Không nhận dạng được',
'Unique Locations': 'Các địa điểm duy nhất',
'Unique identifier which THIS repository identifies itself with when sending synchronization requests.': 'Ký hiệu nhận dạng duy nhất để kho hàng NÀY nhận dạng chính nó khi gửi các đề nghị đồng bộ hóa.',
'Unit Cost': 'Đơn giá',
'Unit Short Code for e.g. m for meter.': 'Viết tắt các đơn vị, ví dụ m viết tắt của mét',
'Unit Value': 'Thành tiền',
'Unit added': 'Đã thêm đơn vị',
'Unit of Measure': 'Đơn vị đo',
'Unit updated': 'Đơn vị được cập nhật',
'Unit': 'Đơn vị',
'United States Dollars': 'Đô La Mỹ',
'Units': 'Các đơn vị',
'University / College': 'Trung cấp / Cao đẳng / Đại học',
'Unknown Locations': 'Địa điểm không xác định',
'Unknown question code': 'Mã câu hỏi chưa được biết đến',
'Unknown': 'Chưa xác định',
'Unloading': 'Đang gỡ ra',
'Unselect to disable the modem': 'Thôi chọn để tạm ngừng hoạt động của mô đem',
'Unselect to disable this API service': 'Thôi chọn để tạm ngừng dịch vụ API này',
'Unselect to disable this SMTP service': 'Thôi chọn để tạm ngừng dịch vụ SMTP này',
'Unsent': 'Chưa được gửi',
'Unspecified': 'Không rõ',
'Unsupported data format': 'Định dạng dữ liệu không được hỗ trợ',
'Unsupported method': 'Phương pháp không được hỗ trợ',
'Update Map': 'Cập nhật Bản đồ',
'Update Master file': 'Cập nhật tệp tin Gốc',
'Update Method': 'Cập nhật Phương pháp',
'Update Policy': 'Cập nhật Chính sách',
'Update Report': 'Cập nhật báo cáo',
'Update Request': 'Cập nhật Yêu cầu',
'Update Service Profile': 'Cập nhật hồ sơ đăng ký dịch vụ',
'Update Status': 'Cập nhật Tình trạng',
'Update Task Status': 'Cập nhật tình trạng công việc ',
'Update this entry': 'Cập nhật hồ sơ này',
'Updated By': 'Được cập nhật bởi',
'Upload .CSV': 'Tải lên .CSV',
'Upload Completed Assessment Form': 'Tải lên Mẫu đánh giá đã hoàn thiện',
'Upload Format': 'Tải định dạng',
'Upload Photos': 'Tải lên Hình ảnh',
'Upload Scanned OCR Form': 'Tải mẫu scan OCR',
'Upload Web2py portable build as a zip file': 'Tải lên Web2py như một tệp nén',
'Upload a Question List import file': 'Tải lên một tệp tin được chiết xuất chứa Danh sách các câu hỏi',
'Upload a Spreadsheet': 'Tải một bảng tính lên',
'Upload a file formatted according to the Template.': 'Nhập khẩu được định dạng theo mẫu',
'Upload a text file containing new-line separated strings:': 'Tải lên một tệp tin văn bản chứa các chuỗi được tách thành dòng mới:',
'Upload an Assessment Template import file': 'Tải lên một tệp tin được chiết xuất chứa Biểu mẫu Khảo sát đánh giá',
'Upload an image file (png or jpeg), max. 400x400 pixels!': 'Tải lên file hình ảnh (png hoặc jpeg) có độ phân giải tối đa là 400x400 điểm ảnh!',
'Upload demographic data': 'Tải lên dữ liệu nhân khẩu',
'Upload file': 'Tải file',
'Upload indicators': 'Tải lên các chỉ số',
'Upload successful': 'Tải lên thành công',
'Upload the (completely or partially) translated csv file': 'Tải lên (toàn bộ hoặc một phần) tệp tin csv đã được chuyển ngữ',
'Upload the Completed Assessment Form': 'Tải lên Mẫu đánh giá',
'Upload translated files': 'Tải file được dịch',
'Upload': 'Tải lên',
'Uploaded PDF file has more/less number of page(s) than required. Check if you have provided appropriate revision for your Form as well as check the Form contains appropriate number of pages.': '',
'Uploaded file is not a PDF file. Provide a Form in valid PDF Format.': 'File được tải không phải định dạng PDF. Cung cấp mẫu ở định dạng PDF',
'Uploading report details': 'Đang tải lên các chi tiết báo cáo',
'Urban Fire': 'Cháy trong thành phố',
'Urban Risk & Planning': 'Quy hoạch đô thị và Rủi ro đô thị',
'Urdu': 'Ngôn ngữ Urdu(một trong hai ngôn ngữ chính thức tại Pakistan',
'Urgent': 'Khẩn cấp',
'Use (...)&(...) for AND, (...)|(...) for OR, and ~(...) for NOT to build more complex queries.': 'Sử dụng (...)&(...) cho VÀ, (...)|(...) cho HOẶC, và ~(...) cho KHÔNG để tạo ra những câu hỏi phức tạp hơn.',
'Use Geocoder for address lookups?': 'Sử dụng Geocoder để tìm kiếm địa chỉ?',
'Use Translation Functionality': 'Sử dụng Chức năng Dịch',
'Use decimal': 'Sử dụng dấu phẩy',
'Use default': 'Sử dụng cài đặt mặc định',
'Use deg, min, sec': 'Sử dụng độ, phút, giây',
'Use these links to download data that is currently in the database.': 'Dùng liên kết này để tải dữ liệu hiện có trên cơ sở dữ liệu xuống',
'Use this space to add a description about the Bin Type.': 'Thêm thông tin mô tả loại Bin ở đây',
'Use this space to add a description about the warehouse/site.': 'Thêm mô tả nhà kho/site ở đây',
'Use this space to add additional comments and notes about the Site/Warehouse.': 'Viết bình luận và ghi chú về site/nhà kho ở đây',
'Use this to set the starting location for the Location Selector.': 'Sử dụng cái này để thiết lập địa điểm xuất phát cho Bộ chọn lọc Địa điểm.',
'Used in onHover Tooltip & Cluster Popups to differentiate between types.': 'Đã dùng trong onHover Tooltip & Cluster Popups để phân biệt các loại',
'Used to build onHover Tooltip & 1st field also used in Cluster Popups to differentiate between records.': 'Đã dùng để xây dựng onHover Tooltip & trường thứ nhất cũng đã sử dụng trong Cluster Popups phân biệt các hồ sơ.',
'Used to check that latitude of entered locations is reasonable. May be used to filter lists of resources that have locations.': 'Được sử dụng để kiểm tra vĩ độ của những địa điểm được nhập có chính xác không. Có thể được sử dụng để lọc danh sách các nguồn lực có địa điểm.',
'Used to check that longitude of entered locations is reasonable. May be used to filter lists of resources that have locations.': 'Được sử dụng để kiểm tra kinh độ của những địa điểm được nhập có chính xác không. Có thể được sử dụng để lọc danh sách các nguồn lực có địa điểm.',
'User Account has been Approved': 'Tài khoản của người sử dụng đã được duyệt',
'User Account has been Disabled': 'Tài khoản của người sử dụng đã bị ngưng hoạt động',
'User Account': 'Tài khoản của người sử dụng',
'User Details': 'Thông tin về người sử dụng',
'User Guidelines Synchronization': 'Đồng bộ hóa Hướng dẫn cho Người sử dụng',
'User Management': 'Quản lý người dùng',
'User Profile': 'Hồ sơ người sử dụng',
'User Requests': 'Yêu cầu của người dùng',
'User Roles': 'Vai trò của người sử dụng',
'User Updated': 'Đã cập nhât người dùng',
'User added to Role': 'Người sử dụng được thêm vào chức năng',
'User added': 'Người sử dụng được thêm vào',
'User deleted': 'Người sử dụng đã xóa',
'User has been (re)linked to Person and Human Resource record': 'Người sử dụng đã được liên kết thành công',
'User updated': 'Người sử dụng được cập nhật',
'User with Role': 'Người sử dụng có chức năng này',
'User': 'Người sử dụng',
'Username to use for authentication at the remote site.': 'Tên người sử dụng dùng để xác nhận tại khu vực ở xa.',
'Username': 'Tên người sử dụng',
'Users in my Organizations': 'Những người dùng trong tổ chức của tôi',
'Users removed': 'Xóa người dùng',
'Users with this Role': 'Những người sử dụng với chức năng này',
'Users': 'Danh sách người dùng',
'Uses the REST Query Format defined in': 'Sử dụng Định dạng câu hỏi REST đã được xác định trong',
'Ushahidi Import': 'Nhập Ushahidi',
'Utilization Details': 'Chi tiết về Việc sử dụng',
'Utilization Report': 'Báo cáo quá trình sử dụng',
'VCA (Vulnerability and Capacity Assessment': 'VCA (Đánh giá Tình trạng dễ bị tổn thương và Khả năng)',
'VCA REPORTS': 'BÁO CÁO VCA',
'VCA Report': 'Báo cáo VCA',
'Valid From': 'Có hiệu lực từ',
'Valid Until': 'Có hiệu lực đến',
'Valid': 'Hiệu lực',
'Validation error': 'Lỗi xác thực',
'Value per Pack': 'Giá trị mỗi gói',
'Value': 'Giá trị',
'Vector Control': 'Kiểm soát Vec-tơ',
'Vehicle Assignment updated': 'Việc điệu động xe được cập nhật',
'Vehicle Assignments': 'Các việc điều động xe',
'Vehicle Crime': 'Tội phạm liên quan đến xe',
'Vehicle Details': 'Thông tin về xe',
'Vehicle Plate Number': 'Biển số xe',
'Vehicle Types': 'Loại phương tiện di chuyển',
'Vehicle assigned': 'Xe được điều động',
'Vehicle unassigned': 'Xe chưa được điều động',
'Vehicle': 'Xe',
'Vehicles': 'Phương tiện di chuyển',
'Venue': 'Địa điểm tổ chức',
'Verified': 'Đã được thẩm định',
'Verified?': 'Đã được thẩm định?',
'Verify Password': 'Kiểm tra mật khẩu',
'Verify password': 'Kiểm tra mật khẩu',
'Version': 'Phiên bản',
'Very Good': 'Rất tốt',
'Very Strong': 'Rất mạnh',
'Vietnamese': 'Tiếng Việt',
'View Alerts received using either Email or SMS': 'Xem các Cảnh báo nhận được sử dụng thư điện tử hoặc tin nhắn',
'View All': 'Xem tất cả',
'View Email InBox': 'Xem hộp thư điện tử đến',
'View Email Settings': 'Xem cài đặt thư điện tử',
'View Error Tickets': 'Xem các vé lỗi',
'View Fullscreen Map': 'Xem bản đồ toàn màn hình',
'View Items': 'Xem các mặt hàng',
'View Location Details': 'Xem chi tiết vị trí',
'View Outbox': 'Xem hộp thư điện tử đi',
'View Reports': 'Xem báo cáo',
'View Requests for Aid': 'Xem Yêu cầu viện trợ',
'View Settings': 'Xem cài đặt',
'View Test Result Reports': 'Xem báo cáo kết quả kiểm tra',
'View Translation Percentage': 'Xem tỷ lệ phần trăm chuyển đổi',
'View Twilio SMS': 'Xem tin nhắn văn bản Twilio',
'View Twilio Settings': 'Xem các Cài đặt Twilio',
'View all log entries': 'Xem toàn bộ nhật ký ghi chép',
'View as Pages': 'Xem từng trang',
'View full size': 'Xem kích thước đầy đủ',
'View log entries per repository': 'Xem ghi chép nhật ký theo kho hàng',
'View on Map': 'Xem trên bản đồ',
'View or update the status of a hospital.': 'Xem hoặc cập nhật trạng thái của một bệnh viện',
'View the hospitals on a map.': 'Hiển thị bệnh viện trên bản đồ',
'View the module-wise percentage of translated strings': 'Xem phần trăm ',
'View': 'Xem',
'View/Edit the Database directly': 'Trực tiếp Xem/Sửa Cơ sở dữ liệu',
'Village / Suburb': 'Thôn / Xóm',
'Violence Prevention': 'Phòng ngừa bạo lực',
'Vocational School/ College': 'Trung cấp/ Cao đẳng',
'Volcanic Ash Cloud': 'Mây bụi núi lửa',
'Volcanic Event': 'Sự kiện phun trào núi lửa',
'Volcano': 'Núi lửa',
'Volume (m3)': 'Thể tích (m3)',
'Volunteer Cluster Position added': 'Vị trí Nhóm Tình nguyện viên được thêm vào',
'Volunteer Cluster Position deleted': 'Vị trí Nhóm Tình nguyện viên đã xóa',
'Volunteer Cluster Position updated': 'Vị trí Nhóm Tình nguyện viên được cập nhật',
'Volunteer Cluster Position': 'Vị trí Nhóm Tình nguyện viên',
'Volunteer Cluster Type added': 'Mô hình Nhóm Tình nguyện viên được thêm vào',
'Volunteer Cluster Type deleted': 'Mô hình Nhóm Tình nguyện viên đã xóa',
'Volunteer Cluster Type updated': 'Mô hình Nhóm Tình nguyện viên được cập nhật',
'Volunteer Cluster Type': 'Mô hình Nhóm Tình nguyện viên',
'Volunteer Cluster added': 'Nhóm Tình nguyện viên được thêm vào',
'Volunteer Cluster deleted': 'Nhóm Tình nguyện viên đã xóa',
'Volunteer Cluster updated': 'Nhóm Tình nguyện viên được cập nhật',
'Volunteer Cluster': 'Nhóm Tình nguyện viên',
'Volunteer Data': 'Dữ liệu tình nguyện viên',
'Volunteer Details updated': 'Thông tin về Tình nguyện viên được cập nhật',
'Volunteer Details': 'Thông tin về Tình nguyện viên',
'Volunteer Management': 'Quản lý tình nguyện viên',
'Volunteer Project': 'Dự án tình nguyện',
'Volunteer Record': 'Hồ sơ TNV',
'Volunteer Registration': 'Đăng ký tình nguyện viên',
'Volunteer Registrations': 'Đăng ksy tình nguyện viên',
'Volunteer Report': 'Tình nguyện viên',
'Volunteer Request': 'Đề nghị Tình nguyện viên',
'Volunteer Role (Count)': 'Chức năng nhiệm vụ TNV (Số lượng)',
'Volunteer Role Catalog': 'Danh mục về Vai trò của Tình nguyện viên',
'Volunteer Role Catalogue': 'Danh mục vai trò TNV',
'Volunteer Role Details': 'Chi tiết về Vai trò của Tình nguyện viên',
'Volunteer Role added': 'Vai trò của Tình nguyện viên được thêm vào',
'Volunteer Role deleted': 'Vai trò của Tình nguyện viên đã xóa',
'Volunteer Role updated': 'Vai trò của Tình nguyện viên được cập nhật',
'Volunteer Role': 'Chức năng nhiệm vụ TNV',
'Volunteer Roles': 'Chức năng nhiệm vụ TNV',
'Volunteer Service Record': 'Bản lưu Dịch vụ Tình nguyện viên',
'Volunteer added': 'Tình nguyện viên được thêm vào',
'Volunteer and Staff Management': 'Quản lý TNV và Cán bộ',
'Volunteer deleted': 'Tình nguyện viên đã xóa',
'Volunteer registration added': 'Đã thêm đăng ký tình nguyện viên',
'Volunteer registration deleted': 'Đã xóa đăng ký tình nguyện viên',
'Volunteer registration updated': 'Đã cập nhật đăng ký tình nguyện viên',
'Volunteer': 'Tình nguyện viên',
'Volunteers': 'Tình nguyện viên',
'Votes': 'Bình chọn',
'Vulnerability Aggregated Indicator Details': 'Chi tiết về chỉ số tổng hợp về Tình trạng dễ bị tổn thương',
'Vulnerability Aggregated Indicator added': 'Chỉ số tổng hợp về Tình trạng dễ bị tổn thương được thêm vào',
'Vulnerability Aggregated Indicator deleted': 'Chỉ số tổng hợp về Tình trạng dễ bị tổn thương đã xóa',
'Vulnerability Aggregated Indicator updated': 'Chỉ số tổng hợp về Tình trạng dễ bị tổn thương được cập nhật',
'Vulnerability Aggregated Indicator': 'Chỉ số tổng hợp về Tình trạng dễ bị tổn thương',
'Vulnerability Aggregated Indicators': 'Các chỉ số tổng hợp về Tình trạng dễ bị tổn thương',
'Vulnerability Data Details': 'Dữ liệu chi tiết về Tình trạng dễ bị tổn thương',
'Vulnerability Data added': 'Dữ liệu về Tình trạng dễ bị tổn thương được thêm vào',
'Vulnerability Data deleted': 'Dữ liệu về Tình trạng dễ bị tổn thương đã xóa',
'Vulnerability Data updated': 'Dữ liệu về Tình trạng dễ bị tổn thương được cập nhật',
'Vulnerability Data': 'Dữ liệu về Tình trạng dễ bị tổn thương',
'Vulnerability Indicator Details': 'Chỉ số chi tiết về Tình trạng dễ bị tổn thương',
'Vulnerability Indicator Source Details': 'Chi tiết Nguồn Chỉ số về Tình trạng dễ bị tổn thương',
'Vulnerability Indicator Sources': 'Các Nguồn Chỉ số về Tình trạng dễ bị tổn thương',
'Vulnerability Indicator added': 'Chỉ số về Tình trạng dễ bị tổn thương được thêm vào',
'Vulnerability Indicator deleted': 'Chỉ số về Tình trạng dễ bị tổn thương đã xóa',
'Vulnerability Indicator updated': 'Chỉ số về Tình trạng dễ bị tổn thương được cập nhật',
'Vulnerability Indicator': 'Chỉ số về Tình trạng dễ bị tổn thương',
'Vulnerability Indicators': 'Các Chỉ số về Tình trạng dễ bị tổn thương',
'Vulnerability Mapping': 'Vẽ bản đồ về Tình trạng dễ bị tổn thương',
'Vulnerability indicator sources added': 'Các nguồn chỉ số về Tình trạng dễ bị tổn thương được thêm vào',
'Vulnerability indicator sources deleted': 'Các nguồn chỉ số về Tình trạng dễ bị tổn thương đã xóa',
'Vulnerability indicator sources updated': 'Các nguồn chỉ số về Tình trạng dễ bị tổn thương được cập nhật',
#'Vulnerability': 'Tình trạng dễ bị tổn thương',
'Vulnerability': 'TTDBTT',
'Vulnerable Populations': 'Đối tượng dễ bị tổn thương',
'WARNING': 'CẢNH BÁO',
'WATSAN': 'NSVS',
'WAYBILL': 'VẬN ĐƠN',
'WFS Layer': 'Lớp WFS',
'WGS84 (EPSG 4236) is required for many WMS servers.': 'WGS84 (EPSG 4236) cần có cho nhiều máy chủ WMS.',
'WMS Layer': 'Lớp WMS',
'Warehouse Details': 'Thông tin về Nhà kho',
'Warehouse Management': 'Quản lý kho hàng',
'Warehouse Stock Details': 'Thông tin về Hàng hóa trong kho',
'Warehouse Stock Report': 'Báo cáo Hàng hóa trong Nhà kho',
'Warehouse Stock updated': 'Hàng hóa trong kho được cập nhật',
'Warehouse Stock': 'Hàng trong kho',
'Warehouse added': 'Nhà kho được thêm vào',
'Warehouse deleted': 'Nhà kho đã xóa',
'Warehouse updated': 'Nhà kho được cập nhật',
'Warehouse': 'Nhà kho',
'Warehouse/Facility/Office (Recipient)': 'Nhà kho/Bộ phận/Văn phòng (Bên nhận)',
'Warehouse/Facility/Office': 'Nhà kho/Bộ phận/Văn phòng',
'Warehouses': 'Nhà kho',
'Water Sources': 'Các nguồn nước',
'Water Supply': 'Cung cấp nước sạch',
'Water and Sanitation': 'Nước sạch và Vệ sinh',
'Water gallon': 'Ga-lông nước',
'Water': 'Nước',
'Waterspout': 'Máng xối nước',
'Way Bill(s)': 'Hóa đơn thu phí đường bộ',
'Waybill Number': 'Số Vận đơn',
'We have tried': 'Chúng tôi đã cố gắng',
'Weak': 'Yếu',
'Web API settings updated': 'Cài đặt API Trang thông tin được cập nhật',
'Web API': 'API Trang thông tin',
'Web Form': 'Kiểu Trang thông tin',
'Web Map Service Browser Name': 'Tên Trình duyệt Dịch vụ Bản đồ Trang thông tin',
'Web Map Service Browser URL': 'URL Trình duyệt Dịch vụ Bản đồ Trang thông tin',
'Web2py executable zip file found - Upload to replace the existing file': 'Tệp tin nén có thể thực hiện chức năng gián điệp - Đăng tải để thay thế tệp tin đang tồn tại',
'Web2py executable zip file needs to be uploaded to use this function.': 'Tệp tin nén có thể thực hiện chức năng gián điệp cần được đăng tải để sử dụng chức năng này.',
'Website': 'Trang thông tin',
'Week': 'Tuần',
'Weekly': 'Hàng tuần',
'Weight (kg)': 'Trọng lượng (kg)',
'Weight': 'Trọng lượng',
'Welcome to %(system_name)s': 'Chào mừng anh/chị truy cập %(system_name)s',
'Welcome to the': 'Chào mừng bạn tới',
'Well-Known Text': 'Từ khóa thường được dùng',
'What are you submitting?': 'Bạn đang gửi cái gì?',
'What order to be contacted in.': 'Đơn hàng nào sẽ được liên hệ trao đổi.',
'What the Items will be used for': 'Các mặt hàng sẽ được sử dụng để làm gì',
'When this search was last checked for changes.': 'Tìm kiếm này được kiểm tra lần cuối là khi nào để tìm ra những thay đổi.',
'Whether the Latitude & Longitude are inherited from a higher level in the location hierarchy rather than being a separately-entered figure.': 'Vĩ độ & Kinh độ có được chiết xuất từ một địa điểm có phân cấp hành chính cao hơn hay là một con số được nhập riêng lẻ.',
'Whether the resource should be tracked using S3Track rather than just using the Base Location': 'Nguồn lực nên được theo dõi sử dụng Dấu vết S3 hay chỉ sử dụng Địa điểm cơ bản',
'Which methods to apply when importing data to the local repository': 'Áp dụng phương pháp nào khi nhập dữ liệu vào kho dữ liệu nội bộ',
'Whiskers': 'Râu',
'Who is doing What Where': 'Ai đang làm Gì Ở đâu',
'Who usually collects water for the family?': 'Ai là người thường đi lấy nước cho cả gia đình',
'Widowed': 'Góa',
'Width (m)': 'Rộng (m)',
'Width': 'Độ rộng',
'Wild Fire': 'Cháy Lớn',
'Will be filled automatically when the Item has been Repacked': 'Sẽ được điền tự động khi Hàng hóa được Đóng gói lại',
'Will be filled automatically when the Shipment has been Received': 'Sẽ được điền tự động khi Lô hàng được Nhận',
'Wind Chill': 'Rét cắt da cắt thịt',
'Winter Storm': 'Bão Mùa đông',
'Women of Child Bearing Age': 'Phụ nữ trong độ tuổi sinh sản',
'Women who are Pregnant or in Labour': 'Phụ nữ trong thời kỳ thai sản',
'Work phone': 'Điện thoại công việc',
'Work': 'Công việc',
'Workflow not specified!': 'Chuỗi công việc chưa được xác định!',
'Workflow': 'Chuỗi công việc',
'Working hours end': 'Hết giờ làm việc',
'Working hours start': 'Bắt đầu giờ làm việc',
'X-Ray': 'Tia X',
'XML parse error': 'Lỗi phân tích cú pháp trong XML',
'XSLT stylesheet not found': 'Không tìm thấy kiểu bảng tính XSLT',
'XSLT transformation error': 'Lỗi chuyển đổi định dạng XSLT',
'XYZ Layer': 'Lớp XYZ',
'YES': 'CÓ',
'Year of Manufacture': 'Năm sản xuất',
'Year that the organization was founded': 'Năm thành lập tổ chức',
'Year': 'Năm',
'Yes': 'Có',
'Yes, No': 'Có, Không',
'You are about to submit indicator ratings for': 'Bạn chuẩn bị gửi đánh giá chỉ số cho',
'You are attempting to delete your own account - are you sure you want to proceed?': 'Bạn đang cố gắng xóa tài khoản của bạn - bạn có chắc chắn muốn tiếp tục không?',
'You are currently reported missing!': 'Hiện tại bạn được báo cáo là đã mất tích!',
'You are not permitted to approve documents': 'Bạn không được phép phê duyệt tài liệu',
'You are not permitted to upload files': 'Bạn không được phép đăng tải tệp tin',
'You are viewing': 'Bạn đang xem',
'You can click on the map below to select the Lat/Lon fields': 'Bạn có thể nhấn vào bản đồ phía dưới để chọn các trường Vĩ độ/Kinh độ',
'You can only make %d kit(s) with the available stock': 'Bạn chỉ có thể điền %d bộ(s) với các số lượng hàng có sẵn',
'You can select the Draw tool': 'Bạn có thể lựa chọn công cụ Vẽ',
'You can set the modem settings for SMS here.': 'Bạn có thể cài đặt modem cho tin nhắn ở đây',
'You can use the Conversion Tool to convert from either GPS coordinates or Degrees/Minutes/Seconds.': 'Bạn có thể sử dụng Công cụ Đổi để chuyển đổi từ tọa độ GPS (Hệ thống định vị toàn cầu) hoặc Độ/ Phút/ Giây.',
'You do not have permission for any facility to add an order.': 'Bạn không có quyền đối với bất kỳ tính năng nào để thêm đơn đặt hàng.',
'You do not have permission for any facility to make a commitment.': 'Bạn không có quyền đối với bất kỳ tính năng nào để đưa ra cam kết.',
'You do not have permission for any facility to make a request.': 'Bạn không có quyền đối với bất kỳ tính năng nào để đưa ra yêu cầu.',
'You do not have permission for any facility to perform this action.': 'Bạn không có quyền đối với bất kỳ tính năng nào để thực hiện hành động này.',
'You do not have permission for any facility to receive a shipment.': 'Bạn không có quyền đối với bất kỳ tính năng nào để nhận chuyến hàng.',
'You do not have permission for any facility to send a shipment.': 'Bạn không có quyền đối với bất kỳ tính năng nào để gửi chuyến hàng.',
'You do not have permission for any organization to perform this action.': 'Bạn không có quyền truy cập bất cứ tổ chức nào để thực hiện hành động này',
'You do not have permission for any site to add an inventory item.': 'Bạn không được phép thêm mặt hàng lưu kho tại bất kỳ địa điểm nào.',
'You do not have permission to adjust the stock level in this warehouse.': 'Bạn không được phép điều chỉnh cấp độ lưu kho trong nhà kho này.',
'You do not have permission to cancel this received shipment.': 'Bạn không được phép hủy lô hàng đã nhận này.',
'You do not have permission to cancel this sent shipment.': 'Bạn không được phép hủy lô hàng đã gửi này.',
'You do not have permission to make this commitment.': 'Bạn không được phép thực hiện cam kết này.',
'You do not have permission to receive this shipment.': 'Bạn không được phép nhận lô hàng này.',
'You do not have permission to return this sent shipment.': 'Bạn không được phép trả lại lô hàng đã gửi này.',
'You do not have permission to send messages': 'Bạn không được phép gửi tin nhắn',
'You do not have permission to send this shipment.': 'Bạn không được phép gửi lô hàng này.',
'You have unsaved changes. You need to press the Save button to save them': 'Bạn chưa lưu lại những thay đổi. Bạn cần nhấn nút Lưu để lưu lại những thay đổi này',
'You must enter a minimum of %d characters': 'Bạn phải điền ít nhất %d ký tự',
'You must provide a series id to proceed.': 'Bạn phải nhập số id của serie để thao tác tiếp',
'You need to check all item quantities and allocate to bins before you can receive the shipment': 'Bạn cần kiểm tra số lượng của tất cả các mặt hàng và chia thành các thùng trước khi nhận lô hàng',
'You need to check all item quantities before you can complete the return process': 'Bạn cần kiểm tra số lượng của tất cả các mặt hàng trước khi hoàn tất quá trình trả lại hàng',
'You need to create a template before you can create a series': 'Bạn cần tạo ra một biểu mẫu trước khi tạo ra một loạt các biểu mẫu',
'You need to use the spreadsheet which you can download from this page': 'Bạn cần sử dụng bảng tính tải từ trang này',
'You should edit Twitter settings in models/000_config.py': 'Bạn nên chỉnh sửa cài đặt Twitter trong các kiểu models/000-config.py',
'Your name for this search. Notifications will use this name.': 'Tên của bạn cho tìm kiếm này. Các thông báo sẽ sử dụng tên này.',
'Your post was added successfully.': 'Bạn đã gửi thông tin thành công',
'Youth Development': 'Phát triển thanh thiếu niên',
'Youth and Volunteer Development': 'Phát triển TNV và Thanh thiếu niên',
'Zone Types': 'Các loại vùng châu lục',
'Zones': 'Vùng châu lục',
'Zoom In: click in the map or use the left mouse button and drag to create a rectangle': 'Phóng to: nhấn vào bản đồ hoặc sử dụng nút chuột trái và kéo để tạo ra một hình chữ nhật',
'Zoom Levels': 'Các cấp độ phóng',
'Zoom Out: click in the map or use the left mouse button and drag to create a rectangle': 'Thu nhỏ: nhấn vào bản đồ hoặc sử dụng nút chuột trái và kéo để tạo ra một hình chữ nhật',
'Zoom in closer to Edit OpenStreetMap layer': 'Phóng gần hơn tới lớp Sửa Bản đồ Đường đi Chưa xác định',
'Zoom to Current Location': 'Phóng đến Địa điểm Hiện tại',
'Zoom to maximum map extent': 'Phóng to để mở rộng tối đa bản đồ',
'Zoom': 'Phóng',
'access granted': 'truy cập được chấp thuận',
'activate to sort column ascending': 'Sắp xếp theo thứ tự tăng dần',
'activate to sort column descending': 'Sắp xếp theo thứ tự giảm dần',
'active': 'đang hoạt động',
'adaptation to climate change, sustainable development': 'thích ứng với biến đổi khí hậu, phát triển bền vững',
'always update': 'luôn luôn cập nhật',
'an individual/team to do in 1-2 days': 'một cá nhân/nhóm thực hiện trong 1-2 ngày',
'and': 'và',
'anonymous user': 'Người dùng nặc danh',
'assigned': 'đã phân công',
'at-risk populations, including: children, orphans, disabled, elderly, homeless, hospitalized people, illegal immigrants, illiterate, medically or chemically dependent, impoverished p': 'đối tượng chịu rủi ro gồm có: trẻ em, trẻ mồ côi, người khuyết tật, người già, người vô gia cư, người bệnh, dân di cư bất hợp pháp, người không biết chữ, người phải điều trị hóa chất hoặc điều trị y tế, người nghèo ',
'average': 'Trung bình',
'black': 'đen',
'blond': 'Tóc vàng',
'blue': 'Xanh da trời',
'brown': 'Nâu',
'bubonic plague, cholera, dengue, non-pandemic diseases, typhoid': 'bệnh dịch hạch, dịch tả, bệnh đănggơ, bệnh không phát dịch, bệnh thương hàn',
'building back better, long-term recovery and reconstruction, rehabilitation, shelter': 'hồi phục tốt hơn, tái xây dựng và phục hồi lâu dài, nhà tạm',
'building codes, building standards, building materials, construction, retrofitting': 'luật xây dựng, tiêu chuẩn xây dựng, vật liệu xây dựng, trang bị thêm ',
'by %(person)s': 'bởi %(person)s',
'by': 'bởi',
'can be used to extract data from spreadsheets and put them into database tables.': 'có thể dùng để trích xuất dữ liệu từ bẳng tính đưa vào cơ sở dữ liệu',
'cannot be deleted.': 'không thể xóa',
'capacity of health practitioners, mental health': 'năng lực của cán bộ CSSK, sức khỏe tâm thần',
'check all': 'kiểm tra tất cả',
'civic action, collective community action, community-based organization (CBO) action, grassroots action, integrative DRR, non-governmental organization (NGO) action': 'hành động của công dân, của cộng đồng, của các tổ chức dựa vào cộng đồng, GNRRTH mang tính tích hợp, các hành động của các tổ chức phi chính phủ.',
'civil protection, contingency and emergency planning, early recovery, preparedness': 'bảo vệ nhân dân, lập kế hoạch dự phòng và ứng phó với tình huống khẩn cấp, phục hồi nhanh, phòng ngừa',
'clear': 'xóa',
'click here': 'Ấn vào đây',
'coastal flood, wave surge, wind setup': 'lũ ven biển, sóng dâng cao, tạo gió',
'consider': 'cân nhắc',
'contains': 'Gồm có',
'coping capacity, loss absorption, loss acceptance, psychosocial support, social vulnerability, trauma prevention': 'khả năng ứng phó, khả năng chịu tổn thất, hỗ trợ tâm lý, tổn thương xã hội, ngăn ngừa các chấn thương tâm lý',
'corporate social responsibility, private sector engagement in DRR': 'trách nhiệm với xã hội của các công ty, tập đoàn, sự tham gia của khu vực tư nhân vào công tác GNRRTH',
'cost benefit analysis, disaster risk financing, financial effects of disasters, poverty and disaster risk, risk sharing, socio-economic impacts of disasters': 'phân tích lợi ích kinh tế, hỗ trợ tài chính cho hoạt động ứng phó với rủi ro thảm họa, ảnh hưởng tài chính của thảm họa, nghèo đói và rủi ro thảm họa, sự tác động đến kinh tế xã hội của thảm họa',
'crater, lava, magma, molten materials, pyroclastic flows, volcanic rock, volcanic ash': 'dung nham, vật liệu nóng chảy, nham tầng phun trào, nham thạch, bụi núi lửa',
'created': 'Đã tạo',
'curly': 'Xoắn',
'current': 'Đang hoạt động',
'daily': 'hàng ngày',
'dark': 'tối',
'database %s select': '%s cơ sở dự liệu lựa chọn',
'database': 'Cơ sở Dữ liệu',
'days': 'các ngày',
'debris flow, mud flow, mud slide, rock fall, slide, lahar, rock slide and topple': 'sạt lở đất, đá, sạt bùn',
'deceased': 'Đã chết',
'deficiency of precipitation, desertification, pronounced absence of rainfall': 'thiếu nước, sa mạc hóa, không có mưa kéo dài',
'delete all checked': 'Xóa tất cả các chọn',
'deleted': 'đã xóa',
'disaster databases, disaster information, disaster risk information portals, ICT': 'cơ sở dữ liệu về thảm họa, thông tin thảm họa, cổng thông tin về rủi ro thảm họa, ICT',
'disaster insurance, contingency funding, micro-insurance, post-disaster loans, risk financing, risk insurance, risk sharing, pooling': 'bảo hiểm thảm họa, quỹ dự phòng, bảo hiểm vi mô, khoản vay sau thảm họa, hỗ trợ tài chính nhằm ứng phó với rủi ro, chia sẻ, hợp nhất nhằm ứng phó với rủi ro',
'disaster reporting, disaster information dissemination': 'báo cáo thảm họa, tuyên truyền thông tin về thảm họa',
'disaster risk reduction policy and legislation, National Platform for disaster risk reduction, Regional Platforms for disaster risk reduction': 'việc banh hành và hoạch định chính sách về GNRRTH, Diễn đàn quốc gia về GNRRTH, Diễn đàn khu vực về GNRRTH',
'diseased': 'Bị dịch bệnh',
'displaced': 'Sơ tán',
'divorced': 'ly hôn',
'does not contain': 'không chứa',
'drinking water, freshwater, irrigation, potable water, water and sanitation, water resource management': 'nước uống, nước ngọt, hệ thống tưới tiêu, nước sạch và vệ sinh, quản lý nguồn nước',
'e.g. Census 2010': 'ví dụ Điều tra 2010',
'editor': 'người biên tập',
'expired': 'đã hết hạn',
'export as csv file': 'Xuất dưới dạng file csv',
'extreme weather, extreme temperature, cold temperatures': 'thời tiết cực đoan, nhiệt độ khắc nghiệt, nhiệt độ lạnh',
'extreme weather, extreme temperature, high temperatures': 'thời tiết cực đoan, nhiệt độ khắc nghiệt, nhiệt độ cao',
'fair': 'công bằng',
'fat': 'béo',
'feedback': 'phản hồi',
'female': 'nữ',
'fill in order: day(2) month(2) year(4)': 'điền theo thứ tự: ngày(2) tháng(2) năm(4)',
'fill in order: hour(2) min(2) day(2) month(2) year(4)': 'điền theo thứ tự: giờ(2) phút(2) ngày(2) tháng(2) năm(4)',
'forehead': 'Phía trước',
'form data': 'Tạo dữ liệu',
'found': 'Tìm thấy',
'full': 'đầy đủ',
'gendered vulnerability, gender-sensitive disaster risk management': 'tình trạng dễ bị tổn thương có yếu tố về giới, quản lý rủi ro thảm họa có tính nhạy cảm về giới',
'geographic information systems, hazard exposure mapping, vulnerability mapping, risk mapping': 'hệ thống thông tin địa lý, bản đồ hiểm họa, bản đồ tình trạng dễ bị tổn thương, bản đồ rủi ro',
'getting': 'đang nhận được',
'green': 'xanh lá cây',
'grey': 'xám',
'here': 'ở đây',
'hourly': 'hàng giờ',
'hours': 'thời gian hoạt động',
'hurricane, tropical storm, tropical depression, typhoon': 'bão, bão nhiệt đới, áp thấp nhiệt đới',
'ignore': 'bỏ qua',
'in GPS format': 'Ở định dạng GPS',
'in Stock': 'Tồn kho',
'in this': 'trong đó',
'in': 'trong',
'injured': 'Bị thương',
'input': 'nhập liệu',
'insert new %s': 'Thêm mới %s',
'insert new': 'Thêm mới',
'insufficient number of pages provided': 'không đủ số lượng trang được cung cấp',
'inundation; includes: flash floods': 'ngập úng, lũ quét',
'invalid request': 'Yêu cầu không hợp lệ',
'is a central online repository where information on all the disaster victims and families, especially identified casualties, evacuees and displaced people can be stored. Information like name, age, contact number, identity card number, displaced location, and other details are captured. Picture and finger print details of the people can be uploaded to the system. People can also be captured by group for efficiency and convenience.': 'là trung tâm thông tin trực tuyến, nơi lưu trữ thông tin về các nạn nhân và gia đình chịu ảnh hưởng của thiên tai, đặc biệt là xác định con số thương vong và lượng người sơ tán.Thông tin như tên, tuổi, số điện thoại, số CMND, nơi sơ tán và các thông tin khác cũng được lưu lại.Ảnh và dấu vân tay cũng có thể tải lên hệ thống.Để hiệu quả và tiện lợi hơn có thể quản lý theo nhóm',
'items selected': 'mặt hàng được lựa chọn',
'key': 'phím',
'label': 'Nhãn',
'latrines': 'nhà vệ sinh',
'learning, safe schools': 'trường học an toàn, giáo dục',
'light': 'Ánh sáng',
'local knowledge, local risk mapping': 'hiểu biết của địa phương, lập bản đồ rủi ro của địa phương',
'locust, plague, African bees': 'châu chấu, ong Châu Phi',
'long': 'dài',
'long>12cm': 'dài>12cm',
'male': 'Nam',
'mandatory fields': 'Trường bắt buộc',
'married': 'đã kết hôn',
'max': 'tới',
'maxExtent': 'Mở rộng tối đa',
'maxResolution': 'Độ phân giải tối đa',
'medium': 'trung bình',
'medium<12cm': 'trung bình <12cm',
'min': 'từ',
'minutes': 'biên bản',
'missing': 'mất tích',
'moderate': 'trung bình',
'module allows the site administrator to configure various options.': 'mô đun cho phép người quản trị trang thông tin cài đặt cấu hình các tùy chọn khác nhau',
'module helps monitoring the status of hospitals.': 'module giúp theo dõi tình trạng bệnh viện',
'multiple hazard crisis, humanitarian crisis, conflict': 'đa hiểm họa, xung đột, khủng hoảng nhân đạo',
'multiplier[0]': 'số nhân[0]',
'natural hazard': 'thảm họa thiên nhiên',
'negroid': 'người da đen',
'never update': 'không bao giờ cập nhật',
'never': 'không bao giờ',
'new ACL': 'ACL mới',
'new': 'thêm mới',
'next 50 rows': '50 dòng tiếp theo',
'no options available': 'không có lựa chọn sẵn có',
'no': 'không',
'none': 'không có',
'normal': 'bình thường',
'not specified': 'không xác định',
'obsolete': 'Đã thôi hoạt động',
'of total data reported': 'của dữ liệu tổng được báo cáo',
'of': 'của',
'offices by organisation': 'văn phòng theo tổ chức',
'on %(date)s': 'vào %(date)s',
'or import from csv file': 'hoặc nhập dữ liệu từ tệp tin csv',
'or': 'hoặc',
'other': 'khác',
'out of': 'ngoài ra',
'over one hour': 'hơn một tiếng',
'overdue': 'quá hạn',
'paid': 'đã nộp',
'per month': 'theo tháng',
'piece': 'chiếc',
'poor': 'nghèo',
'popup_label': 'nhãn_cửa sổ tự động hiển thị',
'previous 50 rows': '50 dòng trước',
'problem connecting to twitter.com - please refresh': 'lỗi kết nối với twitter.com - vui lòng tải lại',
'provides a catalogue of digital media.': 'cung cấp danh mục các phương tiện truyền thông kỹ thuật số',
'pull and push': 'kéo và đẩy',
'pull': 'kéo',
'push': 'đẩy',
'record does not exist': 'Thư mục ghi không tồn tại',
'record id': 'lưu tên truy nhập',
'records deleted': 'hồ sơ đã được xóa',
'red': 'đỏ',
'replace': 'thay thế',
'reports successfully imported.': 'báo cáo đã được nhập khẩu thành công',
'representation of the Polygon/Line.': 'đại diện của Polygon/Line.',
'retry': 'Thử lại',
'risk assessment, loss data, disaster risk management': 'đánh giá rủi ro, dữ liệu thiệt hại, quản lý rủi ro thảm họa',
'risk knowledge, monitoring and warning service, risk communication, response capability, disaster preparedness, risk modelling': 'tăng cường hiểu biết về rủi ro, hoạt động cảnh báo và giám sát, truyền thông về rủi ro, khả năng ứng phó, phòng ngừa thảm họa, lập mô hình ứng phó với rủi ro',
'river': 'sông',
'row.name': 'dòng.tên',
'search': 'tìm kiếm',
'seconds': 'giây',
'see comment': 'xem ghi chú',
'seismic, tectonic': 'địa chấn',
'selected': 'được lựa chọn',
'separated from family': 'Chia tách khỏi gia đình',
'separated': 'ly thân',
'shaved': 'bị cạo sạch',
'short': 'Ngắn',
'short<6cm': 'Ngắn hơn <6cm',
'sides': 'các mặt',
'sign-up now': 'Đăng ký bây giờ',
'simple': 'đơn giản',
'single': 'độc thân',
'slim': 'mỏng',
'straight': 'thẳng hướng',
'strong': 'Mạnh',
'sublayer.name': 'tên.lớp dưới',
'submitted by': 'được gửi bởi',
'suffered financial losses': 'Các mất mát tài chính đã phải chịu',
'sustainable development, environmental degradation, ecosystems and environmental management': 'phát triển bền vững, thoái hóa môi trường, quản lý môi trường và hệ sinh thái',
'table': 'bảng',
'tall': 'cao',
'text': 'từ khóa',
'times (0 = unlimited)': 'thời gian (0 = vô hạn)',
'times and it is still not working. We give in. Sorry.': 'Nhiều lần mà vẫn không có kết quả, thất bại, xin lỗi',
'times': 'thời gian',
'to access the system': 'truy cập vào hệ thống',
'to download a OCR Form.': 'Để tải xuống một mẫu OCR',
'tonsure': 'lễ cạo đầu',
'total': 'tổng',
'training and development, institutional strengthening, institutional learning': 'tập huấn và phát triển, tăng cường thể chế, tăng cường hiểu biết của tổ chức',
'tweepy module not available within the running Python - this needs installing for non-Tropo Twitter support!': 'mô đun tweepy không có trong quá trình chạy Python - cần cài đặt để hỗ trợ Twitter không có Tropo!',
'unapproved': 'chưa được chấp thuận',
'uncheck all': 'bỏ chọn toàn bộ',
'unknown': 'không biết',
'unlimited': 'vô hạn',
'up to 3 locations': 'lên tới 3 địa điểm',
'update if master': 'cập nhật nếu là bản gốc',
'update if newer': 'cập nhật nếu mới hơn',
'update': 'cập nhật',
'updated': 'đã cập nhật',
'urban fire, bush fire, forest fire, uncontrolled fire, wildland fire': 'cháy trong đô thị, cháy rừng, cháy không kiểm soát, cháy vùng đất hoang dã',
'urban planning, urban management': 'quy hoạch đô thị, quản lý đô thị',
'using default': 'sử dụng mặc định',
'waterspout, twister, vortex': 'vòi rồng, gió xoáy, giông lốc',
'wavy': 'dạng sóng',
'weekly': 'hàng tuần',
'weeks': 'tuần',
'white': 'trắng',
'wider area, longer term, usually contain multiple Activities': 'khu vực rộng lớn hơn, dài hạn hơn, thường chứa nhiều Hoạt động',
'widowed': 'góa',
'within human habitat': 'trong khu dân cư',
'yes': 'có',
}
| flavour/ifrc_qa | languages/vi.py | Python | mit | 374,132 |
# -*- coding: utf-8 -*-
'''
Crea un programa que analice el fichero y muestre:
- Los años y sus temperaturas (máxima, mínima y media), ordenados por año
- Los años y su tempertura media, ordenados por temperatura en orden descendente
- Crea un fichero html:
Encabezado: Temperaturas de Zaragoza
Fuente: (la url, como un enlace)
Tabla con las temperaturas (media, máxima y mínima)
Los encabezados de la tabla serán claros.
'''
def obtener_listado(f):
listado = []
for n,linea in enumerate(f):
if n != 0:
registro = linea.split()
listado.append(registro)
return listado
def listado_anio(f):
listado = obtener_listado(f)
listado.sort()
for x in listado:
print x[0:4]
def listado_temp(f):
listado = obtener_listado(f)
listado.sort(key=itemgetter(1), reverse=True)
for x in listado:
if not '-' in x[1:4]:
print x[0:4]
def crear_html(f):
import sys
from operator import itemgetter
try:
# Instrucción con riesgo
f = open('temperaturas_zaragoza.txt')
except IOError:
print 'Error, el fichero temperaturas_zaragoza no existe'
sys.exit()
opcion = int(raw_input('''¿Qué quieres hacer?:
1 - Listado ordenado por año (1)
2 - Listado ordenado por temperatura media (2)
3 - Crear archivo html (3)
>> '''))
if opcion == 1:
listado_anio(f)
if opcion == 2:
listado_temp(f)
if opcion == 3:
crear_html(f)
| txtbits/daw-python | ficheros/temperaturas.py | Python | mit | 1,471 |
'''
Scripts for automatically setting clean parameters
'''
import numpy as np
from warnings import warn
import os
from taskinit import tb
from cleanhelper import cleanhelper
def set_imagermode(vis, source):
tb.open(os.path.join(vis, 'FIELD'))
names = tb.getcol('NAME')
tb.close()
moscount = 0
for name in names:
chsrc = name.find(source)
if chsrc != -1:
moscount = moscount + 1
if moscount > 1:
imagermode = "mosaic"
else:
imagermode = "csclean"
return imagermode
def has_field(vis, source):
'''
Check if source is contained in at least one of the field names.
'''
tb.open(os.path.join(vis, 'FIELD'))
names = tb.getcol('NAME')
tb.close()
moscount = 0
for name in names:
chsrc = name.find(source)
if chsrc != -1:
moscount = moscount + 1
if moscount == 0:
return False
return True
try:
import analysisUtils as au
def set_cellsize(vis, spw, sample_factor=6., baseline_percentile=95,
return_type="str"):
syn_beam, prim_beam = \
find_expected_beams(vis, spw,
baseline_percentile=baseline_percentile)
# Round the cell size to some fraction, which becomes finer if it was
# previously rounded to 0
round_factor = 10
while True:
sel_cell_value = \
round((syn_beam / sample_factor) * round_factor) / round_factor
if sel_cell_value == 0:
round_factor += 5
else:
break
if return_type == "str":
return str(sel_cell_value) + 'arcsec'
else:
return sel_cell_value
def set_imagesize(vis, spw, source, sample_factor=6., pblevel=0.1,
max_size=15000, **kwargs):
'''
Set the image size for CLEAN to be a multiple of 2, 3, 5
based on the maximum baseline in the MS.
Parameters
----------
'''
if isinstance(max_size, (int, np.integer)):
max_size = [max_size] * 2
syn_beam, prim_beam = find_expected_beams(vis, spw)
cellsize = set_cellsize(vis, spw, sample_factor=sample_factor,
return_type='value', **kwargs)
if set_imagermode(vis, source) == "mosaic":
mosaic_props = get_mosaic_info(vis, spw, sourceid=source,
pblevel=pblevel)
sel_imsize = [int(np.ceil(mosaic_props["Size_RA"] / cellsize)),
int(np.ceil(mosaic_props["Size_Dec"] / cellsize))]
else:
sel_imsize = [int(round(prim_beam / cellsize))] * 2
# Check if this falls into the maximum allowed size. Otherwise, just
# use the max.
if sel_imsize[0] > max_size[0]:
warn("Shape in first dimension exceeds maximum. Using maximum"
" given.")
sel_imsize[0] = max_size[0]
if sel_imsize[1] > max_size[1]:
warn("Shape in second dimension exceeds maximum. Using maximum"
" given.")
sel_imsize[1] = max_size[1]
# The image size should be factorizable into some combo of
# 2, 3, 5 and 7 to work with clean so:
sel_imsize = [cleanhelper.getOptimumSize(size) for size in sel_imsize]
# Return the rounded value nearest to the original image size chosen.
return sel_imsize
def find_expected_beams(vis, spw, baseline_percentile=95):
'''
Return the expected synthesized beam (approximately) and the primary
beam size based on the baselines.
Parameters
----------
vis : str
Name of MS.
spw : int
Which SPW in the MS to consider.
baseline_percentile : int or float between 0 and 100
The percentile of the longest baseline to estimate the synthesized
beam with.
Returns
-------
syn_beam : float
Approximate Synthesized beam in arcseconds
prim_beam : float
Primary beam size in arcseconds.
'''
# Get percentile of max baseline and dish size
bline_max = getBaselinePercentile(vis, baseline_percentile)
tb.open(os.path.join(vis, 'ANTENNA'))
dishs = tb.getcol('DISH_DIAMETER')
dish_min = min(dishs)
tb.close()
tb.open(os.path.join(vis, 'SPECTRAL_WINDOW'))
ref_freqs = tb.getcol('REF_FREQUENCY')
try:
freq = ref_freqs[spw]
except IndexError:
raise IndexError("Given SPW ({0}) is not within the range of SPWs"
"found ({1})".format(spw, len(ref_freqs)))
# Find the beam
# XXX
# When astropy is easier to install (CASA 4.7??), switch to using the
# defined constants.
centre_lambda = 299792458.0 / freq
syn_beam = (centre_lambda / bline_max) * 180 / np.pi * 3600
prim_beam = (centre_lambda / dish_min) * 180 / np.pi * 3600
return syn_beam, prim_beam
def getBaselinePercentile(msFile, percentile):
"""
Based on getBaselineExtrema from analysisUtils
"""
return np.percentile(getBaselines(msFile), percentile)
def getBaselines(msFile):
'''
Return all baselines
'''
tb.open(msFile + '/ANTENNA')
positions = np.transpose(tb.getcol('POSITION'))
tb.close()
all_lengths = []
for i in range(len(positions)):
for j in range(i + 1, len(positions)):
length = au.computeBaselineLength(positions[i],
positions[j])
if length != 0.0:
all_lengths.append(length)
all_lengths = np.array(all_lengths)
return all_lengths
def get_mosaic_info(vis, spw, sourceid=None, intent='TARGET', pblevel=0.1):
'''
Return image size based on mosaic fields
Parameters
----------
vis : str
MS Name
spw : str or int
If str, searches for an exact match with the names in the MS. If
int, is the index of SPW in the MS.
sourceid : str, optional
The field names used will contain sourceid.
intent : str, optional
Use every field with the given intent (wildcards used by default).
pblevel : float between 0 and 1
PB level that defines the edges of the mosaic.
'''
mytb = au.createCasaTool(au.tbtool)
# Check SPWs to make sure given choice is valid
mytb.open(vis + '/SPECTRAL_WINDOW')
spwNames = mytb.getcol('NAME')
if isinstance(spw, str):
match = False
for spw_name in spwNames:
if spw == spw_name:
match = True
if not match:
raise ValueError("The given SPW ({0}) is not in the MS SPW"
" names ({1})".format(spw, spwNames))
elif isinstance(spw, (int, np.integer)):
try:
spwNames[spw]
except IndexError:
raise IndexError("The given SPW index {0} is not in the range"
" of SPWs in the MS ({1})."
.format(spw, len(spwNames)))
else:
raise TypeError("spw must be a str or int.")
refFreq = mytb.getcol("REF_FREQUENCY")[spw]
lambdaMeters = au.c_mks / refFreq
mytb.close()
# Get field info
mytb.open(vis + '/FIELD')
delayDir = mytb.getcol('DELAY_DIR')
ra = delayDir[0, :][0] * 12 / np.pi
for i in range(len(ra)):
if ra[i] < 0:
ra[i] += 24
ra *= 15
dec = np.degrees(delayDir[1, :][0])
# First choose fields by given sourceid
if sourceid is not None:
names = mytb.getcol('NAME')
fields = mytb.getcol("SOURCE_ID")
good_names = []
good_fields = []
for name, field in zip(names, fields):
# Check if it has sourceid
if name.find(sourceid) != -1:
good_names.append(name)
good_fields.append(field)
names = good_names
fields = good_fields
# Then try choosing all fields based on the given intent.
elif intent is not None:
# Ensure a string
intent = str(intent)
mymsmd = au.createCasaTool(au.msmdtool)
mymsmd.open(vis)
intentsToSearch = '*' + intent + '*'
fields = mymsmd.fieldsforintent(intentsToSearch)
names = mymsmd.namesforfields(fields)
mymsmd.close()
# On or the other must be given
else:
raise ValueError("Either sourceid or intent must be given.")
mytb.close()
ra = ra[fields]
dec = dec[fields]
raAverageDegrees = np.mean(ra)
decAverageDegrees = np.mean(dec)
raRelativeArcsec = 3600 * (ra - raAverageDegrees) * \
np.cos(np.deg2rad(decAverageDegrees))
decRelativeArcsec = 3600 * (dec - decAverageDegrees)
centralField = au.findNearestField(ra, dec,
raAverageDegrees,
decAverageDegrees)[0]
# This next step is crucial, as it converts from the field number
# determined from a subset list back to the full list.
centralFieldName = names[centralField]
centralField = fields[centralField]
# Find which antenna have data
mytb.open(vis)
antennasWithData = np.sort(np.unique(mytb.getcol('ANTENNA1')))
mytb.close()
if antennasWithData.size == 0:
raise Warning("No antennas with data found.")
# Now we need the dish diameters
mytb.open(vis + "/ANTENNA")
# These are in m
dish_diameters = \
np.unique(mytb.getcol("DISH_DIAMETER")[antennasWithData])
mytb.close()
# Find maxradius
maxradius = 0
for diam in dish_diameters:
arcsec = 0.5 * \
au.primaryBeamArcsec(wavelength=lambdaMeters * 1000,
diameter=diam, showEquation=False)
radius = arcsec / 3600.0
if radius > maxradius:
maxradius = radius
# Border about each point, down to the given pblevel
border = 2 * maxradius * au.gaussianBeamOffset(pblevel) * 3600.
size_ra = np.ptp(raRelativeArcsec) + 2 * border
size_dec = np.ptp(decRelativeArcsec) + 2 * border
mosaicInfo = {"Central_Field_ID": centralField,
"Central_Field_Name": centralFieldName,
"Center_RA": ra,
"Center_Dec": dec,
"Size_RA": size_ra,
"Size_Dec": size_dec}
return mosaicInfo
def append_to_cube(folder, prefix, suffix, num_imgs,
cube_name, chunk_size=250,
delete_chunk_cubes=True,
concat_kwargs={'relax': True, 'reorder': False,
'overwrite': True}):
'''
Append single images into a cube. Must be continuous along
spectral dimension.
Individual images in the folder must be sequentially numbered.
'''
from os.path import join as osjoin
import os
try:
import casatools
ia = casatools.image()
except ImportError:
try:
from taskinit import iatool
ia = iatool()
except ImportError:
raise ImportError("Cannot import iatool.")
imgs = [osjoin(folder, "{0}_{1}.{2}".format(prefix, chan, suffix))
for chan in range(num_imgs)]
# Make sure these all exist
for img in imgs:
if not os.path.exists(img):
raise OSError("{} does not exist.".format(img))
# Concatenate in chunks (Default of 250) b/c CASA doesn't like
# having too many images open at once.
num_chunks = (num_imgs // chunk_size) + 1
chunk_cubes = []
for i in range(num_chunks):
start = chunk_size * i
stop = min(chunk_size * (i + 1), num_imgs)
imgs_chunk = imgs[start:stop]
chunk_cube_name = "{0}_{1}".format(cube_name, i)
chunk_cubes.append(chunk_cube_name)
ia.imageconcat(outfile=chunk_cube_name,
infiles=imgs_chunk,
**concat_kwargs)
ia.done()
ia.close()
# Concat the chunks together
ia.imageconcat(outfile=cube_name,
infiles=chunk_cubes,
**concat_kwargs)
ia.done()
ia.close()
if delete_chunk_cubes:
for chunk_cube_name in chunk_cubes:
os.system("rm -rf {}".format(chunk_cube_name))
except ImportError:
warn("Could not import analysisUtils.")
| e-koch/VLA_Lband | CASA_functions/imaging_utils.py | Python | mit | 13,393 |
"""
Tests for the Woopra template tags and filters.
"""
import pytest
from django.contrib.auth.models import AnonymousUser, User
from django.http import HttpRequest
from django.template import Context
from django.test.utils import override_settings
from utils import TagTestCase
from analytical.templatetags.woopra import WoopraNode
from analytical.utils import AnalyticalException
@override_settings(WOOPRA_DOMAIN='example.com')
class WoopraTagTestCase(TagTestCase):
"""
Tests for the ``woopra`` template tag.
"""
def test_tag(self):
r = self.render_tag('woopra', 'woopra')
assert 'var woo_settings = {"domain": "example.com"};' in r
def test_node(self):
r = WoopraNode().render(Context({}))
assert 'var woo_settings = {"domain": "example.com"};' in r
@override_settings(WOOPRA_DOMAIN=None)
def test_no_domain(self):
with pytest.raises(AnalyticalException):
WoopraNode()
@override_settings(WOOPRA_DOMAIN='this is not a domain')
def test_wrong_domain(self):
with pytest.raises(AnalyticalException):
WoopraNode()
@override_settings(WOOPRA_IDLE_TIMEOUT=1234)
def test_idle_timeout(self):
r = WoopraNode().render(Context({}))
assert 'var woo_settings = {"domain": "example.com", "idle_timeout": "1234"};' in r
def test_custom(self):
r = WoopraNode().render(Context({
'woopra_var1': 'val1',
'woopra_var2': 'val2',
}))
assert 'var woo_visitor = {"var1": "val1", "var2": "val2"};' in r
@override_settings(ANALYTICAL_AUTO_IDENTIFY=True)
def test_identify_name_and_email(self):
r = WoopraNode().render(Context({
'user': User(username='test',
first_name='Firstname',
last_name='Lastname',
email="[email protected]"),
}))
assert 'var woo_visitor = '
'{"email": "[email protected]", "name": "Firstname Lastname"};' in r
@override_settings(ANALYTICAL_AUTO_IDENTIFY=True)
def test_identify_username_no_email(self):
r = WoopraNode().render(Context({'user': User(username='test')}))
assert 'var woo_visitor = {"name": "test"};' in r
@override_settings(ANALYTICAL_AUTO_IDENTIFY=True)
def test_no_identify_when_explicit_name(self):
r = WoopraNode().render(Context({
'woopra_name': 'explicit',
'user': User(username='implicit'),
}))
assert 'var woo_visitor = {"name": "explicit"};' in r
@override_settings(ANALYTICAL_AUTO_IDENTIFY=True)
def test_no_identify_when_explicit_email(self):
r = WoopraNode().render(Context({
'woopra_email': 'explicit',
'user': User(username='implicit'),
}))
assert 'var woo_visitor = {"email": "explicit"};' in r
@override_settings(ANALYTICAL_AUTO_IDENTIFY=True)
def test_identify_anonymous_user(self):
r = WoopraNode().render(Context({'user': AnonymousUser()}))
assert 'var woo_visitor = {};' in r
@override_settings(ANALYTICAL_INTERNAL_IPS=['1.1.1.1'])
def test_render_internal_ip(self):
req = HttpRequest()
req.META['REMOTE_ADDR'] = '1.1.1.1'
context = Context({'request': req})
r = WoopraNode().render(context)
assert r.startswith('<!-- Woopra disabled on internal IP address')
assert r.endswith('-->')
| jcassee/django-analytical | tests/unit/test_tag_woopra.py | Python | mit | 3,458 |
from .StateBase import StateBase
from neo.Core.Fixed8 import Fixed8
from neo.Core.IO.BinaryReader import BinaryReader
from neo.IO.MemoryStream import StreamManager
from neo.Core.AssetType import AssetType
from neo.Core.UInt160 import UInt160
from neo.Core.Cryptography.Crypto import Crypto
from neo.Core.Cryptography.ECCurve import EllipticCurve, ECDSA
from neo.Core.Size import Size as s
from neo.Core.Size import GetVarSize
class AssetState(StateBase):
def Size(self):
return super(AssetState, self).Size() + s.uint256 + s.uint8 + GetVarSize(
self.Name) + self.Amount.Size() + self.Available.Size() + s.uint8 + s.uint8 + self.Fee.Size() + s.uint160 + self.Owner.Size() + s.uint160 + s.uint160 + s.uint32 + s.uint8
def __init__(self, asset_id=None, asset_type=None, name=None, amount=None, available=None,
precision=0, fee_mode=0, fee=None, fee_addr=None, owner=None,
admin=None, issuer=None, expiration=None, is_frozen=False):
"""
Create an instance.
Args:
asset_id (UInt256):
asset_type (neo.Core.AssetType):
name (str): the asset name.
amount (Fixed8):
available (Fixed8):
precision (int): number of decimals the asset has.
fee_mode (int):
fee (Fixed8):
fee_addr (UInt160): where the fee will be send to.
owner (EllipticCurve.ECPoint):
admin (UInt160): the administrator of the asset.
issuer (UInt160): the issuer of the asset.
expiration (UInt32): the block number on which the asset expires.
is_frozen (bool):
"""
self.AssetId = asset_id
self.AssetType = asset_type
self.Name = name
self.Amount = Fixed8(0) if amount is None else amount
self.Available = Fixed8(0) if available is None else available
self.Precision = precision
self.FeeMode = fee_mode
self.Fee = Fixed8(0) if fee is None else fee
self.FeeAddress = UInt160(data=bytearray(20)) if fee_addr is None else fee_addr
if owner is not None and type(owner) is not EllipticCurve.ECPoint:
raise Exception("Owner must be ECPoint Instance")
self.Owner = owner
self.Admin = admin
self.Issuer = issuer
self.Expiration = expiration
self.IsFrozen = is_frozen
# def Size(self):
# return super(AssetState, self).Size()
@staticmethod
def DeserializeFromDB(buffer):
"""
Deserialize full object.
Args:
buffer (bytes, bytearray, BytesIO): (Optional) data to create the stream from.
Returns:
AssetState:
"""
m = StreamManager.GetStream(buffer)
reader = BinaryReader(m)
account = AssetState()
account.Deserialize(reader)
StreamManager.ReleaseStream(m)
return account
def Deserialize(self, reader):
"""
Deserialize full object.
Args:
reader (neo.Core.IO.BinaryReader):
"""
super(AssetState, self).Deserialize(reader)
self.AssetId = reader.ReadUInt256()
self.AssetType = ord(reader.ReadByte())
self.Name = reader.ReadVarString()
position = reader.stream.tell()
try:
self.Amount = reader.ReadFixed8()
except Exception:
reader.stream.seek(position)
self.Amount = reader.ReadFixed8()
self.Available = reader.ReadFixed8()
self.Precision = ord(reader.ReadByte())
# fee mode
reader.ReadByte()
self.Fee = reader.ReadFixed8()
self.FeeAddress = reader.ReadUInt160()
self.Owner = ECDSA.Deserialize_Secp256r1(reader)
self.Admin = reader.ReadUInt160()
self.Issuer = reader.ReadUInt160()
self.Expiration = reader.ReadUInt32()
self.IsFrozen = reader.ReadBool()
def Serialize(self, writer):
"""
Serialize full object.
Args:
writer (neo.IO.BinaryWriter):
"""
super(AssetState, self).Serialize(writer)
writer.WriteUInt256(self.AssetId)
writer.WriteByte(self.AssetType)
writer.WriteVarString(self.Name)
if self.Amount.value > -1:
writer.WriteFixed8(self.Amount, unsigned=True)
else:
writer.WriteFixed8(self.Amount)
if type(self.Available) is not Fixed8:
raise Exception("AVAILABLE IS NOT FIXED 8!")
writer.WriteFixed8(self.Available, unsigned=True)
writer.WriteByte(self.Precision)
writer.WriteByte(b'\x00')
writer.WriteFixed8(self.Fee)
writer.WriteUInt160(self.FeeAddress)
self.Owner.Serialize(writer)
writer.WriteUInt160(self.Admin)
writer.WriteUInt160(self.Issuer)
writer.WriteUInt32(self.Expiration)
writer.WriteBool(self.IsFrozen)
def GetName(self):
"""
Get the asset name based on its type.
Returns:
str: 'NEO' or 'NEOGas'
"""
if self.AssetType == AssetType.GoverningToken:
return "NEO"
elif self.AssetType == AssetType.UtilityToken:
return "NEOGas"
if type(self.Name) is bytes:
return self.Name.decode('utf-8')
return self.Name
def ToJson(self):
"""
Convert object members to a dictionary that can be parsed as JSON.
Returns:
dict:
"""
return {
'assetId': self.AssetId.To0xString(),
'assetType': self.AssetType,
'name': self.GetName(),
'amount': self.Amount.value,
'available': self.Available.value,
'precision': self.Precision,
'fee': self.Fee.value,
'address': self.FeeAddress.ToString(),
'owner': self.Owner.ToString(),
'admin': Crypto.ToAddress(self.Admin),
'issuer': Crypto.ToAddress(self.Issuer),
'expiration': self.Expiration,
'is_frozen': self.IsFrozen
}
def Clone(self):
return AssetState(asset_id=self.AssetId, asset_type=self.AssetType, name=self.Name, amount=self.Amount, available=self.Available, precision=self.Precision, fee=self.Fee, fee_addr=self.FeeAddress, owner=self.Owner, admin=self.Admin, issuer=self.Issuer, expiration=self.Expiration, is_frozen=self.IsFrozen)
| hal0x2328/neo-python | neo/Core/State/AssetState.py | Python | mit | 6,477 |
# author: brian dillmann
# for rscs
from Devices.Input import Input
from Devices.Timer import Timer
from Devices.AnalogInput import AnalogInput
from Devices.Output import Output
class DeviceManager:
def __init__(self):
self.inputs = {}
self.outputs = {}
def addSimpleInput(self, name, location, invert = False):
if name in self.inputs:
raise KeyError('Cannot create device with name %s because input with that name already exists' % name)
self.inputs[name] = Input(name, location, invert)
def addTimer(self, name, interval = 's'):
if name in self.inputs:
raise KeyError('Cannot create device with name %s because input with that name already exists' % name)
self.inputs[name] = Timer(name, interval)
def addAnalogInput(self, name, location):
if name in self.inputs:
raise KeyError('Cannot create device with name %s because input with that name already exists' % name)
self.inputs[name] = AnalogInput(name, location)
def addOutput(self, name, location, invert = False):
if name in self.outputs:
raise KeyError('Cannot create device with name %s because output with that name already exists' % name)
self.outputs[name] = Output(name, location, invert)
def read(self, name):
if not name in self.inputs:
raise KeyError('Cannot find input with name %s, unable to read' % name)
return self.inputs[name].read()
def turnOn(self, name):
if not name in self.outputs:
raise KeyError('Cannot find output with name %s, unable to turn on' % name)
self.outputs[name].on()
def turnOff(self, name):
if not name in self.outputs:
raise KeyError('Cannot find output with name %s, unable to turn off' % name)
self.outputs[name].off()
| dillmann/rscs | lib/DeviceManager.py | Python | mit | 1,683 |
# Ensure variable is defined
try:
x
except NameError:
x = None
# Test whether variable is defined to be None
if x is None:
some_fallback_operation()
else:
some_operation(x)
| ActiveState/code | recipes/Python/59892_Testing_if_a_variable_is_defined/recipe-59892.py | Python | mit | 190 |
# -*- coding: utf-8 -*-
dCellSize = 20
WindowWidth = 400
WindowHeight = 400
class SCell(object):
def __init__(self, xmin, xmax, ymin, ymax):
self._iTicksSpentHere = 0
self._left = xmin
self._right = xmax
self._top = ymin
self.bottom = ymax
def Update(self):
self._iTicksSpentHere += 1
def Reset(self):
self._iTicksSpentHere = 0
class CMapper(object):
def __init__(self, MaxRangeX, MaxRangeY):
self._dCellSize = dCellSize
self._NumCellsX = (MaxRangeX/self._dCellSize) + 1
self._NumCellsY = (MaxRangeY/self._dCellSize) + 1
self._2DvecCells = []
for x in xrange(self._NumCellsX):
temp = []
for y in xrange(self._NumCellsY):
temp.append(SCell(x*self._dCellSize, (x+1)*self._dCellSize, y*self._dCellSize, (y+1)*self._dCellSize))
self._2DvecCells.append(temp)
self._iTotalCells = self._NumCellsX * self._NumCellsY
def Update(self, xPos, yPos):
if ((xPos < 0) or (xPos > WindowWidth) or (yPos < 0) or (yPos > WindowHeight)):
return
cellX = int(xPos/self._dCellSize)
cellY = int(yPos/self._dCellSize)
self._2DvecCells[cellX][cellY].Update()
def TicksLingered(self, xPos, yPos):
if ((xPos < 0) or (xPos > WindowWidth) or (yPos < 0) or (yPos > WindowHeight)):
return 999
cellX = int(xPos/self._dCellSize)
cellY = int(yPos/self._dCellSize)
return self._2DvecCells[cellX][cellY]._iTicksSpentHere
def BeenVisited(self, xPos, yPos):
print "Not implemented!"
def Render(self):
print "To be implemented"
def Reset(self):
for i in xrange(self._NumCellsX):
for j in xrange(self._NumCellsY):
self._2DvecCells[i][j].Reset()
def NumCellsVisited(self):
total = 0
for i in xrange(self._NumCellsX):
for j in xrange(self._NumCellsY):
if self._2DvecCells[i][j]._iTicksSpentHere > 0:
total += 1
return total | crazyskady/ai-game-python | Chapter08/CMapper.py | Python | mit | 1,821 |
# License: MIT License https://github.com/passalis/sef/blob/master/LICENSE.txt
from __future__ import absolute_import, division, print_function, unicode_literals
import numpy as np
import sklearn
from sklearn.discriminant_analysis import LinearDiscriminantAnalysis
from sef_dr.classification import evaluate_svm
from sef_dr.datasets import load_mnist
from sef_dr.linear import LinearSEF
def supervised_reduction(method=None):
# Load data and init seeds
train_data, train_labels, test_data, test_labels = load_mnist(dataset_path='data')
np.random.seed(1)
sklearn.utils.check_random_state(1)
n_train = 5000
n_classes = len(np.unique(train_labels))
if method == 'lda':
proj = LinearDiscriminantAnalysis(n_components=n_classes - 1)
proj.fit(train_data[:n_train, :], train_labels[:n_train])
elif method == 's-lda':
proj = LinearSEF(train_data.shape[1], output_dimensionality=(n_classes - 1))
proj.cuda()
loss = proj.fit(data=train_data[:n_train, :], target_labels=train_labels[:n_train], epochs=50,
target='supervised', batch_size=128, regularizer_weight=1, learning_rate=0.001, verbose=True)
elif method == 's-lda-2x':
# SEF output dimensions are not limited
proj = LinearSEF(train_data.shape[1], output_dimensionality=2 * (n_classes - 1))
proj.cuda()
loss = proj.fit(data=train_data[:n_train, :], target_labels=train_labels[:n_train], epochs=50,
target='supervised', batch_size=128, regularizer_weight=1, learning_rate=0.001, verbose=True)
acc = evaluate_svm(proj.transform(train_data[:n_train, :]), train_labels[:n_train],
proj.transform(test_data), test_labels)
print("Method: ", method, " Test accuracy: ", 100 * acc, " %")
if __name__ == '__main__':
print("LDA: ")
supervised_reduction('lda')
print("S-LDA: ")
supervised_reduction('s-lda')
print("S-LDA (2x): ")
supervised_reduction('s-lda-2x')
| passalis/sef | examples/supervised_reduction.py | Python | mit | 2,019 |
DEBUG = True
TEMPLATE_DEBUG = DEBUG
ADMINS = (
# ('Your Name', '[email protected]'),
)
MANAGERS = ADMINS
DATABASES = {
'default': {
'ENGINE': 'django.db.backends.sqlite3', # Add 'postgresql_psycopg2', 'mysql', 'sqlite3' or 'oracle'.
'NAME': 'db', # Or path to database file if using sqlite3.
'USER': '', # Not used with sqlite3.
'PASSWORD': '', # Not used with sqlite3.
'HOST': '', # Set to empty string for localhost. Not used with sqlite3.
'PORT': '', # Set to empty string for default. Not used with sqlite3.
}
}
RQ_QUEUES = {
'default': {
'HOST': 'localhost',
'PORT': 6379,
'DB': 0,
'PASSWORD': '',
}
}
LOGGING = {
'version': 1,
'disable_existing_loggers': False,
'filters': {
'require_debug_false': {
'()': 'django.utils.log.RequireDebugFalse'
}
},
'handlers': {
'mail_admins': {
'level': 'ERROR',
'filters': ['require_debug_false'],
'class': 'django.utils.log.AdminEmailHandler'
}
},
'loggers': {
'django.request': {
'handlers': ['mail_admins'],
'level': 'ERROR',
'propagate': True,
},
}
}
| nvbn/deploy_trigger | deploy_trigger/settings/local_nvbn.py | Python | mit | 1,371 |
'''
Yescoin base58 encoding and decoding.
Based on https://yescointalk.org/index.php?topic=1026.0 (public domain)
'''
import hashlib
# for compatibility with following code...
class SHA256:
new = hashlib.sha256
if str != bytes:
# Python 3.x
def ord(c):
return c
def chr(n):
return bytes( (n,) )
__b58chars = '123456789ABCDEFGHJKLMNPQRSTUVWXYZabcdefghijkmnopqrstuvwxyz'
__b58base = len(__b58chars)
b58chars = __b58chars
def b58encode(v):
""" encode v, which is a string of bytes, to base58.
"""
long_value = 0
for (i, c) in enumerate(v[::-1]):
long_value += (256**i) * ord(c)
result = ''
while long_value >= __b58base:
div, mod = divmod(long_value, __b58base)
result = __b58chars[mod] + result
long_value = div
result = __b58chars[long_value] + result
# Yescoin does a little leading-zero-compression:
# leading 0-bytes in the input become leading-1s
nPad = 0
for c in v:
if c == '\0': nPad += 1
else: break
return (__b58chars[0]*nPad) + result
def b58decode(v, length = None):
""" decode v into a string of len bytes
"""
long_value = 0
for (i, c) in enumerate(v[::-1]):
long_value += __b58chars.find(c) * (__b58base**i)
result = bytes()
while long_value >= 256:
div, mod = divmod(long_value, 256)
result = chr(mod) + result
long_value = div
result = chr(long_value) + result
nPad = 0
for c in v:
if c == __b58chars[0]: nPad += 1
else: break
result = chr(0)*nPad + result
if length is not None and len(result) != length:
return None
return result
def checksum(v):
"""Return 32-bit checksum based on SHA256"""
return SHA256.new(SHA256.new(v).digest()).digest()[0:4]
def b58encode_chk(v):
"""b58encode a string, with 32-bit checksum"""
return b58encode(v + checksum(v))
def b58decode_chk(v):
"""decode a base58 string, check and remove checksum"""
result = b58decode(v)
if result is None:
return None
h3 = checksum(result[:-4])
if result[-4:] == checksum(result[:-4]):
return result[:-4]
else:
return None
def get_bcaddress_version(strAddress):
""" Returns None if strAddress is invalid. Otherwise returns integer version of address. """
addr = b58decode_chk(strAddress)
if addr is None or len(addr)!=21: return None
version = addr[0]
return ord(version)
if __name__ == '__main__':
# Test case (from http://gitorious.org/yescoin/python-base58.git)
assert get_bcaddress_version('15VjRaDX9zpbA8LVnbrCAFzrVzN7ixHNsC') is 0
_ohai = 'o hai'.encode('ascii')
_tmp = b58encode(_ohai)
assert _tmp == 'DYB3oMS'
assert b58decode(_tmp, 5) == _ohai
print("Tests passed")
| thormuller/yescoin2 | contrib/testgen/base58.py | Python | mit | 2,818 |
# encoding: utf8
from __future__ import unicode_literals
from ..symbols import *
TAG_MAP = {
# Explanation of Unidic tags:
# https://www.gavo.t.u-tokyo.ac.jp/~mine/japanese/nlp+slp/UNIDIC_manual.pdf
# Universal Dependencies Mapping:
# http://universaldependencies.org/ja/overview/morphology.html
# http://universaldependencies.org/ja/pos/all.html
"記号,一般,*,*":{POS: PUNCT}, # this includes characters used to represent sounds like ドレミ
"記号,文字,*,*":{POS: PUNCT}, # this is for Greek and Latin characters used as sumbols, as in math
"感動詞,フィラー,*,*": {POS: INTJ},
"感動詞,一般,*,*": {POS: INTJ},
# this is specifically for unicode full-width space
"空白,*,*,*": {POS: X},
"形状詞,一般,*,*":{POS: ADJ},
"形状詞,タリ,*,*":{POS: ADJ},
"形状詞,助動詞語幹,*,*":{POS: ADJ},
"形容詞,一般,*,*":{POS: ADJ},
"形容詞,非自立可能,*,*":{POS: AUX}, # XXX ADJ if alone, AUX otherwise
"助詞,格助詞,*,*":{POS: ADP},
"助詞,係助詞,*,*":{POS: ADP},
"助詞,終助詞,*,*":{POS: PART},
"助詞,準体助詞,*,*":{POS: SCONJ}, # の as in 走るのが速い
"助詞,接続助詞,*,*":{POS: SCONJ}, # verb ending て
"助詞,副助詞,*,*":{POS: PART}, # ばかり, つつ after a verb
"助動詞,*,*,*":{POS: AUX},
"接続詞,*,*,*":{POS: SCONJ}, # XXX: might need refinement
"接頭辞,*,*,*":{POS: NOUN},
"接尾辞,形状詞的,*,*":{POS: ADJ}, # がち, チック
"接尾辞,形容詞的,*,*":{POS: ADJ}, # -らしい
"接尾辞,動詞的,*,*":{POS: NOUN}, # -じみ
"接尾辞,名詞的,サ変可能,*":{POS: NOUN}, # XXX see 名詞,普通名詞,サ変可能,*
"接尾辞,名詞的,一般,*":{POS: NOUN},
"接尾辞,名詞的,助数詞,*":{POS: NOUN},
"接尾辞,名詞的,副詞可能,*":{POS: NOUN}, # -後, -過ぎ
"代名詞,*,*,*":{POS: PRON},
"動詞,一般,*,*":{POS: VERB},
"動詞,非自立可能,*,*":{POS: VERB}, # XXX VERB if alone, AUX otherwise
"動詞,非自立可能,*,*,AUX":{POS: AUX},
"動詞,非自立可能,*,*,VERB":{POS: VERB},
"副詞,*,*,*":{POS: ADV},
"補助記号,AA,一般,*":{POS: SYM}, # text art
"補助記号,AA,顔文字,*":{POS: SYM}, # kaomoji
"補助記号,一般,*,*":{POS: SYM},
"補助記号,括弧開,*,*":{POS: PUNCT}, # open bracket
"補助記号,括弧閉,*,*":{POS: PUNCT}, # close bracket
"補助記号,句点,*,*":{POS: PUNCT}, # period or other EOS marker
"補助記号,読点,*,*":{POS: PUNCT}, # comma
"名詞,固有名詞,一般,*":{POS: PROPN}, # general proper noun
"名詞,固有名詞,人名,一般":{POS: PROPN}, # person's name
"名詞,固有名詞,人名,姓":{POS: PROPN}, # surname
"名詞,固有名詞,人名,名":{POS: PROPN}, # first name
"名詞,固有名詞,地名,一般":{POS: PROPN}, # place name
"名詞,固有名詞,地名,国":{POS: PROPN}, # country name
"名詞,助動詞語幹,*,*":{POS: AUX},
"名詞,数詞,*,*":{POS: NUM}, # includes Chinese numerals
"名詞,普通名詞,サ変可能,*":{POS: NOUN}, # XXX: sometimes VERB in UDv2; suru-verb noun
"名詞,普通名詞,サ変可能,*,NOUN":{POS: NOUN},
"名詞,普通名詞,サ変可能,*,VERB":{POS: VERB},
"名詞,普通名詞,サ変形状詞可能,*":{POS: NOUN}, # ex: 下手
"名詞,普通名詞,一般,*":{POS: NOUN},
"名詞,普通名詞,形状詞可能,*":{POS: NOUN}, # XXX: sometimes ADJ in UDv2
"名詞,普通名詞,形状詞可能,*,NOUN":{POS: NOUN},
"名詞,普通名詞,形状詞可能,*,ADJ":{POS: ADJ},
"名詞,普通名詞,助数詞可能,*":{POS: NOUN}, # counter / unit
"名詞,普通名詞,副詞可能,*":{POS: NOUN},
"連体詞,*,*,*":{POS: ADJ}, # XXX this has exceptions based on literal token
"連体詞,*,*,*,ADJ":{POS: ADJ},
"連体詞,*,*,*,PRON":{POS: PRON},
"連体詞,*,*,*,DET":{POS: DET},
}
| raphael0202/spaCy | spacy/ja/tag_map.py | Python | mit | 4,024 |
# -*- coding: UTF-8 -*-
DOWNLOADER_VERSION = "0.0.1"
DOWNLOADER_LOG_FILE = "downloader.log"
DOWNLOADER_LOG_SIZE = 10485760
DOWNLOADER_LOG_COUNT = 10
DOWNLOADER_LOG_FORMAT = "%(asctime)s - %(name)s - %(levelname)s - %(message)s"
DOWNLOADER_REQUIREMENTS_PATH = "requirements.txt"
| arsenypoga/ImageboardDownloader | DownloaderConstants.py | Python | mit | 278 |
class mmpmon(object):
def __init__(self):
self.name = 'mmpmon'
self.nodefields = { '_n_': 'nodeip', '_nn_': 'nodename',
'_rc_': 'status', '_t_': 'seconds', '_tu_': 'microsecs',
'_br_': 'bytes_read', '_bw_': 'bytes_written',
'_oc_': 'opens', '_cc_': 'closes', '_rdc_': 'reads',
'_wc_': 'writes', '_dir_': 'readdir', '_iu_': 'inode_updates' }
self.nodelabels = {}
self.fsfields = { '_n_': 'nodeip', '_nn_': 'nodename',
'_rc_': 'status', '_t_': 'seconds', '_tu_': 'microsecs',
'_cl_': 'cluster', '_fs_': 'filesystem', '_d_': 'disks',
'_br_': 'bytes_read', '_bw_': 'bytes_written',
'_oc_': 'opens', '_cc_': 'closes', '_rdc_': 'reads',
'_wc_': 'writes', '_dir_': 'readdir', '_iu_': 'inode_updates' }
self.fslabels = {}
def _add_nodes(self, nodelist):
"""Add nodes to the mmpmon nodelist"""
return
def _reset_stats(self):
"""Reset the IO stats"""
return
| stevec7/gpfs | gpfs/mmpmon.py | Python | mit | 1,059 |
from keras.models import model_from_json
import theano.tensor as T
from utils.readImgFile import readImg
from utils.crop import crop_detection
from utils.ReadPascalVoc2 import prepareBatch
import os
import numpy as np
def Acc(imageList,model,sample_number=5000,thresh=0.3):
correct = 0
object_num = 0
count = 0
for image in imageList:
count += 1
#Get prediction from neural network
img = crop_detection(image.imgPath,new_width=448,new_height=448)
img = np.expand_dims(img, axis=0)
out = model.predict(img)
out = out[0]
for i in range(49):
preds = out[i*25:(i+1)*25]
if(preds[24] > thresh):
object_num += 1
row = i/7
col = i%7
'''
centerx = 64 * col + 64 * preds[0]
centery = 64 * row + 64 * preds[1]
h = preds[2] * preds[2]
h = h * 448.0
w = preds[3] * preds[3]
w = w * 448.0
left = centerx - w/2.0
right = centerx + w/2.0
up = centery - h/2.0
down = centery + h/2.0
if(left < 0): left = 0
if(right > 448): right = 447
if(up < 0): up = 0
if(down > 448): down = 447
'''
class_num = np.argmax(preds[4:24])
#Ground Truth
box = image.boxes[row][col]
if(box.has_obj):
for obj in box.objs:
true_class = obj.class_num
if(true_class == class_num):
correct += 1
break
return correct*1.0/object_num
def Recall(imageList,model,sample_number=5000,thresh=0.3):
correct = 0
obj_num = 0
count = 0
for image in imageList:
count += 1
#Get prediction from neural network
img = crop_detection(image.imgPath,new_width=448,new_height=448)
img = np.expand_dims(img, axis=0)
out = model.predict(img)
out = out[0]
#for each ground truth, see we have predicted a corresponding result
for i in range(49):
preds = out[i*25:i*25+25]
row = i/7
col = i%7
box = image.boxes[row][col]
if(box.has_obj):
for obj in box.objs:
obj_num += 1
true_class = obj.class_num
#see what we predict
if(preds[24] > thresh):
predcit_class = np.argmax(preds[4:24])
if(predcit_class == true_class):
correct += 1
return correct*1.0/obj_num
def MeasureAcc(model,sample_number,vocPath,imageNameFile):
imageList = prepareBatch(0,sample_number,imageNameFile,vocPath)
acc = Acc(imageList,model)
re = Recall(imageList,model)
return acc,re
| PatrickChrist/CDTM-Deep-Learning-Drones | Yolonese/utils/MeasureAccuray.py | Python | mit | 2,954 |
# -*- encoding: utf-8 -*-
from supriya.tools import osctools
from supriya.tools.requesttools.Request import Request
class GroupQueryTreeRequest(Request):
r'''A /g_queryTree request.
::
>>> from supriya.tools import requesttools
>>> request = requesttools.GroupQueryTreeRequest(
... node_id=0,
... include_controls=True,
... )
>>> request
GroupQueryTreeRequest(
include_controls=True,
node_id=0
)
::
>>> message = request.to_osc_message()
>>> message
OscMessage(57, 0, 1)
::
>>> message.address == requesttools.RequestId.GROUP_QUERY_TREE
True
'''
### CLASS VARIABLES ###
__slots__ = (
'_include_controls',
'_node_id',
)
### INITIALIZER ###
def __init__(
self,
include_controls=False,
node_id=None,
):
Request.__init__(self)
self._node_id = node_id
self._include_controls = bool(include_controls)
### PUBLIC METHODS ###
def to_osc_message(self):
request_id = int(self.request_id)
node_id = int(self.node_id)
include_controls = int(self.include_controls)
message = osctools.OscMessage(
request_id,
node_id,
include_controls,
)
return message
### PUBLIC PROPERTIES ###
@property
def include_controls(self):
return self._include_controls
@property
def node_id(self):
return self._node_id
@property
def response_specification(self):
from supriya.tools import responsetools
return {
responsetools.QueryTreeResponse: None,
}
@property
def request_id(self):
from supriya.tools import requesttools
return requesttools.RequestId.GROUP_QUERY_TREE | andrewyoung1991/supriya | supriya/tools/requesttools/GroupQueryTreeRequest.py | Python | mit | 1,918 |
#!/usr/bin/env python
"""
The pyligadb module is a small python wrapper for the OpenLigaDB webservice.
The pyligadb module has been released as open source under the MIT License.
Copyright (c) 2014 Patrick Dehn
Due to suds, the wrapper is very thin, but the docstrings may be helpful.
Most of the methods of pyligadb return a list containing the requested data as
objects. So the attributes of the list items are accessible via the dot notation
(see example below). For a more detailed description of the return values see
the original documentation: http://www.openligadb.de/Webservices/Sportsdata.asmx
Example use (prints all matches at round 14 in season 2010 from the Bundesliga):
>>> from pyligadb.pyligadb import API
>>> matches = API().getMatchdataByGroupLeagueSaison(14, 'bl1', 2010)
>>> for match in matches:
>>> print u"{} vs. {}".format(match.nameTeam1, match.nameTeam2)
1. FSV Mainz 05 vs. 1. FC Nuernberg
1899 Hoffenheim vs. Bayer Leverkusen
...
...
"""
__version__ = "0.1.1"
try:
from suds.client import Client
except ImportError:
raise Exception("pyligadb requires the suds library to work. "
"https://fedorahosted.org/suds/")
class API:
def __init__(self):
self.client = Client('http://www.openligadb.de/Webservices/'
'Sportsdata.asmx?WSDL').service
def getAvailGroups(self, leagueShortcut, leagueSaison):
"""
@param leagueShortcut: Shortcut for a specific league.
Use getAvailLeagues() to get all shortcuts.
@param leagueSaison: A specific season (i.e. the date 2011 as integer)
@return: A list of available groups (half-final, final, etc.) for the
specified league and season.
"""
return self.client.GetAvailGroups(leagueShortcut, leagueSaison)[0]
def getAvailLeagues(self):
"""
@return: A list of all in OpenLigaDB available leagues.
"""
return self.client.GetAvailLeagues()[0]
def getAvailLeaguesBySports(self, sportID):
"""
@param sportID: The id related to a specific sport.
Use getAvailSports() to get all IDs.
@return: A list of all in OpenLigaDB available leagues of the specified
sport.
"""
return self.client.GetAvailLeaguesBySports(sportID)[0]
def getAvailSports(self):
"""
@return: An object containing all in OpenLigaDB available sports.
"""
return self.client.GetAvailSports()[0]
def getCurrentGroup(self, leagueShortcut):
"""
@param leagueShortcut: Shortcut for a specific league.
Use getAvailLeagues() to get all shortcuts.
@return: An object containing information about the current group for
the specified league (i.e. the round ("Spieltag") of the German
Bundesliga).
"""
return self.client.GetCurrentGroup(leagueShortcut)
def getCurrentGroupOrderID(self, leagueShortcut):
"""
@param leagueShortcut: Shortcut for a specific league.
Use getAvailLeagues() to get all shortcuts.
@return: The current group-ID for the specified league
(see getCurrentGroup()) as int value.
"""
return self.client.GetCurrentGroupOrderID(leagueShortcut)
def getGoalGettersByLeagueSaison(self, leagueShortcut, leagueSaison):
"""
@param leagueShortcut: Shortcut for a specific league.
Use getAvailLeagues() to get all shortcuts.
@param leagueSaison: A specific season (i.e. the date 2011 as integer).
@return: A list of scorers from the specified league and season, sorted
by goals scored.
"""
return self.client.GetGoalGettersByLeagueSaison(leagueShortcut,
leagueSaison)[0]
def getGoalsByLeagueSaison(self, leagueShortcut, leagueSaison):
"""
@param leagueShortcut: Shortcut for a specific league.
Use getAvailLeagues() to get all shortcuts.
@param leagueSaison: A specific season (i.e. the date 2011 as integer).
@return: A list of all goals from the specified league and season.
"""
return self.client.GetGoalsByLeagueSaison(leagueShortcut,
leagueSaison)[0]
def getGoalsByMatch(self, matchID):
"""
@param matchID: The ID of a specific Match. Use i.e. getLastMatch() to
obtain an ID.
@return: A list of all goals from the specified match or None.
"""
result = self.client.GetGoalsByMatch(matchID)
if result == "":
return None
else:
return result[0]
def getLastChangeDateByGroupLeagueSaison(self, groupOrderID, leagueShortcut,
leagueSaison):
"""
@param groupOrderID: The id of a specific group.
Use i.e. getCurrentGroupOrderID() to obtain an ID.
@param leagueShortcut: Shortcut for a specific leagueself.
Use getAvailLeagues() to get all shortcuts.
@param leagueSaison: A specific season (i.e. the date 2011 as integer).
@return: The date of the last change as datetime object.
"""
return self.client.GetLastChangeDateByGroupLeagueSaison(groupOrderID,
leagueShortcut, leagueSaison)
def getLastChangeDateByLeagueSaison(self, leagueShortcut, leagueSaison):
"""
@param leagueShortcut: Shortcut for a specific league.
Use getAvailLeagues() to get all shortcuts.
@param leagueSaison: A specific season (i.e. the date 2011 as integer).
@return: The date of the last change as datetime object.
"""
return self.client.GetLastChangeDateByLeagueSaison(leagueShortcut,
leagueSaison)
def getLastMatch(self, leagueShortcut):
"""
@param leagueShortcut: Shortcut for a specific league.
Use getAvailLeagues() to get all shortcuts.
@return: An object containing information about the last match from the
specified league.
"""
return self.client.GetLastMatch(leagueShortcut)
def getLastMatchByLeagueTeam(self, leagueID, teamID):
"""
@param leagueID: Shortcut for a specific league.
Use getAvailLeagues() to get all IDs.
@param teamID: The ID of a team, which cab be obtained by using
getTeamsByLeagueSaison()
@return: An object containing information about the last played match
"""
return self.client.GetLastMatchByLeagueTeam(leagueID, teamID)
def getMatchByMatchID(self, matchID):
"""
@param matchID: The ID of a specific Match. Use i.e. getNextMatch()
to obtain an ID.
@return: An object containing information about the specified match.
"""
return self.client.GetMatchByMatchID(matchID)
def getMatchdataByGroupLeagueSaison(self, groupOrderID, leagueShortcut,
leagueSaison):
"""
@param groupOrderID: The ID of a specific group.
Use i.e. getCurrentGroupOrderID() to obtain an ID.
@param leagueShortcut: Shortcut for a specific league.
Use getAvailLeagues() to get all shortcuts.
@param leagueSaison: A specific season (i.e. the date 2011 as integer).
@return: A list of matches. Each list item is an object containing
detailed information about the specified group/round.
"""
return self.client.GetMatchdataByGroupLeagueSaison(groupOrderID,
leagueShortcut, leagueSaison)[0]
def getMatchdataByGroupLeagueSaisonJSON(self, groupOrderID, leagueShortcut,
leagueSaison):
"""
@param groupOrderID: The ID of a specific group.
Use i.e. getCurrentGroupOrderID() to obtain an ID.
@param leagueShortcut: Shortcut for a specific league.
Use getAvailLeagues() to get all shortcuts.
@param leagueSaison: A specific season (i.e. the date 2011 as integer).
@return: A JSON-Object containing detailed information about the
specified group/round.
"""
return self.client.GetMatchdataByGroupLeagueSaison(groupOrderID,
leagueShortcut, leagueSaison)
def getMatchdataByLeagueDateTime(self, fromDateTime, toDateTime,
leagueShortcut):
"""
@param fromDateTime: limit the result to matches later than fromDateTime
@type fromDateTime: datetime.datetime
@param toDateTime: limit the result to matches earlier than toDateTime
@type toDateTime: datetime.datetime
@return: A list of matches in the specified period.
"""
return self.client.GetMatchdataByLeagueDateTime(fromDateTime,
toDateTime, leagueShortcut)[0]
def getMatchdataByLeagueSaison(self, leagueShortcut, leagueSaison):
"""
@param leagueShortcut: Shortcut for a specific league.
Use getAvailLeagues() to get all shortcuts.
@param leagueSaison: A specific season (i.e. the date 2011 as integer).
@return: A list of all matches in the specified league and season.
@note: May take some time...
"""
return self.client.GetMatchdataByLeagueSaison(leagueShortcut,
leagueSaison)[0]
def getMatchdataByTeams(self, teamID1, teamID2):
"""
@param teamID1: ID of the first team. Use i.e. getTeamsByLeagueSaison()
to obtain team IDs.
@param teamID1: ID of the second team.
@return: A list of matches, at which the specified teams play against
each other.
"""
return self.client.GetMatchdataByTeams(teamID1, teamID2)[0]
def getNextMatch(self, leagueShortcut):
"""
@param leagueShortcut: Shortcut for a specific league.
Use getAvailLeagues() to get all shortcuts.
@return: An object containing information about the next match from the
specified league.
"""
return self.client.GetNextMatch(leagueShortcut)
def getNextMatchByLeagueTeam(self, leagueID, teamID):
"""
@param leagueID: Shortcut for a specific league.
Use getAvailLeagues() to get all IDs.
@param teamID: The ID of a team, which cab be obtained by using
getTeamsByLeagueSaison()
@return: An object containing information about the next match
"""
return self.client.GetNextMatchByLeagueTeam(leagueID, teamID)
def getTeamsByLeagueSaison(self, leagueShortcut, leagueSaison):
"""
@param leagueShortcut: Shortcut for a specific league.
Use getAvailLeagues() to get all shortcuts.
@param leagueSaison: A specific season (i.e. the date 2011 as integer).
@return: A list of all teams playing in the specified league and season.
"""
return self.client.GetTeamsByLeagueSaison(leagueShortcut,
leagueSaison)[0] | pedesen/pyligadb | pyligadb.py | Python | mit | 11,013 |
from django.contrib import admin
from app.models import Home, Room, Thermostat, Door, Light, Refrigerator
"""
Administrator interface customization
This module contains customization classes to the admin interface
rendered by Django. This file is interpreted at run time to serve
the custom administrator actions that correspond to the application's
custom models.
"""
class ThermostatAdmin(admin.ModelAdmin):
"""
ModelAdmin
"""
list_display = ('name','home','current_temp','set_temp','pk')
search_fields = ('name','home')
class ThermostatInline(admin.StackedInline):
"""
StackedInline
"""
model = Thermostat
class DoorAdmin(admin.ModelAdmin):
"""
ModelAdmin
"""
list_display = ('name','room','is_locked','is_open','pk')
search_fields = ('name','room')
class DoorInline(admin.StackedInline):
"""
StackedInline
"""
model = Door
class LightAdmin(admin.ModelAdmin):
"""
ModelAdmin
"""
list_display = ('name','room','is_on','pk')
search_fields = ('name','room')
class LightInline(admin.StackedInline):
"""
StackedInline
"""
model = Light
class RefrigeratorAdmin(admin.ModelAdmin):
"""
ModelAdmin
"""
list_display = ('name','room','fridge_set_temp','fridge_current_temp','freezer_set_temp','freezer_current_temp','pk')
search_fields = ('name','room')
class RefrigeratorInline(admin.StackedInline):
"""
StackedInline
"""
model = Refrigerator
class RoomAdmin(admin.ModelAdmin):
"""
ModelAdmin
"""
list_display = ('name','home','room_type','pk')
search_fields = ('name','home')
inlines = (DoorInline, LightInline, RefrigeratorInline,)
class RoomInline(admin.StackedInline):
"""
StackedInline
"""
model = Room
class HomeAdmin(admin.ModelAdmin):
list_display = ('name','owner','position','secret_key','pk')
search_fields = ('name',)
readonly_fields=('secret_key',)
inlines = (ThermostatInline, RoomInline, )
admin.site.register(Home, HomeAdmin)
admin.site.register(Thermostat, ThermostatAdmin)
admin.site.register(Room, RoomAdmin)
admin.site.register(Door, DoorAdmin)
admin.site.register(Light, LightAdmin)
admin.site.register(Refrigerator, RefrigeratorAdmin)
| brabsmit/home-control | homecontrol/app/admin.py | Python | mit | 2,233 |
"""
Annotates Old Bird call detections in the BirdVox-70k archive.
The annotations classify clips detected by the Old Bird Tseep and Thrush
detectors according to the archive's ground truth call clips.
This script must be run from the archive directory.
"""
from django.db.models import F
from django.db.utils import IntegrityError
import pandas as pd
# Set up Django. This must happen before any use of Django, including
# ORM class imports.
import vesper.util.django_utils as django_utils
django_utils.set_up_django()
from vesper.django.app.models import (
AnnotationInfo, Clip, Processor, Recording, StringAnnotation, User)
import vesper.django.app.model_utils as model_utils
import scripts.old_bird_detector_eval.utils as utils
# Set this `True` to skip actually annotating the Old Bird detections.
# The script will still compute the classifications and print precision,
# recall, and F1 statistics. This is useful for testing purposes, since
# the script runs considerably faster when it doesn't annotate.
ANNOTATE = True
GROUND_TRUTH_DETECTOR_NAME = 'BirdVox-70k'
# The elements of the pairs of numbers are (0) the approximate start offset
# of a call within an Old Bird detector clip, and (1) the approximate
# maximum duration of a call. The units of both numbers are seconds.
DETECTOR_DATA = (
('Old Bird Tseep Detector Redux 1.1', 'Call.High'),
('Old Bird Thrush Detector Redux 1.1', 'Call.Low'),
)
CLASSIFICATION_ANNOTATION_NAME = 'Classification'
CENTER_INDEX_ANNOTATION_NAME = 'Call Center Index'
CENTER_FREQ_ANNOTATION_NAME = 'Call Center Freq'
SAMPLE_RATE = 24000
def main():
rows = annotate_old_bird_calls()
raw_df = create_raw_df(rows)
aggregate_df = create_aggregate_df(raw_df)
add_precision_recall_f1(raw_df)
add_precision_recall_f1(aggregate_df)
print(raw_df.to_csv())
print(aggregate_df.to_csv())
def annotate_old_bird_calls():
center_index_annotation_info = \
AnnotationInfo.objects.get(name=CENTER_INDEX_ANNOTATION_NAME)
center_freq_annotation_info = \
AnnotationInfo.objects.get(name=CENTER_FREQ_ANNOTATION_NAME)
classification_annotation_info = \
AnnotationInfo.objects.get(name=CLASSIFICATION_ANNOTATION_NAME)
user = User.objects.get(username='Vesper')
sm_pairs = model_utils.get_station_mic_output_pairs_list()
ground_truth_detector = Processor.objects.get(
name=GROUND_TRUTH_DETECTOR_NAME)
rows = []
for detector_name, annotation_value in DETECTOR_DATA:
short_detector_name = detector_name.split()[2]
old_bird_detector = Processor.objects.get(name=detector_name)
window = utils.OLD_BIRD_CLIP_CALL_CENTER_WINDOWS[short_detector_name]
for station, mic_output in sm_pairs:
station_num = int(station.name.split()[1])
print('{} {}...'.format(short_detector_name, station_num))
ground_truth_clips = list(model_utils.get_clips(
station=station,
mic_output=mic_output,
detector=ground_truth_detector,
annotation_name=CLASSIFICATION_ANNOTATION_NAME,
annotation_value=annotation_value))
ground_truth_call_center_indices = \
[c.start_index + c.length // 2 for c in ground_truth_clips]
ground_truth_call_count = len(ground_truth_clips)
old_bird_clips = list(model_utils.get_clips(
station=station,
mic_output=mic_output,
detector=old_bird_detector))
old_bird_clip_count = len(old_bird_clips)
clips = [(c.start_index, c.length) for c in old_bird_clips]
matches = utils.match_clips_with_calls(
clips, ground_truth_call_center_indices, window)
old_bird_call_count = len(matches)
rows.append([
short_detector_name, station_num, ground_truth_call_count,
old_bird_call_count, old_bird_clip_count])
if ANNOTATE:
# Clear any existing annotations.
for clip in old_bird_clips:
model_utils.unannotate_clip(
clip, classification_annotation_info,
creating_user=user)
# Create new annotations.
for i, j in matches:
old_bird_clip = old_bird_clips[i]
call_center_index = ground_truth_call_center_indices[j]
ground_truth_clip = ground_truth_clips[j]
# Annotate Old Bird clip call center index.
model_utils.annotate_clip(
old_bird_clip, center_index_annotation_info,
str(call_center_index), creating_user=user)
# Get ground truth clip call center frequency.
annotations = \
model_utils.get_clip_annotations(ground_truth_clip)
call_center_freq = annotations[CENTER_FREQ_ANNOTATION_NAME]
# Annotate Old Bird clip call center frequency.
model_utils.annotate_clip(
old_bird_clip, center_freq_annotation_info,
call_center_freq, creating_user=user)
model_utils.annotate_clip(
old_bird_clip, classification_annotation_info,
annotation_value, creating_user=user)
return rows
def create_raw_df(rows):
columns = [
'Detector', 'Station', 'Ground Truth Calls', 'Old Bird Calls',
'Old Bird Clips']
return pd.DataFrame(rows, columns=columns)
def create_aggregate_df(df):
data = [
sum_counts(df, 'Tseep'),
sum_counts(df, 'Thrush'),
sum_counts(df, 'All')
]
columns = [
'Detector', 'Ground Truth Calls', 'Old Bird Calls', 'Old Bird Clips']
return pd.DataFrame(data, columns=columns)
def sum_counts(df, detector):
if detector != 'All':
df = df.loc[df['Detector'] == detector]
return [
detector,
df['Ground Truth Calls'].sum(),
df['Old Bird Calls'].sum(),
df['Old Bird Clips'].sum()]
def add_precision_recall_f1(df):
p = df['Old Bird Calls'] / df['Old Bird Clips']
r = df['Old Bird Calls'] / df['Ground Truth Calls']
df['Precision'] = to_percent(p)
df['Recall'] = to_percent(r)
df['F1'] = to_percent(2 * p * r / (p + r))
def to_percent(x):
return round(1000 * x) / 10
if __name__ == '__main__':
main()
| HaroldMills/Vesper | scripts/old_bird_detector_eval/annotate_old_bird_calls.py | Python | mit | 6,952 |
from django.shortcuts import render
from django.http import HttpResponseRedirect
from django.core.urlresolvers import reverse
import datetime, time, requests, re, os
import bs4
from django.contrib.admin.views.decorators import staff_member_required
from decimal import *
# Create your views here.
from .models import Gas, Region, Station, Site, Ship, Harvester, Setup, APICheck
from .forms import GasForm, SiteForm, SiteAnalyzer
def about(request):
return render(request, 'home/about.html')
def home(request):
if request.method == "POST":
form = GasForm(data=request.POST)
if form.is_valid():
data = form.cleaned_data
harv = data['harvester']
cycle = harv.cycle
yld = harv.yld
ship = data['ship']
yld_bonus = ship.yld_bonus
if data['skill'] > 5:
skill = 5
if data['skill'] < 1:
skill = 1
else:
skill = data['skill']
cycle_bonus = skill * .05
else:
form = GasForm()
cycle = 40
yld = 20
cycle_bonus = 0.25
yld_bonus = 1
if cycle_bonus > .25:
cycle_bonus = Decimal(0.25)
c = cycle * (1 - cycle_bonus)
y = yld * (1 + yld_bonus)
gases = Gas.objects.all()
isk_min = {}
for gas in gases:
g = gas.name
vol = gas.volume
isk_min_val = ((Decimal(y) / Decimal(gas.volume)) * 2) * (60 / Decimal(c)) * Decimal(gas.last_price)
isk_mthree = Decimal(gas.last_price) / Decimal(gas.volume)
isk_min[g] = [isk_min_val, isk_mthree]
u = APICheck.objects.get(id=1)
context = {'isk_min': isk_min, 'form': form, 'updated': str(u.updated)}
return render(request, "home/home.html", context)
def sites(request):
if request.method == "POST":
form = SiteForm(data=request.POST)
if form.is_valid():
data = form.cleaned_data
harv = data['harvester']
cycle = Decimal(harv.cycle)
yld = Decimal(harv.yld)
ship = data['ship']
yld_bonus = Decimal(ship.yld_bonus)
cargo = Decimal(ship.cargo)
num = Decimal(data['num'])
if data['skill'] > 5:
skill = 5
if data['skill'] < 1:
skill = 1
else:
skill = data['skill']
cycle_bonus = skill * .05
extra_data = data['extra_data']
else:
form = SiteForm()
cycle = Decimal(40)
yld = Decimal(20)
cycle_bonus = Decimal(0.25)
yld_bonus = Decimal(1)
num = Decimal(1)
cargo = 10000
extra_data = False
c = cycle * (Decimal(1) - Decimal(cycle_bonus))
y = yld * (Decimal(1) + Decimal(yld_bonus))
sites = Site.objects.all()
sites_calc = {}
for site in sites:
p_price = site.p_gas.last_price
s_price = site.s_gas.last_price
p_vol = site.p_gas.volume
s_vol = site.s_gas.volume
p_isk_min = ((Decimal(y) / Decimal(p_vol)) * 2) * (60 / Decimal(c)) * Decimal(p_price) * num
s_isk_min = ((Decimal(y) / Decimal(s_vol)) * 2) * (60 / Decimal(c)) * Decimal(s_price) * num
if p_isk_min < s_isk_min:
best_gas = site.s_gas
best_gas_isk_min = s_isk_min
best_qty = site.s_qty
other_gas = site.p_gas
other_gas_isk_min = p_isk_min
other_qty = site.p_qty
else:
best_gas = site.p_gas
best_gas_isk_min = p_isk_min
best_qty = site.p_qty
other_gas = site.s_gas
other_gas_isk_min = s_isk_min
other_qty = site.s_qty
p_units_min = ((y / best_gas.volume) * 2) * (60 / c) * num
s_units_min = ((y / other_gas.volume) * 2) * (60 / c) * num
time_to_clear = (best_qty / p_units_min) + (other_qty / s_units_min)
isk_pres = (p_price * site.p_qty) + (s_price * site.s_qty)
site_isk_min = Decimal(isk_pres) / Decimal(time_to_clear)
#extra data calculations
primary_time_to_clear = (best_qty / p_units_min)
secondary_time_to_clear = (other_qty / s_units_min)
#blue_loot_isk
#time to kill site
ships_needed = ((site.p_qty * p_vol) + (site.s_qty * s_vol)) / (cargo)
sites_calc[site.name] = [isk_pres, best_gas, best_gas_isk_min, other_gas, other_gas_isk_min, site_isk_min, time_to_clear, primary_time_to_clear, secondary_time_to_clear, ships_needed]
u = APICheck.objects.get(id=1)
context = {'form': form, 'sites_calc': sites_calc, 'updated': str(u.updated), 'extra_data': extra_data}
return render(request, "home/sites.html", context)
def site_an(request):
if request.method == 'POST':
form = SiteAnalyzer(data=request.POST)
if form.is_valid():
data = form.cleaned_data
scan = data['scan']
num = Decimal(data['num'])
ship = data['ship']
harvester = data['harvester']
skill = Decimal(data['skill'])
show_data = True
else:
form = SiteAnalyzer()
show_data = False
skill = 0
yld = 0
num = 1
ship = Ship.objects.get(id=1)
harvester = Harvester.objects.get(id=1)
cycle_bonus = skill * Decimal(0.05)
yld = harvester.yld
c = harvester.cycle * (1 - cycle_bonus)
y = yld * (1 + ship.yld_bonus) * num
#parse Dscan
sites = []
proc_sites = []
if show_data == True:
#print(scan)
scan_re = re.compile(r'Gas Site *(\S* \S* \S*) *')
scan_re_b = re.compile(r'(Instrumental Core Reservoir|Ordinary Perimeter Reservoir|Minor Perimeter Reservoir|Bountiful Frontier Reservoir|Barren Perimeter Reservoir|Token Perimeter Reservoir|Sizable Perimeter Reservoir|Vast Frontier Reservoir|Vital Core Reservoir)')
scan_results = scan_re.findall(scan)
if scan_results == []:
scan_results = scan_re_b.findall(scan)
print(scan_results)
for res in scan_results:
sites.append(res)
for s in sites:
site = Site.objects.get(name=s)
site_name = site.name
site_isk = (site.p_gas.last_price * site.p_qty) + (site.s_gas.last_price * site.s_qty)
#ninja scanning
#determine best gas
p_isk_min = ((Decimal(y) / Decimal(site.p_gas.volume)) * 2) * (60 / Decimal(c)) * Decimal(site.p_gas.last_price)
s_isk_min = ((Decimal(y) / Decimal(site.s_gas.volume)) * 2) * (60 / Decimal(c)) * Decimal(site.s_gas.last_price)
if p_isk_min >= s_isk_min:
first_cloud = site.p_gas
first_qty = site.p_qty
sec_cloud = site.s_gas
sec_qty = site.s_qty
if p_isk_min <= s_isk_min:
first_cloud = site.s_gas
first_qty = site.s_qty
sec_cloud = site.p_gas
sec_qty = site.p_qty
#calculate how much you can get in 15 minutes
units_15 = ((Decimal(y) / Decimal(first_cloud.volume)) * 2) * (60 / Decimal(c)) * 15
if units_15 <= first_qty:
ninja_isk = units_15 * first_cloud.last_price
if ninja_isk > site_isk:
ninja_isk = site_isk
m_per_s = (units_15 / num) * first_cloud.volume
#if it is more than the qty in the best cloud, calculate the remaining time
if units_15 > first_qty:
min_left = 15 - (first_qty / (units_15 / 15))
sec_units_min = ((Decimal(y) / Decimal(sec_cloud.volume)) * 2) * (60 / Decimal(c))
rem_units = sec_units_min * min_left
ninja_isk = (rem_units * sec_cloud.last_price) + (first_qty * first_cloud.last_price)
if ninja_isk > site_isk:
ninja_isk = site_isk
m_per_s = ((units_15 / num) * first_cloud.volume) + ((rem_units / num) * sec_cloud.volume)
if m_per_s * num > (site.p_qty * site.p_gas.volume) + (site.s_qty * site.s_gas.volume):
m_per_s = ((site.p_qty * site.p_gas.volume) + (site.s_qty * site.s_gas.volume)) / num
sipm = ninja_isk / 15 / num
nips = ninja_isk / num
if site_name == 'Ordinary Perimeter Reservoir':
sipm = 0
m_per_s = 0
nips = 0
ninja_isk = 0
ninja_si = (site_name, site_isk, sipm, first_cloud.name, m_per_s, nips, ninja_isk)
#print(ninja_si)
proc_sites.append(ninja_si)
t_site_isk = 0
t_sipm = 0
t_sipm_c = 0
t_m_per_s = 0
t_nips = 0
t_ninja_isk = 0
for s in proc_sites:
t_site_isk = t_site_isk + s[1]
t_sipm = t_sipm + s[2]
if s[0] != "Ordinary Perimeter Reservoir":
t_sipm_c = t_sipm_c + 1
t_m_per_s = t_m_per_s + s[4]
t_nips = t_nips + s[5]
t_ninja_isk = t_ninja_isk + s[6]
ships = t_m_per_s / ship.cargo
if t_sipm_c == 0:
t_sipm_c = 1
if t_site_isk == 0:
t_site_isk = 1
percent = (t_ninja_isk / t_site_isk) * 100
totals = (t_site_isk, t_sipm / t_sipm_c, t_m_per_s, t_nips, t_ninja_isk, ships, percent)
t_min = t_sipm_c * 15
u = APICheck.objects.get(id=1)
#site clearing
#take sites
#isk present, blue loot isk present, time to fully clear site, rat dps, rat ehp
context = {'show_data': show_data, 'form': form, 'sites': sites, 'proc_sites': proc_sites, 'totals': totals, 't_min': t_min, 'updated': str(u.updated)}
return render(request, "home/site_an.html", context)
def pull_prices(request):
tag_re = re.compile(r'<.*>(.*)</.*>')
gs = Gas.objects.all()
id_str = ''
for g in gs:
gid = g.item_id
id_str = id_str+'&typeid='+gid
#r = Region.objects.get(id=1)
#r = r.region_id
r = '10000002'
url = 'http://api.eve-central.com/api/marketstat?'+id_str+'®ionlimit='+r
xml_raw = requests.get(url)
if xml_raw.status_code == requests.codes.ok:
path = 'data/prices.xml'
xml = open(path, 'w')
xml.write(xml_raw.text)
xml.close()
status = 'OK'
else:
status = 'Error'
xml_file = open(path, 'r')
xml = xml_file.read()
soup = bs4.BeautifulSoup(xml, 'xml')
types = soup.find_all('type')
for t in types:
t_dict = dict(t.attrs)
type_id = t_dict['id']
buy = t.buy
avg = buy.find_all('max')
avg_in = tag_re.search(str(avg))
avg_in = avg_in.group(1)
avg_price = Decimal(avg_in)
avg_price = round(avg_price, 2)
g = Gas.objects.get(item_id=type_id)
g.last_price = avg_price
g.save()
gases = Gas.objects.all()
a, c = APICheck.objects.get_or_create(id=1)
a.save()
context = {'status': status, 'gases': gases}
return render(request, "home/pull_prices.html", context)
@staff_member_required
def wipe_db(request):
s = Site.objects.all()
s.delete()
g = Gas.objects.all()
g.delete()
r = Region.objects.all()
r.delete()
s = Station.objects.all()
s.delete()
s = Ship.objects.all()
s.delete()
h = Harvester.objects.all()
h.delete()
s = Setup.objects.all()
s.delete()
return HttpResponseRedirect(reverse('home:home'))
@staff_member_required
def setup_site(request):
try:
s = Setup.objects.get(id=1)
if s==1:
return HttpResponseRedirect(reverse('home:home'))
except:
g = Gas(name='Fullerite-C28',item_id='30375', volume='2')
g.save()
g = Gas(name='Fullerite-C32',item_id='30376', volume='5')
g.save()
g = Gas(name='Fullerite-C320',item_id='30377', volume='5')
g.save()
g = Gas(name='Fullerite-C50',item_id='30370', volume='1')
g.save()
g = Gas(name='Fullerite-C540',item_id='30378', volume='10')
g.save()
g = Gas(name='Fullerite-C60',item_id='30371', volume='1')
g.save()
g = Gas(name='Fullerite-C70',item_id='30372', volume='1')
g.save()
g = Gas(name='Fullerite-C72',item_id='30373', volume='2')
g.save()
g = Gas(name='Fullerite-C84',item_id='30374', volume='2')
g.save()
r = Region(name='The Forge', region_id='10000002')
r.save()
s = Station(name='Jita IV - Moon 4 - Caldari Navy Assembly Plant ( Caldari Administrative Station )',station_id='60003760')
s.save()
s = Ship(name='Venture',cargo=5000,yld_bonus=1.00)
s.save()
s = Ship(name='Prospect',cargo=10000,yld_bonus=1.00)
s.save()
h = Harvester(name='Gas Cloud Harvester I',harv_id='25266',cycle=30,yld=10)
h.save()
h = Harvester(name='\'Crop\' Gas Cloud Harvester',harv_id='25540',cycle=30,yld=10)
h.save()
h = Harvester(name='\'Plow\' Gas Cloud Harvester',harv_id='25542',cycle=30,yld=10)
h.save()
h = Harvester(name='Gas Cloud Harvester II',harv_id='25812',cycle=40,yld=20)
h.save()
h = Harvester(name='Syndicate Gas Cloud Harvester',harv_id='28788',cycle=30,yld=10)
h.save()
c50 = Gas.objects.get(name='Fullerite-C50')
c60 = Gas.objects.get(name='Fullerite-C60')
c70 = Gas.objects.get(name='Fullerite-C70')
c72 = Gas.objects.get(name='Fullerite-C72')
c84 = Gas.objects.get(name='Fullerite-C84')
c28 = Gas.objects.get(name='Fullerite-C28')
c32 = Gas.objects.get(name='Fullerite-C32')
c320 = Gas.objects.get(name='Fullerite-C320')
c540 = Gas.objects.get(name='Fullerite-C540')
s = Site(name='Barren Perimeter Reservoir',p_gas=c50,s_gas=c60,p_qty=3000,s_qty=1500)
s.save()
s = Site(name='Token Perimeter Reservoir',p_gas=c60,s_gas=c70,p_qty=3000,s_qty=1500)
s.save()
s = Site(name='Ordinary Perimeter Reservoir',p_gas=c72,s_gas=c84,p_qty=3000,s_qty=1500)
s.save()
s = Site(name='Sizable Perimeter Reservoir',p_gas=c84,s_gas=c50,p_qty=3000,s_qty=1500)
s.save()
s = Site(name='Minor Perimeter Reservoir',p_gas=c70,s_gas=c72,p_qty=3000,s_qty=1500)
s.save()
s = Site(name='Bountiful Frontier Reservoir',p_gas=c28,s_gas=c32,p_qty=5000,s_qty=1000)
s.save()
s = Site(name='Vast Frontier Reservoir',p_gas=c32,s_gas=c28,p_qty=5000,s_qty=1000)
s.save()
s = Site(name='Instrumental Core Reservoir',p_gas=c320,s_gas=c540,p_qty=6000,s_qty=500)
s.save()
s = Site(name='Vital Core Reservoir',p_gas=c540,s_gas=c320,p_qty=6000,s_qty=500)
s.save()
try:
os.mkdir('data/')
except:
pass
s = Setup(setup=1)
s.save()
return HttpResponseRedirect(reverse('home:home'))
| inspectorbean/gasbuddy | home/views.py | Python | mit | 14,960 |
#!/usr/bin/env python3
""" 2018 AOC Day 09 """
import argparse
import typing
import unittest
class Node(object):
''' Class representing node in cyclic linked list '''
def __init__(self, prev: 'Node', next: 'Node', value: int):
''' Create a node with explicit parameters '''
self._prev = prev
self._next = next
self._value = value
@staticmethod
def default() -> 'Node':
''' Create a node linked to itself with value 0 '''
node = Node(None, None, 0) # type: ignore
node._prev = node
node._next = node
return node
def forward(self, n: int = 1) -> 'Node':
''' Go forward n nodes '''
current = self
for _ in range(n):
current = current._next
return current
def back(self, n: int = 1) -> 'Node':
''' Go backward n nodes '''
current = self
for _ in range(n):
current = current._prev
return current
def insert(self, value: int) -> 'Node':
''' Insert new node after current node with given value, and return newly inserted Node '''
new_node = Node(self, self._next, value)
self._next._prev = new_node
self._next = new_node
return self._next
def remove(self) -> 'Node':
''' Remove current Node and return the following Node '''
self._prev._next = self._next
self._next._prev = self._prev
return self._next
def value(self) -> int:
''' Get value '''
return self._value
def chain_values(self):
values = [self.value()]
current = self.forward()
while current != self:
values.append(current.value())
current = current.forward()
return values
def part1(nplayers: int, highest_marble: int) -> int:
""" Solve part 1 """
current = Node.default()
player = 0
scores = {p: 0 for p in range(nplayers)}
for idx in range(1, highest_marble + 1):
if idx % 23 == 0:
scores[player] += idx
current = current.back(7)
scores[player] += current.value()
current = current.remove()
else:
current = current.forward().insert(idx)
player = (player + 1) % nplayers
return max(scores.values())
def part2(nplayers: int, highest_node: int) -> int:
""" Solve part 2 """
return part1(nplayers, highest_node)
def main():
""" Run 2018 Day 09 """
parser = argparse.ArgumentParser(description='Advent of Code 2018 Day 09')
parser.add_argument('nplayers', type=int, help='# of players')
parser.add_argument(
'highest_marble',
type=int,
help='highest-valued marble',
)
opts = parser.parse_args()
print('Part 1:', part1(opts.nplayers, opts.highest_marble))
print('Part 2:', part2(opts.nplayers, opts.highest_marble * 100))
if __name__ == '__main__':
main()
class ExampleTest(unittest.TestCase):
def test_part1(self):
examples = {
(9, 25): 32,
(10, 1618): 8317,
(13, 7999): 146373,
(17, 1104): 2764,
(21, 6111): 54718,
(30, 5807): 37305,
}
for example, expected in examples.items():
self.assertEqual(part1(*example), expected)
| devonhollowood/adventofcode | 2018/day09.py | Python | mit | 3,328 |
from django.conf.urls import patterns, include, url
from django.conf.urls.static import static
from django.conf import settings
from django.contrib import admin
admin.autodiscover()
urlpatterns = patterns('',
# Examples:
# url(r'^$', 'app.views.home', name='home'),
# url(r'^blog/', include('blog.urls')),
url(r'^add/$', 'cart.views.add'),
url(r'^clear/$', 'cart.views.clear'),
url(r'^show/$', 'cart.views.show'),
url(r'^remove/(?P<pk>\d+)/$', 'cart.views.remove'),
url(r'^checkout/$', 'cart.views.checkout'),
)
| sheeshmohsin/shopping_site | app/cart/urls.py | Python | mit | 546 |
from __future__ import absolute_import
from __future__ import unicode_literals
import json
from django.test import TestCase
from django.test.client import Client
from webhook.base import WebhookBase
class TestIntegration(TestCase):
def setUp(self):
"""initialize the Django test client"""
self.c = Client()
def test_success(self):
python_dict = {
"eventId": "5c0007",
"portalId": 999,
"userEmail": "[email protected]"
}
response = self.c.post('/webhook-receiver/',
json.dumps(python_dict),
content_type="application/json")
self.assertEqual(response.status_code, 200)
class TestWebhookBase(TestCase):
def test_unimplemented_process_webhook(self):
with self.assertRaises(NotImplementedError):
WebhookBase().process_webhook(data={})
| raiderrobert/django-webhook | tests/test_base.py | Python | mit | 942 |
#Mitch Zinser
#CSCI 3202 Assignment 8
#Worked with the Wikipedia Example and Brady Auen
from math import log2 #For converting numbers to log base 2
'''PIPE TO EXTERNAL FILE WITH > filename.txt'''
letters = 'abcdefghijklmnopqrstuvwxyz'
'''File to read in data from, change this name to read from other files'''
file_name = "typos20.data"
test_file = "typos20Test.data"
'''
NOTE: Spaces are uncorrupted. Words always have the same number of letters and transition to spaces at the end of the word
'''
#Converts input file in format of columns 1 = correct word, columns 2 = space, column 3 = wrong word. One letter column, words separated by "_ _"
#Retuns two lists, first list is words in first column, second list is words in second column
def data_parser(name):
#Store columns
first_col = []
second_col = []
#Temporarily store words as they are built
word1 = ""
word2 = ""
#Emission dict
#Dictionary that stores the intended letter as key, and observed letters with frequencies as value
emis_freq = {}
#Fill dictionary with dictionaries, and those with letter entries (init to 0)
for i in letters:
emis_freq[i] = {}
for j in letters:
emis_freq[i][j] = 0
#Transition dictionary
#Dictionary that stores the first letter (t) as the key, and second letter (t+1) as the second key with frequencies as value
tran_freq = {}
#Fill dictionary with dictionaries, and those with letter entries (init to 0)
for i in (letters+"_"):
tran_freq[i] = {}
for j in (letters+"_"):
tran_freq[i][j] = 0
#Initial dictionary
#Dictionary to store frequency that a letter occurs in the first col (hidden, actual)
init_freq = {}
#Fill dictionary with letter entries (init to 0)
for i in (letters+"_"):
init_freq[i] = 0
#Open the file
with open(name,"r") as data_in:
#Store the last char
last_char = ""
#Bool to see if this is the rist char
first_char = True
#Iterate through the file line by line
for i in data_in.readlines():
#Initial
#Increment the first col characters frequency in the intial dict
init_freq[i[0]] += 1
#Transition
#Make sure this isn't the first
if first_char:
first_char = False
#Otherwise add to the transition frequency dict
else:
tran_freq[last_char][i[0]] += 1
#Set the last char to be the current first col char that we have added to the dict
last_char = i[0]
#Check if this line is a separation between words ("_")
if i[0] == "_":
#Append word to list of words
first_col.append(word1)
second_col.append(word2)
#Reset temperary word storage
word1 = ""
word2 = ""
#Otherwise line is letter
else:
#Append letters to their temporary storage containers
word1 += i[0]
word2 += i[2]
if i[2] in emis_freq[i[0]]:
emis_freq[i[0]][i[2]] += 1
else:
emis_freq[i[0]][i[2]] = 1
#Cleanup since data file doesn't end in a "_ _" line
first_col.append(word1)
second_col.append(word2)
'''Emission Calulations'''
#Add entry to dict 'tot' that holds the total number of times the letter appears
#Iterate through keys (actual letters)
for i in emis_freq:
#Reset total
tot = 0
#Iterate through evidence keys for letter i
for j in emis_freq[i]:
tot += emis_freq[i][j]
#Add 'tot' entry to dict
emis_freq[i]["tot"] = tot
#Now take this data (total) and create a probability dictionary
emis_prob = {}
#Iterate through keys (actual letters)
for i in emis_freq:
#Create dictionary for this actual letter in new dict
emis_prob[i] = {}
#Iterate through evidence keys for letter i
for j in emis_freq[i]:
#Add one to the numerator and 26 (num of letters) to the denominator
emis_prob[i][j] = (emis_freq[i][j]+1)/(emis_freq[i]["tot"]+26)
#Add the very small, basically 0 chance of a "_" getting in the mix (chance is 0 in reality)
emis_prob[i]["_"] = 1/(emis_freq[i]["tot"]+26)
#Remove 'tot' key from probability dict
del emis_prob[i]["tot"]
'''Spaces are immutable, uncorruptable beasts, and have an emission probability of 1. They are not counted'''
emis_prob['_'] = {}
emis_prob['_']['_'] = 0.9999999999999999
for i in letters:
emis_prob['_'][i] = 0.0000000000000001
'''Transition Calulations'''
#Add entry to dict 'tot' that holds the total number of times the letter appears
#Iterate through keys (actual letters)
for i in tran_freq:
#Reset total
tot = 0
#Iterate through evidence keys for letter i
for j in tran_freq[i]:
tot += tran_freq[i][j]
#Add 'tot' entry to dict
tran_freq[i]["tot"] = tot
#Now take this data (total) and create a probability dictionary
tran_prob = {}
#Iterate through keys (actual letters)
for i in tran_freq:
#Create dictionary for this actual letter in new dict
tran_prob[i] = {}
#Iterate through evidence keys for letter i
for j in tran_freq[i]:
#Add one to the numerator and 27 (num of letters + '_') to the denominator
tran_prob[i][j] = (tran_freq[i][j]+1)/(tran_freq[i]["tot"]+27)
#Remove 'tot' key from probability dict
del tran_prob[i]["tot"]
'''Initial Calculations'''
#Count the total number of characters in the first col (hidden)
tot = 0
for i in init_freq:
tot += init_freq[i]
#Dict that stores the probabilities of each letter
init_prob = {}
for i in init_freq:
init_prob[i] = (init_freq[i]/tot)#(init_freq[i]/len("_".join(first_col)))
#Return both lists as and probability dtionary
return first_col,second_col,emis_prob,tran_prob,init_prob
#Viterbi algorithm, returns final prob of getting to end and likely route (sequence of letters)
#Takes in: Evid (observed state sequence, one giant string with underscores for spaces), hidd (list of hidden states, eg. list of possible letters), star (dict of starting probabilities), tran (transition probability dict), emis (emission probability dict)
#Tran must be in format tran[prev][cur]
#Emis must be in format emis[hidden][observed]
def furby(evid, hidd, star, tran, emis):
'''Spaces have a 1.0 emission prob, since they are uncorrupted'''
'''Use math libraries log2 to convert to log base 2 for math. Convert back with math libraries pow(2, num) if desired'''
'''Log2 can still use max. log2(0.8) > log2(0.2)'''
#Create list that uses the time as the index and the value is a dict to store probability
P = [{}]
#Create a dict for the path
path = {}
#Create dict for t(0) (seed dict with inital entries)
#Iterate through start dict (Contains all states that sequence can start with)
for i in star:
#Calculate probability with start[letter]*emission (add instead of multiply with log numbers)
P[0][i] = log2(star[i])+log2(emis[i][evid[0]])
path[i] = [i]
#Run for t > 1, start at second letter
for i in range(1,len(evid)):
#Create new dict at end of list of dicts (dict for each time value)
P.append({})
#Dict to temporarily store path for this iteration
temp_path = {}
#Iterate through all possible states that are connected to the previous state chosen
for j in hidd:
#Use list comprehension to iterate through states, calculate trans*emis*P[t-1] for each possible state, find max and store that in path
(prob, state) = max((P[i-1][k] + log2(tran[k][j]) + log2(emis[j][evid[i]]), k) for k in hidd)
P[i][j] = prob
temp_path[j] = path[state] + [j]
# Don't need to remember the old paths
path = temp_path
#Find max prob in the last iteration of the list of dicts (P)
n = len(evid)-1
(prob, state) = max((P[n][y], y) for y in hidd)
#Return the probability for the best last state and the path for it as a list of 1 char strings
return prob,path[state]
#Function that takes in 2 strings of equal length and returns the error percent. String 1 is the correct string, string 2 is checked for errors
def error_rate(correct, check):
errors = 0
for i in range(0,len(correct)):
if correct[i] != check[i]:
errors += 1
return errors/len(correct)
if __name__ == "__main__":
#Set correct and actual as lists to hold words in each column
correct,actual,conditional,transitional,initial = data_parser(file_name)
#Get the data from another file to run the algorithm on. Get the 1st and 3rd column as strings
#String that had the hidden state sequence (1st column)
test_hidden = ""
#String that stores the observed column (3rd column)
test_observed = ""
#Open file to get data from
with open(test_file,"r") as test_in:
#Iterate through lines of file
for i in test_in.readlines():
#Store first column letter
test_hidden += i[0]
#Store third column letter
test_observed += i[2]
#Run Viterbi
prob, path = furby(test_observed, letters+"_", initial, transitional, conditional)
#Calculate error rates
print("Error rate of", test_file, "before Viterbi:",error_rate(test_hidden,test_observed)*100,"%")
print("Error rate of", test_file, "after Viterbi:",error_rate(test_hidden,path)*100,"%")
print("--------State Sequence--------")
#Print final sequence in more readable format by joining list
print("".join(path))
#Print the probability of the final state for fun
print("--------Final State Probability--------")
print("In Log2:", prob)
print("In Decimal:", pow(2,prob))
''' Part 1
#Print conditional
print("----------------Condition----------------")
#Iterate through keys of a sorted dictionary
for i in sorted(conditional):
print("--------Hidden:",i,"--------")
#Iterate through keys of dict in dict (value dict to the key "i")
for j in sorted(conditional[i]):
#Print the number of occurances
print(j, conditional[i][j])
#Print transitional
print("----------------Transition----------------")
#Iterate through keys of a sorted dictionary
for i in sorted(transitional):
print("--------Previous:",i,"--------")
#Iterate through keys of dict in dict (value dict to the key "i")
for j in sorted(transitional[i]):
#Print the number of occurances
print(j, transitional[i][j])
#Print Initial
print("----------------Initial (Using Hidden)----------------")
#Iterate through key of sorted dict
for i in sorted(initial):
print(i, initial[i])
'''
| mitchtz/ai3202 | Assignment 8 - Hidden Markov Models/Zinser_Assignment8.py | Python | mit | 10,004 |
import os
from djangomaster.core import autodiscover
from djangomaster.sites import mastersite
def get_version():
path = os.path.dirname(os.path.abspath(__file__))
path = os.path.join(path, 'version.txt')
return open(path).read().strip()
__version__ = get_version()
def get_urls():
autodiscover()
return mastersite.urlpatterns, 'djangomaster', 'djangomaster'
urls = get_urls()
| django-master/django-master | djangomaster/__init__.py | Python | mit | 404 |
import urllib2
import json
import time
import threading
import Queue
from utils import make_random_id, LOGINFO, LOGDEBUG, LOGERROR
class CommBase(object):
def __init__(self):
self.agents = []
def add_agent(self, agent):
self.agents.append(agent)
class HTTPComm(CommBase):
def __init__(self, config, url = 'http://localhost:8080/messages'):
super(HTTPComm, self).__init__()
self.config = config
self.lastpoll = -1
self.url = url
self.own_msgids = set()
def post_message(self, content):
msgid = make_random_id()
content['msgid'] = msgid
self.own_msgids.add(msgid)
LOGDEBUG( "----- POSTING MESSAGE ----")
data = json.dumps(content)
LOGDEBUG(data)
u = urllib2.urlopen(self.url, data)
return u.read() == 'Success'
def poll_and_dispatch(self):
url = self.url
if self.lastpoll == -1:
url = url + "?from_timestamp_rel=%s" % self.config['offer_expiry_interval']
else:
url = url + '?from_serial=%s' % (self.lastpoll+1)
print (url)
u = urllib2.urlopen(url)
resp = json.loads(u.read())
for x in resp:
if int(x.get('serial',0)) > self.lastpoll: self.lastpoll = int(x.get('serial',0))
content = x.get('content',None)
if content and not content.get('msgid', '') in self.own_msgids:
for a in self.agents:
a.dispatch_message(content)
class ThreadedComm(CommBase):
class AgentProxy(object):
def __init__(self, tc):
self.tc = tc
def dispatch_message(self, content):
self.tc.receive_queue.put(content)
def __init__(self, upstream_comm):
super(ThreadedComm, self).__init__()
self.upstream_comm = upstream_comm
self.send_queue = Queue.Queue()
self.receive_queue = Queue.Queue()
self.comm_thread = CommThread(self, upstream_comm)
upstream_comm.add_agent(self.AgentProxy(self))
def post_message(self, content):
self.send_queue.put(content)
def poll_and_dispatch(self):
while not self.receive_queue.empty():
content = self.receive_queue.get()
for a in self.agents:
a.dispatch_message(content)
def start(self):
self.comm_thread.start()
def stop(self):
self.comm_thread.stop()
self.comm_thread.join()
class CommThread(threading.Thread):
def __init__(self, threaded_comm, upstream_comm):
threading.Thread.__init__(self)
self._stop = threading.Event()
self.threaded_comm = threaded_comm
self.upstream_comm = upstream_comm
def run(self):
send_queue = self.threaded_comm.send_queue
receive_queue = self.threaded_comm.receive_queue
while not self._stop.is_set():
while not send_queue.empty():
self.upstream_comm.post_message(send_queue.get())
self.upstream_comm.poll_and_dispatch()
time.sleep(1)
def stop(self):
self._stop.set()
| elkingtowa/alphacoin | Bitcoin/ngcccbase-master/ngcccbase/p2ptrade/comm.py | Python | mit | 3,132 |
from kivy.core.window import Window
from kivy.uix.textinput import TextInput
__author__ = 'woolly_sammoth'
from kivy.config import Config
Config.set('graphics', 'borderless', '1')
Config.set('graphics', 'resizable', '0')
Config.set('graphics', 'fullscreen', '1')
from kivy.app import App
from kivy.uix.boxlayout import BoxLayout
from kivy.uix.label import Label
from kivy.uix.button import Button
from kivy.uix.screenmanager import ScreenManager
from kivy.uix.actionbar import ActionBar
from kivy.uix.screenmanager import SlideTransition
from kivy.uix.popup import Popup
from kivy.lang import Builder
from kivy.clock import Clock
import logging
import time
import utils
import os
import json
import sys
import screens.HomeScreen as HomeScreen
import overrides
class TopActionBar(ActionBar):
def __init__(self, PlungeApp, **kwargs):
super(TopActionBar, self).__init__(**kwargs)
self.PlungeApp = PlungeApp
self.top_action_view = self.ids.top_action_view.__self__
self.top_action_previous = self.ids.top_action_previous.__self__
self.top_settings_button = self.ids.top_settings_button.__self__
self.top_size_button = self.ids.top_size_button.__self__
self.standard_height = self.height
self.top_action_previous.bind(on_release=self.PlungeApp.open_settings)
self.top_settings_button.bind(on_release=self.PlungeApp.open_settings)
return
def minimise(self, override=None):
min = self.top_size_button.text if override is None else override
if min == self.PlungeApp.get_string("Minimise"):
self.top_size_button.text = self.PlungeApp.get_string("Maximise")
self.top_action_previous.bind(on_release=self.minimise)
self.PlungeApp.homeScreen.clear_widgets()
self.PlungeApp.homeScreen.add_widget(self.PlungeApp.homeScreen.min_layout)
self.PlungeApp.is_min = True
else:
self.top_size_button.text = self.PlungeApp.get_string("Minimise")
self.top_action_previous.color = (1, 1, 1, 1)
self.PlungeApp.homeScreen.clear_widgets()
self.PlungeApp.homeScreen.add_widget(self.PlungeApp.homeScreen.max_layout)
self.PlungeApp.is_min = False
return
class PlungeApp(App):
def __init__(self, **kwargs):
super(PlungeApp, self).__init__(**kwargs)
self.isPopup = False
self.use_kivy_settings = False
self.settings_cls = overrides.SettingsWithCloseButton
self.utils = utils.utils(self)
self.exchanges = ['ccedk', 'poloniex', 'bitcoincoid', 'bter', 'bittrex']
self.active_exchanges = []
self.currencies = ['btc', 'ltc', 'eur', 'usd', 'ppc']
self.active_currencies = []
self.client_running = False
self.is_min = False
if not os.path.isdir('logs'):
os.makedirs('logs')
if not os.path.isfile('api_keys.json'):
api_keys = []
with open('api_keys.json', 'a+') as api_file:
api_file.write(json.dumps(api_keys))
api_file.close()
if not os.path.isfile('user_data.json'):
user_data = {exchange: [] for exchange in self.exchanges}
with open('user_data.json', 'a+') as user_file:
user_file.write(json.dumps(user_data))
user_file.close()
self.first_run = True
self.logger = logging.getLogger('Plunge')
self.logger.setLevel(logging.DEBUG)
fh = logging.FileHandler('logs/%s_%d.log' % ('Plunge', time.time()))
fh.setLevel(logging.DEBUG)
ch = logging.StreamHandler()
ch.setLevel(logging.INFO)
formatter = logging.Formatter(fmt='%(asctime)s %(levelname)s: %(message)s', datefmt="%Y/%m/%d-%H:%M:%S")
fh.setFormatter(formatter)
ch.setFormatter(formatter)
self.logger.addHandler(fh)
self.logger.addHandler(ch)
return
def log_uncaught_exceptions(self, exctype, value, tb):
self.logger.exception('\n===================\nException Caught\n\n%s\n===================\n' % value)
return
def build(self):
self.logger.info("Fetching language from config")
self.language = self.config.get('standard', 'language')
try:
self.lang = json.load(open('res/json/languages/' + self.language.lower() + '.json', 'r'))
except (ValueError, IOError) as e:
self.logger.error('')
self.logger.error('##################################################################')
self.logger.error('')
self.logger.error('There was an Error loading the ' + self.language + ' language file.')
self.logger.error('')
self.logger.error(str(e))
self.logger.error('')
self.logger.error('##################################################################')
raise SystemExit
self.root = BoxLayout(orientation='vertical')
self.mainScreenManager = ScreenManager(transition=SlideTransition(direction='left'))
Builder.load_file('screens/HomeScreen.kv')
self.homeScreen = HomeScreen.HomeScreen(self)
self.mainScreenManager.add_widget(self.homeScreen)
self.topActionBar = TopActionBar(self)
self.root.add_widget(self.topActionBar)
self.root.add_widget(self.mainScreenManager)
self.homeScreen.clear_widgets()
if self.config.getint('standard', 'start_min') == 1:
self.topActionBar.minimise(self.get_string("Minimise"))
self.is_min = True
else:
self.topActionBar.minimise(self.get_string("Maximise"))
self.is_min = False
self.set_monitor()
Window.fullscreen = 1
if self.config.getint('standard', 'show_disclaimer') == 1:
Clock.schedule_once(self.show_disclaimer, 1)
return self.root
def show_disclaimer(self, dt):
content = BoxLayout(orientation='vertical')
content.add_widget(TextInput(text=self.get_string('Disclaimer_Text'), size_hint=(1, 0.8), font_size=26,
read_only=True, multiline=True, background_color=(0.13725, 0.12157, 0.12549, 1),
foreground_color=(1, 1, 1, 1)))
content.add_widget(BoxLayout(size_hint=(1, 0.1)))
button_layout = BoxLayout(size_hint=(1, 0.1), spacing='20dp')
ok_button = Button(text=self.get_string('OK'), size_hint=(None, None), size=(200, 50))
cancel_button = Button(text=self.get_string('Cancel'), size_hint=(None, None), size=(200, 50))
ok_button.bind(on_press=self.close_popup)
cancel_button.bind(on_press=self.exit)
button_layout.add_widget(ok_button)
button_layout.add_widget(cancel_button)
content.add_widget(button_layout)
self.popup = Popup(title=self.get_string('Disclaimer'), content=content, auto_dismiss=False,
size_hint=(0.9, 0.9))
self.popup.open()
padding = ((self.popup.width - (ok_button.width + cancel_button.width)) / 2)
button_layout.padding = (padding, 0, padding, 0)
return
def exit(self):
sys.exit()
def set_monitor(self):
if self.is_min is False:
self.homeScreen.max_layout.remove_widget(self.homeScreen.run_layout)
if self.config.getint('standard', 'monitor') == 0:
self.homeScreen.max_layout.add_widget(self.homeScreen.run_layout)
def get_string(self, text):
try:
self.logger.debug("Getting string for %s" % text)
return_string = self.lang[text]
except (ValueError, KeyError):
self.logger.error("No string found for %s in %s language file" % (text, self.language))
return_string = 'Language Error'
return return_string
def build_config(self, config):
config.setdefaults('server', {'host': "", 'port': 80})
config.setdefaults('exchanges', {'ccedk': 0, 'poloniex': 0, 'bitcoincoid': 0, 'bter': 0, 'bittrex': 0})
config.setdefaults('standard', {'language': 'English', 'period': 30, 'monitor': 1, 'start_min': 0, 'data': 0,
'show_disclaimer': 0, 'smooth_line': 1})
config.setdefaults('api_keys', {'bitcoincoid': '', 'bittrex': '', 'bter': '', 'ccedk': '', 'poloniex': ''})
def build_settings(self, settings):
settings.register_type('string', overrides.SettingStringFocus)
settings.register_type('numeric', overrides.SettingNumericFocus)
settings.register_type('string_exchange', overrides.SettingStringExchange)
with open('user_data.json', 'a+') as user_data:
try:
saved_data = json.load(user_data)
except ValueError:
saved_data = []
user_data.close()
for exchange in self.exchanges:
if exchange not in saved_data:
self.config.set('exchanges', exchange, 0)
continue
self.config.set('exchanges', exchange, len(saved_data[exchange]))
settings.add_json_panel(self.get_string('Plunge_Configuration'), self.config, 'settings/plunge.json')
def on_config_change(self, config, section, key, value):
if section == "standard":
if key == "period":
Clock.unschedule(self.homeScreen.get_stats)
self.logger.info("Setting refresh Period to %s" % self.config.get('standard', 'period'))
Clock.schedule_interval(self.homeScreen.get_stats, self.config.getint('standard', 'period'))
if key == "monitor":
self.set_monitor()
self.active_exchanges = self.utils.get_active_exchanges()
self.homeScreen.exchange_spinner.values = [self.get_string(exchange) for exchange in self.active_exchanges]
self.homeScreen.set_exchange_spinners()
self.homeScreen.get_stats(0)
def show_popup(self, title, text):
content = BoxLayout(orientation='vertical')
content.add_widget(Label(text=text, size_hint=(1, 0.8), font_size=26))
content.add_widget(BoxLayout(size_hint=(1, 0.1)))
button_layout = BoxLayout(size_hint=(1, 0.1))
button = Button(text=self.get_string('OK'), size_hint=(None, None), size=(250, 50))
button.bind(on_press=self.close_popup)
button_layout.add_widget(button)
content.add_widget(button_layout)
self.popup = Popup(title=title, content=content, auto_dismiss=False, size_hint=(0.9, 0.9))
self.popup.open()
padding = ((self.popup.width - button.width) / 2)
button_layout.padding = (padding, 0, padding, 0)
self.isPopup = True
return
def close_popup(self, instance, value=False):
self.popup.dismiss()
self.isPopup = False
return
if __name__ == '__main__':
Plunge = PlungeApp()
Plunge.run()
| inuitwallet/plunge_android | main.py | Python | mit | 10,983 |
# coding=utf-8
class _Webhooks:
def __init__(self, client=None):
self.client = client
def create_webhook(self, params=None, **options):
"""Establish a webhook
:param Object params: Parameters for the request
:param **options
- opt_fields {list[str]}: Defines fields to return. Some requests return *compact* representations of objects in order to conserve resources and complete the request more efficiently. Other times requests return more information than you may need. This option allows you to list the exact set of fields that the API should be sure to return for the objects. The field names should be provided as paths, described below. The id of included objects will always be returned, regardless of the field options.
- opt_pretty {bool}: Provides “pretty” output. Provides the response in a “pretty” format. In the case of JSON this means doing proper line breaking and indentation to make it readable. This will take extra time and increase the response size so it is advisable only to use this during debugging.
:return: Object
"""
if params is None:
params = {}
path = "/webhooks"
return self.client.post(path, params, **options)
def delete_webhook(self, webhook_gid, params=None, **options):
"""Delete a webhook
:param str webhook_gid: (required) Globally unique identifier for the webhook.
:param Object params: Parameters for the request
:param **options
- opt_fields {list[str]}: Defines fields to return. Some requests return *compact* representations of objects in order to conserve resources and complete the request more efficiently. Other times requests return more information than you may need. This option allows you to list the exact set of fields that the API should be sure to return for the objects. The field names should be provided as paths, described below. The id of included objects will always be returned, regardless of the field options.
- opt_pretty {bool}: Provides “pretty” output. Provides the response in a “pretty” format. In the case of JSON this means doing proper line breaking and indentation to make it readable. This will take extra time and increase the response size so it is advisable only to use this during debugging.
:return: Object
"""
if params is None:
params = {}
path = "/webhooks/{webhook_gid}".replace("{webhook_gid}", webhook_gid)
return self.client.delete(path, params, **options)
def get_webhook(self, webhook_gid, params=None, **options):
"""Get a webhook
:param str webhook_gid: (required) Globally unique identifier for the webhook.
:param Object params: Parameters for the request
:param **options
- opt_fields {list[str]}: Defines fields to return. Some requests return *compact* representations of objects in order to conserve resources and complete the request more efficiently. Other times requests return more information than you may need. This option allows you to list the exact set of fields that the API should be sure to return for the objects. The field names should be provided as paths, described below. The id of included objects will always be returned, regardless of the field options.
- opt_pretty {bool}: Provides “pretty” output. Provides the response in a “pretty” format. In the case of JSON this means doing proper line breaking and indentation to make it readable. This will take extra time and increase the response size so it is advisable only to use this during debugging.
:return: Object
"""
if params is None:
params = {}
path = "/webhooks/{webhook_gid}".replace("{webhook_gid}", webhook_gid)
return self.client.get(path, params, **options)
def get_webhooks(self, params=None, **options):
"""Get multiple webhooks
:param Object params: Parameters for the request
- workspace {str}: (required) The workspace to query for webhooks in.
- resource {str}: Only return webhooks for the given resource.
:param **options
- offset {str}: Offset token. An offset to the next page returned by the API. A pagination request will return an offset token, which can be used as an input parameter to the next request. If an offset is not passed in, the API will return the first page of results. 'Note: You can only pass in an offset that was returned to you via a previously paginated request.'
- limit {int}: Results per page. The number of objects to return per page. The value must be between 1 and 100.
- opt_fields {list[str]}: Defines fields to return. Some requests return *compact* representations of objects in order to conserve resources and complete the request more efficiently. Other times requests return more information than you may need. This option allows you to list the exact set of fields that the API should be sure to return for the objects. The field names should be provided as paths, described below. The id of included objects will always be returned, regardless of the field options.
- opt_pretty {bool}: Provides “pretty” output. Provides the response in a “pretty” format. In the case of JSON this means doing proper line breaking and indentation to make it readable. This will take extra time and increase the response size so it is advisable only to use this during debugging.
:return: Object
"""
if params is None:
params = {}
path = "/webhooks"
return self.client.get_collection(path, params, **options)
def update_webhook(self, webhook_gid, params=None, **options):
"""Update a webhook
:param str webhook_gid: (required) Globally unique identifier for the webhook.
:param Object params: Parameters for the request
:param **options
- opt_fields {list[str]}: Defines fields to return. Some requests return *compact* representations of objects in order to conserve resources and complete the request more efficiently. Other times requests return more information than you may need. This option allows you to list the exact set of fields that the API should be sure to return for the objects. The field names should be provided as paths, described below. The id of included objects will always be returned, regardless of the field options.
- opt_pretty {bool}: Provides “pretty” output. Provides the response in a “pretty” format. In the case of JSON this means doing proper line breaking and indentation to make it readable. This will take extra time and increase the response size so it is advisable only to use this during debugging.
:return: Object
"""
if params is None:
params = {}
path = "/webhooks/{webhook_gid}".replace("{webhook_gid}", webhook_gid)
return self.client.put(path, params, **options)
| Asana/python-asana | asana/resources/gen/webhooks.py | Python | mit | 7,089 |
import sqlite3
import os
def init():
"""
Creates and initializes settings database.
Doesn't do anything if the file already exists. Remove the local copy to recreate the database.
"""
if not os.path.isfile("settings.sqlite"):
app_db_connection = sqlite3.connect('settings.sqlite')
app_db = app_db_connection.cursor()
app_db.execute("CREATE TABLE oauth (site, rate_remaining, rate_reset)")
app_db.execute("INSERT INTO oauth VALUES ('reddit', 30, 60)")
app_db_connection.commit()
app_db_connection.close()
if __name__ == "__main__":
init()
| Pasotaku/Anime-Feud-Survey-Backend | Old Python Code/settings_db_init.py | Python | mit | 617 |
# coding=utf-8
# --------------------------------------------------------------------------
# Copyright (c) Microsoft Corporation. All rights reserved.
# Licensed under the MIT License. See License.txt in the project root for
# license information.
#
# Code generated by Microsoft (R) AutoRest Code Generator.
# Changes may cause incorrect behavior and will be lost if the code is
# regenerated.
# --------------------------------------------------------------------------
from .proxy_only_resource import ProxyOnlyResource
class ReissueCertificateOrderRequest(ProxyOnlyResource):
"""Class representing certificate reissue request.
Variables are only populated by the server, and will be ignored when
sending a request.
:ivar id: Resource Id.
:vartype id: str
:ivar name: Resource Name.
:vartype name: str
:param kind: Kind of resource.
:type kind: str
:ivar type: Resource type.
:vartype type: str
:param key_size: Certificate Key Size.
:type key_size: int
:param delay_existing_revoke_in_hours: Delay in hours to revoke existing
certificate after the new certificate is issued.
:type delay_existing_revoke_in_hours: int
:param csr: Csr to be used for re-key operation.
:type csr: str
:param is_private_key_external: Should we change the ASC type (from
managed private key to external private key and vice versa).
:type is_private_key_external: bool
"""
_validation = {
'id': {'readonly': True},
'name': {'readonly': True},
'type': {'readonly': True},
}
_attribute_map = {
'id': {'key': 'id', 'type': 'str'},
'name': {'key': 'name', 'type': 'str'},
'kind': {'key': 'kind', 'type': 'str'},
'type': {'key': 'type', 'type': 'str'},
'key_size': {'key': 'properties.keySize', 'type': 'int'},
'delay_existing_revoke_in_hours': {'key': 'properties.delayExistingRevokeInHours', 'type': 'int'},
'csr': {'key': 'properties.csr', 'type': 'str'},
'is_private_key_external': {'key': 'properties.isPrivateKeyExternal', 'type': 'bool'},
}
def __init__(self, kind=None, key_size=None, delay_existing_revoke_in_hours=None, csr=None, is_private_key_external=None):
super(ReissueCertificateOrderRequest, self).__init__(kind=kind)
self.key_size = key_size
self.delay_existing_revoke_in_hours = delay_existing_revoke_in_hours
self.csr = csr
self.is_private_key_external = is_private_key_external
| lmazuel/azure-sdk-for-python | azure-mgmt-web/azure/mgmt/web/models/reissue_certificate_order_request.py | Python | mit | 2,522 |
# Filename: filter.py
"""
LendingClub2 Filter Module
"""
# Standard libraries
import collections
from abc import abstractmethod
from abc import ABC
# lendingclub2
from lendingclub2.error import LCError
# pylint: disable=too-few-public-methods
class BorrowerTrait(ABC):
"""
Abstract base class to define borrowers of interest
"""
@abstractmethod
def matches(self, borrower):
"""
Check if borrower has the trait
:param borrower: instance of :py:class:`~lendingclub2.loan.Borrower`.
:returns: boolean
"""
return True
class BorrowerEmployedTrait(BorrowerTrait):
"""
Check if borrower is employed
"""
def matches(self, borrower):
"""
Check if borrower has the trait
:param borrower: instance of :py:class:`~lendingclub2.loan.Borrower`.
:returns: boolean
"""
return borrower.employed
class Filter(ABC):
"""
Abstract base class for filtering the loan
"""
@abstractmethod
def meet_requirement(self, loan):
"""
Check if the loan is meeting the filter requirement
:param loan: instance of :py:class:`~lendingclub2.loan.Loan`.
:returns: boolean
"""
return True
class FilterByApproved(Filter):
"""
Filter by if the loan is already approved
"""
def meet_requirement(self, loan):
"""
Check if the loan is meeting the filter requirement
:param loan: instance of :py:class:`~lendingclub2.loan.Loan`.
:returns: boolean
"""
return loan.approved
class FilterByBorrowerTraits(Filter):
"""
Filter to have borrower matching specific traits
"""
# pylint: disable=super-init-not-called
def __init__(self, traits):
"""
Constructor
:param traits: instance of
:py:class:`~lendingclub2.filter.BorrowerTrait`
or iterable of instance of
:py:class:`~lendingclub2.filter.BorrowerTrait`.
"""
if isinstance(traits, collections.abc.Iterable):
self._specs = traits
elif isinstance(traits, BorrowerTrait):
self._specs = (traits, )
else:
fstr = "invalid traits type for {}".format(self.__class__.__name__)
raise LCError(fstr)
# pylint: enable=super-init-not-called
def meet_requirement(self, loan):
"""
Check if the loan is meeting the filter requirement
:param loan: instance of :py:class:`~lendingclub2.loan.Loan`.
:returns: boolean
"""
for spec in self._specs:
if not spec.matches(loan.borrower):
return False
return True
class FilterByFunded(Filter):
"""
Filter by percentage funded
"""
# pylint: disable=super-init-not-called
def __init__(self, percentage):
"""
Constructor.
:param percentage: float (between 0 and 100 inclusive)
"""
if percentage < 0.0 or percentage > 100.0:
fstr = "percentage needs to be between 0 and 100 (inclusive)"
raise LCError(fstr)
self._percentage = percentage
# pylint: enable=super-init-not-called
def meet_requirement(self, loan):
"""
The loan would have to be at least the percentage value to meet the
requirement.
:param loan: instance of :py:class:`~lendingclub2.loan.Loan`.
:returns: boolean
"""
return loan.percent_funded >= self._percentage
class FilterByGrade(Filter):
"""
Filter by grade
"""
# pylint: disable=super-init-not-called
def __init__(self, grades=None):
"""
Constructor
:param grades: iterable of string (default: None, example: ('A', 'B'))
"""
self._grades = grades
# pylint: enable=super-init-not-called
def meet_requirement(self, loan):
"""
Check if the loan is meeting the filter requirement
:param loan: instance of :py:class:`~lendingclub2.loan.Loan`.
:returns: boolean
"""
if self._grades and loan.grade in self._grades:
return True
return False
class FilterByTerm(Filter):
"""
Filter by term
"""
# pylint: disable=super-init-not-called
def __init__(self, value=36, min_val=None, max_val=None):
"""
Constructor. To filter by a specific value, set value to a number.
To filter by a range, set value to None, and set min_val and max_val
to integers.
:param value: int - exact term value (default: 36)
:param min_val: int - minimum term value (inclusive) (default: None)
:param max_val: int - maximum term value (inclusive) (default: None)
"""
if value is not None and (min_val is not None or max_val is not None):
fstr = "value and min_val, max_val are mutually exclusive"
details = "value: {}".format(value)
if min_val is not None:
details += ", min_val: {}".format(min_val)
if max_val is not None:
details += ", max_val: {}".format(max_val)
raise LCError(fstr, details=details)
if min_val is not None and max_val is not None:
if max_val > min_val:
fstr = "max_val cannot be greater than min_val"
raise LCError(fstr)
elif value is None and (min_val is None or max_val is None):
fstr = "invalid specification on the values"
hint = "either value or min_val + max_val combo should be specified"
raise LCError(fstr, hint=hint)
self._value = value
self._min_value = min_val
self._max_value = max_val
# pylint: enable=super-init-not-called
def meet_requirement(self, loan):
"""
Check if the loan is meeting the filter requirement
:param loan: instance of :py:class:`~lendingclub2.loan.Loan`.
:returns: boolean
"""
if self._value is not None:
return loan.term == self._value
return self._min_value <= loan.term <= self._max_value
# pylint: enable=too-few-public-methods
| ahartoto/lendingclub2 | lendingclub2/filter.py | Python | mit | 6,246 |
import _plotly_utils.basevalidators
class XValidator(_plotly_utils.basevalidators.NumberValidator):
def __init__(self, plotly_name="x", parent_name="splom.marker.colorbar", **kwargs):
super(XValidator, self).__init__(
plotly_name=plotly_name,
parent_name=parent_name,
edit_type=kwargs.pop("edit_type", "colorbars"),
max=kwargs.pop("max", 3),
min=kwargs.pop("min", -2),
**kwargs
)
| plotly/plotly.py | packages/python/plotly/plotly/validators/splom/marker/colorbar/_x.py | Python | mit | 474 |
import re
osm = open("stops.txt", 'r', encoding="utf-8")
bugs = open("BAD-STOPS.txt", 'r', encoding="utf-8")
still = open("BUGS-NOT-IN-OSM.txt", 'w')
bugi = []
for line in bugs:
line = line.split(' ')
bugi.append(line[0])
print(len(bugi))
for line in osm:
line = line.split(',')
if line[0].isnumeric():
stop_nr = line[0]
if stop_nr in bugi:
bugi.remove(stop_nr)
for item in bugi:
still.write(item)
still.write("\n")
osm.close()
bugs.close()
still.close()
print(len(bugi))
| javnik36/ZTMtoGTFS | bugs_checker_osm.py | Python | mit | 547 |
import tornado.web
from datetime import date
from sqlalchemy.orm.exc import NoResultFound
from pyprint.handler import BaseHandler
from pyprint.models import User, Link, Post
class SignInHandler(BaseHandler):
def get(self):
return self.background_render('login.html')
def post(self):
username = self.get_argument('username', None)
password = self.get_argument('password', None)
if username and password:
try:
user = self.orm.query(User).filter(User.username == username).one()
except NoResultFound:
return self.redirect('/login')
if user.check(password):
self.set_secure_cookie('username', user.username)
self.redirect('/kamisama/posts')
return self.redirect('/login')
class ManagePostHandler(BaseHandler):
@tornado.web.authenticated
def get(self):
posts = self.orm.query(Post.title, Post.id).order_by(Post.id.desc()).all()
self.background_render('posts.html', posts=posts)
@tornado.web.authenticated
def post(self):
action = self.get_argument('action', None)
if action == 'del':
post_id = self.get_argument('id', 0)
if post_id:
post = self.orm.query(Post).filter(Post.id == post_id).one()
self.orm.delete(post)
self.orm.commit()
class AddPostHandler(BaseHandler):
@tornado.web.authenticated
def get(self):
self.background_render('add_post.html', post=None)
@tornado.web.authenticated
def post(self):
title = self.get_argument('title', None)
content = self.get_argument('content', None)
tags = self.get_argument('tags', '').strip().split(',')
if not title or not content:
return self.redirect('/kamisama/posts/add')
post = self.orm.query(Post.title).filter(Post.title == title).all()
if post:
return self.write('<script>alert("Title has already existed");window.history.go(-1);</script>')
self.orm.add(Post(title=title, content=content, created_time=date.today()))
self.orm.commit()
return self.redirect('/kamisama/posts')
class AddLinkHandler(BaseHandler):
@tornado.web.authenticated
def get(self):
links = self.orm.query(Link).all()
self.background_render('links.html', links=links)
@tornado.web.authenticated
def post(self):
action = self.get_argument('action', None)
if action == 'add':
name = self.get_argument('name', '')
url = self.get_argument('url', '')
if not name or not url:
return self.redirect('/kamisama/links')
self.orm.add(Link(name=name, url=url))
self.orm.commit()
return self.redirect('/kamisama/links')
elif action == 'del':
link_id = self.get_argument('id', 0)
if link_id:
link = self.orm.query(Link).filter(Link.id == link_id).one()
self.orm.delete(link)
self.orm.commit()
| RicterZ/pyprint | pyprint/views/background.py | Python | mit | 3,116 |
#! /usr/bin/env python3
# -*- coding: utf-8 -*-
# vim:fenc=utf-8
#
# Copyright © 2016 Pi-Yueh Chuang <[email protected]>
#
# Distributed under terms of the MIT license.
"""convert the output file in a batch"""
import os
import os.path as op
import sys
import argparse
if os.getenv("PyFR") is None:
raise EnvironmentError("Environmental variable PyFR is not set")
else:
PyFRPath = os.getenv("PyFR")
if PyFRPath not in sys.path:
sys.path.append(PyFRPath)
try:
import pyfr
import pyfr.writers
except ImportError as err:
err.msg += "! Please check the path set in the environmental variable PyFR."
raise
def parseArgs(args=sys.argv[1:]):
"""parse arguments
Args:
args: list of strings. Default is sys.argv[1:].
Returns:
parser.parse_args(args)
"""
parser = argparse.ArgumentParser(
description="2D Cavity Flow Post-Precessor")
parser.add_argument(
"casePath", metavar="path",
help="The path to a PyFR case folder", type=str)
parser.add_argument(
"-s", "--soln-dir", metavar="soln-dir", dest="solnDir",
help="The directory (under casePath) containing *.pyfrs files. " +
"(Default = solutions)",
type=str, default="solutions")
parser.add_argument(
"-v", "--vtu-dir", metavar="vtu-dir", dest="vtuDir",
help="The directory (under casePath) in where *.vtu files will be. " +
"If the folder does not exist, the script will create it. "
"(Default = vtu)",
type=str, default="vtu")
parser.add_argument(
"-m", "--mesh", metavar="mesh", dest="mesh",
help="The mesh file required. " +
"The default is to use the first-found .pyfrm file in the case " +
"directory. If multiple .pyfrm files exist in the case directory, "
"it is suggested to set the argument.",
type=str, default=None)
parser.add_argument(
"-o", "--overwrite", dest="overwrite",
help="Whether to overwrite the output files if they already exist.",
action="store_true")
parser.add_argument(
"-d", "--degree", dest="degree",
help="The level of mesh. If the solver use higher-order " +
"polynomials, than it may be necessary to set larger degree.",
type=int, default=0)
return parser.parse_args(args)
def setup_dirs(args):
"""set up path to directories necessary
Args:
args: parsed arguments generated by parser.parse_args()
Returns:
areparse.Namespace object with full paths
"""
# set up the path to case directory
args.casePath = os.path.abspath(args.casePath)
# set up and check the path to case directory
args.solnDir = args.casePath + "/" + args.solnDir
if not op.isdir(args.solnDir):
raise RuntimeError(
"The path " + args.solnDir + " does not exist.")
# set up the path for .pyfrm file
if args.mesh is not None:
args.mesh = args.casePath + "/" + args.mesh
if not op.isfile(args.mesh):
raise RuntimeError(
"The input mesh file " + args.mesh + " does not exist.")
else:
for f in os.listdir(args.casePath):
if f.endswith(".pyfrm"):
args.mesh = args.casePath + "/" + f
if args.mesh is None:
raise RuntimeError(
"Could not find any .pyfrm file in the case folder " +
args.casePath)
# set up and create the directory for .vtu files, if it does not exist
args.vtuDir = args.casePath + "/" + args.vtuDir
if not op.isdir(args.vtuDir):
os.mkdir(args.vtuDir)
return args
def get_pyfrs_list(pyfrsDirPath):
"""get list of file names that end with .pyfrs in pyfrsDirPath
Args:
pyfrsDirPath: path to the folder of .pyfrs files
Returns:
a list of file names
"""
fileList = [f for f in os.listdir(pyfrsDirPath)
if op.splitext(f)[1] == ".pyfrs"]
if len(fileList) == 0:
raise RuntimeError(
"No .pyfrs file was found in the path " + pyfrsDirPath)
return fileList
def generate_vtu(vtuPath, pyfrsPath, pyfrsList, mesh, overwrite, degree):
"""generate .vtu files, if they do not exist
Args:
vtuPath: the path to folder of .vtu files
pyfrsPath: the path to .pyfrs files
pyfrsList: the list of .pyfrs which to be converted
mesh: the .pyfrm file
overwrite: whether to overwrite the .vtu file if it already exist
"""
vtuList = [op.splitext(f)[0]+".vtu" for f in pyfrsList]
for i, o in zip(pyfrsList, vtuList):
ifile = op.join(pyfrsPath, i)
ofile = op.join(vtuPath, o)
if op.isfile(ofile) and not overwrite:
print("Warning: " +
"the vtu file " + o + " exists " +
"and won't be overwrited because overwrite=False")
else:
output_vtu(mesh, ifile, ofile, degree)
def output_vtu(mesh, iFile, oFile, g=True, p="double", d=0):
"""convert a single .pyfrs file to .vtu file using PyFR's converter
Args:
mesh: mesh file (must end with .pyfrm)
input: input file name (must end with .pyfrs)
output: output file name (must end with .vtu)
g: whether to export gradients
p: precision, either "single" or "double"
d: degree of the element (set this according the order of the polynimal)
"""
writerArgs = argparse.Namespace(
meshf=mesh, solnf=iFile, outf=oFile, precision=p,
gradients=g, divisor=d)
writer = pyfr.writers.get_writer_by_extn(".vtu", writerArgs)
print("Converting " + iFile + " to " + oFile)
writer.write_out()
def get_pyfrs_files(pyfrsDirPath):
pass
if __name__ == "__main__":
args = parseArgs()
args = setup_dirs(args)
pyfrsList = get_pyfrs_list(args.solnDir)
generate_vtu(
args.vtuDir, args.solnDir, pyfrsList,
args.mesh, args.overwrite, args.degree)
| piyueh/PyFR-Cases | utils/batch_conversion.py | Python | mit | 6,025 |
#!/usr/bin/env python
# -*- coding: utf-8 -*-
from flask import render_template, request, redirect, session, flash, url_for
from functools import wraps
from user import app
import services2db
import log2db
import users
import json
import time
import sys
import asset
reload(sys)
sys.setdefaultencoding('gb18030')
# 登录验证装饰器(登录页面加入验证会死循环)
def login_required(func):
@wraps(func)
def wrapper(*args, **kwargs):
if session.get('user') is None:
return redirect('/')
rt = func(*args, **kwargs)
return rt
return wrapper
# 时间装饰器
def time_wrapper(func):
@wraps(func)
def wrapper():
print '计时开始:%s' % func.__name__
start = time.time()
rt = func()
print '计时结束:%s:%s' % (func.__name__,time.time() - start)
return rt
return wrapper
# 根目录
@app.route('/')
def index():
if session:
return redirect('/users/')
else:
return render_template('login.html')
# 登录页面
@app.route('/login/', methods=['POST', 'GET'])
def login():
params = request.args if request.method == 'GET' else request.form
username = params.get('username', '')
password = params.get('password', '')
if users.validate_login(username, password):
print '登录成功'
session['user'] = {'username': username}
return redirect('/users/')
else:
return render_template('login.html', username=username, error=u'用户名或密码错误')
# 登出页面
@app.route('/user/logout/')
def logout():
session.clear()
return redirect('/')
# 用户信息显示
@app.route('/users/')
@login_required
def user_list():
return render_template('users.html', user_list=users.get_users())
# 返回添加用户模版给dialog页面
@app.route('/user/adder/', methods=['POST', 'GET'])
@login_required
def user_create():
return render_template('user_create.html')
# 添加用户
@app.route('/user/add/', methods=['POST'])
def user_add():
params = request.args if request.method == 'GET' else request.form
username = params.get('username', '')
password = params.get('password', '')
age = params.get('age', '')
# 检查用户信息
_is_ok, _error = users.validate_add_user(username, password, age)
_status = None
if _is_ok:
if users.add_users(username=username, age=age, password=password):
_status = '添加用户成功!'
else:
_status = '添加用户失败!'
return json.dumps({'is_ok': _is_ok, 'status': _status, 'error': _error})
# 返回更新用户模版给dialog页面
@app.route('/user/update/', methods=['POST', 'GET'])
@login_required
def user_update():
_id = request.args.get('id', '')
_name = request.args.get('name', '')
# _users = []
# for i in users.get_users():
# if i.get('id') == int(_id):
# _users.append(i)
return render_template('user_update.html', uid=_id, username=_name)
# 更新用户
@app.route('/user/upd/', methods=['POST', 'GET'])
def user_upd():
_id = request.form.get('id', '')
_mpassword = request.form.get('mpassword', '')
_upassword = request.form.get('upassword', '')
_age = request.form.get('age', '')
_is_ok, _error = users.validate_update_user(_id, session['user']['username'], _mpassword, _upassword, _age)
_status = None
if _is_ok:
if users.update_users(_id, _upassword, _age):
_status = '用户更新成功!'
else:
_status = '用户更新失败!'
return json.dumps({'is_ok': _is_ok, 'status': _status, 'error': _error})
# 删除用户
@app.route('/user/delete/')
@login_required
def delete_user():
uid = request.args.get('uid', '')
if users.del_users(uid):
return redirect('/users/')
else:
return '用户删除失败'
# 显示日志信息
@app.route('/logs/', methods=['POST', 'GET'])
@time_wrapper
@login_required
def logs():
files = request.files.get('files')
if files:
# print files.filename
files.save('./access.txt')
log_files = 'access.txt'
if log2db.log2db(log_files=log_files, fetch=False):
return redirect('/logs/')
else:
return '日志写入数据库失败!'
else:
topn = request.form.get('topn', 10)
topn = int(topn) if str(topn).isdigit() else 10
rt_list = log2db.log2db(topn=topn) # 读取数据
return render_template('logs.html', rt_list=rt_list)
# 显示域名管理信息
@app.route('/services/', methods=['POST', 'GET'])
@login_required
def service_manage():
params = request.args if request.method == 'GET' else request.form
_url = params.get('url', 'Null')
_username = params.get('username', 'Null')
_password = params.get('password', 'Null')
_func = params.get('func', 'Null')
# 添加域名管理信息
if _url != 'Null':
if services2db.add_service(_url, _username, _password, _func):
return redirect('/services/')
else:
return '添加信息失败!'
# 查询域名管理信息
else:
service_list = services2db.get_service()
return render_template('services.html', service_list=service_list)
# 更新域名管理信息
@app.route('/services/update/', methods=['POST'])
def update_service():
params = request.args if request.method == 'GET' else request.form
_id = params.get('id', '')
_url = params.get('url', '')
_username = params.get('username', '')
_password = params.get('password', '')
_func = params.get('func', '')
_is_ok = services2db.update_service(_url, _username, _password, _func, _id)
return json.dumps({'is_ok': _is_ok})
# 删除域名管理信息
@app.route('/services/del/')
@login_required
def serviceDel():
uid = request.args.get('id', '')
if services2db.servicedel(uid):
return redirect('/services/')
else:
return '域名管理信息删除失败!'
# 资产信息显示
@app.route('/assets/')
@login_required
def asset_list():
_asset_list = []
for i in asset.get_list():
_rt_list = asset.get_by_id(i.get('idc_id'))
i['idc_id'] = _rt_list[0][1]
_asset_list.append(i)
return render_template('assets.html', asset_list=_asset_list)
# 返回新建资产模版给dialog页面
@app.route('/asset/create/', methods=['POST', 'GET'])
@login_required
def asset_create():
return render_template('asset_create.html', idcs=asset.get_idc())
# 添加资产信息
@app.route('/asset/add/', methods=['POST', 'GET'])
@login_required
def asset_add():
lists = ['sn','ip','hostname','idc_id','purchase_date','warranty','vendor','model','admin','business','os','cpu','ram','disk']
asset_dict = {}
for i in lists:
asset_dict['_'+i] = request.form.get(i, '')
# 检查资产信息
_is_ok, _error = asset.validate_create(asset_dict)
status = None
if _is_ok:
if asset.create(asset_dict):
status = '添加资产成功!'
else:
status = '添加资产失败!'
return json.dumps({'is_ok': _is_ok, 'status': status, 'error': _error})
# 删除资产信息
@app.route('/asset/delete/')
@login_required
def asset_del():
uid = request.args.get('id', '')
if asset.delete(uid):
return redirect('/assets/')
else:
return '资产删除失败!'
# 返回更新资产模版给dialog页面
@app.route('/asset/update/', methods=['POST', 'GET'])
@login_required
def asset_update():
_id = request.args.get('id', '')
_asset_list = []
for i in asset.get_list():
if i.get('id') == int(_id):
_asset_list.append(i)
return render_template('asset_update.html', asset_list=_asset_list, idcs=asset.get_idc())
# 更新资产信息
@app.route('/asset/upd/', methods=['POST', 'GET'])
@login_required
def asset_upd():
_id = request.form.get('id', '')
assets = ['sn','ip','hostname','idc_id','purchase_date','warranty','vendor','model','admin','business','os','cpu','ram','disk']
asset_dict = {}
for i in assets:
asset_dict['_'+i] = request.form.get(i, '')
# 检查资产信息
_is_ok, _error = asset.validate_update(asset_dict)
_status = None
if _is_ok:
if asset.update(asset_dict,_id):
_status = '更新资产成功!'
else:
_status = '更新资产失败!'
return json.dumps({'is_ok': _is_ok, 'status': _status, 'error': _error}) | 51reboot/actual_09_homework | 09/tanshuai/cmdb_v6/user/views.py | Python | mit | 8,533 |
# -*- coding: utf-8 -*-
# Scrapy settings for saymedia project
#
# For simplicity, this file contains only the most important settings by
# default. All the other settings are documented here:
#
# http://doc.scrapy.org/en/latest/topics/settings.html
#
BOT_NAME = 'saymedia'
SPIDER_MODULES = ['saymedia.spiders']
NEWSPIDER_MODULE = 'saymedia.spiders'
ROBOTSTXT_OBEY = True
DOWNLOADER_MIDDLEWARES = {
'saymedia.middleware.ErrorConverterMiddleware': 1,
# 'saymedia.middleware.MysqlDownloaderMiddleware': 1,
'saymedia.middleware.OriginHostMiddleware': 2,
'saymedia.middleware.TimerDownloaderMiddleware': 998,
}
SPIDER_REPORTS = {
'xml': 'saymedia.reports.XmlReport',
'firebase': 'saymedia.reports.FirebaseReport',
}
SPIDER_MIDDLEWARES = {
'scrapy.contrib.spidermiddleware.httperror.HttpErrorMiddleware': None,
}
ITEM_PIPELINES = {
'saymedia.pipelines.DatabaseWriterPipeline': 0,
}
# Crawl responsibly by identifying yourself (and your website) on the user-agent
USER_AGENT = 'SEO Spider (+http://www.saymedia.com)'
DATABASE = {
'USER': 'YOUR_DATABASE_USER',
'PASS': 'YOUR_DATABASE_PASS',
}
FIREBASE_URL = "YOUR_FIREBASE_URL"
try:
# Only used in development environments
from .local_settings import *
except ImportError:
pass | saymedia/SaySpider | saymedia/saymedia/settings.py | Python | mit | 1,287 |
""" Contains functions to fetch info from different simple online APIs."""
import util.web
def urbandictionary_search(search):
"""
Searches urbandictionary's API for a given search term.
:param search: The search term str to search for.
:return: defenition str or None on no match or error.
"""
if str(search).strip():
urban_api_url = 'http://api.urbandictionary.com/v0/define?term=%s' % search
response = util.web.http_get(url=urban_api_url, json=True)
if response['json'] is not None:
try:
definition = response['json']['list'][0]['definition']
return definition.encode('ascii', 'ignore')
except (KeyError, IndexError):
return None
else:
return None
def weather_search(city):
"""
Searches worldweatheronline's API for weather data for a given city.
You must have a working API key to be able to use this function.
:param city: The city str to search for.
:return: weather data str or None on no match or error.
"""
if str(city).strip():
api_key = ''
if not api_key:
return 'Missing api key.'
else:
weather_api_url = 'http://api.worldweatheronline.com/premium/v1/weather.ashx?key=%s&q=%s&format=json' % \
(api_key, city)
response = util.web.http_get(url=weather_api_url, json=True)
if response['json'] is not None:
try:
pressure = response['json']['data']['current_condition'][0]['pressure']
temp_c = response['json']['data']['current_condition'][0]['temp_C']
temp_f = response['json']['data']['current_condition'][0]['temp_F']
query = response['json']['data']['request'][0]['query'].encode('ascii', 'ignore')
result = '%s. Temperature: %sC (%sF) Pressure: %s millibars' % (query, temp_c, temp_f, pressure)
return result
except (IndexError, KeyError):
return None
else:
return None
def whois(ip):
"""
Searches ip-api for information about a given IP.
:param ip: The ip str to search for.
:return: information str or None on error.
"""
if str(ip).strip():
url = 'http://ip-api.com/json/%s' % ip
response = util.web.http_get(url=url, json=True)
if response['json'] is not None:
try:
city = response['json']['city']
country = response['json']['country']
isp = response['json']['isp']
org = response['json']['org']
region = response['json']['regionName']
zipcode = response['json']['zip']
info = country + ', ' + city + ', ' + region + ', Zipcode: ' + zipcode + ' Isp: ' + isp + '/' + org
return info
except KeyError:
return None
else:
return None
def chuck_norris():
"""
Finds a random Chuck Norris joke/quote.
:return: joke str or None on failure.
"""
url = 'http://api.icndb.com/jokes/random/?escape=javascript'
response = util.web.http_get(url=url, json=True)
if response['json'] is not None:
if response['json']['type'] == 'success':
joke = response['json']['value']['joke']
return joke
return None
| nortxort/tinybot-rtc | apis/other.py | Python | mit | 3,454 |
def main() -> None:
N = int(input())
A = [int(x) for x in input().split()]
rev_A = A[:]
left = [-1] * N
left_cnt = [0] * N
A_left = [A[0]]
for i in range(1, N):
if rev_A[i-1] < rev_A[i]:
cnt = 0
while rev_A[i-1]
pass
elif rev_A[i-1] < rev_A[i] * 4:
now = i-1
while left[now] != -1:
now = left[now]
left[i] = now
A_left.append(A[i])
left[i] = i-1
else:
pass
ans = 10 ** 9
for i in range(N + 1):
A = AA[:]
cnt = 0
if i > 0:
A[i-1] *= -2
cnt += 1
for j in reversed(range(i-1)):
A[j] *= -2
cnt += 1
while A[j] > A[j+1]:
A[j] *= 4
cnt += 2
for j in range(i+1, N):
while A[j-1] > A[j]:
A[j] *= 4
cnt += 2
print(i, cnt, A)
ans = min(ans, cnt)
print(ans)
if __name__ == '__main__':
main()
| knuu/competitive-programming | atcoder/corp/caddi2018_e.py | Python | mit | 1,094 |
#!/usr/bin/env python
# -*- coding: utf-8 -*-
import sys
from itertools import izip
from tacit import tac
ordered_list_path = 'data/ordered.list'
expected_lines = open(ordered_list_path).read().splitlines(True)
expected_lines.reverse()
expected_count = len(expected_lines)
for bsize in range(10):
count = 0
for expected_line, line in izip(
expected_lines,
tac(ordered_list_path, bsize)
):
if line != expected_line:
print >> sys.stderr, 'error: bsize=%d, expected_line=%r, line=%r' % (bsize, expected_line, line)
count += 1
if bsize > 0:
if count != expected_count:
print >> sys.stderr, 'error: bsize=%d, expected_count=%r, count=%r' % (bsize, expected_count, count)
else:
if count != 0:
print >> sys.stderr, 'error: bsize=%d, expected_count=0, count=%r' % (bsize, count)
| moskytw/tacit | tests/test_correctness.py | Python | mit | 884 |
EXPECTED = {'CAM-PDU-Descriptions': {'extensibility-implied': False,
'imports': {'ITS-Container': ['AccelerationControl',
'CauseCode',
'CenDsrcTollingZone',
'ClosedLanes',
'Curvature',
'CurvatureCalculationMode',
'DangerousGoodsBasic',
'DriveDirection',
'EmbarkationStatus',
'EmergencyPriority',
'ExteriorLights',
'Heading',
'ItsPduHeader',
'LanePosition',
'LateralAcceleration',
'Latitude',
'LightBarSirenInUse',
'Longitude',
'LongitudinalAcceleration',
'PathHistory',
'PerformanceClass',
'ProtectedCommunicationZone',
'ProtectedCommunicationZonesRSU',
'PtActivation',
'ReferencePosition',
'RoadworksSubCauseCode',
'SpecialTransportType',
'Speed',
'SpeedLimit',
'StationType',
'SteeringWheelAngle',
'TrafficRule',
'VehicleLength',
'VehicleRole',
'VehicleWidth',
'VerticalAcceleration',
'YawRate']},
'object-classes': {},
'object-sets': {},
'tags': 'AUTOMATIC',
'types': {'BasicContainer': {'members': [{'name': 'stationType',
'type': 'StationType'},
{'name': 'referencePosition',
'type': 'ReferencePosition'},
None],
'type': 'SEQUENCE'},
'BasicVehicleContainerHighFrequency': {'members': [{'name': 'heading',
'type': 'Heading'},
{'name': 'speed',
'type': 'Speed'},
{'name': 'driveDirection',
'type': 'DriveDirection'},
{'name': 'vehicleLength',
'type': 'VehicleLength'},
{'name': 'vehicleWidth',
'type': 'VehicleWidth'},
{'name': 'longitudinalAcceleration',
'type': 'LongitudinalAcceleration'},
{'name': 'curvature',
'type': 'Curvature'},
{'name': 'curvatureCalculationMode',
'type': 'CurvatureCalculationMode'},
{'name': 'yawRate',
'type': 'YawRate'},
{'name': 'accelerationControl',
'optional': True,
'type': 'AccelerationControl'},
{'name': 'lanePosition',
'optional': True,
'type': 'LanePosition'},
{'name': 'steeringWheelAngle',
'optional': True,
'type': 'SteeringWheelAngle'},
{'name': 'lateralAcceleration',
'optional': True,
'type': 'LateralAcceleration'},
{'name': 'verticalAcceleration',
'optional': True,
'type': 'VerticalAcceleration'},
{'name': 'performanceClass',
'optional': True,
'type': 'PerformanceClass'},
{'name': 'cenDsrcTollingZone',
'optional': True,
'type': 'CenDsrcTollingZone'}],
'type': 'SEQUENCE'},
'BasicVehicleContainerLowFrequency': {'members': [{'name': 'vehicleRole',
'type': 'VehicleRole'},
{'name': 'exteriorLights',
'type': 'ExteriorLights'},
{'name': 'pathHistory',
'type': 'PathHistory'}],
'type': 'SEQUENCE'},
'CAM': {'members': [{'name': 'header',
'type': 'ItsPduHeader'},
{'name': 'cam',
'type': 'CoopAwareness'}],
'type': 'SEQUENCE'},
'CamParameters': {'members': [{'name': 'basicContainer',
'type': 'BasicContainer'},
{'name': 'highFrequencyContainer',
'type': 'HighFrequencyContainer'},
{'name': 'lowFrequencyContainer',
'optional': True,
'type': 'LowFrequencyContainer'},
{'name': 'specialVehicleContainer',
'optional': True,
'type': 'SpecialVehicleContainer'},
None],
'type': 'SEQUENCE'},
'CoopAwareness': {'members': [{'name': 'generationDeltaTime',
'type': 'GenerationDeltaTime'},
{'name': 'camParameters',
'type': 'CamParameters'}],
'type': 'SEQUENCE'},
'DangerousGoodsContainer': {'members': [{'name': 'dangerousGoodsBasic',
'type': 'DangerousGoodsBasic'}],
'type': 'SEQUENCE'},
'EmergencyContainer': {'members': [{'name': 'lightBarSirenInUse',
'type': 'LightBarSirenInUse'},
{'name': 'incidentIndication',
'optional': True,
'type': 'CauseCode'},
{'name': 'emergencyPriority',
'optional': True,
'type': 'EmergencyPriority'}],
'type': 'SEQUENCE'},
'GenerationDeltaTime': {'named-numbers': {'oneMilliSec': 1},
'restricted-to': [(0,
65535)],
'type': 'INTEGER'},
'HighFrequencyContainer': {'members': [{'name': 'basicVehicleContainerHighFrequency',
'type': 'BasicVehicleContainerHighFrequency'},
{'name': 'rsuContainerHighFrequency',
'type': 'RSUContainerHighFrequency'},
None],
'type': 'CHOICE'},
'LowFrequencyContainer': {'members': [{'name': 'basicVehicleContainerLowFrequency',
'type': 'BasicVehicleContainerLowFrequency'},
None],
'type': 'CHOICE'},
'PublicTransportContainer': {'members': [{'name': 'embarkationStatus',
'type': 'EmbarkationStatus'},
{'name': 'ptActivation',
'optional': True,
'type': 'PtActivation'}],
'type': 'SEQUENCE'},
'RSUContainerHighFrequency': {'members': [{'name': 'protectedCommunicationZonesRSU',
'optional': True,
'type': 'ProtectedCommunicationZonesRSU'},
None],
'type': 'SEQUENCE'},
'RescueContainer': {'members': [{'name': 'lightBarSirenInUse',
'type': 'LightBarSirenInUse'}],
'type': 'SEQUENCE'},
'RoadWorksContainerBasic': {'members': [{'name': 'roadworksSubCauseCode',
'optional': True,
'type': 'RoadworksSubCauseCode'},
{'name': 'lightBarSirenInUse',
'type': 'LightBarSirenInUse'},
{'name': 'closedLanes',
'optional': True,
'type': 'ClosedLanes'}],
'type': 'SEQUENCE'},
'SafetyCarContainer': {'members': [{'name': 'lightBarSirenInUse',
'type': 'LightBarSirenInUse'},
{'name': 'incidentIndication',
'optional': True,
'type': 'CauseCode'},
{'name': 'trafficRule',
'optional': True,
'type': 'TrafficRule'},
{'name': 'speedLimit',
'optional': True,
'type': 'SpeedLimit'}],
'type': 'SEQUENCE'},
'SpecialTransportContainer': {'members': [{'name': 'specialTransportType',
'type': 'SpecialTransportType'},
{'name': 'lightBarSirenInUse',
'type': 'LightBarSirenInUse'}],
'type': 'SEQUENCE'},
'SpecialVehicleContainer': {'members': [{'name': 'publicTransportContainer',
'type': 'PublicTransportContainer'},
{'name': 'specialTransportContainer',
'type': 'SpecialTransportContainer'},
{'name': 'dangerousGoodsContainer',
'type': 'DangerousGoodsContainer'},
{'name': 'roadWorksContainerBasic',
'type': 'RoadWorksContainerBasic'},
{'name': 'rescueContainer',
'type': 'RescueContainer'},
{'name': 'emergencyContainer',
'type': 'EmergencyContainer'},
{'name': 'safetyCarContainer',
'type': 'SafetyCarContainer'},
None],
'type': 'CHOICE'}},
'values': {}}} | eerimoq/asn1tools | tests/files/etsi/cam_pdu_descriptions_1_3_2.py | Python | mit | 19,027 |
#!/usr/bin/python
# -*- coding: UTF-8 -*-
import random
print random.uniform(10, 30)
| tomhaoye/LetsPython | practice/practice50.py | Python | mit | 87 |
from daisychain.steps.outputs.file import OutputFile
from daisychain.steps.input import InMemoryInput
import tempfile
import os
TEST_STRING = 'THIS OUTPUT STRING IS COMPLETELY UNIQUE AND WILL NOT EXIST EVER AGAIN'
def test_output_file():
t = tempfile.NamedTemporaryFile(dir=os.path.dirname(__file__), delete=False)
t.close()
try:
i = OutputFile(path=t.name, input_step=InMemoryInput(output=TEST_STRING))
assert i.pending
i.run()
assert i.finished
with open(t.name) as f:
assert TEST_STRING in f.read()
finally:
if os.path.exists(t.name):
os.unlink(t.name)
def test_output_failure():
i = OutputFile(path='/thisdirectoryreallydoesnotexist', input_step=InMemoryInput(output=TEST_STRING))
assert i.pending
try:
i.run()
except Exception as e:
pass
else:
assert False, "Trying to output to a directory that doesn't exist should fail"
| python-daisychain/daisychain | test/test_steps__outputs_file.py | Python | mit | 964 |
from twistedbot.plugins.base import PluginChatBase
from twistedbot.behavior_tree import InventorySelectActive
class Debug(PluginChatBase):
@property
def command_verb(self):
return "debug"
@property
def help(self):
return "help for debug"
def command(self, sender, command, args):
if subject:
what = subject[0]
if what == "inventoryselect":
item_name = " ".join(subject[1:])
if not item_name:
self.send_chat_message("specify item")
return
itemstack = InventorySelectActive.parse_parameters(item_name)
if itemstack is not None:
self.world.bot.behavior_tree.new_command(InventorySelectActive, itemstack=itemstack)
else:
self.send_chat_message("unknown item %s" % item_name)
else:
self.send_chat_message("unknown subject")
else:
self.send_chat_message("debug what?")
plugin = Debug
| lukleh/TwistedBot | twistedbot/plugins/core/chat_debug.py | Python | mit | 1,061 |
# coding: utf8
{
' Assessment Series Details': ' Assessment Series Details',
'"update" is an optional expression like "field1=\'newvalue\'". You cannot update or delete the results of a JOIN': '"update" is an optional expression like "field1=\'newvalue\'". You cannot update or delete the results of a JOIN',
'# of International Staff': '# of International Staff',
'# of National Staff': '# of National Staff',
'# of Vehicles': '# of Vehicles',
'%(module)s not installed': '%(module)s not installed',
'%(system_name)s - Verify Email': '%(system_name)s - Verify Email',
'%.1f km': '%.1f km',
'%Y-%m-%d': '%Y-%m-%d',
'%Y-%m-%d %H:%M:%S': '%Y-%m-%d %H:%M:%S',
'%s rows deleted': '%s rows deleted',
'%s rows updated': '%s rows updated',
'& then click on the map below to adjust the Lat/Lon fields': '& then click on the map below to adjust the Lat/Lon fields',
"'Cancel' will indicate an asset log entry did not occur": "'Cancel' will indicate an asset log entry did not occur",
'* Required Fields': '* Required Fields',
'0-15 minutes': '0-15 minutes',
'1 Assessment': '1 Assessment',
'1 location, shorter time, can contain multiple Tasks': '1 location, shorter time, can contain multiple Tasks',
'1-3 days': '1-3 days',
'15-30 minutes': '15-30 minutes',
'2 different options are provided here currently:': '2 different options are provided here currently:',
'2x4 Car': '2x4 Car',
'30-60 minutes': '30-60 minutes',
'4-7 days': '4-7 days',
'4x4 Car': '4x4 Car',
'8-14 days': '8-14 days',
'A Marker assigned to an individual Location is set if there is a need to override the Marker assigned to the Feature Class.': 'A Marker assigned to an individual Location is set if there is a need to override the Marker assigned to the Feature Class.',
'A Reference Document such as a file, URL or contact person to verify this data.': 'A Reference Document such as a file, URL or contact person to verify this data.',
'A brief description of the group (optional)': 'A brief description of the group (optional)',
'A catalog of different Assessment Templates including summary information': 'A catalogue of different Assessment Templates including summary information',
'A file in GPX format taken from a GPS.': 'A file in GPX format taken from a GPS.',
'A library of digital resources, such as photos, documents and reports': 'A library of digital resources, such as photos, documents and reports',
'A location group can be used to define the extent of an affected area, if it does not fall within one administrative region.': 'A location group can be used to define the extent of an affected area, if it does not fall within one administrative region.',
'A location group is a set of locations (often, a set of administrative regions representing a combined area).': 'A location group is a set of locations (often, a set of administrative regions representing a combined area).',
'A location group must have at least one member.': 'A location group must have at least one member.',
"A location that specifies the geographic area for this region. This can be a location from the location hierarchy, or a 'group location', or a location that has a boundary for the area.": "A location that specifies the geographic area for this region. This can be a location from the location hierarchy, or a 'group location', or a location that has a boundary for the area.",
'A portal for volunteers allowing them to amend their own data & view assigned tasks.': 'A portal for volunteers allowing them to amend their own data & view assigned tasks.',
'A task is a piece of work that an individual or team can do in 1-2 days': 'A task is a piece of work that an individual or team can do in 1-2 days',
'ABOUT THIS MODULE': 'ABOUT THIS MODULE',
'ACCESS DATA': 'ACCESS DATA',
'ACTION REQUIRED': 'ACTION REQUIRED',
'ANY': 'ANY',
'API Key': 'API Key',
'API is documented here': 'API is documented here',
'ATC-20 Rapid Evaluation modified for New Zealand': 'ATC-20 Rapid Evaluation modified for New Zealand',
'Abbreviation': 'Abbreviation',
'Ability to customize the list of details tracked at a Shelter': 'Ability to customize the list of details tracked at a Shelter',
'Ability to customize the list of human resource tracked at a Shelter': 'Ability to customize the list of human resource tracked at a Shelter',
'Ability to customize the list of important facilities needed at a Shelter': 'Ability to customize the list of important facilities needed at a Shelter',
'About': 'About',
'Accept Push': 'Accept Push',
'Accept Pushes': 'Accept Pushes',
'Access denied': 'Access denied',
'Access to Shelter': 'Access to Shelter',
'Access to education services': 'Access to education services',
'Accessibility of Affected Location': 'Accessibility of Affected Location',
'Accompanying Relative': 'Accompanying Relative',
'Account Registered - Please Check Your Email': 'Account Registered - Please Check Your Email',
'Acronym': 'Acronym',
"Acronym of the organization's name, eg. IFRC.": "Acronym of the organisation's name, eg. IFRC.",
'Actionable by all targeted recipients': 'Actionable by all targeted recipients',
'Actionable only by designated exercise participants; exercise identifier SHOULD appear in <note>': 'Actionable only by designated exercise participants; exercise identifier SHOULD appear in <note>',
'Actioned?': 'Actioned?',
'Actions': 'Actions',
'Actions taken as a result of this request.': 'Actions taken as a result of this request.',
'Activate Events from Scenario templates for allocation of appropriate Resources (Human, Assets & Facilities).': 'Activate Events from Scenario templates for allocation of appropriate Resources (Human, Assets & Facilities).',
'Active': 'Active',
'Active Problems': 'Active Problems',
'Activities': 'Activities',
'Activities matching Assessments:': 'Activities matching Assessments:',
'Activities of boys 13-17yrs before disaster': 'Activities of boys 13-17yrs before disaster',
'Activities of boys 13-17yrs now': 'Activities of boys 13-17yrs now',
'Activities of boys <12yrs before disaster': 'Activities of boys <12yrs before disaster',
'Activities of boys <12yrs now': 'Activities of boys <12yrs now',
'Activities of children': 'Activities of children',
'Activities of girls 13-17yrs before disaster': 'Activities of girls 13-17yrs before disaster',
'Activities of girls 13-17yrs now': 'Activities of girls 13-17yrs now',
'Activities of girls <12yrs before disaster': 'Activities of girls <12yrs before disaster',
'Activities of girls <12yrs now': 'Activities of girls <12yrs now',
'Activities:': 'Activities:',
'Activity': 'Activity',
'Activity Added': 'Activity Added',
'Activity Deleted': 'Activity Deleted',
'Activity Details': 'Activity Details',
'Activity Report': 'Activity Report',
'Activity Reports': 'Activity Reports',
'Activity Type': 'Activity Type',
'Activity Types': 'Activity Types',
'Activity Updated': 'Activity Updated',
'Activity added': 'Activity added',
'Activity removed': 'Activity removed',
'Activity updated': 'Activity updated',
'Add': 'Add',
'Add Activity': 'Add Activity',
'Add Activity Report': 'Add Activity Report',
'Add Activity Type': 'Add Activity Type',
'Add Address': 'Add Address',
'Add Alternative Item': 'Add Alternative Item',
'Add Assessment': 'Add Assessment',
'Add Assessment Answer': 'Add Assessment Answer',
'Add Assessment Series': 'Add Assessment Series',
'Add Assessment Summary': 'Add Assessment Summary',
'Add Assessment Template': 'Add Assessment Template',
'Add Asset': 'Add Asset',
'Add Asset Log Entry - Change Label': 'Add Asset Log Entry - Change Label',
'Add Availability': 'Add Availability',
'Add Baseline': 'Add Baseline',
'Add Baseline Type': 'Add Baseline Type',
'Add Bed Type': 'Add Bed Type',
'Add Brand': 'Add Brand',
'Add Budget': 'Add Budget',
'Add Bundle': 'Add Bundle',
'Add Camp': 'Add Camp',
'Add Camp Service': 'Add Camp Service',
'Add Camp Type': 'Add Camp Type',
'Add Catalog': 'Add Catalogue',
'Add Catalog Item': 'Add Catalogue Item',
'Add Certificate': 'Add Certificate',
'Add Certification': 'Add Certification',
'Add Cholera Treatment Capability Information': 'Add Cholera Treatment Capability Information',
'Add Cluster': 'Add Cluster',
'Add Cluster Subsector': 'Add Cluster Subsector',
'Add Competency Rating': 'Add Competency Rating',
'Add Contact': 'Add Contact',
'Add Contact Information': 'Add Contact Information',
'Add Course': 'Add Course',
'Add Course Certificate': 'Add Course Certificate',
'Add Credential': 'Add Credential',
'Add Credentials': 'Add Credentials',
'Add Dead Body Report': 'Add Dead Body Report',
'Add Disaster Victims': 'Add Disaster Victims',
'Add Distribution.': 'Add Distribution.',
'Add Document': 'Add Document',
'Add Donor': 'Add Donor',
'Add Facility': 'Add Facility',
'Add Feature Class': 'Add Feature Class',
'Add Feature Layer': 'Add Feature Layer',
'Add Flood Report': 'Add Flood Report',
'Add GPS data': 'Add GPS data',
'Add Group': 'Add Group',
'Add Group Member': 'Add Group Member',
'Add Home Address': 'Add Home Address',
'Add Hospital': 'Add Hospital',
'Add Human Resource': 'Add Human Resource',
'Add Identification Report': 'Add Identification Report',
'Add Identity': 'Add Identity',
'Add Image': 'Add Image',
'Add Impact': 'Add Impact',
'Add Impact Type': 'Add Impact Type',
'Add Incident': 'Add Incident',
'Add Incident Report': 'Add Incident Report',
'Add Item': 'Add Item',
'Add Item Category': 'Add Item Category',
'Add Item Pack': 'Add Item Pack',
'Add Item to Catalog': 'Add Item to Catalogue',
'Add Item to Commitment': 'Add Item to Commitment',
'Add Item to Inventory': 'Add Item to Inventory',
'Add Item to Order': 'Add Item to Order',
'Add Item to Request': 'Add Item to Request',
'Add Item to Shipment': 'Add Item to Shipment',
'Add Job': 'Add Job',
'Add Job Role': 'Add Job Role',
'Add Kit': 'Add Kit',
'Add Layer': 'Add Layer',
'Add Level 1 Assessment': 'Add Level 1 Assessment',
'Add Level 2 Assessment': 'Add Level 2 Assessment',
'Add Location': 'Add Location',
'Add Log Entry': 'Add Log Entry',
'Add Map Configuration': 'Add Map Configuration',
'Add Marker': 'Add Marker',
'Add Member': 'Add Member',
'Add Membership': 'Add Membership',
'Add Message': 'Add Message',
'Add Mission': 'Add Mission',
'Add Need': 'Add Need',
'Add Need Type': 'Add Need Type',
'Add New': 'Add New',
'Add New Activity': 'Add New Activity',
'Add New Activity Type': 'Add New Activity Type',
'Add New Address': 'Add New Address',
'Add New Alternative Item': 'Add New Alternative Item',
'Add New Assessment': 'Add New Assessment',
'Add New Assessment Summary': 'Add New Assessment Summary',
'Add New Asset': 'Add New Asset',
'Add New Baseline': 'Add New Baseline',
'Add New Baseline Type': 'Add New Baseline Type',
'Add New Brand': 'Add New Brand',
'Add New Budget': 'Add New Budget',
'Add New Bundle': 'Add New Bundle',
'Add New Camp': 'Add New Camp',
'Add New Camp Service': 'Add New Camp Service',
'Add New Camp Type': 'Add New Camp Type',
'Add New Catalog': 'Add New Catalogue',
'Add New Cluster': 'Add New Cluster',
'Add New Cluster Subsector': 'Add New Cluster Subsector',
'Add New Commitment Item': 'Add New Commitment Item',
'Add New Contact': 'Add New Contact',
'Add New Credential': 'Add New Credential',
'Add New Document': 'Add New Document',
'Add New Donor': 'Add New Donor',
'Add New Entry': 'Add New Entry',
'Add New Event': 'Add New Event',
'Add New Facility': 'Add New Facility',
'Add New Feature Class': 'Add New Feature Class',
'Add New Feature Layer': 'Add New Feature Layer',
'Add New Flood Report': 'Add New Flood Report',
'Add New Group': 'Add New Group',
'Add New Home': 'Add New Home',
'Add New Hospital': 'Add New Hospital',
'Add New Human Resource': 'Add New Human Resource',
'Add New Identity': 'Add New Identity',
'Add New Image': 'Add New Image',
'Add New Impact': 'Add New Impact',
'Add New Impact Type': 'Add New Impact Type',
'Add New Incident': 'Add New Incident',
'Add New Incident Report': 'Add New Incident Report',
'Add New Item': 'Add New Item',
'Add New Item Category': 'Add New Item Category',
'Add New Item Pack': 'Add New Item Pack',
'Add New Item to Kit': 'Add New Item to Kit',
'Add New Item to Order': 'Add New Item to Order',
'Add New Kit': 'Add New Kit',
'Add New Layer': 'Add New Layer',
'Add New Level 1 Assessment': 'Add New Level 1 Assessment',
'Add New Level 2 Assessment': 'Add New Level 2 Assessment',
'Add New Location': 'Add New Location',
'Add New Log Entry': 'Add New Log Entry',
'Add New Map Configuration': 'Add New Map Configuration',
'Add New Marker': 'Add New Marker',
'Add New Member': 'Add New Member',
'Add New Membership': 'Add New Membership',
'Add New Need': 'Add New Need',
'Add New Need Type': 'Add New Need Type',
'Add New Office': 'Add New Office',
'Add New Order': 'Add New Order',
'Add New Organization': 'Add New Organisation',
'Add New Organization Domain': 'Add New Organisation Domain',
'Add New Patient': 'Add New Patient',
'Add New Person to Commitment': 'Add New Person to Commitment',
'Add New Photo': 'Add New Photo',
'Add New Population Statistic': 'Add New Population Statistic',
'Add New Problem': 'Add New Problem',
'Add New Project': 'Add New Project',
'Add New Project Site': 'Add New Project Site',
'Add New Projection': 'Add New Projection',
'Add New Rapid Assessment': 'Add New Rapid Assessment',
'Add New Received Item': 'Add New Received Item',
'Add New Record': 'Add New Record',
'Add New Relative': 'Add New Relative',
'Add New Report': 'Add New Report',
'Add New Request': 'Add New Request',
'Add New Request Item': 'Add New Request Item',
'Add New Resource': 'Add New Resource',
'Add New River': 'Add New River',
'Add New Role': 'Add New Role',
'Add New Role to User': 'Add New Role to User',
'Add New Room': 'Add New Room',
'Add New Scenario': 'Add New Scenario',
'Add New Sector': 'Add New Sector',
'Add New Sent Item': 'Add New Sent Item',
'Add New Setting': 'Add New Setting',
'Add New Shelter': 'Add New Shelter',
'Add New Shelter Service': 'Add New Shelter Service',
'Add New Shelter Type': 'Add New Shelter Type',
'Add New Skill': 'Add New Skill',
'Add New Solution': 'Add New Solution',
'Add New Staff Member': 'Add New Staff Member',
'Add New Staff Type': 'Add New Staff Type',
'Add New Subsector': 'Add New Subsector',
'Add New Task': 'Add New Task',
'Add New Team': 'Add New Team',
'Add New Theme': 'Add New Theme',
'Add New Ticket': 'Add New Ticket',
'Add New User': 'Add New User',
'Add New User to Role': 'Add New User to Role',
'Add New Vehicle': 'Add New Vehicle',
'Add New Volunteer': 'Add New Volunteer',
'Add New Warehouse': 'Add New Warehouse',
'Add Office': 'Add Office',
'Add Order': 'Add Order',
'Add Organization': 'Add Organisation',
'Add Organization Domain': 'Add Organisation Domain',
'Add Organization to Project': 'Add Organisation to Project',
'Add Person': 'Add Person',
'Add Person to Commitment': 'Add Person to Commitment',
'Add Personal Effects': 'Add Personal Effects',
'Add Photo': 'Add Photo',
'Add Point': 'Add Point',
'Add Polygon': 'Add Polygon',
'Add Population Statistic': 'Add Population Statistic',
'Add Position': 'Add Position',
'Add Problem': 'Add Problem',
'Add Project': 'Add Project',
'Add Project Site': 'Add Project Site',
'Add Projection': 'Add Projection',
'Add Question Meta-Data': 'Add Question Meta-Data',
'Add Rapid Assessment': 'Add Rapid Assessment',
'Add Record': 'Add Record',
'Add Reference Document': 'Add Reference Document',
'Add Report': 'Add Report',
'Add Repository': 'Add Repository',
'Add Request': 'Add Request',
'Add Resource': 'Add Resource',
'Add River': 'Add River',
'Add Role': 'Add Role',
'Add Room': 'Add Room',
'Add Saved Search': 'Add Saved Search',
'Add Section': 'Add Section',
'Add Sector': 'Add Sector',
'Add Service Profile': 'Add Service Profile',
'Add Setting': 'Add Setting',
'Add Shelter': 'Add Shelter',
'Add Shelter Service': 'Add Shelter Service',
'Add Shelter Type': 'Add Shelter Type',
'Add Skill': 'Add Skill',
'Add Skill Equivalence': 'Add Skill Equivalence',
'Add Skill Provision': 'Add Skill Provision',
'Add Skill Type': 'Add Skill Type',
'Add Skill to Request': 'Add Skill to Request',
'Add Solution': 'Add Solution',
'Add Staff Member': 'Add Staff Member',
'Add Staff Type': 'Add Staff Type',
'Add Status': 'Add Status',
'Add Subscription': 'Add Subscription',
'Add Subsector': 'Add Subsector',
'Add Task': 'Add Task',
'Add Team': 'Add Team',
'Add Template Section': 'Add Template Section',
'Add Theme': 'Add Theme',
'Add Ticket': 'Add Ticket',
'Add Training': 'Add Training',
'Add Unit': 'Add Unit',
'Add User': 'Add User',
'Add Vehicle': 'Add Vehicle',
'Add Vehicle Detail': 'Add Vehicle Detail',
'Add Vehicle Details': 'Add Vehicle Details',
'Add Volunteer': 'Add Volunteer',
'Add Volunteer Availability': 'Add Volunteer Availability',
'Add Warehouse': 'Add Warehouse',
'Add a Person': 'Add a Person',
'Add a Reference Document such as a file, URL or contact person to verify this data. If you do not enter a Reference Document, your email will be displayed instead.': 'Add a Reference Document such as a file, URL or contact person to verify this data. If you do not enter a Reference Document, your email will be displayed instead.',
'Add a new Assessment Answer': 'Add a new Assessment Answer',
'Add a new Assessment Question': 'Add a new Assessment Question',
'Add a new Assessment Series': 'Add a new Assessment Series',
'Add a new Assessment Template': 'Add a new Assessment Template',
'Add a new Completed Assessment': 'Add a new Completed Assessment',
'Add a new Template Section': 'Add a new Template Section',
'Add a new certificate to the catalog.': 'Add a new certificate to the catalogue.',
'Add a new competency rating to the catalog.': 'Add a new competency rating to the catalogue.',
'Add a new job role to the catalog.': 'Add a new job role to the catalogue.',
'Add a new skill provision to the catalog.': 'Add a new skill provision to the catalogue.',
'Add a new skill type to the catalog.': 'Add a new skill type to the catalogue.',
'Add all organizations which are involved in different roles in this project': 'Add all organisations which are involved in different roles in this project',
'Add an Assessment Question': 'Add an Assessment Question',
'Add new Group': 'Add new Group',
'Add new Individual': 'Add new Individual',
'Add new Patient': 'Add new Patient',
'Add new Question Meta-Data': 'Add new Question Meta-Data',
'Add new project.': 'Add new project.',
'Add staff members': 'Add staff members',
'Add to Bundle': 'Add to Bundle',
'Add to budget': 'Add to budget',
'Add volunteers': 'Add volunteers',
'Add/Edit/Remove Layers': 'Add/Edit/Remove Layers',
'Additional Beds / 24hrs': 'Additional Beds / 24hrs',
'Address': 'Address',
'Address Details': 'Address Details',
'Address Type': 'Address Type',
'Address added': 'Address added',
'Address deleted': 'Address deleted',
'Address updated': 'Address updated',
'Addresses': 'Addresses',
'Adequate': 'Adequate',
'Adequate food and water available': 'Adequate food and water available',
'Admin Email': 'Admin Email',
'Admin Name': 'Admin Name',
'Admin Tel': 'Admin Tel',
'Administration': 'Administration',
'Admissions/24hrs': 'Admissions/24hrs',
'Adolescent (12-20)': 'Adolescent (12-20)',
'Adolescent participating in coping activities': 'Adolescent participating in coping activities',
'Adult (21-50)': 'Adult (21-50)',
'Adult ICU': 'Adult ICU',
'Adult Psychiatric': 'Adult Psychiatric',
'Adult female': 'Adult female',
'Adult male': 'Adult male',
'Adults in prisons': 'Adults in prisons',
'Advanced:': 'Advanced:',
'Advisory': 'Advisory',
'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.': '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 Group': 'Age Group',
'Age group': 'Age group',
'Age group does not match actual age.': 'Age group does not match actual age.',
'Aggravating factors': 'Aggravating factors',
'Agriculture': 'Agriculture',
'Air Transport Service': 'Air Transport Service',
'Air tajin': 'Air tajin',
'Aircraft Crash': 'Aircraft Crash',
'Aircraft Hijacking': 'Aircraft Hijacking',
'Airport Closure': 'Airport Closure',
'Airspace Closure': 'Airspace Closure',
'Alcohol': 'Alcohol',
'Alert': 'Alert',
'All': 'All',
'All Inbound & Outbound Messages are stored here': 'All Inbound & Outbound Messages are stored here',
'All Resources': 'All Resources',
'All data provided by the Sahana Software Foundation from this site is licensed under a Creative Commons Attribution license. However, not all data originates here. Please consult the source field of each entry.': 'All data provided by the Sahana Software Foundation from this site is licensed under a Creative Commons Attribution license. However, not all data originates here. Please consult the source field of each entry.',
'Allows a Budget to be drawn up': 'Allows a Budget to be drawn up',
'Alternative Item': 'Alternative Item',
'Alternative Item Details': 'Alternative Item Details',
'Alternative Item added': 'Alternative Item added',
'Alternative Item deleted': 'Alternative Item deleted',
'Alternative Item updated': 'Alternative Item updated',
'Alternative Items': 'Alternative Items',
'Alternative places for studying': 'Alternative places for studying',
'Ambulance Service': 'Ambulance Service',
'An Assessment Template can be selected to create an Event Assessment. Within an Event Assessment responses can be collected and results can analyzed as tables, charts and maps': 'An Assessment Template can be selected to create an Event Assessment. Within an Event Assessment responses can be collected and results can analysed as tables, charts and maps',
'An item which can be used in place of another item': 'An item which can be used in place of another item',
'Analysis': 'Analysis',
'Analysis of assessments': 'Analysis of assessments',
'Animal Die Off': 'Animal Die Off',
'Animal Feed': 'Animal Feed',
'Answer': 'Answer',
'Anthropolgy': 'Anthropolgy',
'Antibiotics available': 'Antibiotics available',
'Antibiotics needed per 24h': 'Antibiotics needed per 24h',
'Apparent Age': 'Apparent Age',
'Apparent Gender': 'Apparent Gender',
'Application Deadline': 'Application Deadline',
'Approve': 'Approve',
'Approved': 'Approved',
'Approved By': 'Approved By',
'Approver': 'Approver',
'Arabic': 'Arabic',
'Arctic Outflow': 'Arctic Outflow',
'Are you sure you want to delete this record?': 'Are you sure you want to delete this record?',
'Areas inspected': 'Areas inspected',
'As of yet, no completed surveys have been added to this series.': 'As of yet, no completed surveys have been added to this series.',
'As of yet, no sections have been added to this template.': 'As of yet, no sections have been added to this template.',
'Assessment': 'Assessment',
'Assessment Answer': 'Assessment Answer',
'Assessment Answer Details': 'Assessment Answer Details',
'Assessment Answer added': 'Assessment Answer added',
'Assessment Answer deleted': 'Assessment Answer deleted',
'Assessment Answer updated': 'Assessment Answer updated',
'Assessment Details': 'Assessment Details',
'Assessment Question Details': 'Assessment Question Details',
'Assessment Question added': 'Assessment Question added',
'Assessment Question deleted': 'Assessment Question deleted',
'Assessment Question updated': 'Assessment Question updated',
'Assessment Reported': 'Assessment Reported',
'Assessment Series': 'Assessment Series',
'Assessment Series added': 'Assessment Series added',
'Assessment Series deleted': 'Assessment Series deleted',
'Assessment Series updated': 'Assessment Series updated',
'Assessment Summaries': 'Assessment Summaries',
'Assessment Summary Details': 'Assessment Summary Details',
'Assessment Summary added': 'Assessment Summary added',
'Assessment Summary deleted': 'Assessment Summary deleted',
'Assessment Summary updated': 'Assessment Summary updated',
'Assessment Template Details': 'Assessment Template Details',
'Assessment Template added': 'Assessment Template added',
'Assessment Template deleted': 'Assessment Template deleted',
'Assessment Template updated': 'Assessment Template updated',
'Assessment Templates': 'Assessment Templates',
'Assessment added': 'Assessment added',
'Assessment admin level': 'Assessment admin level',
'Assessment deleted': 'Assessment deleted',
'Assessment timeline': 'Assessment timeline',
'Assessment updated': 'Assessment updated',
'Assessments': 'Assessments',
'Assessments Needs vs. Activities': 'Assessments Needs vs. Activities',
'Assessments and Activities': 'Assessments and Activities',
'Assessments:': 'Assessments:',
'Assessor': 'Assessor',
'Asset': 'Asset',
'Asset Details': 'Asset Details',
'Asset Log': 'Asset Log',
'Asset Log Details': 'Asset Log Details',
'Asset Log Empty': 'Asset Log Empty',
'Asset Log Entry Added - Change Label': 'Asset Log Entry Added - Change Label',
'Asset Log Entry deleted': 'Asset Log Entry deleted',
'Asset Log Entry updated': 'Asset Log Entry updated',
'Asset Management': 'Asset Management',
'Asset Number': 'Asset Number',
'Asset added': 'Asset added',
'Asset deleted': 'Asset deleted',
'Asset removed': 'Asset removed',
'Asset updated': 'Asset updated',
'Assets': 'Assets',
'Assets are resources which are not consumable but are expected back, so they need tracking.': 'Assets are resources which are not consumable but are expected back, so they need tracking.',
'Assign': 'Assign',
'Assign to Org.': 'Assign to Org.',
'Assign to Organization': 'Assign to Organisation',
'Assign to Person': 'Assign to Person',
'Assign to Site': 'Assign to Site',
'Assigned': 'Assigned',
'Assigned By': 'Assigned By',
'Assigned To': 'Assigned To',
'Assigned to Organization': 'Assigned to Organisation',
'Assigned to Person': 'Assigned to Person',
'Assigned to Site': 'Assigned to Site',
'Assignment': 'Assignment',
'Assignments': 'Assignments',
'At/Visited Location (not virtual)': 'At/Visited Location (not virtual)',
'Attend to information sources as described in <instruction>': 'Attend to information sources as described in <instruction>',
'Attribution': 'Attribution',
"Authenticate system's Twitter account": "Authenticate system's Twitter account",
'Author': 'Author',
'Available Alternative Inventories': 'Available Alternative Inventories',
'Available Beds': 'Available Beds',
'Available Forms': 'Available Forms',
'Available Inventories': 'Available Inventories',
'Available Messages': 'Available Messages',
'Available Records': 'Available Records',
'Available databases and tables': 'Available databases and tables',
'Available for Location': 'Available for Location',
'Available from': 'Available from',
'Available in Viewer?': 'Available in Viewer?',
'Available until': 'Available until',
'Avalanche': 'Avalanche',
'Avoid the subject event as per the <instruction>': 'Avoid the subject event as per the <instruction>',
'Background Color': 'Background Colour',
'Background Color for Text blocks': 'Background Colour for Text blocks',
'Bahai': 'Bahai',
'Baldness': 'Baldness',
'Banana': 'Banana',
'Bank/micro finance': 'Bank/micro finance',
'Barricades are needed': 'Barricades are needed',
'Base Layer?': 'Base Layer?',
'Base Layers': 'Base Layers',
'Base Location': 'Base Location',
'Base Site Set': 'Base Site Set',
'Base URL of the remote Sahana-Eden site': 'Base URL of the remote Sahana-Eden site',
'Baseline Data': 'Baseline Data',
'Baseline Number of Beds': 'Baseline Number of Beds',
'Baseline Type': 'Baseline Type',
'Baseline Type Details': 'Baseline Type Details',
'Baseline Type added': 'Baseline Type added',
'Baseline Type deleted': 'Baseline Type deleted',
'Baseline Type updated': 'Baseline Type updated',
'Baseline Types': 'Baseline Types',
'Baseline added': 'Baseline added',
'Baseline deleted': 'Baseline deleted',
'Baseline number of beds of that type in this unit.': 'Baseline number of beds of that type in this unit.',
'Baseline updated': 'Baseline updated',
'Baselines': 'Baselines',
'Baselines Details': 'Baselines Details',
'Basic Assessment': 'Basic Assessment',
'Basic Assessment Reported': 'Basic Assessment Reported',
'Basic Details': 'Basic Details',
'Basic reports on the Shelter and drill-down by region': 'Basic reports on the Shelter and drill-down by region',
'Baud': 'Baud',
'Baud rate to use for your modem - The default is safe for most cases': 'Baud rate to use for your modem - The default is safe for most cases',
'Beam': 'Beam',
'Bed Capacity': 'Bed Capacity',
'Bed Capacity per Unit': 'Bed Capacity per Unit',
'Bed Type': 'Bed Type',
'Bed type already registered': 'Bed type already registered',
'Below ground level': 'Below ground level',
'Beneficiary Type': 'Beneficiary Type',
"Bing Layers cannot be displayed if there isn't a valid API Key": "Bing Layers cannot be displayed if there isn't a valid API Key",
'Biological Hazard': 'Biological Hazard',
'Biscuits': 'Biscuits',
'Blizzard': 'Blizzard',
'Blood Type (AB0)': 'Blood Type (AB0)',
'Blowing Snow': 'Blowing Snow',
'Boat': 'Boat',
'Bodies': 'Bodies',
'Bodies found': 'Bodies found',
'Bodies recovered': 'Bodies recovered',
'Body': 'Body',
'Body Recovery': 'Body Recovery',
'Body Recovery Request': 'Body Recovery Request',
'Body Recovery Requests': 'Body Recovery Requests',
'Bomb': 'Bomb',
'Bomb Explosion': 'Bomb Explosion',
'Bomb Threat': 'Bomb Threat',
'Border Color for Text blocks': 'Border Colour for Text blocks',
'Brand': 'Brand',
'Brand Details': 'Brand Details',
'Brand added': 'Brand added',
'Brand deleted': 'Brand deleted',
'Brand updated': 'Brand updated',
'Brands': 'Brands',
'Bricks': 'Bricks',
'Bridge Closed': 'Bridge Closed',
'Bucket': 'Bucket',
'Buddhist': 'Buddhist',
'Budget': 'Budget',
'Budget Details': 'Budget Details',
'Budget Updated': 'Budget Updated',
'Budget added': 'Budget added',
'Budget deleted': 'Budget deleted',
'Budget updated': 'Budget updated',
'Budgeting Module': 'Budgeting Module',
'Budgets': 'Budgets',
'Buffer': 'Buffer',
'Bug': 'Bug',
'Building Assessments': 'Building Assessments',
'Building Collapsed': 'Building Collapsed',
'Building Name': 'Building Name',
'Building Safety Assessments': 'Building Safety Assessments',
'Building Short Name/Business Name': 'Building Short Name/Business Name',
'Building or storey leaning': 'Building or storey leaning',
'Built using the Template agreed by a group of NGOs working together as the': 'Built using the Template agreed by a group of NGOs working together as the',
'Bulk Uploader': 'Bulk Uploader',
'Bundle': 'Bundle',
'Bundle Contents': 'Bundle Contents',
'Bundle Details': 'Bundle Details',
'Bundle Updated': 'Bundle Updated',
'Bundle added': 'Bundle added',
'Bundle deleted': 'Bundle deleted',
'Bundle updated': 'Bundle updated',
'Bundles': 'Bundles',
'Burn': 'Burn',
'Burn ICU': 'Burn ICU',
'Burned/charred': 'Burned/charred',
'By Facility': 'By Facility',
'By Inventory': 'By Inventory',
'CBA Women': 'CBA Women',
'CLOSED': 'CLOSED',
'CN': 'CN',
'CSS file %s not writable - unable to apply theme!': 'CSS file %s not writable - unable to apply theme!',
'Calculate': 'Calculate',
'Camp': 'Camp',
'Camp Coordination/Management': 'Camp Coordination/Management',
'Camp Details': 'Camp Details',
'Camp Service': 'Camp Service',
'Camp Service Details': 'Camp Service Details',
'Camp Service added': 'Camp Service added',
'Camp Service deleted': 'Camp Service deleted',
'Camp Service updated': 'Camp Service updated',
'Camp Services': 'Camp Services',
'Camp Type': 'Camp Type',
'Camp Type Details': 'Camp Type Details',
'Camp Type added': 'Camp Type added',
'Camp Type deleted': 'Camp Type deleted',
'Camp Type updated': 'Camp Type updated',
'Camp Types': 'Camp Types',
'Camp Types and Services': 'Camp Types and Services',
'Camp added': 'Camp added',
'Camp deleted': 'Camp deleted',
'Camp updated': 'Camp updated',
'Camps': 'Camps',
'Can only approve 1 record at a time!': 'Can only approve 1 record at a time!',
'Can only disable 1 record at a time!': 'Can only disable 1 record at a time!',
'Can only enable 1 record at a time!': 'Can only enable 1 record at a time!',
"Can't import tweepy": "Can't import tweepy",
'Cancel': 'Cancel',
'Cancel Log Entry': 'Cancel Log Entry',
'Cancel Shipment': 'Cancel Shipment',
'Canceled': 'Canceled',
'Candidate Matches for Body %s': 'Candidate Matches for Body %s',
'Canned Fish': 'Canned Fish',
'Cannot be empty': 'Cannot be empty',
'Cannot disable your own account!': 'Cannot disable your own account!',
'Capacity (Max Persons)': 'Capacity (Max Persons)',
'Capture Information on Disaster Victim groups (Tourists, Passengers, Families, etc.)': 'Capture Information on Disaster Victim groups (Tourists, Passengers, Families, etc.)',
'Capture Information on each disaster victim': 'Capture Information on each disaster victim',
'Capturing the projects each organization is providing and where': 'Capturing the projects each organisation is providing and where',
'Cardiology': 'Cardiology',
'Cassava': 'Cassava',
'Casual Labor': 'Casual Labor',
'Casualties': 'Casualties',
'Catalog': 'Catalogue',
'Catalog Details': 'Catalogue Details',
'Catalog Item added': 'Catalogue Item added',
'Catalog Item deleted': 'Catalogue Item deleted',
'Catalog Item updated': 'Catalogue Item updated',
'Catalog Items': 'Catalogue Items',
'Catalog added': 'Catalogue added',
'Catalog deleted': 'Catalogue deleted',
'Catalog updated': 'Catalogue updated',
'Catalogs': 'Catalogues',
'Categories': 'Categories',
'Category': 'Category',
"Caution: doesn't respect the framework rules!": "Caution: doesn't respect the framework rules!",
'Ceilings, light fixtures': 'Ceilings, light fixtures',
'Cell Phone': 'Cell Phone',
'Central point to record details on People': 'Central point to record details on People',
'Certificate': 'Certificate',
'Certificate Catalog': 'Certificate Catalogue',
'Certificate Details': 'Certificate Details',
'Certificate Status': 'Certificate Status',
'Certificate added': 'Certificate added',
'Certificate deleted': 'Certificate deleted',
'Certificate updated': 'Certificate updated',
'Certificates': 'Certificates',
'Certification': 'Certification',
'Certification Details': 'Certification Details',
'Certification added': 'Certification added',
'Certification deleted': 'Certification deleted',
'Certification updated': 'Certification updated',
'Certifications': 'Certifications',
'Certifying Organization': 'Certifying Organisation',
'Change Password': 'Change Password',
'Check': 'Check',
'Check Request': 'Check Request',
'Check for errors in the URL, maybe the address was mistyped.': 'Check for errors in the URL, maybe the address was mistyped.',
'Check if the URL is pointing to a directory instead of a webpage.': 'Check if the URL is pointing to a directory instead of a webpage.',
'Check outbox for the message status': 'Check outbox for the message status',
'Check to delete': 'Check to delete',
'Check to delete:': 'Check to delete:',
'Check-in at Facility': 'Check-in at Facility',
'Checked': 'Checked',
'Checklist': 'Checklist',
'Checklist created': 'Checklist created',
'Checklist deleted': 'Checklist deleted',
'Checklist of Operations': 'Checklist of Operations',
'Checklist updated': 'Checklist updated',
'Chemical Hazard': 'Chemical Hazard',
'Chemical, Biological, Radiological, Nuclear or High-Yield Explosive threat or attack': 'Chemical, Biological, Radiological, Nuclear or High-Yield Explosive threat or attack',
'Chicken': 'Chicken',
'Child': 'Child',
'Child (2-11)': 'Child (2-11)',
'Child (< 18 yrs)': 'Child (< 18 yrs)',
'Child Abduction Emergency': 'Child Abduction Emergency',
'Child headed households (<18 yrs)': 'Child headed households (<18 yrs)',
'Children (2-5 years)': 'Children (2-5 years)',
'Children (5-15 years)': 'Children (5-15 years)',
'Children (< 2 years)': 'Children (< 2 years)',
'Children in adult prisons': 'Children in adult prisons',
'Children in boarding schools': 'Children in boarding schools',
'Children in homes for disabled children': 'Children in homes for disabled children',
'Children in juvenile detention': 'Children in juvenile detention',
'Children in orphanages': 'Children in orphanages',
'Children living on their own (without adults)': 'Children living on their own (without adults)',
'Children not enrolled in new school': 'Children not enrolled in new school',
'Children orphaned by the disaster': 'Children orphaned by the disaster',
'Children separated from their parents/caregivers': 'Children separated from their parents/caregivers',
'Children that have been sent to safe places': 'Children that have been sent to safe places',
'Children who have disappeared since the disaster': 'Children who have disappeared since the disaster',
'Chinese (Simplified)': 'Chinese (Simplified)',
'Chinese (Traditional)': 'Chinese (Traditional)',
'Cholera Treatment': 'Cholera Treatment',
'Cholera Treatment Capability': 'Cholera Treatment Capability',
'Cholera Treatment Center': 'Cholera Treatment Center',
'Cholera-Treatment-Center': 'Cholera-Treatment-Center',
'Choose a new posting based on the new evaluation and team judgement. Severe conditions affecting the whole building are grounds for an UNSAFE posting. Localised Severe and overall Moderate conditions may require a RESTRICTED USE. Place INSPECTED placard at main entrance. Post all other placards at every significant entrance.': 'Choose a new posting based on the new evaluation and team judgement. Severe conditions affecting the whole building are grounds for an UNSAFE posting. Localised Severe and overall Moderate conditions may require a RESTRICTED USE. Place INSPECTED placard at main entrance. Post all other placards at every significant entrance.',
'Christian': 'Christian',
'Church': 'Church',
'City': 'City',
'Civil Emergency': 'Civil Emergency',
'Cladding, glazing': 'Cladding, glazing',
'Click on the link': 'Click on the link',
'Client IP': 'Client IP',
'Climate': 'Climate',
'Clinical Laboratory': 'Clinical Laboratory',
'Clinical Operations': 'Clinical Operations',
'Clinical Status': 'Clinical Status',
'Close map': 'Close map',
'Closed': 'Closed',
'Clothing': 'Clothing',
'Cluster': 'Cluster',
'Cluster Details': 'Cluster Details',
'Cluster Distance': 'Cluster Distance',
'Cluster Subsector': 'Cluster Subsector',
'Cluster Subsector Details': 'Cluster Subsector Details',
'Cluster Subsector added': 'Cluster Subsector added',
'Cluster Subsector deleted': 'Cluster Subsector deleted',
'Cluster Subsector updated': 'Cluster Subsector updated',
'Cluster Subsectors': 'Cluster Subsectors',
'Cluster Threshold': 'Cluster Threshold',
'Cluster added': 'Cluster added',
'Cluster deleted': 'Cluster deleted',
'Cluster updated': 'Cluster updated',
'Cluster(s)': 'Cluster(s)',
'Clusters': 'Clusters',
'Code': 'Code',
'Cold Wave': 'Cold Wave',
'Collapse, partial collapse, off foundation': 'Collapse, partial collapse, off foundation',
'Collective center': 'Collective center',
'Color for Underline of Subheadings': 'Colour for Underline of Subheadings',
'Color of Buttons when hovering': 'Colour of Buttons when hovering',
'Color of bottom of Buttons when not pressed': 'Colour of bottom of Buttons when not pressed',
'Color of bottom of Buttons when pressed': 'Colour of bottom of Buttons when pressed',
'Color of dropdown menus': 'Colour of dropdown menus',
'Color of selected Input fields': 'Colour of selected Input fields',
'Color of selected menu items': 'Colour of selected menu items',
'Columns, pilasters, corbels': 'Columns, pilasters, corbels',
'Combined Method': 'Combined Method',
'Come back later.': 'Come back later.',
'Come back later. Everyone visiting this site is probably experiencing the same problem as you.': 'Come back later. Everyone visiting this site is probably experiencing the same problem as you.',
'Comments': 'Comments',
'Commercial/Offices': 'Commercial/Offices',
'Commit': 'Commit',
'Commit Date': 'Commit Date',
'Commit from %s': 'Commit from %s',
'Commit. Status': 'Commit. Status',
'Commiting a changed spreadsheet to the database': 'Commiting a changed spreadsheet to the database',
'Commitment': 'Commitment',
'Commitment Added': 'Commitment Added',
'Commitment Canceled': 'Commitment Canceled',
'Commitment Details': 'Commitment Details',
'Commitment Item Details': 'Commitment Item Details',
'Commitment Item added': 'Commitment Item added',
'Commitment Item deleted': 'Commitment Item deleted',
'Commitment Item updated': 'Commitment Item updated',
'Commitment Items': 'Commitment Items',
'Commitment Status': 'Commitment Status',
'Commitment Updated': 'Commitment Updated',
'Commitments': 'Commitments',
'Committed': 'Committed',
'Committed By': 'Committed By',
'Committed People': 'Committed People',
'Committed Person Details': 'Committed Person Details',
'Committed Person updated': 'Committed Person updated',
'Committing Inventory': 'Committing Inventory',
'Committing Organization': 'Committing Organisation',
'Committing Person': 'Committing Person',
'Communication problems': 'Communication problems',
'Community Centre': 'Community Centre',
'Community Health Center': 'Community Health Center',
'Community Member': 'Community Member',
'Competency': 'Competency',
'Competency Rating Catalog': 'Competency Rating Catalogue',
'Competency Rating Details': 'Competency Rating Details',
'Competency Rating added': 'Competency Rating added',
'Competency Rating deleted': 'Competency Rating deleted',
'Competency Rating updated': 'Competency Rating updated',
'Competency Ratings': 'Competency Ratings',
'Complete': 'Complete',
'Complete a new Assessment': 'Complete a new Assessment',
'Completed': 'Completed',
'Completed Assessment': 'Completed Assessment',
'Completed Assessment Details': 'Completed Assessment Details',
'Completed Assessment added': 'Completed Assessment added',
'Completed Assessment deleted': 'Completed Assessment deleted',
'Completed Assessment updated': 'Completed Assessment updated',
'Completed Assessments': 'Completed Assessments',
'Completed surveys of this Series:': 'Completed surveys of this Series:',
'Complexion': 'Complexion',
'Compose': 'Compose',
'Compromised': 'Compromised',
'Concrete frame': 'Concrete frame',
'Concrete shear wall': 'Concrete shear wall',
'Condition': 'Condition',
'Configuration': 'Configuration',
'Configurations': 'Configurations',
'Configure Run-time Settings': 'Configure Run-time Settings',
'Configure connection details and authentication': 'Configure connection details and authentication',
'Configure resources to synchronize, update methods and policies': 'Configure resources to synchronise, update methods and policies',
'Configure the default proxy server to connect to remote repositories': 'Configure the default proxy server to connect to remote repositories',
'Confirm Shipment Received': 'Confirm Shipment Received',
'Confirmed': 'Confirmed',
'Confirming Organization': 'Confirming Organisation',
'Conflict Policy': 'Conflict Policy',
'Conflict policy': 'Conflict policy',
'Conflicts': 'Conflicts',
'Consignment Note': 'Consignment Note',
'Constraints Only': 'Constraints Only',
'Consumable': 'Consumable',
'Contact': 'Contact',
'Contact Data': 'Contact Data',
'Contact Details': 'Contact Details',
'Contact Info': 'Contact Info',
'Contact Information': 'Contact Information',
'Contact Information Added': 'Contact Information Added',
'Contact Information Deleted': 'Contact Information Deleted',
'Contact Information Updated': 'Contact Information Updated',
'Contact Method': 'Contact Method',
'Contact Name': 'Contact Name',
'Contact Person': 'Contact Person',
'Contact Phone': 'Contact Phone',
'Contact information added': 'Contact information added',
'Contact information deleted': 'Contact information deleted',
'Contact information updated': 'Contact information updated',
'Contact us': 'Contact us',
'Contacts': 'Contacts',
'Contents': 'Contents',
'Contributor': 'Contributor',
'Conversion Tool': 'Conversion Tool',
'Cooking NFIs': 'Cooking NFIs',
'Cooking Oil': 'Cooking Oil',
'Coordinate Conversion': 'Coordinate Conversion',
'Coping Activities': 'Coping Activities',
'Copy': 'Copy',
'Corn': 'Corn',
'Cost Type': 'Cost Type',
'Cost per Megabyte': 'Cost per Megabyte',
'Cost per Minute': 'Cost per Minute',
'Country': 'Country',
'Country is required!': 'Country is required!',
'Country of Residence': 'Country of Residence',
'County': 'County',
'Course': 'Course',
'Course Catalog': 'Course Catalogue',
'Course Certificate Details': 'Course Certificate Details',
'Course Certificate added': 'Course Certificate added',
'Course Certificate deleted': 'Course Certificate deleted',
'Course Certificate updated': 'Course Certificate updated',
'Course Certificates': 'Course Certificates',
'Course Details': 'Course Details',
'Course added': 'Course added',
'Course deleted': 'Course deleted',
'Course updated': 'Course updated',
'Courses': 'Courses',
'Create & manage Distribution groups to receive Alerts': 'Create & manage Distribution groups to receive Alerts',
'Create Checklist': 'Create Checklist',
'Create Group Entry': 'Create Group Entry',
'Create Impact Assessment': 'Create Impact Assessment',
'Create Mobile Impact Assessment': 'Create Mobile Impact Assessment',
'Create New Asset': 'Create New Asset',
'Create New Catalog': 'Create New Catalogue',
'Create New Catalog Item': 'Create New Catalogue Item',
'Create New Event': 'Create New Event',
'Create New Item': 'Create New Item',
'Create New Item Category': 'Create New Item Category',
'Create New Location': 'Create New Location',
'Create New Request': 'Create New Request',
'Create New Scenario': 'Create New Scenario',
'Create New Vehicle': 'Create New Vehicle',
'Create Rapid Assessment': 'Create Rapid Assessment',
'Create Request': 'Create Request',
'Create Task': 'Create Task',
'Create a group entry in the registry.': 'Create a group entry in the registry.',
'Create new Office': 'Create new Office',
'Create new Organization': 'Create new Organisation',
'Create, enter, and manage surveys.': 'Create, enter, and manage surveys.',
'Creation of assessments': 'Creation of assessments',
'Credential Details': 'Credential Details',
'Credential added': 'Credential added',
'Credential deleted': 'Credential deleted',
'Credential updated': 'Credential updated',
'Credentialling Organization': 'Credentialling Organisation',
'Credentials': 'Credentials',
'Credit Card': 'Credit Card',
'Crime': 'Crime',
'Criteria': 'Criteria',
'Currency': 'Currency',
'Current Entries': 'Current Entries',
'Current Group Members': 'Current Group Members',
'Current Identities': 'Current Identities',
'Current Location': 'Current Location',
'Current Location Country': 'Current Location Country',
'Current Location Phone Number': 'Current Location Phone Number',
'Current Location Treating Hospital': 'Current Location Treating Hospital',
'Current Log Entries': 'Current Log Entries',
'Current Memberships': 'Current Memberships',
'Current Mileage': 'Current Mileage',
'Current Records': 'Current Records',
'Current Registrations': 'Current Registrations',
'Current Status': 'Current Status',
'Current Team Members': 'Current Team Members',
'Current Twitter account': 'Current Twitter account',
'Current community priorities': 'Current community priorities',
'Current general needs': 'Current general needs',
'Current greatest needs of vulnerable groups': 'Current greatest needs of vulnerable groups',
'Current health problems': 'Current health problems',
'Current number of patients': 'Current number of patients',
'Current problems, categories': 'Current problems, categories',
'Current problems, details': 'Current problems, details',
'Current request': 'Current request',
'Current response': 'Current response',
'Current session': 'Current session',
'Currently Configured Jobs': 'Currently Configured Jobs',
'Currently Configured Repositories': 'Currently Configured Repositories',
'Currently Configured Resources': 'Currently Configured Resources',
'Currently no Certifications registered': 'Currently no Certifications registered',
'Currently no Course Certificates registered': 'Currently no Course Certificates registered',
'Currently no Credentials registered': 'Currently no Credentials registered',
'Currently no Missions registered': 'Currently no Missions registered',
'Currently no Skill Equivalences registered': 'Currently no Skill Equivalences registered',
'Currently no Skills registered': 'Currently no Skills registered',
'Currently no Trainings registered': 'Currently no Trainings registered',
'Currently no entries in the catalog': 'Currently no entries in the catalogue',
'DC': 'DC',
'DNA Profile': 'DNA Profile',
'DNA Profiling': 'DNA Profiling',
'DVI Navigator': 'DVI Navigator',
'Dam Overflow': 'Dam Overflow',
'Damage': 'Damage',
'Dangerous Person': 'Dangerous Person',
'Dashboard': 'Dashboard',
'Data': 'Data',
'Data uploaded': 'Data uploaded',
'Database': 'Database',
'Date': 'Date',
'Date & Time': 'Date & Time',
'Date Available': 'Date Available',
'Date Delivered': 'Date Delivered',
'Date Expected': 'Date Expected',
'Date Received': 'Date Received',
'Date Requested': 'Date Requested',
'Date Required': 'Date Required',
'Date Required Until': 'Date Required Until',
'Date Sent': 'Date Sent',
'Date Until': 'Date Until',
'Date and Time': 'Date and Time',
'Date and time this report relates to.': 'Date and time this report relates to.',
'Date of Birth': 'Date of Birth',
'Date of Latest Information on Beneficiaries Reached': 'Date of Latest Information on Beneficiaries Reached',
'Date of Report': 'Date of Report',
'Date of Treatment': 'Date of Treatment',
'Date/Time': 'Date/Time',
'Date/Time of Find': 'Date/Time of Find',
'Date/Time when found': 'Date/Time when found',
'Date/Time when last seen': 'Date/Time when last seen',
'De-duplicator': 'De-duplicator',
'Dead Bodies': 'Dead Bodies',
'Dead Body': 'Dead Body',
'Dead Body Details': 'Dead Body Details',
'Dead Body Reports': 'Dead Body Reports',
'Dead body report added': 'Dead body report added',
'Dead body report deleted': 'Dead body report deleted',
'Dead body report updated': 'Dead body report updated',
'Deaths in the past 24h': 'Deaths in the past 24h',
'Deaths/24hrs': 'Deaths/24hrs',
'Decimal Degrees': 'Decimal Degrees',
'Decomposed': 'Decomposed',
'Default Height of the map window.': 'Default Height of the map window.',
'Default Location': 'Default Location',
'Default Map': 'Default Map',
'Default Marker': 'Default Marker',
'Default Width of the map window.': 'Default Width of the map window.',
'Defecation area for animals': 'Defecation area for animals',
'Define Scenarios for allocation of appropriate Resources (Human, Assets & Facilities).': 'Define Scenarios for allocation of appropriate Resources (Human, Assets & Facilities).',
'Defines the icon used for display of features on handheld GPS.': 'Defines the icon used for display of features on handheld GPS.',
'Defines the icon used for display of features on interactive map & KML exports.': 'Defines the icon used for display of features on interactive map & KML exports.',
'Defines the marker used for display & the attributes visible in the popup.': 'Defines the marker used for display & the attributes visible in the popup.',
'Degrees must be a number between -180 and 180': 'Degrees must be a number between -180 and 180',
'Dehydration': 'Dehydration',
'Delete': 'Delete',
'Delete Alternative Item': 'Delete Alternative Item',
'Delete Assessment': 'Delete Assessment',
'Delete Assessment Summary': 'Delete Assessment Summary',
'Delete Asset': 'Delete Asset',
'Delete Asset Log Entry': 'Delete Asset Log Entry',
'Delete Baseline': 'Delete Baseline',
'Delete Baseline Type': 'Delete Baseline Type',
'Delete Brand': 'Delete Brand',
'Delete Budget': 'Delete Budget',
'Delete Bundle': 'Delete Bundle',
'Delete Catalog': 'Delete Catalogue',
'Delete Catalog Item': 'Delete Catalogue Item',
'Delete Certificate': 'Delete Certificate',
'Delete Certification': 'Delete Certification',
'Delete Cluster': 'Delete Cluster',
'Delete Cluster Subsector': 'Delete Cluster Subsector',
'Delete Commitment': 'Delete Commitment',
'Delete Commitment Item': 'Delete Commitment Item',
'Delete Competency Rating': 'Delete Competency Rating',
'Delete Contact Information': 'Delete Contact Information',
'Delete Course': 'Delete Course',
'Delete Course Certificate': 'Delete Course Certificate',
'Delete Credential': 'Delete Credential',
'Delete Document': 'Delete Document',
'Delete Donor': 'Delete Donor',
'Delete Event': 'Delete Event',
'Delete Feature Class': 'Delete Feature Class',
'Delete Feature Layer': 'Delete Feature Layer',
'Delete GPS data': 'Delete GPS data',
'Delete Group': 'Delete Group',
'Delete Home': 'Delete Home',
'Delete Hospital': 'Delete Hospital',
'Delete Image': 'Delete Image',
'Delete Impact': 'Delete Impact',
'Delete Impact Type': 'Delete Impact Type',
'Delete Incident Report': 'Delete Incident Report',
'Delete Item': 'Delete Item',
'Delete Item Category': 'Delete Item Category',
'Delete Item Pack': 'Delete Item Pack',
'Delete Job Role': 'Delete Job Role',
'Delete Kit': 'Delete Kit',
'Delete Layer': 'Delete Layer',
'Delete Level 1 Assessment': 'Delete Level 1 Assessment',
'Delete Level 2 Assessment': 'Delete Level 2 Assessment',
'Delete Location': 'Delete Location',
'Delete Map Configuration': 'Delete Map Configuration',
'Delete Marker': 'Delete Marker',
'Delete Membership': 'Delete Membership',
'Delete Message': 'Delete Message',
'Delete Mission': 'Delete Mission',
'Delete Need': 'Delete Need',
'Delete Need Type': 'Delete Need Type',
'Delete Office': 'Delete Office',
'Delete Order': 'Delete Order',
'Delete Organization': 'Delete Organisation',
'Delete Organization Domain': 'Delete Organisation Domain',
'Delete Patient': 'Delete Patient',
'Delete Person': 'Delete Person',
'Delete Photo': 'Delete Photo',
'Delete Population Statistic': 'Delete Population Statistic',
'Delete Position': 'Delete Position',
'Delete Project': 'Delete Project',
'Delete Projection': 'Delete Projection',
'Delete Rapid Assessment': 'Delete Rapid Assessment',
'Delete Received Shipment': 'Delete Received Shipment',
'Delete Record': 'Delete Record',
'Delete Relative': 'Delete Relative',
'Delete Report': 'Delete Report',
'Delete Request': 'Delete Request',
'Delete Request Item': 'Delete Request Item',
'Delete Request for Donations': 'Delete Request for Donations',
'Delete Request for Volunteers': 'Delete Request for Volunteers',
'Delete Resource': 'Delete Resource',
'Delete Room': 'Delete Room',
'Delete Saved Search': 'Delete Saved Search',
'Delete Scenario': 'Delete Scenario',
'Delete Section': 'Delete Section',
'Delete Sector': 'Delete Sector',
'Delete Sent Item': 'Delete Sent Item',
'Delete Sent Shipment': 'Delete Sent Shipment',
'Delete Service Profile': 'Delete Service Profile',
'Delete Skill': 'Delete Skill',
'Delete Skill Equivalence': 'Delete Skill Equivalence',
'Delete Skill Provision': 'Delete Skill Provision',
'Delete Skill Type': 'Delete Skill Type',
'Delete Staff Type': 'Delete Staff Type',
'Delete Status': 'Delete Status',
'Delete Subscription': 'Delete Subscription',
'Delete Subsector': 'Delete Subsector',
'Delete Training': 'Delete Training',
'Delete Unit': 'Delete Unit',
'Delete User': 'Delete User',
'Delete Vehicle': 'Delete Vehicle',
'Delete Vehicle Details': 'Delete Vehicle Details',
'Delete Warehouse': 'Delete Warehouse',
'Delete from Server?': 'Delete from Server?',
'Delete this Assessment Answer': 'Delete this Assessment Answer',
'Delete this Assessment Question': 'Delete this Assessment Question',
'Delete this Assessment Series': 'Delete this Assessment Series',
'Delete this Assessment Template': 'Delete this Assessment Template',
'Delete this Completed Assessment': 'Delete this Completed Assessment',
'Delete this Question Meta-Data': 'Delete this Question Meta-Data',
'Delete this Template Section': 'Delete this Template Section',
'Deliver To': 'Deliver To',
'Delivered To': 'Delivered To',
'Delphi Decision Maker': 'Delphi Decision Maker',
'Demographic': 'Demographic',
'Demonstrations': 'Demonstrations',
'Dental Examination': 'Dental Examination',
'Dental Profile': 'Dental Profile',
'Deployment Location': 'Deployment Location',
'Describe the condition of the roads to your hospital.': 'Describe the condition of the roads to your hospital.',
'Describe the procedure which this record relates to (e.g. "medical examination")': 'Describe the procedure which this record relates to (e.g. "medical examination")',
'Description': 'Description',
'Description of Contacts': 'Description of Contacts',
'Description of defecation area': 'Description of defecation area',
'Description of drinking water source': 'Description of drinking water source',
'Description of sanitary water source': 'Description of sanitary water source',
'Description of water source before the disaster': 'Description of water source before the disaster',
'Design, deploy & analyze surveys.': 'Design, deploy & analyse surveys.',
'Desire to remain with family': 'Desire to remain with family',
'Destination': 'Destination',
'Destroyed': 'Destroyed',
'Details': 'Details',
'Details field is required!': 'Details field is required!',
'Dialysis': 'Dialysis',
'Diaphragms, horizontal bracing': 'Diaphragms, horizontal bracing',
'Diarrhea': 'Diarrhea',
'Dignitary Visit': 'Dignitary Visit',
'Direction': 'Direction',
'Disable': 'Disable',
'Disabled': 'Disabled',
'Disabled participating in coping activities': 'Disabled participating in coping activities',
'Disabled?': 'Disabled?',
'Disaster Victim Identification': 'Disaster Victim Identification',
'Disaster Victim Registry': 'Disaster Victim Registry',
'Disaster clean-up/repairs': 'Disaster clean-up/repairs',
'Discharge (cusecs)': 'Discharge (cusecs)',
'Discharges/24hrs': 'Discharges/24hrs',
'Discussion Forum': 'Discussion Forum',
'Discussion Forum on item': 'Discussion Forum on item',
'Disease vectors': 'Disease vectors',
'Dispensary': 'Dispensary',
'Displaced': 'Displaced',
'Displaced Populations': 'Displaced Populations',
'Display': 'Display',
'Display Polygons?': 'Display Polygons?',
'Display Routes?': 'Display Routes?',
'Display Tracks?': 'Display Tracks?',
'Display Waypoints?': 'Display Waypoints?',
'Distance between defecation area and water source': 'Distance between defecation area and water source',
'Distance from %s:': 'Distance from %s:',
'Distance(Kms)': 'Distance(Kms)',
'Distribution': 'Distribution',
'Distribution groups': 'Distribution groups',
'District': 'District',
'Do you really want to delete these records?': '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 cancel this received shipment? The items will be removed from the Inventory. This action CANNOT be undone!',
'Do you want to cancel this sent shipment? The items will be returned to the Inventory. This action CANNOT be undone!': 'Do you want to cancel this sent shipment? The items will be returned to the Inventory. This action CANNOT be undone!',
'Do you want to receive this shipment?': 'Do you want to receive this shipment?',
'Do you want to send these Committed items?': 'Do you want to send these Committed items?',
'Do you want to send this shipment?': 'Do you want to send this shipment?',
'Document Details': 'Document Details',
'Document Scan': 'Document Scan',
'Document added': 'Document added',
'Document deleted': 'Document deleted',
'Document removed': 'Document removed',
'Document updated': 'Document updated',
'Documents': 'Documents',
'Documents and Photos': 'Documents and Photos',
'Does this facility provide a cholera treatment center?': 'Does this facility provide a cholera treatment center?',
'Doing nothing (no structured activity)': 'Doing nothing (no structured activity)',
'Domain': 'Domain',
'Domestic chores': 'Domestic chores',
'Donated': 'Donated',
'Donation Certificate': 'Donation Certificate',
'Donation Phone #': 'Donation Phone #',
'Donations': 'Donations',
'Donor': 'Donor',
'Donor Details': 'Donor Details',
'Donor added': 'Donor added',
'Donor deleted': 'Donor deleted',
'Donor updated': 'Donor updated',
'Donors': 'Donors',
'Donors Report': 'Donors Report',
'Door frame': 'Door frame',
'Download OCR-able PDF Form': 'Download OCR-able PDF Form',
'Download Template': 'Download Template',
'Download last build': 'Download last build',
'Draft': 'Draft',
'Draft Features': 'Draft Features',
'Drainage': 'Drainage',
'Drawing up a Budget for Staff & Equipment across various Locations.': 'Drawing up a Budget for Staff & Equipment across various Locations.',
'Drill Down by Group': 'Drill Down by Group',
'Drill Down by Incident': 'Drill Down by Incident',
'Drill Down by Shelter': 'Drill Down by Shelter',
'Driving License': 'Driving License',
'Drought': 'Drought',
'Drugs': 'Drugs',
'Dug Well': 'Dug Well',
'Dummy': 'Dummy',
'Duplicate?': 'Duplicate?',
'Duration': 'Duration',
'Dust Storm': 'Dust Storm',
'Dwelling': 'Dwelling',
'E-mail': 'E-mail',
'EMS Reason': 'EMS Reason',
'EMS Status': 'EMS Status',
'ER Status': 'ER Status',
'ER Status Reason': 'ER Status Reason',
'EXERCISE': 'EXERCISE',
'Early Recovery': 'Early Recovery',
'Earth Enabled?': 'Earth Enabled?',
'Earthquake': 'Earthquake',
'Edit': 'Edit',
'Edit Activity': 'Edit Activity',
'Edit Address': 'Edit Address',
'Edit Alternative Item': 'Edit Alternative Item',
'Edit Application': 'Edit Application',
'Edit Assessment': 'Edit Assessment',
'Edit Assessment Answer': 'Edit Assessment Answer',
'Edit Assessment Question': 'Edit Assessment Question',
'Edit Assessment Series': 'Edit Assessment Series',
'Edit Assessment Summary': 'Edit Assessment Summary',
'Edit Assessment Template': 'Edit Assessment Template',
'Edit Asset': 'Edit Asset',
'Edit Asset Log Entry': 'Edit Asset Log Entry',
'Edit Baseline': 'Edit Baseline',
'Edit Baseline Type': 'Edit Baseline Type',
'Edit Brand': 'Edit Brand',
'Edit Budget': 'Edit Budget',
'Edit Bundle': 'Edit Bundle',
'Edit Camp': 'Edit Camp',
'Edit Camp Service': 'Edit Camp Service',
'Edit Camp Type': 'Edit Camp Type',
'Edit Catalog': 'Edit Catalogue',
'Edit Catalog Item': 'Edit Catalogue Item',
'Edit Certificate': 'Edit Certificate',
'Edit Certification': 'Edit Certification',
'Edit Cluster': 'Edit Cluster',
'Edit Cluster Subsector': 'Edit Cluster Subsector',
'Edit Commitment': 'Edit Commitment',
'Edit Commitment Item': 'Edit Commitment Item',
'Edit Committed Person': 'Edit Committed Person',
'Edit Competency Rating': 'Edit Competency Rating',
'Edit Completed Assessment': 'Edit Completed Assessment',
'Edit Contact': 'Edit Contact',
'Edit Contact Information': 'Edit Contact Information',
'Edit Contents': 'Edit Contents',
'Edit Course': 'Edit Course',
'Edit Course Certificate': 'Edit Course Certificate',
'Edit Credential': 'Edit Credential',
'Edit Dead Body Details': 'Edit Dead Body Details',
'Edit Description': 'Edit Description',
'Edit Details': 'Edit Details',
'Edit Disaster Victims': 'Edit Disaster Victims',
'Edit Document': 'Edit Document',
'Edit Donor': 'Edit Donor',
'Edit Email Settings': 'Edit Email Settings',
'Edit Entry': 'Edit Entry',
'Edit Event': 'Edit Event',
'Edit Facility': 'Edit Facility',
'Edit Feature Class': 'Edit Feature Class',
'Edit Feature Layer': 'Edit Feature Layer',
'Edit Flood Report': 'Edit Flood Report',
'Edit GPS data': 'Edit GPS data',
'Edit Group': 'Edit Group',
'Edit Home': 'Edit Home',
'Edit Home Address': 'Edit Home Address',
'Edit Hospital': 'Edit Hospital',
'Edit Human Resource': 'Edit Human Resource',
'Edit Identification Report': 'Edit Identification Report',
'Edit Identity': 'Edit Identity',
'Edit Image Details': 'Edit Image Details',
'Edit Impact': 'Edit Impact',
'Edit Impact Type': 'Edit Impact Type',
'Edit Import File': 'Edit Import File',
'Edit Incident': 'Edit Incident',
'Edit Incident Report': 'Edit Incident Report',
'Edit Inventory Item': 'Edit Inventory Item',
'Edit Item': 'Edit Item',
'Edit Item Category': 'Edit Item Category',
'Edit Item Pack': 'Edit Item Pack',
'Edit Job': 'Edit Job',
'Edit Job Role': 'Edit Job Role',
'Edit Kit': 'Edit Kit',
'Edit Layer': 'Edit Layer',
'Edit Level %d Locations?': 'Edit Level %d Locations?',
'Edit Level 1 Assessment': 'Edit Level 1 Assessment',
'Edit Level 2 Assessment': 'Edit Level 2 Assessment',
'Edit Location': 'Edit Location',
'Edit Location Details': 'Edit Location Details',
'Edit Log Entry': 'Edit Log Entry',
'Edit Map Configuration': 'Edit Map Configuration',
'Edit Marker': 'Edit Marker',
'Edit Membership': 'Edit Membership',
'Edit Message': 'Edit Message',
'Edit Mission': 'Edit Mission',
'Edit Modem Settings': 'Edit Modem Settings',
'Edit Need': 'Edit Need',
'Edit Need Type': 'Edit Need Type',
'Edit Office': 'Edit Office',
'Edit Options': 'Edit Options',
'Edit Order': 'Edit Order',
'Edit Order Item': 'Edit Order Item',
'Edit Organization': 'Edit Organisation',
'Edit Organization Domain': 'Edit Organisation Domain',
'Edit Parameters': 'Edit Parameters',
'Edit Patient': 'Edit Patient',
'Edit Person Details': 'Edit Person Details',
'Edit Personal Effects Details': 'Edit Personal Effects Details',
'Edit Photo': 'Edit Photo',
'Edit Population Statistic': 'Edit Population Statistic',
'Edit Position': 'Edit Position',
'Edit Problem': 'Edit Problem',
'Edit Project': 'Edit Project',
'Edit Project Organization': 'Edit Project Organization',
'Edit Projection': 'Edit Projection',
'Edit Question Meta-Data': 'Edit Question Meta-Data',
'Edit Rapid Assessment': 'Edit Rapid Assessment',
'Edit Received Item': 'Edit Received Item',
'Edit Received Shipment': 'Edit Received Shipment',
'Edit Record': 'Edit Record',
'Edit Registration': 'Edit Registration',
'Edit Relative': 'Edit Relative',
'Edit Repository Configuration': 'Edit Repository Configuration',
'Edit Request': 'Edit Request',
'Edit Request Item': 'Edit Request Item',
'Edit Request for Donations': 'Edit Request for Donations',
'Edit Request for Volunteers': 'Edit Request for Volunteers',
'Edit Requested Skill': 'Edit Requested Skill',
'Edit Resource': 'Edit Resource',
'Edit Resource Configuration': 'Edit Resource Configuration',
'Edit River': 'Edit River',
'Edit Role': 'Edit Role',
'Edit Room': 'Edit Room',
'Edit SMS Settings': 'Edit SMS Settings',
'Edit SMTP to SMS Settings': 'Edit SMTP to SMS Settings',
'Edit Saved Search': 'Edit Saved Search',
'Edit Scenario': 'Edit Scenario',
'Edit Sector': 'Edit Sector',
'Edit Sent Item': 'Edit Sent Item',
'Edit Setting': 'Edit Setting',
'Edit Settings': 'Edit Settings',
'Edit Shelter': 'Edit Shelter',
'Edit Shelter Service': 'Edit Shelter Service',
'Edit Shelter Type': 'Edit Shelter Type',
'Edit Skill': 'Edit Skill',
'Edit Skill Equivalence': 'Edit Skill Equivalence',
'Edit Skill Provision': 'Edit Skill Provision',
'Edit Skill Type': 'Edit Skill Type',
'Edit Solution': 'Edit Solution',
'Edit Staff Type': 'Edit Staff Type',
'Edit Subscription': 'Edit Subscription',
'Edit Subsector': 'Edit Subsector',
'Edit Synchronization Settings': 'Edit Synchronisation Settings',
'Edit Task': 'Edit Task',
'Edit Team': 'Edit Team',
'Edit Template Section': 'Edit Template Section',
'Edit Theme': 'Edit Theme',
'Edit Themes': 'Edit Themes',
'Edit Ticket': 'Edit Ticket',
'Edit Training': 'Edit Training',
'Edit Tropo Settings': 'Edit Tropo Settings',
'Edit User': 'Edit User',
'Edit Vehicle': 'Edit Vehicle',
'Edit Vehicle Details': 'Edit Vehicle Details',
'Edit Volunteer Availability': 'Edit Volunteer Availability',
'Edit Warehouse': 'Edit Warehouse',
'Edit Web API Settings': 'Edit Web API Settings',
'Edit current record': 'Edit current record',
'Edit message': 'Edit message',
'Edit the OpenStreetMap data for this area': 'Edit the OpenStreetMap data for this area',
'Editable?': 'Editable?',
'Education': 'Education',
'Education materials received': 'Education materials received',
'Education materials, source': 'Education materials, source',
'Effects Inventory': 'Effects Inventory',
'Eggs': 'Eggs',
'Either a shelter or a location must be specified': 'Either a shelter or a location must be specified',
'Either file upload or document URL required.': 'Either file upload or document URL required.',
'Either file upload or image URL required.': 'Either file upload or image URL required.',
'Elderly person headed households (>60 yrs)': 'Elderly person headed households (>60 yrs)',
'Electrical': 'Electrical',
'Electrical, gas, sewerage, water, hazmats': 'Electrical, gas, sewerage, water, hazmats',
'Elevated': 'Elevated',
'Elevators': 'Elevators',
'Email': 'Email',
'Email Address to which to send SMS messages. Assumes sending to phonenumber@address': 'Email Address to which to send SMS messages. Assumes sending to phonenumber@address',
'Email Settings': 'Email Settings',
'Email and SMS': 'Email and SMS',
'Email settings updated': 'Email settings updated',
'Embalming': 'Embalming',
'Embassy': 'Embassy',
'Emergency Capacity Building project': 'Emergency Capacity Building project',
'Emergency Department': 'Emergency Department',
'Emergency Shelter': 'Emergency Shelter',
'Emergency Support Facility': 'Emergency Support Facility',
'Emergency Support Service': 'Emergency Support Service',
'Emergency Telecommunications': 'Emergency Telecommunications',
'Enable': 'Enable',
'Enable/Disable Layers': 'Enable/Disable Layers',
'Enabled': 'Enabled',
'Enabled?': 'Enabled?',
'Enabling MapMaker layers disables the StreetView functionality': 'Enabling MapMaker layers disables the StreetView functionality',
'End Date': 'End Date',
'End date': 'End date',
'End date should be after start date': 'End date should be after start date',
'English': 'English',
'Enter Coordinates:': 'Enter Coordinates:',
'Enter a GPS Coord': 'Enter a GPS Coord',
'Enter a name for the spreadsheet you are uploading.': 'Enter a name for the spreadsheet you are uploading.',
'Enter a new support request.': 'Enter a new support request.',
'Enter a unique label!': 'Enter a unique label!',
'Enter a valid date before': 'Enter a valid date before',
'Enter a valid email': 'Enter a valid email',
'Enter a valid future date': 'Enter a valid future date',
'Enter a valid past date': 'Enter a valid past date',
'Enter some characters to bring up a list of possible matches': 'Enter some characters to bring up a list of possible matches',
'Enter some characters to bring up a list of possible matches.': 'Enter some characters to bring up a list of possible matches.',
'Enter tags separated by commas.': 'Enter tags separated by commas.',
'Enter the data for an assessment': 'Enter the data for an assessment',
'Enter the same password as above': 'Enter the same password as above',
'Enter your firstname': 'Enter your firstname',
'Enter your organization': 'Enter your organisation',
'Entered': 'Entered',
'Entering a phone number is optional, but doing so allows you to subscribe to receive SMS messages.': 'Entering a phone number is optional, but doing so allows you to subscribe to receive SMS messages.',
'Environment': 'Environment',
'Equipment': 'Equipment',
'Error encountered while applying the theme.': 'Error encountered while applying the theme.',
'Error in message': 'Error in message',
'Error logs for "%(app)s"': 'Error logs for "%(app)s"',
'Est. Delivery Date': 'Est. Delivery Date',
'Estimated # of households who are affected by the emergency': 'Estimated # of households who are affected by the emergency',
'Estimated # of people who are affected by the emergency': 'Estimated # of people who are affected by the emergency',
'Estimated Overall Building Damage': 'Estimated Overall Building Damage',
'Estimated total number of people in institutions': 'Estimated total number of people in institutions',
'Euros': 'Euros',
'Evacuating': 'Evacuating',
'Evaluate the information in this message. (This value SHOULD NOT be used in public warning applications.)': 'Evaluate the information in this message. (This value SHOULD NOT be used in public warning applications.)',
'Event': 'Event',
'Event Details': 'Event Details',
'Event added': 'Event added',
'Event deleted': 'Event deleted',
'Event updated': 'Event updated',
'Events': 'Events',
'Example': 'Example',
'Exceeded': 'Exceeded',
'Excel': 'Excel',
'Excellent': 'Excellent',
'Exclude contents': 'Exclude contents',
'Excreta disposal': 'Excreta disposal',
'Execute a pre-planned activity identified in <instruction>': 'Execute a pre-planned activity identified in <instruction>',
'Exercise': 'Exercise',
'Exercise?': 'Exercise?',
'Exercises mean all screens have a watermark & all notifications have a prefix.': 'Exercises mean all screens have a watermark & all notifications have a prefix.',
'Existing Placard Type': 'Existing Placard Type',
'Existing Sections': 'Existing Sections',
'Existing food stocks': 'Existing food stocks',
'Existing location cannot be converted into a group.': 'Existing location cannot be converted into a group.',
'Exits': 'Exits',
'Expected Return Home': 'Expected Return Home',
'Experience': 'Experience',
'Expiry Date': 'Expiry Date',
'Explosive Hazard': 'Explosive Hazard',
'Export': 'Export',
'Export Data': 'Export Data',
'Export Database as CSV': 'Export Database as CSV',
'Export in GPX format': 'Export in GPX format',
'Export in KML format': 'Export in KML format',
'Export in OSM format': 'Export in OSM format',
'Export in PDF format': 'Export in PDF format',
'Export in RSS format': 'Export in RSS format',
'Export in XLS format': 'Export in XLS format',
'Exterior Only': 'Exterior Only',
'Exterior and Interior': 'Exterior and Interior',
'Eye Color': 'Eye Colour',
'Facial hair, color': 'Facial hair, colour',
'Facial hair, type': 'Facial hair, type',
'Facial hear, length': 'Facial hear, length',
'Facilities': 'Facilities',
'Facility': 'Facility',
'Facility Details': 'Facility Details',
'Facility Operations': 'Facility Operations',
'Facility Status': 'Facility Status',
'Facility Type': 'Facility Type',
'Facility added': 'Facility added',
'Facility or Location': 'Facility or Location',
'Facility removed': 'Facility removed',
'Facility updated': 'Facility updated',
'Fail': 'Fail',
'Failed!': 'Failed!',
'Fair': 'Fair',
'Falling Object Hazard': 'Falling Object Hazard',
'Families/HH': 'Families/HH',
'Family': 'Family',
'Family tarpaulins received': 'Family tarpaulins received',
'Family tarpaulins, source': 'Family tarpaulins, source',
'Family/friends': 'Family/friends',
'Farmland/fishing material assistance, Rank': 'Farmland/fishing material assistance, Rank',
'Fatalities': 'Fatalities',
'Fax': 'Fax',
'Feature Class': 'Feature Class',
'Feature Class Details': 'Feature Class Details',
'Feature Class added': 'Feature Class added',
'Feature Class deleted': 'Feature Class deleted',
'Feature Class updated': 'Feature Class updated',
'Feature Classes': 'Feature Classes',
'Feature Classes are collections of Locations (Features) of the same type': 'Feature Classes are collections of Locations (Features) of the same type',
'Feature Layer Details': 'Feature Layer Details',
'Feature Layer added': 'Feature Layer added',
'Feature Layer deleted': 'Feature Layer deleted',
'Feature Layer updated': 'Feature Layer updated',
'Feature Layers': 'Feature Layers',
'Feature Namespace': 'Feature Namespace',
'Feature Request': 'Feature Request',
'Feature Type': 'Feature Type',
'Features Include': 'Features Include',
'Female': 'Female',
'Female headed households': 'Female headed households',
'Few': 'Few',
'Field': 'Field',
'Field Hospital': 'Field Hospital',
'File': 'File',
'File Imported': 'File Imported',
'File Importer': 'File Importer',
'File name': 'File name',
'Fill in Latitude': 'Fill in Latitude',
'Fill in Longitude': 'Fill in Longitude',
'Filter': 'Filter',
'Filter Field': 'Filter Field',
'Filter Value': 'Filter Value',
'Find': 'Find',
'Find Dead Body Report': 'Find Dead Body Report',
'Find Hospital': 'Find Hospital',
'Find Person Record': 'Find Person Record',
'Find a Person Record': 'Find a Person Record',
'Finder': 'Finder',
'Fingerprint': 'Fingerprint',
'Fingerprinting': 'Fingerprinting',
'Fingerprints': 'Fingerprints',
'Fire': 'Fire',
'Fire suppression and rescue': 'Fire suppression and rescue',
'First Name': 'First Name',
'First name': 'First name',
'Fishing': 'Fishing',
'Flash Flood': 'Flash Flood',
'Flash Freeze': 'Flash Freeze',
'Flexible Impact Assessments': 'Flexible Impact Assessments',
'Flood': 'Flood',
'Flood Alerts': 'Flood Alerts',
'Flood Alerts show water levels in various parts of the country': 'Flood Alerts show water levels in various parts of the country',
'Flood Report': 'Flood Report',
'Flood Report Details': 'Flood Report Details',
'Flood Report added': 'Flood Report added',
'Flood Report deleted': 'Flood Report deleted',
'Flood Report updated': 'Flood Report updated',
'Flood Reports': 'Flood Reports',
'Flow Status': 'Flow Status',
'Fog': 'Fog',
'Food': 'Food',
'Food Supply': 'Food Supply',
'Food assistance': 'Food assistance',
'Footer': 'Footer',
'Footer file %s missing!': 'Footer file %s missing!',
'For': 'For',
'For POP-3 this is usually 110 (995 for SSL), for IMAP this is usually 143 (993 for IMAP).': 'For POP-3 this is usually 110 (995 for SSL), for IMAP this is usually 143 (993 for IMAP).',
'For a country this would be the ISO2 code, for a Town, it would be the Airport Locode.': 'For a country this would be the ISO2 code, for a Town, it would be the Airport Locode.',
'For messages that support alert network internal functions': 'For messages that support alert network internal functions',
'Forest Fire': 'Forest Fire',
'Formal camp': 'Formal camp',
'Format': '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'}": "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'}",
'Forms': 'Forms',
'Found': 'Found',
'Foundations': 'Foundations',
'Freezing Drizzle': 'Freezing Drizzle',
'Freezing Rain': 'Freezing Rain',
'Freezing Spray': 'Freezing Spray',
'French': 'French',
'Friday': 'Friday',
'From': 'From',
'From Facility': 'From Facility',
'From Inventory': 'From Inventory',
'From Location': 'From Location',
'From Organization': 'From Organisation',
'Frost': 'Frost',
'Fulfil. Status': 'Fulfil. Status',
'Fulfillment Status': 'Fulfillment Status',
'Full': 'Full',
'Full beard': 'Full beard',
'Fullscreen Map': 'Fullscreen Map',
'Functions available': 'Functions available',
'Funding Organization': 'Funding Organisation',
'Funds Contributed by this Organization': 'Funds Contributed by this Organisation',
'Funeral': 'Funeral',
'Further Action Recommended': 'Further Action Recommended',
'GIS Reports of Shelter': 'GIS Reports of Shelter',
'GIS integration to view location details of the Shelter': 'GIS integration to view location details of the Shelter',
'GPS': 'GPS',
'GPS Data': 'GPS Data',
'GPS ID': 'GPS ID',
'GPS Marker': 'GPS Marker',
'GPS Track': 'GPS Track',
'GPS Track File': 'GPS Track File',
'GPS data': 'GPS data',
'GPS data added': 'GPS data added',
'GPS data deleted': 'GPS data deleted',
'GPS data updated': 'GPS data updated',
'GRN': 'GRN',
'GRN Status': 'GRN Status',
'Gale Wind': 'Gale Wind',
'Gap Analysis': 'Gap Analysis',
'Gap Analysis Map': 'Gap Analysis Map',
'Gap Analysis Report': 'Gap Analysis Report',
'Gender': 'Gender',
'General Comment': 'General Comment',
'General Medical/Surgical': 'General Medical/Surgical',
'General emergency and public safety': 'General emergency and public safety',
'General information on demographics': 'General information on demographics',
'Generate portable application': 'Generate portable application',
'Generator': 'Generator',
'Geocode': 'Geocode',
'Geocoder Selection': 'Geocoder Selection',
'Geometry Name': 'Geometry Name',
'Geonames.org search requires Internet connectivity!': 'Geonames.org search requires Internet connectivity!',
'Geophysical (inc. landslide)': 'Geophysical (inc. landslide)',
'Geotechnical': 'Geotechnical',
'Geotechnical Hazards': 'Geotechnical Hazards',
'German': 'German',
'Get incoming recovery requests as RSS feed': 'Get incoming recovery requests as RSS feed',
'Give a brief description of the image, e.g. what can be seen where on the picture (optional).': 'Give a brief description of the image, e.g. what can be seen where on the picture (optional).',
'Give information about where and when you have seen them': 'Give information about where and when you have seen them',
'Go to Request': 'Go to Request',
'Goatee': 'Goatee',
'Good': 'Good',
'Good Condition': 'Good Condition',
'Goods Received Note': 'Goods Received Note',
"Google Layers cannot be displayed if there isn't a valid API Key": "Google Layers cannot be displayed if there isn't a valid API Key",
'Government': 'Government',
'Government UID': 'Government UID',
'Government building': 'Government building',
'Grade': 'Grade',
'Great British Pounds': 'Great British Pounds',
'Greater than 10 matches. Please refine search further': 'Greater than 10 matches. Please refine search further',
'Greek': 'Greek',
'Green': 'Green',
'Ground movement, fissures': 'Ground movement, fissures',
'Ground movement, settlement, slips': 'Ground movement, settlement, slips',
'Group': 'Group',
'Group Description': 'Group Description',
'Group Details': 'Group Details',
'Group ID': 'Group ID',
'Group Member added': 'Group Member added',
'Group Members': 'Group Members',
'Group Memberships': 'Group Memberships',
'Group Name': 'Group Name',
'Group Title': 'Group Title',
'Group Type': 'Group Type',
'Group added': 'Group added',
'Group deleted': 'Group deleted',
'Group description': 'Group description',
'Group updated': 'Group updated',
'Groups': 'Groups',
'Groups removed': 'Groups removed',
'Guest': 'Guest',
'HFA Priorities': 'HFA Priorities',
'Hail': 'Hail',
'Hair Color': 'Hair Colour',
'Hair Length': 'Hair Length',
'Hair Style': 'Hair Style',
'Has data from this Reference Document been entered into Sahana?': 'Has data from this Reference Document been entered into Sahana?',
'Has the Certificate for receipt of the shipment been given to the sender?': 'Has the Certificate for receipt of the shipment been given to the sender?',
'Has the GRN (Goods Received Note) been completed?': 'Has the GRN (Goods Received Note) been completed?',
'Hazard Pay': 'Hazard Pay',
'Hazardous Material': 'Hazardous Material',
'Hazardous Road Conditions': 'Hazardous Road Conditions',
'Hazards': 'Hazards',
'Header Background': 'Header Background',
'Header background file %s missing!': 'Header background file %s missing!',
'Headquarters': 'Headquarters',
'Health': 'Health',
'Health care assistance, Rank': 'Health care assistance, Rank',
'Health center': 'Health center',
'Health center with beds': 'Health center with beds',
'Health center without beds': 'Health center without beds',
'Health services status': 'Health services status',
'Healthcare Worker': 'Healthcare Worker',
'Heat Wave': 'Heat Wave',
'Heat and Humidity': 'Heat and Humidity',
'Height': 'Height',
'Height (cm)': 'Height (cm)',
'Height (m)': 'Height (m)',
'Help': 'Help',
'Helps to monitor status of hospitals': 'Helps to monitor status of hospitals',
'Helps to report and search for missing persons': 'Helps to report and search for missing persons',
'Here are the solution items related to the problem.': 'Here are the solution items related to the problem.',
'Heritage Listed': 'Heritage Listed',
'Hierarchy Level 0 Name (i.e. Country)': 'Hierarchy Level 0 Name (i.e. Country)',
'Hierarchy Level 1 Name (e.g. State or Province)': 'Hierarchy Level 1 Name (e.g. State or Province)',
'Hierarchy Level 2 Name (e.g. District or County)': 'Hierarchy Level 2 Name (e.g. District or County)',
'Hierarchy Level 3 Name (e.g. City / Town / Village)': 'Hierarchy Level 3 Name (e.g. City / Town / Village)',
'Hierarchy Level 4 Name (e.g. Neighbourhood)': 'Hierarchy Level 4 Name (e.g. Neighbourhood)',
'Hierarchy Level 5 Name': 'Hierarchy Level 5 Name',
'High': 'High',
'High Water': 'High Water',
'Hindu': 'Hindu',
'Hit the back button on your browser to try again.': 'Hit the back button on your browser to try again.',
'Holiday Address': 'Holiday Address',
'Home': 'Home',
'Home Address': 'Home Address',
'Home City': 'Home City',
'Home Country': 'Home Country',
'Home Crime': 'Home Crime',
'Home Details': 'Home Details',
'Home Phone Number': 'Home Phone Number',
'Home Relative': 'Home Relative',
'Home added': 'Home added',
'Home deleted': 'Home deleted',
'Home updated': 'Home updated',
'Homes': 'Homes',
'Hospital': 'Hospital',
'Hospital Details': 'Hospital Details',
'Hospital Status Report': 'Hospital Status Report',
'Hospital information added': 'Hospital information added',
'Hospital information deleted': 'Hospital information deleted',
'Hospital information updated': 'Hospital information updated',
'Hospital status assessment.': 'Hospital status assessment.',
'Hospitals': 'Hospitals',
'Host National Society': 'Host National Society',
'Hot Spot': 'Hot Spot',
'Hour': 'Hour',
'Hours': 'Hours',
'Household kits received': 'Household kits received',
'Household kits, source': 'Household kits, source',
'How data shall be transferred': 'How data shall be transferred',
'How is this person affected by the disaster? (Select all that apply)': 'How is this person affected by the disaster? (Select all that apply)',
'How local records shall be updated': 'How local records shall be updated',
'How long will the food last?': 'How long will the food last?',
'How many Boys (0-17 yrs) are Dead due to the crisis': 'How many Boys (0-17 yrs) are Dead due to the crisis',
'How many Boys (0-17 yrs) are Injured due to the crisis': 'How many Boys (0-17 yrs) are Injured due to the crisis',
'How many Boys (0-17 yrs) are Missing due to the crisis': 'How many Boys (0-17 yrs) are Missing due to the crisis',
'How many Girls (0-17 yrs) are Dead due to the crisis': 'How many Girls (0-17 yrs) are Dead due to the crisis',
'How many Girls (0-17 yrs) are Injured due to the crisis': 'How many Girls (0-17 yrs) are Injured due to the crisis',
'How many Girls (0-17 yrs) are Missing due to the crisis': 'How many Girls (0-17 yrs) are Missing due to the crisis',
'How many Men (18 yrs+) are Dead due to the crisis': 'How many Men (18 yrs+) are Dead due to the crisis',
'How many Men (18 yrs+) are Injured due to the crisis': 'How many Men (18 yrs+) are Injured due to the crisis',
'How many Men (18 yrs+) are Missing due to the crisis': 'How many Men (18 yrs+) are Missing due to the crisis',
'How many Women (18 yrs+) are Dead due to the crisis': 'How many Women (18 yrs+) are Dead due to the crisis',
'How many Women (18 yrs+) are Injured due to the crisis': 'How many Women (18 yrs+) are Injured due to the crisis',
'How many Women (18 yrs+) are Missing due to the crisis': 'How many Women (18 yrs+) are Missing due to the crisis',
'How many days will the supplies last?': 'How many days will the supplies last?',
'How many new cases have been admitted to this facility in the past 24h?': 'How many new cases have been admitted to this facility in the past 24h?',
'How many of the patients with the disease died in the past 24h at this facility?': 'How many of the patients with the disease died in the past 24h at this facility?',
'How many patients with the disease are currently hospitalized at this facility?': 'How many patients with the disease are currently hospitalized at this facility?',
'How much detail is seen. A high Zoom level means lot of detail, but not a wide area. A low Zoom level means seeing a wide area, but not a high level of detail.': 'How much detail is seen. A high Zoom level means lot of detail, but not a wide area. A low Zoom level means seeing a wide area, but not a high level of detail.',
'Human Resource': 'Human Resource',
'Human Resource Details': 'Human Resource Details',
'Human Resource Management': 'Human Resource Management',
'Human Resource added': 'Human Resource added',
'Human Resource removed': 'Human Resource removed',
'Human Resource updated': 'Human Resource updated',
'Human Resources': 'Human Resources',
'Human Resources Management': 'Human Resources Management',
'Humanitarian NGO': 'Humanitarian NGO',
'Hurricane': 'Hurricane',
'Hurricane Force Wind': 'Hurricane Force Wind',
'Hybrid Layer': 'Hybrid Layer',
'Hygiene': 'Hygiene',
'Hygiene NFIs': 'Hygiene NFIs',
'Hygiene kits received': 'Hygiene kits received',
'Hygiene kits, source': 'Hygiene kits, source',
'Hygiene practice': 'Hygiene practice',
'Hygiene problems': 'Hygiene problems',
'I accept. Create my account.': 'I accept. Create my account.',
'ID Tag': 'ID Tag',
'ID Tag Number': 'ID Tag Number',
'ID type': 'ID type',
'Ice Pressure': 'Ice Pressure',
'Iceberg': 'Iceberg',
'Identification': 'Identification',
'Identification Report': 'Identification Report',
'Identification Reports': 'Identification Reports',
'Identification Status': 'Identification Status',
'Identified as': 'Identified as',
'Identified by': 'Identified by',
'Identifier which the repository identifies itself with when sending synchronization requests.': 'Identifier which the repository identifies itself with when sending synchronisation requests.',
'Identity': 'Identity',
'Identity Details': 'Identity Details',
'Identity added': 'Identity added',
'Identity deleted': 'Identity deleted',
'Identity updated': 'Identity updated',
'If a ticket was issued then please provide the Ticket ID.': 'If a ticket was issued then please provide the Ticket ID.',
'If a user verifies that they own an Email Address with this domain, the Approver field is used to determine whether & by whom further approval is required.': 'If a user verifies that they own an Email Address with this domain, the Approver field is used to determine whether & by whom further approval is required.',
'If it is a URL leading to HTML, then this will downloaded.': 'If it is a URL leading to HTML, then this will downloaded.',
'If neither are defined, then the Default Marker is used.': 'If neither are defined, then the Default Marker is used.',
'If no marker defined then the system default marker is used': 'If no marker defined then the system default marker is used',
'If no, specify why': 'If no, specify why',
'If none are selected, then all are searched.': 'If none are selected, then all are searched.',
'If not found, you can have a new location created.': 'If not found, you can have a new location created.',
"If selected, then this Asset's Location will be updated whenever the Person's Location is updated.": "If selected, then this Asset's Location will be updated whenever the Person's Location is updated.",
'If the location is a geographic area, then state at what level here.': 'If the location is a geographic area, then state at what level here.',
'If the request is for %s, please enter the details on the next screen.': 'If the request is for %s, please enter the details on the next screen.',
'If the request type is "Other", please enter request details here.': '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 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 who specifies this Organisation when signing up will be assigned as a Staff of this Organisation 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 field is populated then a user with the Domain specified will automatically be assigned as a Staff of this Organisation',
'If this is set to True then mails will be deleted from the server after downloading.': 'If this is set to True then mails will be deleted from the server after downloading.',
'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 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 this record should be restricted then select which role(s) are permitted to access the record here.',
'If yes, specify what and by whom': 'If yes, specify what and by whom',
'If yes, which and how': 'If yes, which and how',
'If you do not enter a Reference Document, your email will be displayed to allow this data to be verified.': '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 Hospital in the list, you can add a new one by clicking link 'Add Hospital'.": "If you don't see the Hospital in the list, you can add a new one by clicking link 'Add Hospital'.",
"If you don't see the Office in the list, you can add a new one by clicking link 'Add Office'.": "If you don't see the Office in the list, you can add a new one by clicking link 'Add Office'.",
"If you don't see the Organization in the list, you can add a new one by clicking link 'Add Organization'.": "If you don't see the Organisation in the list, you can add a new one by clicking link 'Add Organisation'.",
"If you don't see the site in the list, you can add a new one by clicking link 'Add Project Site'.": "If you don't see the site in the list, you can add a new one by clicking link 'Add Project Site'.",
'If you have any questions or need support, please see': 'If you have any questions or need support, please see',
'If you know what the Geonames ID of this location is then you can enter it here.': 'If you know what the Geonames ID of this location is then you can enter it here.',
'If you know what the OSM ID of this location is then you can enter it here.': 'If you know what the OSM ID of this location is then you can enter it here.',
'If you need to add a new document then you can click here to attach one.': 'If you need to add a new document then you can click here to attach one.',
'If you want several values, then separate with': 'If you want several values, then separate with',
'If you would like to help, then please': 'If you would like to help, then please',
'Illegal Immigrant': 'Illegal Immigrant',
'Image': 'Image',
'Image Details': 'Image Details',
'Image File(s), one image per page': 'Image File(s), one image per page',
'Image Tags': 'Image Tags',
'Image Type': 'Image Type',
'Image Upload': 'Image Upload',
'Image added': 'Image added',
'Image deleted': 'Image deleted',
'Image updated': 'Image updated',
'Imagery': 'Imagery',
'Images': 'Images',
'Impact Assessments': 'Impact Assessments',
'Impact Details': 'Impact Details',
'Impact Type': 'Impact Type',
'Impact Type Details': 'Impact Type Details',
'Impact Type added': 'Impact Type added',
'Impact Type deleted': 'Impact Type deleted',
'Impact Type updated': 'Impact Type updated',
'Impact Types': 'Impact Types',
'Impact added': 'Impact added',
'Impact deleted': 'Impact deleted',
'Impact updated': 'Impact updated',
'Impacts': 'Impacts',
'Import': 'Import',
'Import Completed Responses': 'Import Completed Responses',
'Import Data': 'Import Data',
'Import File': 'Import File',
'Import File Details': 'Import File Details',
'Import File deleted': 'Import File deleted',
'Import Files': 'Import Files',
'Import Job Count': 'Import Job Count',
'Import Jobs': 'Import Jobs',
'Import New File': 'Import New File',
'Import Offices': 'Import Offices',
'Import Organizations': 'Import Organisations',
'Import Project Organizations': 'Import Project Organisations',
'Import Questions': 'Import Questions',
'Import Staff & Volunteers': 'Import Staff & Volunteers',
'Import Templates': 'Import Templates',
'Import from Ushahidi Instance': 'Import from Ushahidi Instance',
'Import multiple tables as CSV': 'Import multiple tables as CSV',
'Import/Export': 'Import/Export',
'Importantly where there are no aid services being provided': 'Importantly where there are no aid services being provided',
'Imported': 'Imported',
'Importing data from spreadsheets': 'Importing data from spreadsheets',
'Improper decontamination': 'Improper decontamination',
'Improper handling of dead bodies': 'Improper handling of dead bodies',
'In Catalogs': 'In Catalogues',
'In Inventories': 'In Inventories',
'In Process': 'In Process',
'In Progress': 'In Progress',
'In Window layout the map maximises to fill the window, so no need to set a large value here.': 'In Window layout the map maximises to fill the window, so no need to set a large value here.',
'Inbound Mail Settings': 'Inbound Mail Settings',
'Incident': 'Incident',
'Incident Categories': 'Incident Categories',
'Incident Details': 'Incident Details',
'Incident Report': 'Incident Report',
'Incident Report Details': 'Incident Report Details',
'Incident Report added': 'Incident Report added',
'Incident Report deleted': 'Incident Report deleted',
'Incident Report updated': 'Incident Report updated',
'Incident Reporting': 'Incident Reporting',
'Incident Reporting System': 'Incident Reporting System',
'Incident Reports': 'Incident Reports',
'Incident added': 'Incident added',
'Incident removed': 'Incident removed',
'Incident updated': 'Incident updated',
'Incidents': 'Incidents',
'Include any special requirements such as equipment which they need to bring.': 'Include any special requirements such as equipment which they need to bring.',
'Incoming': 'Incoming',
'Incoming Shipment canceled': 'Incoming Shipment canceled',
'Incoming Shipment updated': 'Incoming Shipment updated',
'Incomplete': 'Incomplete',
'Individuals': 'Individuals',
'Industrial': 'Industrial',
'Industrial Crime': 'Industrial Crime',
'Industry Fire': 'Industry Fire',
'Infant (0-1)': 'Infant (0-1)',
'Infectious Disease': 'Infectious Disease',
'Infectious Disease (Hazardous Material)': 'Infectious Disease (Hazardous Material)',
'Infectious Diseases': 'Infectious Diseases',
'Infestation': 'Infestation',
'Informal Leader': 'Informal Leader',
'Informal camp': 'Informal camp',
'Information gaps': 'Information gaps',
'Infusion catheters available': 'Infusion catheters available',
'Infusion catheters need per 24h': 'Infusion catheters need per 24h',
'Infusion catheters needed per 24h': 'Infusion catheters needed per 24h',
'Infusions available': 'Infusions available',
'Infusions needed per 24h': 'Infusions needed per 24h',
'Inspected': 'Inspected',
'Inspection Date': 'Inspection Date',
'Inspection date and time': 'Inspection date and time',
'Inspection time': 'Inspection time',
'Inspector ID': 'Inspector ID',
'Instant Porridge': 'Instant Porridge',
'Institution': 'Institution',
'Insufficient': 'Insufficient',
'Insufficient privileges': 'Insufficient privileges',
'Insufficient vars: Need module, resource, jresource, instance': 'Insufficient vars: Need module, resource, jresource, instance',
'Insurance Renewal Due': 'Insurance Renewal Due',
'Intergovernmental Organization': 'Intergovernmental Organisation',
'Interior walls, partitions': 'Interior walls, partitions',
'Internal State': 'Internal State',
'International NGO': 'International NGO',
'International Organization': 'International Organisation',
'Interview taking place at': 'Interview taking place at',
'Invalid': 'Invalid',
'Invalid Query': 'Invalid Query',
'Invalid email': 'Invalid email',
'Invalid phone number': 'Invalid phone number',
'Invalid phone number!': 'Invalid phone number!',
'Invalid request!': 'Invalid request!',
'Invalid ticket': 'Invalid ticket',
'Inventories': 'Inventories',
'Inventory': 'Inventory',
'Inventory Item': 'Inventory Item',
'Inventory Item Details': 'Inventory Item Details',
'Inventory Item updated': 'Inventory Item updated',
'Inventory Items': 'Inventory Items',
'Inventory Items include both consumable supplies & those which will get turned into Assets at their destination.': 'Inventory Items include both consumable supplies & those which will get turned into Assets at their destination.',
'Inventory Management': 'Inventory Management',
'Inventory Stock Position': 'Inventory Stock Position',
'Inventory functionality is available for': 'Inventory functionality is available for',
'Inventory of Effects': 'Inventory of Effects',
'Is editing level L%d locations allowed?': 'Is editing level L%d locations allowed?',
'Is it safe to collect water?': 'Is it safe to collect water?',
'Is this a strict hierarchy?': 'Is this a strict hierarchy?',
'Issuing Authority': 'Issuing Authority',
'It captures not only the places where they are active, but also captures information on the range of projects they are providing in each area.': 'It captures not only the places where they are active, but also captures information on the range of projects they are providing in each area.',
'Italian': 'Italian',
'Item': 'Item',
'Item Added to Shipment': 'Item Added to Shipment',
'Item Catalog Details': 'Item Catalogue Details',
'Item Catalogs': 'Item Catalogues',
'Item Categories': 'Item Categories',
'Item Category': 'Item Category',
'Item Category Details': 'Item Category Details',
'Item Category added': 'Item Category added',
'Item Category deleted': 'Item Category deleted',
'Item Category updated': 'Item Category updated',
'Item Details': 'Item Details',
'Item Pack Details': 'Item Pack Details',
'Item Pack added': 'Item Pack added',
'Item Pack deleted': 'Item Pack deleted',
'Item Pack updated': 'Item Pack updated',
'Item Packs': 'Item Packs',
'Item added': 'Item added',
'Item added to Inventory': 'Item added to Inventory',
'Item added to order': 'Item added to order',
'Item added to shipment': 'Item added to shipment',
'Item already in Bundle!': 'Item already in Bundle!',
'Item already in Kit!': 'Item already in Kit!',
'Item already in budget!': 'Item already in budget!',
'Item deleted': 'Item deleted',
'Item removed from Inventory': 'Item removed from Inventory',
'Item removed from order': 'Item removed from order',
'Item removed from shipment': 'Item removed from shipment',
'Item updated': 'Item updated',
'Items': 'Items',
'Items in Category can be Assets': 'Items in Category can be Assets',
'Japanese': 'Japanese',
'Jerry can': 'Jerry can',
'Jew': 'Jew',
'Job Role': 'Job Role',
'Job Role Catalog': 'Job Role Catalogue',
'Job Role Details': 'Job Role Details',
'Job Role added': 'Job Role added',
'Job Role deleted': 'Job Role deleted',
'Job Role updated': 'Job Role updated',
'Job Roles': 'Job Roles',
'Job Title': 'Job Title',
'Job added': 'Job added',
'Job deleted': 'Job deleted',
'Job updated updated': 'Job updated updated',
'Journal': 'Journal',
'Journal Entry Details': 'Journal Entry Details',
'Journal entry added': 'Journal entry added',
'Journal entry deleted': 'Journal entry deleted',
'Journal entry updated': 'Journal entry updated',
'Kit': 'Kit',
'Kit Contents': 'Kit Contents',
'Kit Details': 'Kit Details',
'Kit Updated': 'Kit Updated',
'Kit added': 'Kit added',
'Kit deleted': 'Kit deleted',
'Kit updated': 'Kit updated',
'Kits': 'Kits',
'Known Identities': 'Known Identities',
'Known incidents of violence against women/girls': 'Known incidents of violence against women/girls',
'Known incidents of violence since disaster': 'Known incidents of violence since disaster',
'Korean': 'Korean',
'LICENSE': 'LICENSE',
'Label Question:': 'Label Question:',
'Lack of material': 'Lack of material',
'Lack of school uniform': 'Lack of school uniform',
'Lack of supplies at school': 'Lack of supplies at school',
'Lack of transport to school': 'Lack of transport to school',
'Lactating women': 'Lactating women',
'Lahar': 'Lahar',
'Landslide': 'Landslide',
'Language': 'Language',
'Last Name': 'Last Name',
'Last Synchronization': 'Last Synchronisation',
'Last known location': 'Last known location',
'Last name': 'Last name',
'Last status': 'Last status',
'Last synchronized on': 'Last synchronised on',
'Last updated ': 'Last updated ',
'Last updated by': 'Last updated by',
'Last updated on': 'Last updated on',
'Latitude': 'Latitude',
'Latitude & Longitude': 'Latitude & Longitude',
'Latitude is North-South (Up-Down).': 'Latitude is North-South (Up-Down).',
'Latitude is zero on the equator and positive in the northern hemisphere and negative in the southern hemisphere.': 'Latitude is zero on the equator and positive in the northern hemisphere and negative in the southern hemisphere.',
'Latitude of Map Center': 'Latitude of Map Center',
'Latitude of far northern end of the region of interest.': 'Latitude of far northern end of the region of interest.',
'Latitude of far southern end of the region of interest.': 'Latitude of far southern end of the region of interest.',
'Latitude should be between': 'Latitude should be between',
'Latrines': 'Latrines',
'Law enforcement, military, homeland and local/private security': 'Law enforcement, military, homeland and local/private security',
'Layer Details': 'Layer Details',
'Layer ID': 'Layer ID',
'Layer Name': 'Layer Name',
'Layer Type': 'Layer Type',
'Layer added': 'Layer added',
'Layer deleted': 'Layer deleted',
'Layer has been Disabled': 'Layer has been Disabled',
'Layer has been Enabled': 'Layer has been Enabled',
'Layer updated': 'Layer updated',
'Layers': 'Layers',
'Layers updated': 'Layers updated',
'Leader': 'Leader',
'Leave blank to request an unskilled person': 'Leave blank to request an unskilled person',
'Legend Format': 'Legend Format',
'Length (m)': 'Length (m)',
'Level': 'Level',
'Level 1': 'Level 1',
'Level 1 Assessment Details': 'Level 1 Assessment Details',
'Level 1 Assessment added': 'Level 1 Assessment added',
'Level 1 Assessment deleted': 'Level 1 Assessment deleted',
'Level 1 Assessment updated': 'Level 1 Assessment updated',
'Level 1 Assessments': 'Level 1 Assessments',
'Level 2': 'Level 2',
'Level 2 Assessment Details': 'Level 2 Assessment Details',
'Level 2 Assessment added': 'Level 2 Assessment added',
'Level 2 Assessment deleted': 'Level 2 Assessment deleted',
'Level 2 Assessment updated': 'Level 2 Assessment updated',
'Level 2 Assessments': 'Level 2 Assessments',
'Level 2 or detailed engineering evaluation recommended': 'Level 2 or detailed engineering evaluation recommended',
"Level is higher than parent's": "Level is higher than parent's",
'Library support not available for OpenID': 'Library support not available for OpenID',
'License Number': 'License Number',
'License Plate': 'License Plate',
'LineString': 'LineString',
'List': 'List',
'List / Add Baseline Types': 'List / Add Baseline Types',
'List / Add Impact Types': 'List / Add Impact Types',
'List / Add Services': 'List / Add Services',
'List / Add Types': 'List / Add Types',
'List Activities': 'List Activities',
'List All': 'List All',
'List All Activity Types': 'List All Activity Types',
'List All Assets': 'List All Assets',
'List All Catalog Items': 'List All Catalogue Items',
'List All Catalogs & Add Items to Catalogs': 'List All Catalogues & Add Items to Catalogues',
'List All Commitments': 'List All Commitments',
'List All Entries': 'List All Entries',
'List All Item Categories': 'List All Item Categories',
'List All Items': 'List All Items',
'List All Memberships': 'List All Memberships',
'List All Orders': 'List All Orders',
'List All Project Sites': 'List All Project Sites',
'List All Projects': 'List All Projects',
'List All Received Shipments': 'List All Received Shipments',
'List All Records': 'List All Records',
'List All Requested Items': 'List All Requested Items',
'List All Requested Skills': 'List All Requested Skills',
'List All Requests': 'List All Requests',
'List All Sent Shipments': 'List All Sent Shipments',
'List All Vehicles': 'List All Vehicles',
'List Alternative Items': 'List Alternative Items',
'List Assessment Summaries': 'List Assessment Summaries',
'List Assessments': 'List Assessments',
'List Assets': 'List Assets',
'List Availability': 'List Availability',
'List Baseline Types': 'List Baseline Types',
'List Baselines': 'List Baselines',
'List Brands': 'List Brands',
'List Budgets': 'List Budgets',
'List Bundles': 'List Bundles',
'List Camp Services': 'List Camp Services',
'List Camp Types': 'List Camp Types',
'List Camps': 'List Camps',
'List Catalog Items': 'List Catalogue Items',
'List Catalogs': 'List Catalogues',
'List Certificates': 'List Certificates',
'List Certifications': 'List Certifications',
'List Checklists': 'List Checklists',
'List Cluster Subsectors': 'List Cluster Subsectors',
'List Clusters': 'List Clusters',
'List Commitment Items': 'List Commitment Items',
'List Commitments': 'List Commitments',
'List Committed People': 'List Committed People',
'List Competency Ratings': 'List Competency Ratings',
'List Contact Information': 'List Contact Information',
'List Contacts': 'List Contacts',
'List Course Certificates': 'List Course Certificates',
'List Courses': 'List Courses',
'List Credentials': 'List Credentials',
'List Current': 'List Current',
'List Documents': 'List Documents',
'List Donors': 'List Donors',
'List Events': 'List Events',
'List Facilities': 'List Facilities',
'List Feature Classes': 'List Feature Classes',
'List Feature Layers': 'List Feature Layers',
'List Flood Reports': 'List Flood Reports',
'List GPS data': 'List GPS data',
'List Groups': 'List Groups',
'List Groups/View Members': 'List Groups/View Members',
'List Homes': 'List Homes',
'List Hospitals': 'List Hospitals',
'List Human Resources': 'List Human Resources',
'List Identities': 'List Identities',
'List Images': 'List Images',
'List Impact Assessments': 'List Impact Assessments',
'List Impact Types': 'List Impact Types',
'List Impacts': 'List Impacts',
'List Import Files': 'List Import Files',
'List Incident Reports': 'List Incident Reports',
'List Incidents': 'List Incidents',
'List Item Categories': 'List Item Categories',
'List Item Packs': 'List Item Packs',
'List Items': 'List Items',
'List Items in Inventory': 'List Items in Inventory',
'List Job Roles': 'List Job Roles',
'List Jobs': 'List Jobs',
'List Kits': 'List Kits',
'List Layers': 'List Layers',
'List Level 1 Assessments': 'List Level 1 Assessments',
'List Level 1 assessments': 'List Level 1 assessments',
'List Level 2 Assessments': 'List Level 2 Assessments',
'List Level 2 assessments': 'List Level 2 assessments',
'List Locations': 'List Locations',
'List Log Entries': 'List Log Entries',
'List Map Configurations': 'List Map Configurations',
'List Markers': 'List Markers',
'List Members': 'List Members',
'List Memberships': 'List Memberships',
'List Messages': 'List Messages',
'List Missing Persons': 'List Missing Persons',
'List Missions': 'List Missions',
'List Need Types': 'List Need Types',
'List Needs': 'List Needs',
'List Offices': 'List Offices',
'List Order Items': 'List Order Items',
'List Orders': 'List Orders',
'List Organization Domains': 'List Organisation Domains',
'List Organizations': 'List Organisations',
'List Patients': 'List Patients',
'List Personal Effects': 'List Personal Effects',
'List Persons': 'List Persons',
'List Photos': 'List Photos',
'List Population Statistics': 'List Population Statistics',
'List Positions': 'List Positions',
'List Problems': 'List Problems',
'List Project Organizations': 'List Project Organisations',
'List Project Sites': 'List Project Sites',
'List Projections': 'List Projections',
'List Projects': 'List Projects',
'List Rapid Assessments': 'List Rapid Assessments',
'List Received Items': 'List Received Items',
'List Received Shipments': 'List Received Shipments',
'List Records': 'List Records',
'List Registrations': 'List Registrations',
'List Relatives': 'List Relatives',
'List Reports': 'List Reports',
'List Repositories': 'List Repositories',
'List Request Items': 'List Request Items',
'List Requested Skills': 'List Requested Skills',
'List Requests': 'List Requests',
'List Requests for Donations': 'List Requests for Donations',
'List Requests for Volunteers': 'List Requests for Volunteers',
'List Resources': 'List Resources',
'List Rivers': 'List Rivers',
'List Roles': 'List Roles',
'List Rooms': 'List Rooms',
'List Saved Searches': 'List Saved Searches',
'List Scenarios': 'List Scenarios',
'List Sections': 'List Sections',
'List Sectors': 'List Sectors',
'List Sent Items': 'List Sent Items',
'List Sent Shipments': 'List Sent Shipments',
'List Service Profiles': 'List Service Profiles',
'List Settings': 'List Settings',
'List Shelter Services': 'List Shelter Services',
'List Shelter Types': 'List Shelter Types',
'List Shelters': 'List Shelters',
'List Skill Equivalences': 'List Skill Equivalences',
'List Skill Provisions': 'List Skill Provisions',
'List Skill Types': 'List Skill Types',
'List Skills': 'List Skills',
'List Solutions': 'List Solutions',
'List Staff Types': 'List Staff Types',
'List Status': 'List Status',
'List Subscriptions': 'List Subscriptions',
'List Subsectors': 'List Subsectors',
'List Support Requests': 'List Support Requests',
'List Tasks': 'List Tasks',
'List Teams': 'List Teams',
'List Themes': 'List Themes',
'List Tickets': 'List Tickets',
'List Trainings': 'List Trainings',
'List Units': 'List Units',
'List Users': 'List Users',
'List Vehicle Details': 'List Vehicle Details',
'List Vehicles': 'List Vehicles',
'List Warehouses': 'List Warehouses',
'List all': 'List all',
'List all Assessment Answer': 'List all Assessment Answer',
'List all Assessment Questions': 'List all Assessment Questions',
'List all Assessment Series': 'List all Assessment Series',
'List all Assessment Templates': 'List all Assessment Templates',
'List all Completed Assessment': 'List all Completed Assessment',
'List all Question Meta-Data': 'List all Question Meta-Data',
'List all Template Sections': 'List all Template Sections',
'List available Scenarios': 'List available Scenarios',
'List of Assessment Answers': 'List of Assessment Answers',
'List of Assessment Questions': 'List of Assessment Questions',
'List of Assessment Series': 'List of Assessment Series',
'List of Assessment Templates': 'List of Assessment Templates',
'List of CSV files': 'List of CSV files',
'List of CSV files uploaded': 'List of CSV files uploaded',
'List of Completed Assessments': 'List of Completed Assessments',
'List of Items': 'List of Items',
'List of Missing Persons': 'List of Missing Persons',
'List of Question Meta-Data': 'List of Question Meta-Data',
'List of Reports': 'List of Reports',
'List of Requests': 'List of Requests',
'List of Selected Answers': 'List of Selected Answers',
'List of Spreadsheets': 'List of Spreadsheets',
'List of Spreadsheets uploaded': 'List of Spreadsheets uploaded',
'List of Template Sections': 'List of Template Sections',
'List of addresses': 'List of addresses',
'List unidentified': 'List unidentified',
'List/Add': 'List/Add',
'Lists "who is doing what & where". Allows relief agencies to coordinate their activities': 'Lists "who is doing what & where". Allows relief agencies to coordinate their activities',
'Live Help': 'Live Help',
'Livelihood': 'Livelihood',
'Load Cleaned Data into Database': 'Load Cleaned Data into Database',
'Load Raw File into Grid': 'Load Raw File into Grid',
'Load Search': 'Load Search',
'Loading': 'Loading',
'Local Name': 'Local Name',
'Local Names': 'Local Names',
'Location': 'Location',
'Location 1': 'Location 1',
'Location 2': 'Location 2',
'Location Details': 'Location Details',
'Location Hierarchy Level 0 Name': 'Location Hierarchy Level 0 Name',
'Location Hierarchy Level 1 Name': 'Location Hierarchy Level 1 Name',
'Location Hierarchy Level 2 Name': 'Location Hierarchy Level 2 Name',
'Location Hierarchy Level 3 Name': 'Location Hierarchy Level 3 Name',
'Location Hierarchy Level 4 Name': 'Location Hierarchy Level 4 Name',
'Location Hierarchy Level 5 Name': 'Location Hierarchy Level 5 Name',
'Location added': 'Location added',
'Location deleted': 'Location deleted',
'Location group cannot be a parent.': 'Location group cannot be a parent.',
'Location group cannot have a parent.': 'Location group cannot have a parent.',
'Location groups can be used in the Regions menu.': 'Location groups can be used in the Regions menu.',
'Location groups may be used to filter what is shown on the map and in search results to only entities covered by locations in the group.': 'Location groups may be used to filter what is shown on the map and in search results to only entities covered by locations in the group.',
'Location updated': 'Location updated',
'Location: ': 'Location: ',
'Locations': 'Locations',
'Locations of this level need to have a parent of level': 'Locations of this level need to have a parent of level',
'Lockdown': 'Lockdown',
'Log': 'Log',
'Log Entry': 'Log Entry',
'Log Entry Deleted': 'Log Entry Deleted',
'Log Entry Details': 'Log Entry Details',
'Log entry added': 'Log entry added',
'Log entry deleted': 'Log entry deleted',
'Log entry updated': 'Log entry updated',
'Login': 'Login',
'Logistics': 'Logistics',
'Logo': 'Logo',
'Logo file %s missing!': 'Logo file %s missing!',
'Logout': 'Logout',
'Longitude': 'Longitude',
'Longitude is West - East (sideways).': 'Longitude is West - East (sideways).',
'Longitude is West-East (sideways).': 'Longitude is West-East (sideways).',
'Longitude is zero on the prime meridian (Greenwich Mean Time) and is positive to the east, across Europe and Asia. Longitude is negative to the west, across the Atlantic and the Americas.': 'Longitude is zero on the prime meridian (Greenwich Mean Time) and is positive to the east, across Europe and Asia. Longitude is negative to the west, across the Atlantic and the Americas.',
'Longitude is zero on the prime meridian (through Greenwich, United Kingdom) and is positive to the east, across Europe and Asia. Longitude is negative to the west, across the Atlantic and the Americas.': 'Longitude is zero on the prime meridian (through Greenwich, United Kingdom) and is positive to the east, across Europe and Asia. Longitude is negative to the west, across the Atlantic and the Americas.',
'Longitude of Map Center': 'Longitude of Map Center',
'Longitude of far eastern end of the region of interest.': 'Longitude of far eastern end of the region of interest.',
'Longitude of far western end of the region of interest.': 'Longitude of far western end of the region of interest.',
'Longitude should be between': 'Longitude should be between',
'Looting': 'Looting',
'Lost': 'Lost',
'Lost Password': 'Lost Password',
'Low': 'Low',
'Magnetic Storm': 'Magnetic Storm',
'Major Damage': 'Major Damage',
'Major expenses': 'Major expenses',
'Major outward damage': 'Major outward damage',
'Make Commitment': 'Make Commitment',
'Make New Commitment': 'Make New Commitment',
'Make Request': 'Make Request',
'Make a Request for Donations': 'Make a Request for Donations',
'Make a Request for Volunteers': 'Make a Request for Volunteers',
'Make preparations per the <instruction>': 'Make preparations per the <instruction>',
'Male': 'Male',
'Manage Events': 'Manage Events',
'Manage Users & Roles': 'Manage Users & Roles',
'Manage Vehicles': 'Manage Vehicles',
'Manage requests for supplies, assets, staff or other resources. Matches against Inventories where supplies are requested.': 'Manage requests for supplies, assets, staff or other resources. Matches against Inventories where supplies are requested.',
'Manage requests of hospitals for assistance.': 'Manage requests of hospitals for assistance.',
'Manager': 'Manager',
'Mandatory. In GeoServer, this is the Layer Name. Within the WFS getCapabilities, this is the FeatureType Name part after the colon(:).': 'Mandatory. In GeoServer, this is the Layer Name. Within the WFS getCapabilities, this is the FeatureType Name part after the colon(:).',
'Mandatory. The URL to access the service.': 'Mandatory. The URL to access the service.',
'Manual Synchronization': 'Manual Synchronisation',
'Many': 'Many',
'Map': 'Map',
'Map Center Latitude': 'Map Center Latitude',
'Map Center Longitude': 'Map Center Longitude',
'Map Configuration': 'Map Configuration',
'Map Configuration Details': 'Map Configuration Details',
'Map Configuration added': 'Map Configuration added',
'Map Configuration deleted': 'Map Configuration deleted',
'Map Configuration removed': 'Map Configuration removed',
'Map Configuration updated': 'Map Configuration updated',
'Map Configurations': 'Map Configurations',
'Map Height': 'Map Height',
'Map Service Catalog': 'Map Service Catalogue',
'Map Settings': 'Map Settings',
'Map Viewing Client': 'Map Viewing Client',
'Map Width': 'Map Width',
'Map Zoom': 'Map Zoom',
'Map of Hospitals': 'Map of Hospitals',
'MapMaker Hybrid Layer': 'MapMaker Hybrid Layer',
'MapMaker Layer': 'MapMaker Layer',
'Maps': 'Maps',
'Marine Security': 'Marine Security',
'Marital Status': 'Marital Status',
'Marker': 'Marker',
'Marker Details': 'Marker Details',
'Marker added': 'Marker added',
'Marker deleted': 'Marker deleted',
'Marker updated': 'Marker updated',
'Markers': 'Markers',
'Master': 'Master',
'Master Message Log': 'Master Message Log',
'Master Message Log to process incoming reports & requests': 'Master Message Log to process incoming reports & requests',
'Match Percentage': 'Match Percentage',
'Match Requests': 'Match Requests',
'Match percentage indicates the % match between these two records': 'Match percentage indicates the % match between these two records',
'Match?': 'Match?',
'Matching Catalog Items': 'Matching Catalogue Items',
'Matching Items': 'Matching Items',
'Matching Records': 'Matching Records',
'Maximum Location Latitude': 'Maximum Location Latitude',
'Maximum Location Longitude': 'Maximum Location Longitude',
'Measure Area: Click the points around the polygon & end with a double-click': 'Measure Area: Click the points around the polygon & end with a double-click',
'Measure Length: Click the points along the path & end with a double-click': 'Measure Length: Click the points along the path & end with a double-click',
'Medical and public health': 'Medical and public health',
'Medium': 'Medium',
'Megabytes per Month': 'Megabytes per Month',
'Members': 'Members',
'Membership': 'Membership',
'Membership Details': 'Membership Details',
'Membership added': 'Membership added',
'Membership deleted': 'Membership deleted',
'Membership updated': 'Membership updated',
'Memberships': 'Memberships',
'Message': 'Message',
'Message Details': 'Message Details',
'Message Variable': 'Message Variable',
'Message added': 'Message added',
'Message deleted': 'Message deleted',
'Message updated': 'Message updated',
'Message variable': 'Message variable',
'Messages': 'Messages',
'Messaging': 'Messaging',
'Meteorite': 'Meteorite',
'Meteorological (inc. flood)': 'Meteorological (inc. flood)',
'Method used': 'Method used',
'Middle Name': 'Middle Name',
'Migrants or ethnic minorities': 'Migrants or ethnic minorities',
'Mileage': 'Mileage',
'Military': 'Military',
'Minimum Location Latitude': 'Minimum Location Latitude',
'Minimum Location Longitude': 'Minimum Location Longitude',
'Minimum shift time is 6 hours': 'Minimum shift time is 6 hours',
'Minor Damage': 'Minor Damage',
'Minor/None': 'Minor/None',
'Minorities participating in coping activities': 'Minorities participating in coping activities',
'Minute': 'Minute',
'Minutes must be a number between 0 and 60': 'Minutes must be a number between 0 and 60',
'Minutes per Month': 'Minutes per Month',
'Minutes should be a number greater than 0 and less than 60': 'Minutes should be a number greater than 0 and less than 60',
'Miscellaneous': 'Miscellaneous',
'Missing': 'Missing',
'Missing Person': 'Missing Person',
'Missing Person Details': 'Missing Person Details',
'Missing Person Registry': 'Missing Person Registry',
'Missing Persons': 'Missing Persons',
'Missing Persons Registry': 'Missing Persons Registry',
'Missing Persons Report': 'Missing Persons Report',
'Missing Report': 'Missing Report',
'Missing Senior Citizen': 'Missing Senior Citizen',
'Missing Vulnerable Person': 'Missing Vulnerable Person',
'Mission Details': 'Mission Details',
'Mission Record': 'Mission Record',
'Mission added': 'Mission added',
'Mission deleted': 'Mission deleted',
'Mission updated': 'Mission updated',
'Missions': 'Missions',
'Mobile': 'Mobile',
'Mobile Basic Assessment': 'Mobile Basic Assessment',
'Mobile Phone': 'Mobile Phone',
'Mode': 'Mode',
'Model/Type': 'Model/Type',
'Modem settings updated': 'Modem settings updated',
'Moderate': 'Moderate',
'Moderator': 'Moderator',
'Modify Information on groups and individuals': 'Modify Information on groups and individuals',
'Modifying data in spreadsheet before importing it to the database': 'Modifying data in spreadsheet before importing it to the database',
'Module': 'Module',
'Module provides access to information on current Flood Levels.': 'Module provides access to information on current Flood Levels.',
'Monday': 'Monday',
'Monthly Cost': 'Monthly Cost',
'Monthly Salary': 'Monthly Salary',
'Months': 'Months',
'Morgue': 'Morgue',
'Morgue Details': 'Morgue Details',
'Morgue Status': 'Morgue Status',
'Morgue Units Available': 'Morgue Units Available',
'Morgues': 'Morgues',
'Mosque': 'Mosque',
'Motorcycle': 'Motorcycle',
'Moustache': 'Moustache',
'MultiPolygon': 'MultiPolygon',
'Multiple': 'Multiple',
'Multiple Matches': 'Multiple Matches',
'Muslim': 'Muslim',
'Must a location have a parent location?': 'Must a location have a parent location?',
'My Cedar Bluff AL': 'My Cedar Bluff AL',
'My Details': 'My Details',
'My Tasks': 'My Tasks',
'N/A': 'N/A',
'NO': 'NO',
'NZSEE Level 1': 'NZSEE Level 1',
'NZSEE Level 2': 'NZSEE Level 2',
'Name': 'Name',
'Name and/or ID': 'Name and/or ID',
'Name field is required!': 'Name field is required!',
'Name of the file (& optional sub-path) located in static which should be used for the background of the header.': 'Name of the file (& optional sub-path) located in static which should be used for the background of the header.',
'Name of the file (& optional sub-path) located in static which should be used for the top-left image.': 'Name of the file (& optional sub-path) located in static which should be used for the top-left image.',
'Name of the file (& optional sub-path) located in views which should be used for footer.': '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).': 'Name of the person in local language and script (optional).',
'Name of the repository (for you own reference)': 'Name of the repository (for you own reference)',
'Name, Org and/or ID': 'Name, Org and/or ID',
'Names can be added in multiple languages': 'Names can be added in multiple languages',
'National': 'National',
'National ID Card': 'National ID Card',
'National NGO': 'National NGO',
'Nationality': 'Nationality',
'Nationality of the person.': 'Nationality of the person.',
'Nautical Accident': 'Nautical Accident',
'Nautical Hijacking': 'Nautical Hijacking',
'Need Type': 'Need Type',
'Need Type Details': 'Need Type Details',
'Need Type added': 'Need Type added',
'Need Type deleted': 'Need Type deleted',
'Need Type updated': 'Need Type updated',
'Need Types': 'Need Types',
"Need a 'url' argument!": "Need a 'url' argument!",
'Need added': 'Need added',
'Need deleted': 'Need deleted',
'Need to be logged-in to be able to submit assessments': 'Need to be logged-in to be able to submit assessments',
'Need to configure Twitter Authentication': 'Need to configure Twitter Authentication',
'Need to specify a Budget!': 'Need to specify a Budget!',
'Need to specify a Kit!': 'Need to specify a Kit!',
'Need to specify a Resource!': 'Need to specify a Resource!',
'Need to specify a bundle!': 'Need to specify a bundle!',
'Need to specify a group!': 'Need to specify a group!',
'Need to specify a location to search for.': 'Need to specify a location to search for.',
'Need to specify a role!': 'Need to specify a role!',
'Need to specify a table!': 'Need to specify a table!',
'Need to specify a user!': 'Need to specify a user!',
'Need updated': 'Need updated',
'Needs': 'Needs',
'Needs Details': 'Needs Details',
'Needs Maintenance': 'Needs Maintenance',
'Needs to reduce vulnerability to violence': 'Needs to reduce vulnerability to violence',
'Negative Flow Isolation': 'Negative Flow Isolation',
'Neighborhood': 'Neighborhood',
'Neighbourhood': 'Neighbourhood',
'Neighbouring building hazard': 'Neighbouring building hazard',
'Neonatal ICU': 'Neonatal ICU',
'Neonatology': 'Neonatology',
'Network': 'Network',
'Neurology': 'Neurology',
'New': 'New',
'New Assessment': 'New Assessment',
'New Assessment reported from': 'New Assessment reported from',
'New Certificate': 'New Certificate',
'New Checklist': 'New Checklist',
'New Entry': 'New Entry',
'New Event': 'New Event',
'New Home': 'New Home',
'New Item Category': 'New Item Category',
'New Job Role': 'New Job Role',
'New Location': 'New Location',
'New Location Group': 'New Location Group',
'New Patient': 'New Patient',
'New Record': 'New Record',
'New Relative': 'New Relative',
'New Request': 'New Request',
'New Scenario': 'New Scenario',
'New Skill': 'New Skill',
'New Solution Choice': 'New Solution Choice',
'New Staff Member': 'New Staff Member',
'New Support Request': 'New Support Request',
'New Team': 'New Team',
'New Ticket': 'New Ticket',
'New Training Course': 'New Training Course',
'New Volunteer': 'New Volunteer',
'New cases in the past 24h': 'New cases in the past 24h',
'Next': 'Next',
'Next View': 'Next View',
'No': 'No',
'No Activities Found': 'No Activities Found',
'No Activities currently registered in this event': 'No Activities currently registered in this event',
'No Alternative Items currently registered': 'No Alternative Items currently registered',
'No Assessment Answers currently registered': 'No Assessment Answers currently registered',
'No Assessment Question currently registered': 'No Assessment Question currently registered',
'No Assessment Series currently registered': 'No Assessment Series currently registered',
'No Assessment Summaries currently registered': 'No Assessment Summaries currently registered',
'No Assessment Template currently registered': 'No Assessment Template currently registered',
'No Assessments currently registered': 'No Assessments currently registered',
'No Assets currently registered': 'No Assets currently registered',
'No Assets currently registered in this event': 'No Assets currently registered in this event',
'No Assets currently registered in this scenario': 'No Assets currently registered in this scenario',
'No Baseline Types currently registered': 'No Baseline Types currently registered',
'No Baselines currently registered': 'No Baselines currently registered',
'No Brands currently registered': 'No Brands currently registered',
'No Budgets currently registered': 'No Budgets currently registered',
'No Bundles currently registered': 'No Bundles currently registered',
'No Camp Services currently registered': 'No Camp Services currently registered',
'No Camp Types currently registered': 'No Camp Types currently registered',
'No Camps currently registered': 'No Camps currently registered',
'No Catalog Items currently registered': 'No Catalogue Items currently registered',
'No Catalogs currently registered': 'No Catalogues currently registered',
'No Checklist available': 'No Checklist available',
'No Cluster Subsectors currently registered': 'No Cluster Subsectors currently registered',
'No Clusters currently registered': 'No Clusters currently registered',
'No Commitment Items currently registered': 'No Commitment Items currently registered',
'No Commitments': 'No Commitments',
'No Completed Assessments currently registered': 'No Completed Assessments currently registered',
'No Credentials currently set': 'No Credentials currently set',
'No Details currently registered': 'No Details currently registered',
'No Documents currently attached to this request': 'No Documents currently attached to this request',
'No Documents found': 'No Documents found',
'No Donors currently registered': 'No Donors currently registered',
'No Events currently registered': 'No Events currently registered',
'No Facilities currently registered in this event': 'No Facilities currently registered in this event',
'No Facilities currently registered in this scenario': 'No Facilities currently registered in this scenario',
'No Feature Classes currently defined': 'No Feature Classes currently defined',
'No Feature Layers currently defined': 'No Feature Layers currently defined',
'No Flood Reports currently registered': 'No Flood Reports currently registered',
'No GPS data currently registered': 'No GPS data currently registered',
'No Groups currently defined': 'No Groups currently defined',
'No Groups currently registered': 'No Groups currently registered',
'No Homes currently registered': 'No Homes currently registered',
'No Hospitals currently registered': 'No Hospitals currently registered',
'No Human Resources currently registered in this event': 'No Human Resources currently registered in this event',
'No Human Resources currently registered in this scenario': 'No Human Resources currently registered in this scenario',
'No Identification Report Available': 'No Identification Report Available',
'No Identities currently registered': 'No Identities currently registered',
'No Image': 'No Image',
'No Images currently registered': 'No Images currently registered',
'No Impact Types currently registered': 'No Impact Types currently registered',
'No Impacts currently registered': 'No Impacts currently registered',
'No Import Files currently uploaded': 'No Import Files currently uploaded',
'No Incident Reports currently registered': 'No Incident Reports currently registered',
'No Incidents currently registered in this event': 'No Incidents currently registered in this event',
'No Incoming Shipments': 'No Incoming Shipments',
'No Inventories currently have suitable alternative items in stock': 'No Inventories currently have suitable alternative items in stock',
'No Inventories currently have this item in stock': 'No Inventories currently have this item in stock',
'No Item Categories currently registered': 'No Item Categories currently registered',
'No Item Packs currently registered': 'No Item Packs currently registered',
'No Items currently registered': 'No Items currently registered',
'No Items currently registered in this Inventory': 'No Items currently registered in this Inventory',
'No Kits currently registered': 'No Kits currently registered',
'No Level 1 Assessments currently registered': 'No Level 1 Assessments currently registered',
'No Level 2 Assessments currently registered': 'No Level 2 Assessments currently registered',
'No Locations currently available': 'No Locations currently available',
'No Locations currently registered': 'No Locations currently registered',
'No Map Configurations currently defined': 'No Map Configurations currently defined',
'No Map Configurations currently registered in this event': 'No Map Configurations currently registered in this event',
'No Map Configurations currently registered in this scenario': 'No Map Configurations currently registered in this scenario',
'No Markers currently available': 'No Markers currently available',
'No Match': 'No Match',
'No Matching Catalog Items': 'No Matching Catalogue Items',
'No Matching Items': 'No Matching Items',
'No Matching Records': 'No Matching Records',
'No Members currently registered': 'No Members currently registered',
'No Memberships currently defined': 'No Memberships currently defined',
'No Memberships currently registered': 'No Memberships currently registered',
'No Messages currently in Outbox': 'No Messages currently in Outbox',
'No Need Types currently registered': 'No Need Types currently registered',
'No Needs currently registered': 'No Needs currently registered',
'No Offices currently registered': 'No Offices currently registered',
'No Order Items currently registered': 'No Order Items currently registered',
'No Orders registered': 'No Orders registered',
'No Organization Domains currently registered': 'No Organisation Domains currently registered',
'No Organizations currently registered': 'No Organisations currently registered',
'No Organizations for this Project': 'No Organisations for this Project',
'No Packs for Item': 'No Packs for Item',
'No Patients currently registered': 'No Patients currently registered',
'No People currently committed': 'No People currently committed',
'No People currently registered in this camp': 'No People currently registered in this camp',
'No People currently registered in this shelter': 'No People currently registered in this shelter',
'No Persons currently registered': 'No Persons currently registered',
'No Persons currently reported missing': 'No Persons currently reported missing',
'No Persons found': 'No Persons found',
'No Photos found': 'No Photos found',
'No Picture': 'No Picture',
'No Population Statistics currently registered': 'No Population Statistics currently registered',
'No Presence Log Entries currently registered': 'No Presence Log Entries currently registered',
'No Problems currently defined': 'No Problems currently defined',
'No Projections currently defined': 'No Projections currently defined',
'No Projects currently registered': 'No Projects currently registered',
'No Question Meta-Data currently registered': 'No Question Meta-Data currently registered',
'No Rapid Assessments currently registered': 'No Rapid Assessments currently registered',
'No Ratings for Skill Type': 'No Ratings for Skill Type',
'No Received Items currently registered': 'No Received Items currently registered',
'No Received Shipments': 'No Received Shipments',
'No Records currently available': 'No Records currently available',
'No Relatives currently registered': 'No Relatives currently registered',
'No Request Items currently registered': 'No Request Items currently registered',
'No Requests': 'No Requests',
'No Requests for Donations': 'No Requests for Donations',
'No Requests for Volunteers': 'No Requests for Volunteers',
'No Rivers currently registered': 'No Rivers currently registered',
'No Roles currently defined': 'No Roles currently defined',
'No Rooms currently registered': 'No Rooms currently registered',
'No Scenarios currently registered': 'No Scenarios currently registered',
'No Search saved': 'No Search saved',
'No Sections currently registered': 'No Sections currently registered',
'No Sectors currently registered': 'No Sectors currently registered',
'No Sent Items currently registered': 'No Sent Items currently registered',
'No Sent Shipments': 'No Sent Shipments',
'No Settings currently defined': 'No Settings currently defined',
'No Shelter Services currently registered': 'No Shelter Services currently registered',
'No Shelter Types currently registered': 'No Shelter Types currently registered',
'No Shelters currently registered': 'No Shelters currently registered',
'No Skills currently requested': 'No Skills currently requested',
'No Solutions currently defined': 'No Solutions currently defined',
'No Staff Types currently registered': 'No Staff Types currently registered',
'No Subscription available': 'No Subscription available',
'No Subsectors currently registered': 'No Subsectors currently registered',
'No Support Requests currently registered': 'No Support Requests currently registered',
'No Tasks currently registered in this event': 'No Tasks currently registered in this event',
'No Tasks currently registered in this scenario': 'No Tasks currently registered in this scenario',
'No Teams currently registered': 'No Teams currently registered',
'No Template Section currently registered': 'No Template Section currently registered',
'No Themes currently defined': 'No Themes currently defined',
'No Tickets currently registered': 'No Tickets currently registered',
'No Users currently registered': 'No Users currently registered',
'No Vehicle Details currently defined': 'No Vehicle Details currently defined',
'No Vehicles currently registered': 'No Vehicles currently registered',
'No Warehouses currently registered': 'No Warehouses currently registered',
'No access at all': 'No access at all',
'No access to this record!': 'No access to this record!',
'No action recommended': 'No action recommended',
'No contact information available': 'No contact information available',
'No contact method found': 'No contact method found',
'No contacts currently registered': 'No contacts currently registered',
'No data in this table - cannot create PDF!': 'No data in this table - cannot create PDF!',
'No databases in this application': 'No databases in this application',
'No dead body reports available': 'No dead body reports available',
'No entries found': 'No entries found',
'No entry available': 'No entry available',
'No forms to the corresponding resource have been downloaded yet.': 'No forms to the corresponding resource have been downloaded yet.',
'No jobs configured': 'No jobs configured',
'No jobs configured yet': 'No jobs configured yet',
'No match': 'No match',
'No matching records found': 'No matching records found',
'No messages in the system': 'No messages in the system',
'No person record found for current user.': 'No person record found for current user.',
'No problem group defined yet': 'No problem group defined yet',
'No reports available.': 'No reports available.',
'No reports currently available': 'No reports currently available',
'No repositories configured': 'No repositories configured',
'No requests found': 'No requests found',
'No resources configured yet': 'No resources configured yet',
'No resources currently reported': 'No resources currently reported',
'No service profile available': 'No service profile available',
'No skills currently set': 'No skills currently set',
'No staff or volunteers currently registered': 'No staff or volunteers currently registered',
'No status information available': 'No status information available',
'No tasks currently assigned': 'No tasks currently assigned',
'No tasks currently registered': 'No tasks currently registered',
'No units currently registered': 'No units currently registered',
'No volunteer availability registered': 'No volunteer availability registered',
'Non-structural Hazards': 'Non-structural Hazards',
'None': 'None',
'None (no such record)': 'None (no such record)',
'Noodles': 'Noodles',
'Normal': 'Normal',
'Not Applicable': 'Not Applicable',
'Not Authorised!': 'Not Authorised!',
'Not Possible': 'Not Possible',
'Not authorised!': 'Not authorised!',
'Not installed or incorrectly configured.': 'Not installed or incorrectly configured.',
'Note that this list only shows active volunteers. To see all people registered in the system, search from this screen instead': 'Note that this list only shows active volunteers. To see all people registered in the system, search from this screen instead',
'Notes': 'Notes',
'Notice to Airmen': 'Notice to Airmen',
'Number of Patients': 'Number of Patients',
'Number of People Required': 'Number of People Required',
'Number of additional beds of that type expected to become available in this unit within the next 24 hours.': 'Number of additional beds of that type expected to become available in this unit within the next 24 hours.',
'Number of alternative places for studying': 'Number of alternative places for studying',
'Number of available/vacant beds of that type in this unit at the time of reporting.': 'Number of available/vacant beds of that type in this unit at the time of reporting.',
'Number of bodies found': 'Number of bodies found',
'Number of deaths during the past 24 hours.': 'Number of deaths during the past 24 hours.',
'Number of discharged patients during the past 24 hours.': 'Number of discharged patients during the past 24 hours.',
'Number of doctors': 'Number of doctors',
'Number of in-patients at the time of reporting.': 'Number of in-patients at the time of reporting.',
'Number of newly admitted patients during the past 24 hours.': 'Number of newly admitted patients during the past 24 hours.',
'Number of non-medical staff': 'Number of non-medical staff',
'Number of nurses': 'Number of nurses',
'Number of private schools': 'Number of private schools',
'Number of public schools': 'Number of public schools',
'Number of religious schools': 'Number of religious schools',
'Number of residential units': 'Number of residential units',
'Number of residential units not habitable': 'Number of residential units not habitable',
'Number of vacant/available beds in this hospital. Automatically updated from daily reports.': 'Number of vacant/available beds in this hospital. Automatically updated from daily reports.',
'Number of vacant/available units to which victims can be transported immediately.': 'Number of vacant/available units to which victims can be transported immediately.',
'Number or Label on the identification tag this person is wearing (if any).': 'Number or Label on the identification tag this person is wearing (if any).',
'Number or code used to mark the place of find, e.g. flag code, grid coordinates, site reference number or similar (if available)': 'Number or code used to mark the place of find, e.g. flag code, grid coordinates, site reference number or similar (if available)',
'Number/Percentage of affected population that is Female & Aged 0-5': 'Number/Percentage of affected population that is Female & Aged 0-5',
'Number/Percentage of affected population that is Female & Aged 13-17': 'Number/Percentage of affected population that is Female & Aged 13-17',
'Number/Percentage of affected population that is Female & Aged 18-25': 'Number/Percentage of affected population that is Female & Aged 18-25',
'Number/Percentage of affected population that is Female & Aged 26-60': 'Number/Percentage of affected population that is Female & Aged 26-60',
'Number/Percentage of affected population that is Female & Aged 6-12': 'Number/Percentage of affected population that is Female & Aged 6-12',
'Number/Percentage of affected population that is Female & Aged 61+': 'Number/Percentage of affected population that is Female & Aged 61+',
'Number/Percentage of affected population that is Male & Aged 0-5': 'Number/Percentage of affected population that is Male & Aged 0-5',
'Number/Percentage of affected population that is Male & Aged 13-17': 'Number/Percentage of affected population that is Male & Aged 13-17',
'Number/Percentage of affected population that is Male & Aged 18-25': 'Number/Percentage of affected population that is Male & Aged 18-25',
'Number/Percentage of affected population that is Male & Aged 26-60': 'Number/Percentage of affected population that is Male & Aged 26-60',
'Number/Percentage of affected population that is Male & Aged 6-12': 'Number/Percentage of affected population that is Male & Aged 6-12',
'Number/Percentage of affected population that is Male & Aged 61+': 'Number/Percentage of affected population that is Male & Aged 61+',
'Numeric Question:': 'Numeric Question:',
'Nursery Beds': 'Nursery Beds',
'Nutrition': 'Nutrition',
'Nutrition problems': 'Nutrition problems',
'OCR Form Review': 'OCR Form Review',
'OK': 'OK',
'OR Reason': 'OR Reason',
'OR Status': 'OR Status',
'OR Status Reason': 'OR Status Reason',
'Objectives': 'Objectives',
'Observer': 'Observer',
'Obsolete': 'Obsolete',
'Obstetrics/Gynecology': 'Obstetrics/Gynecology',
'Office': 'Office',
'Office Address': 'Office Address',
'Office Details': 'Office Details',
'Office Phone': 'Office Phone',
'Office added': 'Office added',
'Office deleted': 'Office deleted',
'Office updated': 'Office updated',
'Offices': 'Offices',
'Older people as primary caregivers of children': 'Older people as primary caregivers of children',
'Older people in care homes': 'Older people in care homes',
'Older people participating in coping activities': 'Older people participating in coping activities',
'Older person (>60 yrs)': 'Older person (>60 yrs)',
'On by default?': 'On by default?',
'On by default? (only applicable to Overlays)': 'On by default? (only applicable to Overlays)',
'One Time Cost': 'One Time Cost',
'One time cost': 'One time cost',
'One-time': 'One-time',
'One-time costs': 'One-time costs',
'Oops! Something went wrong...': 'Oops! Something went wrong...',
'Oops! something went wrong on our side.': 'Oops! something went wrong on our side.',
'Opacity (1 for opaque, 0 for fully-transparent)': 'Opacity (1 for opaque, 0 for fully-transparent)',
'Open': 'Open',
'Open area': 'Open area',
'Open recent': 'Open recent',
'Operating Rooms': 'Operating Rooms',
'Optical Character Recognition': 'Optical Character Recognition',
'Optical Character Recognition for reading the scanned handwritten paper forms.': 'Optical Character Recognition for reading the scanned handwritten paper forms.',
'Optional': 'Optional',
'Optional Subject to put into Email - can be used as a Security Password by the service provider': 'Optional Subject to put into Email - can be used as a Security Password by the service provider',
'Optional link to an Incident which this Assessment was triggered by.': 'Optional link to an Incident which this Assessment was triggered by.',
'Optional selection of a MapServer map.': 'Optional selection of a MapServer map.',
'Optional selection of a background color.': 'Optional selection of a background colour.',
'Optional selection of an alternate style.': 'Optional selection of an alternate style.',
'Optional. If you wish to style the features based on values of an attribute, select the attribute to use here.': 'Optional. If you wish to style the features based on values of an attribute, select the attribute to use here.',
'Optional. In GeoServer, this is the Workspace Namespace URI (not the name!). Within the WFS getCapabilities, this is the FeatureType Name part before the colon(:).': 'Optional. In GeoServer, this is the Workspace Namespace URI (not the name!). Within the WFS getCapabilities, this is the FeatureType Name part before the colon(:).',
'Optional. The name of an element whose contents should be a URL of an Image file put into Popups.': 'Optional. The name of an element whose contents should be a URL of an Image file put into Popups.',
'Optional. The name of an element whose contents should be put into Popups.': 'Optional. The name of an element whose contents should be put into Popups.',
"Optional. The name of the geometry column. In PostGIS this defaults to 'the_geom'.": "Optional. The name of the geometry column. In PostGIS this defaults to 'the_geom'.",
'Optional. The name of the schema. In Geoserver this has the form http://host_name/geoserver/wfs/DescribeFeatureType?version=1.1.0&;typename=workspace_name:layer_name.': 'Optional. The name of the schema. In Geoserver this has the form http://host_name/geoserver/wfs/DescribeFeatureType?version=1.1.0&;typename=workspace_name:layer_name.',
'Options': 'Options',
'Order': 'Order',
'Order Created': 'Order Created',
'Order Details': 'Order Details',
'Order Item Details': 'Order Item Details',
'Order Item updated': 'Order Item updated',
'Order Items': 'Order Items',
'Order canceled': 'Order canceled',
'Order updated': 'Order updated',
'Orders': 'Orders',
'Organization': 'Organisation',
'Organization Details': 'Organisation Details',
'Organization Domain Details': 'Organisation Domain Details',
'Organization Domain added': 'Organisation Domain added',
'Organization Domain deleted': 'Organisation Domain deleted',
'Organization Domain updated': 'Organisation Domain updated',
'Organization Domains': 'Organisation Domains',
'Organization Registry': 'Organisation Registry',
'Organization added': 'Organisation added',
'Organization added to Project': 'Organisation added to Project',
'Organization deleted': 'Organisation deleted',
'Organization removed from Project': 'Organisation removed from Project',
'Organization updated': 'Organisation updated',
'Organizational Development': 'Organisational Development',
'Organizations': 'Organisations',
'Origin': 'Origin',
'Origin of the separated children': 'Origin of the separated children',
'Other': 'Other',
'Other (describe)': 'Other (describe)',
'Other (specify)': 'Other (specify)',
'Other Evidence': 'Other Evidence',
'Other Faucet/Piped Water': 'Other Faucet/Piped Water',
'Other Isolation': 'Other Isolation',
'Other Name': 'Other Name',
'Other activities of boys 13-17yrs': 'Other activities of boys 13-17yrs',
'Other activities of boys 13-17yrs before disaster': 'Other activities of boys 13-17yrs before disaster',
'Other activities of boys <12yrs': 'Other activities of boys <12yrs',
'Other activities of boys <12yrs before disaster': 'Other activities of boys <12yrs before disaster',
'Other activities of girls 13-17yrs': 'Other activities of girls 13-17yrs',
'Other activities of girls 13-17yrs before disaster': 'Other activities of girls 13-17yrs before disaster',
'Other activities of girls<12yrs': 'Other activities of girls<12yrs',
'Other activities of girls<12yrs before disaster': 'Other activities of girls<12yrs before disaster',
'Other alternative infant nutrition in use': 'Other alternative infant nutrition in use',
'Other alternative places for study': 'Other alternative places for study',
'Other assistance needed': 'Other assistance needed',
'Other assistance, Rank': 'Other assistance, Rank',
'Other current health problems, adults': 'Other current health problems, adults',
'Other current health problems, children': 'Other current health problems, children',
'Other events': 'Other events',
'Other factors affecting school attendance': 'Other factors affecting school attendance',
'Other major expenses': 'Other major expenses',
'Other non-food items': 'Other non-food items',
'Other recommendations': 'Other recommendations',
'Other residential': 'Other residential',
'Other school assistance received': 'Other school assistance received',
'Other school assistance, details': 'Other school assistance, details',
'Other school assistance, source': 'Other school assistance, source',
'Other settings can only be set by editing a file on the server': 'Other settings can only be set by editing a file on the server',
'Other side dishes in stock': 'Other side dishes in stock',
'Other types of water storage containers': 'Other types of water storage containers',
'Other ways to obtain food': 'Other ways to obtain food',
'Outbound Mail settings are configured in models/000_config.py.': 'Outbound Mail settings are configured in models/000_config.py.',
'Outbox': 'Outbox',
'Outgoing SMS Handler': 'Outgoing SMS Handler',
'Outgoing SMS handler': 'Outgoing SMS handler',
'Overall Hazards': 'Overall Hazards',
'Overhead falling hazard': 'Overhead falling hazard',
'Overland Flow Flood': 'Overland Flow Flood',
'Overlays': 'Overlays',
'Owned Resources': 'Owned Resources',
'PAHO UID': 'PAHO UID',
'PDAM': 'PDAM',
'PDF File': 'PDF File',
'PIN': 'PIN',
'PIN number ': 'PIN number ',
'PL Women': 'PL Women',
'Pack': 'Pack',
'Packs': 'Packs',
'Page': 'Page',
'Pan Map: keep the left mouse button pressed and drag the map': 'Pan Map: keep the left mouse button pressed and drag the map',
'Parameters': 'Parameters',
'Parapets, ornamentation': 'Parapets, ornamentation',
'Parent': 'Parent',
'Parent Office': 'Parent Office',
"Parent level should be higher than this record's level. Parent level is": "Parent level should be higher than this record's level. Parent level is",
'Parent needs to be of the correct level': 'Parent needs to be of the correct level',
'Parent needs to be set': 'Parent needs to be set',
'Parent needs to be set for locations of level': 'Parent needs to be set for locations of level',
'Parents/Caregivers missing children': 'Parents/Caregivers missing children',
'Parking Area': 'Parking Area',
'Partial': 'Partial',
'Participant': 'Participant',
'Partner National Society': 'Partner National Society',
'Pass': 'Pass',
'Passport': 'Passport',
'Password': 'Password',
"Password fields don't match": "Password fields don't match",
'Password to use for authentication at the remote site': 'Password to use for authentication at the remote site',
'Path': 'Path',
'Pathology': 'Pathology',
'Patient': 'Patient',
'Patient Details': 'Patient Details',
'Patient Tracking': 'Patient Tracking',
'Patient added': 'Patient added',
'Patient deleted': 'Patient deleted',
'Patient updated': 'Patient updated',
'Patients': 'Patients',
'Pediatric ICU': 'Pediatric ICU',
'Pediatric Psychiatric': 'Pediatric Psychiatric',
'Pediatrics': 'Pediatrics',
'Pending': 'Pending',
'People': 'People',
'People Needing Food': 'People Needing Food',
'People Needing Shelter': 'People Needing Shelter',
'People Needing Water': 'People Needing Water',
'People Trapped': 'People Trapped',
'Performance Rating': 'Performance Rating',
'Person': 'Person',
'Person 1': 'Person 1',
'Person 1, Person 2 are the potentially duplicate records': 'Person 1, Person 2 are the potentially duplicate records',
'Person 2': 'Person 2',
'Person De-duplicator': 'Person De-duplicator',
'Person Details': 'Person Details',
'Person Name': 'Person Name',
'Person Registry': 'Person Registry',
'Person added': 'Person added',
'Person added to Commitment': 'Person added to Commitment',
'Person deleted': 'Person deleted',
'Person details updated': 'Person details updated',
'Person interviewed': 'Person interviewed',
'Person must be specified!': 'Person must be specified!',
'Person removed from Commitment': 'Person removed from Commitment',
'Person who has actually seen the person/group.': 'Person who has actually seen the person/group.',
'Person/Group': 'Person/Group',
'Personal Data': 'Personal Data',
'Personal Effects': 'Personal Effects',
'Personal Effects Details': 'Personal Effects Details',
'Personal Map': 'Personal Map',
'Personal Profile': 'Personal Profile',
'Personal impact of disaster': 'Personal impact of disaster',
'Persons': 'Persons',
'Persons in institutions': 'Persons in institutions',
'Persons with disability (mental)': 'Persons with disability (mental)',
'Persons with disability (physical)': 'Persons with disability (physical)',
'Phone': 'Phone',
'Phone 1': 'Phone 1',
'Phone 2': 'Phone 2',
'Phone number is required': 'Phone number is required',
"Phone number to donate to this organization's relief efforts.": "Phone number to donate to this organization's relief efforts.",
'Phone/Business': 'Phone/Business',
'Phone/Emergency': 'Phone/Emergency',
'Phone/Exchange (Switchboard)': 'Phone/Exchange (Switchboard)',
'Photo': 'Photo',
'Photo Details': 'Photo Details',
'Photo Taken?': 'Photo Taken?',
'Photo added': 'Photo added',
'Photo deleted': 'Photo deleted',
'Photo updated': 'Photo updated',
'Photograph': 'Photograph',
'Photos': 'Photos',
'Physical Description': 'Physical Description',
'Physical Safety': 'Physical Safety',
'Picture': 'Picture',
'Picture upload and finger print upload facility': 'Picture upload and finger print upload facility',
'Place': 'Place',
'Place of Recovery': 'Place of Recovery',
'Place on Map': 'Place on Map',
'Places for defecation': 'Places for defecation',
'Places the children have been sent to': 'Places the children have been sent to',
'Playing': 'Playing',
"Please come back after sometime if that doesn't help.": "Please come back after sometime if that doesn't help.",
'Please enter a first name': 'Please enter a first name',
'Please enter a number only': 'Please enter a number only',
'Please enter a site OR a location': 'Please enter a site OR a location',
'Please enter a valid email address': 'Please enter a valid email address',
'Please enter the first few letters of the Person/Group for the autocomplete.': 'Please enter the first few letters of the Person/Group for the autocomplete.',
'Please enter the recipient': 'Please enter the recipient',
'Please fill this!': 'Please fill this!',
'Please give an estimated figure about how many bodies have been found.': 'Please give an estimated figure about how many bodies have been found.',
'Please provide the URL of the page you are referring to, a description of what you expected to happen & what actually happened.': 'Please provide the URL of the page you are referring to, a description of what you expected to happen & what actually happened.',
'Please report here where you are:': 'Please report here where you are:',
'Please select': 'Please select',
'Please select another level': 'Please select another level',
'Please specify any problems and obstacles with the proper handling of the disease, in detail (in numbers, where appropriate). You may also add suggestions the situation could be improved.': 'Please specify any problems and obstacles with the proper handling of the disease, in detail (in numbers, where appropriate). You may also add suggestions the situation could be improved.',
'Please use this field to record any additional information, including a history of the record if it is updated.': 'Please use this field to record any additional information, including a history of the record if it is updated.',
'Please use this field to record any additional information, including any Special Needs.': 'Please use this field to record any additional information, including any Special Needs.',
'Please use this field to record any additional information, such as Ushahidi instance IDs. Include a history of the record if it is updated.': 'Please use this field to record any additional information, such as Ushahidi instance IDs. Include a history of the record if it is updated.',
'Pledge Support': 'Pledge Support',
'Point': 'Point',
'Poisoning': 'Poisoning',
'Poisonous Gas': 'Poisonous Gas',
'Police': 'Police',
'Pollution and other environmental': 'Pollution and other environmental',
'Polygon': 'Polygon',
'Polygon reference of the rating unit': 'Polygon reference of the rating unit',
'Poor': 'Poor',
'Population': 'Population',
'Population Statistic Details': 'Population Statistic Details',
'Population Statistic added': 'Population Statistic added',
'Population Statistic deleted': 'Population Statistic deleted',
'Population Statistic updated': 'Population Statistic updated',
'Population Statistics': 'Population Statistics',
'Population and number of households': 'Population and number of households',
'Popup Fields': 'Popup Fields',
'Popup Label': 'Popup Label',
'Porridge': 'Porridge',
'Port': 'Port',
'Port Closure': 'Port Closure',
'Portable App': 'Portable App',
'Portal at': 'Portal at',
'Portuguese': 'Portuguese',
'Portuguese (Brazil)': 'Portuguese (Brazil)',
'Position': 'Position',
'Position Catalog': 'Position Catalogue',
'Position Details': 'Position Details',
'Position added': 'Position added',
'Position deleted': 'Position deleted',
'Position updated': 'Position updated',
'Positions': 'Positions',
'Postcode': 'Postcode',
'Poultry': 'Poultry',
'Poultry restocking, Rank': 'Poultry restocking, Rank',
'Power Failure': 'Power Failure',
'Powered by Sahana Eden': 'Powered by Sahana Eden',
'Pre-cast connections': 'Pre-cast connections',
'Preferred Name': 'Preferred Name',
'Pregnant women': 'Pregnant women',
'Preliminary': 'Preliminary',
'Presence': 'Presence',
'Presence Condition': 'Presence Condition',
'Presence Log': 'Presence Log',
'Previous View': 'Previous View',
'Primary Occupancy': 'Primary Occupancy',
'Priority': 'Priority',
'Priority from 1 to 9. 1 is most preferred.': 'Priority from 1 to 9. 1 is most preferred.',
'Privacy': 'Privacy',
'Private': 'Private',
'Problem': 'Problem',
'Problem Administration': 'Problem Administration',
'Problem Details': 'Problem Details',
'Problem Group': 'Problem Group',
'Problem Title': 'Problem Title',
'Problem added': 'Problem added',
'Problem connecting to twitter.com - please refresh': 'Problem connecting to twitter.com - please refresh',
'Problem deleted': 'Problem deleted',
'Problem updated': 'Problem updated',
'Problems': 'Problems',
'Procedure': 'Procedure',
'Process Received Shipment': 'Process Received Shipment',
'Process Shipment to Send': 'Process Shipment to Send',
'Profile': 'Profile',
'Project': 'Project',
'Project Details': 'Project Details',
'Project Details including organizations': 'Project Details including organisations',
'Project Details including organizations and communities': 'Project Details including organisations and communities',
'Project Organization Details': 'Project Organisation Details',
'Project Organization updated': 'Project Organisation updated',
'Project Organizations': 'Project Organisations',
'Project Site': 'Project Site',
'Project Sites': 'Project Sites',
'Project Status': 'Project Status',
'Project Tracking': 'Project Tracking',
'Project added': 'Project added',
'Project deleted': 'Project deleted',
'Project updated': 'Project updated',
'Projection': 'Projection',
'Projection Details': 'Projection Details',
'Projection added': 'Projection added',
'Projection deleted': 'Projection deleted',
'Projection updated': 'Projection updated',
'Projections': 'Projections',
'Projects': 'Projects',
'Property reference in the council system': 'Property reference in the council system',
'Protection': 'Protection',
'Provide Metadata for your media files': 'Provide Metadata for your media files',
'Provide a password': 'Provide a password',
'Provide an optional sketch of the entire building or damage points. Indicate damage points.': 'Provide an optional sketch of the entire building or damage points. Indicate damage points.',
'Proxy Server URL': 'Proxy Server URL',
'Psychiatrics/Adult': 'Psychiatrics/Adult',
'Psychiatrics/Pediatric': 'Psychiatrics/Pediatric',
'Public': 'Public',
'Public Event': 'Public Event',
'Public and private transportation': 'Public and private transportation',
'Public assembly': 'Public assembly',
'Pull tickets from external feed': 'Pull tickets from external feed',
'Purchase Date': 'Purchase Date',
'Purpose': 'Purpose',
'Push tickets to external system': 'Push tickets to external system',
'Pyroclastic Flow': 'Pyroclastic Flow',
'Pyroclastic Surge': 'Pyroclastic Surge',
'Python Serial module not available within the running Python - this needs installing to activate the Modem': 'Python Serial module not available within the running Python - this needs installing to activate the Modem',
'Quantity': 'Quantity',
'Quantity Committed': 'Quantity Committed',
'Quantity Fulfilled': 'Quantity Fulfilled',
"Quantity in %s's Inventory": "Quantity in %s's Inventory",
'Quantity in Transit': 'Quantity in Transit',
'Quarantine': 'Quarantine',
'Queries': 'Queries',
'Query': 'Query',
'Queryable?': 'Queryable?',
'Question': 'Question',
'Question Details': 'Question Details',
'Question Meta-Data': 'Question Meta-Data',
'Question Meta-Data Details': 'Question Meta-Data Details',
'Question Meta-Data added': 'Question Meta-Data added',
'Question Meta-Data deleted': 'Question Meta-Data deleted',
'Question Meta-Data updated': 'Question Meta-Data updated',
'Question Summary': 'Question Summary',
'RC frame with masonry infill': 'RC frame with masonry infill',
'RECORD A': 'RECORD A',
'RECORD B': 'RECORD B',
'RMS': 'RMS',
'RMS Team': 'RMS Team',
'Race': 'Race',
'Radio': 'Radio',
'Radio Details': 'Radio Details',
'Radiological Hazard': 'Radiological Hazard',
'Radiology': 'Radiology',
'Railway Accident': 'Railway Accident',
'Railway Hijacking': 'Railway Hijacking',
'Rain Fall': 'Rain Fall',
'Rapid Assessment': 'Rapid Assessment',
'Rapid Assessment Details': 'Rapid Assessment Details',
'Rapid Assessment added': 'Rapid Assessment added',
'Rapid Assessment deleted': 'Rapid Assessment deleted',
'Rapid Assessment updated': 'Rapid Assessment updated',
'Rapid Assessments': 'Rapid Assessments',
'Rapid Assessments & Flexible Impact Assessments': 'Rapid Assessments & Flexible Impact Assessments',
'Rapid Close Lead': 'Rapid Close Lead',
'Rapid Data Entry': 'Rapid Data Entry',
'Raw Database access': 'Raw Database access',
'Receive': 'Receive',
'Receive New Shipment': 'Receive New Shipment',
'Receive Shipment': 'Receive Shipment',
'Receive this shipment?': 'Receive this shipment?',
'Received': 'Received',
'Received By': 'Received By',
'Received By Person': 'Received By Person',
'Received Item Details': 'Received Item Details',
'Received Item updated': 'Received Item updated',
'Received Shipment Details': 'Received Shipment Details',
'Received Shipment canceled': 'Received Shipment canceled',
'Received Shipment canceled and items removed from Inventory': 'Received Shipment canceled and items removed from Inventory',
'Received Shipment updated': 'Received Shipment updated',
'Received Shipments': 'Received Shipments',
'Receiving and Sending Items': 'Receiving and Sending Items',
'Recipient': 'Recipient',
'Recipients': 'Recipients',
'Recommendations for Repair and Reconstruction or Demolition': 'Recommendations for Repair and Reconstruction or Demolition',
'Record': 'Record',
'Record Details': 'Record Details',
'Record Saved': 'Record Saved',
'Record added': 'Record added',
'Record any restriction on use or entry': 'Record any restriction on use or entry',
'Record created': 'Record created',
'Record deleted': 'Record deleted',
'Record last updated': 'Record last updated',
'Record not found': 'Record not found',
'Record not found!': 'Record not found!',
'Record updated': 'Record updated',
'Recording and Assigning Assets': 'Recording and Assigning Assets',
'Recovery': 'Recovery',
'Recovery Request': 'Recovery Request',
'Recovery Request added': 'Recovery Request added',
'Recovery Request deleted': 'Recovery Request deleted',
'Recovery Request updated': 'Recovery Request updated',
'Recurring': 'Recurring',
'Recurring Cost': 'Recurring Cost',
'Recurring cost': 'Recurring cost',
'Recurring costs': 'Recurring costs',
'Red': 'Red',
'Red Cross / Red Crescent': 'Red Cross / Red Crescent',
'Reference Document': 'Reference Document',
'Refresh Rate (seconds)': 'Refresh Rate (seconds)',
'Region': 'Region',
'Region Location': 'Region Location',
'Regional': 'Regional',
'Register': 'Register',
'Register Person': 'Register Person',
'Register Person into this Camp': 'Register Person into this Camp',
'Register Person into this Shelter': 'Register Person into this Shelter',
'Register them as a volunteer': 'Register them as a volunteer',
'Registered People': 'Registered People',
'Registered users can': 'Registered users can',
'Registration': 'Registration',
'Registration Details': 'Registration Details',
'Registration added': 'Registration added',
'Registration entry deleted': 'Registration entry deleted',
'Registration is still pending approval from Approver (%s) - please wait until confirmation received.': 'Registration is still pending approval from Approver (%s) - please wait until confirmation received.',
'Registration key': 'Registration key',
'Registration updated': 'Registration updated',
'Rehabilitation/Long Term Care': 'Rehabilitation/Long Term Care',
'Reinforced masonry': 'Reinforced masonry',
'Rejected': 'Rejected',
'Relative Details': 'Relative Details',
'Relative added': 'Relative added',
'Relative deleted': 'Relative deleted',
'Relative updated': 'Relative updated',
'Relatives': 'Relatives',
'Relief': 'Relief',
'Relief Team': 'Relief Team',
'Religion': 'Religion',
'Religious': 'Religious',
'Religious Leader': 'Religious Leader',
'Relocate as instructed in the <instruction>': 'Relocate as instructed in the <instruction>',
'Remote Error': 'Remote Error',
'Remove': 'Remove',
'Remove Activity from this event': 'Remove Activity from this event',
'Remove Asset from this event': 'Remove Asset from this event',
'Remove Asset from this scenario': 'Remove Asset from this scenario',
'Remove Document from this request': 'Remove Document from this request',
'Remove Facility from this event': 'Remove Facility from this event',
'Remove Facility from this scenario': 'Remove Facility from this scenario',
'Remove Human Resource from this event': 'Remove Human Resource from this event',
'Remove Human Resource from this scenario': 'Remove Human Resource from this scenario',
'Remove Incident from this event': 'Remove Incident from this event',
'Remove Item from Inventory': 'Remove Item from Inventory',
'Remove Item from Order': 'Remove Item from Order',
'Remove Item from Shipment': 'Remove Item from Shipment',
'Remove Map Configuration from this event': 'Remove Map Configuration from this event',
'Remove Map Configuration from this scenario': 'Remove Map Configuration from this scenario',
'Remove Organization from Project': 'Remove Organisation from Project',
'Remove Person from Commitment': 'Remove Person from Commitment',
'Remove Skill': 'Remove Skill',
'Remove Skill from Request': 'Remove Skill from Request',
'Remove Task from this event': 'Remove Task from this event',
'Remove Task from this scenario': 'Remove Task from this scenario',
'Remove this asset from this event': 'Remove this asset from this event',
'Remove this asset from this scenario': 'Remove this asset from this scenario',
'Remove this facility from this event': 'Remove this facility from this event',
'Remove this facility from this scenario': 'Remove this facility from this scenario',
'Remove this human resource from this event': 'Remove this human resource from this event',
'Remove this human resource from this scenario': 'Remove this human resource from this scenario',
'Remove this task from this event': 'Remove this task from this event',
'Remove this task from this scenario': 'Remove this task from this scenario',
'Repair': 'Repair',
'Repaired': 'Repaired',
'Repeat your password': 'Repeat your password',
'Report': 'Report',
'Report Another Assessment...': 'Report Another Assessment...',
'Report Details': 'Report Details',
'Report Resource': 'Report Resource',
'Report To': 'Report To',
'Report Types Include': 'Report Types Include',
'Report added': 'Report added',
'Report deleted': 'Report deleted',
'Report my location': 'Report my location',
'Report the contributing factors for the current EMS status.': 'Report the contributing factors for the current EMS status.',
'Report the contributing factors for the current OR status.': 'Report the contributing factors for the current OR status.',
'Report them as found': 'Report them as found',
'Report them missing': 'Report them missing',
'Report updated': 'Report updated',
'ReportLab module not available within the running Python - this needs installing for PDF output!': 'ReportLab module not available within the running Python - this needs installing for PDF output!',
'Reported To': 'Reported To',
'Reporter': 'Reporter',
'Reporter Name': 'Reporter Name',
'Reporting on the projects in the region': 'Reporting on the projects in the region',
'Reports': 'Reports',
'Repositories': 'Repositories',
'Repository': 'Repository',
'Repository Base URL': 'Repository Base URL',
'Repository Configuration': 'Repository Configuration',
'Repository Name': 'Repository Name',
'Repository UUID': 'Repository UUID',
'Repository configuration deleted': 'Repository configuration deleted',
'Repository configuration updated': 'Repository configuration updated',
'Repository configured': 'Repository configured',
'Request': 'Request',
'Request Added': 'Request Added',
'Request Canceled': 'Request Canceled',
'Request Details': 'Request Details',
'Request From': 'Request From',
'Request Item': 'Request Item',
'Request Item Details': 'Request Item Details',
'Request Item added': 'Request Item added',
'Request Item deleted': 'Request Item deleted',
'Request Item from Available Inventory': 'Request Item from Available Inventory',
'Request Item updated': 'Request Item updated',
'Request Items': 'Request Items',
'Request New People': 'Request New People',
'Request Number': 'Request Number',
'Request Status': 'Request Status',
'Request Type': 'Request Type',
'Request Updated': 'Request Updated',
'Request added': 'Request added',
'Request deleted': 'Request deleted',
'Request for Account': 'Request for Account',
'Request for Donations Added': 'Request for Donations Added',
'Request for Donations Canceled': 'Request for Donations Canceled',
'Request for Donations Details': 'Request for Donations Details',
'Request for Donations Updated': 'Request for Donations Updated',
'Request for Role Upgrade': 'Request for Role Upgrade',
'Request for Volunteers Added': 'Request for Volunteers Added',
'Request for Volunteers Canceled': 'Request for Volunteers Canceled',
'Request for Volunteers Details': 'Request for Volunteers Details',
'Request for Volunteers Updated': 'Request for Volunteers Updated',
'Request updated': 'Request updated',
'Request, Response & Session': 'Request, Response & Session',
'Requested': 'Requested',
'Requested By': 'Requested By',
'Requested By Facility': 'Requested By Facility',
'Requested For': 'Requested For',
'Requested For Facility': 'Requested For Facility',
'Requested From': 'Requested From',
'Requested Items': 'Requested Items',
'Requested Skill Details': 'Requested Skill Details',
'Requested Skill updated': 'Requested Skill updated',
'Requested Skills': 'Requested Skills',
'Requester': 'Requester',
'Requests': 'Requests',
'Requests Management': 'Requests Management',
'Requests for Donations': 'Requests for Donations',
'Requests for Volunteers': 'Requests for Volunteers',
'Required Skills': 'Required Skills',
'Requires Login': 'Requires Login',
'Requires Login!': 'Requires Login!',
'Rescue and recovery': 'Rescue and recovery',
'Reset': 'Reset',
'Reset Password': 'Reset Password',
'Resolve': 'Resolve',
'Resolve link brings up a new screen which helps to resolve these duplicate records and update the database.': 'Resolve link brings up a new screen which helps to resolve these duplicate records and update the database.',
'Resource': 'Resource',
'Resource Configuration': 'Resource Configuration',
'Resource Details': 'Resource Details',
'Resource Mapping System': 'Resource Mapping System',
'Resource Mapping System account has been activated': 'Resource Mapping System account has been activated',
'Resource Name': 'Resource Name',
'Resource added': 'Resource added',
'Resource configuration deleted': 'Resource configuration deleted',
'Resource configuration updated': 'Resource configuration updated',
'Resource configured': 'Resource configured',
'Resource deleted': 'Resource deleted',
'Resource updated': 'Resource updated',
'Resources': 'Resources',
'Respiratory Infections': 'Respiratory Infections',
'Response': 'Response',
'Restricted Access': 'Restricted Access',
'Restricted Use': 'Restricted Use',
'Results': 'Results',
'Retail Crime': 'Retail Crime',
'Retrieve Password': 'Retrieve Password',
'Return': 'Return',
'Return to Request': 'Return to Request',
'Returned': 'Returned',
'Returned From': 'Returned From',
'Review Incoming Shipment to Receive': 'Review Incoming Shipment to Receive',
'Rice': 'Rice',
'Riot': 'Riot',
'River': 'River',
'River Details': 'River Details',
'River added': 'River added',
'River deleted': 'River deleted',
'River updated': 'River updated',
'Rivers': 'Rivers',
'Road Accident': 'Road Accident',
'Road Closed': 'Road Closed',
'Road Conditions': 'Road Conditions',
'Road Delay': 'Road Delay',
'Road Hijacking': 'Road Hijacking',
'Road Usage Condition': 'Road Usage Condition',
'Roads Layer': 'Roads Layer',
'Role': 'Role',
'Role Details': 'Role Details',
'Role Required': 'Role Required',
'Role Updated': 'Role Updated',
'Role added': 'Role added',
'Role deleted': 'Role deleted',
'Role updated': 'Role updated',
'Roles': 'Roles',
'Roles Permitted': 'Roles Permitted',
'Roof tile': 'Roof tile',
'Roofs, floors (vertical load)': 'Roofs, floors (vertical load)',
'Room': 'Room',
'Room Details': 'Room Details',
'Room added': 'Room added',
'Room deleted': 'Room deleted',
'Room updated': 'Room updated',
'Rooms': 'Rooms',
'Rows in table': 'Rows in table',
'Rows selected': 'Rows selected',
'Running Cost': 'Running Cost',
'Russian': 'Russian',
'SMS': 'SMS',
'SMS Modems (Inbound & Outbound)': 'SMS Modems (Inbound & Outbound)',
'SMS Outbound': 'SMS Outbound',
'SMS Settings': 'SMS Settings',
'SMS settings updated': 'SMS settings updated',
'SMTP to SMS settings updated': 'SMTP to SMS settings updated',
'Safe environment for vulnerable groups': 'Safe environment for vulnerable groups',
'Safety Assessment Form': 'Safety Assessment Form',
'Safety of children and women affected by disaster?': 'Safety of children and women affected by disaster?',
'Sahana Eden': 'Sahana Eden',
'Sahana Eden Humanitarian Management Platform': 'Sahana Eden Humanitarian Management Platform',
'Sahana Eden portable application generator': 'Sahana Eden portable application generator',
'Salted Fish': 'Salted Fish',
'Sanitation problems': 'Sanitation problems',
'Satellite': 'Satellite',
'Satellite Layer': 'Satellite Layer',
'Saturday': 'Saturday',
'Save': 'Save',
'Save Search': 'Save Search',
'Save: Default Lat, Lon & Zoom for the Viewport': 'Save: Default Lat, Lon & Zoom for the Viewport',
'Saved Search Details': 'Saved Search Details',
'Saved Search added': 'Saved Search added',
'Saved Search deleted': 'Saved Search deleted',
'Saved Search updated': 'Saved Search updated',
'Saved Searches': 'Saved Searches',
'Saved.': 'Saved.',
'Saving...': 'Saving...',
'Scale of Results': 'Scale of Results',
'Scanned Copy': 'Scanned Copy',
'Scanned Forms Upload': 'Scanned Forms Upload',
'Scenario': 'Scenario',
'Scenario Details': 'Scenario Details',
'Scenario added': 'Scenario added',
'Scenario deleted': 'Scenario deleted',
'Scenario updated': 'Scenario updated',
'Scenarios': 'Scenarios',
'Schedule': 'Schedule',
'Schedule synchronization jobs': 'Schedule synchronisation jobs',
'Schema': 'Schema',
'School': 'School',
'School Closure': 'School Closure',
'School Lockdown': 'School Lockdown',
'School Teacher': 'School Teacher',
'School activities': 'School activities',
'School assistance': 'School assistance',
'School attendance': 'School attendance',
'School destroyed': 'School destroyed',
'School heavily damaged': 'School heavily damaged',
'School tents received': 'School tents received',
'School tents, source': 'School tents, source',
'School used for other purpose': 'School used for other purpose',
'School/studying': 'School/studying',
'Search': 'Search',
'Search Activities': 'Search Activities',
'Search Activity Report': 'Search Activity Report',
'Search Addresses': 'Search Addresses',
'Search Alternative Items': 'Search Alternative Items',
'Search Assessment Summaries': 'Search Assessment Summaries',
'Search Assessments': 'Search Assessments',
'Search Asset Log': 'Search Asset Log',
'Search Assets': 'Search Assets',
'Search Baseline Type': 'Search Baseline Type',
'Search Baselines': 'Search Baselines',
'Search Brands': 'Search Brands',
'Search Budgets': 'Search Budgets',
'Search Bundles': 'Search Bundles',
'Search Camp Services': 'Search Camp Services',
'Search Camp Types': 'Search Camp Types',
'Search Camps': 'Search Camps',
'Search Catalog Items': 'Search Catalogue Items',
'Search Catalogs': 'Search Catalogues',
'Search Certificates': 'Search Certificates',
'Search Certifications': 'Search Certifications',
'Search Checklists': 'Search Checklists',
'Search Cluster Subsectors': 'Search Cluster Subsectors',
'Search Clusters': 'Search Clusters',
'Search Commitment Items': 'Search Commitment Items',
'Search Commitments': 'Search Commitments',
'Search Committed People': 'Search Committed People',
'Search Competency Ratings': 'Search Competency Ratings',
'Search Contact Information': 'Search Contact Information',
'Search Contacts': 'Search Contacts',
'Search Course Certificates': 'Search Course Certificates',
'Search Courses': 'Search Courses',
'Search Credentials': 'Search Credentials',
'Search Criteria': 'Search Criteria',
'Search Documents': 'Search Documents',
'Search Donors': 'Search Donors',
'Search Entries': 'Search Entries',
'Search Events': 'Search Events',
'Search Facilities': 'Search Facilities',
'Search Feature Class': 'Search Feature Class',
'Search Feature Layers': 'Search Feature Layers',
'Search Flood Reports': 'Search Flood Reports',
'Search GPS data': 'Search GPS data',
'Search Geonames': 'Search Geonames',
'Search Groups': 'Search Groups',
'Search Homes': 'Search Homes',
'Search Human Resources': 'Search Human Resources',
'Search Identity': 'Search Identity',
'Search Images': 'Search Images',
'Search Impact Type': 'Search Impact Type',
'Search Impacts': 'Search Impacts',
'Search Import Files': 'Search Import Files',
'Search Incident Reports': 'Search Incident Reports',
'Search Incidents': 'Search Incidents',
'Search Inventory Items': 'Search Inventory Items',
'Search Inventory items': 'Search Inventory items',
'Search Item Categories': 'Search Item Categories',
'Search Item Packs': 'Search Item Packs',
'Search Items': 'Search Items',
'Search Job Roles': 'Search Job Roles',
'Search Kits': 'Search Kits',
'Search Layers': 'Search Layers',
'Search Level': 'Search Level',
'Search Level 1 Assessments': 'Search Level 1 Assessments',
'Search Level 2 Assessments': 'Search Level 2 Assessments',
'Search Locations': 'Search Locations',
'Search Log Entry': 'Search Log Entry',
'Search Map Configurations': 'Search Map Configurations',
'Search Markers': 'Search Markers',
'Search Member': 'Search Member',
'Search Membership': 'Search Membership',
'Search Memberships': 'Search Memberships',
'Search Missions': 'Search Missions',
'Search Need Type': 'Search Need Type',
'Search Needs': 'Search Needs',
'Search Offices': 'Search Offices',
'Search Order Items': 'Search Order Items',
'Search Orders': 'Search Orders',
'Search Organization Domains': 'Search Organisation Domains',
'Search Organizations': 'Search Organisations',
'Search Patients': 'Search Patients',
'Search Personal Effects': 'Search Personal Effects',
'Search Persons': 'Search Persons',
'Search Photos': 'Search Photos',
'Search Population Statistics': 'Search Population Statistics',
'Search Positions': 'Search Positions',
'Search Problems': 'Search Problems',
'Search Project Organizations': 'Search Project Organisations',
'Search Projections': 'Search Projections',
'Search Projects': 'Search Projects',
'Search Rapid Assessments': 'Search Rapid Assessments',
'Search Received Items': 'Search Received Items',
'Search Received Shipments': 'Search Received Shipments',
'Search Records': 'Search Records',
'Search Registations': 'Search Registations',
'Search Relatives': 'Search Relatives',
'Search Report': 'Search Report',
'Search Request': 'Search Request',
'Search Request Items': 'Search Request Items',
'Search Requested Items': 'Search Requested Items',
'Search Requested Skills': 'Search Requested Skills',
'Search Requests': 'Search Requests',
'Search Requests for Donations': 'Search Requests for Donations',
'Search Requests for Volunteers': 'Search Requests for Volunteers',
'Search Resources': 'Search Resources',
'Search Rivers': 'Search Rivers',
'Search Roles': 'Search Roles',
'Search Rooms': 'Search Rooms',
'Search Saved Searches': 'Search Saved Searches',
'Search Scenarios': 'Search Scenarios',
'Search Sections': 'Search Sections',
'Search Sectors': 'Search Sectors',
'Search Sent Items': 'Search Sent Items',
'Search Sent Shipments': 'Search Sent Shipments',
'Search Service Profiles': 'Search Service Profiles',
'Search Settings': 'Search Settings',
'Search Shelter Services': 'Search Shelter Services',
'Search Shelter Types': 'Search Shelter Types',
'Search Shelters': 'Search Shelters',
'Search Skill Equivalences': 'Search Skill Equivalences',
'Search Skill Provisions': 'Search Skill Provisions',
'Search Skill Types': 'Search Skill Types',
'Search Skills': 'Search Skills',
'Search Solutions': 'Search Solutions',
'Search Staff Types': 'Search Staff Types',
'Search Staff or Volunteer': 'Search Staff or Volunteer',
'Search Status': 'Search Status',
'Search Subscriptions': 'Search Subscriptions',
'Search Subsectors': 'Search Subsectors',
'Search Support Requests': 'Search Support Requests',
'Search Tasks': 'Search Tasks',
'Search Teams': 'Search Teams',
'Search Themes': 'Search Themes',
'Search Tickets': 'Search Tickets',
'Search Trainings': 'Search Trainings',
'Search Twitter Tags': 'Search Twitter Tags',
'Search Units': 'Search Units',
'Search Users': 'Search Users',
'Search Vehicle Details': 'Search Vehicle Details',
'Search Vehicles': 'Search Vehicles',
'Search Volunteer Availability': 'Search Volunteer Availability',
'Search Warehouses': 'Search Warehouses',
'Search and Edit Group': 'Search and Edit Group',
'Search and Edit Individual': 'Search and Edit Individual',
'Search by organization.': 'Search by organisation.',
'Search for Job': 'Search for Job',
'Search for Repository': 'Search for Repository',
'Search for Resource': 'Search for Resource',
'Search for Staff or Volunteers': 'Search for Staff or Volunteers',
'Search for a Location by name, including local names.': 'Search for a Location by name, including local names.',
'Search for a Person': 'Search for a Person',
'Search for a Project': 'Search for a Project',
'Search for a shipment by looking for text in any field.': 'Search for a shipment by looking for text in any field.',
'Search for a shipment received between these dates': 'Search for a shipment received between these dates',
'Search for a vehicle by text.': 'Search for a vehicle by text.',
'Search for an Organization by name or acronym': 'Search for an Organisation by name or acronym',
'Search for an Organization by name or acronym.': 'Search for an Organisation by name or acronym.',
'Search for an asset by text.': 'Search for an asset by text.',
'Search for an item by Year of Manufacture.': 'Search for an item by Year of Manufacture.',
'Search for an item by brand.': 'Search for an item by brand.',
'Search for an item by catalog.': 'Search for an item by catalogue.',
'Search for an item by category.': 'Search for an item by category.',
'Search for an item by its code, name, model and/or comment.': 'Search for an item by its code, name, model and/or comment.',
'Search for an item by text.': 'Search for an item by text.',
'Search for an order by looking for text in any field.': 'Search for an order by looking for text in any field.',
'Search for an order expected between these dates': 'Search for an order expected between these dates',
'Search for asset by location.': 'Search for asset by location.',
'Search for office by location.': 'Search for office by location.',
'Search for office by organization.': 'Search for office by organisation.',
'Search for office by text.': 'Search for office by text.',
'Search for vehicle by location.': 'Search for vehicle by location.',
'Search for warehouse by location.': 'Search for warehouse by location.',
'Search for warehouse by organization.': 'Search for warehouse by organisation.',
'Search for warehouse by text.': 'Search for warehouse by text.',
'Search here for a person record in order to:': 'Search here for a person record in order to:',
'Search messages': 'Search messages',
'Searching for different groups and individuals': 'Searching for different groups and individuals',
'Secondary Server (Optional)': 'Secondary Server (Optional)',
'Seconds must be a number between 0 and 60': 'Seconds must be a number between 0 and 60',
'Section': 'Section',
'Section Details': 'Section Details',
'Section deleted': 'Section deleted',
'Section updated': 'Section updated',
'Sections': 'Sections',
'Sections that are part of this template': 'Sections that are part of this template',
'Sections that can be selected': 'Sections that can be selected',
'Sector': 'Sector',
'Sector Details': 'Sector Details',
'Sector added': 'Sector added',
'Sector deleted': 'Sector deleted',
'Sector updated': 'Sector updated',
'Sector(s)': 'Sector(s)',
'Sectors': 'Sectors',
'Security Required': 'Security Required',
'Security Status': 'Security Status',
'Security problems': 'Security problems',
'See All Entries': 'See All Entries',
'See a detailed description of the module on the Sahana Eden wiki': 'See a detailed description of the module on the Sahana Eden wiki',
'See all': 'See all',
'See the universally unique identifier (UUID) of this repository': 'See the universally unique identifier (UUID) of this repository',
'See unassigned recovery requests': 'See unassigned recovery requests',
'Select Existing Location': 'Select Existing Location',
'Select Items from the Request': 'Select Items from the Request',
'Select Items from this Inventory': 'Select Items from this Inventory',
'Select This Location': 'Select This Location',
"Select a Room from the list or click 'Add Room'": "Select a Room from the list or click 'Add Room'",
'Select a location': 'Select a location',
"Select a manager for status 'assigned'": "Select a manager for status 'assigned'",
'Select a range for the number of total beds': 'Select a range for the number of total beds',
'Select all that apply': 'Select all that apply',
'Select an Organization to see a list of offices': 'Select an Organisation to see a list of offices',
'Select the overlays for Assessments and Activities relating to each Need to identify the gap.': 'Select the overlays for Assessments and Activities relating to each Need to identify the gap.',
'Select the person assigned to this role for this project.': '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 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 this if all specific locations need a parent location in the location hierarchy. This can assist in setting up a 'region' representing an affected area.": "Select this if all specific locations need a parent location in the location hierarchy. This can assist in setting up a 'region' representing an affected area.",
'Select to show this configuration in the menu.': 'Select to show this configuration in the menu.',
'Selected Answers': 'Selected Answers',
'Selected Jobs': 'Selected Jobs',
'Selects what type of gateway to use for outbound SMS': 'Selects what type of gateway to use for outbound SMS',
'Send': 'Send',
'Send Alerts using Email &/or SMS': 'Send Alerts using Email &/or SMS',
'Send Commitment as Shipment': 'Send Commitment as Shipment',
'Send New Shipment': 'Send New Shipment',
'Send Notification': 'Send Notification',
'Send Shipment': 'Send Shipment',
'Send a message to this person': 'Send a message to this person',
'Send from %s': 'Send from %s',
'Send message': 'Send message',
'Send new message': 'Send new message',
'Sends & Receives Alerts via Email & SMS': 'Sends & Receives Alerts via Email & SMS',
'Senior (50+)': 'Senior (50+)',
'Sent': 'Sent',
'Sent By': 'Sent By',
'Sent By Person': 'Sent By Person',
'Sent Item Details': 'Sent Item Details',
'Sent Item deleted': 'Sent Item deleted',
'Sent Item updated': 'Sent Item updated',
'Sent Shipment Details': 'Sent Shipment Details',
'Sent Shipment canceled': 'Sent Shipment canceled',
'Sent Shipment canceled and items returned to Inventory': 'Sent Shipment canceled and items returned to Inventory',
'Sent Shipment updated': 'Sent Shipment updated',
'Sent Shipments': 'Sent Shipments',
'Separated children, caregiving arrangements': 'Separated children, caregiving arrangements',
'Serial Number': 'Serial Number',
'Series': 'Series',
'Series Analysis': 'Series Analysis',
'Series Details': 'Series Details',
'Series Map': 'Series Map',
'Series Summary': 'Series Summary',
'Server': 'Server',
'Service Catalog': 'Service Catalogue',
'Service Due': 'Service Due',
'Service or Facility': 'Service or Facility',
'Service profile added': 'Service profile added',
'Service profile deleted': 'Service profile deleted',
'Service profile updated': 'Service profile updated',
'Services': 'Services',
'Services Available': 'Services Available',
'Set Base Site': 'Set Base Site',
'Set By': 'Set By',
'Set True to allow editing this level of the location hierarchy by users who are not MapAdmins.': 'Set True to allow editing this level of the location hierarchy by users who are not MapAdmins.',
'Setting Details': 'Setting Details',
'Setting added': 'Setting added',
'Setting deleted': 'Setting deleted',
'Setting updated': 'Setting updated',
'Settings': 'Settings',
'Settings updated': 'Settings updated',
'Settings were reset because authenticating with Twitter failed': 'Settings were reset because authenticating with Twitter failed',
'Settings which can be configured through the web interface are available here.': 'Settings which can be configured through the web interface are available here.',
'Severe': 'Severe',
'Severity': 'Severity',
'Share a common Marker (unless over-ridden at the Feature level)': 'Share a common Marker (unless over-ridden at the Feature level)',
'Shelter': 'Shelter',
'Shelter & Essential NFIs': 'Shelter & Essential NFIs',
'Shelter Details': 'Shelter Details',
'Shelter Name': 'Shelter Name',
'Shelter Registry': 'Shelter Registry',
'Shelter Service': 'Shelter Service',
'Shelter Service Details': 'Shelter Service Details',
'Shelter Service added': 'Shelter Service added',
'Shelter Service deleted': 'Shelter Service deleted',
'Shelter Service updated': 'Shelter Service updated',
'Shelter Services': 'Shelter Services',
'Shelter Type': 'Shelter Type',
'Shelter Type Details': 'Shelter Type Details',
'Shelter Type added': 'Shelter Type added',
'Shelter Type deleted': 'Shelter Type deleted',
'Shelter Type updated': 'Shelter Type updated',
'Shelter Types': 'Shelter Types',
'Shelter Types and Services': 'Shelter Types and Services',
'Shelter added': 'Shelter added',
'Shelter deleted': 'Shelter deleted',
'Shelter updated': 'Shelter updated',
'Shelter/NFI Assistance': 'Shelter/NFI Assistance',
'Shelters': 'Shelters',
'Shipment Created': 'Shipment Created',
'Shipment Items': 'Shipment Items',
'Shipment Items received by Inventory': 'Shipment Items received by Inventory',
'Shipment Items sent from Inventory': 'Shipment Items sent from Inventory',
'Shipment to Send': 'Shipment to Send',
'Shipments': 'Shipments',
'Shipments To': 'Shipments To',
'Shooting': 'Shooting',
'Short Assessment': 'Short Assessment',
'Short Description': 'Short Description',
'Show Checklist': 'Show Checklist',
'Show Map': 'Show Map',
'Show in Menu?': 'Show in Menu?',
'Show on Map': 'Show on Map',
'Show on map': 'Show on map',
'Show selected answers': 'Show selected answers',
'Showing latest entries first': 'Showing latest entries first',
'Sign-up for Account': 'Sign-up for Account',
'Single PDF File': 'Single PDF File',
'Site': 'Site',
'Site Administration': 'Site Administration',
'Sites': 'Sites',
'Situation Awareness & Geospatial Analysis': 'Situation Awareness & Geospatial Analysis',
'Sketch': 'Sketch',
'Skill': 'Skill',
'Skill Catalog': 'Skill Catalogue',
'Skill Details': 'Skill Details',
'Skill Equivalence': 'Skill Equivalence',
'Skill Equivalence Details': 'Skill Equivalence Details',
'Skill Equivalence added': 'Skill Equivalence added',
'Skill Equivalence deleted': 'Skill Equivalence deleted',
'Skill Equivalence updated': 'Skill Equivalence updated',
'Skill Equivalences': 'Skill Equivalences',
'Skill Provision': 'Skill Provision',
'Skill Provision Catalog': 'Skill Provision Catalogue',
'Skill Provision Details': 'Skill Provision Details',
'Skill Provision added': 'Skill Provision added',
'Skill Provision deleted': 'Skill Provision deleted',
'Skill Provision updated': 'Skill Provision updated',
'Skill Provisions': 'Skill Provisions',
'Skill Type': 'Skill Type',
'Skill Type Catalog': 'Skill Type Catalogue',
'Skill Type added': 'Skill Type added',
'Skill Type deleted': 'Skill Type deleted',
'Skill Type updated': 'Skill Type updated',
'Skill Types': 'Skill Types',
'Skill added': 'Skill added',
'Skill added to Request': 'Skill added to Request',
'Skill deleted': 'Skill deleted',
'Skill removed': 'Skill removed',
'Skill removed from Request': 'Skill removed from Request',
'Skill updated': 'Skill updated',
'Skills': 'Skills',
'Skills Catalog': 'Skills Catalogue',
'Skills Management': 'Skills Management',
'Skype ID': 'Skype ID',
'Slope failure, debris': 'Slope failure, debris',
'Small Trade': 'Small Trade',
'Smoke': 'Smoke',
'Snapshot': 'Snapshot',
'Snapshot Report': 'Snapshot Report',
'Snow Fall': 'Snow Fall',
'Snow Squall': 'Snow Squall',
'Soil bulging, liquefaction': 'Soil bulging, liquefaction',
'Solid waste': 'Solid waste',
'Solution': 'Solution',
'Solution Details': 'Solution Details',
'Solution Item': 'Solution Item',
'Solution added': 'Solution added',
'Solution deleted': 'Solution deleted',
'Solution updated': 'Solution updated',
'Solutions': 'Solutions',
'Some': 'Some',
'Sorry - the server has a problem, please try again later.': 'Sorry - the server has a problem, please try again later.',
'Sorry that location appears to be outside the area of the Parent.': 'Sorry that location appears to be outside the area of the Parent.',
'Sorry that location appears to be outside the area supported by this deployment.': 'Sorry that location appears to be outside the area supported by this deployment.',
'Sorry, I could not understand your request': 'Sorry, I could not understand your request',
'Sorry, only users with the MapAdmin role are allowed to create location groups.': 'Sorry, only users with the MapAdmin role are allowed to create location groups.',
'Sorry, only users with the MapAdmin role are allowed to edit these locations': 'Sorry, only users with the MapAdmin role are allowed to edit these locations',
'Sorry, something went wrong.': 'Sorry, something went wrong.',
'Sorry, that page is forbidden for some reason.': 'Sorry, that page is forbidden for some reason.',
'Sorry, that service is temporary unavailable.': 'Sorry, that service is temporary unavailable.',
'Sorry, there are no addresses to display': 'Sorry, there are no addresses to display',
"Sorry, things didn't get done on time.": "Sorry, things didn't get done on time.",
"Sorry, we couldn't find that page.": "Sorry, we couldn't find that page.",
'Source': 'Source',
'Source ID': 'Source ID',
'Source Time': 'Source Time',
'Sources of income': 'Sources of income',
'Space Debris': 'Space Debris',
'Spanish': 'Spanish',
'Special Ice': 'Special Ice',
'Special Marine': 'Special Marine',
'Specialized Hospital': 'Specialized Hospital',
'Specific Area (e.g. Building/Room) within the Location that this Person/Group is seen.': 'Specific Area (e.g. Building/Room) within the Location that this Person/Group is seen.',
'Specific locations need to have a parent of level': 'Specific locations need to have a parent of level',
'Specify a descriptive title for the image.': 'Specify a descriptive title for the image.',
'Specify the bed type of this unit.': 'Specify the bed type of this unit.',
'Specify the number of available sets': 'Specify the number of available sets',
'Specify the number of available units (adult doses)': 'Specify the number of available units (adult doses)',
'Specify the number of available units (litres) of Ringer-Lactate or equivalent solutions': 'Specify the number of available units (litres) of Ringer-Lactate or equivalent solutions',
'Specify the number of sets needed per 24h': 'Specify the number of sets needed per 24h',
'Specify the number of units (adult doses) needed per 24h': 'Specify the number of units (adult doses) needed per 24h',
'Specify the number of units (litres) of Ringer-Lactate or equivalent solutions needed per 24h': 'Specify the number of units (litres) of Ringer-Lactate or equivalent solutions needed per 24h',
'Speed': 'Speed',
'Spherical Mercator?': 'Spherical Mercator?',
'Spreadsheet Importer': 'Spreadsheet Importer',
'Spreadsheet uploaded': 'Spreadsheet uploaded',
'Spring': 'Spring',
'Squall': 'Squall',
'Staff': 'Staff',
'Staff & Volunteers': 'Staff & Volunteers',
'Staff ID': 'Staff ID',
'Staff Member Details': 'Staff Member Details',
'Staff Members': 'Staff Members',
'Staff Record': 'Staff Record',
'Staff Type Details': 'Staff Type Details',
'Staff Type added': 'Staff Type added',
'Staff Type deleted': 'Staff Type deleted',
'Staff Type updated': 'Staff Type updated',
'Staff Types': 'Staff Types',
'Staff and Volunteers': 'Staff and Volunteers',
'Staff and volunteers': 'Staff and volunteers',
'Staff member added': 'Staff member added',
'Staff present and caring for residents': 'Staff present and caring for residents',
'Staff2': 'Staff2',
'Staffing': 'Staffing',
'Stairs': 'Stairs',
'Start Date': 'Start Date',
'Start date': 'Start date',
'Start date and end date should have valid date values': 'Start date and end date should have valid date values',
'State': 'State',
'Stationery': 'Stationery',
'Status': 'Status',
'Status Report': 'Status Report',
'Status Updated': 'Status Updated',
'Status added': 'Status added',
'Status deleted': 'Status deleted',
'Status of clinical operation of the facility.': 'Status of clinical operation of the facility.',
'Status of general operation of the facility.': 'Status of general operation of the facility.',
'Status of morgue capacity.': 'Status of morgue capacity.',
'Status of operations of the emergency department of this hospital.': 'Status of operations of the emergency department of this hospital.',
'Status of security procedures/access restrictions in the hospital.': 'Status of security procedures/access restrictions in the hospital.',
'Status of the operating rooms of this hospital.': 'Status of the operating rooms of this hospital.',
'Status updated': 'Status updated',
'Steel frame': 'Steel frame',
'Stolen': 'Stolen',
'Store spreadsheets in the Eden database': 'Store spreadsheets in the Eden database',
'Storeys at and above ground level': 'Storeys at and above ground level',
'Storm Force Wind': 'Storm Force Wind',
'Storm Surge': 'Storm Surge',
'Stowaway': 'Stowaway',
'Strategy': 'Strategy',
'Street Address': 'Street Address',
'Streetview Enabled?': 'Streetview Enabled?',
'Strong Wind': 'Strong Wind',
'Structural': 'Structural',
'Structural Hazards': 'Structural Hazards',
'Style': 'Style',
'Style Field': 'Style Field',
'Style Values': 'Style Values',
'Subject': 'Subject',
'Submission successful - please wait': 'Submission successful - please wait',
'Submit': 'Submit',
'Submit New': 'Submit New',
'Submit New (full form)': 'Submit New (full form)',
'Submit New (triage)': 'Submit New (triage)',
'Submit a request for recovery': 'Submit a request for recovery',
'Submit new Level 1 assessment (full form)': 'Submit new Level 1 assessment (full form)',
'Submit new Level 1 assessment (triage)': 'Submit new Level 1 assessment (triage)',
'Submit new Level 2 assessment': 'Submit new Level 2 assessment',
'Subscribe': 'Subscribe',
'Subscription Details': 'Subscription Details',
'Subscription added': 'Subscription added',
'Subscription deleted': 'Subscription deleted',
'Subscription updated': 'Subscription updated',
'Subscriptions': 'Subscriptions',
'Subsector': 'Subsector',
'Subsector Details': 'Subsector Details',
'Subsector added': 'Subsector added',
'Subsector deleted': 'Subsector deleted',
'Subsector updated': 'Subsector updated',
'Subsectors': 'Subsectors',
'Subsistence Cost': 'Subsistence Cost',
'Suburb': 'Suburb',
'Suggest not changing this field unless you know what you are doing.': 'Suggest not changing this field unless you know what you are doing.',
'Summary': 'Summary',
'Summary by Administration Level': 'Summary by Administration Level',
'Summary by Question Type': 'Summary by Question Type',
'Summary of Responses within Series': 'Summary of Responses within Series',
'Sunday': 'Sunday',
'Supply Chain Management': 'Supply Chain Management',
'Supply Item Categories': 'Supply Item Categories',
'Support Request': 'Support Request',
'Support Requests': 'Support Requests',
'Supports the decision making of large groups of Crisis Management Experts by helping the groups create ranked list.': 'Supports the decision making of large groups of Crisis Management Experts by helping the groups create ranked list.',
'Surgery': 'Surgery',
'Survey Module': 'Survey Module',
'Surveys': 'Surveys',
'Symbology': 'Symbology',
'Synchronization': 'Synchronisation',
'Synchronization Job': 'Synchronisation Job',
'Synchronization Log': 'Synchronisation Log',
'Synchronization Schedule': 'Synchronisation Schedule',
'Synchronization Settings': 'Synchronisation Settings',
'Synchronization mode': 'Synchronisation mode',
'Synchronization settings updated': 'Synchronisation settings updated',
'Synchronize now': 'Synchronise now',
"System's Twitter account updated": "System's Twitter account updated",
'Table name of the resource to synchronize': 'Table name of the resource to synchronise',
'Tags': 'Tags',
'Take shelter in place or per <instruction>': 'Take shelter in place or per <instruction>',
'Task': 'Task',
'Task Details': 'Task Details',
'Task List': 'Task List',
'Task Status': 'Task Status',
'Task added': 'Task added',
'Task deleted': 'Task deleted',
'Task removed': 'Task removed',
'Task updated': 'Task updated',
'Tasks': 'Tasks',
'Team Description': 'Team Description',
'Team Details': 'Team Details',
'Team ID': 'Team ID',
'Team Leader': 'Team Leader',
'Team Member added': 'Team Member added',
'Team Members': 'Team Members',
'Team Name': 'Team Name',
'Team Type': 'Team Type',
'Team added': 'Team added',
'Team deleted': 'Team deleted',
'Team updated': 'Team updated',
'Teams': 'Teams',
'Technical testing only, all recipients disregard': 'Technical testing only, all recipients disregard',
'Telecommunications': 'Telecommunications',
'Telephone': 'Telephone',
'Telephone Details': 'Telephone Details',
'Telephony': 'Telephony',
'Tells GeoServer to do MetaTiling which reduces the number of duplicate labels.': 'Tells GeoServer to do MetaTiling which reduces the number of duplicate labels.',
'Temp folder %s not writable - unable to apply theme!': 'Temp folder %s not writable - unable to apply theme!',
'Template': 'Template',
'Template Name': 'Template Name',
'Template Section Details': 'Template Section Details',
'Template Section added': 'Template Section added',
'Template Section deleted': 'Template Section deleted',
'Template Section updated': 'Template Section updated',
'Template Sections': 'Template Sections',
'Template Summary': 'Template Summary',
'Template file %s not readable - unable to apply theme!': 'Template file %s not readable - unable to apply theme!',
'Templates': 'Templates',
'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 fifth-level within-country administrative division (e.g. a voting or postcode subdivision). This level is not often used.',
'Term for the fourth-level within-country administrative division (e.g. Village, Neighborhood or Precinct).': 'Term for the fourth-level within-country administrative division (e.g. Village, Neighborhood or Precinct).',
'Term for the primary within-country administrative division (e.g. State or Province).': 'Term for the primary within-country administrative division (e.g. State or Province).',
'Term for the secondary within-country administrative division (e.g. District or County).': '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).': 'Term for the third-level within-country administrative division (e.g. City or Town).',
'Term for the top-level administrative division (i.e. Country).': 'Term for the top-level administrative division (i.e. Country).',
'Terms of Service\n\nYou have to be eighteen or over to register as a volunteer.': 'Terms of Service\n\nYou have to be eighteen or over to register as a volunteer.',
'Terms of Service:': 'Terms of Service:',
'Territorial Authority': 'Territorial Authority',
'Terrorism': 'Terrorism',
'Tertiary Server (Optional)': 'Tertiary Server (Optional)',
'Text': 'Text',
'Text Color for Text blocks': 'Text Colour for Text blocks',
'Thank you for validating your email. Your user account is still pending for approval by the system administator (%s).You will get a notification by email when your account is activated.': 'Thank you for validating your email. Your user account is still pending for approval by the system administator (%s).You will get a notification by email when your account is activated.',
'Thanks for your assistance': 'Thanks for your assistance',
'The': 'The',
'The "query" is a condition like "db.table1.field1==\'value\'". Something like "db.table1.field1 == db.table2.field2" results in a SQL JOIN.': 'The "query" is a condition like "db.table1.field1==\'value\'". Something like "db.table1.field1 == db.table2.field2" results in a SQL JOIN.',
'The Area which this Site is located within.': '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 analysed': 'The Assessment Module stores assessment templates and allows responses to assessments for specific events to be collected and analysed',
'The Assessments module allows field workers to send in assessments.': 'The Assessments module allows field workers to send in assessments.',
'The Author of this Document (optional)': 'The Author of this Document (optional)',
'The Building Asssesments module allows building safety to be assessed, e.g. after an Earthquake.': 'The Building Asssesments module allows building safety to be assessed, e.g. after an Earthquake.',
'The Camp this Request is from': 'The Camp this Request is from',
'The Camp this person is checking into.': 'The Camp this person is checking into.',
'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 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.": "The Donor(s) for this project. Multiple values can be selected by holding down the 'Control' key.",
'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 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 Incident Reporting System allows the General Public to Report Incidents & have these Tracked.': 'The Incident Reporting System allows the General Public to Report Incidents & have these Tracked.',
'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 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 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 Media Library provides a catalog of digital media.': 'The Media Library provides a catalogue of digital media.',
'The Messaging Module is the main communications hub of the Sahana system. It is used to send alerts and/or messages using SMS & Email to various groups and individuals before, during and after a disaster.': 'The Messaging Module is the main communications hub of the Sahana system. It is used to send alerts and/or messages using SMS & Email to various groups and individuals before, during and after a disaster.',
'The Organization Registry keeps track of all the relief organizations working in the area.': 'The Organisation Registry keeps track of all the relief organisations working in the area.',
'The Patient Tracking system keeps track of all the evacuated patients & their relatives.': 'The Patient Tracking system keeps track of all the evacuated patients & their relatives.',
"The Project Tool can be used to record project Information and generate Who's Doing What Where Reports.": "The Project Tool can be used to record project Information and generate Who's Doing What Where Reports.",
'The Project Tracking module allows the creation of Activities to meet Gaps in Needs Assessments.': 'The Project Tracking module allows the creation of Activities to meet Gaps in Needs Assessments.',
'The Role this person plays within this hospital.': 'The Role this person plays within this hospital.',
'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 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': 'The Shelter this Request is from',
'The Shelter this person is checking into.': 'The Shelter this person is checking into.',
'The URL for the GetCapabilities page of a Web Map Service (WMS) whose layers you want available via the Browser panel on the Map.': 'The URL for the GetCapabilities page of a Web Map Service (WMS) whose layers you want available via the Browser panel on the Map.',
"The URL of the image file. If you don't upload an image file, then you must specify its location here.": "The URL of the image file. If you don't upload an image file, then you must specify its location here.",
'The URL of your web gateway without the post parameters': 'The URL of your web gateway without the post parameters',
'The URL to access the service.': 'The URL to access the service.',
'The Unique Identifier (UUID) as assigned to this facility by the government.': 'The Unique Identifier (UUID) as assigned to this facility by the government.',
'The area is': 'The area is',
'The asset must be assigned to a site OR location.': 'The asset must be assigned to a site OR location.',
'The attribute which is used for the title of popups.': 'The attribute which is used for the title of popups.',
'The attribute within the KML which is used for the title of popups.': 'The attribute within the KML which is used for the title of popups.',
'The attribute(s) within the KML which are used for the body of popups. (Use a space between attributes)': 'The attribute(s) within the KML which are used for the body of popups. (Use a space between attributes)',
'The body height (crown to heel) in cm.': 'The body height (crown to heel) in cm.',
'The country the person usually lives in.': 'The country the person usually lives in.',
'The default Facility for which this person is acting.': 'The default Facility for which this person is acting.',
'The default Facility for which you are acting.': 'The default Facility for which you are acting.',
'The default Organization for whom this person is acting.': 'The default Organisation for whom this person is acting.',
'The default Organization for whom you are acting.': 'The default Organisation for whom you are acting.',
'The duplicate record will be deleted': 'The duplicate record will be deleted',
'The first or only name of the person (mandatory).': 'The first or only name of the person (mandatory).',
'The form of the URL is http://your/web/map/service?service=WMS&request=GetCapabilities where your/web/map/service stands for the URL path to the WMS.': 'The form of the URL is http://your/web/map/service?service=WMS&request=GetCapabilities where your/web/map/service stands for the URL path to the WMS.',
'The language you wish the site to be displayed in.': 'The language you wish the site to be displayed in.',
'The length is': 'The length is',
'The level at which Searches are filtered.': 'The level at which Searches are filtered.',
'The list of Brands are maintained by the Administrators.': 'The list of Brands are maintained by the Administrators.',
'The list of Catalogs are maintained by the Administrators.': 'The list of Catalogues are maintained by the Administrators.',
'The map will be displayed initially with this latitude at the center.': '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 map will be displayed initially with this longitude at the center.',
'The minimum number of characters is ': 'The minimum number of characters is ',
'The minimum number of features to form a cluster.': 'The minimum number of features to form a cluster.',
'The name to be used when calling for or directly addressing the person (optional).': '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 next screen will allow you to detail the number of people here & their needs.',
'The number of Units of Measure of the Alternative Items which is equal to One Unit of Measure of the Item': 'The number of Units of Measure of the Alternative Items which is equal to One Unit of Measure of the Item',
'The number of pixels apart that features need to be before they are clustered.': 'The number of pixels apart that features need to be before they are clustered.',
'The number of tiles around the visible map to download. Zero means that the 1st page loads faster, higher numbers mean subsequent panning is faster.': 'The number of tiles around the visible map to download. Zero means that the 1st page loads faster, higher numbers mean subsequent panning is faster.',
'The person at the location who is reporting this incident (optional)': 'The person at the location who is reporting this incident (optional)',
'The post variable containing the phone number': 'The post variable containing the phone number',
'The post variable on the URL used for sending messages': 'The post variable on the URL used for sending messages',
'The post variables other than the ones containing the message and the phone number': 'The post variables other than the ones containing the message and the phone number',
'The serial port at which the modem is connected - /dev/ttyUSB0, etc on linux and com1, com2, etc on Windows': 'The serial port at which the modem is connected - /dev/ttyUSB0, etc on linux and com1, com2, etc on 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 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 server received an incorrect response from another server that it was accessing to fill the request by the browser.',
'The site where this position is based.': 'The site where this position is based.',
'The staff responsibile for Facilities can make Requests for assistance. Commitments can be made against these Requests however the requests remain open until the requestor confirms that the request is complete.': 'The staff responsibile for Facilities can make Requests for assistance. Commitments can be made against these Requests however the requests remain open until the requestor confirms that the request is complete.',
'The subject event no longer poses a threat or concern and any follow on action is described in <instruction>': 'The subject event no longer poses a threat or concern and any follow on action is described in <instruction>',
'The synchronization module allows the synchronization of data resources between Sahana Eden instances.': 'The synchronisation module allows the synchronisation of data resources between Sahana Eden instances.',
'The time at which the Event started.': 'The time at which the Event started.',
'The time difference between UTC and your timezone, specify as +HHMM for eastern or -HHMM for western timezones.': 'The time difference between UTC and your timezone, specify as +HHMM for eastern or -HHMM for western timezones.',
'The token associated with this application on': 'The token associated with this application on',
'The way in which an item is normally distributed': 'The way in which an item is normally distributed',
'The weight in kg.': 'The weight in kg.',
'Theme': 'Theme',
'Theme Details': 'Theme Details',
'Theme added': 'Theme added',
'Theme deleted': 'Theme deleted',
'Theme updated': 'Theme updated',
'Themes': 'Themes',
'There are errors': 'There are errors',
'There are insufficient items in the Inventory to send this shipment': 'There are insufficient items in the Inventory to send this shipment',
'There are multiple records at this location': 'There are multiple records at this location',
'There is no address for this person yet. Add new address.': 'There is no address for this person yet. Add new address.',
'There was a problem, sorry, please try again later.': 'There was a problem, sorry, please try again later.',
'These are settings for Inbound Mail.': 'These are settings for Inbound Mail.',
'These are the Incident Categories visible to normal End-Users': 'These are the Incident Categories visible to normal End-Users',
'These need to be added in Decimal Degrees.': 'These need to be added in Decimal Degrees.',
'They': 'They',
'This appears to be a duplicate of ': 'This appears to be a duplicate of ',
'This email address is already in use': 'This email address is already in use',
'This file already exists on the server as': 'This file already exists on the server as',
'This is appropriate if this level is under construction. To prevent accidental modification after this level is complete, this can be set to False.': 'This is appropriate if this level is under construction. To prevent accidental modification after this level is complete, this can be set to False.',
'This is the way to transfer data between machines as it maintains referential integrity.': 'This is the way to transfer data between machines as it maintains referential integrity.',
'This is the way to transfer data between machines as it maintains referential integrity...duplicate data should be removed manually 1st!': 'This is the way to transfer data between machines as it maintains referential integrity...duplicate data should be removed manually 1st!',
'This level is not open for editing.': 'This level is not open for editing.',
'This might be due to a temporary overloading or maintenance of the server.': 'This might be due to a temporary overloading or maintenance of the server.',
'This module allows Inventory Items to be Requested & Shipped between the Inventories of Facilities.': 'This module allows Inventory Items to be Requested & Shipped between the Inventories of Facilities.',
'This module allows you to manage Events - whether pre-planned (e.g. exercises) or Live Incidents. You can allocate appropriate Resources (Human, Assets & Facilities) so that these can be mobilized easily.': 'This module allows you to manage Events - whether pre-planned (e.g. exercises) or Live Incidents. You can allocate appropriate Resources (Human, Assets & Facilities) so that these can be mobilized easily.',
'This module allows you to plan scenarios for both Exercises & Events. You can allocate appropriate Resources (Human, Assets & Facilities) so that these can be mobilized easily.': 'This module allows you to plan scenarios for both Exercises & Events. You can allocate appropriate Resources (Human, Assets & Facilities) so that these can be mobilized easily.',
'This resource is already configured for this repository': 'This resource is already configured for this repository',
'This screen allows you to upload a collection of photos to the server.': 'This screen allows you to upload a collection of photos to the server.',
'This setting can only be controlled by the Administrator.': 'This setting can only be controlled by the Administrator.',
'This shipment has already been received.': 'This shipment has already been received.',
'This shipment has already been sent.': 'This shipment has already been sent.',
'This shipment has not been received - it has NOT been canceled because can still be edited.': 'This shipment has not been received - it has NOT been canceled because can still be edited.',
'This shipment has not been sent - it has NOT been canceled because can still be edited.': 'This shipment has not been sent - it has NOT been canceled because can still be edited.',
'This shipment will be confirmed as received.': 'This shipment will be confirmed as received.',
'Thunderstorm': 'Thunderstorm',
'Thursday': 'Thursday',
'Ticket': 'Ticket',
'Ticket Details': 'Ticket Details',
'Ticket ID': 'Ticket ID',
'Ticket added': 'Ticket added',
'Ticket deleted': 'Ticket deleted',
'Ticket updated': 'Ticket updated',
'Ticketing Module': 'Ticketing Module',
'Tickets': 'Tickets',
'Tiled': 'Tiled',
'Tilt-up concrete': 'Tilt-up concrete',
'Timber frame': 'Timber frame',
'Timeline': 'Timeline',
'Timeline Report': 'Timeline Report',
'Timestamp': 'Timestamp',
'Timestamps can be correlated with the timestamps on the photos to locate them on the map.': 'Timestamps can be correlated with the timestamps on the photos to locate them on the map.',
'Title': 'Title',
'Title to show for the Web Map Service panel in the Tools panel.': 'Title to show for the Web Map Service panel in the Tools panel.',
'To': 'To',
'To Location': 'To Location',
'To Person': 'To Person',
'To create a personal map configuration, click ': 'To create a personal map configuration, click ',
'To edit OpenStreetMap, you need to edit the OpenStreetMap settings in models/000_config.py': 'To edit OpenStreetMap, you need to edit the OpenStreetMap settings in models/000_config.py',
'To search by job title, enter any portion of the title. You may use % as wildcard.': 'To search by job title, enter any portion of the title. You may use % as wildcard.',
"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 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 body, enter the ID tag number of the body. You may use % as wildcard. Press 'Search' without input to list all bodies.": "To search for a body, enter the ID tag number of the body. You may use % as wildcard. Press 'Search' without input to list all bodies.",
"To search for a hospital, enter any of the names or IDs of the hospital, or the organisation name or acronym, separated by spaces. You may use % as wildcard. Press 'Search' without input to list all hospitals.": "To search for a hospital, enter any of the names or IDs of the hospital, or the organisation name or acronym, separated by spaces. You may use % as wildcard. Press 'Search' without input to list all hospitals.",
"To search for a hospital, enter any of the names or IDs of the hospital, separated by spaces. You may use % as wildcard. Press 'Search' without input to list all hospitals.": "To search for a hospital, enter any of the names or IDs of the hospital, 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 location, enter the name. You may use % as wildcard. Press 'Search' without input to list all locations.",
"To search for a patient, enter any of the first, middle or last names, separated by spaces. You may use % as wildcard. Press 'Search' without input to list all patients.": "To search for a patient, enter any of the first, middle or last names, separated by spaces. You may use % as wildcard. Press 'Search' without input to list all patients.",
"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 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.": "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.",
'To variable': 'To variable',
'Tools': 'Tools',
'Tornado': 'Tornado',
'Total': 'Total',
'Total # of Target Beneficiaries': 'Total # of Target Beneficiaries',
'Total # of households of site visited': 'Total # of households of site visited',
'Total Beds': 'Total Beds',
'Total Beneficiaries': 'Total Beneficiaries',
'Total Cost per Megabyte': 'Total Cost per Megabyte',
'Total Cost per Minute': 'Total Cost per Minute',
'Total Monthly': 'Total Monthly',
'Total Monthly Cost': 'Total Monthly Cost',
'Total Monthly Cost: ': 'Total Monthly Cost: ',
'Total One-time Costs': 'Total One-time Costs',
'Total Persons': 'Total Persons',
'Total Recurring Costs': 'Total Recurring Costs',
'Total Unit Cost': 'Total Unit Cost',
'Total Unit Cost: ': 'Total Unit Cost: ',
'Total Units': 'Total Units',
'Total gross floor area (square meters)': 'Total gross floor area (square meters)',
'Total number of beds in this hospital. Automatically updated from daily reports.': 'Total number of beds in this hospital. Automatically updated from daily reports.',
'Total number of houses in the area': 'Total number of houses in the area',
'Total number of schools in affected area': 'Total number of schools in affected area',
'Total population of site visited': 'Total population of site visited',
'Totals for Budget:': 'Totals for Budget:',
'Totals for Bundle:': 'Totals for Bundle:',
'Totals for Kit:': 'Totals for Kit:',
'Tourist Group': 'Tourist Group',
'Town': 'Town',
'Traces internally displaced people (IDPs) and their needs': 'Traces internally displaced people (IDPs) and their needs',
'Track with this Person?': 'Track with this Person?',
'Tracking of Patients': 'Tracking of Patients',
'Tracking of Projects, Activities and Tasks': 'Tracking of Projects, Activities and Tasks',
'Tracking of basic information on the location, facilities and size of the Shelters': 'Tracking of basic information on the location, facilities and size of the Shelters',
'Tracks the location, capacity and breakdown of victims in Shelters': 'Tracks the location, capacity and breakdown of victims in Shelters',
'Traffic Report': 'Traffic Report',
'Training': 'Training',
'Training Course Catalog': 'Training Course Catalogue',
'Training Details': 'Training Details',
'Training added': 'Training added',
'Training deleted': 'Training deleted',
'Training updated': 'Training updated',
'Trainings': 'Trainings',
'Transit': 'Transit',
'Transit Status': 'Transit Status',
'Transition Effect': 'Transition Effect',
'Transparent?': 'Transparent?',
'Transportation Required': 'Transportation Required',
'Transportation assistance, Rank': 'Transportation assistance, Rank',
'Trauma Center': 'Trauma Center',
'Travel Cost': 'Travel Cost',
'Tropical Storm': 'Tropical Storm',
'Tropo Messaging Token': 'Tropo Messaging Token',
'Tropo Voice Token': 'Tropo Voice Token',
'Tropo settings updated': 'Tropo settings updated',
'Truck': 'Truck',
'Try checking the URL for errors, maybe it was mistyped.': 'Try checking the URL for errors, maybe it was mistyped.',
'Try hitting refresh/reload button or trying the URL from the address bar again.': 'Try hitting refresh/reload button or trying the URL from the address bar again.',
'Try refreshing the page or hitting the back button on your browser.': 'Try refreshing the page or hitting the back button on your browser.',
'Tsunami': 'Tsunami',
'Tuesday': 'Tuesday',
'Twitter': 'Twitter',
'Twitter ID or #hashtag': 'Twitter ID or #hashtag',
'Twitter Settings': 'Twitter Settings',
'Type': 'Type',
'Type of Construction': 'Type of Construction',
'Type of water source before the disaster': 'Type of water source before the disaster',
"Type the first few characters of one of the Person's names.": "Type the first few characters of one of the Person's names.",
'UN': 'UN',
'URL': 'URL',
'URL of the default proxy server to connect to remote repositories (if required). If only some of the repositories require the use of a proxy server, you can configure this in the respective repository configuration.': 'URL of the default proxy server to connect to remote repositories (if required). If only some of the repositories require the use of a proxy server, you can configure this in the respective repository configuration.',
'URL of the proxy server to connect to this repository (leave empty for default proxy)': 'URL of the proxy server to connect to this repository (leave empty for default proxy)',
'UTC Offset': 'UTC Offset',
'UUID': 'UUID',
'Un-Repairable': 'Un-Repairable',
'Unable to parse CSV file!': 'Unable to parse CSV file!',
'Under which condition a local record shall be updated if it also has been modified locally since the last synchronization': 'Under which condition a local record shall be updated if it also has been modified locally since the last synchronisation',
'Under which conditions local records shall be updated': 'Under which conditions local records shall be updated',
'Understaffed': 'Understaffed',
'Unidentified': 'Unidentified',
'Unique identifier which THIS repository identifies itself with when sending synchronization requests.': 'Unique identifier which THIS repository identifies itself with when sending synchronisation requests.',
'Unit Cost': 'Unit Cost',
'Unit added': 'Unit added',
'Unit deleted': 'Unit deleted',
'Unit of Measure': 'Unit of Measure',
'Unit updated': 'Unit updated',
'United States Dollars': 'United States Dollars',
'Units': 'Units',
'Universally unique identifier for the local repository, needed to register the local repository at remote instances to allow push-synchronization.': 'Universally unique identifier for the local repository, needed to register the local repository at remote instances to allow push-synchronisation.',
'Unknown': 'Unknown',
'Unknown type of facility': 'Unknown type of facility',
'Unreinforced masonry': 'Unreinforced masonry',
'Unsafe': 'Unsafe',
'Unselect to disable the modem': 'Unselect to disable the modem',
'Unselect to disable this API service': 'Unselect to disable this API service',
'Unselect to disable this SMTP service': 'Unselect to disable this SMTP service',
'Unsent': 'Unsent',
'Unsubscribe': 'Unsubscribe',
'Unsupported data format!': 'Unsupported data format!',
'Unsupported method!': 'Unsupported method!',
'Update': 'Update',
'Update Activity Report': 'Update Activity Report',
'Update Cholera Treatment Capability Information': 'Update Cholera Treatment Capability Information',
'Update Method': 'Update Method',
'Update Policy': 'Update Policy',
'Update Request': 'Update Request',
'Update Service Profile': 'Update Service Profile',
'Update Status': 'Update Status',
'Update Task Status': 'Update Task Status',
'Update Unit': 'Update Unit',
'Update your current ordered list': 'Update your current ordered list',
'Updated By': 'Updated By',
'Upload Comma Separated Value File': 'Upload Comma Separated Value File',
'Upload Format': 'Upload Format',
'Upload Photos': 'Upload Photos',
'Upload Scanned OCR Form': 'Upload Scanned OCR Form',
'Upload Spreadsheet': 'Upload Spreadsheet',
'Upload Web2py portable build as a zip file': 'Upload Web2py portable build as a zip file',
'Upload a Assessment Template import file': 'Upload a Assessment Template import file',
'Upload a CSV file': 'Upload a CSV file',
'Upload a CSV file formatted according to the Template.': 'Upload a CSV file formatted according to the Template.',
'Upload a Question List import file': 'Upload a Question List import file',
'Upload a Spreadsheet': 'Upload a Spreadsheet',
'Upload an image file (bmp, gif, jpeg or png), max. 300x300 pixels!': 'Upload an image file (bmp, gif, jpeg or png), max. 300x300 pixels!',
'Upload an image file here.': '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.": "Upload an image file here. If you don't upload an image file, then you must specify its location in the URL field.",
'Upload an image, such as a photo': 'Upload an image, such as a photo',
'Upload the Completed Assessments import file': 'Upload the Completed Assessments import file',
'Uploaded': 'Uploaded',
'Urban Fire': 'Urban Fire',
'Urban area': 'Urban area',
'Urdu': 'Urdu',
'Urgent': 'Urgent',
'Use (...)&(...) for AND, (...)|(...) for OR, and ~(...) for NOT to build more complex queries.': 'Use (...)&(...) for AND, (...)|(...) for OR, and ~(...) for NOT to build more complex queries.',
'Use Geocoder for address lookups?': 'Use Geocoder for address lookups?',
'Use default': 'Use default',
'Use these links to download data that is currently in the database.': 'Use these links to download data that is currently in the database.',
'Use this to set the starting location for the Location Selector.': 'Use this to set the starting location for the Location Selector.',
'Used by IRS & Assess': 'Used by IRS & Assess',
'Used in onHover Tooltip & Cluster Popups to differentiate between types.': '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 build onHover Tooltip & 1st field also used in Cluster Popups to differentiate between records.',
'Used to check that latitude of entered locations is reasonable. May be used to filter lists of resources that have locations.': 'Used to check that latitude of entered locations is reasonable. May be used to filter lists of resources that have locations.',
'Used to check that longitude of entered locations is reasonable. May be used to filter lists of resources that have locations.': 'Used to check that longitude of entered locations is reasonable. May be used to filter lists of resources that have locations.',
'Used to import data from spreadsheets into the database': 'Used to import data from spreadsheets into the database',
'Used within Inventory Management, Request Management and Asset Management': 'Used within Inventory Management, Request Management and Asset Management',
'User': 'User',
'User %(id)s Logged-in': 'User %(id)s Logged-in',
'User %(id)s Registered': 'User %(id)s Registered',
'User Account has been Approved': 'User Account has been Approved',
'User Account has been Disabled': 'User Account has been Disabled',
'User Details': 'User Details',
'User Guidelines Synchronization': 'User Guidelines Synchronisation',
'User ID': 'User ID',
'User Management': 'User Management',
'User Profile': 'User Profile',
'User Requests': 'User Requests',
'User Updated': 'User Updated',
'User added': 'User added',
'User already has this role': 'User already has this role',
'User deleted': 'User deleted',
'User updated': 'User updated',
'Username': 'Username',
'Username to use for authentication at the remote site': 'Username to use for authentication at the remote site',
'Users': 'Users',
'Users removed': 'Users removed',
'Uses the REST Query Format defined in': 'Uses the REST Query Format defined in',
'Utilities': 'Utilities',
'Utility, telecommunication, other non-transport infrastructure': 'Utility, telecommunication, other non-transport infrastructure',
'Value': 'Value',
'Value per Pack': 'Value per Pack',
'Various Reporting functionalities': 'Various Reporting functionalities',
'Vehicle': 'Vehicle',
'Vehicle Crime': 'Vehicle Crime',
'Vehicle Details': 'Vehicle Details',
'Vehicle Details added': 'Vehicle Details added',
'Vehicle Details deleted': 'Vehicle Details deleted',
'Vehicle Details updated': 'Vehicle Details updated',
'Vehicle Management': 'Vehicle Management',
'Vehicle Types': 'Vehicle Types',
'Vehicle added': 'Vehicle added',
'Vehicle deleted': 'Vehicle deleted',
'Vehicle updated': 'Vehicle updated',
'Vehicles': 'Vehicles',
'Vehicles are assets with some extra details.': 'Vehicles are assets with some extra details.',
'Verification Status': 'Verification Status',
'Verified?': 'Verified?',
'Verify Password': 'Verify Password',
'Verify password': 'Verify password',
'Version': 'Version',
'Very Good': 'Very Good',
'Very High': 'Very High',
'Vietnamese': 'Vietnamese',
'View Alerts received using either Email or SMS': 'View Alerts received using either Email or SMS',
'View All': 'View All',
'View All Tickets': 'View All Tickets',
'View Error Tickets': 'View Error Tickets',
'View Fullscreen Map': 'View Fullscreen Map',
'View Image': 'View Image',
'View Items': 'View Items',
'View Location Details': 'View Location Details',
'View Outbox': 'View Outbox',
'View Picture': 'View Picture',
'View Results of completed and/or partially completed assessments': 'View Results of completed and/or partially completed assessments',
'View Settings': 'View Settings',
'View Tickets': 'View Tickets',
'View all log entries': 'View all log entries',
'View and/or update their details': 'View and/or update their details',
'View log entries per repository': 'View log entries per repository',
'View on Map': 'View on Map',
'View or update the status of a hospital.': 'View or update the status of a hospital.',
'View pending requests and pledge support.': 'View pending requests and pledge support.',
'View the hospitals on a map.': 'View the hospitals on a map.',
'View/Edit the Database directly': 'View/Edit the Database directly',
'Village': 'Village',
'Village Leader': 'Village Leader',
'Visual Recognition': 'Visual Recognition',
'Volcanic Ash Cloud': 'Volcanic Ash Cloud',
'Volcanic Event': 'Volcanic Event',
'Volume (m3)': 'Volume (m3)',
'Volunteer Availability': 'Volunteer Availability',
'Volunteer Details': 'Volunteer Details',
'Volunteer Information': 'Volunteer Information',
'Volunteer Management': 'Volunteer Management',
'Volunteer Project': 'Volunteer Project',
'Volunteer Record': 'Volunteer Record',
'Volunteer Request': 'Volunteer Request',
'Volunteer added': 'Volunteer added',
'Volunteer availability added': 'Volunteer availability added',
'Volunteer availability deleted': 'Volunteer availability deleted',
'Volunteer availability updated': 'Volunteer availability updated',
'Volunteers': 'Volunteers',
'Vote': 'Vote',
'Votes': 'Votes',
'WARNING': 'WARNING',
'WASH': 'WASH',
'Walking Only': 'Walking Only',
'Wall or other structural damage': 'Wall or other structural damage',
'Warehouse': 'Warehouse',
'Warehouse Details': 'Warehouse Details',
'Warehouse added': 'Warehouse added',
'Warehouse deleted': 'Warehouse deleted',
'Warehouse updated': 'Warehouse updated',
'Warehouses': 'Warehouses',
'WatSan': 'WatSan',
'Water Sanitation Hygiene': 'Water Sanitation Hygiene',
'Water collection': 'Water collection',
'Water gallon': 'Water gallon',
'Water storage containers in households': 'Water storage containers in households',
'Water supply': 'Water supply',
'Waterspout': 'Waterspout',
'We have tried': 'We have tried',
'Web API settings updated': 'Web API settings updated',
'Web Map Service Browser Name': 'Web Map Service Browser Name',
'Web Map Service Browser URL': 'Web Map Service Browser URL',
'Web2py executable zip file found - Upload to replace the existing file': 'Web2py executable zip file found - Upload to replace the existing file',
'Web2py executable zip file needs to be uploaded to use this function.': 'Web2py executable zip file needs to be uploaded to use this function.',
'Website': 'Website',
'Wednesday': 'Wednesday',
'Weight': 'Weight',
'Weight (kg)': 'Weight (kg)',
'Welcome to the': 'Welcome to the',
'Well-Known Text': 'Well-Known Text',
'What order to be contacted in.': 'What order to be contacted in.',
'What the Items will be used for': 'What the Items will be used for',
'Wheat': 'Wheat',
'When reports were entered': 'When reports were entered',
'Where Project is implemented, including activities and beneficiaries': 'Where Project is implemented, including activities and beneficiaries',
'Whether to accept unsolicited data transmissions from the repository': 'Whether to accept unsolicited data transmissions from the repository',
'Which methods to apply when importing data to the local repository': 'Which methods to apply when importing data to the local repository',
'Whiskers': 'Whiskers',
'Who is doing what and where': 'Who is doing what and where',
'Who usually collects water for the family?': 'Who usually collects water for the family?',
'Width (m)': 'Width (m)',
'Wild Fire': 'Wild Fire',
'Wind Chill': 'Wind Chill',
'Window frame': 'Window frame',
'Winter Storm': 'Winter Storm',
'With best regards': 'With best regards',
'Women of Child Bearing Age': 'Women of Child Bearing Age',
'Women participating in coping activities': 'Women participating in coping activities',
'Women who are Pregnant or in Labour': 'Women who are Pregnant or in Labour',
'Womens Focus Groups': 'Womens Focus Groups',
'Wooden plank': 'Wooden plank',
'Wooden poles': 'Wooden poles',
'Working hours end': 'Working hours end',
'Working hours start': 'Working hours start',
'Working or other to provide money/food': 'Working or other to provide money/food',
'X-Ray': 'X-Ray',
'YES': 'YES',
"Yahoo Layers cannot be displayed if there isn't a valid API Key": "Yahoo Layers cannot be displayed if there isn't a valid API Key",
'Year': 'Year',
'Year built': 'Year built',
'Year of Manufacture': 'Year of Manufacture',
'Yellow': 'Yellow',
'Yes': 'Yes',
'You are a recovery team?': 'You are a recovery team?',
'You are attempting to delete your own account - are you sure you want to proceed?': 'You are attempting to delete your own account - are you sure you want to proceed?',
'You are currently reported missing!': 'You are currently reported missing!',
'You can click on the map below to select the Lat/Lon fields': 'You can click on the map below to select the Lat/Lon fields',
'You can select the Draw tool': 'You can select the Draw tool',
'You can set the modem settings for SMS here.': '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 can use the Conversion Tool to convert from either GPS coordinates or Degrees/Minutes/Seconds.',
'You do not have permission for any facility to add an order.': 'You do not have permission for any facility to add an order.',
'You do not have permission for any facility to make a commitment.': '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 facility to make a request.',
'You do not have permission for any facility to receive a shipment.': 'You do not have permission for any facility to receive a shipment.',
'You do not have permission for any facility to send a shipment.': 'You do not have permission for any facility to send a shipment.',
'You do not have permission for any site to add an inventory item.': 'You do not have permission for any site to add an inventory item.',
'You do not have permission to cancel this received shipment.': 'You do not have permission to cancel this received shipment.',
'You do not have permission to cancel this sent shipment.': 'You do not have permission to cancel this sent shipment.',
'You do not have permission to make this commitment.': 'You do not have permission to make this commitment.',
'You do not have permission to receive this shipment.': 'You do not have permission to receive this shipment.',
'You do not have permission to send a shipment from this site.': 'You do not have permission to send a shipment from this site.',
'You do not have permission to send this shipment.': 'You do not have permission to send this shipment.',
'You have a personal map configuration. To change your personal configuration, click ': 'You have a personal map configuration. To change your personal configuration, click ',
'You have found a dead body?': 'You have found a dead body?',
"You have unsaved changes. Click Cancel now, then 'Save' to save them. Click OK now to discard them.": "You have unsaved changes. Click Cancel now, then 'Save' to save them. Click OK now to discard them.",
"You haven't made any calculations": "You haven't made any calculations",
'You must be logged in to register volunteers.': 'You must be logged in to register volunteers.',
'You must be logged in to report persons missing or found.': 'You must be logged in to report persons missing or found.',
'You should edit Twitter settings in models/000_config.py': 'You should edit Twitter settings in models/000_config.py',
'Your current ordered list of solution items is shown below. You can change it by voting again.': 'Your current ordered list of solution items is shown below. You can change it by voting again.',
'Your post was added successfully.': 'Your post was added successfully.',
'Your request for Red Cross and Red Crescent Resource Mapping System (RMS) has been approved and you can now access the system at': 'Your request for Red Cross and Red Crescent Resource Mapping System (RMS) has been approved and you can now access the system at',
'ZIP Code': 'ZIP Code',
'Zero Hour': 'Zero Hour',
'Zinc roof': 'Zinc roof',
'Zoom': 'Zoom',
'Zoom In: click in the map or use the left mouse button and drag to create a rectangle': 'Zoom In: click in the map or use the left mouse button and drag to create a rectangle',
'Zoom Levels': 'Zoom Levels',
'Zoom Out: click in the map or use the left mouse button and drag to create a rectangle': 'Zoom Out: click in the map or use the left mouse button and drag to create a rectangle',
'Zoom to Current Location': 'Zoom to Current Location',
'Zoom to maximum map extent': 'Zoom to maximum map extent',
'access granted': 'access granted',
'active': 'active',
'added': 'added',
'allows a budget to be developed based on staff & equipment costs, including any admin overheads.': 'allows a budget to be developed based on staff & equipment costs, including any admin overheads.',
'allows for creation and management of assessments.': 'allows for creation and management of assessments.',
'always update': 'always update',
'an individual/team to do in 1-2 days': 'an individual/team to do in 1-2 days',
'assigned': 'assigned',
'average': 'average',
'black': 'black',
'blond': 'blond',
'blue': 'blue',
'brown': 'brown',
'business_damaged': 'business_damaged',
'by': 'by',
'by %(person)s': 'by %(person)s',
'c/o Name': 'c/o Name',
'can be used to extract data from spreadsheets and put them into database tables.': 'can be used to extract data from spreadsheets and put them into database tables.',
'cancelled': 'cancelled',
'caucasoid': 'caucasoid',
'check all': 'check all',
'click for more details': 'click for more details',
'click here': 'click here',
'completed': 'completed',
'consider': 'consider',
'curly': 'curly',
'currently registered': 'currently registered',
'dark': 'dark',
'data uploaded': 'data uploaded',
'database': 'database',
'database %s select': 'database %s select',
'days': 'days',
'db': 'db',
'deceased': 'deceased',
'delete all checked': 'delete all checked',
'deleted': 'deleted',
'design': 'design',
'diseased': 'diseased',
'displaced': 'displaced',
'divorced': 'divorced',
'done!': 'done!',
'duplicate': 'duplicate',
'edit': 'edit',
'eg. gas, electricity, water': 'eg. gas, electricity, water',
'enclosed area': 'enclosed area',
'enter a number between %(min)g and %(max)g': 'enter a number between %(min)g and %(max)g',
'enter an integer between %(min)g and %(max)g': 'enter an integer between %(min)g and %(max)g',
'export as csv file': 'export as csv file',
'fat': 'fat',
'feedback': 'feedback',
'female': 'female',
'flush latrine with septic tank': 'flush latrine with septic tank',
'food_sources': 'food_sources',
'forehead': 'forehead',
'form data': 'form data',
'found': 'found',
'from Twitter': 'from Twitter',
'getting': 'getting',
'green': 'green',
'grey': 'grey',
'here': 'here',
'hours': 'hours',
'households': 'households',
'identified': 'identified',
'ignore': 'ignore',
'in Deg Min Sec format': 'in Deg Min Sec format',
'in GPS format': 'in GPS format',
'in Inv.': 'in Inv.',
'inactive': 'inactive',
'injured': 'injured',
'insert new': 'insert new',
'insert new %s': 'insert new %s',
'invalid': 'invalid',
'invalid request': 'invalid request',
'is a central online repository where information on all the disaster victims and families, especially identified casualties, evacuees and displaced people can be stored. Information like name, age, contact number, identity card number, displaced location, and other details are captured. Picture and finger print details of the people can be uploaded to the system. People can also be captured by group for efficiency and convenience.': 'is a central online repository where information on all the disaster victims and families, especially identified casualties, evacuees and displaced people can be stored. Information like name, age, contact number, identity card number, displaced location, and other details are captured. Picture and finger print details of the people can be uploaded to the system. People can also be captured by group for efficiency and convenience.',
'keeps track of all incoming tickets allowing them to be categorised & routed to the appropriate place for actioning.': 'keeps track of all incoming tickets allowing them to be categorised & routed to the appropriate place for actioning.',
'latrines': 'latrines',
'leave empty to detach account': 'leave empty to detach account',
'legend URL': 'legend URL',
'light': 'light',
'login': 'login',
'long': 'long',
'long>12cm': 'long>12cm',
'male': 'male',
'married': 'married',
'maxExtent': 'maxExtent',
'maxResolution': 'maxResolution',
'medium': 'medium',
'medium<12cm': 'medium<12cm',
'meters': 'meters',
'minutes': 'minutes',
'missing': 'missing',
'module allows the site administrator to configure various options.': 'module allows the site administrator to configure various options.',
'module helps monitoring the status of hospitals.': 'module helps monitoring the status of hospitals.',
'mongoloid': 'mongoloid',
'more': 'more',
'negroid': 'negroid',
'never': 'never',
'never update': 'never update',
'new': 'new',
'new record inserted': 'new record inserted',
'next 100 rows': 'next 100 rows',
'no': 'no',
'none': 'none',
'not specified': 'not specified',
'obsolete': 'obsolete',
'on': 'on',
'on %(date)s': 'on %(date)s',
'open defecation': 'open defecation',
'optional': 'optional',
'or import from csv file': 'or import from csv file',
'other': 'other',
'over one hour': 'over one hour',
'people': 'people',
'piece': 'piece',
'pit': 'pit',
'pit latrine': 'pit latrine',
'postponed': 'postponed',
'preliminary template or draft, not actionable in its current form': 'preliminary template or draft, not actionable in its current form',
'previous 100 rows': 'previous 100 rows',
'pull': 'pull',
'pull and push': 'pull and push',
'push': 'push',
'record does not exist': 'record does not exist',
'record id': 'record id',
'red': 'red',
'replace': 'replace',
'reports successfully imported.': 'reports successfully imported.',
'representation of the Polygon/Line.': 'representation of the Polygon/Line.',
'retired': 'retired',
'retry': 'retry',
'river': 'river',
'see comment': 'see comment',
'selected': 'selected',
'separated': 'separated',
'separated from family': 'separated from family',
'shaved': 'shaved',
'short': 'short',
'short<6cm': 'short<6cm',
'sides': 'sides',
'sign-up now': 'sign-up now',
'single': 'single',
'slim': 'slim',
'specify': 'specify',
'staff': 'staff',
'staff members': 'staff members',
'state': 'state',
'state location': 'state location',
'straight': 'straight',
'suffered financial losses': 'suffered financial losses',
'table': 'table',
'tall': 'tall',
'times and it is still not working. We give in. Sorry.': 'times and it is still not working. We give in. Sorry.',
'to access the system': 'to access the system',
'to download a OCR Form.': 'to download a OCR Form.',
'to reset your password': 'to reset your password',
'to verify your email': 'to verify your email',
'tonsure': 'tonsure',
'total': 'total',
'tweepy module not available within the running Python - this needs installing for non-Tropo Twitter support!': 'tweepy module not available within the running Python - this needs installing for non-Tropo Twitter support!',
'unable to parse csv file': 'unable to parse csv file',
'uncheck all': 'uncheck all',
'unidentified': 'unidentified',
'unknown': 'unknown',
'unspecified': 'unspecified',
'unverified': 'unverified',
'update': 'update',
'update if master': 'update if master',
'update if newer': 'update if newer',
'updated': 'updated',
'verified': 'verified',
'volunteer': 'volunteer',
'volunteers': 'volunteers',
'wavy': 'wavy',
'weeks': 'weeks',
'white': 'white',
'wider area, longer term, usually contain multiple Activities': 'wider area, longer term, usually contain multiple Activities',
'widowed': 'widowed',
'within human habitat': 'within human habitat',
'xlwt module not available within the running Python - this needs installing for XLS output!': 'xlwt module not available within the running Python - this needs installing for XLS output!',
'yes': 'yes',
}
| flavour/cedarbluff | languages/en-gb.py | Python | mit | 261,644 |
import math
import numpy
class NEB(object):
""" A Nudged Elastic Band implementation
This NEB implementation is based on http://dx.doi.org/10.1063/1.1323224
by Henkelman et al.
"""
def __init__(self, path, k):
""" Initialize the NEB with a predefined path and force
constants between images.
Typical use-case might look like:
>>> m1 = molecule_from_xyz('m1.xyz')
>>> m2 = molecule_from_xyz('m2.xyz')
>>> apath = neb.interpolate.Linear(m1, m2, 10)
>>> neb = neb.Neb(apath, 5.0)
>>> eandg = somefunction
>>> minimizer = neb.minimizers.SteepestDescent
>>> neb.minimize(100, 0.01, eandg, minimizer)
Arguments:
path -- Path between two endpoints to be optimized
k -- force constant in units of eV / A^2 between each bead in the path
"""
self._path = path
self._k = k
# set bead energies, tangents, forces and spring forces to zero initially
self._tangents = []
self._beadgradients = []
self._springforces = []
self._forces = []
self._energies = []
# accounting variables
self._grms = []
for bead in path:
(n, k) = numpy.shape(bead.getCoordinates())
self._tangents.append(numpy.zeros((n,k)))
self._springforces.append(numpy.zeros((n,k)))
self._beadgradients.append(numpy.zeros((n,k)))
self._forces.append(numpy.zeros((n,k)))
self._energies.append(0.0)
self._grms.append(-1.0)
# now we calculate the tangents and springforces
# for the initial beads
self._beadTangents()
self._springForces()
def innerBeads(self):
""" an iterator over the inner beads """
n = self._path.getNumBeads()
for i, bead in enumerate(self._path):
if i > 0 and i < n-1:
yield bead
def innerBeadForces(self):
""" iterator over the forces of the inner beads """
for i, bead in enumerate(self.innerBeads(), start=1):
yield self._forces[i]
def _beadTangents(self):
""" Evaluates all tangents for all the inner beads """
for ibead, bead in enumerate(self.innerBeads(), start=1):
self._tangents[ibead] = self._beadTangent(bead, self._path[ibead-1], self._path[ibead+1])
def _beadTangent(self, ibead, mbead, pbead):
""" Calculates the tangent for ibead given the bead
indexed by i-1 (mbead) and i+1 (pbead).
Calculated according to eq 2 in http://dx.doi.org/10.1063/1.1323224
Arguments:
ibead -- the current (i'th) bead
mbead -- the (i-1)'th bead to use in the calculation of the tanget
pbead -- the (i+1)'th bead to use in the calculation of the tanget
Returns:
tanget of the bead
"""
Ri = ibead.getCoordinates()
Rm = mbead.getCoordinates()
Rp = pbead.getCoordinates()
vm = Ri - Rm
vp = Rp - Ri
ti = vm / numpy.linalg.norm(numpy.ravel(vm)) + vp / numpy.linalg.norm(numpy.ravel(vp));
return ti / numpy.linalg.norm(ti)
def _springForces(self):
""" Evaluates all spring forces between the beads """
for ibead, bead in enumerate(self.innerBeads(), start=1):
self._springforces[ibead] = self._springForce(bead, self._path[ibead-1], self._path[ibead+1], self._tangents[ibead])
def _springForce(self, ibead, mbead, pbead, tangent):
""" Calculates the spring force for ibead given the bead
indexed by i-1 (mbead) and i+1 (pbead).
"""
Ri = numpy.ravel(ibead.getCoordinates())
Rm = numpy.ravel(mbead.getCoordinates())
Rp = numpy.ravel(pbead.getCoordinates())
# old spring force calculated according
# to eq 5 in http://dx.doi.org/10.1063/1.1323224
r = numpy.dot(numpy.ravel(Rp + Rm - 2*Ri), numpy.ravel(tangent))
return self._k * r * tangent
def _beadGradients(self, func):
""" Calculates the forces on each bead using the func supplied
Calculated according to eq 4 in http://dx.doi.org/10.1063/1.1323224
Arguments:
bead -- the bead whose internal force is to be evaluated
func -- function that returns energy and forces for a bead
Returns:
e, g -- internal energy and force with component projected out
"""
if func is None:
return
for ibead, bead in enumerate(self.innerBeads(), start=1):
energy, gradient = func(bead)
tangent = self._tangents[ibead]
grad_perp = numpy.dot(numpy.ravel(gradient), numpy.ravel(tangent))
# calculate regular NEB bead gradient
self._beadgradients[ibead] = gradient - grad_perp * tangent
self._energies[ibead] = energy
def beadForces(self, func):
""" Calculates the forces of all 'inner' beads
Arguments:
func -- function that returns energy and forces for a bead
"""
self._beadTangents()
self._springForces()
self._beadGradients(func)
for ibead, bead in enumerate(self.innerBeads(), start=1):
bead_force = - self._beadgradients[ibead]
bead_force += self._springforces[ibead]
self._forces[ibead] = bead_force[:]
# Accounting and statistics
f = numpy.ravel(bead_force)
self._grms[ibead] = math.sqrt(f.dot(f)/len(f))
def minimize(self, nsteps, opttol, func, minimizer):
""" Minimizes the NEB path
The minimization is carried out for nsteps to a tolerance
of opttol with the energy and gradients calculated
for each bead by func. The minimizer used is suppplied
via the minimizers argument.
When the method ends, one can iterate over all the beads
in this class to get the states and continue from there.
NOTE: The opttol argument is not active
Arguments:
nstesp -- perform a maximum of nsteps steps
opttol -- the maximum rms gradient shall be below this value
func -- energy and gradient function
minimizer -- a minimizer
"""
for i in range(1, nsteps):
self.beadForces(func)
s = "-"*89 + "\nI={0:3d} ENERGY={1:12.6f} G RMS={2:13.9f}"
s2 = " E ="
s3 = " F RMS ="
s4 = " F SPR ="
maxerg = max(self._energies[1:-1])
grms = 0.0
grmsnrm = 0
for ibead, bead in enumerate(self.innerBeads(), start=1):
c = bead.getCoordinates()
(n, k) = numpy.shape(c)
bead.setCoordinates(c + minimizer.step(self._energies[ibead], self._forces[ibead]))
f = numpy.ravel(self._forces[ibead])
grms += numpy.linalg.norm(f)
grmsnrm += len(f)
s2 += "{0:9.4f}".format(self._energies[ibead])
s3 += "{0:9.4f}".format(self._grms[ibead])
s4 += "{0:9.4f}".format(numpy.max(self._springforces[ibead]))
print s.format(i, maxerg, math.sqrt(grms/grmsnrm))
print s2
print s3
print s4
| cstein/neb | neb/neb.py | Python | mit | 7,489 |
from django.db import models
from django.utils import timezone
from django.contrib import admin
from packages.generic import gmodels
from packages.generic.gmodels import content_file_name,content_file_name_same
from datetime import datetime
from django.core.validators import MaxValueValidator, MinValueValidator
from django.conf import settings as stg
import os
import Image as PImage
from embed_video.fields import EmbedVideoField
# Create your models here.
class Conference(models.Model):
title = models.CharField(max_length=160)
def __str__(self):
return self.title
class Category(models.Model):
title = models.CharField(max_length=160)
position = models.PositiveIntegerField(default='0')
class Meta:
verbose_name_plural = 'categories'
def __str__(self):
return self.title
def save(self, *args, **kwargs):
model = self.__class__
if self.position is None:
# Append
try:
last = model.objects.order_by('-position')[0]
self.position = last.position + 1
except IndexError:
# First row
self.position = 0
return super(Category, self).save(*args, **kwargs)
class Code(models.Model):
title = models.CharField(max_length=250)
file = models.FileField(upload_to=content_file_name_same,blank=True)
git_link = models.URLField(blank=True)
programming_language = models.CharField(max_length=40)
details = models.TextField(max_length=600,blank=True)
def __str__(self):
return str(self.title)
class Publication(models.Model):
title = models.CharField(max_length=160)
authors = models.CharField(max_length=220,null=True)
link = models.URLField(null=True, blank=True)
file = models.FileField(upload_to=content_file_name_same, null=True, blank=True)
short = models.CharField(max_length=50,null=True)
bibtex = models.TextField(max_length=1000)
conference_id = models.ForeignKey(Conference)
year = models.PositiveIntegerField(default=datetime.now().year,
validators=[
MaxValueValidator(datetime.now().year + 2),
MinValueValidator(1800)
])
# def __init__(self, *args, **kwargs):
# super(Publication, self).__init__(*args, **kwargs)
# if int(self.conference_id.i) != 0:
# self.conference = Conference.objects.get(id=int(self.conference_id))
def __str__(self):
return self.title
def fullStr(self):
return "%s, \"%s\", %s, %s " % (self.authors, self.title, self.conference_id.title, self.year)
class Project(models.Model):
title = models.CharField(max_length=200)
text = models.TextField(max_length=500)
mtext = models.TextField(max_length=1000,blank=True)
date_created = models.DateTimeField(default=timezone.now)
category_id = models.ForeignKey(Category)
position = models.PositiveIntegerField(default='0')
publications = models.ManyToManyField(Publication, null=True, blank=True)
def save(self, *args, **kwargs):
model = self.__class__
if self.position is None:
# Append
try:
last = model.objects.order_by('-position')[0]
self.position = last.position + 1
except IndexError:
# First row
self.position = 0
return super(Project, self).save(*args, **kwargs)
def get_images(self):
return [y for y in ProjectImage.objects.filter(entity_id_id__exact=self.id)]
def getFirstImage(self):
try:
p = ProjectImage.objects.filter(entity_id_id__exact=self.id)[0]
except IndexError:
p = None
if None != p:
return p
else:
return "default.png"
def get_videos(self):
return [str(y) for y in ProjectVideo.objects.filter(entity_id_id__exact=self.id)]
def get_publications(self):
return [p for p in self.publications.all()]
class Meta:
ordering = ('position',)
def __str__(self):
return self.title
class ProjectImage(gmodels.GImage):
entity_id = models.ForeignKey(Project)
class ProjectVideo(models.Model):
entity_id = models.ForeignKey(Project)
link = EmbedVideoField(null=True) # same like models.URLField()
def __str__(self):
return str(self.link)
class ProjectImageInline(admin.TabularInline):
model = ProjectImage
extra = 1
readonly_fields = ('image_tag',)
class ProjectVideoInline(admin.TabularInline):
model = ProjectVideo
extra = 1
class ProjectAdmin(admin.ModelAdmin):
inlines = [ProjectImageInline, ProjectVideoInline, ]
class Media:
js = ('admin/js/listreorder.js',)
list_display = ('position',)
list_display_links = ('title',)
list_display = ('title', 'position',)
list_editable = ('position',)
class Article(models.Model):
title = models.CharField(max_length=200)
text = models.TextField(max_length=500)
date_created = models.DateTimeField(default=timezone.now)
category_id = models.ForeignKey(Category)
position = models.PositiveIntegerField(default='0')
def save(self, *args, **kwargs):
model = self.__class__
if self.position is None:
# Append
try:
last = model.objects.order_by('-position')[0]
self.position = last.position + 1
except IndexError:
# First row
self.position = 0
return super(Article, self).save(*args, **kwargs)
def get_images(self):
return [y for y in ArticleImage.objects.filter(entity_id_id__exact=self.id)]
def getFirstImage(self):
try:
p = ArticleImage.objects.filter(entity_id_id__exact=self.id)[0]
except IndexError:
p = None
if None != p:
return p
else:
return "default.png"
class Meta:
ordering = ('position',)
def __str__(self):
return self.title
class ArticleImage(gmodels.GImage):
entity_id = models.ForeignKey(Article)
class ArticleImageInline(admin.TabularInline):
model = ArticleImage
extra = 1
readonly_fields = ('image_tag',)
class ArticleAdmin(admin.ModelAdmin):
inlines = [ArticleImageInline, ]
class Media:
js = ('admin/js/listreorder.js',)
list_display = ('position',)
list_display_links = ('title',)
list_display = ('title', 'position',)
list_editable = ('position',)
class CodeSnippet(models.Model):
title = models.CharField(max_length=160)
programming_language = models.CharField(max_length=120)
text = models.TextField(max_length=500)
code = models.TextField(max_length=1000)
date_created = models.DateTimeField(default=timezone.now)
def __str__(self):
return self.title
| sariyanidi/academics-webpage | mysite/blog/models.py | Python | mit | 7,189 |
# Creates graph of restaurant reviews for yelp or trip advisor.
# writes graph to gml file for use in gephi
#
# Rob Churchill
#
# NOTE: I learned to do this in my data science class last semester. If you are looking for plagiarism things, you will almost certainly find similar clustering code.
# I did not copy it, I learned this specific way of doing it, and referred to my previous assignments when doing it for this project. If you would like to see my previous
# assignments, I will provide you them on request. Otherwise, I don't think that it's worth adding a lot of extra files for the sole sake of showing that I haven't plagiarized.
import networkx as nx
import numpy as np
import scipy as sp
import csv
folder = 'data/'
file_names = ['yelp_data.csv', 'trip_advisor_data.csv']
# EDIT this line to change which website you make the graph for. True=yelp, False=TripAdvisor
yelp = False
yelp_dataset = list()
file_name = file_names[1]
if yelp == True:
file_name = file_names[0]
# reads in appropriate file given yelp boolean variable
with open(folder+file_name, 'r') as f:
reader = csv.reader(f)
for line in reader:
yelp_dataset.append(line)
# removes headers
yelp_dataset.remove(yelp_dataset[0])
print len(yelp_dataset)
# create the graph
G = nx.Graph()
for y in yelp_dataset:
# add the nodes if they don't already exist
G.add_node(y[4], type='restaurant')
G.add_node(y[13], type='reviewer')
# add the edge between the reviewer and restaurant, weight is in different position in each file.
if yelp == True:
G.add_edge(y[13], y[4], weight=float(y[2]))
else:
G.add_edge(y[13], y[4], weight=float(y[1]))
print nx.number_of_nodes(G)
print nx.number_of_edges(G)
# write graph to gml file.
nx.write_gml(G, 'ta_graph.gml') | rchurch4/georgetown-data-science-fall-2015 | analysis/graph/graph_creation.py | Python | mit | 1,784 |
#!/usr/bin/env python
"""
@file HybridVAControl.py
@author Craig Rafter
@date 19/08/2016
class for fixed time signal control
"""
import signalControl, readJunctionData, traci
from math import atan2, degrees
import numpy as np
from collections import defaultdict
class HybridVAControl(signalControl.signalControl):
def __init__(self, junctionData, minGreenTime=10, maxGreenTime=60, scanRange=250, packetRate=0.2):
super(HybridVAControl, self).__init__()
self.junctionData = junctionData
self.firstCalled = self.getCurrentSUMOtime()
self.lastCalled = self.getCurrentSUMOtime()
self.lastStageIndex = 0
traci.trafficlights.setRedYellowGreenState(self.junctionData.id,
self.junctionData.stages[self.lastStageIndex].controlString)
self.packetRate = int(1000*packetRate)
self.transition = False
self.CAMactive = False
# dict[vehID] = [position, heading, velocity, Tdetect]
self.newVehicleInfo = {}
self.oldVehicleInfo = {}
self.scanRange = scanRange
self.jcnCtrlRegion = self._getJncCtrlRegion()
# print(self.junctionData.id)
# print(self.jcnCtrlRegion)
self.controlledLanes = traci.trafficlights.getControlledLanes(self.junctionData.id)
# dict[laneID] = [heading, shape]
self.laneDetectionInfo = self._getIncomingLaneInfo()
self.stageTime = 0.0
self.minGreenTime = minGreenTime
self.maxGreenTime = maxGreenTime
self.secondsPerMeterTraffic = 0.45
self.nearVehicleCatchDistance = 25
self.extendTime = 1.0 # 5 m in 10 m/s (acceptable journey 1.333)
self.laneInductors = self._getLaneInductors()
def process(self):
# Packets sent on this step
# packet delay + only get packets towards the end of the second
if (not self.getCurrentSUMOtime() % self.packetRate) and (self.getCurrentSUMOtime() % 1000 > 500):
self.CAMactive = True
self._getCAMinfo()
else:
self.CAMactive = False
# Update stage decisions
# If there's no ITS enabled vehicles present use VA ctrl
if len(self.oldVehicleInfo) < 1 and not self.getCurrentSUMOtime() % 1000:
detectTimePerLane = self._getLaneDetectTime()
#print(detectTimePerLane)
# Set adaptive time limit
#print(detectTimePerLane < 3)
if np.any(detectTimePerLane < 2):
extend = self.extendTime
else:
extend = 0.0
self.stageTime = max(self.stageTime + extend, self.minGreenTime)
self.stageTime = min(self.stageTime, self.maxGreenTime)
# If active and on the second, or transition then make stage descision
elif (self.CAMactive and not self.getCurrentSUMOtime() % 1000) or self.transition:
oncomingVeh = self._getOncomingVehicles()
# If new stage get furthest from stop line whose velocity < 5% speed
# limit and determine queue length
if self.transition:
furthestVeh = self._getFurthestStationaryVehicle(oncomingVeh)
if furthestVeh[0] != '':
meteredTime = self.secondsPerMeterTraffic*furthestVeh[1]
self.stageTime = max(self.minGreenTime, meteredTime)
self.stageTime = min(self.stageTime, self.maxGreenTime)
# If we're in this state this should never happen but just in case
else:
self.stageTime = self.minGreenTime
# If currently staging then extend time if there are vehicles close
# to the stop line
else:
nearestVeh = self._getNearestVehicle(oncomingVeh)
# If a vehicle detected
if nearestVeh != '' and nearestVeh[1] <= self.nearVehicleCatchDistance:
if (self.oldVehicleInfo[nearestVeh[0]][2] != 1e6
and self.oldVehicleInfo[nearestVeh[0]][2] > 1.0/self.secondsPerMeterTraffic):
meteredTime = nearestVeh[1]/self.oldVehicleInfo[nearestVeh[0]][2]
else:
meteredTime = self.secondsPerMeterTraffic*nearestVeh[1]
elapsedTime = 0.001*(self.getCurrentSUMOtime() - self.lastCalled)
Tremaining = self.stageTime - elapsedTime
self.stageTime = elapsedTime + max(meteredTime, Tremaining)
self.stageTime = min(self.stageTime, self.maxGreenTime)
# no detectable near vehicle try inductive loop info
elif nearestVeh == '' or nearestVeh[1] <= self.nearVehicleCatchDistance:
detectTimePerLane = self._getLaneDetectTime()
print('Loops2')
# Set adaptive time limit
if np.any(detectTimePerLane < 2):
extend = self.extendTime
else:
extend = 0.0
self.stageTime = max(self.stageTime + extend, self.minGreenTime)
self.stageTime = min(self.stageTime, self.maxGreenTime)
else:
pass
# process stage as normal
else:
pass
# print(self.stageTime)
self.transition = False
if self.transitionObject.active:
# If the transition object is active i.e. processing a transition
pass
elif (self.getCurrentSUMOtime() - self.firstCalled) < (self.junctionData.offset*1000):
# Process offset first
pass
elif (self.getCurrentSUMOtime() - self.lastCalled) < self.stageTime*1000:
# Before the period of the next stage
pass
else:
# Not active, not in offset, stage not finished
if len(self.junctionData.stages) != (self.lastStageIndex)+1:
# Loop from final stage to first stage
self.transitionObject.newTransition(
self.junctionData.id,
self.junctionData.stages[self.lastStageIndex].controlString,
self.junctionData.stages[self.lastStageIndex+1].controlString)
self.lastStageIndex += 1
else:
# Proceed to next stage
#print(0.001*(self.getCurrentSUMOtime() - self.lastCalled))
self.transitionObject.newTransition(
self.junctionData.id,
self.junctionData.stages[self.lastStageIndex].controlString,
self.junctionData.stages[0].controlString)
self.lastStageIndex = 0
#print(0.001*(self.getCurrentSUMOtime() - self.lastCalled))
self.lastCalled = self.getCurrentSUMOtime()
self.transition = True
self.stageTime = 0.0
super(HybridVAControl, self).process()
def _getHeading(self, currentLoc, prevLoc):
dy = currentLoc[1] - prevLoc[1]
dx = currentLoc[0] - prevLoc[0]
if currentLoc[1] == prevLoc[1] and currentLoc[0] == prevLoc[0]:
heading = -1
else:
if dy >= 0:
heading = degrees(atan2(dy, dx))
else:
heading = 360 + degrees(atan2(dy, dx))
# Map angle to make compatible with SUMO heading
if 0 <= heading <= 90:
heading = 90 - heading
elif 90 < heading < 360:
heading = 450 - heading
return heading
def _getJncCtrlRegion(self):
jncPosition = traci.junction.getPosition(self.junctionData.id)
otherJuncPos = [traci.junction.getPosition(x) for x in traci.trafficlights.getIDList() if x != self.junctionData.id]
ctrlRegion = {'N':jncPosition[1]+self.scanRange, 'S':jncPosition[1]-self.scanRange,
'E':jncPosition[0]+self.scanRange, 'W':jncPosition[0]-self.scanRange}
TOL = 10 # Exclusion region around junction boundary
if otherJuncPos != []:
for pos in otherJuncPos:
dx = jncPosition[0] - pos[0]
dy = jncPosition[1] - pos[1]
# North/South Boundary
if abs(dy) < self.scanRange:
if dy < -TOL:
ctrlRegion['N'] = min(pos[1] - TOL, ctrlRegion['N'])
elif dy > TOL:
ctrlRegion['S'] = max(pos[1] + TOL, ctrlRegion['S'])
else:
pass
else:
pass
# East/West Boundary
if abs(dx) < self.scanRange:
if dx < -TOL:
ctrlRegion['E'] = min(pos[0] - TOL, ctrlRegion['E'])
elif dx > TOL:
ctrlRegion['W'] = max(pos[0] + TOL, ctrlRegion['W'])
else:
pass
else:
pass
return ctrlRegion
def _isInRange(self, vehID):
vehPosition = np.array(traci.vehicle.getPosition(vehID))
jcnPosition = np.array(traci.junction.getPosition(self.junctionData.id))
distance = np.linalg.norm(vehPosition - jcnPosition)
if (distance < self.scanRange
and self.jcnCtrlRegion['W'] <= vehPosition[0] <= self.jcnCtrlRegion['E']
and self.jcnCtrlRegion['S'] <= vehPosition[1] <= self.jcnCtrlRegion['N']):
return True
else:
return False
def _getVelocity(self, vehID, vehPosition, Tdetect):
if vehID in self.oldVehicleInfo.keys():
oldX = np.array(self.oldVehicleInfo[vehID][0])
newX = np.array(vehPosition)
dx = np.linalg.norm(newX - oldX)
dt = Tdetect - self.oldVehicleInfo[vehID][3]
velocity = dx/dt
return velocity
else:
return 1e6
def _getCAMinfo(self):
self.oldVehicleInfo = self.newVehicleInfo.copy()
self.newVehicleInfo = {}
Tdetect = 0.001*self.getCurrentSUMOtime()
for vehID in traci.vehicle.getIDList():
if traci.vehicle.getTypeID(vehID) == 'typeITSCV' and self._isInRange(vehID):
vehPosition = traci.vehicle.getPosition(vehID)
vehHeading = traci.vehicle.getAngle(vehID)
vehVelocity = self._getVelocity(vehID, vehPosition, Tdetect)
self.newVehicleInfo[vehID] = [vehPosition, vehHeading, vehVelocity, Tdetect]
def _getIncomingLaneInfo(self):
laneInfo = defaultdict(list)
for lane in list(np.unique(np.array(self.controlledLanes))):
shape = traci.lane.getShape(lane)
width = traci.lane.getWidth(lane)
heading = self._getHeading(shape[1], shape[0])
dx = shape[0][0] - shape[1][0]
dy = shape[0][1] - shape[1][1]
if abs(dx) > abs(dy):
roadBounds = ((shape[0][0], shape[0][1] + width), (shape[1][0], shape[1][1] - width))
else:
roadBounds = ((shape[0][0] + width, shape[0][1]), (shape[1][0] - width, shape[1][1]))
laneInfo[lane] = [heading, roadBounds]
return laneInfo
def _getOncomingVehicles(self):
# Oncoming if (in active lane & heading matches oncoming heading &
# is in lane bounds)
activeLanes = self._getActiveLanes()
vehicles = []
for lane in activeLanes:
for vehID in self.oldVehicleInfo.keys():
# If on correct heading pm 10deg
if (np.isclose(self.oldVehicleInfo[vehID][1], self.laneDetectionInfo[lane][0], atol=10)
# If in lane x bounds
and min(self.laneDetectionInfo[lane][1][0][0], self.laneDetectionInfo[lane][1][1][0]) <
self.oldVehicleInfo[vehID][0][0] <
max(self.laneDetectionInfo[lane][1][0][0], self.laneDetectionInfo[lane][1][1][0])
# If in lane y bounds
and min(self.laneDetectionInfo[lane][1][0][1], self.laneDetectionInfo[lane][1][1][1]) <
self.oldVehicleInfo[vehID][0][1] <
max(self.laneDetectionInfo[lane][1][0][1], self.laneDetectionInfo[lane][1][1][1])):
# Then append vehicle
vehicles.append(vehID)
vehicles = list(np.unique(np.array(vehicles)))
return vehicles
def _getActiveLanes(self):
# Get the current control string to find the green lights
stageCtrlString = self.junctionData.stages[self.lastStageIndex].controlString
activeLanes = []
for i, letter in enumerate(stageCtrlString):
if letter == 'G':
activeLanes.append(self.controlledLanes[i])
# Get a list of the unique active lanes
activeLanes = list(np.unique(np.array(activeLanes)))
return activeLanes
def _getLaneInductors(self):
laneInductors = defaultdict(list)
for loop in traci.inductionloop.getIDList():
loopLane = traci.inductionloop.getLaneID(loop)
if loopLane in self.controlledLanes and 'upstream' not in loop:
laneInductors[loopLane].append(loop)
return laneInductors
def _getFurthestStationaryVehicle(self, vehIDs):
furthestID = ''
maxDistance = -1
jcnPosition = np.array(traci.junction.getPosition(self.junctionData.id))
speedLimit = traci.lane.getMaxSpeed(self._getActiveLanes()[0])
for ID in vehIDs:
vehPosition = np.array(self.oldVehicleInfo[ID][0])
distance = np.linalg.norm(vehPosition - jcnPosition)
if distance > maxDistance and self.oldVehicleInfo[ID][2] < 0.05*speedLimit:
furthestID = ID
maxDistance = distance
return [furthestID, maxDistance]
def _getNearestVehicle(self, vehIDs):
nearestID = ''
minDistance = self.nearVehicleCatchDistance + 1
jcnPosition = np.array(traci.junction.getPosition(self.junctionData.id))
for ID in vehIDs:
vehPosition = np.array(self.oldVehicleInfo[ID][0])
distance = np.linalg.norm(vehPosition - jcnPosition)
if distance < minDistance:
nearestID = ID
minDistance = distance
return [nearestID, minDistance]
def _getLaneDetectTime(self):
activeLanes = self._getActiveLanes()
meanDetectTimePerLane = np.zeros(len(activeLanes))
for i, lane in enumerate(activeLanes):
detectTimes = []
for loop in self.laneInductors[lane]:
detectTimes.append(traci.inductionloop.getTimeSinceDetection(loop))
meanDetectTimePerLane[i] = np.mean(detectTimes)
return meanDetectTimePerLane
| cbrafter/TRB18_GPSVA | codes/sumoAPI/HybridVAControl_PROFILED.py | Python | mit | 14,996 |
"""Module containing character feature extractors."""
import string
from unstyle.features.featregister import register_feat
@register_feat
def characterSpace(text):
"""Return the total number of characters."""
return len(text)
@register_feat
def letterSpace(text):
"""Return the total number of letters (excludes spaces and punctuation)"""
count = 0
alphabet = string.ascii_lowercase + string.ascii_uppercase
for char in text:
if char in alphabet:
count += 1
return count
| pagea/unstyle | unstyle/features/characterfeatures.py | Python | mit | 526 |
from django.db import models
from django.contrib.auth.models import User
from police.models import Stationdata
class general_diary(models.Model):
ref_id = models.CharField(max_length=40,unique=True,default="00000")
firstname = models.CharField(max_length=20)
lastname = models.CharField(max_length=20)
mobile = models.CharField(max_length=10)
email = models.CharField(max_length=80)
address = models.TextField()
DOB = models.DateField('date of birth')
idType_1 = models.CharField(max_length=10)
idType_1_value = models.CharField(max_length=15)
idType_2 = models.CharField(max_length=20)
idType_2_value = models.CharField(max_length=15)
StationCode = models.ForeignKey(Stationdata)
Subject = models.CharField(max_length=200)
pub_date = models.DateTimeField('date published')
detail = models.TextField()
Time = models.DateTimeField('Occurence')
Place = models.CharField(max_length=200)
Loss = models.CharField(max_length=200)
OTP = models.BooleanField(default=False)
def __str__(self): # __unicode__ on Python 2
return self.Subject
class Fir(models.Model):
ref_id = models.CharField(max_length=40,unique=True,default="00000")
firstname = models.CharField(max_length=20)
lastname = models.CharField(max_length=20)
mobile = models.CharField(max_length=10)
email = models.CharField(max_length=80)
address = models.TextField()
DOB = models.DateField('date of birth')
idType_1 = models.CharField(max_length=10)
idType_1_value = models.CharField(max_length=15)
idType_2 = models.CharField(max_length=20)
idType_2_value = models.CharField(max_length=15)
StationCode = models.ForeignKey(Stationdata)
Subject = models.CharField(max_length=200)
pub_date = models.DateTimeField('date published')
detail = models.TextField()
Suspect = models.CharField(max_length=500)
Time = models.DateTimeField('Occurence')
Place = models.CharField(max_length=200)
Witness = models.CharField(max_length=500)
Loss = models.CharField(max_length=200)
OTP = models.BooleanField(default=False)
def __str__(self): # __unicode__ on Python 2
return self.Subject
class lookup_table(models.Model):
ref_id = models.CharField(max_length=40,unique=True,default="00000")
hashmap = models.CharField(max_length=70,unique=True,default="00000")
type = models.CharField(max_length=5,default="GD")
def __str__(self): # __unicode__ on Python 2
return self.hashmap | Ghost-script/Online-FIR-General-Diary-lodging-System | Web_App/Web_App/models.py | Python | mit | 2,567 |
"""
pyexcel_xls
~~~~~~~~~~~~~~~~~~~
The lower level xls/xlsm file format handler using xlrd/xlwt
:copyright: (c) 2016-2017 by Onni Software Ltd
:license: New BSD License
"""
import sys
import math
import datetime
import xlrd
from xlwt import Workbook, XFStyle
from pyexcel_io.book import BookReader, BookWriter
from pyexcel_io.sheet import SheetReader, SheetWriter
PY2 = sys.version_info[0] == 2
if PY2 and sys.version_info[1] < 7:
from ordereddict import OrderedDict
else:
from collections import OrderedDict
DEFAULT_DATE_FORMAT = "DD/MM/YY"
DEFAULT_TIME_FORMAT = "HH:MM:SS"
DEFAULT_DATETIME_FORMAT = "%s %s" % (DEFAULT_DATE_FORMAT, DEFAULT_TIME_FORMAT)
class XLSheet(SheetReader):
"""
xls, xlsx, xlsm sheet reader
Currently only support first sheet in the file
"""
def __init__(self, sheet, auto_detect_int=True, **keywords):
SheetReader.__init__(self, sheet, **keywords)
self.__auto_detect_int = auto_detect_int
@property
def name(self):
return self._native_sheet.name
def number_of_rows(self):
"""
Number of rows in the xls sheet
"""
return self._native_sheet.nrows
def number_of_columns(self):
"""
Number of columns in the xls sheet
"""
return self._native_sheet.ncols
def cell_value(self, row, column):
"""
Random access to the xls cells
"""
cell_type = self._native_sheet.cell_type(row, column)
value = self._native_sheet.cell_value(row, column)
if cell_type == xlrd.XL_CELL_DATE:
value = xldate_to_python_date(value)
elif cell_type == xlrd.XL_CELL_NUMBER and self.__auto_detect_int:
if is_integer_ok_for_xl_float(value):
value = int(value)
return value
class XLSBook(BookReader):
"""
XLSBook reader
It reads xls, xlsm, xlsx work book
"""
def __init__(self):
BookReader.__init__(self)
self._file_content = None
def open(self, file_name, **keywords):
BookReader.open(self, file_name, **keywords)
self._get_params()
def open_stream(self, file_stream, **keywords):
BookReader.open_stream(self, file_stream, **keywords)
self._get_params()
def open_content(self, file_content, **keywords):
self._keywords = keywords
self._file_content = file_content
self._get_params()
def close(self):
if self._native_book:
self._native_book.release_resources()
def read_sheet_by_index(self, sheet_index):
self._native_book = self._get_book(on_demand=True)
sheet = self._native_book.sheet_by_index(sheet_index)
return self.read_sheet(sheet)
def read_sheet_by_name(self, sheet_name):
self._native_book = self._get_book(on_demand=True)
try:
sheet = self._native_book.sheet_by_name(sheet_name)
except xlrd.XLRDError:
raise ValueError("%s cannot be found" % sheet_name)
return self.read_sheet(sheet)
def read_all(self):
result = OrderedDict()
self._native_book = self._get_book()
for sheet in self._native_book.sheets():
if self.skip_hidden_sheets and sheet.visibility != 0:
continue
data_dict = self.read_sheet(sheet)
result.update(data_dict)
return result
def read_sheet(self, native_sheet):
sheet = XLSheet(native_sheet, **self._keywords)
return {sheet.name: sheet.to_array()}
def _get_book(self, on_demand=False):
if self._file_name:
xls_book = xlrd.open_workbook(self._file_name, on_demand=on_demand)
elif self._file_stream:
self._file_stream.seek(0)
file_content = self._file_stream.read()
xls_book = xlrd.open_workbook(
None,
file_contents=file_content,
on_demand=on_demand
)
elif self._file_content is not None:
xls_book = xlrd.open_workbook(
None,
file_contents=self._file_content,
on_demand=on_demand
)
else:
raise IOError("No valid file name or file content found.")
return xls_book
def _get_params(self):
self.skip_hidden_sheets = self._keywords.get(
'skip_hidden_sheets', True)
class XLSheetWriter(SheetWriter):
"""
xls sheet writer
"""
def set_sheet_name(self, name):
"""Create a sheet
"""
self._native_sheet = self._native_book.add_sheet(name)
self.current_row = 0
def write_row(self, array):
"""
write a row into the file
"""
for i, value in enumerate(array):
style = None
tmp_array = []
if isinstance(value, datetime.datetime):
tmp_array = [
value.year, value.month, value.day,
value.hour, value.minute, value.second
]
value = xlrd.xldate.xldate_from_datetime_tuple(tmp_array, 0)
style = XFStyle()
style.num_format_str = DEFAULT_DATETIME_FORMAT
elif isinstance(value, datetime.date):
tmp_array = [value.year, value.month, value.day]
value = xlrd.xldate.xldate_from_date_tuple(tmp_array, 0)
style = XFStyle()
style.num_format_str = DEFAULT_DATE_FORMAT
elif isinstance(value, datetime.time):
tmp_array = [value.hour, value.minute, value.second]
value = xlrd.xldate.xldate_from_time_tuple(tmp_array)
style = XFStyle()
style.num_format_str = DEFAULT_TIME_FORMAT
if style:
self._native_sheet.write(self.current_row, i, value, style)
else:
self._native_sheet.write(self.current_row, i, value)
self.current_row += 1
class XLSWriter(BookWriter):
"""
xls writer
"""
def __init__(self):
BookWriter.__init__(self)
self.work_book = None
def open(self, file_name,
encoding='ascii', style_compression=2, **keywords):
BookWriter.open(self, file_name, **keywords)
self.work_book = Workbook(style_compression=style_compression,
encoding=encoding)
def create_sheet(self, name):
return XLSheetWriter(self.work_book, None, name)
def close(self):
"""
This call actually save the file
"""
self.work_book.save(self._file_alike_object)
def is_integer_ok_for_xl_float(value):
"""check if a float value had zero value in digits"""
return value == math.floor(value)
def xldate_to_python_date(value):
"""
convert xl date to python date
"""
date_tuple = xlrd.xldate_as_tuple(value, 0)
ret = None
if date_tuple == (0, 0, 0, 0, 0, 0):
ret = datetime.datetime(1900, 1, 1, 0, 0, 0)
elif date_tuple[0:3] == (0, 0, 0):
ret = datetime.time(date_tuple[3],
date_tuple[4],
date_tuple[5])
elif date_tuple[3:6] == (0, 0, 0):
ret = datetime.date(date_tuple[0],
date_tuple[1],
date_tuple[2])
else:
ret = datetime.datetime(
date_tuple[0],
date_tuple[1],
date_tuple[2],
date_tuple[3],
date_tuple[4],
date_tuple[5]
)
return ret
_xls_reader_registry = {
"file_type": "xls",
"reader": XLSBook,
"writer": XLSWriter,
"stream_type": "binary",
"mime_type": "application/vnd.ms-excel",
"library": "pyexcel-xls"
}
_XLSM_MIME = (
"application/" +
"vnd.openxmlformats-officedocument.spreadsheetml.sheet")
_xlsm_registry = {
"file_type": "xlsm",
"reader": XLSBook,
"stream_type": "binary",
"mime_type": _XLSM_MIME,
"library": "pyexcel-xls"
}
_xlsx_registry = {
"file_type": "xlsx",
"reader": XLSBook,
"stream_type": "binary",
"mime_type": "application/vnd.ms-excel.sheet.macroenabled.12",
"library": "pyexcel-xls"
}
exports = (_xls_reader_registry,
_xlsm_registry,
_xlsx_registry)
| caspartse/QQ-Groups-Spider | vendor/pyexcel_xls/xls.py | Python | mit | 8,380 |
# The MIT License (MIT)
#
# Copyright (c) 2014 Muratahan Aykol
#
# Permission is hereby granted, free of charge, to any person obtaining a copy
# of this software and associated documentation files (the "Software"), to deal
# in the Software without restriction, including without limitation the rights
# to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
# copies of the Software, and to permit persons to whom the Software is
# furnished to do so, subject to the following conditions:
#
# The above copyright notice and this permission notice shall be included in
# all copies or substantial portions of the Software.
#
# THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
# IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
# FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
# AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
# LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
# OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN
# THE SOFTWARE
import numpy as np
xdatcar = open('XDATCAR', 'r')
xyz = open('XDATCAR.xyz', 'w')
xyz_fract = open('XDATCAR_fract.xyz', 'w')
system = xdatcar.readline()
scale = float(xdatcar.readline().rstrip('\n'))
print scale
#get lattice vectors
a1 = np.array([ float(s)*scale for s in xdatcar.readline().rstrip('\n').split() ])
a2 = np.array([ float(s)*scale for s in xdatcar.readline().rstrip('\n').split() ])
a3 = np.array([ float(s)*scale for s in xdatcar.readline().rstrip('\n').split() ])
print a1
print a2
print a3
#Save scaled lattice vectors
lat_rec = open('lattice.vectors', 'w')
lat_rec.write(str(a1[0])+' '+str(a1[1])+' '+str(a1[2])+'\n')
lat_rec.write(str(a2[0])+' '+str(a2[1])+' '+str(a2[2])+'\n')
lat_rec.write(str(a3[0])+' '+str(a3[1])+' '+str(a3[2]))
lat_rec.close()
#Read xdatcar
element_names = xdatcar.readline().rstrip('\n').split()
element_dict = {}
element_numbers = xdatcar.readline().rstrip('\n').split()
i = 0
N = 0
for t in range(len(element_names)):
element_dict[element_names[t]] = int(element_numbers[i])
N += int(element_numbers[i])
i += 1
print element_dict
while True:
line = xdatcar.readline()
if len(line) == 0:
break
xyz.write(str(N) + "\ncomment\n")
xyz_fract.write(str(N)+"\ncomment\n")
for el in element_names:
for i in range(element_dict[el]):
p = xdatcar.readline().rstrip('\n').split()
coords = np.array([ float(s) for s in p ])
# print coords
cartesian_coords = coords[0]*a1+coords[1]*a2+coords[2]*a3
xyz.write(el+ " " + str(cartesian_coords[0])+ " " + str(cartesian_coords[1]) + " " + str(cartesian_coords[2]) +"\n")
xyz_fract.write(el+ " " + str(coords[0])+ " " + str(coords[1]) + " " + str(coords[2]) +"\n")
xdatcar.close()
xyz.close()
xyz_fract.close()
| aykol/mean-square-displacement | xdatcar2xyz.1.04.py | Python | mit | 2,939 |
#!/usr/bin/env python
from setuptools import setup, find_packages
classifiers = [
# Get more strings from
# http://pypi.python.org/pypi?%3Aaction=list_classifiers
"License :: OSI Approved :: MIT License",
"Natural Language :: English",
"Operating System :: OS Independent",
"Programming Language :: Python",
"Programming Language :: Python :: 2",
"Programming Language :: Python :: 2.6",
"Programming Language :: Python :: 2.7",
"Programming Language :: Python :: 3",
"Programming Language :: Python :: 3.2",
"Programming Language :: Python :: 3.3",
"Programming Language :: Python :: 3.4",
]
setup(name="nanpy",
version="0.9.4",
description="Use your Arduino board with Python",
license="MIT",
author="Andrea Stagi",
author_email="[email protected]",
url="http://github.com/nanpy/nanpy",
packages = find_packages(),
keywords= "arduino library prototype",
install_requires=[
"pyserial",
],
classifiers=classifiers,
zip_safe = True)
| ryanvade/nanpy | setup.py | Python | mit | 1,020 |
# -*- coding: utf-8 -*-
from sitemaps import SiteMapRoot, SiteMap
from datetime import datetime
def generate_sitemap():
"""
build the sitemap
"""
sitemap = SiteMap()
sitemap.append("http://www.xxx.com", datetime.now(), "weekly", 0.9)
sitemap.append("http://www.xxx.com/a1", datetime.now(), "monthly", 0.7)
sitemap.save_xml("sitemap.xml")
def generate_sitemap_gz():
"""
get the gzip sitemap format
"""
sitemap = SiteMap()
sitemap.append("http://www.xxx.com", datetime.now(), "weekly", 0.9)
sitemap.append("http://www.xxx.com/a1", datetime.now(), "monthly", 0.7)
xml_string = sitemap.to_string
sitemap_root = SiteMapRoot("http://www.new.com", "root_sitemap.xml", False)
sitemap_root.append("sitemap1.xml.gz", xml_string)
sitemap_root.save_xml()
if __name__ == "__main__":
generate_sitemap()
generate_sitemap_gz() | nooperpudd/sitemap | simples/simple.py | Python | mit | 895 |
# -*- coding: utf-8 -*-
# Resource object code
#
# Created by: The Resource Compiler for PyQt5 (Qt v5.8.0)
#
# WARNING! All changes made in this file will be lost!
from PyQt5 import QtCore
qt_resource_data = b"\
\x00\x00\x04\x31\
\x89\
\x50\x4e\x47\x0d\x0a\x1a\x0a\x00\x00\x00\x0d\x49\x48\x44\x52\x00\
\x00\x00\x20\x00\x00\x00\x20\x08\x03\x00\x00\x00\x44\xa4\x8a\xc6\
\x00\x00\x00\x03\x73\x42\x49\x54\x08\x08\x08\xdb\xe1\x4f\xe0\x00\
\x00\x00\x09\x70\x48\x59\x73\x00\x00\x00\xdd\x00\x00\x00\xdd\x01\
\x70\x53\xa2\x07\x00\x00\x00\x19\x74\x45\x58\x74\x53\x6f\x66\x74\
\x77\x61\x72\x65\x00\x77\x77\x77\x2e\x69\x6e\x6b\x73\x63\x61\x70\
\x65\x2e\x6f\x72\x67\x9b\xee\x3c\x1a\x00\x00\x01\xdd\x50\x4c\x54\
\x45\xff\xff\xff\xff\xff\x00\xff\xff\x80\xff\xff\xff\xff\xcc\x66\
\xff\xdb\x49\xff\xbf\x60\xff\xb3\x4d\xff\xd1\x5d\xff\xc4\x4e\xed\
\xed\xed\xff\xb6\x49\xff\xc8\x5b\xdf\xef\xef\xff\xcf\x50\xff\xd2\
\x5a\xf2\xbf\x40\xf4\xbf\x40\xe2\xeb\xeb\xff\xd0\x55\xe4\xed\xed\
\xe5\xe5\xed\xff\xca\x58\xff\xcc\x55\xf8\xb8\x40\xff\xcd\x55\xff\
\xcc\x53\xe7\xe7\xed\xff\xcc\x55\xe3\xe9\xee\xf4\xb8\x41\xff\xce\
\x51\xff\xcc\x53\xf6\xbc\x43\xf6\xba\x41\xff\xce\x55\xf7\xbb\x44\
\xf7\xbc\x43\xf8\xbc\x43\xff\xcd\x55\xe7\xea\xee\xf5\xbd\x42\xe7\
\xea\xee\xf5\xb9\x42\xf6\xbb\x41\xf6\xbb\x41\xf6\xbb\x41\xe5\xea\
\xed\xe6\xe8\xed\xf5\xbc\x41\xf5\xba\x42\xf6\xbb\x42\xff\xce\x54\
\xe7\xe9\xed\xf5\xbb\x42\xff\xce\x54\xf6\xbb\x42\xf6\xbc\x42\xe8\
\xe9\xed\xf6\xbc\x42\xff\xcd\x53\xe5\xe9\xec\xf5\xba\x41\xe6\xe9\
\xec\xff\xce\x54\xe7\xea\xed\xff\xce\x53\xe7\xea\xef\xf6\xbc\x42\
\xff\xce\x54\xf7\xbc\x43\xf7\xbb\x43\xe7\xe9\xed\xe6\xe8\xec\xff\
\xcd\x55\xf7\xbd\x42\xff\xcf\x54\xe7\xe9\xee\xf6\xbb\x43\xff\xce\
\x55\xff\xcd\x55\xe6\xe9\xed\xf6\xbc\x42\xe7\xe9\xee\xe6\xe9\xed\
\xe7\xea\xed\xff\xce\x54\xe7\xe9\xed\xf6\xbc\x42\xe6\xe9\xed\xf6\
\xbb\x42\xf6\xbb\x42\xff\xce\x54\xf7\xbb\x43\xe7\xe9\xed\xe6\xe9\
\xed\xf6\xbb\x42\xf6\xbb\x42\xe8\xeb\xf0\xe8\xea\xee\xe8\xeb\xef\
\xe7\xea\xee\xeb\xed\xf1\xf8\xbe\x45\xf7\xbd\x44\xe7\xea\xee\xeb\
\xee\xf1\xf6\xbb\x43\xe6\xe9\xed\xea\xed\xf0\xf6\xbb\x42\xf7\xbe\
\x44\xf8\xc0\x46\xc6\xca\xce\xd3\xd6\xdb\xda\x44\x53\xdb\x46\x55\
\xdb\x4b\x5a\xdb\x4e\x5c\xdc\x48\x57\xdf\x65\x72\xe6\x93\x9d\xe6\
\x95\x9e\xe6\xe9\xed\xe7\x4f\x5e\xeb\xed\xf1\xeb\xee\xf1\xec\xb9\
\xc0\xec\xbd\xc4\xec\xef\xf2\xed\xc4\xcb\xed\xf0\xf3\xee\xf0\xf3\
\xee\xf1\xf4\xef\xce\xd4\xef\xf1\xf5\xf0\xd6\xdb\xf0\xf2\xf5\xf0\
\xf2\xf6\xf1\xf3\xf7\xf1\xf4\xf7\xf2\xe3\xe7\xf4\xef\xf2\xf4\xf6\
\xf9\xf5\xf5\xf8\xf5\xf6\xf9\xf5\xf7\xfa\xf6\xbb\x42\xf9\xc0\x47\
\xf9\xc1\x48\xf9\xc2\x49\xfa\xc3\x49\xfb\xc5\x4b\xfb\xc6\x4d\xfc\
\xc8\x4e\xfd\xc9\x4f\xfd\xca\x50\xfd\xca\x51\xff\xce\x54\x04\x23\
\x9d\x11\x00\x00\x00\x71\x74\x52\x4e\x53\x00\x01\x02\x02\x05\x07\
\x08\x0a\x0b\x0d\x0e\x0e\x0e\x10\x10\x11\x14\x18\x1a\x1b\x1c\x1d\
\x1d\x1e\x24\x24\x28\x2b\x2d\x2e\x2f\x2f\x37\x39\x3b\x3f\x40\x41\
\x45\x48\x49\x49\x4a\x4d\x52\x53\x56\x62\x64\x66\x68\x6d\x7d\x7e\
\x80\x83\x8b\x8c\x8e\x90\x90\x95\xa0\xa5\xa6\xa8\xa8\xaa\xae\xb1\
\xb6\xb8\xbd\xbe\xbe\xc0\xc3\xc8\xcb\xcd\xd3\xd8\xd8\xdb\xde\xe6\
\xe7\xe8\xe8\xe9\xea\xed\xf0\xf1\xf2\xf5\xf5\xf7\xf8\xfa\xfa\xfb\
\xfb\xfb\xfc\xfd\xfd\xfd\xfe\xfe\xfe\xfe\xfe\x22\xeb\xe2\xf5\x00\
\x00\x01\x49\x49\x44\x41\x54\x38\xcb\x63\x60\x00\x03\x59\x8f\xf8\
\x40\x03\x06\xdc\x40\x24\x2e\xa9\x35\x2d\x13\x8f\x0a\xd3\xd4\xfe\
\x49\x93\xd2\x02\x71\x2b\xb0\xcf\x9a\x34\x69\x52\x67\x0e\x6e\x05\
\x8e\x75\x40\x05\x5d\xd5\x94\x29\xe8\x25\xa4\xa0\xac\x89\x80\x82\
\xe2\x7a\x84\x02\x01\x42\x0a\xa2\xd5\x70\x2b\xe0\xe7\x03\x12\x09\
\xda\x0c\x0c\x2c\xc2\xd8\x15\x98\x87\x49\x32\x30\x48\x30\x30\x30\
\xba\x06\x60\x57\xc0\xe3\xa4\xae\xe8\x16\xe1\x67\xcc\xe6\xa5\x80\
\xa2\xa0\xa8\xa5\xb8\xbe\x10\xe2\x06\xbd\xbc\xfc\x19\x53\x26\xbb\
\xa0\xb9\x01\xa1\x80\x3d\x76\xea\xbc\x79\xf3\x66\x4d\xd6\xc4\xea\
\x48\x39\x3b\x43\xa5\xc9\x73\x80\x0a\xe6\x65\x58\x00\xd9\x98\x0a\
\x54\xdd\xcd\x54\x26\xcf\x05\x29\x48\xb7\x06\xb2\xb1\x86\x03\x77\
\xe2\x74\xa0\xfc\xec\xc9\xba\x38\x03\xca\x68\x72\xc1\xcc\x69\xd9\
\xde\x8c\x38\x14\xb0\xda\x28\xeb\x04\x65\x47\x59\x72\x3a\x48\x61\
\x57\x60\x12\x23\xc3\xc0\x20\xc8\xc0\xc0\xe4\xe3\x8f\x5d\x81\x98\
\x38\x34\x2e\x38\xe4\xf1\x44\x16\x28\x2e\xf0\xc6\xa6\x04\xba\x3c\
\x6f\x64\x23\x50\x41\x77\xb5\x16\xae\xf4\x62\x9b\xd3\xdf\x51\x5c\
\x39\x21\x37\x9c\x19\x87\x82\x90\xda\xbe\xd2\x92\xe2\x86\xae\x6a\
\x69\x1c\x0a\xe2\xdb\xdb\x8a\x6b\xca\xab\xfa\xab\x35\x70\x28\xf0\
\x6d\x9c\x58\x51\x5c\xda\xd1\x5d\x2d\x84\x43\x81\x7e\x66\xcf\xc4\
\xb6\xbe\xfe\x14\x4f\x9c\xa9\xda\x39\xb3\xb1\xbd\x39\x39\x54\x14\
\x77\xba\xd7\xf7\x8d\x0f\xb6\xe2\xc2\x26\x03\x00\x8f\xb4\x8c\xb5\
\x70\xac\xb2\xb2\x00\x00\x00\x00\x49\x45\x4e\x44\xae\x42\x60\x82\
\
\x00\x00\x02\x24\
\x89\
\x50\x4e\x47\x0d\x0a\x1a\x0a\x00\x00\x00\x0d\x49\x48\x44\x52\x00\
\x00\x00\x20\x00\x00\x00\x20\x08\x03\x00\x00\x00\x44\xa4\x8a\xc6\
\x00\x00\x00\x03\x73\x42\x49\x54\x08\x08\x08\xdb\xe1\x4f\xe0\x00\
\x00\x00\x09\x70\x48\x59\x73\x00\x00\x07\xa3\x00\x00\x07\xa3\x01\
\x30\x2f\xb2\xc5\x00\x00\x00\x19\x74\x45\x58\x74\x53\x6f\x66\x74\
\x77\x61\x72\x65\x00\x77\x77\x77\x2e\x69\x6e\x6b\x73\x63\x61\x70\
\x65\x2e\x6f\x72\x67\x9b\xee\x3c\x1a\x00\x00\x00\xa2\x50\x4c\x54\
\x45\xff\xff\xff\x28\x38\x4d\x28\x37\x4d\x87\x39\x4f\x6b\x39\x4e\
\xfc\x38\x52\xef\xd5\xc9\x78\x38\x4e\x8a\x39\x4f\x94\x39\x4e\xfc\
\x39\x52\xef\xd8\xcd\xcd\x39\x51\xd6\x39\x51\xed\xea\xda\xfc\x39\
\x52\x26\xb9\x9a\x28\x38\x4c\x4f\xc2\xa6\x8c\xca\xb0\x91\xca\xb1\
\x9c\xcb\xb1\x9f\xcb\xb1\xc5\xca\xb0\xca\xca\xae\xcb\xca\xaf\xce\
\xc9\xae\xce\xc9\xaf\xcf\xca\xaf\xcf\xca\xb0\xd0\xcb\xb1\xd1\xcc\
\xb2\xd2\xcd\xb3\xd7\xd2\xba\xd7\xd3\xbb\xd8\xd3\xbc\xd8\xd4\xbc\
\xd9\xd4\xbd\xd9\xd5\xbd\xd9\xd5\xbe\xda\xd5\xbe\xda\xd6\xbf\xdb\
\xd6\xc0\xdb\xd7\xc1\xdc\xd8\xc3\xde\xda\xc5\xe0\xdc\xc8\xe5\xe2\
\xcf\xe6\xe3\xd0\xe7\xe4\xd2\xe9\xe6\xd4\xeb\xe8\xd7\xed\xea\xda\
\xfc\x39\x52\x19\x34\xb7\x9d\x00\x00\x00\x10\x74\x52\x4e\x53\x00\
\x60\x78\xae\xb0\xb5\xbd\xc0\xc2\xc4\xc8\xcc\xd8\xdf\xe8\xe8\x79\
\xe2\xaf\xf9\x00\x00\x00\xd8\x49\x44\x41\x54\x38\x4f\xad\x90\xc9\
\x0e\x82\x40\x10\x05\x01\x51\x16\x95\xcd\x05\x97\x01\x14\x11\x50\
\x76\x95\xff\xff\x35\x9f\xc6\x43\x93\x00\x26\x84\x3a\xd4\xcc\x74\
\x2a\xa1\x03\xc7\x7d\x10\x4c\xd3\xe4\x39\x02\x8f\x81\x40\xde\xbd\
\xc1\x54\x55\x55\x11\xef\x89\x4a\x98\x60\x20\xe2\x9c\x22\xd0\xeb\
\xba\x96\xf0\x56\x6a\x82\x82\x81\x84\x53\xff\x05\x0b\x59\x96\x97\
\x34\x58\x62\xb0\x20\x41\x27\xe3\x04\xb3\x79\x0f\x33\x04\xda\xab\
\x07\x6d\xb4\x20\x3f\xb5\x90\x93\x20\x3b\x17\x45\x11\xfa\x50\x10\
\x40\x7e\x08\x9d\x33\x1a\xc4\x50\x7a\x87\x92\x04\xba\xa7\x50\x3c\
\x72\xc0\x3c\xcf\x73\x9c\x86\x58\x23\xf0\xcb\xb2\x8c\x2e\xd0\x75\
\x63\x59\xd6\x36\xc2\xcd\xef\xf8\xc4\xca\x30\x8c\x75\xdf\x0e\x43\
\x03\xe6\xba\x2e\xfb\x6a\x67\xdb\xf6\xfe\x7b\x6b\x2e\x59\x55\xd5\
\x2d\x80\xa2\x08\x0a\x6e\x50\xd7\x92\x43\x7f\xd4\xdf\xe0\xc0\x18\
\x3b\x1e\x1b\x3a\xd0\xe0\xf9\x68\xe1\x49\x82\x4e\xc6\x08\xde\xa7\
\x27\x93\xce\xcf\x54\x3a\x2a\x00\x00\x00\x00\x49\x45\x4e\x44\xae\
\x42\x60\x82\
\x00\x00\x02\xb4\
\x89\
\x50\x4e\x47\x0d\x0a\x1a\x0a\x00\x00\x00\x0d\x49\x48\x44\x52\x00\
\x00\x00\x20\x00\x00\x00\x20\x08\x03\x00\x00\x00\x44\xa4\x8a\xc6\
\x00\x00\x00\x03\x73\x42\x49\x54\x08\x08\x08\xdb\xe1\x4f\xe0\x00\
\x00\x00\x09\x70\x48\x59\x73\x00\x00\x00\xdd\x00\x00\x00\xdd\x01\
\x70\x53\xa2\x07\x00\x00\x00\x19\x74\x45\x58\x74\x53\x6f\x66\x74\
\x77\x61\x72\x65\x00\x77\x77\x77\x2e\x69\x6e\x6b\x73\x63\x61\x70\
\x65\x2e\x6f\x72\x67\x9b\xee\x3c\x1a\x00\x00\x00\xd8\x50\x4c\x54\
\x45\xff\xff\xff\xff\xff\x00\xff\xbf\x80\xff\xdb\x6d\xff\xdf\x80\
\xff\xd1\x74\xff\xd8\x76\xff\xd9\x73\xff\xd5\x75\xff\xd5\x77\xff\
\xd7\x78\xff\xd7\x79\xff\xd5\x79\xfa\xd5\x75\xfa\xd5\x78\xfa\xd6\
\x76\xfb\xd7\x79\xfb\xd3\x78\xfb\xd5\x78\xed\xc4\x6f\xed\xc5\x6d\
\xfc\xd6\x79\xeb\xc2\x6d\xec\xc6\x70\xfc\xd5\x76\xfc\xd6\x78\xfd\
\xd6\x77\xfd\xd4\x77\xfd\xd6\x77\xfd\xd5\x76\xfb\xd5\x78\xfb\xd4\
\x77\xfc\xd5\x78\xfc\xd5\x77\xfc\xd5\x77\xfc\xd5\x77\xfc\xd5\x78\
\xfc\xd5\x77\xfc\xd5\x77\xfb\xd5\x77\xfc\xd5\x77\xed\xc5\x6f\xfc\
\xd5\x77\xed\xc6\x6f\xfc\xd5\x77\xfc\xd5\x77\xfc\xd5\x77\xfc\xd5\
\x77\xfc\xd5\x77\xfc\xd5\x77\xf2\xcc\x72\xfc\xd5\x77\xf3\xcc\x72\
\xf3\xcc\x73\xfc\xd5\x77\xf3\xcd\x72\xfc\xd5\x77\xf3\xcb\x72\xfc\
\xd5\x77\xfc\xd5\x77\xfc\xd5\x77\xfc\xd5\x77\xfc\xd5\x77\xea\xc3\
\x6e\xf2\xcb\x72\xf3\xcc\x72\xf4\xcd\x73\xf9\xd2\x76\xfa\xd3\x76\
\xfb\xd4\x76\xfb\xd4\x77\xfc\xd5\x77\xec\x0a\x60\x8f\x00\x00\x00\
\x3f\x74\x52\x4e\x53\x00\x01\x04\x07\x08\x0b\x0d\x14\x18\x1e\x20\
\x26\x2a\x30\x31\x38\x39\x40\x42\x45\x46\x4a\x4b\x50\x5b\x64\x69\
\x6b\x7c\x7f\x80\x89\x93\x9f\xaa\xb0\xb1\xbd\xc7\xd6\xdb\xdd\xdd\
\xdf\xe4\xe5\xe7\xe8\xec\xee\xf0\xf0\xf1\xf2\xf2\xf3\xf4\xf5\xf5\
\xf6\xf9\xfa\xfc\x92\x18\x52\x21\x00\x00\x01\x03\x49\x44\x41\x54\
\x38\x4f\x8d\xce\xd7\x5a\xc2\x40\x14\x45\xe1\x03\x58\x00\x05\x44\
\x90\x26\x52\x34\x88\x88\x28\x22\xc5\x12\x08\x84\xc9\xac\xf7\x7f\
\x23\x2f\xb0\xf0\x4d\x12\xc7\x7d\xbb\xfe\x8b\x2d\xb2\xb7\x7c\xd3\
\x19\x8d\x9c\x66\x5e\xa2\x97\x6a\xaf\x00\x60\xd5\x4e\x45\xf5\x4c\
\x9f\x9f\xf5\x33\xe1\x9e\xe8\x01\xa8\xc9\x44\x01\xf4\x12\x21\xd0\
\x00\x08\x06\xe5\xf2\x20\x00\x68\x98\x3d\x39\x07\x98\x96\x44\x4a\
\x53\x80\x79\xd2\x00\x39\x00\x16\x15\x91\xca\x02\x80\x9c\x01\xea\
\x00\x04\xc3\x6a\x75\x18\x00\x50\x37\x40\x67\x77\x3f\x98\xcd\x76\
\x9d\x8e\x01\x5a\x18\x6b\x19\xa0\x06\xa0\x95\x52\x4a\x29\x0d\x50\
\x33\x40\xda\x05\xd6\x9e\xe7\x79\x9e\xb7\x06\xdc\xb4\x01\xa4\x0b\
\xa0\xb5\xd6\x5a\x03\x74\xcd\x2e\xd9\xf1\xfe\x83\x71\x36\x04\xa4\
\xb8\xfc\xed\xcb\x62\xb8\x8b\x9c\xdd\x7f\xf7\xbb\x42\x54\x17\x39\
\x7a\x65\xbb\x05\x9e\x0f\xa3\xbb\xc8\x0b\x1b\x1f\x78\x8a\xeb\xff\
\x06\xb7\x16\xf0\x71\x6a\x01\x97\xb1\xfd\x0b\x5c\xd8\xc0\xe3\xb1\
\x05\x70\x6d\x03\x57\x16\xf0\x70\x60\x01\xee\x89\x05\xe0\x58\xc0\
\xfb\x79\x2c\xb8\x61\xe3\xff\xd5\x45\x6a\x6f\xbe\xd9\x3f\x01\xf5\
\xde\x54\x7e\xca\xf7\x18\x1d\x00\x00\x00\x00\x49\x45\x4e\x44\xae\
\x42\x60\x82\
\x00\x00\x03\x2c\
\x89\
\x50\x4e\x47\x0d\x0a\x1a\x0a\x00\x00\x00\x0d\x49\x48\x44\x52\x00\
\x00\x00\x20\x00\x00\x00\x20\x08\x03\x00\x00\x00\x44\xa4\x8a\xc6\
\x00\x00\x00\x03\x73\x42\x49\x54\x08\x08\x08\xdb\xe1\x4f\xe0\x00\
\x00\x00\x09\x70\x48\x59\x73\x00\x00\x00\xe7\x00\x00\x00\xe7\x01\
\xf0\x1b\x58\xb5\x00\x00\x00\x19\x74\x45\x58\x74\x53\x6f\x66\x74\
\x77\x61\x72\x65\x00\x77\x77\x77\x2e\x69\x6e\x6b\x73\x63\x61\x70\
\x65\x2e\x6f\x72\x67\x9b\xee\x3c\x1a\x00\x00\x00\xf0\x50\x4c\x54\
\x45\xff\xff\xff\x6d\x6d\x92\x60\x80\x80\x60\x75\x8a\x66\x7a\x8f\
\x66\x77\x88\x65\x7a\x8c\x64\x7a\x89\x64\x7a\x8a\x65\x79\x8a\x64\
\x7a\x89\x63\x79\x8a\x63\x78\x8a\x64\x79\x8a\x64\x79\x8a\x64\x79\
\x8b\x64\x79\x8a\x64\x79\x8a\x65\x7a\x8a\x66\x7b\x8c\x68\x7d\x8d\
\x74\x87\x96\x79\x8b\x9a\x7f\x91\x9e\x85\x95\xa3\x85\x96\xa3\x87\
\x97\xa5\x90\x9f\xab\x91\x9f\xab\x92\xa0\xac\x93\xa0\xab\x98\xa5\
\xb1\x98\xa6\xb2\xa0\xab\xb5\xa1\xae\xb8\xa3\xaf\xb9\xa5\xb1\xbb\
\xb4\xb5\xbc\xb4\xbe\xc6\xb5\xbf\xc7\xb9\xc2\xca\xbb\xc4\xcc\xbd\
\xc6\xcd\xbe\xc7\xce\xca\xd2\xd7\xcb\xd3\xd8\xcd\xd4\xd9\xd8\xdd\
\xe2\xd9\xde\xe2\xdb\xe0\xe4\xdc\xe1\xe5\xdd\xe2\xe5\xdf\xe4\xe7\
\xe0\xe5\xe8\xe6\xea\xed\xe7\xeb\xed\xe9\xec\xee\xea\xdd\xdd\xeb\
\xe9\xea\xeb\xee\xf0\xec\xef\xf1\xee\x9b\x91\xee\xf0\xf2\xef\xf2\
\xf4\xf0\xf2\xf4\xf2\xb1\xa9\xf3\xf4\xf6\xf4\xf6\xf7\xf5\xf7\xf8\
\xf8\xf9\xfa\xf9\xfa\xfb\xfb\xfc\xfc\xfc\xeb\xe9\xfd\xfe\xfe\xfe\
\xf6\xf6\xfe\xf8\xf7\xfe\xfe\xfe\xfe\xff\xff\xff\xfe\xfe\xff\xff\
\xff\x7d\x02\xb4\x15\x00\x00\x00\x11\x74\x52\x4e\x53\x00\x07\x08\
\x18\x19\x2d\x49\x84\x97\x98\xc1\xc8\xda\xe3\xf2\xf3\xf5\xd5\xa8\
\x31\x5b\x00\x00\x01\x91\x49\x44\x41\x54\x38\xcb\x85\x53\xe9\x5a\
\x82\x50\x10\xbd\xee\x82\x0a\x8e\x9a\x6b\x8b\x95\xa9\xa4\x52\x02\
\x2e\xe5\x46\x29\x9a\x85\xdd\xf7\x7f\x9b\xe6\x82\x20\x20\x7e\xcd\
\x0f\xc4\x39\x87\x59\xcf\x10\xe2\x5a\x24\xc9\xf1\x59\x51\xcc\xf2\
\x5c\x32\x42\xce\x2d\x9e\x16\xc0\x35\x21\x1d\x0f\xc0\xd1\x54\xde\
\x86\x4a\x25\xfb\x37\x9f\x8a\x7a\xf1\x58\x06\x7d\x85\xe6\x60\x34\
\x9e\xcd\x27\x5a\xbf\x59\xc0\xbf\x99\xd8\x09\x4f\xe4\xd0\x51\xd7\
\x96\x06\xa5\xb2\x4c\xe9\x7e\xa3\xd6\xd1\x91\x4b\xb8\xdf\x23\x5e\
\xe8\x8d\xb7\x14\x4d\x51\xd8\x93\xea\x12\x06\xc9\x1d\x63\x44\x31\
\x7e\x45\x5b\x99\xd4\x6b\x3b\xa5\x82\x59\xec\x3a\x52\xf8\xbd\x66\
\x1c\x81\xe9\xd4\xa1\x0c\x31\x46\xca\xea\x0f\xeb\xef\xad\x1c\xb7\
\x24\x39\x6f\x66\x07\x7b\x61\xdd\xa6\xb1\xbe\xb1\x79\x4e\xa0\xeb\
\x1a\x40\x1a\xe7\x27\x60\x82\x2d\x0d\x21\xb0\x24\x42\x84\x24\x01\
\x9a\x4b\x1a\x4a\x38\x34\x00\x92\x84\x03\x18\x18\xe1\x04\xda\x05\
\xe0\x08\x0f\x30\x72\x3d\xbf\xdf\x3e\x82\x0a\xc0\x93\x2c\xc0\xf8\
\x44\x58\x3c\x75\x3c\x04\x1d\x20\x4b\x44\x28\xcd\x64\x36\xbe\xe7\
\x47\xb4\xfb\xdb\x1b\x77\x10\x8a\x6c\x16\x41\x64\x84\xf9\x89\xf0\
\x70\x77\xfd\x16\x20\x60\x8a\x89\x27\xea\xe7\xfb\xe2\xcb\x9f\x02\
\x8b\xd4\x7c\x5b\xf8\x39\x31\xac\x22\xb1\xcd\xfe\xfe\x02\xa3\xcd\
\xda\x64\x83\xda\xd0\x70\x46\x95\x0d\x8a\x8d\x5a\xa5\xa1\x8c\x57\
\x6b\xd4\xd6\xb2\xf4\x20\xe3\x03\x1f\x46\xd9\x5a\x96\xb5\x6e\x69\
\x47\xcf\xad\x75\x5c\xb7\x25\x18\xe5\x1c\x7f\x71\x04\x63\x4b\x6e\
\x68\x06\xf1\x2b\x57\x72\xb6\x68\x3b\x6b\xea\x11\xad\xd1\xf2\x88\
\xf6\x28\xfb\xda\xf0\x40\x6d\xd9\x63\xfd\x65\x9f\xec\x9d\xc3\x69\
\x74\x55\xdd\x34\x75\xb5\x5d\x0d\x1e\x8e\xe7\xf4\x8a\xc5\xd0\xd3\
\xfb\xff\x78\x2f\x9f\xff\x1f\x2f\x83\xa9\x23\xd5\xf0\x7d\x09\x00\
\x00\x00\x00\x49\x45\x4e\x44\xae\x42\x60\x82\
\x00\x00\x04\x0a\
\x89\
\x50\x4e\x47\x0d\x0a\x1a\x0a\x00\x00\x00\x0d\x49\x48\x44\x52\x00\
\x00\x00\x20\x00\x00\x00\x20\x08\x03\x00\x00\x00\x44\xa4\x8a\xc6\
\x00\x00\x00\x03\x73\x42\x49\x54\x08\x08\x08\xdb\xe1\x4f\xe0\x00\
\x00\x00\x09\x70\x48\x59\x73\x00\x00\x08\x5b\x00\x00\x08\x5b\x01\
\xe8\x9f\x75\xd0\x00\x00\x00\x19\x74\x45\x58\x74\x53\x6f\x66\x74\
\x77\x61\x72\x65\x00\x77\x77\x77\x2e\x69\x6e\x6b\x73\x63\x61\x70\
\x65\x2e\x6f\x72\x67\x9b\xee\x3c\x1a\x00\x00\x01\x83\x50\x4c\x54\
\x45\xff\xff\xff\x55\x55\xaa\x40\x80\x80\x66\x66\x99\xff\xff\xff\
\x49\x6d\x92\xdb\xdb\xff\x55\x55\x8e\xe6\xe6\xe6\xea\xea\xea\x51\
\x5d\x80\x59\x64\x85\x55\x60\x80\x52\x5c\x85\x55\x5e\x84\x58\x61\
\x84\x9e\xa7\xb9\x80\x88\x99\x52\x63\x84\x58\x60\x80\x57\x63\x80\
\x55\x60\x81\x54\x5f\x80\x54\x5e\x81\xe7\xee\xee\xe7\xea\xee\xe8\
\xeb\xee\xe8\xeb\xeb\x56\x5f\x80\xe6\xed\xed\x56\x61\x80\xe8\xec\
\xee\x56\x60\x81\x54\x60\x80\x55\x60\x80\xe6\xec\xed\x55\x5f\x80\
\xe7\xec\xee\x56\x60\x80\x56\x60\x80\x55\x5f\x80\xe4\xea\xeb\xe8\
\xec\xed\x55\x60\x80\x78\x82\x9a\x78\x82\x9b\x84\x8e\xa3\x86\x8f\
\xa4\x74\x7e\x97\x9a\xa3\xb3\x77\x80\x99\x78\x81\x99\x55\x60\x80\
\x9a\xa2\xb3\x55\x60\x80\x74\x7d\x97\xa3\xaa\xba\xa4\xac\xbb\x6b\
\x76\x91\x76\x80\x99\xa3\xac\xba\xa7\xaf\xbe\x6b\x75\x90\xe7\xec\
\xed\x67\x71\x8e\x55\x60\x80\x55\x5f\x80\x63\x6f\x8b\x62\x6c\x89\
\xb6\xbd\xc9\x55\x60\x80\x63\x6c\x8a\xb9\xc0\xcb\xba\xc0\xca\xba\
\xc2\xcc\x5e\x68\x86\x5f\x6a\x87\x5d\x67\x86\x5e\x69\x87\x55\x60\
\x80\x5d\x67\x86\x55\x61\x80\x5b\x65\x84\x5d\x68\x87\xc5\xcc\xd4\
\xc6\xcd\xd4\x55\x60\x80\xe7\xec\xed\xc8\xcf\xd6\x55\x5f\x80\xc9\
\xcf\xd6\xcb\xd0\xd7\xe7\xec\xec\x55\x60\x80\x55\x60\x80\xe7\xeb\
\xed\xce\xd4\xda\xcf\xd6\xdc\x55\x60\x80\x55\x60\x80\xd2\xd8\xdd\
\x55\x60\x80\xd6\xda\xe0\x55\x60\x80\x55\x60\x80\xd9\xde\xe3\x55\
\x60\x80\x55\x60\x80\xe8\xec\xed\x55\x60\x80\x56\x60\x80\x55\x5f\
\x80\xe7\xec\xed\x55\x60\x80\x56\x60\x80\xe1\xe6\xe9\xe7\xec\xed\
\x55\x60\x80\x55\x60\x80\x55\x60\x80\x55\x61\x80\x55\x60\x80\xe6\
\xeb\xec\xe6\xeb\xed\x55\x60\x80\x55\x60\x81\xe6\xeb\xed\x55\x60\
\x80\xe7\xec\xed\x3f\x91\xdf\xa4\x00\x00\x00\x7f\x74\x52\x4e\x53\
\x00\x03\x04\x05\x05\x07\x07\x09\x0a\x0c\x16\x17\x18\x19\x1b\x1d\
\x1d\x1e\x1f\x20\x2c\x45\x46\x49\x49\x4a\x4d\x4e\x6e\x71\x74\x78\
\x7d\x82\x90\x91\x93\x93\x95\x98\xb3\xb5\xb9\xbd\xbd\xbd\xbf\xbf\
\xc0\xc0\xc1\xc1\xc2\xc3\xc4\xc4\xc4\xc4\xc5\xc5\xc5\xc5\xc6\xc7\
\xc8\xca\xcb\xcb\xce\xce\xcf\xcf\xcf\xd0\xd0\xd1\xd1\xd4\xd4\xd5\
\xd5\xd6\xd6\xd6\xd7\xd7\xd8\xd8\xda\xdb\xdb\xdb\xdc\xdd\xde\xde\
\xdf\xdf\xe1\xe2\xe4\xe6\xe6\xe8\xe9\xea\xed\xee\xef\xf1\xf1\xf3\
\xf3\xf4\xf4\xf4\xf4\xf5\xf6\xf7\xfb\xfd\xfd\xfd\xfe\xfe\xfe\xe0\
\xf4\x89\xca\x00\x00\x01\x6e\x49\x44\x41\x54\x18\x19\x65\xc1\x09\
\x43\x4c\x61\x14\x06\xe0\x77\x4c\x89\x5c\x5b\x1a\xd9\xab\x4b\x0d\
\x06\xa1\xc5\x12\x5a\xc8\x92\x29\xfb\x90\xad\xe4\x96\x65\xd2\x14\
\x91\xed\xf6\x9e\x9f\x5e\xf3\xdd\xf3\x9d\xee\x34\xcf\x83\x4d\x8d\
\xb9\xb0\xaf\x54\x5e\x9d\x2a\xe4\xdb\xb2\xa8\xd7\x1c\x56\x68\xca\
\xdd\x01\x6a\x65\x3b\x97\x59\xa3\xd2\xd1\x84\x94\x60\x80\x75\x46\
\x02\x98\xd6\x39\x7a\x8b\x8b\xf4\x66\x5b\xa1\x82\x59\x3a\xff\x2f\
\x5e\x9b\x59\x5b\x9b\xb9\x71\x85\x89\xb9\x00\x4e\xd3\x08\x9d\xf8\
\x92\xa8\xfe\x98\xce\x40\x16\x55\x1d\x4c\xf4\x8a\xe9\x65\xa2\x13\
\x1b\x82\x0a\x13\xe3\x62\xc6\x99\x58\x6e\x06\xd0\x4d\x15\x89\x89\
\xa8\x42\x20\x5b\xa6\x8a\xc4\x44\x54\x95\x46\xb4\xd1\x8b\xc4\x44\
\xf4\x72\xc8\xd3\x9b\x17\x33\x4f\x2f\x44\x81\xea\xa1\xa4\x3c\xa3\
\xea\xc3\x14\xd5\x79\x49\x19\xa4\x2a\x61\x95\xea\x9c\xa4\x0c\x52\
\x95\xf1\x95\xea\xe9\x3f\xd9\x74\x8f\xea\x17\x1e\xd1\xbb\x29\xe6\
\x42\x4c\xf5\x04\x05\x7a\x45\xf1\x5e\xc7\xf4\x4e\x23\x4f\xf3\x4a\
\xd4\x2d\x9a\x10\x39\x9a\xeb\x92\x78\xf3\x87\xe6\x20\x32\x9f\x69\
\x9e\x8b\x73\x9b\xe6\x53\x06\x38\x45\xf3\x40\x9c\x49\x9a\x10\xc0\
\xee\x6f\xf4\x5e\x88\x73\x87\xde\xcf\x16\x6c\x38\x46\x35\xf1\x57\
\x9c\xab\x31\xd5\x09\x54\x65\x46\x59\xf5\xbd\xe7\x87\xa8\xfb\x45\
\x3a\x77\xb7\xc1\xd9\x55\x22\x7f\x5f\xfe\x22\x29\x63\x45\x92\xef\
\xf7\x42\xed\x79\x37\xfc\x41\xb6\x18\x7b\xfc\xf1\x00\xcc\xbe\xb3\
\x52\xe7\xcc\x7e\xa4\x1d\x7d\x2b\x35\x5e\x1e\xc6\x16\xdb\xdb\x97\
\xc4\x2c\x1c\x6f\x40\xbd\x9d\x47\xba\x86\xa6\x57\x56\xa6\x87\x4e\
\x1e\xda\x01\xb3\x0e\x29\x11\x78\xcc\x11\x55\x71\x85\x00\x00\x00\
\x00\x49\x45\x4e\x44\xae\x42\x60\x82\
\x00\x00\x02\xb6\
\x89\
\x50\x4e\x47\x0d\x0a\x1a\x0a\x00\x00\x00\x0d\x49\x48\x44\x52\x00\
\x00\x00\x20\x00\x00\x00\x20\x08\x06\x00\x00\x00\x73\x7a\x7a\xf4\
\x00\x00\x00\x04\x73\x42\x49\x54\x08\x08\x08\x08\x7c\x08\x64\x88\
\x00\x00\x00\x09\x70\x48\x59\x73\x00\x00\x0b\x0e\x00\x00\x0b\x0e\
\x01\x40\xbe\xe1\x41\x00\x00\x00\x19\x74\x45\x58\x74\x53\x6f\x66\
\x74\x77\x61\x72\x65\x00\x77\x77\x77\x2e\x69\x6e\x6b\x73\x63\x61\
\x70\x65\x2e\x6f\x72\x67\x9b\xee\x3c\x1a\x00\x00\x02\x33\x49\x44\
\x41\x54\x58\x85\xed\xd7\xdb\x8b\x4d\x51\x1c\x07\xf0\xcf\x3a\x33\
\x19\x1a\x73\x89\xc4\x0c\x43\x9a\x1a\x0f\x83\x44\xae\x29\x4a\x22\
\x92\xc4\xbc\xa9\x89\xe4\x92\x9a\x27\xa5\x44\xfe\x01\x79\xf3\xe0\
\xc1\xa5\x5c\x1e\x14\x4f\x3c\x08\xa1\x30\x72\x09\x45\x29\x93\x48\
\x9e\x64\xc4\x18\x4f\xb4\x3c\xec\x3d\x9a\xc6\x39\xce\x3e\x33\x73\
\x3a\x1e\x66\xd5\xaa\xbd\xd6\xef\xfb\x5b\xdf\xef\x5e\xbf\xb5\xbe\
\xbb\x1d\x62\x8c\x2a\xd9\x72\x15\x65\x1f\x13\xf0\x3f\x08\xa8\x1e\
\x49\x72\x08\x61\x0d\xd6\xa2\x1d\x4d\xf8\x88\x57\x38\x1d\x63\xec\
\xc9\xb4\x48\x8c\xb1\xe4\x8e\x85\xb8\x89\x53\x58\x87\x19\xa8\xc2\
\x6c\x74\xe0\x16\x2e\xa2\xbe\xe8\x5a\xc3\x20\x5f\x89\x07\x68\x2f\
\x82\xdb\x8a\xa7\x98\x39\x6a\x02\x30\x0f\xcf\x31\x2d\x23\x7e\x05\
\xee\xa0\x6a\xb4\x04\x5c\xc1\x82\x12\xf0\x0d\x38\x8f\x1e\x3c\xc4\
\x71\xcc\x1d\x8c\xc9\x7c\x0b\x42\x08\x73\xd0\x88\xaa\x10\x42\x5b\
\x08\xa1\xa6\x08\x7e\x03\x6e\xe0\x0d\x8e\xe1\x02\x5a\xd1\x1d\x42\
\xb8\x18\x42\xc8\x65\x3a\x84\xa8\xc5\x11\xbc\xc3\x13\x9c\xc0\x39\
\x74\xe3\x1a\xd6\xe7\xc9\xd9\x84\x4b\x68\xc8\x13\xab\xc7\x33\xdc\
\x2b\x5a\x02\xac\xc2\x0b\xec\xcb\x57\x47\xb4\xe1\x34\xce\x62\x7c\
\x09\xa5\xc9\xe1\x33\x3a\x8b\x1d\xa0\x47\x98\x9c\x61\xc1\xdd\xb8\
\x8e\x5c\x09\x22\xb6\xa3\xa7\x50\xb0\x3e\x7d\xf3\x96\x12\x16\x3c\
\x8a\xc3\xa8\xcd\x88\x1f\x87\xfe\x42\xc1\x83\xd8\x5d\x02\x79\x3b\
\xce\xa4\xdb\xfa\x1d\xfd\x78\x8b\x35\x45\xf2\x7e\x0c\x9d\x68\xc2\
\x16\x89\x9d\x4e\xc8\x48\xbe\x0b\xf7\xb1\x64\xe0\x9c\x48\x2c\x7e\
\x0f\xfa\x24\xb6\x9c\x2f\xaf\x05\x5f\x06\x06\x75\x12\x5b\xbd\x81\
\x43\x58\x94\x91\x3c\xe0\x00\x6a\x0a\xc4\x27\xe2\x13\x76\xe6\x89\
\x9d\x4c\x85\xab\xc2\x5d\x74\x64\xdd\xf2\x52\x3a\x96\xa2\x6f\xc8\
\xdc\xfc\xb4\x4c\xd3\xa1\x0b\x87\xcb\x41\x3e\x88\xf0\x03\x56\xa4\
\xcf\x5d\x29\xf9\xde\x74\xec\x76\x3e\xc3\x18\x65\x01\xdd\xe8\xc5\
\x37\xbc\x37\xc8\x8e\x73\x68\x8c\x31\x7e\x55\xde\x16\x71\x15\x93\
\x62\x8c\xb3\x62\x8c\x2f\x07\x02\xd5\xf8\x15\x42\xa8\x8e\x31\xfe\
\x2c\xa3\x80\x56\xc9\x41\xfc\x8b\x23\x27\xf9\xbc\xae\x2e\x17\x73\
\x08\xa1\x53\xe2\x90\xaf\x0b\x61\x5a\x24\x96\x5b\x57\x86\xda\x2f\
\x97\x18\xd3\xb2\x82\x98\x14\xb8\x11\x8f\xb1\x0d\x53\x47\x48\x3a\
\x0e\x9b\x71\x39\x25\xdf\xf1\x2f\x7c\x18\xb8\x0a\x21\x84\x29\xd8\
\x8f\xc5\x68\x96\x98\xcc\x70\x5a\xb3\xc4\x01\x9f\x60\x5f\x8c\xb1\
\xf7\x5f\xe0\x3f\x02\x2a\xd5\x2a\xfe\x5f\x30\x26\xa0\xe2\x02\x7e\
\x03\xb7\x39\xbc\xed\x20\x33\xf3\x9f\x00\x00\x00\x00\x49\x45\x4e\
\x44\xae\x42\x60\x82\
"
qt_resource_name = b"\
\x00\x05\
\x00\x6f\xa6\x53\
\x00\x69\
\x00\x63\x00\x6f\x00\x6e\x00\x73\
\x00\x05\
\x00\x4f\xa6\x53\
\x00\x49\
\x00\x63\x00\x6f\x00\x6e\x00\x73\
\x00\x0f\
\x03\xec\xfb\x67\
\x00\x74\
\x00\x68\x00\x65\x00\x72\x00\x6d\x00\x6f\x00\x6d\x00\x65\x00\x74\x00\x65\x00\x72\x00\x2e\x00\x70\x00\x6e\x00\x67\
\x00\x0c\
\x07\xb5\x0f\xc7\
\x00\x63\
\x00\x61\x00\x6c\x00\x65\x00\x6e\x00\x64\x00\x61\x00\x72\x00\x2e\x00\x70\x00\x6e\x00\x67\
\x00\x0c\
\x0c\xa8\x9d\xc7\
\x00\x64\
\x00\x6f\x00\x6f\x00\x72\x00\x2d\x00\x6b\x00\x65\x00\x79\x00\x2e\x00\x70\x00\x6e\x00\x67\
\x00\x09\
\x05\x9e\x83\x27\
\x00\x63\
\x00\x6c\x00\x6f\x00\x63\x00\x6b\x00\x2e\x00\x70\x00\x6e\x00\x67\
\x00\x08\
\x09\xc5\x58\xc7\
\x00\x75\
\x00\x73\x00\x65\x00\x72\x00\x2e\x00\x70\x00\x6e\x00\x67\
\x00\x0a\
\x0b\xb9\x11\x87\
\x00\x63\
\x00\x6c\x00\x6f\x00\x75\x00\x64\x00\x79\x00\x2e\x00\x70\x00\x6e\x00\x67\
"
qt_resource_struct = b"\
\x00\x00\x00\x00\x00\x02\x00\x00\x00\x01\x00\x00\x00\x01\
\x00\x00\x00\x00\x00\x02\x00\x00\x00\x01\x00\x00\x00\x02\
\x00\x00\x00\x10\x00\x02\x00\x00\x00\x06\x00\x00\x00\x03\
\x00\x00\x00\x20\x00\x00\x00\x00\x00\x01\x00\x00\x00\x00\
\x00\x00\x00\x80\x00\x00\x00\x00\x00\x01\x00\x00\x09\x15\
\x00\x00\x00\x44\x00\x00\x00\x00\x00\x01\x00\x00\x04\x35\
\x00\x00\x00\x98\x00\x00\x00\x00\x00\x01\x00\x00\x0c\x45\
\x00\x00\x00\xae\x00\x00\x00\x00\x00\x01\x00\x00\x10\x53\
\x00\x00\x00\x62\x00\x00\x00\x00\x00\x01\x00\x00\x06\x5d\
"
def qInitResources():
QtCore.qRegisterResourceData(0x01, qt_resource_struct, qt_resource_name, qt_resource_data)
def qCleanupResources():
QtCore.qUnregisterResourceData(0x01, qt_resource_struct, qt_resource_name, qt_resource_data)
qInitResources()
| kunz07/fyp2017 | GUI/lockscreen_rc.py | Python | mit | 22,062 |
#!/usr/bin/env python
import os
import sys
if __name__ == "__main__":
os.environ.setdefault("DJANGO_SETTINGS_MODULE", "sim.settings.local")
from django.core.management import execute_from_command_line
execute_from_command_line(sys.argv) | CodeRaising/sim | sim/manage.py | Python | mit | 251 |
class NotSupportedDayError(Exception):
def __init__(self, value):
self.value = value
def __str__(self):
return repr(" ".join([" Day ", value, " is not supported "]))
| rakeshsingh/trend-in | trendin/exceptions.py | Python | mit | 193 |
# vim: fdm=indent
# author: Fabio Zanini
# date: 09/08/17
# content: Sparse table of gene counts
# Modules
import numpy as np
import pandas as pd
# Classes / functions
class CountsTableSparse(pd.SparseDataFrame):
'''Sparse table of gene expression counts
- Rows are features, e.g. genes.
- Columns are samples.
'''
_metadata = [
'name',
'_spikeins',
'_otherfeatures',
'_normalized',
'pseudocount',
'dataset',
]
_spikeins = ()
_otherfeatures = ()
_normalized = False
pseudocount = 0.1
dataset = None
@property
def _constructor(self):
return CountsTableSparse
@classmethod
def from_tablename(cls, tablename):
'''Instantiate a CountsTable from its name in the config file.
Args:
tablename (string): name of the counts table in the config file.
Returns:
CountsTable: the counts table.
'''
from ..config import config
from ..io import parse_counts_table_sparse
self = cls(parse_counts_table_sparse({'countsname': tablename}))
self.name = tablename
config_table = config['io']['count_tables'][tablename]
self._spikeins = config_table.get('spikeins', [])
self._otherfeatures = config_table.get('other', [])
self._normalized = config_table['normalized']
return self
@classmethod
def from_datasetname(cls, datasetname):
'''Instantiate a CountsTable from its name in the config file.
Args:
datasetename (string): name of the dataset in the config file.
Returns:
CountsTableSparse: the counts table.
'''
from ..config import config
from ..io import parse_counts_table_sparse
self = cls(parse_counts_table_sparse({'datasetname': datasetname}))
self.name = datasetname
config_table = config['io']['datasets'][datasetname]['counts_table']
self._spikeins = config_table.get('spikeins', [])
self._otherfeatures = config_table.get('other', [])
self._normalized = config_table['normalized']
return self
def to_npz(self, filename):
'''Save to numpy compressed file format'''
from .io.npz import to_counts_table_sparse
to_counts_table_sparse(self, filename)
def exclude_features(self, spikeins=True, other=True, inplace=False,
errors='raise'):
'''Get a slice that excludes secondary features.
Args:
spikeins (bool): Whether to exclude spike-ins
other (bool): Whether to exclude other features, e.g. unmapped reads
inplace (bool): Whether to drop those features in place.
errors (string): Whether to raise an exception if the features
to be excluded are already not present. Must be 'ignore'
or 'raise'.
Returns:
CountsTable: a slice of self without those features.
'''
drop = []
if spikeins:
drop.extend(self._spikeins)
if other:
drop.extend(self._otherfeatures)
out = self.drop(drop, axis=0, inplace=inplace, errors=errors)
if inplace and (self.dataset is not None):
self.dataset._featuresheet.drop(drop, inplace=True, errors=errors)
return out
def get_spikeins(self):
'''Get spike-in features
Returns:
CountsTable: a slice of self with only spike-ins.
'''
return self.loc[self._spikeins]
def get_other_features(self):
'''Get other features
Returns:
CountsTable: a slice of self with only other features (e.g.
unmapped).
'''
return self.loc[self._otherfeatures]
def log(self, base=10):
'''Take the pseudocounted log of the counts.
Args:
base (float): Base of the log transform
Returns:
A transformed CountsTableSparse with zeros at the zero-count items.
'''
from scipy.sparse import coo_matrix
coo = self.to_coo()
coobase = np.log(self.pseudocount) * coo_matrix((np.ones(coo.nnz), (coo.row, coo.col)), shape=coo.shape)
coolog = ((coo / self.pseudocount).log1p() + coobase) / np.log(base)
# NOTE: the entries that should be log(pseudocount) are zeros now
clog = CountsTableSparse(
coolog,
index=self.index,
columns=self.columns,
dtype=float,
default_fill_value=0)
return clog
def unlog(self, base=10):
'''Reverse the pseudocounted log of the counts.
Args:
base (float): Base of the log transform
Returns:
A transformed CountsTableSparse.
'''
from scipy.sparse import coo_matrix
coo = self.to_coo()
coobase = np.log(self.pseudocount) * coo_matrix((np.ones(coo.nnz), (coo.row, coo.col)), shape=coo.shape)
cooexp = (coo * np.log(base) - coobase).expm1() * self.pseudocount
cexp = CountsTableSparse(
cooexp,
index=self.index,
columns=self.columns,
dtype=float,
default_fill_value=0)
return cexp
def normalize(
self,
method='counts_per_million',
include_spikeins=False,
**kwargs):
'''Normalize counts and return new CountsTable.
Args:
method (string or function): The method to use for normalization.
One of 'counts_per_million', 'counts_per_thousand_spikeins',
'counts_per_thousand_features'm 'counts_per_million_column'.
If this argument is a function, its signature depends on the
inplace argument. It must take the CountsTable as input and
return the normalized one as output. You can end your function
by self[:] = <normalized counts>.
include_spikeins (bool): Whether to include spike-ins in the
normalization and result.
inplace (bool): Whether to modify the CountsTable in place or
return a new one.
Returns:
A new, normalized CountsTableSparse.
NOTE: if method == 'counts_per_million_column', you have to use an
additional keyword argument called 'column' that specifies the column
of the samplesheet containing the normalization baseline. For instance,
if your samplesheet has a column called 'total_counts' that you want to
use for normalization, call:
CountsTableSparse.normalize(
method='counts_per_million_column',
column='total_counts')
This requires the count table to be linked to a Dataset.
'''
import copy
if method == 'counts_per_million':
counts = self.exclude_features(spikeins=(not include_spikeins), other=True)
norm = counts.sum(axis=0)
counts_norm = 1e6 * counts / norm
elif method == 'counts_per_thousand_spikeins':
counts = self.exclude_features(spikeins=(not include_spikeins), other=True)
norm = self.get_spikeins().sum(axis=0)
counts_norm = 1e3 * counts / norm
elif method == 'counts_per_thousand_features':
if 'features' not in kwargs:
raise ValueError('Set features=<list of normalization features>')
counts = self.exclude_features(spikeins=(not include_spikeins), other=True)
norm = self.loc[kwargs['features']].sum(axis=0)
counts_norm = 1e3 * counts / norm
elif method == 'counts_per_million_column':
if 'column' not in kwargs:
raise ValueError('Specify a samplesheet column with column=<mycolumn>')
counts = self.exclude_features(spikeins=(not include_spikeins), other=True)
norm = self.dataset[kwargs['column']].values
counts_norm = 1e6 * counts / norm
elif callable(method):
counts_norm = method(self)
method = 'custom'
else:
raise ValueError('Method not understood')
# Shallow copy of metadata
for prop in self._metadata:
# dataset if special, to avoid infinite loops
if prop == 'dataset':
counts_norm.dataset = None
else:
setattr(counts_norm, prop, copy.copy(getattr(self, prop)))
counts_norm._normalized = method
return counts_norm
def get_statistics(self, axis='features', metrics=('mean', 'cv')):
'''Get statistics of the counts.
Args:
axis (str): 'features' or 'samples'
metrics (sequence of strings): any of 'mean', 'var', 'std', 'cv',
'fano', 'min', 'max'.
Returns:
pandas.DataFrame with features as rows and metrics as columns.
'''
if axis == 'features':
axn = 1
elif axis == 'samples':
axn = 0
else:
raise ValueError('axis must be features or samples')
st = {}
if 'mean' in metrics or 'cv' in metrics or 'fano' in metrics:
st['mean'] = self.mean(axis=axn)
if ('std' in metrics or 'cv' in metrics or 'fano' in metrics or
'var' in metrics):
st['std'] = self.std(axis=axn)
if 'var' in metrics:
st['var'] = st['std'] ** 2
if 'cv' in metrics:
st['cv'] = st['std'] / np.maximum(st['mean'], 1e-10)
if 'fano' in metrics:
st['fano'] = st['std'] ** 2 / np.maximum(st['mean'], 1e-10)
if 'min' in metrics:
st['min'] = self.min(axis=axn)
if 'max' in metrics:
st['max'] = self.max(axis=axn)
df = pd.concat([st[m] for m in metrics], axis=1)
df.columns = pd.Index(list(metrics), name='metrics')
return df
| iosonofabio/singlet | singlet/counts_table/counts_table_sparse.py | Python | mit | 10,070 |
#!/usr/bin/env python
# coding: utf8
"""
Dropbox Authentication for web2py
Developed by Massimo Di Pierro (2011)
Same License as Web2py License
"""
# mind here session is dropbox session, not current.session
import os
import re
import urllib
from dropbox import client, rest, session
from gluon import *
from gluon.tools import fetch
from gluon.storage import Storage
import gluon.contrib.simplejson as json
class DropboxAccount(object):
"""
from gluon.contrib.login_methods.dropbox_account import DropboxAccount
auth.settings.actions_disabled=['register','change_password','request_reset_password']
auth.settings.login_form = DropboxAccount(request,
key="...",
secret="...",
access_type="...",
url = "http://localhost:8000/%s/default/user/login" % request.application)
when logged in
client = auth.settings.login_form.client
"""
def __init__(self,
request,
key = "",
secret = "",
access_type="app_folder",
login_url = "",
on_login_failure=None,
):
self.request=request
self.key=key
self.secret=secret
self.access_type=access_type
self.login_url = login_url
self.on_login_failure = on_login_failure
self.sess = session.DropboxSession(
self.key,self.secret,self.access_type)
def get_user(self):
request = self.request
token = current.session.dropbox_token
try:
access_token = self.sess.obtain_access_token(token)
except:
access_token = None
if access_token:
user = Storage()
self.client = client.DropboxClient(self.sess)
data = self.client.account_info()
display_name = data.get('display_name','').split(' ',1)
user = dict(email = data.get('email',None),
first_name = display_name[0],
last_name = display_name[-1],
registration_id = data.get('uid',None))
if not user['registration_id'] and self.on_login_failure:
redirect(self.on_login_failure)
return user
return None
def login_form(self):
token = self.sess.obtain_request_token()
current.session.dropbox_token = token
dropbox_url = self.sess.build_authorize_url(token,self.login_url)
redirect(dropbox_url)
form = IFRAME(_src=dropbox_url,
_scrolling="no",
_frameborder="no",
_style="width:400px;height:240px;")
return form
def logout_url(self, next = "/"):
current.session.dropbox_token=None
current.session.auth=None
redirect('https://www.dropbox.com/logout')
return next
def put(self,filename,file):
return json.loads(self.client.put_file(filename,file))['bytes']
def get(self,filename,file):
return self.client.get_file(filename)
def dir(self,path):
return json.loads(self.client.metadata(path))
def use_dropbox(auth,filename='private/dropbox.key',**kwargs):
path = os.path.join(current.request.folder,filename)
if os.path.exists(path):
request = current.request
key,secret,access_type = open(path,'r').read().strip().split(':')
host = current.request.env.http_host
login_url = "http://%s/%s/default/user/login" % \
(host,request.application)
auth.settings.actions_disabled = \
['register','change_password','request_reset_password']
auth.settings.login_form = DropboxAccount(
request,key=key,secret=secret,access_type=access_type,
login_url = login_url,**kwargs)
| SEA000/uw-empathica | empathica/gluon/contrib/login_methods/dropbox_account.py | Python | mit | 3,886 |
Subsets and Splits